Dagger is a component authoring library for Laravel's Blade templating engine. Dagger components are heavily inspired by Laravel's anonymous components. Dagger's differentiating features are its compiler and expanded capabilities.
The Dagger compiler works hard to inline your component's code, perform various optimizations, as well as enable powerful new features, such as the Attribute Cache, Attribute Forwarding, and Slot Forwarding. The end result is a powerful, performant component authoring library with a familiar syntax.
The main visual difference when working with Dagger components is the use of the <c- prefix instead of <x-, this is to help differentiate them from Blade components and make interoperability easier:
<!-- /resources/dagger/views/alert.blade.php -->
@props(['type' => 'info', 'message'])
<div {{ $attributes->merge(['class' => 'alert alert-'.$type]) }}>
    {{ $message }}
</div><!-- /resources/views/layout.blade.php -->
<c-alert type="error" :message="$message" class="mb-4"/>- Frequently Asked Questions
- Installation
- Dagger Component View Paths
- Component Syntax and the Component Builder
- Data Properties/Attributes
- Notes on Conditional aware and props Directives
- Accessing Parent Data
- Property Validation
- Compiler Attributes
- Conditionally Rendering Components
- Rendering Components for Each Item in a List
- Caching Components
- Component Name
- Component Depth
- Attribute Forwarding
- Slot Forwarding
- Output Trimming
- Stencils
- Mixins
- Attribute Cache
- Static Template Optimizations
- Dynamic Components
- Custom Component Paths and Namespaces
- Compile Time Rendering
- Component Compiler Callbacks
- The View Manifest
- License
- How does the Dagger compiler differ from Laravel's component compiler?
- Is an additional build step required?
- Are class-based components supported?
- Will this magically make my existing Blade components faster?
- Can I use regular Blade components with Dagger components?
- Why are there JSON files in my compiled view folder?
- Are circular component hierarchies supported?
- Why build all of this?
The Dagger compiler is a multi-stage compiler that recursively parses and compiles a component's template ahead of time. Components compiled with the Dagger compiler will become part of the view's compiled output. Because of this, Laravel's related view events will not be fired when Dagger components are loaded.
An additional build step is not required. Dagger components will be compiled the first time you load your views. Dynamic Components will be compiled automatically the first time they are encountered.
Dagger only supports anonymous components, and there are no plans to support class-based components at this time. However, you may use Mixins to gain back some of the benefits of class-based components when authoring Dagger components.
No. The Dagger compiler only interacts with components using one of the registered component prefixes (<c-, by default). While great care has been taken to support Laravel's features, such as @props, @aware, slots, etc., certain features, such as the attribute cache, may subtly change the behavior of components if they were not designed with these features in mind.
Converting existing anonymous components to Dagger components is a relatively painless process, however.
Yes. You may use both Blade and Dagger components within the same project.
Dagger components are also interopable with Blade components, and will add themselves to Laravel's component stack, making it seamless to use both. Because of this, you can use features such as @props and @aware between Dagger and Blade components like normal.
This is due to the View Manifest. The Dagger compiler and runtime will store which component files were used to create the final output in a JSON file, which is later used for cache-invalidation. The Dagger compiler inlines component templates, which prevents typical file-based cache invalidation from working; the View Manifest solves that problem.
Because I wanted to.
But more specifically, I am working on a number of projects that involve a lot of components and wanted to reduce the amount of overhead. Additionally, I also wanted to explore what could be done with a more advanced/involved compilation step to support features like Attribute Forwarding, Slot Forwarding, and the Attribute Cache.
Dagger requires at least Laravel version 11.9 and PHP 8.2.
To install Dagger, you may run the following:
composer require stillat/daggerAfterwards you can run the following Artisan command to scaffold the required paths if you'd like to build Dagger components within your application:
php artisan dagger:installAfter running the dagger:install command, you will find new directories within your application's resources directory:
resources/
  dagger/
    views/
The views for Dagger components will live in resources/dagger/views/ instead of resources/views/components. This is to help differentiate them from Blade's anonymous components. The rules for Dagger component paths are the same as those for Blade's anonymous components.
If you had defined a component at resources/dagger/views/alert.blade.php, you may render it like so:
<c-alert />Like with Blade's anonymous components, you may use the . character to indicate if a component is contained within a sub-directory. For a component defined at resources/dagger/views/inputs/button.blade.php, you may render it like so:
<c-inputs.button />Dagger components follow the same rules as Laravel's Anonymous Index Components, allowing you to group components into their own self-contained directories.
Assuming the following component directory structure:
/resources/dagger/views/accordion.blade.php
/resources/dagger/views/accordion/item.blade.php
You could render the accordion component and the nested item like so:
<c-accordion>
    <c-accordion.item>
        ...
    </c-accordion.item>
