0

我构建了一个这样的流畅界面:

criador.Include("Idade", 21).Include("Idade", 21);

我可以做这样的事情:

criador.Include({"Idade", 21},{"Idade", 21});

我尝试使用 params 关键字的用户方法:

public myType Include(params[] KeyValuePair<string,object> objs){
    //Some code
}

但我需要这样做:

criador.Include(new KeyValuePair<string, object>{"Idade", 21}, new KeyValuePair<string, object>{"Idade", 21});

关键是我不想在方法上写没有“新”关键字

4

3 回答 3

1

您可以使用隐式转换:

public class ConvertibleKeyValuePair
{
    public ConvertibleKeyValuePair(string key, int value)
    {
        _key = key;
        _value = value;
    }

    public static implicit operator ConvertibleKeyValuePair(string s)
    {
        string[] parts = s.Split(';');
        if (parts.Length != 2) {
            throw new ArgumentException("ConvertibleKeyValuePair can only convert string of the form \"key;value\".");
        }
        int value;
        if (!Int32.TryParse(parts[1], out value)) {
            throw new ArgumentException("ConvertibleKeyValuePair can only convert string of the form \"key;value\" where value represents an int.");
        }
        return new ConvertibleKeyValuePair(parts[0], value);
    }

    private string _key;
    public string Key { get { return _key; } }

    private int _value;
    public int Value { get { return _value; } }

}

// 测试

private static ConvertibleKeyValuePair[] IncludeTest(
    params ConvertibleKeyValuePair[] items)
{
    return items;
}

private static void TestImplicitConversion()
{
    foreach (var item in IncludeTest("adam;1", "eva;2")) {
        Console.WriteLine("key = {0}, value = {1}", item.Key, item.Value);
    }
    Console.ReadKey();
}
于 2011-08-13T14:54:08.963 回答
0

另一种方法是编写多个重载:每增加一对所需的参数一个重载。这可能看起来有点矫枉过正,但实际上可以使代码非常清晰。

public void Include(string k0, object v0) { ... }
public void Include(string k0, object v0, string k1, object v1) { ... }
public void Include(string k0, object v0, string k1, object v1, string k2, object v2) { ... }
public void Include(string k0, object v0, string k1, object v1, string k2, object v2, string k3, object v3) { ... }
public void Include(string k0, object v0, string k1, object v1, string k2, object v2, string k3, object v3, string k4, object v4) { ... }

每种方法执行不同的操作。坏事是,您有固定数量的最大参数数量。

好东西,您可以优化每个函数的调用以提高性能。

如果需要,您还可以使用基类或接口的扩展方法来使用此技术。

于 2011-08-13T21:13:41.950 回答
0

一种方法是使用Tuples:

criador.Include(Tuple.Create("Idade", 21), Tuple.Create("Idade", 21));

或者您可以创建一个可以保存值的类型:

criador.Include(new StrIntDict{ {"Idade", 21}, {"Idade", 21} });

StrIntDict基本上在哪里Dictionary<string, int>:它必须实现IEnumerable并且有一个方法Add(string, int)。(你可以Dictionary<string, int>直接使用,但我认为你的目标是简洁,这么长的名字并没有多大帮助。)

于 2011-08-13T15:36:09.750 回答