在 C++ 中反转字符串使用反向迭代器?

发布于 2024-12-01 18:11:15 字数 290 浏览 0 评论 0原文

我有以下代码,但我似乎无法找到一种方法来反转此处的字符串:

stringstream convert;
string y="";
string z="";
convert << x;
string::reverse_iterator rit;
y=convert.str();
int j=0;
for (rit = y.rbegin(); rit < y.rend(); rit++){
    z[j] = *rit;
    j++;
}

有人可以帮我解决这个问题吗?谢谢!

I have the following code and I just can't seem to figure out a way to get the strings reversed here:

stringstream convert;
string y="";
string z="";
convert << x;
string::reverse_iterator rit;
y=convert.str();
int j=0;
for (rit = y.rbegin(); rit < y.rend(); rit++){
    z[j] = *rit;
    j++;
}

Can someone help me out with this? Thanks!

如果你对这篇内容有疑问,欢迎到本站社区发帖提问 参与讨论,获取更多帮助,或者扫码二维码加入 Web 技术交流群。

扫码二维码加入Web技术交流群

发布评论

需要 登录 才能够评论, 你可以免费 注册 一个本站的账号。

评论(4

我一向站在原地 2024-12-08 18:11:15
z.assign(y.rbegin(), y.rend());

或者您可以在构造时执行此操作:

std::string z(y.rbegin(), y.rend());

如果您想就地修改字符串,请使用 std::reverse:

std::reverse(y.begin(), y.end());
z.assign(y.rbegin(), y.rend());

Or you can do it upon construction:

std::string z(y.rbegin(), y.rend());

If you want to modify a string in place, use std::reverse:

std::reverse(y.begin(), y.end());
守不住的情 2024-12-08 18:11:15

我会这样做:

stringstream convert;
convert << x;
string y(convert.str());
string z(y.rbegin(), y.rend());
return z;

不需要编写手动循环!

I'd do this:

stringstream convert;
convert << x;
string y(convert.str());
string z(y.rbegin(), y.rend());
return z;

No need to write a manual loop!

心意如水 2024-12-08 18:11:15

使用 std::reverse 更容易。

std::reverse( source.begin(), source.end() ); // source is of type std::string

Using std::reverse is easier.

std::reverse( source.begin(), source.end() ); // source is of type std::string
紫瑟鸿黎 2024-12-08 18:11:15

我认为您的问题出在这个循环中:

int j=0;
for (rit = y.rbegin(); rit < y.rend(); rit++){
    z[j] = *rit;
    j++;
}

请注意,您正在不同位置写入字符串 z 。但是,您实际上尚未初始化 z 以便其中包含任何元素,因此这是写入不存在的位置,从而导致未定义的行为。

要解决此问题,请尝试在末尾附加新字符,而不是写入 z 中的位置:

for (rit = y.rbegin(); rit < y.rend(); rit++){
    z += *rit;
}

I think that your problem is in this loop:

int j=0;
for (rit = y.rbegin(); rit < y.rend(); rit++){
    z[j] = *rit;
    j++;
}

Notice that you're writing into the string z at various positions. However, you haven't actually initialized z so that there's any elements in it, so this is writing to nonexistent locations, which results in undefined behavior.

To fix this, instead of writing to locations in z, try appending new characters to the end:

for (rit = y.rbegin(); rit < y.rend(); rit++){
    z += *rit;
}
~没有更多了~
我们使用 Cookies 和其他技术来定制您的体验包括您的登录状态等。通过阅读我们的 隐私政策 了解更多相关信息。 单击 接受 或继续使用网站,即表示您同意使用 Cookies 和您的相关数据。
原文