如何编写可与基类一起使用的扩展方法
本文关键字:扩展 方法 一起 何编写 基类 | 更新日期: 2023-09-27 18:28:25
想法是使用扩展方法来扩展我的功能。
因此,与其有这样的东西:
return Add(Add(storage.GetFirst(), 3), 7);
我想要这样的东西:
return storage.GetFirst().Add(3).Add(7);
扩展方法的问题是它们在静态类中必须是静态的。这是我想做的事情的简化示例
public class Storage
{
public int GetFirst()
{
return 100;
}
public int GetAll(int x, int y)
{
// ...
return x + y;
}
}
public abstract class MyBase
{
protected Storage storage;
protected MyBase()
{
storage = new Storage();
}
public int Add(int what, int howMuch)
{
return storage.GetAll(what, howMuch);
}
}
public class MyClass : MyBase
{
public int method1()
{
return Add(Add(storage.GetFirst(), 3), 7);
//I want have something like this:
// return storage.GetFirst().Add(3).Add(7);
}
}
非课程类Storage、MyBase和MyClass不能是静态的。逻辑被简化为有一个干净简单的例子,所以类之间的关系必须保持不变。我想做的是让Add方法成为扩展方法,但让其他方法"或多或少相同"。
这可能做到吗?如何做到?
另一种解决方案是让Storage类实际存储一些东西:
public class Storage
{
private int currentValue;
public Storage GetFirst()
{
this.currentValue = 100;
return this;
}
public Storage Add(int toAdd)
{
this.currentValue += toAdd;
return this;
}
public int GetResult()
{
return this.currentValue;
}
}
这样你的电话就会是:
int result = new Storage().GetFirst().Add(3).Add(5).GetResult();
有一个用于扩展的静态类,并使用以下内容:
internal static T Map<T> (this int source, Func<int, int, T> function, int extraParam) {
function (source, extraParam);
}
然后你可以让你的添加方法类似于:
storage.GetFirst ().Map (Add, 3).Map (Add, 7);
在不修改任何代码的情况下,可以实现您想要做的事情。但您当前的设计很难做到。您应该在Storage
类中有一些存储空间。Storage
类中没有存储,尽管它的名称是什么。
public class StorageValue
{
public StorageValue(Storage storage)
{
this.Storage = storage;
}
public StorageValue(Storage storage, int value)
{
this.Storage = storage;
this.Value = value;
}
public Storage Storage { get; private set; }
public int Value { get; private set; }
public StorageValue GetFirst()
{
return new StorageValue(Storage, Storage.GetFirst());
}
public StorageValue Add(int value)
{
return new StorageValue(Storage, Storage.GetAll(Value, value));
}
public int GetValue()
{
return Value;
}
}
public static class StorageExtensions
{
public static StorageValue ToStorageValue(this Storage storage)
{
return new StorageValue(storage);
}
}
这两个类,你可以调用像这样的方法
public class MyClass : MyBase
{
public int method1()
{
return storage
.ToStorageValue()
.GetFirst()
.Add(3)
.Add(7)
.GetValue();
}
}
如果您希望Add
、GetFirst
作为扩展方法,现在可以使用StorageValue
类来实现。但在StorageValue
类中本身更有意义。
话虽如此,@Manuel Zelenka的回答与我的相似,看起来更好。你可以调整其中的任何一个。