Tento článok je dostupný len v anglickom jazyku.
Creating reusable components involves balancing flexibility with technical requirements, especially when users need to define their own content. While developing a UI library for Angular, I often encountered this challenge and explored different ways.
In this article, we will examine this topic from the perspective of UI library developers, focusing on the importance of providing a flexible customization API to our users.
Ng-content
Let’s dive straight into a practical example. Suppose we are developing a Field component that renders an input. Typically, an input element is rarely used on its own. In some cases, we need to include a label with automatic binding of the [for]
attribute, display feedback such as an error message if the field is invalid, or provide a hint text. Sometimes, we may also want to add an icon or an interactive element to one side of the input field.

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

Now, we need to decide on the approach that will allow to fill these areas with a content. Beginner developers occasionally use inputs to pass text content, such as a label or error/hint text. However, this is not the most flexible way to handle content, since it significantly limits us. Even a seemingly minor requirement, like adding an icon (as shown in the example, where the hint has the >
key icon), can take us by surprise.
The natural and flexible approach is content projection. It allows to define a piece of the template that will be inserted into the desired area. Angular, along with other modern frameworks, has adopted the concept of slots from Web Components and allows defining placeholders for each content area in our component using ng-content
with [select]
attribute (by analogy with named slots).
📋The pseudocode for a template using this approach might look as follows ([attribute]
selectors are used for brevity in this example):
<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:
<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>
However, the component user may not need to define content for all existing slots. This leads to the following challenges:
- If a slot is not defined, it should avoid creating an extra node or, at least, not affect the layout (e.g., containers of
[prefix]
/[suffix]
slots might add extra paddings to the input element) - Nodes related to an undefined slot should also not affect the operation of screen readers or other assistive technologies (if the container element of the potential slot’s content remains in the tree)
🚧 At this point, we encounter a limitation: there is no way to determine at runtime whether a specific ng-content
has been defined for the component.
CSS workaround
The presence of content within the corresponding container element can be determined using CSS. By utilizing the :empty
pseudo-class and display: none
, we can remove the container from the document flow if there is no content inside (moreover, it will also be excluded from the accessibility tree):
.suffix:empty {
display: none;
}
The :empty
pseudo-class works not only on element nodes but also on text, which is exactly what we need. This approach is used, for example, by Angular Material to hide the empty label of <mat-checkbox>
, which adds unnecessary padding.
The relatively new :has
(in terms of major browsers support) allows us to manipulate styles through the parent. If a developer adds content to the [suffix]
slot, we might need to adjust the input field’s padding to ensure proper alignment and display:
:host:has(.suffix:not(:empty)) .infix {
padding-inline-end: 2rem;
}
⚠️ It’s important not to overuse such selectors due to their high specificity. For example, the selector described above has a specificity of 0.4.0 (check it), making it quite challenging to override.
A workaround using CSS is a rather situational trick and doesn’t always allow for effective management of component slots. This includes potentially “heavy” selectors in complex scenarios, as well as CSS alone may not always be sufficient. Ideally, we should also control the presence of content at the TS level.
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:
readonly suffix = contentChild('suffix', { read: TemplateRef });
And then in the template:
@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:
<ng-container *ngTemplateOutlet="template; context: { ... }" />
As shown in the expected result of our Field, we have a specific requirement for the button displayed in the [suffix]
slot: if the control is invalid, we want the button to be colored red. Normally, this would be straightforward if we had direct access to the FormControl instance. However, if we are binding a deeply nested control from a FormArray or FormGroup by its name, it becomes quite tedious.
Using ng-template
enables us to leverage context and pass the corresponding control instance into the slot. Conceptually, our slot serves not just as a placeholder for content — it also has some payload that we can utilize.

Now the developer can define the #suffix
slot and access data from the context using let-*
:
<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.

As evident from the second version of the Calendar shown above, modifying a cell often requires more than just styles changes or creating pseudo-elements by CSS. In some cases, we need to insert icons / pins, while in others, tooltip on hover might be necessary. Such scenarios are common in client-driven business logic, making it crucial for the component to offer flexibility for customization.
In the case of the Calendar, the cell template can include context with computed metadata for the displayed day:

Basically, the slot already contains specific content (the day number itself), but the ng-template
allows overriding its display pattern based on custom developer logic. Pseudocode of usage:
<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>
This approach forms the foundation for creating reusable components in Angular and is used by almost all existing UI libraries in the ecosystem.
Let’s join forces
After examining the principles of the existing content projection approaches, a logical question arises: when should each be applied? In practice, both ways often go hand in hand when developing UI components, and the choice largely depends on the specific use case.
Let’s take a look at a few more real-world examples.
Comparator

- Comparator has 2 slots that will always be defined according to the component design
- The slot content is not subject to conditional rendering and can be initialized immediately, along with the component’s view
- Both slots also do not require any context
This is a clear case for using ng-content
. Pseudocode of usage:
<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: title, icon, 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
:
<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 usingng-template
could be a reasonable approach:
<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 needed.
ng-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:
<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:
<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:
<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
:
<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:
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
:
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:
@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:
@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!