typescript 设计模式--桥模式

意义与作用

  • 隔离原来一个类中两个或多个维度的变化
  • 按照多个维度变化又不相互影响
  • 减少产生类的个数
  • 提高了可扩展性

举例

电脑的可分为pad、笔记本、台式,电脑的品牌可能又分为苹果、联想、小米、戴尔,如果每增加一个类型比如pad就是后来才有的,那就需要每个品牌都要创建,反过来也是一样,所以要分离品牌和电脑的类型

interface IBrand {
    name: string;
    info: string;
    getContect:()=>string;
}
class Lenovo implements IBrand {
    name: string = '联想';
    info: string = 'something';
    getContect() {
        return '123'
    }
}
class Dell implements IBrand {
    name: string = '戴尔';
    info: string = 'somethine';
    getContect() {
        return '456';
    }
}
class Apple implements IBrand {
    name: string = '苹果';
    info: string = 'somethine';
    getContect() {
        return '456';
    }  
}
abstract class  Icomputer {
    branch: IBrand;
    abstract type: string;
    abstract doSomething():void;
    constructor(branch: IBrand) {
        this.branch = branch;
    }
}
class Laptop extends Icomputer {
    type = 'sss';
    constructor(branch: IBrand) {
        super(branch);
    }
    public doSomething() {
        console.log('0000000000');
    }
}
class Pad extends Icomputer {
    type = 'sss';
    constructor(branch: IBrand) {
        super(branch);
    }
    public doSomething() {
        console.log('0000000000');
    }
}
class PC extends Icomputer {
    type = 'sss';
    constructor(branch: IBrand) {
        super(branch);
    }
    public doSomething() {
        console.log('0000000000');
    }
}
let branch: IBrand = new Lenovo();
let computer: Icomputer = new Pad(branch);

在typescript中用interface更多的作用是为了子类的开发不出现偏差,在变量定义类型时主要检查是否这个类满足要求。
但是在强类型带指针的那种,更多的是解决编译性依赖,实现动态装配。

你可能感兴趣的:(typescript,设计模式)