我正在尝试使用 Polymer 2 创建一个简单的笔记列表,其中每个笔记都显示在一个<input>
元素中。要创建<input>
元素列表,请使用<dom-repeat>
组件。我注意到,当从数组中删除一个项目时,所有元素的value
s<input>
都向上移动并<input>
删除了最后一个元素。有没有办法删除<input>
与已删除数组项关联的元素?
我意识到通常这不会是一个严重的问题,但是对于<input>
元素,焦点绑定到实际的 DOM 对象。为了获得正确的焦点,删除注释时元素的value
属性<input>
不应更改。
下面是我的笔记列表组件和笔记原子组件的代码。
<dom-module id="note-list">
<template>
<ul>
<template is="dom-repeat" items="{{notes}}">
<li>
<note-atom
on-delete="_onNoteDelete"
on-blur="_onNoteBlur"
value="{{item.note}}">
</note-atom>
</li>
</template>
<li>
<note-atom value={{_newNote}}></note-atom>
</li>
</ul>
</template>
<script>
class NoteList extends Polymer.Element {
static get is() { return 'note-list'; }
static get properties() {
return {
notes: {
type: Array,
value: [],
notify: true
},
_newNote: {
type: String,
value: '',
observer: "_newNoteChanged"
}
};
}
_newNoteChanged(newValue, oldValue) {
if (newValue !== '') {
this._newNote = '';
this.push('notes', {"note": newValue});
}
}
_onNoteDelete(e) {
const noteIdx = this.notes.indexOf(e.model.item);
this.splice('notes', noteIdx, 1);
}
_onNoteBlur(e) {
if (e.model.item.note === '') {
this._onNoteDelete(e);
}
}
}
window.customElements.define(NoteList.is, NoteList);
</script>
</dom-module>
<dom-module id="note-atom">
<template>
<input type='text'
value="{{value::change}}"
on-blur="_onInputBlur"
placeholder='A new note...' />
<button on-click="_onDeleteButton">X</button>
</template>
<script>
class NoteAtom extends Polymer.Element {
static get is() { return 'note-atom'; }
static get properties() {
return {
value: {
type: String,
value: '',
notify: true
}
};
}
_onDeleteButton() {
this.dispatchEvent(new CustomEvent('delete'));
}
_onInputBlur() {
this.dispatchEvent(new CustomEvent('blur'));
}
}
window.customElements.define(NoteAtom.is, NoteAtom);
</script>
</dom-module>