// Exercise 7.14 Solution: Ex07_14.cpp
#include <iostream>
#include <vector>
using namespace std;
int main()
{
const int SIZE = 20; // smallest possible size of vector
/*1、vector对象的申明方式:vector<type>对象名 【所有缺省的元素都会被初始化为0,即未初始化的元素默认初始化为0】*/
vector <int> v = {};
int length = 0;
int duplicate;
int value; // number entered by user
cout << "Enter 20 integers between 10 and 100:\n";
// get 20 nonduplicate integers in the range between 10 and 100
for ( int i = 0; i < SIZE; )
{
duplicate = 0;
cin >> value;
// validate input and test if there is a duplicate
if ( value >= 10 && value <= 100 )
{
for ( int j = 0; j < length; ++j )
{
//vector对象访问某一元素用[]或at,[]不进行边界检查,at会提供边界检查
if ( value == v.at(j) )//如果j超过边界,系统将抛出异常提示
{
duplicate = 1;
break;
} // end if
} // end for
// if number is not a duplicate, push it at the back of vector
if ( !duplicate )
{/*1、vector中的成员函数push_back函数:在vector的末尾插入元素*/
v.push_back(value);
length++;
++i;
} // end if
else
cout << "Duplicate number.\n";
} // end if
else
cout << "Invalid number.\n";
} // end for
cout << "\nThe nonduplicate values are:\n";
// display vector of nonduplicates
/*1、声明引用时在前面加上const关键字
如: int n=10; const int & iref=n; 不能通过修改iref去修改n
2、基于范围的for循环,第一个参数是用于循环的变量,第二个参数是循环的范围
如:int arr[]={1,2,3,4,5}; for(int i: arr) 【注意:这两个参数在使用前均要先声明类型,这里i声明为int,arr在使用前也被声明为了int】*/
for (const int &item: v)
cout<<item<<' ';
//for ( int i = 0; i < SIZE; ++i )
// cout << v.at(i)<< ' ';
cout << endl;
} // end main
/*1、const常引用:在引用前加关键字const 如:int n=10; const int &iref = n; 不能通过修改iref来修改n的值,即:iref=6;是错的
2、创建vector对象:vector<数据类型>对象名 未初始化的元素默认初始化为0
3、vector类的push_back函数:在vector的末尾插入元素
4、vector对象通过下标访问元素:1.[]不提供边界检查 2.at提供边界检查
如:vector<int> arr={1,2,3,4,5}; int tempValue = arr[2]; 得到tempValue的值为3
int tempValue = arr.at(6); 系统进行边界检查发现超出边界,抛出异常提示*/
C++/vector_1
最新推荐文章于 2022-07-29 09:12:37 发布