我有一个正在Angular 2(RC1)中开发的应用程序。需要从数据库中创建菜单。数据通过Web Api以JSON形式传递。我想递归地从数据构建菜单,以确保菜单的深度不是问题。

问题是当我想在ngFor循环的特定行上添加类,并且该类被添加到所有行而不是仅添加到我想添加的一行时。

代码看起来像这样:

sidenav.component.ts

import { Component, Input } from '@angular/core';
import { IMenu } from '../../../shared/models/menu.interface';
import { MenuComponent } from './menu.component';

@Component({
    moduleId: module.id,
    selector: 'sidenav',
    templateUrl: 'sidenav.component.html',
    directives: [MenuComponent]
})
export class SidenavComponent {
    @Input() menu: IMeni[]
}

sidenav.component.html
...
<menu-view [menu]="menu"></menu-view>
...

menu.component.ts
import { Component, Input } from '@angular/core';
import { IMenu } from '../../../shared/models/menu.interface';
@Component({
    moduleId: module.id,
    selector: 'menu-view',
    templateUrl: 'menu.component.html',
    directives: [MenuComponent]
})
export class MenuComponent {
    isSelected: boolean = false;
    @Input() meni: IMeni[];

    onSelect(): void {
        this.isSelected = !this.isSelected;
    }
}

menu.component.html
<ul>
     <li  *ngFor="let item of menu; let frst=first"
           class="menu-list"
           [ngClass]="{'active': 'isSelected', 'active': 'frst'}">

        <a [routerLink]="[item.uri]" (click)="onSelect()" > {{item.name}}</a>

        <meni-view [menu]="item.children"></meni-view>

     </li>
</ul>

因此,当我单击“ parent ”时,所有 parent 都变得活跃起来,不仅是那个特定的 parent ,还将是令人满意的行为。我做错了什么?

最佳答案

似乎您的变量 isSelected 在列表中共享。更改变量以跟踪索引。

export class App {
    menu = [{name: "Item 1", url: "/item1"}, {name: "Item 2", url: "/item2"},{name: "Item 3", url: "/item3"}];
    selectedIdx = 0;

    selectItem(index):void {
        this.selectedIdx = index;
    }
}

用它渲染
<li  *ngFor="let item of menu;let i = index"
   class="menu-list" [ngClass]="{'active': selectedIdx == i}">
   <a (click)="selectItem(i)"> {{item.name}}</a>
</li>

在职的
http://plnkr.co/edit/7aDLNnhS8MQ1mJVfhGRR

关于angular - ngFor循环中的样式,我们在Stack Overflow上找到一个类似的问题:https://stackoverflow.com/questions/37545947/

10-16 19:43