</c-accordion>If you'd prefer to not have the "root" view be located within the /resources/dagger/views/ directory, you may create a file with the same name as the component within the component's directory:
/resources/dagger/views/accordion/accordion.blade.php
/resources/dagger/views/accordion/item.blade.php
Alternatively, you may also create a view named index within the component's directory:
/resources/dagger/views/accordion/index.blade.php
/resources/dagger/views/accordion/item.blade.php
While it is strongly discouraged to move Dagger components into Laravel's resources/views/components directory, it is technically possible, and you are free to do what you want in your own project. If you'd like to move the Dagger component path, you may add the following to your applications service provider:
<?php
namespace App\Providers;
use Illuminate\Support\ServiceProvider;
use Stillat\Dagger\Facades\Compiler;
class AppServiceProvider extends ServiceProvider
{
    public function boot(): void
    {
        Compiler::registerComponentPath(
            'c',
            resource_path('views/components')
        );
    }
}While you can do this, it will be difficult to tell Dagger and Blade components apart when they are commingled.
The syntax for Dagger components is very similar to Blade components. Instead of <x-, you would use <c-:
<c-alert />The Dagger compiler supports Blade's @props and @aware directives, but also provides a new functional approach to defining components. When using the functional approach, the first thing within your component definition must be a PHP block, where the component is defined.
The following component definitions would produce identical output.
Using the component builder:
@php
use function Stillat\Dagger\component;
component()->props(['type' => 'info', 'message']);
@endphp
<div {{ $attributes->merge(['class' => 'alert alert-'.$type]) }}>
    {{ $message }}
</div>Using Blade directives:
@props(['type' => 'info', 'message'])
 
<div {{ $attributes->merge(['class' => 'alert alert-'.$type]) }}>
    {{ $message }}
</div>Dagger slots behave the same as Blade's component slots. Default slot content is specified between component tag pairs. Assuming the following component definition:
<!-- /resources/dagger/views/item.blade.php -->
<div {{ $attributes }}>
    {{ $slot }}
</div>Slot content may be specified like so:
<c-button class="bg-red-500 text-white">
    The Slot Content
</c-button>Dagger components also support named or scoped slots. Accessing scoped slots is done through the $slots variable, which is different from Blade components. This is done to help prevent collisions with variables that may have the same name as desireable slot names.
Assuming the following component definition:
<!-- /resources/dagger/views/panel.blade.php -->
<div {{ $slots->header->attributes }}>
    {{ $slots->header }}
</div>
{{ $slot }}
<div {{ $slots->footer->attributes }}>
    {{ $slots->footer }}
</div>You may specify content for each slot like so:
<c-docs.namedslot>
    <c-slot:header class="header classes here">
        Header Content
    </c-slot:header>
    
    <c-slot:footer class="header classes here">
        Footer Content
    </c-slot:footer>
    
    Default Slot Content
</c-docs.namedslot>You may use the hasSlot method to determine if the component has a named slot:
@if ($component->hasSlot('header'))
    // The developer provided a named "header" slot.
@endifIf you'd like to check if default slot content was provided you may use the hasDefaultSlot() methoid:
@if ($component->hasDefaultSlot())
    // The developer provided a named "header" slot.
@endifWhen using the functional syntax, it is important to note that PHP code that appears before the component() call may be removed from the compiled output. You can use this space to perform logic at compile time or set variables.
@php
use function Stillat\Dagger\component;
// Danger zone.
$myCustomVariable = 'the value';
component()->props(['type' => 'info', 'message']);
// Safe zone.
@endphp
<div {{ $attributes->merge(['class' => 'alert alert-'.$type]) }}>
    {{ $message ?? $myCustomVariable }}
</div>To be safe, any custom PHP code you'd like to execute should appear after the component() call:
@php
use function Stillat\Dagger\component;
component()->props(['type' => 'info', 'message']);
$myCustomVariable = 'the value';
@endphp
<div {{ $attributes->merge(['class' => 'alert alert-'.$type]) }}>
    {{ $message ?? $myCustomVariable }}
</div>This does not apply to use statements and variable assignments. Any custom PHP code that appears before the component() call will be executed at compile time, however.
When using the component() builder function, you should only call the component() function once. Do not make repeated calls to it:
@php
use function Stillat\Dagger\component;
component()->props(['type' => 'info', 'message']);
component()->aware(['message']); ❌
@endphp
...Instead, always chain the builder methods:
@php
use function Stillat\Dagger\component;
component()->props(['type' => 'info', 'message'])
    ->aware(['message']); âś…
@endphp
...If you'd like to rename the automatic $component variable within your component's definition, you may simply assign the results of the component() function to a variable:
@php
use function Stillat\Dagger\component;
$theAlert = component()->props(['type' => 'info', 'message']);
@endphp
<div {{ $attributes->merge(['class' => 'alert alert-'.$theAlert->type]) }}>
    {{ $theAlert->message }}
