用栈将字符串逆序输出c++
时间: 2024-02-01 15:03:43 浏览: 99
c++编写程序,实现字符串的逆序输出
可以通过栈的先进后出的特性,将字符串逆序输出。具体实现步骤如下:
1. 遍历字符串,将每个字符依次入栈;
2. 依次出栈每个字符,即可实现字符串逆序输出。
以下是 C++ 代码示例:
```cpp
#include <iostream>
#include <stack>
#include <string>
using namespace std;
int main()
{
string str;
stack<char> stk;
cout << "请输入字符串:";
getline(cin, str); // 获取包含空格的字符串
// 将字符串中的每个字符入栈
for (int i = 0; i < str.length(); i++) {
stk.push(str[i]);
}
// 依次出栈每个字符,即可实现字符串逆序输出
cout << "逆序输出的字符串为:";
while (!stk.empty()) {
cout << stk.top();
stk.pop();
}
cout << endl;
return 0;
}
```
输入示例:
```
请输入字符串:hello world
```
输出示例:
```
逆序输出的字符串为:dlrow olleh
```
阅读全文