8

我创建了具有@Input()绑定属性 src 的 img-pop 组件。我创建了具有@HostBinding()属性 src 的 authSrc 指令。

@Component({
selector: 'img-pop',

template: `<img [src]="src"/>
            <div *ngIf="isShow">
                 <----extra value----->
            </div>`
})

export class ImgPopOverComponent implements OnInit {

@Input()
private src;

private isShow=false;

@HostListener('mouseenter') onMouseEnter() {
    this.isShow= true;
}

@HostListener('mouseleave') onMouseLeave() {
    this.isShow= false;
}

}

我有这样的指令。

@Directive({ selector: '[authSrc]' })
export class AuthSrcDirective implements OnInit {

@HostBinding()
private src: string;

constructor(private element: ElementRef) { }

ngOnInit() { }

  @Input()
  set authSrc(src) {
   this.src = src+"?access_token=<-token->";
  }
}

我想将这两种功能合二为一。

<img-pop [authSrc]="/api/url/to/image"></img-pop>

这样最终的 url 调用将是 /api/url/to/image?access_token= <--token-->

但它会引发Can't bind to 'src' since it isn't a known property of 'img-pop'.错误

plnkr 链接

如果我对概念有误,请纠正我。

谢谢你。

4

2 回答 2

4

根据核心贡献者的这个回答@HostBinding,不可能使用. @HostBinding总是直接绑定到 DOM。所以这是设计使然。这是解释:

这按预期工作,如:

  • 使用数据绑定在同一元素上的指令/组件之间进行通信比通过使一个注入其他数据而直接通信慢
  • 指令之间的绑定很容易导致循环。

因此,就您而言,这是可能的解决方案:

export class AuthSrcDirective {
    // inject host component
    constructor(private c: ImgPopOverComponent ) {    }

    @Input()
    set authSrc(src) {
        // write the property directly
        this.c.src = src + "?access_token=<-token->";
    }
}

有关更通用的方法,请参阅

于 2017-05-21T17:04:13.800 回答
1

指令仅针对与静态添加到组件模板的 HTML 匹配的选择器进行实例化。
无法从元素中动态添加/删除指令。唯一的方法是添加/删除整个元素(例如使用*ngIf

于 2017-05-21T20:34:17.457 回答