</div>Note
The component instance will still be accessible via the $component variable inside slots, even if it has been renamed within the component itself. This is intentional to provide a consistent experience for component consumers.
To ease development, and provide a familiar starting place, the Dagger compiler supports Blade's @props directive to help differentiate between which data is a property of the component, and what data should be placed inside the component's attribute bag.
<!-- /resources/dagger/views/alert.blade.php -->
@props(['type' => 'info', 'message'])
<div {{ $attributes->merge(['class' => 'alert alert-'.$type]) }}>
    {{ $message }}
</div>Given the component above, we may render it like so:
<c-alert type="error" :message="$message" class="mb-4"/>We can also use the props component builder method to achieve the same results:
@php
use function Stillat\Dagger\component;
component()->props(['type' => 'info', 'message']);
@endphp
<div {{ $attributes->merge(['class' => 'alert alert-'.$type]) }}>
    {{ $message }}
</div>Both the @aware and @props directives are supported by the Dagger compiler. However, because the compiler needs to know about their values ahead of time, conditional use of these directives is not supported in Dagger components.
You must not have Dagger component templates like the following:
@if ($someCondition)
    @props(['title'])
@else
    @props(['title', 'somethingElse'])
    @aware(['title'])
@endif
You have multiple options for accessing parent data from within a child component.
- Using the aware directive
- Using the aware Builder Method
- Accessing Arbitrary Parent Data
The most familiar option will be to use Blade's @aware directive.
Assuming we had a menu component with a parent <c-menu> and a child <c-menu.item> component:
<c-menu color="purple">
    <c-menu.item>...</c-menu.item>
    <c-menu.item>...</c-menu.item>
</c-menu>The <c-menu> component may have an implementation like the following:
<!-- /resources/dagger/views/menu/index.blade.php -->
 
@props([
    'color' => 'gray'
])
 
<ul {{ $attributes->merge(['class' => 'bg-'.$color.'-200']) }}>
    {{ $slot }}
</ul>Because the color prop was passed into the parent (<c-menu>), it won't be immediately available inside <c-menu.item>. We can use the @aware directive to make that variable available inside <c-menu.item> as well:
<!-- /resources/dagger/views/menu/item.blade.php -->
@aware([
    'color' => 'gray'
])
<li {{ $attributes->merge(['class' => 'text-'.$color.'-800']) }}>
    {{ $slot }}
</li>Alternatively, we may also use the aware builder method to specify variables that should be passed to our child component:
<!-- /resources/dagger/views/menu/item.blade.php -->
@php
    Stillat\Dagger\component()->aware(['color' => 'gray']);
@endphp
<li {{ $attributes->merge(['class' => 'text-'.$color.'-800']) }}>
    {{ $slot }}
</li>We can also access the parent component instance directly using the parent() method:
<!-- /resources/dagger/views/menu/item.blade.php -->
<li {{ $attributes->merge(['class' => 'text-'.$component->parent()->color.'-800']) }}>
    {{ $slot }}
</li>If you are in a deeply nested component, you may access parent instances on parent instances:
{{ $component->parent()->parent()->someValue }}You may also supply the name of the parent component you'd like to retrieve data from. Doing so will return access to the nearest parent instance with that name:
{{ $component->parent('nav')->someValue }}Aware variables will automatically be added to the component's props list, preventing them from appearing in the attribute bag.
<!-- /resources/dagger/views/menu/index.blade.php -->
@props(['color'])
<ul>
  {{ $slot}}
</ul><!-- /resources/dagger/views/menu/item.blade.php -->
@aware(['color']) // "color" will be automatically added to the component's props.
<li {{ $attributes }}>{{ $slot }}</li>You may use Laravel's validation features to validate the props of your Dagger components. To do this, you may use the validateProps builder method to specify the prop and validation rules you'd like to enforce. As an example, the following would ensure that a title property was supplied to the button component:
<!-- /resources/dagger/views/button.blade.php -->
@php
use function Stillat\Dagger\component;
component()
    ->props(['title'])
    ->validateProps([
        'title' => 'required',
    ]);
@endphp
{{ $title }}The following would not trigger a validation error:
<c-button title="The Title" />while the following would:
<c-button />The following data sources are also considered when validating components:
- Data made available via. the awarebuilder method or directive
- Data provided by mixins
If you are using only string-based validation rules, you can skip the additional method call and specify them on the props directly. To do this, separate the prop name from the rules using the | character:
<!-- /resources/dagger/views/button.blade.php -->
@php
use function Stillat\Dagger\component;
component()
    ->props(['title|required']);
@endphp
{{ $title }}You can still specify default prop values when adding shorthand validation rules:
@php
use function Stillat\Dagger\component;
component()
    ->props([
        'size|numeric|min:1|max:5' => 3,
    ]);
