Tengo un string
que puede ser "0" o "1", y se garantiza que no será otra cosa.
Entonces, la pregunta es: ¿cuál es la forma mejor, más simple y elegante de convertir esto en a bool
?
c#
type-conversion
Sachin Kainth
fuente
fuente
Respuestas:
De hecho, bastante simple:
bool b = str == "1";
fuente
Ignorando las necesidades específicas de esta pregunta, y aunque nunca es una buena idea lanzar una cadena a un bool, una forma sería usar el método ToBoolean () en la clase Convert:
bool val = Convert.ToBoolean("true");
o un método de extensión para hacer cualquier mapeo extraño que estés haciendo:
public static class StringExtensions { public static bool ToBoolean(this string value) { switch (value.ToLower()) { case "true": return true; case "t": return true; case "1": return true; case "0": return false; case "false": return false; case "f": return false; default: throw new InvalidCastException("You can't cast that value to a bool!"); } } }
fuente
FormatException
como Convert.ToBoolean .Sé que esto no responde a tu pregunta, solo para ayudar a otras personas. Si está intentando convertir cadenas "verdaderas" o "falsas" a booleanas:
Pruebe Boolean.Parse
bool val = Boolean.Parse("true"); ==> true bool val = Boolean.Parse("True"); ==> true bool val = Boolean.Parse("TRUE"); ==> true bool val = Boolean.Parse("False"); ==> false bool val = Boolean.Parse("1"); ==> Exception! bool val = Boolean.Parse("diffstring"); ==> Exception!
fuente
bool b = str.Equals("1")? true : false;
O incluso mejor, como se sugiere en un comentario a continuación:
bool b = str.Equals("1");
fuente
x ? true : false
gracioso cualquier cosa de esta forma .bool b = str.Equals("1")
Funciona bien y es más intuitivo a primera vista.str
es Null y desea que Null se resuelva como False.Hice algo un poco más extensible, aprovechando el concepto de Mohammad Sepahvand:
public static bool ToBoolean(this string s) { string[] trueStrings = { "1", "y" , "yes" , "true" }; string[] falseStrings = { "0", "n", "no", "false" }; if (trueStrings.Contains(s, StringComparer.OrdinalIgnoreCase)) return true; if (falseStrings.Contains(s, StringComparer.OrdinalIgnoreCase)) return false; throw new InvalidCastException("only the following are supported for converting strings to boolean: " + string.Join(",", trueStrings) + " and " + string.Join(",", falseStrings)); }
fuente
Usé el siguiente código para convertir una cadena a booleana.
fuente
Aquí está mi intento de conversión de cadena a bool más indulgente que todavía es útil, básicamente quitando solo el primer carácter.
public static class StringHelpers { /// <summary> /// Convert string to boolean, in a forgiving way. /// </summary> /// <param name="stringVal">String that should either be "True", "False", "Yes", "No", "T", "F", "Y", "N", "1", "0"</param> /// <returns>If the trimmed string is any of the legal values that can be construed as "true", it returns true; False otherwise;</returns> public static bool ToBoolFuzzy(this string stringVal) { string normalizedString = (stringVal?.Trim() ?? "false").ToLowerInvariant(); bool result = (normalizedString.StartsWith("y") || normalizedString.StartsWith("t") || normalizedString.StartsWith("1")); return result; } }
fuente
private static readonly ICollection<string> PositiveList = new Collection<string> { "Y", "Yes", "T", "True", "1", "OK" }; public static bool ToBoolean(this string input) { return input != null && PositiveList.Any(λ => λ.Equals(input, StringComparison.OrdinalIgnoreCase)); }
fuente
Yo uso esto:
public static bool ToBoolean(this string input) { //Account for a string that does not need to be processed if (string.IsNullOrEmpty(input)) return false; return (input.Trim().ToLower() == "true") || (input.Trim() == "1"); }
fuente
Me encantan los métodos de extensión y este es el que uso ...
static class StringHelpers { public static bool ToBoolean(this String input, out bool output) { //Set the default return value output = false; //Account for a string that does not need to be processed if (input == null || input.Length < 1) return false; if ((input.Trim().ToLower() == "true") || (input.Trim() == "1")) output = true; else if ((input.Trim().ToLower() == "false") || (input.Trim() == "0")) output = false; else return false; //Return success return true; } }
Luego, para usarlo, haz algo como ...
bool b; bool myValue; data = "1"; if (!data.ToBoolean(out b)) throw new InvalidCastException("Could not cast to bool value from data '" + data + "'."); else myValue = b; //myValue is True
fuente
Si desea probar si una cadena es un booleano válido sin excepciones, puede probar esto:
string stringToBool1 = "true"; string stringToBool2 = "1"; bool value1; if(bool.TryParse(stringToBool1, out value1)) { MessageBox.Show(stringToBool1 + " is Boolean"); } else { MessageBox.Show(stringToBool1 + " is not Boolean"); }
salida
is Boolean
y la salida para stringToBool2 es: 'no es booleano'fuente