当父级调整大小时,Angular2组件会监听

时间:2016-05-06 19:50:28

标签: resize angular

我有一个要求,我希望通过方法调用来改变子组件的属性,具体取决于其父组件的大小。我遇到的问题是,我可以听到的唯一调整大小事件是窗口的事件,由于窗口大小没有变化而没有帮助,只有父组件是由于侧面板div打开而收盘。

我目前唯一能看到的可能是进行某种轮询,我们在子组件本身内检查其宽度是否每隔x个时间发生了变化。

感谢您的帮助!

1 个答案:

答案 0 :(得分:1)

你是正确的,你不能在div上获得resize事件(没有安装一些js扩展名)。但这样的事情很有效。

父组件:

import {Component, AfterContentInit, ElementRef} from '@angular/core';
import { ChildComponent } from "./ChildComponent";

export interface IParentProps {
    width: number;
    height: number;
}
@Component({
    selector: 'theParent',
    template: `text text  text text text text
               text text text text text text
               <the-child [parentProps]="parentProps"></the-child>`,
    directives: [ChildComponent] 
})

export class ParentComponent implements AfterContentInit {
    sizeCheckInterval = null;
    parentProps: IParentProps = {
        width: 0,
        height: 0
    }
    constructor(private el: ElementRef) {
    }
    ngAfterContentInit() {
        this.sizeCheckInterval = setInterval(() => {
            let h = this.el.nativeElement.offsetHeight;
            let w = this.el.nativeElement.offsetWidth;
            if ((h !== this.parentProps.height) || (w !== this.parentProps.width)) {
                this.parentProps = {
                    width: w,
                    height: h

                }
            }
        }, 100);

    }
    ngOnDestroy() {
        if (this.sizeCheckInterval !== null) {
            clearInterval(this.sizeCheckInterval);
        }
    }
}

子组件:

import {Component, Input, SimpleChange} from "@angular/core";
import { IParentProps } from "./ParentComponent";

@Component({
    directives: [],
    selector: "the-child",
    template: `child`
})
export class ChildComponent {
    @Input() parentProps: IParentProps;
    constructor() {
        this.parentProps = {
            width: 0,
            height: 0
        }
    }
    ngOnChanges(changes: { [propName: string]: SimpleChange }) {
        this.parentProps = changes["parentProps"].currentValue;
        console.log("parent dims changed");
    }

}