@endphp
The Size: {{ $size }}The Dagger compiler introduces the concept of "compiler attributes", which have special meaning to the compiler. The most common of these is the #id attribute, which may be used to name a nested component:
<!-- /resources/dagger/views/component.blade.php -->
<c-nested.component #id="theNestedComponentName" />Compiler attribute values must be static and cannot contain PHP expressions or reference variables.
If you need to output an attribute beginning with #, you may escape compiler attributes by prefixing it with another # character:
<!-- /resources/dagger/views/component.blade.php -->
<c-nested.component ##id="the-escaped-id-attribute" />In general, you should avoid using props or attributes beginning with # as they are likely to be further developed upon and made available as an extension point, or may conflict with forwarded attributes.
You may conditionally render a component by adding the #when compiler attribute.
For example, instead of the following:
@if ($account->is_past_due)
    <c-banner ... />
@endifWe can instead write:
<c-banner #when="$account->is_past_due" ... />Dagger provides a #for compiler attribute that may be used to render a component for each item in a list.
Imagine we have the following array of people:
$people = [
    [
        'name' => 'Alice',
        'age'  => 32,
    ],
    [
        'name' => 'Bob',
        'age'  => 35,
    ],
    [
        'name' => 'Charlie',
        'age'  => 29,
    ],
];and this component:
@props(['name', 'age'])
Hello, {{ $name }}! You are {{ $age }}.If we wanted to render our component for each person in our $people array, we would typically write a template like so:
@foreach ($people as $person)
    <c-profile
        :name="$person['name']"
        :age="$person['age']"
    />
@endforeachWe can simplify this using the #for compiler attribute. This attribute accepts the name of the variable to iterate as the first modifier, and the name of the variable to assign each element to as the second modifier:
<c-profile
    #for.people.person
    :name="$person['name']"
    :age="$person['age']"
/>We can simplify our example even further by allowing the compiler to automatically add any array elements that overlap with our component's props. To do this, we simply omit the variable name:
<c-profile #for.people />Since our array of people contains name and age elements and our component defines those same props, they will be automatically inserted for us. It is important to note that any extra elements in the array will be ignored, and not appear in the attribute bag.
If our component accepted a person element instead of a name and age separately:
@props(['person'])
Hello, {{ $person['name'] }}! You are {{ $person['age'] }}.Instead of writing the following:
<c-profile
    #for.people.person
    :$person
/>We could instead write the following to have the compiler automatically add the loop variable as a prop or attribute (note the leading $):
<c-profile #for.people.$person />You may cache the output of any Dagger component using the #cache compiler attribute. This attribute utilizes Laravel's Cache feature, and provides ways to customize cache keys, expirations, and the cache store.
For example, imagine we had a report component that we'd like to cache:
<!-- /resources/dagger/views/report.blade.php -->
@php
    // Some expensive report logic.
@endphpInstead of manually capturing output, or adding caching in other locations, we can simply cache the output of our component call like so:
<c-report #cache="the-cache-key" />Now, the output of the component will be cached forever using the the-cache-key string as the cache key.
We may also specify a different time-to-live by specifying the number of seconds the cached output is valid:
<c-report #cache.300="the-cache-key" />You may also use a shorthand notation to calculate the time-to-live in seconds. For example, if we'd like to have the cache expire ten minutes from the time the component was first rendered we could use the value 10m:
<c-report
    #cache.10m="the-cache-key"
/>Alternatively, we could also have the cache expire in 1 hour, 15 minutes, and 32 seconds:
<c-report
    #cache=1h15m32s="the-cache-key"
/>The total number of seconds is calculated dynamically by adding the desired "date parts" to the current time and then calculating the number of seconds to use.
The following table lists the possible suffixes that may be used:
| Suffix | Description | Example | 
|---|---|---|
| y | Year | 1y | 
| mo | Month | 1mo | 
| w | Week | 1w | 
| d | Day | 2d | 
| h | Hour | 1h | 
| m | Minute | 30m | 
| s | Seconds | 15s | 
You may create dynamic cache keys by prefixing the #cache attribute with the : character:
<c-profile
    :$user
    :#cache.forever="'user-profile'.$user->id"
/>You may use a specific cache store by providing the desired cache store's name as the final modifier to the #cache attribute.
The following examples would cache the output for 30 seconds on different cache stores:
<c-first_component #cache.300.array="first-key" />
<c-second_component #cache.300.file="second-key" />You may leverage Laravel's stale-while-revalidate pattern implementation using the flexible cache modifier. This modifier accepts two values: the number of seconds the cache is considered fresh, and the second value determines how long the cached contents can be served as stale before recalculation is necessary.
<c-report
    #cache.flexible:5:10="the-cache-key"
