下面的代码你一定可以轻松写出:
std::string strA = "FlushHip";
std::string strB(strA);
std::reverse(strB.begin(), strB.end());
std::cout << strA << " <-> " << strB << std::endl;
有一个小技巧可以少写一行代码:利用反向迭代器和字符串的构造函数。
std::string strA = "FlushHip";
std::string strB(strA.rbegin(), strA.rend());
std::cout << strA << " <-> " << strB << std::endl;
这个方法对于静态数组同样适用:
char strA[] = "FlushHip";
std::string strB(std::rbegin(strA), std::rend(strA));
std::cout << strA << " <-> " << strB << std::endl;
不过对于动态数组就不适用了。老老实实用第一种方法吧。
enum { MAX_LEN = 9 };
std::unique_ptr<char[]> strA(new char[MAX_LEN]{ "FlushHip" });
std::string strB(strA.get());
std::reverse(strB.begin(), strB.end());
std::cout << strA << " <-> " << strB << std::endl;
|