// Insert the keys [100, 200). Now there are 200 keys. for (int i = num_keys; i < 2 * num_keys; i++) { // 单个插入数据,一共插入100个新数据 KEY_TYPE new_key = i; PAYLOAD_TYPE new_payload = dis(gen); index.insert(new_key, new_payload); }
// Erase the keys [0, 10). Now there are 190 keys. for (int i = 0; i < 10; i++) { // 擦除key值为0~9的十个元素 index.erase(i); }
// Iterate through all entries in the index and update their payload if the // key is even int num_entries = 0; for (auto it = index.begin(); it != index.end(); it++) { // 这里使用alex提供的迭代器实现遍历操作,如果key值为偶数则更新value if (it.key() % 2 == 0) { // it.key() is equivalent to (*it).first it.payload() = dis(gen); } num_entries++; // 计算遍历元素的个数 } if (num_entries != 190) { // 检查遍历元素的个数是否符合预期 std::cout << "Error! There should be 190 entries in the index." << std::endl; }
// Iterate through all entries with keys between 50 (inclusive) and 100 // (exclusive) num_entries = 0; for (auto it = index.lower_bound(50); it != index.lower_bound(100); it++) { // 遍历key值在50~100之间的元素,检查是否为50个元素值 num_entries++; } if (num_entries != 50) { std::cout << "Error! There should be 50 entries with keys in the range [50, 100)." << std::endl; }
// Equivalent way of iterating through all entries with keys between 50 // (inclusive) and 100 (exclusive) num_entries = 0; auto it = index.lower_bound(50); while (it.key() < 100 && it != index.end()) { // 另外一种方式遍历key值在50~100之间的元素 num_entries++; it++; } if (num_entries != 50) { std::cout << "Error! There should be 50 entries with keys in the range [50, 100)." << std::endl; }
// Insert 9 more keys with value 42. Now there are 199 keys. for (int i = 0; i < 9; i++) { // 插入9个key值为42的元素,现在一共有199个元素 KEY_TYPE new_key = 42; PAYLOAD_TYPE new_payload = dis(gen); index.insert(new_key, new_payload); }
// Iterate through all 10 entries with keys of value 42 int num_duplicates = 0; for (auto it = index.lower_bound(42); it != index.upper_bound(42); it++) { //检查key值为42的元素是否为10个 num_duplicates++; } if (num_duplicates != 10) { std::cout << "Error! There should be 10 entries with key of value 42." << std::endl; }
// Check if a non-existent key exists it = index.find(1337); // 寻找key值为1337的元素是否存在 if (it != index.end()) { std::cout << "Error! Key with value 1337 should not exist." << std::endl; }
// Look at some stats auto stats = index.get_stats(); std::cout << "Final num keys: " << stats.num_keys << std::endl; // expected: 199 std::cout << "Num inserts: " << stats.num_inserts << std::endl; // expected: 109 }