将字符串中的appsetting值解析为字符串数组

时间:2017-09-01 11:35:54

标签: c# arrays string parsing config

在app.config中,我有自定义元素的自定义部分。

<BOBConfigurationGroup>
    <BOBConfigurationSection>
        <emails test="test1@test.com, test2@test.com"></emails>
    </BOBConfigurationSection>
</BOBConfigurationGroup>

对于电子邮件元素,我有自定义类型:

public class EmailAddressConfigurationElement : ConfigurationElement, IEmailConfigurationElement
{
    [ConfigurationProperty("test")]
    public string[] Test
    {
        get { return base["test"].ToString().Split(new[] { ',' }, StringSplitOptions.RemoveEmptyEntries); }
        set { base["test"] = value.JoinStrings(); }
    }
}

但是当我运行我的webApp时,我收到错误:

  

财产的价值&#39;测试&#39;无法解析。错误是:无法找到支持转换为/来自字符串的转换器的属性&#39; test&#39;类型&#39; String []&#39;。

有没有解决方法在getter中拆分字符串?

我可以获取字符串值,然后将其拆分为#34;手动&#34;当我需要数组时,但在某些情况下我可以忘记它,所以最好从开始接收数组。

JoinStrings - 是我的自定义扩展方法

 public static string JoinStrings(this IEnumerable<string> strings, string separator = ", ")
 {
     return string.Join(separator, strings.Where(s => !string.IsNullOrEmpty(s)));
 }

2 个答案:

答案 0 :(得分:2)

您可以添加TypeConverter以在stringstring[]之间进行转换:

[TypeConverter(typeof(StringArrayConverter))]
[ConfigurationProperty("test")]
public string[] Test
{
    get { return (string[])base["test"]; }
    set { base["test"] = value; }
}


public class StringArrayConverter: TypeConverter
{
    public override bool CanConvertFrom(ITypeDescriptorContext context, Type sourceType)
    {
        return sourceType == typeof(string[]);
    }
    public override object ConvertFrom(ITypeDescriptorContext context, CultureInfo culture, object value)
    {
        return ((string)value).Split(new[] { ',' }, StringSplitOptions.RemoveEmptyEntries);
    }

    public override bool CanConvertTo(ITypeDescriptorContext context, Type destinationType)
    {
        return destinationType == typeof(string);
    }
    public override object ConvertTo(ITypeDescriptorContext context, CultureInfo culture, object value, Type destinationType)
    {
        return value.JoinStrings();
    }
}

答案 1 :(得分:0)

考虑一种方法:

    [ConfigurationProperty("test")]
    public string Test
    {
        get { return (string) base["test"]; }
        set { base["test"] = value; }
    }

    public string[] TestSplit
    {
        get { return Test.Split(new[] { ',' }, StringSplitOptions.RemoveEmptyEntries); }
    }

TestSplit是您在代码中使用的属性。