开发者

c++ std::string to boolean

开发者 https://www.devze.com 2023-01-14 02:56 出处:网络
I am currently reading from a开发者_如何学Gon ini file with a key/value pair.i.e. isValid = true

I am currently reading from a开发者_如何学Gon ini file with a key/value pair. i.e.

isValid = true

When get the key/value pair I need to convert a string of 'true' to a bool. Without using boost what would be the best way to do this?

I know I can so a string compare on the value ("true", "false") but I would like to do the conversion without having the string in the ini file be case sensitive.

Thanks


Another solution would be to use tolower() to get a lower-case version of the string and then compare or use string-streams:

#include <sstream>
#include <string>
#include <iomanip>
#include <algorithm>
#include <cctype>

bool to_bool(std::string str) {
    std::transform(str.begin(), str.end(), str.begin(), ::tolower);
    std::istringstream is(str);
    bool b;
    is >> std::boolalpha >> b;
    return b;
}

// ...
bool b = to_bool("tRuE");


#include <string>
#include <strings.h>
#include <cstdlib>
#include <iostream>

bool
string2bool (const std::string & v)
{
    return !v.empty () &&
        (strcasecmp (v.c_str (), "true") == 0 ||
         atoi (v.c_str ()) != 0);
}

int
main ()
{
    std::string s;
    std::cout << "Please enter string: " << std::flush;
    std::cin >> s;
    std::cout << "This is " << (string2bool (s) ? "true" : "false") << std::endl;
}

An example input and output:

$ ./test 
Please enter string: 0
This is false
$ ./test 
Please enter string: 1
This is true
$ ./test 
Please enter string: 3
This is true
$ ./test 
Please enter string: TRuE
This is true
$ 


If you can't use boost, try strcasecmp:

#include <cstring>

std::string value = "TrUe";

bool isTrue = (strcasecmp("true",value.c_str()) == 0);


Lowercase the string by iterating the string and calling tolower on the carachters, then compare it to "true" or "false", if casing is your only concern.

for (std::string::iterator iter = myString.begin(); iter != myString.end(); iter++)
    *iter = tolower(*iter);


Suggestions for case-insenstive string comparisions on C++ strings can be found here: Case insensitive string comparison in C++

0

精彩评论

暂无评论...
验证码 换一张
取 消