概述
适配器模式(Adapter Pattern)是一种结构型设计模式,它将一个类的接口转换成客户希望的另一个接口,使得原本由于接口不兼容而不能一起工作的类可以一起工作。适配器模式通过引入一个适配器类来解决接口不兼容的问题,从而提高了代码的复用性和灵活性。
结构
适配器模式包含以下几个角色:
- 目标接口(Target):定义客户所需的接口。
- 适配者(Adaptee):定义一个已经存在的接口,这个接口需要适配。
- 适配器(Adapter):实现目标接口,并通过在内部调用适配者的方法来实现目标接口。
示例代码
假设我们有一个应用程序需要将现有的文本格式化类适配成新的格式化接口。
代码地址
目标接口
public interface ITextFormatter
{
string FormatText(string text);
}
适配者
public class LegacyTextFormatter
{
public string FormatString(string str)
{
// 旧的文本格式化逻辑
return $"[Legacy] {str}";
}
}
适配器
public class TextFormatterAdapter : ITextFormatter
{
private readonly LegacyTextFormatter _legacyTextFormatter;
public TextFormatterAdapter(LegacyTextFormatter legacyTextFormatter)
{
_legacyTextFormatter = legacyTextFormatter;
}
public string FormatText(string text)
{
// 调用适配者的方法
return _legacyTextFormatter.FormatString(text);
}
}
客户端代码
class Program
{
static void Main(string[] args)
{
LegacyTextFormatter legacyFormatter = new LegacyTextFormatter();
ITextFormatter formatter = new TextFormatterAdapter(legacyFormatter);
string formattedText = formatter.FormatText("Hello, World!");
Console.WriteLine(formattedText);
}
}
应用场景
适配器模式适用于以下场景:
- 当你希望使用一个已经存在的类,但它的接口不符合你的需求时。
- 当你想创建一个可以复用的类,该类可以与其他不相关的类或不可预见的类协同工作时。
- 当你希望使用一些现有的子类,但不可能对每一个都进行子类化以匹配它们的接口时。
优缺点
优点
- 提高类的复用性:通过适配器模式,可以将现有的类复用到新的环境中,而不需要修改其代码。
- 提高类的灵活性:适配器模式使得两个不兼容的类可以一起工作,从而提高了系统的灵活性。
缺点
- 增加代码复杂性:引入适配器类会增加系统的复杂性,特别是当适配器层次过多时。
- 性能开销:适配器模式可能会增加一些额外的调用开销,影响系统性能。