/>You may access the name of the current component through the name property on the component instance:
<!-- /resources/dagger/views/button.blade.php -->
{{-- Displays "button" --}}
{{ $component->name }}You may get the current depth of the current component using the depth property on the component instance:
{{ $component->depth }}Each time a component is nested, the depth is increased by one. Depth is also incremented when the parent component is a Blade component.
Attribute forwarding is a powerful feature that allows you to set and override props and attributes on nested components. For this to work, nested components must have an identifier, which is set using the #id compiler attribute.
Imagine we have the following simple toolbar component:
<!-- /resources/dagger/views/toolbar.blade.php -->
<div>
    <c-docs.button #id="saveButton" text="The Save Button" />
    <c-docs.button #id="cancelButton" text="The Cancel Button" />
</div>and the following button component:
<!-- /resources/dagger/views/button.blade.php -->
@php
    \Stillat\Dagger\component()
        ->props(['text'])
        ->trimOutput();
@endphp
<button {{ $attributes }}>{{ $text }}</button>
If we were to render the following template:
<c-toolbar />we would receive output similar to the following:
<div>
    <button>The Save Button</button>
    <button>The Cancel Button</button>
</div>If we wanted to allow consumers of the toolbar component to modify both the cancel and save buttons, we historically would have to create dedicated props on the parent and pass the values to each child component or define extra slots and pass in our nested components. However, because each of the nested button components has an #id, we can use attribute forwarding to set props and attributes on the nested components.
If we adjusted our template to the following:
<c-toolbar
    #saveButton:text="A New Save Button"
    #saveButton:class="mr-0"
    #cancelButton:text="A New Cancel Button"
    #cancelButton:style="display:none"
/>we would now get output similar to the following:
<div>
    <button class="mr-0">A New Save Button</button>
    <button style="display:none">A New Cancel Button</button>
</div>When using attribute forwarding we specify the #id of the nested component followed by the : character, and then the name of the prop or attribute to update.
Attributes and props can be forwarded to nested components. To do so, we separate each nested component name with the . character. Imagine we had the following components:
<!-- /resources/dagger/views/nested_one.blade.php -->
<c-nested_two #id="nestedTwo" /><!-- /resources/dagger/views/nested_two.blade.php -->
<c-nested_three #id="nestedThree" /><!-- /resources/dagger/views/nested_three.blade.php -->
@props(['title'])
{{ $title }}We can set the title prop on the nested <c-nested_three> component from the template using attribute forwarding like so:
<c-nested_one
    #nestedTwo.nestedThree:title="The Nested Title"
/>You may pass in variable references when using attribute forwarding by prefixing the forwarded attribute with the : character:
<c-nested_one
    :#nestedTwo.nestedThree:title="$title"
/>We may specify slot contents on nested components. To do so, the nested components must have an identifier specified using the #id compiler attribute. Imagine we have the following components:
<!-- /resources/dagger/views/root.blade.php -->
<c-nested_one #id="componentOne" /><!-- /resources/dagger/views/nested_one.blade.php -->
<div {{ $slots->header->attributes }}>
    {{ $slots->header }}
</div>
{{ $slot }}
<div {{ $slots->footer->attributes }}>
    {{ $slots->footer }}
</div>We could specify the slot contents on the nested componentOne within our template using slot forwarding:
<c-root>
    <c-slot:componentOne.header class="header classes here">
        Nested Header Content
    </c-slot:componentOne.header>
    
    <c-slot:componentOne.footer class="footer classes here">
        Nested Footer Content
    </c-slot:componentOne.footer>
    <c-slot:componentOne.default>
        Nested Default Content
    </c-slot:componentOne.default>
</c-root>We do not use the # symbol when referencing nested slots, and instead separate the nested path using the . character. You will also notice that we were able to specify the default slot content using the .default name.
We may also set the contents of deeply nested components. To do so, we continue to add the names of nested components, separated by the . character. Consider the following components:
<!-- /resources/dagger/views/root.blade.php -->
<c-nested_one #id="componentOne" /><!-- /resources/dagger/views/nested_one.blade.php -->
<c-nested_two #id="componentTwo" /><!-- /resources/dagger/views/nested_two.blade.php -->
<div {{ $slots->header->attributes }}>
    {{ $slots->header }}
</div>
{{ $slot }}
<div {{ $slots->footer->attributes }}>
    {{ $slots->footer }}
</div>we could set the nested slot contents like so:
<c-root>
    <c-slot:componentOne.componentTwo.header class="header classes here">
        Nested Header Content
    </c-slot:componentOne.componentTwo.header>
    
    <c-slot:componentOne.componentTwo.footer class="footer classes here">
        Nested Footer Content
    </c-slot:componentOne.componentTwo.footer>
    <c-slot:componentOne.componentTwo.default>
        Nested Default Content
    </c-slot:componentOne.componentTwo.default>
</c-root>There are times you may wish to trim the output of a component before it is rendered on the client. Instead of manually capturing output, or carefully ensuring that each component file does not contain a final newline, you can instead use the trimOutput builder method:
@php
    \Stillat\Dagger\component()
        ->props(['name'])
        ->trimOutput();
