運算子過載在 C++ 中列印向量、對映、對的內容...
在本文件中,我們將討論一個程式,瞭解 C++ 中的運算子過載,以列印向量、對映和對中的內容。
運算子過載就是運算子的功能,能讓它們對使用者定義的物件進行操作,並以類似的方式進行處理。
示例
向量
#include <iostream> #include <vector> using namespace std; template <typename T> ostream& operator<<(ostream& os, const vector<T>& v){ os << "["; for (int i = 0; i < v.size(); ++i) { os << v[i]; if (i != v.size() - 1) os << ", "; } os << "]\n"; return os; } int main() { vector<int> vec{ 4, 2, 17, 11, 15 }; cout << vec; return 0; }
輸出
[4, 2, 17, 11, 15]
對映
#include <iostream> #include <map> using namespace std; template <typename T, typename S> ostream& operator<<(ostream& os, const map<T, S>& v){ for (auto it : v) os << it.first << " : " << it.second << "\n"; return os; } int main(){ map<char, int> mp; mp['b'] = 3; mp['d'] = 5; mp['a'] = 2; cout << mp; }
輸出
a : 2 b : 3 d : 5
對
#include <iostream> using namespace std; template <typename T, typename S> ostream& operator<<(ostream& os, const pair<T, S>& v){ os << "("; os << v.first << ", " << v.second << ")"; return os; } int main(){ pair<int, int> pi{ 45, 7 }; cout << pi; return 0; }
輸出
(45, 7)
廣告