具有默认属性值的Typescript mixins(派生自新的MyClass)

问题描述 投票:0回答:2

我正在尝试使用Typescript中的一些mixins,并且已经掌握了一些基础知识,可以使用几种不同的方法来构建mixin。在所有这些中我得到了同样的错误。

这是我的mixin类:

export class OnDestroyMixin implements OnDestroy {

    public destroyStream: Subject<void> = new Subject();

    ngOnDestroy(): void {
        console.log(`on destroy from mixin`);

        this.destroyStream.next();
        this.destroyStream.complete();
    }
}

每当调用on destroy函数时(在此之后已经混合到另一个类中)this.destroyStream不存在,所以我得到一个Cannot read property 'next' of undefined错误。

我考虑过在构造函数中设置它,但我不确定构造函数在mixins中是如何工作的......

我认为这应该是可能的。

我目前使用的mixin方法是mixin装饰器:

export function Mixin(baseCtors: Function[]) {
    return function (derivedCtor: Function) {
        baseCtors.forEach(baseCtor => {
            Object.getOwnPropertyNames(baseCtor.prototype).forEach(name => {
                const descriptor = Object.getOwnPropertyDescriptor(baseCtor.prototype, name);

                if (name === 'constructor')
                    return;

                if (descriptor && (!descriptor.writable || !descriptor.configurable || !descriptor.enumerable || descriptor.get || descriptor.set)) {
                    Object.defineProperty(derivedCtor.prototype, name, descriptor);
                } else {
                    derivedCtor.prototype[name] = baseCtor.prototype[name];
                }

            });
        });
    };
}

我从网上的某个地方复制了但是正如我所说的那样,我尝试了几种不同的方法,这些方法都基本上将属性从一个原型复制到另一个原型。

typescript mixins
2个回答
0
投票

正如我之前的回答中提到的,问题是属性的值是在mixin类的构造函数中设置的,并且在mixin装饰器中忽略了构造函数。

另一种方法是不在构造函数中设置属性值,而是使用getter和setter定义属性:

export class OnDestroyMixin implements OnDestroy {
    private _destroyStream: Subject<boolean>;

    public get destroyStream(): Subject<boolean>{
        let stream = this._destroyStream;

        if(stream == null){
            stream = new Subject<boolean>();
            this._destroyStream = stream;
        }

        return stream;
    }


    public ngOnDestroy(): void {
        this.destroyStream.next();
        this.destroyStream.complete();
    }
}

事实上,在这种情况下,不需要setter,因为只读值很有用。因为我们使用的是getter,所以这不是普通的属性,也没有在构造函数中设置。相反,我们使用getter函数定义属性。这是在mixin装饰器中复制的。


0
投票

此问题的根本原因是,当您将类转换为JavaScript this value is set in the constructor时,在类上定义属性值。上面的mixin代码专门忽略了构造函数。这里真正的解决方案是将两个类构造函数合并在一起。

在Typescript中似乎有两种不同的mixin方法。类似于我的问题中的方法,我们遍历原型属性并将它们从一个类复制到另一个类,另一个我们简单地return a new class that extends the original

function Flies<TBase extends Constructor>(Base: TBase) {
    return class extends Base {
        fly() {
            alert('Is it a bird? Is it a plane?');
        }
    };
}

我曾经以为我无法在角度中使用它,因为它是一个返回一个新类的函数,但完全有可能如here所示:

class SourceClass{}

@Component({
    selector: 'some-selector',
    templateUrl: './some-selector.html',
    styleUrls: ['./some-selector.scss']
})
export class SampleMixedClass extends Flies(SourceClass) {}
© www.soinside.com 2019 - 2024. All rights reserved.