Computer >> คอมพิวเตอร์ >  >> การเขียนโปรแกรม >> C++

โปรแกรม C ++ เพื่อใช้แมปใน STL


แผนที่คือคอนเทนเนอร์ที่เชื่อมโยงกันซึ่งจัดเก็บองค์ประกอบในรูปแบบแผนที่ แต่ละองค์ประกอบมีค่าคีย์และค่าที่แมป ไม่มีค่าที่แมปสองค่าใดที่สามารถมีค่าคีย์ที่เหมือนกันได้

ใช้ฟังก์ชันที่นี่:

  • m::find() – ส่งคืนตัววนซ้ำไปยังองค์ประกอบที่มีค่าคีย์ 'b' ในแผนที่ หากพบ มิฉะนั้นจะส่งคืนตัววนซ้ำเพื่อสิ้นสุด

  • m::erase() – ลบค่าคีย์ออกจากแผนที่

  • m::equal_range() – ส่งกลับตัววนซ้ำของคู่ คู่หมายถึงขอบเขตของช่วงที่รวมองค์ประกอบทั้งหมดในคอนเทนเนอร์ซึ่งมีคีย์เทียบเท่ากับคีย์

  • m insert() – เพื่อแทรกองค์ประกอบในคอนเทนเนอร์แผนที่

  • m size() – ส่งกลับจำนวนองค์ประกอบในคอนเทนเนอร์แผนที่

  • m count() – ส่งกลับจำนวนการจับคู่กับองค์ประกอบที่มีค่าคีย์ 'a' หรือ 'f' ในแผนที่

โค้ดตัวอย่าง

#include<iostream>
#include <map>
#include <string>
using namespace std;
int main () {
   map<char, int> m;
   map<char, int>::iterator it;
   m.insert (pair<char, int>('a', 10));
   m.insert (pair<char, int>('b', 20));
   m.insert (pair<char, int>('c', 30));
   m.insert (pair<char, int>('d', 40));
   cout<<"Size of the map: "<< m.size() <<endl;
   cout << "map contains:\n";
   for (it = m.begin(); it != m.end(); ++it)
      cout << (*it).first << " => " << (*it).second << '\n';
   for (char c = 'a'; c <= 'd'; c++) {
      cout << "There are " << m.count(c) << " element(s) with key " << c << ":";
      map<char, int>::iterator it;
      for (it = m.equal_range(c).first; it != m.equal_range(c).second; ++it)
         cout << ' ' << (*it).second;
         cout << endl;
   }
   if (m.count('a'))
      cout << "The key a is present\n";
   else
      cout << "The key a is not present\n";
   if (m.count('f'))
      cout << "The key f is present\n";
   else
      cout << "The key f is not present\n";
   it = m.find('b');
   m.erase (it);
   cout<<"Size of the map: "<<m.size()<<endl;
   cout << "map contains:\n";
   for (it = m.begin(); it != m.end(); ++it)
   cout << (*it).first << " => " << (*it).second << '\n';
   return 0;
}

ผลลัพธ์

Size of the map: 4
map contains:
a => 10
b => 20
c => 30
d => 40
There are 1 element(s) with key a: 10
There are 1 element(s) with key b: 20
There are 1 element(s) with key c: 30
There are 1 element(s) with key d: 40
The key a is present
The key f is not present
Size of the map: 3
map contains:
a => 10
c => 30
d => 40