0

如何在c#中实现这个方法:

public static void SetParam(string element, string property, dynamic value){
 // Do something
}

// Usage:
setParam("textBox1","Text","Hello");

在 JavaScript 中,这看起来:

function SetParam(element, property, value) {
 document.getElementById(element)[property]=value;
}

// Usage:
SetParam("textBox","value","Hello");
4

3 回答 3

1

如果我正确理解你的问题,这可以通过反射的一点帮助来完成......

首先添加一个:using System.Reflection;到你的cs文件的顶部。

由于我不知道您使用的是 WPF 还是 Winforms - 这里有 2 个示例...
WPF:

您可以使用此版本的 SetParam:

private void SetParam(string name, string property, dynamic value)
{
      // Find the object based on it's name
      object target = this.FindName(name);

      if (target != null)
      {
          // Find the correct property
          Type type = target.GetType();
          PropertyInfo prop = type.GetProperty(property);

          // Change the value of the property
          prop.SetValue(target, value);
      }
}

用法:

private void Window_Loaded(object sender, RoutedEventArgs e)
{
   SetParam("textbox", "Text", "Hello");   

textbox像这样声明的地方:

<TextBox x:Name="textbox" />

对于 Winforms,只需将 SetParam 更改为:

private void SetParam(string name, string property, dynamic value)
{
      // Find the object based on it's name
      object target = this.Controls.Cast<Control>().FirstOrDefault(c => c.Name == name);

      if (target != null)
      {
          // Find the correct property
          Type type = target.GetType();
          PropertyInfo prop = type.GetProperty(property);

          // Change the value of the property
          prop.SetValue(target, value);
      }
}
于 2013-03-12T23:10:40.693 回答
1

也许以下内容对您有用。

public void SetParam(string element, string property, dynamic value)
{
    FieldInfo field = typeof(Form1).GetField(element, BindingFlags.NonPublic | BindingFlags.Instance);
    object control = field.GetValue(this);
    control.GetType().GetProperty(property).SetValue(control, value, null);
}

替换Form1为包含要修改的控件的表单类。

编辑:在阅读了 Blachshma 的回答后,我意识到你必须把

using System.Reflection;

在文件的顶部。

我还假设它是用于 Windows 窗体应用程序的。

最后,获取控件引用的更好方法可能是使用Form.ControlsGreg 建议的属性。

于 2013-03-12T23:11:50.763 回答
0

假设“元素”变量是控件的 Id,然后使用反射:

    

PropertyInfo propertyInfo = form1.Controls.Where(c => c.id == element).FirstOrDefault().GetType().GetProperty(property,
                            BindingFlags.Instance | BindingFlags.Public | BindingFlags.IgnoreCase);
    if (propertyInfo != null)
    {
        if (propertyInfo.PropertyType.Equals(value.GetType()))
            propertyInfo.SetValue(control, value, null);
        else
            throw new Exception("Property DataType mismatch, expecting a " +
                                propertyInfo.PropertyType.ToString() + " and got a " +
                                value.GetType().ToString());
    }
}
于 2013-03-12T23:16:46.553 回答