1. 평균 계산
#include <iostream>
#include <vector>
#include <algorithm>
#include <numeric> // for std::accumulate
#include <iterator> // for std::istream_iterator
int main() {
std::vector<double> values;
std::cout << "값은 공백으로 구분해서 입력하세요. 종료하려면 Ctrl+Z를 입력하세요.n";
values.insert(values.end(), std::istream_iterator<double>(std::cin), std::istream_iterator<double>());
std::cout << std::endl;
std::cout<<"평균값: "
<< (std::accumulate(std::begin(values), std::end(values), 0.0)/values.size())
<< std::endl;
}
2. 대소비교
#include <iostream>
#include <vector>
#include <algorithm>
#include <numeric> // for std::accumulate
#include <iterator> // for std::istream_iterator
#include <string>
using namespace std;
template <typename T> T& larger(T& a, T& b)
{
return a > b? a : b;
}
int main() {
double a = 3.5, b = 2.7;
std::string first {"to be or not to be"};
std::string second {"that is the question"};
std::cout << larger(first, second) << std::endl;
std::cout << larger<double>(a,b) << std::endl;
return 0;
}
3. Iterator
3.1. 반복자
#include <numeric>
#include <iostream>
#include <iterator>
int main() {
double data[] {2.5, 4.5, 6.5, 4.4, 8.4};
std::cout << "배열 원소들:n";
for (auto iter=std::begin(data); iter != std::end(data); ++iter)
std::cout << *iter << " ";
auto total=std::accumulate(std::begin(data), std::end(data), 0.0);
std::cout <<"n배열 원소들의 합계: " << total << std::endl;
for (auto iter=std::begin(data); iter != std::end(data);)
std::cout << *iter++ << " ";
return 0;
}
*iter 표현은 반복자를 역참조해서 참조에 의한 값에 접근한다
반복자는 책갈피와 같이 특정 위치를 가리키는 역할
즉, iter 는 배열의 특정 위치를 가리키고 있지만, 그 자체가 값은 아니다. 그러나 *iter 을 사용하면 그 위치에 저장된 실제 값을 가져올 수 있다.
3.2. 스트림 반복자, 입력의 합
#include <numeric>
#include <iostream>
#include <iterator>
int main() {
std::cout <<"값은 공백으로 구분해서 입력 종료 ctrl + z: "<<std::endl;
std::cout<<"nThe sum of the values you entered is "
<< std::accumulate(std::istream_iterator<double>(std::cin),
std::istream_iterator<double>(), 0.0)
<< std::endl;
return 0;
}
3.3. 반복자에 쓰이는 연산
#include <numeric>
#include <iostream>
#include <iterator>
int main() {
int data[] {1,2,3,4,6,7,9};
std::cout<<"data 에 있는 원소 개수: "
<< std::distance(std::begin(data), std::end(data)) << std::endl;
auto iter=std::begin(data);
auto fourth=std::next(iter,3);
std::cout << " 첫 번째 원소: " <<*iter << " 그리고 네 번 째 원소: " << *fourth << std::endl;
auto iter2=std::end(data);
std::cout<<"네 번째 원소: "<< *std::prev(iter2,3)<<std::endl;
return 0;
}
next() 는 첫 번째 인수로 받은 반복자를 두 번째 인수로 지정한 숫자만큼 증가시킨 반복자를 반환
prev()는 첫 번째 인수로 받은 반복자를 두 번째 인수로 지정한 숫자만큼 감소시킨 반복자를 반환
0 Comments