Convert.ChangeType从int转换为bool

DRo*_*rtE 1 c# int boolean

如果需要,使用以下命令从查询字符串中获取值并转换为特定类型.

public static T Convert<T>(NameValueCollection QueryString, string KeyName, T DefaultValue) where T : IConvertible
    {
        //Get the attribute
        string KeyValue = QueryString[KeyName];

        //Not exists?
        if (KeyValue == null) return DefaultValue;

        //Empty?
        if (KeyValue == "") return DefaultValue;

        //Convert
        try
        {
            return (T)System.Convert.ChangeType(KeyValue, typeof(T));
        }
        catch
        {
            return DefaultValue;
        }
    } 
Run Code Online (Sandbox Code Playgroud)

会打电话

int var1 = Convert<int>(HttpContext.Current.Request.QueryString,"ID", 0);
Run Code Online (Sandbox Code Playgroud)

但是,当尝试执行以下操作时,它无法正常工作,所以我的问题是,如果从querystring变量检索的值是1或0而不是true,则可以更改代码来处理bool.

ie... instead of
http://localhost/default.aspx?IncludeSubs=true
the call is
http://localhost/default.aspx?IncludeSubs=1

bool var1 = Convert<bool>(HttpContext.Current.Request.QueryString,"IncludeSubs", false);
Run Code Online (Sandbox Code Playgroud)

Alb*_*rto 5

您可以修改您的转换方法,以便按如下方式处理布尔值:

//Convert
try
{
    var type = typeof(T);
    if(type == typeof(bool))
    {
        bool boolValue;
        if(bool.TryParse(KeyValue, out boolValue))
            return boolValue;
        else
        {
            int intValue;
            if(int.TryParse(KeyValue, out intValue))
                return System.Convert.ChangeType(intValue, type);
        }
    }
    else
    {
        return (T)System.Convert.ChangeType(KeyValue, type);
    }
}
catch
{
    return DefaultValue;
}
Run Code Online (Sandbox Code Playgroud)

通过这种方式,你可以转换为布尔值,如:"true","False","0","1"