我正在制作一个应用程序,您可以将字符串添加到列表并编辑它们。当我点击编辑时,由于一些v-if/v-show,<h3>
变成了一个输入字段,我想添加一个功能,当输入出现时,输入也立即得到聚焦。
下面是我当前的代码:
<div class="card" v-for="(item, index) in list" :key="index">
<!-- not editing -->
<div v-if="editing != index + 1">
<button class="edit-btn" @click="setEditing(item, index)">
edit
</button>
<h3 class="title">{{ index + 1 + ". " + item }}</h3>
<button class="delete-btn" @click="deleteEntry(index)">
bin
</button>
</div>
<!-- editing -->
<div v-show="editing == index + 1">
<button
class="edit-btn"
style="background-color:white;color:grey;border-color:grey;font-weight:bold"
@click="cancelEdit"
>
x
</button>
<input
ref="editInput"
autocomplete="off"
@change="console.log(entry)"
class="edit-input"
id="edit-input"
@keyup.enter="saveChanges(index)"
v-model="entry"
/>
<button
class="delete-btn"
style="background-color:white;border-color:green;color:green"
@click="saveChanges(index)"
>
mark
</button>
</div>
</div>
函数setEditing(entry, index) {
this.editing = index + 1;
this.entry = entry;
var el = this.$refs.editInput[index];
console.log(el);
el.focus();
// document.getElementById("edit-input").focus();
},
变量data() {
return {
editing: 0,
newEntry: "",
list: [],
error: "",
entry: "",
};
},
v-show
需要一段时间来更新DOM,因此输入上的focus
不能正常工作。你应该把el.focus()
放在nextTick
里面。
根据vue docs使用nextTick
:
延迟在下一个DOM更新周期之后执行的回调。在更改了一些数据后立即使用它来等待DOM更新。
setEditing(entry, index) {
this.editing = index + 1;
this.entry = entry;
var el = this.$refs.editInput[index];
console.log(el);
this.$nextTick(() => {
el.focus();
})
},
试试这个:
this.$nextTick(() => this.$refs.editInput[index].focus())