[1]auto 키워드

변수 선언시 타입 자리에 auto키워드를 지정하면 컴파일 시에 컴파일러가 자동으로 타입을 추론함

	auto a1 = 10;		  // int
	auto a2 = 3.14f;	  // float
	auto a3 = "hello";	  // const char*
	auto a4 = "hello"s;	  // std::string
	auto a5 = sqrt(2.0);  // double
	auto a6 = odds();	  // vector<int>
	auto a7 = a6.begin(); // vector<int>::iterator

[2]Aliasing 얼라이어싱

C++11 이전에 typedef로 많이 사용했던 별칭을 지정하는 과정임

현재는 using을 주로 사용함

using uchar = unsigned char;
using pis = pair<int, string>;
using da10 = double[10];
using func = void (*)(int); //int형 data 1개를 받고 void를 리턴하는 함수의 base
//예시
func fp = &my_function;  //이라면

void my_function(int n)
{
	// 이와같은 형태를 가짐
}

template <typename T>
using matrix1d = vector<T>; //이 벡터를 사용시에는
matrix1d<float> vec(3);

[3]범위기반 반복문

vector<int> numbers {10, 20, 30};

	for (int n : numbers)
		cout << n << endl;
	//numbers의 원소 n에 대한 코드 작성
	//foreach문과 매우 흡사함
	//&를 사용하지 않고 값을 복사하였음.
	for (auto& n : numbers)
		cout << n << endl;
	//&(앤드퍼센트)를 사용하여 참조하였다. = 복사가 일어나지 않고 참조를 함
	string str[] = {"I", "love", "you"};

	for (const auto& s : str) //&으로 참조하여 복사가 일어나지 않았고 혹시모를 값의 변경에 대비해
														//const로 변경을 막아주었음
		cout << s << " ";
	cout << endl;

<aside> ❗ &을 사용하면 원래 값을 참조형으로 받아오기 때문에 원래값을 변경할 수 있음

</aside>


[4]람다식

auto square = [](double a) { return a * a; };
	cout << "square(1.414) = " << square(1.414) << endl;

	vector<Person> students;
	students.push_back({"Kim", 20});
	students.push_back({"Lee", 30});
	students.push_back({"Park", 24});
	students.push_back({"Choi", 40});

	sort(students.begin(), students.end(), [](const Person& p1, const Person& p2) {
		return p1.name < p2.name;
	});

대괄호[]에서부터 시작해 {}의 끝까지가 람다식으로 지정된다.

대괄호로 시작하여 ()소괄호안에서 params선언 후 {}가 함수 바디가 된다.

sort부분의 비교연산 부분의 lambda식을 보면 p1,p2를 상수로 참조하여

p1.name < p2.name을 비교해주었다.