@endphp
{{ $name }}
The Dagger compile will now trim the output of the component before adding it to the rest of the response.
Note
Any leading content, such as HTML comments, before the first @php ... @endphp block will be considered content when trimming component output.
Stencils allow consumers of components to override named sections of a component without having to publish the component's views. They are similar to slots, but work in a very different way. Slots are a runtime feature, where content is evaluated within the consumer's variable scope and the results are injected in the component as a variable. Stencils, on the other hand, are a compile time substitution and become part of the component's compiled output.
Stencils, by themselves, simply create a "named" section of a component's template that the compiler can replace. These regions are created using the special <c-stencil> component. Imagine we had the following list component:
<!-- /resources/dagger/views/list/index.blade.php -->
@props(['items'])
<ul>
    @foreach ($items as $item)
        <c-stencil:list_item>
            <li>{{ $item }}</li>
        </c-stencil:list_item>
    @endforeach
</ul>If we were to render the component like so:
<c-list
    :items="['Alice', 'Bob', 'Charlie']"
/>Our output would resemble the following:
<ul>
    <li>Alice</li>
    <li>Bob</li>
    <li>Charlie</li>
</ul>However, because the component defined a list_item stencil, we can replace that section of the component's template entirely:
<c-docs.list :items="['Alice', 'Bob', 'Charlie']">
    <c-stencil:list_item>
        <li class="mt-2">{{ Str::upper($item) }}</li>
    </c-stencil:list_item>
</c-docs.list>Rendering the new template would produce output similar to the following:
<ul>
    <li class="mt-2">ALICE</li>
    <li class="mt-2">BOB</li>
    <li class="mt-2">CHARLIE</li>
</ul>There may be times where you'd like to change a stencil's template, but conditionally render the original. Building on the list example above, we can accomplish this by using a special default modifier provided by the stencil component:
<c-docs.list :items="['Alice', 'Bob', 'Charlie']">
    <c-stencil:list_item>
        @if ($item === 'Alice')
            <li data-something="special-for-alice">{{ $item }}</li>
        @else
            <c-stencil:list_item.default />
        @endif
    </c-stencil:list_item>
</c-docs.list>Rendering this template would now produce the following output:
<ul>
    <li data-something="special-for-alice">Alice</li>
    <li>Bob</li>
    <li>Charlie</li>
</ul>A few things to remember when using stencils:
- Stencils do not have access to the consumer's scope
- Stencil templates become part of the component's compiled output and have access to the component's internal scope
- Default stencil templates can be injected using the <c-stencil:stencil_name.default />component, wherestencil_nameis the name of the stencil
- Stencils, by themselves, have no additional overhead once compiled
Mixins provide a way to inject data and common behaviors into components. Mixins are specified by calling the mixin component builder method and supplying either a single class name, or multiple mixin class names.
Mixin classes may define a data method, which should return an array of key/value pairs. Imagine we had the following mixin class providing common theme data:
<?php
namespace App\Mixins;
class ThemeData
{
    public function data(): array
    {
        return [
            'background' => 'bg-indigo-500',
        ];
    }
}We could include this mixin in our component like so:
<!-- /resources/dagger/views/mixin.blade.php -->
@php
    \Stillat\Dagger\component()->mixin([
        \App\Mixins\ThemeData::class,
    ])->props(['background']);
@endphp
<div {{ $attributes->merge(['class' => $background]) }}>
    ...
</div>
Data returned by mixins will be injected as variables, like regular props. Prop values will override any values provided by a mixin:
<c-mixin background="bg-blue-500" />A mixin's data method will be invoked last when registering the mixin with the component.
Public methods defined within a mixin will be injected as variables within the component's view:
<?php
namespace App\Mixins;
class ProfileMixin
{
    public function sayHello(string $name): string
    {
        return "Hello, {$name}.";
    }
}<!-- /resources/dagger/views/profile.blade.php -->
@php
    \Stillat\Dagger\component()->mixin([
        \App\Mixins\ProfileMixin::class,
    ])->props(['name']);
@endphp
<div>
    {{ $sayHello($name) }}
</div>
If you prefer not to use variables as methods, you may also access mixin methods on the $component instance. This is also helpful if you have props that share the same name as methods:
<!-- /resources/dagger/views/profile.blade.php -->
@php
    \Stillat\Dagger\component()->mixin([
        \App\Mixins\ProfileMixin::class,
    ])->props(['name']);
@endphp
<div>
    {{ $component->sayHello($name) }}
</div>
You can gain access to the $component instance within a mixin class by defining a withComponent method that accepts the component as its only argument. The withComponent method will be invoked first if it exists:
<?php
namespace App\Mixins;
use Illuminate\Support\Str;
use Stillat\Dagger\Runtime\Component;
class ComponentMixin
{
    protected ?Component $component = null;
    public function withComponent(Component $component): void
    {
        $this->component = $component;
    }
    public function data(): array
    {
        return [
            'name_upper' => Str::upper($this->component->name),
        ];
    }
}<!-- /resources/dagger/views/component.blade.php -->
@php
    \Stillat\Dagger\component()->mixin([
        \App\Mixins\ComponentMixin::class,
    ]);
