使用 Javascript 在 li 中创建 span 元素

Create span element in li with Javascript

我正在做一个待办事项列表项目,在创建新的 li 时,我希望它以包含 "X" 的 span 开始。我写了下面的代码,但我得到的不是 span,而是“[object HTMLSpanElement]”。有人知道如何解决这个问题吗?谢谢!


var enterItem = document.querySelectorAll("input");
var todoList = document.getElementById("todo-list");

for (var i = 0; i < enterItem.length; i++) {
  enterItem[i].addEventListener("keypress", function(key) {
    if(key.which === 13){

      var newLi = document.createElement("li");
      var span = document.createElement("span");
      var newItem = this.value;

      span.textContent = "X";
      newLi.appendChild(document.createTextNode(span + " " + newItem));
      todoList.appendChild(newLi);
      this.value = "";
    }
  });
}

您正在尝试在文本节点中添加一个 html 元素,以便它触发元素的 toString

你需要

const todoList = document.getElementById("todo-list");

document.getElementById("inputContainer").addEventListener("keypress", function(e) {
  const tgt = e.target;
  if (tgt.type === "text" && e.which === 13) {
    let newLi = document.createElement("li");
    let span = document.createElement("span");
    span.classList.add("remove");
    let newItem = tgt.value;
    span.textContent = "X";
    newLi.appendChild(span)
    newLi.appendChild(document.createTextNode(" " + newItem));
    todoList.appendChild(newLi);
    tgt.value = "";
  }
});

document.getElementById("todo-list").addEventListener("click", function(e) {
  const tgt = e.target;
  if (tgt.classList.contains("remove")) {
    tgt.closest("li").remove();
  }
})  
<div id="inputContainer">
  <input type="text" />
</div>
<ul id="todo-list"></ul>