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

C++ STL의 map find() 함수

<시간/>

이 기사에서는 C++ STL에서 map::find() 함수의 작동, 구문 및 예제에 대해 논의할 것입니다.

C++ STL의 맵이란 무엇입니까?

맵은 키 값과 매핑된 값의 조합으로 형성된 요소를 특정 순서로 저장하는 데 도움이 되는 연관 컨테이너입니다. 지도 컨테이너에서 데이터는 항상 관련 키를 사용하여 내부적으로 정렬됩니다. 맵 컨테이너의 값은 고유 키로 액세스됩니다.

map::find()란 무엇입니까?

map::find( )는 헤더 파일 아래에 있는 함수입니다. 이 함수는 우리가 찾고자 하는 주어진 키의 요소를 가리키는 반복자를 반환합니다.

구문

map_name.find(key_value k);

매개변수

이 함수는 다음을 받아들입니다

매개변수

케이: 지도 컨테이너에서 검색하려는 키 값입니다.

반환 값

키 k와 관련된 요소를 가리키는 반복자를 반환합니다.

예시

입력

map<char, int> newmap;
newmap[‘a’]
= 1;
newmap[‘b’] = 2;
newmap.find(b);

출력

2

예시

#include <bits/stdc++.h>
using namespace std;
int main() {
   map<int, int> TP_Map;
   TP_Map.insert({3, 50});
   TP_Map.insert({2, 30});
   TP_Map.insert({1, 10});
   TP_Map.insert({4, 70});
   cout<<"TP Map is : \n";
   cout << "MAP_KEY\tMAP_ELEMENT\n";
   for (auto i = TP_Map.begin(); i!= TP_Map.end(); i++) {
      cout << i->first << "\t" << i->second << endl;
   }
   //to find the map values at position
   auto var = TP_Map.find(1);
   cout<<"Found element at position "<<var->first<<" is : "<<var->second;
   auto var_1 = TP_Map.find(2);
   cout<<"\nFound element at position "<<var_1->first<<" is : "<<var_1->second;
   return 0;
}

출력

TP Map is:
MAP_KEY    MAP_ELEMENT
1             10
2             30
3             50
4             70
Found element at position 1 is : 10
Found element at position 2 is : 30

예시

#include <bits/stdc++.h>
using namespace std;
int main() {
   map<int, int> TP_Map;
   TP_Map.insert({3, 50});
   TP_Map.insert({2, 30});
   TP_Map.insert({1, 10});
   TP_Map.insert({4, 70});
   cout<<"TP Map is : \n";
   cout << "MAP_KEY\tMAP_ELEMENT\n";
   for (auto i = TP_Map.find(2); i!= TP_Map.end(); i++) {
      cout << i->first << "\t" << i->second << endl;
   }
   return 0;
}

출력

TP Map is:
MAP_KEY    MAP_ELEMENT
2             30
3             50
4             70