@endphp
<div>
    {{ $name_upper }}
</div>
- Mixin instances are resolved from the service container each time a component is used
- The withComponentmethod is always called first, if present
- The datamethod is always called last, if present
- Data provided to mixins via. datamethods will not become part of the$attributes, even if they are not listed in the props
- Public methods defined within a mixin will be made available as variables within the component
- The withComponentanddatamethods will not be made available
 
- The 
The Dagger compiler and runtime provide an opt-in feature called the attribute cache. This cache mechanism is able to cache the results of components, while still allowing for dynamic slot substition. The attribute cache may be used to prevent re-rendering components when the same attributes are supplied to it, helping to improve performance for heavy, large, or complicated components.
To use the attribute cache simply call the cache component builder method:
<!-- /resources/dagger/views/cached.blade.php -->
@php
    \Stillat\Dagger\component()
        ->props(['title'])
        ->cache();
@endphp
{{ $title }}Assuming the following template, the <c-cached /> component internals would only be evaulated once because the attributes and props remain the same across both renderings:
<c-cached title="The Title" />
<c-cached title="The Title" />However, the <c-cached /> component would be evaluated twice in the following template:
<c-cached title="The Title" />
<c-cached title="The Title" />
<c-cached title="The Second Title" />
<c-cached title="The Second Title" />Any attributes supplied on named/scoped slots will also be added to the internal cache key. All instances of a component will share the same internal attribute cache.
Components with slots are still able to take advantage of the attribute cache. Internally, the Dagger compiler will perform string substition on the cached component output. Because of this behavior, you should avoid performing operations on the results of slots when enabling the attribute cache:
@php
    \Stillat\Dagger\component()
        ->props(['title'])
        ->cache();
@endphp
{{ Str::upper($slot) }} // ❌ Don't change the output of slots when using the attribute cache.The attribute cache is a powerful feature that can help to improve performance for heavily re-used components, but there are some things to keep in mind before deciding to use it. Any custom PHP code or dynamic behavior within your component will only be evaluated for each unique rendering of the component.
Consider the following component:
<!-- /resources/dagger/views/time.blade.php -->
@php
    \Stillat\Dagger\component()
        ->cache();
@endphp
{{ time() }}The results of the time() function call would be the same for all of the following renders, since it was cached:
<c-time />
<c-time />
<c-time />If you're component's internal execution needs to remain dynamic you should not use the attribute cache. Because the Dagger compiler inlines components, performance should remain relatively stable in these scenarios, even for heavily-used components.
If a component's template does not contain any PHP code after compilation, the Dagger compiler will not output any component infrastructure for that component. Instead, it will simply inline the static component's content in the view's compiled output. Dagger maintains a "view manifest" which tracks components like this, allowing things like hot reloading and cache busting to continue functioning.
Imagine we had a footer component that contained static HTML contents:
<!-- /resources/dagger/views/footer.blade.php -->
<footer>
    ...
</footer>Rendering the <c-footer /> component would not output any additional PHP code in the final, compiled output.
If you need to render dynamic Dagger components, you may use the dynamic-component component to render a component based on a runtime value or variable:
// $componentName = "button";
<c-dynamic-component :component="$componentName" class="mt-4" />You may also supply slot content to dynamic components:
<c-dynamic-component :component="$componentName">
    The Slot Contents
</c-dynamic-component>Dynamic components will be compiled and cached, taking into account any slots, forwarded attributes, or forwarded slots. Dynamic Dagger components can also take advantage of the Attribute Cache.
You may use any of the following aliases to render dynamic components:
<c-delegate-component :$component />
<c-dynamic-component :$component />
<c-proxy :$component />All three aliases share the same internal behavior.
If you are writing a component library, you may wish to register your own component namespace and not have to rely on the <c- prefix. You may do this within your package's service provider by providing your desired namespace and the path to your component's views:
<?php
namespace Your\Package\Namespace;
use Illuminate\Support\ServiceProvider as IlluminateServiceProvider;
use Stillat\Dagger\Facades\Compiler;
class ServiceProvider extends IlluminateServiceProvider
{
    public function boot(): void
    {
        Compiler::registerComponentPath(
            'lenz',
            __DIR__.'./../path/to/component/views'
        );
    }
}The first argument is the component prefix or namespace that will be used for your components, and the second argument is the path to the component's views. In the previous example, we supplied lenz as the prefix, which means consumers of the components can now write the following, assuming the component views exist:
<lenz:button class="mt-4" />
<lenz-button class="mt-4" />Custom components can leverage all features of the Dagger compiler using their custom prefix.
You are not allowed to register the prefix x with the Dagger compiler; attempting to do so will raise an InvalidArgumentException.
The Dagger compiler contains a subsystem known as the Compile Time Renderer, or CTR. This checks to see if all the props on a component are resolvable at runtime; if so, it may elect to compile the component at runtime and insert the pre-rendered results into Blade's compiled output.
This feature has a number of internal safe guards, and here are a few of the things that will internally disable this feature:
- Dynamic/interpolated variable references
- Using Mixins
- Most static method calls
- Referencing PHP's superglobals, such as $_GETor$_POST
- Using debugging-related functions in a component, such as dd,dump,var_dump, etc.
- Calling functions such as time,now, ordate
- Enabling the Attribute Cache on a component
- Components with slots
Imagine we have the following alert component:
<!-- /resources/dagger/views/alert.blade.php -->
@props(['type' => 'info', 'message'])
<div {{ $attributes->merge(['class' => 'alert alert-'.$type]) }}>
    {{ $message }}
