Pošlite nám správu

Spojte sa s nami

Telefonné číslo

+421 948 490 415

Edit Template

Slots: Make your Angular API flexible

Tento článok je dostupný len v anglickom jazyku.

Ng-content

Based on the Field’s design, we can identify key content areas that should be exposed for developer customization:

TypeScript
				<label [attr.for]="id" class="label">
  <ng-content select="[label]" />
</label>

<div class="field">
  <div class="prefix">
    <ng-content select="[prefix]" />
  </div>
  <div class="infix">
    <!-- Delegate the definition of the native <input> or <textarea> to
         developers. It enables them to directly bind accessibility 
         attributes, apply form directives, and so on.
    -->
    <ng-content select="input, textarea" />
  </div>
  <div class="suffix">
    <ng-content select="[suffix]" />
  </div>
</div>

<div class="subscript">
  <div class="error">
    <ng-content select="[error]" />
  </div>
  <div class="hint">
    <ng-content select="[hint]" />
  </div>
</div>
			

👤 And now, from the component user’s perspective, its definition might look something like this:

TypeScript
				<app-field>
  <!-- projection of a text node -->
  <ng-container label>Label</ng-container>

  <input ... >

  <!-- projection of an element node -->
  <b hint>Hint</b>
</app-field>
			

CSS workaround

TypeScript
				.suffix:empty {
  display: none;
}
			

TypeScript
				:host:has(.suffix:not(:empty)) .infix {
  padding-inline-end: 2rem;
}
			

Ng-template

Template fragments offer another option for content projection, enabling runtime operations. This approach allows us to avoid inserting nodes related to undefined slots into the tree. For instance:

TypeScript
				readonly suffix = contentChild('suffix', { read: TemplateRef });
			

And then in the template:

TypeScript
				@if (suffix(); as template) {
  <div class="suffix">
    <ng-container *ngTemplateOutlet="template" />
  </div>
}
			

Additionally, it lets us pass context into the slot, which in some cases becomes an extremely powerful customization tool:

TypeScript
				<ng-container *ngTemplateOutlet="template; context: { ... }" />
			

Now the developer can define the #suffix slot and access data from the context using let-*:

TypeScript
				<app-field>
  ...
  <input formControlName="name">

  <ng-template #suffix let-control>
    <button [class.bg-red]="control.invalid"
            [attr.disabled]="control.disabled || null"
            ... >
      <app-icon icon="search" />
    </button>
  </ng-template>
</app-field>
			

Not just a slot, but a configurable pattern

Here, it’s worth discussing the mental model of ng-template, which differs subtly from ng-content. Thanks to the context, templates can serve not only to insert something into a slot but also to modify how the component renders existing content. For instance, when using a Calendar component, we can use it to customize the rendering of individual day cells.

TypeScript
				<app-calendar>
  ...
  <ng-template #cell let-day>
    <div [appTooltip]="day.disabled ? 'Not available' : null">
      @if (day.isLastDay) {
        🌚
      }
      <span [class.line-through]="day.isAdjacent">{{ day }}</span>
      @if (day.isFirstDay) {
        🌝
      }
    </div>
  </ng-template>
</app-calendar>
			

Let’s join forces

Comparator

TypeScript
				<app-comparator>
  <img left src="1.jpg" alt="1" >
  <img right src="2.jpg" alt="2" >
</app-comparator>
			

Accordion

Accordion is an excellent example of the variability of approaches. A collapsible item has 3 slots: titleicon, and the content itself.

  • title is often just plain text, but it’s important to avoid restricting the flexibility of our component’s users. Instead of using an input, it’s better to offer a slot by ng-content:
TypeScript
				<app-accordion-item>
  Title <!-- It is assumed to be an unnamed slot -->
</app-accordion-item>
			
  • icon slot has default content — a chevron. Although Angular 18 introduced the ability to define fallback content for ng-content, this slot could utilize context, such as whether the current item is open or closed. In this case, customization using ng-template could be a reasonable approach:
TypeScript
				<app-accordion-item>
  Title
  <ng-template #icon let-open>
    {{ open ? '🙉' : '🙈' }}
  </ng-template>
</app-accordion-item>
			
  • content is one of those cases where both approaches are neededng-content allows us to immediately initialize content, even if it’s hidden inside parent (by @if / @switch). It applies to projected child components whose lifecycle is initiated as soon as they are projected into the slot. On the other hand, ng-template initializes content lazily — only when the template is actually inserted into the tree. We should allow users to choose between both options:
