c++ copyarray
时间: 2024-04-28 22:16:10 浏览: 136
C语言数组操作(长度、输出、拷贝、插入、删除、排序)
5星 · 资源好评率100%
C++中的`copy`函数可以用于将一个数组的元素复制到另一个数组中。它的函数原型如下:
```cpp
template <class InputIterator, class OutputIterator>
OutputIterator copy(InputIterator first, InputIterator last, OutputIterator result);
```
其中,`first`和`last`是输入范围的迭代器,表示要复制的元素范围。`result`是输出范围的迭代器,表示复制后的元素存放的位置。
以下是一个示例代码,演示了如何使用`copy`函数将一个数组的元素复制到另一个数组中:
```cpp
#include <iostream>
#include <algorithm>
int main() {
int source[] = {1, 2, 3, 4, 5};
int destination[5];
std::copy(std::begin(source), std::end(source), std::begin(destination));
for (int i = 0; i < 5; i++) {
std::cout << destination[i] << " ";
}
return 0;
}
```
输出结果为:`1 2 3 4 5`。
阅读全文