</div>If we were to call the alert component like so:
<c-alert message="My awesome message" />The compiler would detect that all props are resolvable, and the following would be emitted in the compiled Blade output:
<div class="alert alert-info">
    The awesome message
</div>However, if we were to call our component like so, the compiler would not attempt to render the component at compile time:
<c-alert :$message />The CTR system should be transparent from a component author's point-of-view, however, if the rare event that you need to disable compiler optimizations, you may do so using the compiler helper method:
<!-- /resources/dagger/views/the_component.blade.php -->
@php
    \Stillat\Dagger\component()
        ->props(['title'])
        ->compiler(
            allowOptimizations: false
        );
@endphp
{{ $title }}If you find yourself disabling optimizations on a component, please open a discussion or an issue with details on which behaviors led to that decision.
The CTR system will aggressively disable itself whenever it detects static method calls within component templates. You may choose to mark these methods as safe using the EnableOptimization attribute:
<?php
namespace App;
use Stillat\Dagger\Compiler\EnableOptimization;
class MyAwesomeClass
{
    #[EnableOptimization]
    public static function myHelper()
    {
    }
}You may also mark an entire class as safe for optimizations by applying the attribute to the class instead:
<?php
namespace App;
use Stillat\Dagger\Compiler\EnableOptimization;
#[EnableOptimization]
class MyAwesomeClass
{
    public static function myHelper()
    {
    }
}If you'd like to disable optimizations on a class or method explicitly, you may use the DisableOptimization attribute instead.
The following example would enable optimizations on the entire class but disable it on a specific method:
<?php
namespace App;
use Stillat\Dagger\Compiler\DisableOptimization;
use Stillat\Dagger\Compiler\EnableOptimization;
#[EnableOptimization]
class MyAwesomeClass
{
    public static function methodOne()
    {
        // Optimization allowed.
    }
    #[DisableOptimization]
    public static function methodTwo()
    {
        // Optimization not allowed.
    }
}- You should never attempt to force a component to render at compile time, outside of applying the EnableOptimizationorDisableOptimizationattributes to your own helper methods
- If an exception is raised while rendering a component at compile time, CTR will be disabled for that component and the compiler will revert to normal behavior
There are times you way wish to compile a component without a corresponding view file, similar to a directive. This can be accomplished by registering your custom component compiler callback using the Compiler::compileComponent method:
<?php
use Stillat\Dagger\Facades\Compiler;
Compiler::compileComponent('c:mycomponent', function ($node) {
    return 'My Component';
});Whenever the <c-mycomponent /> component is compiled our custom callback will be invoked and that used as the compiled output.
For component tag pairs, the template compiler will provide the pre-compiled inner content as the second argument to the callback:
<?php
use Stillat\Dagger\Facades\Compiler;
Compiler::compileComponent('c:mycomponent', function ($node, $innerContent) {
    return '<div class="simple-wrapper">'.$innerContent.'</div>';
});This is useful if you would like to wrap the compiled output and not have to manage compiling the inner content yourself:
<c-mycomponent>
    <x-alert title="Other Components" />
</c-mycomponent>You may use wildcards when registering your compiler callbacks:
<?php
use Illuminate\Support\Str;
use Stillat\Dagger\Facades\Compiler;
Compiler::compileComponent('c:stack:*', function ($node) {
    $stackName = Str::after($node->tagName, ':');
    
    // ...
});Our callback would now be invoked for all of the following:
<s-stack:styles />
<c-stack:scripts />You may have noticed JSON files being written to your compiled view folder. These files are created by Dagger's "view manifest", which tracks dependencies of compiled views.
Because the Dagger compiler inlines component views into one larger compiled file, as well as optimizes static templates, the Dagger runtime uses these JSON files to help with cache invalidation.
Dagger is free software, released under the MIT license. Please see LICENSE.md for more details.