2

我正在开发一个通用搜索表单,该表单中的搜索控件取决于<T>属性的类型,例如,如果 T 是Order

public class Order
{
   public string OrderNumber {get; set;} // search control is 1 TextBox
   public decimal OrderWeight {get; set;} // search controls are 2 TextBox (for accepting a range)
}

搜索表单将是这样的

在此处输入图像描述

我在我的表单中使用了这些语句来决定每个T属性的适当控制:

if (propertyType.Name == "System.String")
   InsertOneTextBox(paramInfo);
else 
   if(propertyType.Name == "System.Int32" || propertyType.Name == "System.Decimal") 
      InsertTwoTextBoxs(paramInfo);
   else
    if(propertyType.Name == "System.DateTime") 
      InsertTwoDateTimePickers(paramInfo);
    else
       if(propertyType.Name == someotherconditions)    
          InsertOneComboBox(paramInfo);
   ....  

是否有避免使用if elses 或switch case决定为每种属性类型设置哪些适当控件的最佳实践?

4

2 回答 2

5

您可以构建某种地图:

更新

根据您的评论:

    // somewhere this class is defined in your code
    class ParamInfo {}

    private readonly Dictionary<Type, Action<ParamInfo>> typeToControlsInsertActionMap;

    public MyForm()
    {
        typeToControlsInsertActionMap = new Dictionary<Type, Action<ParamInfo>>
        {
            { typeof(string), InsertOneTextBox },
            { typeof(int), InsertTwoTextBoxs },
            { typeof(decimal), InsertTwoTextBoxs },

            // etc.
        };
    }

    private void InsertOneTextBox(ParamInfo paramInfo) {}
    private void InsertTwoTextBoxs(ParamInfo paramInfo) {}        

Action<ParamInfo>是一个委托,它根据属性类型插入适当的控件:

var paramInfo = // ...
var propertyType = // ...    

typeToControlsInsertActionMap[propertyType](paramInfo);

请注意,您不应该在您的情况下检查类型名称。请改用typeof运算符。

于 2013-06-17T04:58:27.443 回答
0

使用 TinyType 创建一个类,并使您的输入字符串具有强类型。基于这些输入创建 4 个策略(谈论策略模式),所有这些策略都从同一个界面驱动。创建一个工厂类并在你需要这些策略的地方注入你的类。现在在你的类中注入这个工厂,让你的字符串输入和工厂决定你想要做什么样的插入(一个文本框/ 2个文本框等)

于 2013-06-24T13:03:37.283 回答