c++如何实现上下翻转
时间: 2024-10-05 20:04:07 浏览: 30
在C++中,你可以使用数组或向量来实现一个简单的字符串或整数数组的上下翻转。这里提供两种常见方法:
**1. 使用数组(字符数组)的例子**:
```cpp
#include <iostream>
using namespace std;
void reverseArray(char arr[], int start, int end) {
while (start < end) {
char temp = arr[start];
arr[start] = arr[end];
arr[end] = temp;
start++;
end--;
}
}
int main() {
char str[] = "Hello, World!";
int length = sizeof(str) / sizeof(str[0]) - 1; // Subtract 1 to exclude null terminator
reverseArray(str, 0, length - 1);
cout << str << endl; // 输出:!dlroW ,olleH
return 0;
}
```
**2. 使用vector的例子**:
```cpp
#include <iostream>
#include <algorithm> // 包含reverse算法
using namespace std;
void reverseVector(vector<int>& nums) {
reverse(nums.begin(), nums.end());
}
int main() {
vector<int> numbers = {1, 2, 3, 4, 5};
reverseVector(numbers);
for (int num : numbers) {
cout << num << ' ';
}
// 输出:5 4 3 2 1
return 0;
}
```
阅读全文