Отслеживание конверсий строк
После изучения этого поста я собрал его знания в отдельную тестовую программу C++ (протестирован с GCC-4.6 с флагом -std=gnu++0x
), который включает в себя все альтернативные методы, описанные в нем. Проверено на работу с английскими буквами. Тем не менее, ни один из них не меняет случай, когда я ввожу не-ASCII заглавные буквы, такие как шведские буквы ÅÄÖ
, Зачем? Я проверил, что исходный код сохранен в UTF-8.
/*!
* \file t_locale.cpp
* \brief Three Ways of doing case-conversions.
* \see https://stackru.com/questions/313970/stl-string-to-lower-case
*/
#include <iostream>
#include <string>
#include <algorithm>
#include <functional>
#include <locale>
#include <iomanip>
#include <cassert>
#include <boost/bind.hpp>
#include <boost/algorithm/string.hpp>
int main(int argc, const char * argv[], const char * envp[])
{
using std::cout;
using std::endl;
using std::string;
string a = "ÅÄÖ";
std::locale loc("sv_SE.UTF-8");
auto do_assert = true;
cout << "original: " << a << endl;
// C++
{
auto b = a;
std::transform(a.begin(), a.end(), b.begin(),
std::bind2nd(std::ptr_fun(&std::tolower<char>), loc));
cout << "tolower: " << b << endl;
if (do_assert) assert(a != b);
string c(b);
std::transform(b.begin(), b.end(), c.begin(),
std::bind2nd(std::ptr_fun(&std::toupper<char>), loc));
cout << "back: " << c << endl;
if (do_assert) assert(a == c);
}
// Boost Alternative A
{
auto b = a;
std::transform(a.begin(), a.end(), b.begin(),
boost::bind(std::tolower<char>, _1, loc));
cout << "tolower: " << b << endl;
if (do_assert) assert(a != b);
string c(b);
std::transform(b.begin(), b.end(), c.begin(),
boost::bind(std::toupper<char>, _1, loc));
cout << "back: " << c << endl;
if (do_assert) assert(a == c);
}
// Boost Alternative b
{
auto b = boost::to_lower_copy(a); // locale safe
cout << "tolower: " << b << endl;
if (do_assert) assert(a != b);
auto c = boost::to_upper_copy(b); // locale safe
cout << "back: " << c << endl;
if (do_assert) assert(a == c);
}
return 0;
}