C#中实现适配器模式

C#中实现适配器模式

适配器模式(Adapter Pattern)是作为两个不兼容的接口之间的桥梁。这种类型的设计模式属于结构型模式,它结合了两个独立接口的功能。

这种模式涉及到一个单一的类,该类负责加入独立的或不兼容的接口功能

适配器涉及到的类:

  • Target
  • Adapter
  • Adaptee
  • Client
    internal class Program
    {
        static void Main(string[] args)
        {
            Target target = new Adapter();
            target.Request();


            Console.ReadKey();

        }
    }

    public class Client
    {

    }


    /// 
    /// The 'Target' class
    /// 
    public class Target
    {
        public virtual void Request()
        {
            Console.WriteLine("Called Target Request()");
        }
    }

    /// 
    /// The 'Adapter' class
    /// 
    public class Adapter : Target
    {
        private Adaptee adaptee = new Adaptee();
        public override void Request()
        {
            // Possibly do some other work
            // and then call SpecificRequest
            adaptee.SpecificRequest();
        }
    }

    /// 
    /// The 'Adaptee' class
    /// 
    public class Adaptee
    {
        public void SpecificRequest()
        {
            Console.WriteLine("Called SpecificRequest()");
        }
    }

你可能感兴趣的:(C#,c#,适配器模式,java,设计模式)