初始化、元素处理
1 #include <iostream> 2 #include <vector> 3 using namespace std; 4 5 int main(){ 6 vector<int> v{1,2,3,4,5}; 7 for(auto &i:v) 8 i*=i; 9 for(auto i:v) 10 cout<<i<<" "; 11 cout<<endl; 12 }
统计区间内元素数量
1 #include <iostream> 2 #include <vector> 3 using namespace std; 4 5 int main(){ 6 vector<unsigned> scores(11,0); 7 unsigned grade; 8 while(cin >> grade){ 9 if(grade <= 100) 10 ++scores[grade/10]; 11 } 12 for(auto i:scores) 13 cout<<i<<" "; 14 cout<<endl; 15 }
不得通过下标访问不存在的元素(错误写法)
1 int main(){ 2 vector<int> v; 3 cout << v[0]; 4 }
通过迭代器访问元素
1 #include <iostream> 2 #include <vector> 3 #include <string> 4 using namespace std; 5 6 int main(){ 7 string s("some thing"); 8 if(s.begin() != s.end()){ 9 auto it = s.begin(); 10 *it = toupper(*it); 11 } 12 cout<<s<<endl; 13 }
将第一个单词改为大写
1 #include <iostream> 2 #include <vector> 3 #include <string> 4 using namespace std; 5 6 int main(){ 7 string s = "some thing"; 8 for(auto it = s.begin(); it != s.end() && !isspace(*it); ++it) 9 *it = toupper(*it); 10 cout << s << endl; 11 }
原文:https://www.cnblogs.com/cxc1357/p/12194276.html