TypeScript
				<app-accordion-item>
  Title
  <ng-template #icon let-open>
    {{ open ? '🙉' : '🙈' }}
  </ng-template>

  <ng-container content>
    ... Eager content
  </ng-container>

  <ng-template #content>
    ... Lazy content
  </ng-template>
</app-accordion-item>
			

Unified usage

When working with content projection in UI library, my team faced some inconveniences from the lack of a unified method for defining named slots.

Referring back to the Field component, we could create specific directives like [appLabel][appSuffix], and so on. This would allow us, in the case of ng-content, to have a safer selector (since when selecting by an attribute with a single word, we might run into collisions with native HTML5 attributes). Additionally, if we’re dealing with ng-template, the directive could be attached to the <ng-template />, and we could query it using contentChild by the directive’s locator. Pseudocode of usage:

TypeScript
				<app-field>
  ...
  <span appLabel>Label</span>
  <ng-template appSuffix let-ctx>...</ng-template>
</app-field>
			

Initially, we used a similar approach, but later considered adopting a single universal selector across all our components with slots:

⚠️ It’s important to note that in the examples, I will use the selector slot-* without any prefixes. However, when designing a system, it’s worth considering a prefix to avoid conflicts with the native slot attribute. For instance, Vue uses the v-slot naming (perhaps we might one day see ng-slot out of the box in Angular? 😏).

Primarily, this allows for clear identification of the projected content when using a component:

TypeScript
				<app-field>
  ...
  <span slot="label">Label</span>
  <ng-template slot="suffix" let-ctx>...</ng-template>
</app-field>
			

Additionally, when documenting components, it becomes easier to describe projected content — simply specifying the names of the slots and their context, if applicable.

Implementation

The implementation is straightforward when using ng-content:

TypeScript
				<ng-content select="[slot='name']" />
			

When using templates, we can create a lightweight directive that provides SLOT token (to abstract from the specific implementation) and accepts the slot name as an input:

TypeScript
				export const SLOT = new InjectionToken<Slot>('SLOT');

@Directive({
  selector: 'ng-template[slot]',
  providers: [{ provide: SLOT, useExisting: Slot }],
})
export class Slot {
  readonly template = inject(TemplateRef);
  readonly name = input.required<string>({ alias: 'slot' });
}
			

Now, in a UI component with projected content, we can query the list of slots by token locator via contentChildren:

TypeScript
				readonly slots = contentChildren(SLOT);
			

⚠️ contentChildren function must only be called in the initializer of a class member, which prevents us from directly utilizing it in a wrapper to transform the result into a record in .ts. I found it convenient to create a helper pipe for the transformation directly in the template, avoiding the need for a separate class property:

TypeScript
				@Pipe({ name: 'asRecord' })
export class SlotsAsRecordPipe implements PipeTransform {
  transform(slots: readonly Slot[]): Record<string, TemplateRef<unknown> | undefined> {
    return Object.fromEntries(slots.map(slot => [slot.name(), slot.template]));
  }
}
			

✨ Now, we have a record of all user-defined template slots:

TypeScript
				@let templates = slots() | asRecord;

@if (templates.label; as label) {
  <label [attr.for]="id" class="label">
    <ng-container *ngTemplateOutlet="label; context: { ... }" />
  </label>
}

@if (templates.suffix; as suffix) {
  <div class="suffix">
    <ng-container *ngTemplateOutlet="suffix; context: { ... }" />
  </div>
}

...
			

Conclusion

👀 Essentially, we’re arriving at something similar to Conditional Slots in Vue, where the $slots enables proper configuration of rendering based on the presence of a specific slot.

🫡 See you in the next article, where we’ll explore more ways to refine library APIs!

Tento članok si môžete prečitať na našom Medium

O nás

Vitajte na našom blogu! Prinášame inovatívne a efektívne riešenia a delíme sa o naše skúsenosti, aby ste mohli rásť spolu s nami. 

Odporúčané články

Najnovšie články

Zistite viac o našej spoločnosti

Navrhujeme softvérové riešenia, ktoré posunú váš biznis vpred!

CORETEQ Technology s.r.o.

CREATED BY DMITRY B. AND MAKHABBAT B.