substance
Version:
Substance is a JavaScript library for web-based content editing. It provides building blocks for realizing custom text editors and web-based publishing system. It is developed to power our online editing platform [Substance](http://substance.io).
1,263 lines (1,075 loc) • 35 kB
JavaScript
import extend from '../util/extend'
import forEach from '../util/forEach'
import isString from '../util/isString'
import isFunction from '../util/isFunction'
import uuid from '../util/uuid'
import EventEmitter from '../util/EventEmitter'
import platform from '../util/platform'
import DOMElement from './DOMElement'
import DefaultDOMElement from './DefaultDOMElement'
import RenderingEngine from './RenderingEngine'
import VirtualElement from './VirtualElement'
import substanceGlobals from '../util/substanceGlobals'
import getClassName from '../util/_getClassName'
const COMPONENT_FACTORY = {
createComponent (ComponentClass, parent, props) {
if (!ComponentClass.prototpe || !ComponentClass.prototype._isComponent) {
ComponentClass = Component.createFunctionComponent(ComponentClass)
}
return new ComponentClass(parent, props)
},
createElementComponent (parent, virtualElement) {
return new ElementComponent(parent, virtualElement)
},
createTextNodeComponent (parent, virtualElement) {
return new TextNodeComponent(parent, virtualElement)
}
}
/**
A light-weight component implementation inspired by
[React](https://facebook.github.io/react/) and [Ember](http://emberjs.com/).
In contrast to the large frameworks it does much less things automagically in
favour of synchronous rendering and a minimalistic life-cycle. It also
provides *up-tree* communication and *dependency injection*.
### Why synchronous rendering?
Synchronous rendering, while it may *seem* less performant, is necessary
because substance must render the model, after it has changed before the next
change is triggered by the user.
Asynchronous rendering as it exists in React means that the UI will
eventually *catch* up to changes in the model. This is not acceptable in
substance because substance plays with contenteditable and thus, cursor
positions, etc are maintained in the browser's DOM. If we went the async way,
the cursor in the DOM would be briefly inconsistent with the cursor in the
model. In this brief window, changes triggered by the user would be impossible
to apply.
### Concepts:
- `props` are provided by a parent component. An initial set of properties is provided
via constructor. After that, the parent component can call `setProps` or `extendProps`
to update these properties which triggers rerendering if the properties change.
- `state` is a set of flags and values which are used to control how the component
gets rendered given the current props. Using `setState` the component can change
its internal state, which leads to a rerendering if the state changes.
Prefer using `extendState` rather than `setState`.
Normally, a component maintains its own state. It isn't recommended that a
parent pass in or update state. If you find the need for this, you should be
looking at `props`.
State would be useful in situations where the component itself controls some
aspect of rendering. Eg. whether a dropdown is open or not could be a state
within the dropdown component itself since no other component needs to know
it.
- A child component with a `ref` id will be reused on rerender. All others will be
wiped and rerender from scratch. If you want to preserve a grand-child (or lower), then
make sure that all anchestors have a ref id. After rendering the child will be
accessible via `this.refs[ref]`.
- A component can send actions via `send` which are bubbled up through all parent
components until one handles it. A component declares that it can handle an
action by calling the `handleActions` method on itself in the constructor or
the `didUpdate` lifecycle hook.
### Lifecycle hooks
The {@link RenderingEngine} triggers a set of hooks for you to define behavior
in various stages of the rendering cycle. The names are pretty self
explanatory. If in doubt, please check out the method documentation below.
1. {@link Component#didMount}
2. {@link Component#didUpdate}
3. {@link Component#dispose}
4. {@link Component#willReceiveProps}
5. {@link Component#willUpdateState}
@implements EventEmitter
@example
Define a component:
```
class HelloMessage extends Component {
render() {
return $$('div').append(
'Hello ',
this.props.name
)
}
}
```
And mount it to a DOM Element:
```
HelloMessage.mount({name: 'John'}, document.body)
```
*/
export default class Component extends EventEmitter {
/**
Construcutor is only used internally.
@param {Component} parent The parent component
@param {Object} props Properties against which this class must
be rendered the first time.
*/
constructor (parent, props = {}, options = {}) {
super()
// TODO: it turned out that the signature is sub-optimal
// w.r.t. `parent`. Creating a root component allowing for manual dependency injection
// we could change to `new Component(props, options)`
// with options `parent` and `context`
// Also, the parent-child relation could be inconsistent with the actual elements, which should be checked.
this.parent = (parent && parent._isComponent) ? parent : null
// EXPERIMENTAL: used for attaching to existing/pre-rendered element
this.el = options.el
// context from parent (dependency injection) or if given via options
// the latter is a rather EXPERIMENTAL feature only used TODO where?
let context
if (isFunction(this.defineContext)) {
context = this.defineContext(props, parent)
} else {
context = options.context || this._getContext()
}
this.context = context || {}
// Object.freeze(this.context)
// used for rerendering and can be used by components for incremental rendering
// Note: usually it is inherited from the parent. In case of root components
// it can be provided via context or options
this.renderingEngine = (parent && parent.renderingEngine) || options.renderingEngine || new RenderingEngine({
componentFactory: COMPONENT_FACTORY
})
// HACK: to allow that ElementComponent and TextComponent can derive from Component
// we need to skip the initialization of the rest
if (this._SKIP_COMPONENT_INIT) return
this.__id__ = uuid()
// store for ref'd child components
this.refs = {}
// HACK: a temporary solution to handle refs owned by an ancestor
// is to store them here as well, so that we can map virtual components
// efficiently
this.__foreignRefs__ = {}
// action handlers added via `handleAction()` are stored here
this._actionHandlers = {}
this.handleActions(this.getActionHandlers())
// setting props without triggering willReceiveProps
this.props = props
// Object.freeze(this.props)
// initializing state
this.state = this.getInitialState() || {}
// Object.freeze(this.state)
}
getId () {
return this.__id__
}
setId () {
throw new Error("'id' is readonly")
}
getActionHandlers () {
return {}
}
dir () {
console.dirxml(this.getNativeElement())
}
/**
Provides the context which is delivered to every child component. Override
if you want to provide your own child context. Child context is available to
all components rendered from within this component's render method as
`this.context`.
@example
```
class A extends Component {
...
getChildContext() {
// Optional, but useful to merge super's context
return Object.assign({}, super.getChildContext(), {foo: 'bar'})
}
render($$) {
return $$(B)
}
}
class B extends Component {
render($$) {
// this.context.foo is available here
}
}
```
Component
@return {Object} the child context
*/
getChildContext () {
return {}
}
/**
Override this within your component to provide the initial state for the
component. This method is internally called by the
{@link RenderingEngine} and the state defined here is made available to
the {@link Component#render} method as this.state.
@return {Object} the initial state
*/
getInitialState () {
return {}
}
/**
Provides the parent of this component.
@return {Component} the parent component or null if this component does not have a parent.
*/
getParent () {
return this.parent
}
/**
Get the top-most Component. This the component mounted using
@return {Component} The root component
*/
getRoot () {
let comp = this
let parent = comp
while (parent) {
comp = parent
parent = comp.getParent()
}
return comp
}
getElement () {
return this.el
}
getNativeElement () {
return this.el.getNativeElement()
}
/**
Short hand for using labelProvider API
@example
```
render($$) {
let el = $$('div').addClass('sc-my-component')
el.append(this.getLabel('first-name'))
return el
}
```
*/
getLabel (name, ...args) {
const labelProvider = this.getLabelProvider()
if (!labelProvider) throw new Error('Missing labelProvider.')
return labelProvider.getLabel(name, ...args)
}
getLabelProvider () {
return this.context.labelProvider
}
/**
Get a component class for the component name provided. Use this within the
render method to render children nodes.
@example
```
render($$) {
let el = $$('div').addClass('sc-my-component')
let caption = this.props.node.getCaption() // some method that returns a node
let CaptionClass = this.getComponent(caption.type)
el.append($$(CaptionClass, {node: caption}))
return el
}
```
@param {String} componentName The component's registration name
@param {Boolean} maybe if `true` then does not throw when no Component is found
TODO: this paramater should really be called 'strict' even if this
is a breaking change
@return {Class} The ComponentClass
*/
getComponent (componentName, maybe) {
const componentRegistry = this.getComponentRegistry()
if (!componentRegistry) throw new Error('Missing componentRegistry.')
const ComponentClass = componentRegistry.get(componentName)
if (!maybe && !ComponentClass) {
throw new Error('No Component registered with name ' + componentName)
}
return ComponentClass
}
getComponentRegistry () {
return this.context.componentRegistry
}
/**
Render the component.
ATTENTION: this does not create a DOM presentation but
a virtual representation which is compiled into a DOM element later.
Every Component should override this method.
@param {Function} $$ method to create components
@return {VirtualElement} VirtualElement created using {@param $$}
*/
render ($$) {
/* istanbul ignore next */
return $$('div')
}
/**
Mount a component to the DOM.
@example
```
let app = Texture.mount({
configurator: configurator,
documentId: 'elife-15278'
}, document.body)
```
*/
mount (el, options = {}) {
if (!el) {
throw new Error('Element is required.')
}
el = DefaultDOMElement.wrap(el)
if (options.adopt || options.inplace) {
this.el = el
} else {
// Makes sure a new element is created for the component
this.el = null
}
this.renderingEngine = Component.createRenderingEngine(el.getOwnerDocument())
this._render(this.props, this.state, options)
if (!options.adopt && !options.inplace) {
el.appendChild(this.el)
}
if (el.isInDocument()) {
this.triggerDidMount()
}
return this
}
/**
Determines if Component should be rendered again using `Component#rerender`
after changing props. For comparisons, you can use `this.props` and
`newProps`.
The default implementation simply returns true.
@param {Object} newProps The new props being applied to this component.
@param {Object} newState The new state being applied
@return a boolean indicating whether rerender() should be run.
*/
shouldRerender(newProps, newState) { // eslint-disable-line
return true
}
/**
Rerenders the component.
Call this to manually trigger a rerender.
*/
rerender () {
this._rerender(this.props, this.state)
}
_rerender (oldProps, oldState) {
this._render(oldProps, oldState)
// when this component is not mounted still trigger didUpdate()
if (!this.isMounted()) {
this.didUpdate(oldProps, oldState)
}
}
_render (oldProps, oldState, options = {}) {
if (this.__isRendering__) {
throw new Error('Component is rendering already.')
}
this.__isRendering__ = true
try {
this.renderingEngine._render(this, oldProps, oldState, options)
} finally {
delete this.__isRendering__
}
}
/**
Triggers didMount handlers recursively.
Gets called when using `component.mount(el)` on an element being
in the DOM already. Typically this is done for a root component.
If this is not possible because you want to do things differently, make sure
you call 'component.triggerDidMount()' on root components.
@param isMounted an optional param for optimization, it's used mainly internally
@private
@example
```
let frag = document.createDocumentFragment()
let comp = MyComponent.mount(frag)
...
$('body').append(frag)
comp.triggerDidMount()
```
*/
triggerDidMount (options = {}) {
// don't trigger didMount if that has been done already
// Note: that this is ATM accepted for the sake of simplicity of
// forwarding components implementation
// TODO: consider avoiding this, and turn this into a visible warning
if (this.__isMounted__) {
if (substanceGlobals.VERBOSE_RENDERING) {
console.warn('Calling triggerDidMount() on an already mounted component.')
}
return
}
// Following react's life-cycle, 'didMount' is triggered 'bottom-up'
// i.e. children first.
if (!options.noDescent) {
if (this._isForwarding()) {
this._getForwardedComponent().triggerDidMount({ noAscent: true })
} else {
const children = this.getChildren()
for (const child of children) {
child.triggerDidMount()
}
}
}
// ATTENTION: it is important to have this before calling didMount()
// so that in case of a state change or such during didMount() the children will get triggered.
this.__isMounted__ = true
this.didMount()
// ATTENTION: forwarding components are 'invisible' with respect to the
// DOM elements, i.e. not covered by the recursion done here using this.getChildren()
// so we trigger explicitly
if (this._isForwarded() && !options.noAscent) {
this.getParent().triggerDidMount({ noDescent: true })
}
}
/**
* Triggers dispose handlers recursively.
*/
triggerDispose (options = {}) {
// ATTENTION: for forwarding components this is a bit tricky
// because forwarding components do not 'exist' in the DOM
// and we do not have a link to the forwarded component
// TODO: maybe we could try to store a link to the forwarded component
// but that would be redundant with the DOM
// For now we apply the following algorithm:
// if this is a forwarded component, bubble up until options.root
// passing options.noDescent to cover all forwarding components
// otherwise descend into children or the forwarded component
const _descend = () => {
const children = this.getChildren()
for (const child of children) {
child.triggerDispose({ root: this })
}
}
const _dispose = () => {
if (substanceGlobals.VERBOSE_RENDERING) {
if (!this._isElementComponent && !this._isTextNodeComponent) {
console.info('Disposing component of type', getClassName(this))
}
}
this.dispose()
this.__isMounted__ = false
}
if (this._isForwarded()) {
// Forwarded components call dispose on children first
// then dispose and bubble up to the root, without descending again
_descend()
_dispose()
if (options.root) {
let parent = this.getParent()
while (parent !== options.root) {
parent.triggerDispose({ noDescent: true, root: options.root })
parent = parent.getParent()
}
}
} else if (this._isForwarding()) {
// Forwarding components call dispose on the forwarded component
// first, unless this is called during a bubble-up
if (!options.noDescent) {
const forwardedComp = this.el._comp
forwardedComp.triggerDispose({ root: this })
}
_dispose()
} else {
// regular components call dispose on children first
_descend()
_dispose()
}
}
/**
Called when the element is inserted into the DOM. Typically, you can use
this to set up subscriptions to changes in the document or in a node of
your interest.
Remember to unsubscribe from all changes in the `Component#dispose`
method otherwise listeners you have attached may be called without a context.
Make sure that you call `component.mount(el)` using an element
which is already in the DOM.
```javascript
let component = new MyComponent()
component.mount(window.document.body)
```
*/
didMount () {}
/**
Hook which is called after state or props have been updated and the implied
rerender is completed.
*/
didUpdate () {}
/**
@return {boolean} indicating if this component has been mounted
*/
isMounted () {
return Boolean(this.__isMounted__)
}
/**
* A hook which is called when the component is unmounted, i.e. removed from DOM,
* hence disposed. See `Component#didMount` for example usage.
*
* Remember to unsubscribe all change listeners here.
*/
dispose () {}
// EXPERIMENTAL
// TODO: rethink this. We need this for triggerDidMount() and triggerDispose()
// in case of forwarded / forwarding components
// however this implicit el._comp comparison is not very good,
// because it does not reflect the forwarding semantically.
// We need something more explicit.
_isForwarding () {
if (this.el && this.el._comp) {
return this.el._comp !== this
} else {
return false
}
}
_isForwarded () {
const parent = this.getParent()
return (parent && parent._isForwarding())
}
_getForwardedComponent () {
if (this.el) {
return this.el._comp
}
}
/*
Attention: this is used when a preserved component is relocated.
E.g., rendered with a new parent.
*/
_setParent (newParent) {
this.parent = newParent
this.context = this._getContext() || {}
Object.freeze(this.context)
}
/**
Send an action request to the parent component, bubbling up the component
hierarchy until an action handler is found.
@param action the name of the action
@param ... arbitrary number of arguments
@returns {Boolean} true if the action was handled, false otherwise
@example
*/
send (action) {
// We start looking for handlers at the parent level
let comp = this
while (comp) {
if (comp._doesHandleAction(action)) {
const args = Array.prototype.slice.call(arguments, 1)
const res = comp._handleAction(action, args)
return Promise.resolve(res)
}
comp = comp.getParent()
}
console.warn('Action', action, 'was not handled.')
return Promise.resolve(false)
}
_doesHandleAction (action) {
return this._actionHandlers && this._actionHandlers[action]
}
_handleAction (action, args) {
const actionHandler = this._actionHandlers[action]
return actionHandler(...args)
}
/**
Define action handlers. Call this during construction/initialization of a component.
@param {Object} actionHandler An object where the keys define the handled
actions and the values define the handler to be invoked.
These handlers are automatically removed once the Component is disposed, so
there is no need to unsubscribe these handlers in the `Component#dispose`
hook.
@example
```
class MyComponent extends Component {
constructor(...args) {
super(...args)
this.handleActions({
'openPrompt': this.openPrompt,
'closePrompt': this.closePrompt
})
}
}
```
*/
handleActions (actionHandlers) {
forEach(actionHandlers, (method, actionName) => {
this.handleAction(actionName, method)
})
return this
}
/**
Define an action handler. Call this during construction/initialization of a component.
@param {String} action name
@param {Functon} a function of this component.
*/
handleAction (name, handler) {
if (!name || !handler || !isFunction(handler)) {
throw new Error('Illegal arguments.')
}
handler = handler.bind(this)
this._actionHandlers[name] = handler
}
/**
Get the current component state
@return {Object} the current state
*/
getState () {
return this.state
}
/**
Sets the state of this component, potentially leading to a rerender. It is
better practice to use `Component#extendState`. That way, the code
which updates state only updates part relevant to it.
Eg. If you have a Component that has a dropdown open state flag and another
enabled/disabled state flag for a node in the dropdown, you want to isolate
the pieces of your code making the two changes. The part of your code
opening and closing the dropdown should not also automatically change or
remove the enabled flag.
Note: Usually this is used by the component itself.
@param {object} newState an object with a partial update.
*/
setState (newState) {
const oldProps = this.props
const oldState = this.state
// Note: while setting props it is allowed to call this.setState()
// which will not lead to an extra rerender
const needRerender = !this.__isSettingProps__ &&
this.shouldRerender(this.getProps(), newState)
// triggering this to provide a possibility to look at old before it is changed
this.willUpdateState(newState)
this.state = newState || {}
Object.freeze(this.state)
if (needRerender) {
this._rerender(oldProps, oldState)
} else if (!this.__isSettingProps__) {
this.didUpdate(oldProps, oldState)
}
}
/**
This is similar to `setState()` but extends the existing state instead of
replacing it.
@param {object} newState an object with a partial update.
*/
extendState (newState) {
newState = extend({}, this.state, newState)
this.setState(newState)
}
/**
Called before state is changed.
*/
willUpdateState(newState) { // eslint-disable-line
}
/**
Get the current properties
@return {Object} the current state
*/
getProps () {
return this.props
}
/**
Sets the properties of this component, potentially leading to a rerender.
@param {object} an object with properties
*/
setProps (newProps) {
const oldProps = this.props
const oldState = this.state
const needRerender = this.shouldRerender(newProps, this.state)
this._setProps(newProps)
if (needRerender) {
this._rerender(oldProps, oldState)
} else {
this.didUpdate(oldProps, oldState)
}
}
_setProps (newProps) {
newProps = newProps || {}
// set a flag so that this.setState() can omit triggering render
this.__isSettingProps__ = true
try {
this.willReceiveProps(newProps)
this.props = newProps || {}
Object.freeze(newProps)
} finally {
delete this.__isSettingProps__
}
}
/**
Extends the properties of the component, without necessarily leading to a
rerender.
@param {object} an object with properties
*/
extendProps (updatedProps) {
const newProps = extend({}, this.props, updatedProps)
this.setProps(newProps)
}
/**
Hook which is called before properties are updated. Use this to dispose objects which will be replaced when properties change.
For example you can use this to derive state from props.
@param {object} newProps
*/
willReceiveProps(newProps) { // eslint-disable-line
}
getTextContent () {
if (this.el) {
return this.el.textContent
}
}
get textContent () {
return this.getTextContent()
}
getInnerHTML () {
if (this.el) {
return this.el.getInnerHTML()
}
}
get innerHTML () {
return this.getInnerHTML()
}
getOuterHTML () {
if (this.el) {
return this.el.getOuterHTML()
}
}
get outerHTML () {
return this.getOuterHTML()
}
getAttribute (name) {
if (this.el) {
return this.el.getAttribute(name)
}
}
setAttribute (name, val) {
if (this.el) {
this.el.setAttribute(name, val)
}
return this
}
getProperty (name) {
if (this.el) {
return this.el.getProperty(name)
}
}
setProperty (name, val) {
if (this.el) {
this.el.setProperty(name, val)
}
return this
}
get tagName () {
if (this.el) {
return this.el.tagName
}
}
hasClass (name) {
if (this.el) {
return this.el.hasClass(name)
}
}
addClass (name) {
if (this.el) {
this.el.addClass(name)
}
return this
}
removeClass (name) {
if (this.el) {
this.el.removeClass(name)
}
return this
}
getStyle (name) {
if (this.el) {
return this.el.getStyle(name)
}
}
setStyle (name, val) {
if (this.el) {
return this.el.setStyle(name, val)
}
return this
}
getValue () {
if (this.el) {
return this.el.getValue()
}
}
setValue (val) {
if (this.el) {
this.el.setValue(val)
}
return this
}
getChildCount () {
if (!this.el) return 0
return this.el.getChildCount()
}
get childNodes () {
return this.getChildNodes()
}
getChildNodes () {
if (!this.el) return []
let childNodes = this.el.getChildNodes()
childNodes = childNodes.map(_unwrapComp).filter(Boolean)
return childNodes
}
getChildren () {
if (!this.el) return []
let children = this.el.getChildren()
children = children.map(_unwrapComp).filter(Boolean)
return children
}
getChildAt (pos) {
const child = this.el.getChildAt(pos)
if (child) {
return _unwrapCompStrict(child)
}
}
find (cssSelector) {
const el = this.el.find(cssSelector)
return _unwrapComp(el)
}
findAll (cssSelector) {
const els = this.el.findAll(cssSelector)
return els.map(_unwrapComp).filter(Boolean)
}
appendChild (child) {
this.insertAt(this.getChildCount(), child)
}
insertAt (pos, childEl) {
if (isString(childEl)) {
childEl = new VirtualElement.TextNode(childEl)
}
if (!childEl._isVirtualElement) {
throw new Error('Invalid argument: "child" must be a VirtualElement.')
}
const child = this.renderingEngine._renderChild(this, childEl)
this.el.insertAt(pos, child.el)
_mountChild(this, child)
}
removeAt (pos) {
const childEl = this.el.getChildAt(pos)
if (childEl) {
const child = _unwrapCompStrict(childEl)
_disposeChild(child)
this.el.removeAt(pos)
}
}
removeChild (child) {
if (!child || !child._isComponent) {
throw new Error('removeChild(): Illegal arguments. Expecting a Component instance.')
}
// TODO: remove ref from owner
_disposeChild(child)
this.el.removeChild(child.el)
}
replaceChild (oldChild, newVirtualChild) {
if (!oldChild || !oldChild._isComponent) {
throw new Error('replaceChild(): oldChild must be a child component.')
}
if (!newVirtualChild || !newVirtualChild._isVirtualElement || newVirtualChild._owner._comp !== this) {
throw new Error('replaceChild(): newVirtualChild must be a VirtualElement instance created with a rendering context for this component.')
}
const newChild = this.renderingEngine._renderChild(this, newVirtualChild)
// Attention: Node.replaceChild has weird semantics
_disposeChild(oldChild)
this.el.replaceChild(oldChild.el, newChild.el)
if (this.isMounted()) {
newChild.triggerDidMount()
}
}
// ATTENTION: we had problems here, that using
// component.el.empty() instead of component.empty()
// did cause the children not to dispose(), which is maybe
// impossible to achieve.
// TODO: Thus we may consider to rename it, or take
// other measure to warn the the user about this problem
empty () {
this._clear()
return this
}
_clear () {
const el = this.el
if (el) {
this.getChildNodes().forEach(function (child) {
_disposeChild(child)
})
el.empty()
}
this.refs = {}
this.__foreignRefs__ = {}
}
remove () {
_disposeChild(this)
this.el.remove()
}
addEventListener () {
throw new Error('Not supported.')
}
removeEventListener () {
throw new Error('Not supported.')
}
insertBefore () {
throw new Error('Not supported.')
}
click () {
if (this.el) {
// Note: returning the result of DOMElement.click() which allows to detect if the click() had errors
// In the Browser a click runs in kind of a sandbox, not throwing on the callee side.
return this.el.click()
}
return false
}
getComponentPath () {
const path = []
let comp = this
while (comp) {
path.unshift(comp)
comp = comp.getParent()
}
return path
}
_getContext () {
let context = {}
const parent = this.getParent()
if (parent) {
context = extend(context, parent.context)
if (parent.getChildContext) {
return extend(context, parent.getChildContext())
}
}
return context
}
get _isComponent () { return true }
// Delegators
attr () {
return DOMElement.prototype.attr.apply(this, arguments)
}
htmlProp () {
return DOMElement.prototype.htmlProp.apply(this, arguments)
}
val () {
return DOMElement.prototype.val.apply(this, arguments)
}
css () {
return DOMElement.prototype.css.apply(this, arguments)
}
text () {
return DOMElement.prototype.text.apply(this, arguments)
}
append () {
return DOMElement.prototype.append.apply(this, arguments)
}
static unwrap () {
return _unwrapComp.apply(this, arguments)
}
static render (props) {
props = props || {}
const ComponentClass = this
const comp = new ComponentClass(null, props)
comp._render()
return comp
}
static mount (props, el, options = {}) {
if (arguments.length === 1) {
el = props
props = {}
}
if (!el) throw new Error("'el' is required.")
if (isString(el)) {
const selector = el
if (platform.inBrowser) {
el = window.document.querySelector(selector)
} else {
throw new Error('This selector is not supported on server side.')
}
}
el = DefaultDOMElement.wrap(el)
const ComponentClass = this
const comp = new ComponentClass(null, props, options)
comp.mount(el, options)
return comp
}
static getComponentForDOMElement (el) {
return _unwrapComp(el)
}
static unwrapDOMElement (el) {
console.warn('DEPRECATED: Use Component.getComponentForDOMElement')
return Component.getComponentForDOMElement(el)
}
static getComponentFromNativeElement (nativeEl) {
// while it sounds strange to wrap a native element
// first, it makes sense after all, as DefaultDOMElement.wrap()
// provides the DOMElement instance of a previously wrapped native element.
return _unwrapComp(DefaultDOMElement.wrap(nativeEl))
}
static createRenderingEngine (elementFactory) {
return new RenderingEngine({
componentFactory: COMPONENT_FACTORY,
elementFactory
})
}
/**
* Turns a given function into a component.
*
* Similar to react's concept of a Function Component,
* but mainly just for convenience.
* The given function is wrapped into an Anonymous Component class,
* which is just a regular component.
* However, it is not possible to access the component instance
* as the function is not bound to the component.
*
* @param {function} func
*/
static createFunctionComponent (func) {
// using a cached class so that we can check of equality
let ComponentClass = func._ComponentClass
if (!ComponentClass) {
// if the given argument is actually a Class Component then just return that
if (func.prototype && func.prototype._isComponent) {
return func
}
ComponentClass = class FunctionComponent extends Component {
render ($$) {
return func(this.props, $$)
}
}
ComponentClass.displayName = func.name || uuid('FunctionComponent@')
// caching the generated class so we can later check for equality
func._ComponentClass = ComponentClass
func._isFunctionComponent = true
}
return ComponentClass
}
// TODO: try to get rid of this. If realy used extract into extra files
static get Element () { return ElementComponent }
static get TextNode () { return TextNodeComponent }
}
// NOTE: this is used for incremental updates only
function _disposeChild (child) {
child.triggerDispose()
if (child._owner && child._ref) {
console.assert(child._owner.refs[child._ref] === child, "Owner's ref should point to this child instance.")
delete child._owner.refs[child._ref]
}
}
// NOTE: this is used for incremental updates only
function _mountChild (parent, child) {
if (parent.isMounted()) {
child.triggerDidMount()
}
if (child._owner && child._ref) {
child._owner.refs[child._ref] = child
}
}
// NOTE: we keep a reference to the component in all DOMElement instances
function _unwrapComp (el) {
if (el) {
if (!el._isDOMElement) el = DefaultDOMElement.unwrap(el)
if (el) return el._comp
}
}
function _unwrapCompStrict (el) {
const comp = _unwrapComp(el)
if (!comp) throw new Error('Expecting a back-link to the component instance.')
return comp
}
class ElementComponent extends Component {
get _isElementComponent () { return true }
get _SKIP_COMPONENT_INIT () { return true }
}
class TextNodeComponent extends Component {
setTextContent (text) {
if (!this.el) {
throw new Error('Component must be rendered first.')
}
if (this.el.textContent !== text) {
this.el.textContent = text
}
}
getChildNodes () {
return []
}
getChildren () {
return []
}
get _isTextNodeComponent () { return true }
get _SKIP_COMPONENT_INIT () { return true }
}