typescript Angular 指令选择器无法将图标应用于元素

fnvucqvd  于 2023-01-21  发布在  TypeScript
关注(0)|答案(2)|浏览(95)

我正在尝试做一些类似于这个应用程序的事情:
https://stackblitz.com/edit/angular-table-sort-and-filter?file=src%2Fapp%2Fapp.component.ts
这是我的申请表:
https://stackblitz.com/edit/angular-table-sort-and-filter-w9hrc3?file=src%2Fapp%2Fapp.component.html
超文本:

<thead class="thead-light">
            <tr>
              <th
                *ngFor="let item of list.table.headings; let i = index"
                scope="col"
                sortable="{{ item.content }}"
                (sort)="onSort($event, i)"
              >
                {{ item.content }}
              </th>
            </tr>
</thead>

指令:

export type SortColumn = string | '';
export type SortDirection = 'asc' | 'desc' | '';

const rotate: { [key: string]: SortDirection } = {
  asc: 'desc',
  desc: '',
  '': 'asc',
};

export const compare = (
  v1: string | number | boolean | Date,
  v2: string | number | boolean | Date
) => (v1 < v2 ? -1 : v1 > v2 ? 1 : 0);

export interface SortEvent {
  column: SortColumn;
  direction: SortDirection;
}

@Directive({
  selector: 'th[sortable]',
  host: {
    '[class.asc]': 'direction === "asc"',
    '[class.desc]': 'direction === "desc"',
    '(click)': 'rotate()',
  },
})
export class SortableHeaderDirective {
  @Input() sortable: SortColumn = '';
  @Input() direction: SortDirection = '';
  @Output() sort = new EventEmitter<SortEvent>();

  rotate() {
    this.direction = rotate[this.direction];
    this.sort.emit({ column: this.sortable, direction: this.direction });
  }
}

在原始代码中,当用户点击表格的标题时,会出现一个向上和一个向下的图标(第一个链接),但在我的代码中,它没有出现。我不知道我做错了什么。

chhkpiq4

chhkpiq41#

如果检查渲染的<th>元素:

<th _ngcontent-hpt-c62="" scope="col" ng-reflect-sortable="Tercih"> Tercih </th>

没有sortable属性,而您的SortableHeaderDirective应用于具有sortable属性的<th>元素:'th[sortable]'.
sortable="{{ item.content }}"[sortable]="item.content"用作属性绑定。
可以执行以下任一操作来添加sortable属性:
1.添加sortable,不使用字符串插值。
1.加上[attr.sortable]="item.content"

<th
  *ngFor="let item of list.table.headings; let i = index"
  scope="col"
  sortable="{{ item.content }}"
  (sort)="onSort($event, i)"
  sortable
>
  {{ item.content }}
</th>

Demo @ StackBlitz

v8wbuo2f

v8wbuo2f2#

超文本:

<div class="row">
        <div
          *ngFor="let item of this.list.table.headings; let i = index"
          class="table-view__item__col {{ item.class }}"
        >
          <div scope="col" (sort)="onSort($event, i, this.table)" sortable="{{ item.content }}">
            {{ item.content }}
          </div>
        </div>
</div>

指令:

@Directive({
  selector: 'div[sortable]',
  host: {
    '[class.sorting]': 'true',
    '[class.sorting-desc]': 'direction === "asc"',
    '[class.sorting-asc]': 'direction === "desc"',
    '(click)': 'rotate()',
  },
})

相关问题