@memberjunction/ng-core-entity-forms
v5.2.0
Published
MemberJunction Core Entity Angular Forms
Keywords
Readme
@memberjunction/ng-core-entity-forms
The @memberjunction/ng-core-entity-forms package provides a comprehensive set of Angular form components for all core MemberJunction entities. It includes both auto-generated form components based on entity metadata and custom form components with enhanced functionality for specific entities.
Features
- Pre-built form components for all MemberJunction core entities
- Automatically generated forms with consistent UI across the platform
- Custom form implementations for complex entities
- Support for detail sections, tabs, and specialized form layouts
- Integration with MemberJunction's metadata system
- Tree-shake safe implementation for production builds
- Form components following MemberJunction's design patterns
Installation
npm install @memberjunction/ng-core-entity-formsRequirements
- Angular 21+
- @memberjunction/core
- @memberjunction/core-entities
- @memberjunction/ng-base-forms
- Various MemberJunction and Kendo UI components
Usage
The package includes two main modules:
CoreGeneratedFormsModule- Contains all auto-generated form componentsMemberJunctionCoreEntityFormsModule- Contains custom form components
Basic Setup
Import the necessary modules in your application module:
import {
CoreGeneratedFormsModule,
MemberJunctionCoreEntityFormsModule
} from '@memberjunction/ng-core-entity-forms';
@NgModule({
imports: [
// other imports...
CoreGeneratedFormsModule,
MemberJunctionCoreEntityFormsModule
],
})
export class YourModule { }Using Generated Forms
Generated forms are dynamically loaded based on entity names. The typical pattern is to use a component factory to create the appropriate form component:
import { Component, ViewChild, ViewContainerRef, ComponentFactoryResolver } from '@angular/core';
import { Metadata } from '@memberjunction/core';
@Component({
selector: 'app-entity-form-container',
template: '<ng-container #formContainer></ng-container>'
})
export class EntityFormContainerComponent {
@ViewChild('formContainer', { read: ViewContainerRef }) formContainer!: ViewContainerRef;
constructor(
private componentFactoryResolver: ComponentFactoryResolver,
private metadata: Metadata
) {}
async loadEntityForm(entityName: string, recordId: any) {
// Clear the container
this.formContainer.clear();
// Get the form component class for the entity
const formComponent = await this.metadata.GetEntityFormComponent(entityName);
if (formComponent) {
// Create the component
const factory = this.componentFactoryResolver.resolveComponentFactory(formComponent);
const componentRef = this.formContainer.createComponent(factory);
// Set inputs
componentRef.instance.recordId = recordId;
// Initialize the form
await componentRef.instance.ngOnInit();
}
}
}Using Custom Forms
Custom forms can be used directly in your templates:
<!-- For the extended Entity form -->
<mj-entities-form
[recordId]="entityId"
[showToolbar]="true"
(saved)="onEntitySaved($event)">
</mj-entities-form>
<!-- For the extended EntityAction form -->
<mj-entity-action-form
[recordId]="actionId"
[showToolbar]="true"
(saved)="onActionSaved($event)">
</mj-entity-action-form>Architecture
Generated Forms
The CoreGeneratedFormsModule contains multiple sub-modules that collectively register all generated form components. Each entity has:
- A main form component (e.g.,
EntityFormComponent) - Multiple section components (e.g.,
EntityDetailsComponent,EntityTopComponent) - A loader function to prevent tree-shaking (e.g.,
LoadEntityFormComponent())
Custom Forms
The MemberJunctionCoreEntityFormsModule contains extended form components that provide additional functionality beyond the auto-generated forms:
EntityFormExtendedComponent- Enhanced form for Entity managementEntityActionExtendedFormComponent- Enhanced form for EntityAction managementActionTopComponentExtended- Custom top section for Action forms
Custom Form Development Guide
Core Architecture & Setup
- Location: Custom forms live in
packages/Angular/Explorer/core-entity-forms/src/lib/custom/{EntityName}/ - File Structure:
{entity-name}-form.component.ts(main logic){entity-name}-form.component.html(template)
- Inheritance: Extend generated form components (e.g.,
TemplateFormComponent) which inherit fromBaseFormComponent - Registration: Use
@RegisterClass(BaseFormComponent, 'EntityName')decorator - Module Integration: Add to
custom-forms.module.tsdeclarations, exports, and import required Kendo modules
Entity & Data Management
- Strong Typing: Never use
any- always use proper entity types (TemplateEntity,TemplateCategoryEntity) - Entity Creation: Use
Metadata.GetEntityObject<EntityType>('EntityName')pattern - Data Loading: Use
RunViewwithResultType='entity_object'and generic typing - Cache Integration: Leverage engine caches like
TemplateEngineBase.Instance.TemplateContentTypes
Angular Best Practices
- Modern Syntax: Always use
@if,@for,@switchinstead of structural directives - Track Functions: Include
trackin@forloops for performance - Component Integration: Use Kendo UI components for consistency (textbox, textarea, dropdownlist, combobox, numerictextbox, button)
Save Lifecycle & Validation
- Override SaveRecord(): Handle complex saving by overriding
SaveRecord(StopEditModeAfterSave: boolean) - Related Entity Creation: Create related entities (categories) BEFORE calling
super.SaveRecord() - Duplicate Prevention: Implement validation like
trim().toLowerCase()comparison for category names - Error Handling: Use
MJNotificationService.Instance.CreateSimpleNotification()for user feedback - State Management: Respect
EditModestate, implement proper change tracking
UI/UX Patterns
- Layout: Use
mjFillContainerdirective withbottomMarginfor proper container sizing - Form Fields: Use
mj-form-fieldfor individual fields; avoid problematicmj-form-sectionproperties - Responsive Design: CSS Grid and Flexbox for layouts
- Visual Feedback: Implement hover effects, loading states, progress indicators
- Smart Controls: Conditional displays (e.g., show "New" badge for unsaved records, content type names for saved)
Development Workflow
- Package Building: Always run
npm run buildin specific package directory for TypeScript checking - Workspace Management: Never
npm installin package directories - always at repo root - Dependencies: Add to individual package.json, then
npm installat root - Styling: Add custom CSS to
src/shared/form-styles.css
Advanced Features Implemented
- Dynamic Content Management: Multiple related entities (Template Contents) with priority-based ordering
- Type-Safe Dropdowns: Filter invalid options, auto-select defaults
- Smart Validation: Prevent duplicates with normalized comparisons
- User Feedback: Comprehensive notification system for success/warning/error states
- State Synchronization: Proper coordination between main entity and related entity saves
Common Patterns & Anti-Patterns
✅ Do:
- Use strong typing throughout
- Respect MemberJunction entity patterns
- Implement comprehensive error handling
- Provide clear user feedback
- Follow modern Angular syntax
❌ Avoid:
- Using
anytypes - Bypassing
Metadata.GetEntityObject() - Ignoring
EditModestate - Using outdated Angular syntax
- Running
npm installin package directories - Creating duplicate entities without validation
Forms Structure
Each entity form typically follows this structure:
- A main form component that extends
BaseFormComponent - Multiple section components for different aspects of the entity
- A tabbed interface for complex entities
- Integration with grids, dropdowns, and other UI components
Key Components
| Component | Description | |-----------|-------------| | Entity forms | Forms for managing metadata entities (Entity, EntityField, etc.) | | Action forms | Forms for managing actions and workflows | | User forms | Forms for user management and permissions | | Integration forms | Forms for external system integrations | | AI-related forms | Forms for AI models, prompts, and agents | | Content forms | Forms for content management | | Communication forms | Forms for messaging and notifications |
Notes
- Form components are dynamically instantiated at runtime based on entity names
- Custom loader functions are used to prevent tree-shaking in production builds
- The package is designed to work with the MemberJunction Explorer application
- Forms rely on metadata from the
@memberjunction/corepackage for field definitions
Dependencies
Core Dependencies
- @angular/common
- @angular/core
- @angular/forms
- @memberjunction/core
- @memberjunction/core-entities
- @memberjunction/ng-base-forms
UI Component Dependencies
- @memberjunction/ng-form-toolbar
- @memberjunction/ng-tabstrip
- @memberjunction/ng-container-directives
- @memberjunction/ng-code-editor
- @memberjunction/ng-timeline
- @memberjunction/ng-join-grid
- @progress/kendo-angular-grid
- @progress/kendo-angular-dropdowns
- @progress/kendo-angular-dialog
AI & Notification Dependencies
- @memberjunction/ai
- @memberjunction/ng-notifications
- @memberjunction/graphql-dataprovider
AI Agent Type UI Customization
Overview
The AI Agent Type UI Customization feature allows AI Agent Types to define custom form sections or complete form overrides in the AI Agent form UI. This enables different agent types (like Flow, Analysis, Support, etc.) to have specialized UI components tailored to their specific configuration needs.
Database Schema
The AIAgentType table includes three columns for UI customization (added in v2.76):
UIFormSectionKey(NVARCHAR(500) NULL) - Registration key for custom form section componentUIFormKey(NVARCHAR(500) NULL) - Registration key for complete form override componentUIFormSectionExpandedByDefault(BIT NOT NULL DEFAULT 1) - Whether custom section starts expanded
Implementation Details
Dynamic Component Loading
The AI Agent form (ai-agent-form.component.ts) implements dynamic loading:
- Loads the agent type when the form initializes
- Checks for
UIFormSectionKeyon the agent type - Dynamically loads and instantiates the custom section component
- Propagates
EditModechanges to the custom section
Component Registration
Custom form sections must:
- Extend
BaseFormSectionComponent - Use
@RegisterClassdecorator with key pattern:AI Agents.{SectionKey} - Implement standard form section lifecycle
Example:
@RegisterClass(BaseFormSectionComponent, 'AI Agents.FlowAgentSection')
export class FlowAgentFormSectionComponent extends BaseFormSectionComponent {
// Implementation
}Flow Agent Example
The FlowAgentFormSectionComponent demonstrates a complete implementation:
- Loads AIAgentStep and AIAgentStepPath entities for the agent
- Displays workflow steps and paths in a structured view
- Shows starting steps with special highlighting
- Provides refresh functionality in edit mode
- Includes status indicators (Active/Pending/Disabled)
- Shows action input/output mappings
Usage Guide
Creating a Custom Form Section
Create the Component
@Component({ selector: 'mj-custom-agent-section', template: `...`, styles: [`...`] }) @RegisterClass(BaseFormSectionComponent, 'AI Agents.CustomSection') export class CustomAgentSectionComponent extends BaseFormSectionComponent { // Access this.record for the current AIAgentEntity // Use this.EditMode to determine read/write state }Register in Module
- Add to declarations and exports in
custom-forms.module.ts - Export from
public-api.tsif needed externally
- Add to declarations and exports in
Update Agent Type
UPDATE AIAgentType SET UIFormSectionKey = 'CustomSection', UIFormSectionExpandedByDefault = 1 WHERE Name = 'YourAgentType';
Complete Form Override
For complete form replacement (not just a section), use UIFormKey:
UPDATE AIAgentType
SET UIFormKey = 'CustomCompleteForm'
WHERE Name = 'YourAgentType';The custom form component should extend BaseFormComponent instead.
Architecture
Component Hierarchy
AIAgentFormComponent (generated)
└── AIAgentFormComponentExtended (custom)
└── Dynamic Custom Section (via ViewContainerRef)
└── FlowAgentFormSectionComponent (or other custom section)Data Flow
- Form loads agent record
- Form queries agent type for UI customization keys
- Form uses MJGlobal.ClassFactory to resolve component class
- Form creates component instance in ViewContainerRef
- Form passes record and EditMode to custom component
- Custom component manages its own UI and data loading
Best Practices
- Lazy Loading: Custom sections should load their data only when needed
- Error Handling: Handle data loading errors gracefully with user feedback
- Edit Mode: Respect EditMode for read-only vs editable states
- Performance: Use batch queries (RunViews) for loading related data
- Styling: Follow existing MJ UI patterns and styles
- Type Safety: Always use proper entity types, never
any
Future Enhancements
- Visual Flow Editor: Integrate a proper flow visualization library (when Angular 21 compatible)
- Drag & Drop: Allow visual workflow editing with drag and drop
- Conditional UI: Show/hide sections based on agent configuration
- Template Library: Pre-built custom sections for common agent types
IS-A Type Hierarchy Visualization
The enhanced entity form provides comprehensive visualization of IS-A (inheritance) relationships between entities. This feature helps users understand type hierarchies and navigate entity inheritance chains.
Visual Indicators
When viewing an entity that participates in IS-A relationships, the form displays several visual elements:
Purple Hierarchy Badges: Entities with IS-A relationships display purple badges with hierarchy icons indicating their role:
- Parent entities show child entity counts
- Child entities display their inheritance relationships
Parent Entity Breadcrumb: For child entities, a breadcrumb navigation shows the complete inheritance chain from the root parent down to the current entity. Users can click any parent in the chain to navigate to that entity.
Field Source Indicators: Individual fields show which parent entity they originated from. This helps users understand where each field is defined in the inheritance hierarchy.
IS-A Hierarchy Visualization Panel: A dedicated panel displays the complete type tree, showing:
- All parent entities in the chain
- All child entities (siblings in the hierarchy)
- Relationships between entities
- Navigation capabilities to any entity in the tree
IS-A Settings Panel: A collapsible panel allows users to manage the IS-A relationship:
- View current parent entity assignment
- Change the parent entity (in edit mode)
- Configure inheritance settings
- Understand relationship constraints
Navigation Features
- Click on parent entity badges to navigate up the hierarchy
- Click on child entity badges to explore derived types
- Use the breadcrumb navigation for quick access to any parent
- Access the full hierarchy tree for comprehensive visualization
Implementation Details
The IS-A visualization is built into the generated entity forms and automatically activates when an entity has IS-A relationships defined in the metadata. No additional configuration is required beyond setting up the IS-A relationships in the database schema.
For more information on IS-A relationships and implementation, see:
Virtual Entity UI
Virtual entities in MemberJunction are read-only entities backed by database views rather than physical tables. The entity forms provide specialized UI to clearly indicate virtual entity status and limitations.
Visual Indicators
Virtual entities are displayed with distinctive visual elements:
Purple Badge with Eye Icon: A prominent badge labeled "Virtual Entity (Read-Only)" appears at the top of the form, featuring an eye icon to indicate the view-based nature.
Underlying View Name: The form displays the name of the database view that powers the virtual entity, helping users understand the data source.
Disabled Actions: Virtual entities do not show Create, Edit, or Delete buttons, as these operations are not supported for read-only views.
Functional Characteristics
Virtual entities behave identically to regular entities for read operations:
- RunView Queries: Works exactly like regular entities for loading data
- Entity Loading: Can load individual records using standard entity loading mechanisms
- Metadata Access: Full metadata support for fields, relationships, and properties
- Grid Display: Can be displayed in grids and lists like regular entities
The key distinction is that mutation operations (Create, Update, Delete) are blocked at runtime, ensuring data integrity for view-based entities.
Use Cases
Virtual entities are commonly used for:
- Aggregated reporting data
- Complex joined views for efficient querying
- Denormalized read-optimized views
- Cross-entity summary information
- Calculated or derived data sets
Implementation Details
Virtual entities are defined by setting the IsVirtualEntity flag in the entity metadata. The form UI automatically detects this flag and applies the appropriate read-only restrictions and visual indicators.
For more information on virtual entities and implementation, see:
