2

我正在研究角度材料表,并希望使用ViewChildrenand获取 tableRow 参考ViewContainerRef

这里的 HTML 片段

<tr mat-row *matRowDef="let row; columns: displayedColumns;" #tableRows ></tr>

和 TS 片段

@ViewChildren('tableRows', {read: ViewContainerRef}) rowContainers

我能够获得表行引用,但问题是当我排序时,我无法在rowContainers变量中获得更新的 DOM 引用。

我找不到任何刷新rowContainers变量的方法。

有人知道如何刷新ViewChildren变量吗?

您可以在stackblitz中看到行为。

4

1 回答 1

4

我想你想要数组的第一个元素,而不是 ViewChildren。订阅 rowContainers.changes,不起作用,但是,当您使用 MatTableDataSource 时,您始终可以使用它的方法 _orderData(需要一个元素数组),例如,您可以写一些类似

let orderData=this.dataSource._orderData(this.dataSource.data)
console.log(orderData[0])

更新 如果我们想要订购 ViewChildren,我们需要将 viewChildren 传递给数组,对数组进行排序并进行重置。如果我们的 viewChildren 是“ViewContainerRef”

@ViewChildren('tableRows', {read: ViewContainerRef}) rowContainers: QueryList<any>
//We can access to the content using, e.g.
 rowContainers.first.element.nativeElement.textContent;

如果我们的 ViewChildren 是“ElementRef”

@ViewChildren('tableRows', {read: ElementRef}) rowContainers: QueryList<any>
//We can access to the content using, e.g.
 rowContainers.first.nativeElement.textContent;

所以,当我们点击

  rowClick(table:any) {
    //get the order data
    const orderData=this.dataSource._orderData(this.dataSource.data);
    //convert rowContainers to array
    const array=this.rowContainers.toArray();
    //sort the array
    array.sort((a,b)=>{
      //the content of "a" and "b"
      //e.g. will be " 3 Lithium 6.941 Li"
      let contentA=a.element.nativeElement.textContent;
      let contentB=b.element.nativeElement.textContent;
      //get the index in our orderData
      let indexA=orderData.findIndex(d=>''+d.position==contentA.split(' ')[1])
      let indexB=orderData.findIndex(d=>''+d.position==contentB.split(' ')[1])
      //return 0 if equal, 1 if greater, -1 if less
      return indexA==indexB?0:indexA>indexB?1:-1;
    })
    //make a reset
    this.rowContainers.reset(array);
    console.log(this.rowContainers.first.element.nativeElement.textContent);
    this.firstElement = this.rowContainers.first;
  }

Update2 如果我们将表作为 ViewChild

@ViewChild(MatTable, {read:ElementRef}) table

我们可以使用它的nativeElement.textContent,所以

  rowClick(table:any) {
    const array=this.rowContainers.toArray();

    //using context the table
    const tableArray=this.table.nativeElement.textContent.split(' ')
    let order:any[]=[]

    for (let i=9;i<tableArray.length;i+=8)
       order.push(tableArray[i])

    array.sort((a,b)=>{
      let contentA=a.element.nativeElement.textContent;
      let contentB=b.element.nativeElement.textContent;
      let indexA=order.findIndex(d=>d==contentA.split(' ')[1])
      let indexB=order.findIndex(d=>d==contentB.split(' ')[1])
      return indexA==indexB?0:indexA>indexB?1:-1;
    })
    this.rowContainers.reset(array);
    console.log(this.rowContainers.first.element.nativeElement.textContent);
    this.firstElement = this.rowContainers.first;
  }

你的分叉堆栈闪电战

于 2019-01-21T09:35:32.207 回答