메서드를 std::map
사용한 후 키 값을 업데이트 하는 find
방법은 무엇입니까?
다음과 같은 맵 및 반복기 선언이 있습니다.
map <char, int> m1;
map <char, int>::iterator m1_it;
typedef pair <char, int> count_pair;
나는 캐릭터의 발생 횟수를 저장하기 위해 맵을 사용하고 있습니다.
Visual C ++ 2010을 사용하고 있습니다.
메서드를 std::map
사용한 후 키 값을 업데이트 하는 find
방법은 무엇입니까?
다음과 같은 맵 및 반복기 선언이 있습니다.
map <char, int> m1;
map <char, int>::iterator m1_it;
typedef pair <char, int> count_pair;
나는 캐릭터의 발생 횟수를 저장하기 위해 맵을 사용하고 있습니다.
Visual C ++ 2010을 사용하고 있습니다.
답변:
std::map::find
찾은 요소 (또는 end()
요소가없는 경우)에 대한 반복자를 반환합니다 . 그래서 오랫동안 같이 map
const를하지, 당신은 반복자가 가리키는 요소를 수정할 수 있습니다 :
std::map<char, int> m;
m.insert(std::make_pair('c', 0)); // c is for cookie
std::map<char, int>::iterator it = m.find('c');
if (it != m.end())
it->second = 42;
error: assignment of member 'std::pair<char* const, char*>::second' in read-only object
:(
연산자 []를 사용합니다.
map <char, int> m1;
m1['G'] ++; // If the element 'G' does not exist then it is created and
// initialized to zero. A reference to the internal value
// is returned. so that the ++ operator can be applied.
// If 'G' did not exist it now exist and is 1.
// If 'G' had a value of 'n' it now has a value of 'n+1'
따라서이 기술을 사용하면 스트림에서 모든 문자를 읽고 계산하는 것이 정말 쉬워집니다.
map <char, int> m1;
std::ifstream file("Plop");
std::istreambuf_iterator<char> end;
for(std::istreambuf_iterator<char> loop(file); loop != end; ++loop)
{
++m1[*loop]; // prefer prefix increment out of habbit
}
[]
후 사용 을 제안한다고 믿을 수 있습니다 find
(나는 이것이 당신의 의도라고 생각하지 않습니다).
end()
반복자를 역 참조하는 것은 정의되지 않은 동작이므로 생성 할 필요가 없습니다 SIGSEGV
(내 경험상 그렇게 할 가능성이 낮습니다).
이미 키를 알고있는 경우 다음을 사용하여 해당 키의 값을 직접 업데이트 할 수 있습니다. m[key] = new_value
다음은 도움이 될 수있는 샘플 코드입니다.
map<int, int> m;
for(int i=0; i<5; i++)
m[i] = i;
for(auto it=m.begin(); it!=m.end(); it++)
cout<<it->second<<" ";
//Output: 0 1 2 3 4
m[4] = 7; //updating value at key 4 here
cout<<"\n"; //Change line
for(auto it=m.begin(); it!=m.end(); it++)
cout<<it->second<<" ";
// Output: 0 1 2 3 7