Component API
The whole API provided by stencil can be condensed in a set of decorators, lifecycles hooks and rendering methods.
Decorators
Decorators are a pure compiler-time construction used by stencil to collect all the metadata about a component, the properties, attributes and methods it might expose, the events it might emit or even the associated stylesheets. Once all the metadata has been collected, all the decorators are removed from the output, so they don't incur any runtime overhead.
- @Component() declares a new web component
- @Prop() declares an exposed property/attribute
- @State() declares an internal state of the component
- @Watch() declares a hook that runs when a property or state changes
- @Element() declares a reference to the host element
- @Method() declares an exposed public method
- @Event() declares a DOM event the component might emit
- @Listen() listens for DOM events
- @AttrDeserialize() declares a hook to translate a component's attribute string to its JS property
- @PropSerialize() declares a hook that translates a component's JS property to its attribute string
Lifecycle hooks
- connectedCallback()
- disconnectedCallback()
- componentWillLoad()
- componentDidLoad()
- componentShouldUpdate(newValue, oldValue, propName): boolean
- componentWillRender()
- componentDidRender()
- componentWillUpdate()
- componentDidUpdate()
- render()
componentOnReady()
This isn't a true "lifecycle" method that would be declared on the component class definition, but instead is a utility method that can be used by an implementation consuming your Stencil component to detect when a component has finished its first render cycle.
This method returns a promise which resolves after componentDidRender()
on the first render cycle.
componentOnReady()
only resolves once per component lifetime. If you need to hook into subsequent render cycle, use
componentDidRender()
or componentDidUpdate()
.
Executing code after componentOnReady()
resolves could look something like this:
// Get a reference to the element
const el = document.querySelector('my-component');
el.componentOnReady().then(() => {
// Place any code in here you want to execute when the component is ready
console.log('my-component is ready');
});
The availability of componentOnReady()
depends on the component's compiled output type. This method is only available for lazy-loaded
distribution types (dist
and www
) and, as such, is not available for
dist-custom-elements
output. If you want to simulate the behavior of componentOnReady()
for non-lazy builds,
you can implement a helper method to wrap the functionality similar to what the Ionic Framework does here.
The appload
event
In addition to component-specific lifecycle hooks, a special event called appload
will be emitted when the app and all of its child components have finished loading. You can listen for it on the window
object.
If you have multiple apps on the same page, you can determine which app emitted the event by checking event.detail.namespace
. This will be the value of the namespace config option you've set in your Stencil config.
window.addEventListener('appload', (event) => {
console.log(event.detail.namespace);
});
Other
The following primitives can be imported from the @stencil/core
package and used within the lifecycle of a component:
-
Host:
<Host>
, is a functional component that can be used at the root of the render function to set attributes and event listeners to the host element itself. Refer to the Host Element page for usage info. -
Fragment:
<Fragment>
, often used via<>...</>
syntax, lets you group elements without a wrapper node.To use this feature, ensure that the following TypeScript compiler options are set:
jsxFragmentFactory
is set to "Fragment"jsxFactory
is set to "h"
Type:
FunctionalComponent
Example:import { Component, Fragment, h } from '@stencil/core'
@Component({
tag: 'cmp-fragment',
})
export class CmpFragment {
render() {
return (
<>
<div>...</div>
<div>...</div>
<div>...</div>
</>
);
}
} -
h(): It's used within the
render()
to turn the JSX into Virtual DOM elements. -
render(): a utility method to render a virtual DOM created by
h()
into a container.Type:
(vnode: VNode, container: Element) => void
Example:import { render } from '@stencil/core'
const vdom = (
<div className="m-2">Hello World!</div>
)
render(vdom, document.body) -
readTask(): Schedules a DOM-read task. The provided callback will be executed in the best moment to perform DOM reads without causing layout thrashing.
Type:
(task: Function) => void
-
writeTask(): Schedules a DOM-write task. The provided callback will be executed in the best moment to perform DOM mutations without causing layout thrashing.
Type:
(task: Function) => void
-
forceUpdate(): Schedules a new render of the given instance or element even if no state changed. Notice
forceUpdate()
is not synchronous and might perform the DOM render in the next frame.Type:
(ref: any) => void
Example:import { forceUpdate } from '@stencil/core'
// inside a class component function
forceUpdate(this); -
getAssetPath(): Gets the path to local assets. Refer to the Assets page for usage info.
Type:
(path: string) => string
Example:import { Component, Prop, getAssetPath, h } from '@stencil/core'
@Component({
tag: 'cmp-asset',
})
export class CmpAsset {
@Prop() icon: string;
render() {
return (
<img src={getAssetPath(`assets/icons/${this.icon}.png`)} />
);
}
} -
setAssetPath(): Sets the path for Stencil to resolve local assets. Refer to the Assets page for usage info.
Type:
(path: string) => string
Example:import { setAssetPath } from '@stencil/core';
setAssetPath(`{window.location.origin}/`); -
setMode(): Sets the style mode of a component. Refer to the Styling page for usage info.
Type:
((elm: HTMLElement) => string | undefined | null) => void
Example:import { setMode } from '@stencil/core'
// set mode based on a property
setMode((el) => el.getAttribute('mode')); -
getMode(): Get the current style mode of your application. Refer to the Styling page for usage info.
Type:
(ref: any) => string | undefined
Example:import { getMode } from '@stencil/core'
getMode(this); -
getElement(): Retrieve a Stencil element for a given reference.
Type:
(ref: any) => HTMLStencilElement
Example:import { getElement } from '@stencil/core'
const stencilComponent = getElement(document.querySelector('my-cmp'))
if (stencilComponent) {
stencilComponent.componentOnReady().then(() => { ... })
} -
Mixin(): Compose multiple classes into a single constructor using factory functions.
Type:
<TMixins extends readonly MixinFactory[]>(
...mixinFactories: TMixins
): abstract new (...args: any[]) => UnionToIntersection<InstanceType<ReturnType<TMixins[number]>>>;Example:
import { Mixin, MixedInCtor, Component, h, Prop, State } from '@stencil/core'
const aFactory: <B extends MixedInCtor>(Base: B) => {
class A extends Base { propA = 'A' };
return A;
}
const bFactory: <B extends MixedInCtor>(Base: B) => {
class B extends Base { @Prop() propB = 'B' };
return B;
}
const cFactory: <B extends MixedInCtor>(Base: B) => {
class C extends Base { @State() propC = 'C' };
return C;
}
@Component({
tag: 'its-mixing-time',
})
export class X extends Mixin(aFactory, aFactory, cFactory) {
render() {
return <div>{this.propA} {this.propB} {this.propC}</div>
}
}
If your Stencil component library uses Mixin()
(or extends
) and might be used by other Stencil component libraries, ensure that all mixed-in factories are imported directly and not via barrel files.
The static-analysis that Stencil uses to find mixed-in classes does not work within 3rd party (node_module) barrel files.