5

我对装饰器模式有疑问

可以说我有这个代码

interface IThingy 
{
    void Execute(); 
}

internal class Thing : IThingy
{
    public readonly string CanSeeThisValue;

    public Thing(string canSeeThisValue)
    {
        CanSeeThisValue = canSeeThisValue;
    }

    public void Execute()
    {
        throw new System.NotImplementedException();
    } 
}

class Aaa : IThingy 
{
    private readonly IThingy thingy;

    public Aaa(IThingy thingy)
    {
        this.thingy = thingy;
    }

    public void Execute()
    {
        throw new System.NotImplementedException();
    } 
}


class Bbb : IThingy {
    private readonly IThingy thingy;

    public Bbb(IThingy thingy)
    {
        this.thingy = thingy;
    }

    public void Execute()
    {
        throw new System.NotImplementedException();
    } 
}

class Runit {
    void Main()
    {
        Aaa a = new Aaa(new Bbb(new Thing("Can this be accessed in decorators?")));
    } 
}

我们有一个名为 thing 的类,它由两个装饰器 Aaa 和 Bbb 包装

如何最好地从 Aaa 或 Bbb 访问字符串值“CanSeeThisValue”(在 Thing 中)

我试图为它们所有人创建一个基类,但是当然,虽然它们共享相同的基类,但它们并不共享相同的基类实例

我是否需要将值传递给每个构造函数?

4

1 回答 1

2

装饰器将功能添加到它们正在包装的项目的公共接口中。如果您希望您的装饰器访问Thing不属于的成员IThingy,那么您应该考虑装饰器是否应该换Thing行而不是IThingy.

或者,如果所有人都IThingy应该有一个CanSeeThisValue属性,那么将该属性也作为IThingy接口添加(并实现)为属性的一部分。

interface IThingy 
{
    string CanSeeThisValue { get; }

    void Execute(); 
}

Thing看起来像:

internal class Thing : IThingy
{
    public string CanSeeThisValue { get; private set; }

    public Thing(string canSeeThisValue)
    {
        CanSeeThisValue = canSeeThisValue;
    }

    ...

} 
于 2012-05-01T16:23:06.973 回答