|
/** @jsx m */ |
|
|
|
// convenient aliases |
|
let { prop, withAttr } = m; |
|
|
|
/** A more React-like component mount() wrapper */ |
|
function mount(component, parent) { |
|
if (typeof component==='function' && component.prototype.render) { |
|
component = new component(); |
|
} |
|
m.mount(parent, { |
|
controller: λ => component, |
|
view: λ => component.render() |
|
}); |
|
} |
|
|
|
/** Just a demo init method, delayed until everything is in place. */ |
|
setTimeout(function init() { |
|
mount(TodoComponent, document.getElementById('demo')); |
|
}, 1); |
|
|
|
|
|
/** Model for a single To-Do entry */ |
|
class Todo { |
|
constructor({ description }) { |
|
this.description = prop(description); |
|
this.done = prop(false); |
|
} |
|
} |
|
|
|
/** A list of To-Do entries is just an Array */ |
|
class TodoList extends Array {} |
|
|
|
/** A component is both a View-Model and a Controller. |
|
* Like a React component, it's anything with a render() method. |
|
*/ |
|
class TodoComponent { |
|
/** Instead of initialize() or componentWillMount(), use a constructor. |
|
* This is called just before the component gets mounted to the DOM. |
|
*/ |
|
constructor() { |
|
this.list = new TodoList(); |
|
this.description = prop(''); |
|
} |
|
|
|
/** People argue about whether or not to pass arguments to actions. |
|
* In this case, let's just support both. |
|
*/ |
|
add(description=this.description()) { |
|
if (!description) return; |
|
// Add a new todo and clear the input. Triggers a single batched render(). |
|
this.list.push(new Todo({ description })); |
|
this.description(''); |
|
} |
|
|
|
/** Nearly identical to React, just we've moved actions into the controller for simplicity. */ |
|
render() { |
|
let tasks = this.list.map( task => ( |
|
<tr done={ task.done() }> |
|
<td> |
|
<input type="checkbox" |
|
value={ task.done() } |
|
onclick={ withAttr('checked', task.done) } /> |
|
</td> |
|
<td>{ task.description() }</td> |
|
</tr> |
|
)); |
|
|
|
return ( |
|
<todo> |
|
// Below is just a proxy handler that always returns false. ES6 is beautiful. |
|
<form onsubmit={ e => (this.add(), false) }> |
|
<input class="form-control" placeholder="New Todo..." |
|
// could have been written: e => this.description(e.target.value) |
|
onchange={ withAttr('value', this.description) } |
|
value={ this.description() } /> |
|
<button class="btn btn-primary">Add</button> |
|
</form> |
|
<table class="table table-bordered table-striped"> |
|
<thead> |
|
<tr> |
|
<th width="50">Done?</th> |
|
<th>Description</th> |
|
</tr> |
|
</thead> |
|
<tbody>{ tasks }</tbody> |
|
</table> |
|
</todo> |
|
); |
|
} |
|
}; |