0

我有一堂课

    public class TextBoxConfig
    {
        public string Caption { get; set; }
        public string FieldName { get; set; }
        public int Width { get; set; }
        public string Name { get; set; }
    }

和另一个实用程序类,它有一个接受 TextBoxConfig 作为参数的方法,像这样

    public class Util
    {
      public static TextBox ApplySettings(TextBoxConfig  config)
      {
         //Doing something
      }
    }

一般来说,我可以像这样调用 Util 类 ApplySettings 方法

    TextBoxConfig config  = new TextBoxConfig();
    config.Caption = "Name";
    config.FieldName = "UserName"
    config.Width = 20;
    config.Name = "txtName";

    TextBox txt = Util.ApplySettings(config);

但我想像这样将参数传递给 ApplySettings

    TextBox txt = Util.ApplySettings(o =>
    {
        o.Caption = "Name";
        o.FieldName = "UserName"
        o.Width = 20;
        o.Name = "txtName";
    });              

请建议我该怎么做..

4

2 回答 2

0

与您的愿望不完全相同,但非常接近:

TextBox txt = Util.ApplySettings(new TextBoxConfig()
{
    Caption = "Name",
    FieldName = "UserName",
    Width = 20,
    Name = "txtName"
});

请注意每个设置后的逗号。请参阅http://msdn.microsoft.com/en-us/library/vstudio/bb397680.aspx

于 2013-03-30T11:58:44.060 回答
0

好吧,振作起来:这也是一样的,只是用 lambda 表达式强制执行。

TextBox txt = Util.ApplySettings(o =>
{
    o.Caption = "Name";
    o.FieldName = "UserName";
    o.Width = 20;
    o.Name = "txtName";
});

public class Util
{
    public static TextBox ApplySettings(TextBoxConfig config)
    {
        //Doing something
    }

    public static TextBox ApplySettings(Action<TextBoxConfig> modifier)
    {
        var config = new TextBoxConfig();
        modifier(config);

        return ApplySettings(config);            
    }
}

我不得不在语句之后添加一些分号。我更喜欢另一个答案。但我希望这能满足你对 lambda 表达式的渴望。

于 2013-03-30T12:21:28.350 回答