C++에서 참조로 벡터 전달
이 기사에서는 C++에서 참조로 벡터를 전달하는 방법에 대한 여러 방법을 보여줍니다.
vector<T> &arr
표기법을 사용하여 C++에서 참조로 벡터 전달
std::vector
는 저장된 요소를 조작하기위한 여러 내장 함수가있는 동적 객체를 제공하므로 C++로 배열을 저장하는 일반적인 방법입니다. 벡터
는 상당히 큰 메모리 공간을 가질 수 있으므로 함수에 전달할 때 신중하게 고려해야합니다. 일반적으로 참조로 전달하고 함수 범위에 대한 전체 개체의 복사본을 피하는 것이 가장 좋습니다.
다음 예에서는int
의 단일 벡터를 참조로 취하고 요소를 수정하는 함수를 보여줍니다. vector
요소는 주 함수에서multiplyByTwo
호출 전후에 인쇄됩니다. 새 변수arr_mult_by2
에 반환 값을 저장하더라도 동일한 객체에서 요소가 수정되고 새 복사본이 반환되지 않았기 때문에 원래arr
이름으로 액세스 할 수 있습니다.
#include <iostream>
#include <iterator>
#include <vector>
using std::copy;
using std::cout;
using std::endl;
using std::string;
using std::vector;
vector<int> &multiplyByTwo(vector<int> &arr) {
for (auto &i : arr) {
i *= 2;
}
return arr;
}
int main() {
vector<int> arr = {1, 2, 3, 4, 5, 6, 7, 8, 9, 10};
cout << "arr - ";
copy(arr.begin(), arr.end(), std::ostream_iterator<int>(cout, "; "));
cout << endl;
auto arr_mult_by2 = multiplyByTwo(arr);
cout << "arr_mult_by2 - ";
copy(arr_mult_by2.begin(), arr_mult_by2.end(),
std::ostream_iterator<int>(cout, "; "));
cout << endl;
return EXIT_SUCCESS;
}
출력:
arr - 1; 2; 3; 4; 5; 6; 7; 8; 9; 10;
arr_mult_by2 - 2; 4; 6; 8; 10; 12; 14; 16; 18; 20;
const vector<T> &arr
표기법을 사용하여 C++에서 참조로 벡터 전달
다른 한편으로 함수 정의에서 수정을 위해 전달 된 참조에 액세스 할 수 있음을 보장 할 수 있습니다. 이 기능은 현재 함수 범위에서 주어진 객체에 대한 수정을 금지하도록 컴파일러에 지시하는const
한정자 키워드와 함께 제공됩니다. 이것은 개발자에게 강조 할 필요가없는 선택적 세부 사항처럼 보일 수 있지만 때로는 이러한 키워드가 컴파일러가 더 나은 성능을 위해 기계 코드를 최적화하는 데 도움이 될 수 있습니다.
#include <iostream>
#include <iterator>
#include <vector>
using std::copy;
using std::cout;
using std::endl;
using std::string;
using std::vector;
vector<int> &multiplyByTwo(vector<int> &arr) {
for (auto &i : arr) {
i *= 2;
}
return arr;
}
void findInteger(const vector<int> &arr) {
int integer = 10;
for (auto &i : arr) {
if (i == integer) {
cout << "found - " << integer << " in the array" << endl;
return;
}
}
cout << "couldn't find - " << integer << " in the array" << endl;
}
int main() {
vector<int> arr = {1, 2, 3, 4, 5, 6, 7, 8, 9, 10};
auto arr_mult_by2 = multiplyByTwo(arr);
findInteger(arr);
findInteger(arr_mult_by2);
return EXIT_SUCCESS;
}
출력:
found - 10 in the array
found - 10 in the array
Founder of DelftStack.com. Jinku has worked in the robotics and automotive industries for over 8 years. He sharpened his coding skills when he needed to do the automatic testing, data collection from remote servers and report creation from the endurance test. He is from an electrical/electronics engineering background but has expanded his interest to embedded electronics, embedded programming and front-/back-end programming.
LinkedIn Facebook