当前位置: 代码迷 >> JavaScript >> 我想在我的 Angular 应用程序中添加一个删除按钮
  详细解决方案

我想在我的 Angular 应用程序中添加一个删除按钮

热度:42   发布时间:2023-06-13 11:41:53.0

我有一个 Angular 应用程序,我想为一个 div 元素添加一个删除按钮,我目前有一个添加按钮,如下所示:

.ts 文件。

uploads = [];

 addUp() {
    this.uploads.push(this.uploads.length);
  }

我试过了

removeUp() {
        this.uploads.remove(this.uploads.length);
      }

此代码链接到此按钮,如下所示:

<button class="btn" (click)="addUp()">Add</button>

HTML

    <div class="col" *ngFor="let upload of uploads">
       <h2>Upload</h2>
    </div>

我将如何做删除版本?

不能使用remove函数从数组中删除项目。

splice从数组中删除一个对象

要从数组中删除元素,您应该使用 :

removeUpload(uploadItem) {
    // get index/position of uploadItem within array
    const index: number = this.uploads.indexOf(uploadItem);

    // if index returned is negative it means element not found in array
    // else: (positive) index can be used 
    // e.g. to remove the single element at this position
    if (index !== -1) {
      this.uploads.splice( index, 1 );
    }
}

这从索引位置中删除了一个元素(因此这里的第二个参数是1 )。

当然,您必须将参数upload作为参数添加到按钮的点击事件,以便函数知道它必须删除数组的哪个元素:

<button class="btn" (click)="removeUpload( upload )" title="remove this">x</button>

请参阅。

快捷方式

如果要删除数组的第一个元素,请使用 array。 如果要删除数组的最后一个元素,请使用 array. 这两个函数都返回被移除的元素。

从数组中添加/删除什么?

我不确定您为什么将数组的长度添加/删除( push相应的splice )到uploads数组。 数组是存储自身的当前大小还是上传项目对象?

也可以看看

如果我理解正确,您正在尝试实现相同的按钮实现,但对于 remove 方法。

使用: <button class="btn" (click)="removeUp()">Remove</button>

并更改 removeUp 方法以使用splice而不是remove

removeUp() {

   this.uploads.splice(this.uploads.length, 1)

}

看看这里回答了一个类似的问题

  相关解决方案