如何从c#中的Dictionary(key,value)中检索特定值

时间:2011-09-24 23:42:25

标签: c#

这是我的方法:

/// <summary>
/// Uses Dictionary(Key,Value) where key is the property and value is the field name.
/// Matches the dictionary of mandatory fields with object properties
/// and checks whether the current object has values in it or
/// not.
/// </summary>
/// <param name="mandatoryFields">List of string - properties</param>
/// <param name="o">object of the current class</    
/// <param name="message">holds the message for end user to display</param>
/// <returns>The name of the property</returns>   
public static bool CheckMandatoryFields(Dictionary<string,string > mandatoryFields, object o,out StringBuilder  message)
{
    message = new StringBuilder();
    if(mandatoryFields !=null && mandatoryFields.Count>0)
    {
        var sourceType = o.GetType();
        var properties = sourceType.GetProperties(BindingFlags.Public | BindingFlags.Static);
        for (var i = 0; i < properties.Length; i++)
        {
            if (mandatoryFields.Keys.Contains(properties[i].Name))
            {
                if (string.IsNullOrEmpty( properties[i].GetValue(o, null).ToString()))
                {
                    message.AppendLine(string.Format("{0} name is blank.", mandatoryFields.Values));
                }
            }
        }
        if(message.ToString().Trim().Length>0)
        {
            return false;
        }
    }
    return true;
}

在这里我有params Dictionary,它将保存类的属性名称及其对应的字段名(由业务层或UI中的开发人员手动提供)。 所以我想要的是当属性在验证的路上时,如果找到属性为null或空白,那么它的相应fieldname(实际上是字典的值)将被添加到上面方法中的stringbuilder消息中。

我希望我很清楚。

1 个答案:

答案 0 :(得分:0)

以另一种方式循环:

public static bool CheckMandatoryFields(Dictionary<string,string > mandatoryFields, object o,out StringBuilder  message)
{
    message = new StringBuilder();
    if(mandatoryFields == null || mandatoryFields.Count == 0)
    {
        return true;
    }

    var sourceType = o.GetType();
    foreach (var mandatoryField in mandatoryFields) {
        var property = sourceType.GetProperty(mandatoryField.Key, BindingFlags.Public | BindingFlags.Static);
        if (property == null) {
            continue;
        }

        if (string.IsNullOrEmpty(property.GetValue(o, null).ToString()))
        {
            message.AppendLine(string.Format("{0} name is blank.", mandatoryField.Value));
        }
    }

    return message.ToString().Trim().Length == 0;
}

这样,您可以遍历要检查的属性,因此您始终可以处理“当前”属性,并从字典中了解相应的键和值。

摘录

if (property == null) {
    continue;
}

导致该函数将属性作为字典中的名称而不是作为有效类型的实际属性处理,以反映原始代码的作用。