1

在 MVC 中你可以说:

Html.TextBoxFor(m => m.FirstName)

这意味着您将模型属性作为参数(而不是值)传递,因此 MVC 可以获取元数据等。

我正在尝试在 C# WinForms 项目中做类似的事情,但不知道如何做。基本上我在用户控件中有一组布尔属性,我想在字典中枚举它们以便于访问:

public bool ShowView { get; set; }
public bool ShowEdit { get; set; }
public bool ShowAdd { get; set; }
public bool ShowDelete { get; set; }
public bool ShowCancel { get; set; }
public bool ShowArchive { get; set; }
public bool ShowPrint { get; set; }

不知何故,我想定义一个 Dictionary 对象,其中 Enum Actions 作为键,属性作为值:

public Dictionary<Actions, ***Lambda magic***> ShowActionProperties = new Dictionary<Actions,***Lambda magic***> () {
    { Actions.View, () => this.ShowView }
    { Actions.Edit, () => this.ShowEdit }
    { Actions.Add, () => this.ShowAdd}
    { Actions.Delete, () => this.ShowDelete }
    { Actions.Archive, () => this.ShowArchive }
    { Actions.Cancel, () => this.ShowCancel }
    { Actions.Print, () => this.ShowPrint }
}

我需要将属性而不是属性值传递到字典中,因为它们可能会在运行时发生变化。

想法?

-布伦丹

4

2 回答 2

3

您所有的示例都没有输入参数并返回一个布尔值,因此您可以使用:

Dictionary<Actions, Func<bool>>

然后,您可以评估 lambda 以获取属性的运行时值:

Func<bool> fn = ShowActionProperties[ Actions.View ];
bool show = fn();
于 2013-01-02T00:17:58.380 回答
2

听说过表达式树吗? Charlie Calvert 关于表达式树的介绍

假设您要定义一个引用字符串属性的方法;你可以做到这一点的一种方法是有一个方法:

public string TakeAProperty(Expression<Func<string>> stringReturningExpression)
{
    Func<string> func = stringReturningExpression.Compile();
    return func();
}

然后您可以通过以下方式调用:

void Main()
{
    var foo = new Foo() { StringProperty = "Hello!" };
    Console.WriteLine(TakeAProperty(() => foo.StringProperty));
}

public class Foo
{
    public string StringProperty {get; set;}
}

然而,表达式树让你做的远不止这些;我衷心建议在那里做一些研究。:)

编辑:另一个例子

public Func<Foo,string> FetchAProperty(Expression<Func<Foo,string>> expression)
{
    // of course, this is the simplest use case possible
    return expression.Compile();
}

void Main()
{
    var foo = new Foo() { StringProperty = "Hello!" };
    Func<Foo,string> fetcher = FetchAProperty(f => f.StringProperty);
    Console.WriteLine(fetcher(foo));
}

更多参考链接:

表达式树和 lambda 分解

关于表达式树的 CodeProject 教程

在 API 中使用表达式树

表达树上令人惊叹的 Bart de Smet

于 2013-01-02T00:19:05.230 回答