Computer >> 컴퓨터 >  >> 프로그램 작성 >> C++

C++ STL의 Array::fill() 및 array::swap()?

<시간/>

이 섹션에서는 C++ STL에서 array::fill() 및 array::swap()의 사용법을 볼 것입니다.

array::fill() 함수는 지정된 값으로 배열을 채우는 데 사용됩니다. 아이디어를 얻기 위해 한 가지 예를 살펴보겠습니다.

예시

#include<iostream>
#include<array>
using namespace std;
main() {
   array<int, 10> arr = {00, 11, 22, 33, 44, 55, 66, 77, 88, 99};
   cout << "Array elements: ";
   for(auto it = arr.begin(); it != arr.end(); it++){
      cout << *it << " ";
   }
   //fill array with 5
   arr.fill(5);
   cout << "\nArray elements after fill: ";
   for(auto it = arr.begin(); it != arr.end(); it++){
      cout << *it << " ";
   }
}

출력

Array elements: 0 11 22 33 44 55 66 77 88 99
Array elements after fill: 5 5 5 5 5 5 5 5 5 5

array::swap() 함수는 한 배열의 내용을 다른 배열로 바꾸는 데 사용됩니다. 아이디어를 얻기 위해 한 가지 예를 살펴보겠습니다.

예시

#include<iostream>
#include<array>
using namespace std;
main() {
   array<int, 10> arr1 = {00, 11, 22, 33, 44, 55, 66, 77, 88, 99};
   array<int, 10> arr2 = {85, 41, 23, 65, 74, 02, 51, 74, 98, 22};
   cout << "Array1 elements: ";
   for(auto it = arr1.begin(); it != arr1.end(); it++){
      cout << *it << " ";
   }
   cout << "\nArray2 elements: ";
   for(auto it = arr2.begin(); it != arr2.end(); it++){
      cout << *it << " ";
   }
   //swap array elements
   arr1.swap(arr2);
   cout << "\nArray1 elements (After swap): ";
   for(auto it = arr1.begin(); it != arr1.end(); it++){
      cout << *it << " ";
   }
   cout << "\nArray2 elements (After swap): ";
   for(auto it = arr2.begin(); it != arr2.end(); it++){
      cout << *it << " ";
   }
}

출력

Array1 elements: 0 11 22 33 44 55 66 77 88 99
Array2 elements: 85 41 23 65 74 2 51 74 98 22
Array1 elements (After swap): 85 41 23 65 74 2 51 74 98 22
Array2 elements (After swap): 0 11 22 33 44 55 66 77 88 99