C++의 함수에서 벡터를 반환하는 방법

Jinku Hu 2023년10월12일
  1. vector<T> func()표기법을 사용하여 함수에서 벡터 반환
  2. vector<T> &func()표기법을 사용하여 함수에서 벡터 반환
C++의 함수에서 벡터를 반환하는 방법

이 기사에서는 C++에서 효율적으로 함수에서 벡터를 반환하는 방법을 소개합니다.

vector<T> func()표기법을 사용하여 함수에서 벡터 반환

함수에 선언 된 vector변수를 반환하는 경우 값에 의한 반환이 선호되는 방법입니다. 이 방법의 효율성은 이동 의미론에서 비롯됩니다. 즉, 벡터를 반환하는 것은 객체를 복사하지 않으므로 추가 속도 / 공간을 낭비하지 않습니다. 내부적으로는 반환 된vector 객체에 대한 포인터를 가리 키므로 전체 구조 또는 클래스를 복사하는 것보다 더 빠른 프로그램 실행 시간을 제공합니다.

#include <iostream>
#include <iterator>
#include <vector>

using std::cout;
using std::endl;
using std::vector;

vector<int> multiplyByFour(vector<int> &arr) {
  vector<int> mult;
  mult.reserve(arr.size());

  for (const auto &i : arr) {
    mult.push_back(i * 4);
  }
  return mult;
}

int main() {
  vector<int> arr = {1, 2, 3, 4, 5, 6, 7, 8, 9, 10};
  vector<int> arrby4;

  arrby4 = multiplyByFour(arr);

  cout << "arr    - | ";
  copy(arr.begin(), arr.end(), std::ostream_iterator<int>(cout, " | "));
  cout << endl;
  cout << "arrby4 - | ";
  copy(arrby4.begin(), arrby4.end(), std::ostream_iterator<int>(cout, " | "));
  cout << endl;

  return EXIT_SUCCESS;
}

출력:

arr    - | 1 | 2 | 3 | 4 | 5 | 6 | 7 | 8 | 9 | 10 |
arrby4 - | 4 | 8 | 12 | 16 | 20 | 24 | 28 | 32 | 36 | 40 |

vector<T> &func()표기법을 사용하여 함수에서 벡터 반환

이 메서드는 큰 구조체와 클래스를 반환하는 데 가장 적합한 참조에 의한 반환 표기법을 사용합니다. 함수 자체에서 선언 된 지역 변수의 참조는 댕글 링 참조로 이어 지므로 반환하지 마십시오. 다음 예제에서는 arr 벡터를 참조로 전달하고 참조로도 반환합니다.

#include <iostream>
#include <iterator>
#include <vector>

using std::cout;
using std::endl;
using std::vector;

vector<int> &multiplyByFive(vector<int> &arr) {
  for (auto &i : arr) {
    i *= 5;
  }
  return arr;
}

int main() {
  vector<int> arr = {1, 2, 3, 4, 5, 6, 7, 8, 9, 10};
  vector<int> arrby5;

  cout << "arr    - | ";
  copy(arr.begin(), arr.end(), std::ostream_iterator<int>(cout, " | "));
  cout << endl;

  arrby5 = multiplyByFive(arr);

  cout << "arrby5 - | ";
  copy(arrby5.begin(), arrby5.end(), std::ostream_iterator<int>(cout, " | "));
  cout << endl;

  return EXIT_SUCCESS;
}

출력:

arr    - | 1 | 2 | 3 | 4 | 5 | 6 | 7 | 8 | 9 | 10 |
arrby5 - | 5 | 10 | 15 | 20 | 25 | 30 | 35 | 40 | 45 | 50 |
작가: Jinku Hu
Jinku Hu avatar Jinku Hu avatar

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

관련 문장 - C++ Vector