The C++ Function using STL to Check Duplicate Elements/Character

  • 时间:2020-09-17 14:37:27
  • 分类:网络文摘
  • 阅读:77 次
cplusplus The C++ Function using STL to Check Duplicate Elements/Characters in Array/Vector/String c / c++ data structure programming languages

cplusplus

Let’s say we want to implement a C++ function based on STL containers to check if a given string contains duplicate characters, or a given vector/array contains duplicate elements. Luckily we can use the unordered set (or set which maintains order), that we can construct a set based on the vector/array/string, then we just need to compare the sizes of both set and the original container – if they are equal, it means all unique elements or duplicates otherwise.

1
2
3
4
bool hasDuplicateCharacters(string arr) {
    unordered_set<char> st(begin(arr), end(arr));
    return st.size() != arr.size();
}
bool hasDuplicateCharacters(string arr) {
	unordered_set<char> st(begin(arr), end(arr));
	return st.size() != arr.size();
}

Example:

1
2
cout << (hasDuplicateCharacters("abcde") ? "true" : "false"); // false
cout << (hasDuplicateCharacters("abcdea") ? "true" : "false"); // true
cout << (hasDuplicateCharacters("abcde") ? "true" : "false"); // false
cout << (hasDuplicateCharacters("abcdea") ? "true" : "false"); // true

We can use the C++ generic that allows us to pass in most data types – using the templates.

1
2
3
4
5
template <typename T>
bool hasDuplicateItems(vector<T> arr) {
    unordered_set<T> st(begin(arr), end(arr));
    return st.size() != arr.size();
}
template <typename T>
bool hasDuplicateItems(vector<T> arr) {
	unordered_set<T> st(begin(arr), end(arr));
	return st.size() != arr.size();
}

Example:

1
2
3
cout << (hasDuplicateItems<int>({ 1, 2, 3, 4 }) ? "true" : "false");  // true
cout << (hasDuplicateItems</int><int>({ 1, 2, 3, 4, 1 }) ? "true" : "false"); // false
</int>
cout << (hasDuplicateItems<int>({ 1, 2, 3, 4 }) ? "true" : "false");  // true
cout << (hasDuplicateItems</int><int>({ 1, 2, 3, 4, 1 }) ? "true" : "false"); // false
</int>

This is quite similar approach to checking the duplicates in Javascript – which is also based on the Set.

–EOF (The Ultimate Computing & Technology Blog) —

推荐阅读:
鸡蛋的蛋黄和蛋清到底哪个更有营养?  揭秘减肥食品菇类营养价值抗癌降血脂  冬季感冒多喝姜茶可治疗外感风寒感冒  消除身体疲劳可多吃七种带“香”的食物  饮食与健康:维生素B2的补充无需刻意  女性急躁易发怒可能与维生素缺乏有关系  冬天吃水果,究竟应该注意什么问题?  萝卜的保健功能和萝卜的食疗吃法  红枣美味营养可养生但是禁忌亦不少  不同包装的牛奶,你知道该如何选择吗 
评论列表
添加评论