Convert string to boolean in C#

后端 未结 2 1928
长情又很酷
长情又很酷 2020-12-16 11:10

I need help converting a string to a bool value:

I\'ve been trying to get the value (true or false) from the TopMost for my program and save it in my settings.

相关标签:
2条回答
  • 2020-12-16 12:04

    I know this is not an ideal question to answer but as the OP seems to be a beginner, I'd love to share some basic knowledge with him... Hope everybody understands

    OP, you can convert a string to type Boolean by using any of the methods stated below:

     string sample = "True";
     bool myBool = bool.Parse(sample);
    
     ///or
    
     bool myBool = Convert.ToBoolean(sample);
    

    bool.Parse expects one parameter which in this case is sample, .ToBoolean also expects one parameter.

    You can use TryParse which is the same as Parse but it doesn't throw any exception :)

      string sample = "false";
      Boolean myBool;
    
      if (Boolean.TryParse(sample , out myBool))
      {
      }
    

    Please note that you cannot convert any type of string to type Boolean because the value of a Boolean can only be True or False

    Hope you understand :)

    0 讨论(0)
  • 2020-12-16 12:13

    You must use some of the C # conversion systems:

    string to boolean: True to true

    string str = "True";
    bool mybool = System.Convert.ToBoolean(str);
    

    boolean to string: true to True

    bool mybool = true;
    string str = System.Convert.ToString(mybool);
    
    //or
    
    string str = mybool.ToString();
    

    bool.Parse expects one parameter which in this case is str, even .

    Convert.ToBoolean expects one parameter.

    bool.TryParse expects two parameters, one entry (str) and one out (result).

    If TryParse is true, then the conversion was correct, otherwise an error occurred

    string str = "True";
    bool MyBool = bool.Parse(str);
    
    //Or
    
    string str = "True";
    if(bool.TryParse(str, out bool result))
    {
       //Correct conversion
    }
    else
    {
         //Incorrect, an error has occurred
    }
    
    0 讨论(0)
提交回复
热议问题