집 >백엔드 개발 >C#.Net 튜토리얼 >C++11의 새로운 기능인 auto 사용
서문
C++는 변수를 선언할 때 해당 유형을 명확하게 명시해야 합니다. 그러나 실제로는 표현식의 값 유형을 유추하기가 어렵습니다. 특히 템플릿 유형이 등장하면서 일부 복잡한 표현식의 반환 유형을 파악하는 것이 더욱 어려워집니다. 이 문제를 해결하기 위해 C++11에 도입된 auto에는 자동 유형 추론과 반환 값 점유라는 두 가지 주요 용도가 있습니다. 임시 변수를 식별하기 위한 C++98의 auto 의미는 최소한의 중복 사용으로 인해 C++11에서 제거되었습니다. 이전과 이후의 두 표준 자동차는 완전히 다른 개념입니다.
1. 자동 유형 추론
auto 자동 유형 추론은 초기화 표현식에서 변수의 데이터 유형을 유추하는 데 사용됩니다. auto의 자동 유형 추론을 통해 프로그래밍 작업이 크게 단순화될 수 있습니다. 다음은 auto를 사용하는 몇 가지 예입니다.
#include <vector> #include <map> using namespace std; int main(int argc, char *argv[], char *env[]) { // auto a; // 错误,没有初始化表达式,无法推断出a的类型 // auto int a = 10; // 错误,auto临时变量的语义在C++11中已不存在, 这是旧标准的用法。 // 1. 自动帮助推导类型 auto a = 10; auto c = 'A'; auto s("hello"); // 2. 类型冗长 map<int, map<int,int> > map_; map<int, map<int,int>>::const_iterator itr1 = map_.begin(); const auto itr2 = map_.begin(); auto ptr = []() { std::cout << "hello world" << std::endl; }; return 0; }; // 3. 使用模板技术时,如果某个变量的类型依赖于模板参数, // 不使用auto将很难确定变量的类型(使用auto后,将由编译器自动进行确定)。 template <class T, class U> void Multiply(T t, U u) { auto v = t * u; }
2. 반환값 점유
template <typename T1, typename T2> auto compose(T1 t1, T2 t2) -> decltype(t1 + t2) { return t1+t2; } auto v = compose(2, 3.14); // v's type is double
3. 사용 시 주의사항
1. auto를 수정하기 위한 rvalue 참조(&&)
auto k = 5; auto* pK = new auto(k); auto** ppK = new auto(&k); const auto n = 6;
2. auto로 선언된 변수는 초기화되어야 합니다.
auto m; // m should be intialized
3. Auto는 다른 타입과 함께 사용할 수 없습니다.
auto int p; // 这是旧auto的做法。
4. 함수 및 템플릿 매개변수는 auto
void MyFunction(auto parameter){} // no auto as method argument template<auto T> // utter nonsense - not allowed void Fun(T t){}로 선언할 수 없습니다.
5. 힙에 정의된 변수, auto를 사용한 표현식은 초기화되어야 함
int* p = new auto(0); //fine int* pp = new auto(); // should be initialized auto x = new auto(); // Hmmm ... no intializer auto* y = new auto(9); // Fine. Here y is a int* auto z = new auto(9); //Fine. Here z is a int* (It is not just an int)
6. auto는 자체 유형이 아니라 자리 표시자이므로 유형 변환이나 sizeof 및 typeid
int value = 123; auto x2 = (auto)value; // no casting using auto auto x3 = static_cast<auto>(value); // same as above
와 같은 기타 작업에 사용할 수 없습니다. 7. 자동 시퀀스에 정의된 변수는 항상 동일한 유형
auto x1 = 5, x2 = 5.0, x3='r'; // This is too much....we cannot combine like this
으로 추론되어야 합니다. 8. Auto는 CV 한정자(상수 및 휘발성)로 자동 추론될 수 없습니다. 한정자), 참조 유형으로 선언되지 않는 한
const int i = 99; auto j = i; // j is int, rather than const int j = 100 // Fine. As j is not constant // Now let us try to have reference auto& k = i; // Now k is const int& k = 100; // Error. k is constant // Similarly with volatile qualifer
9. auto는 참조 유형으로 선언되지 않는 한 배열에 대한 포인터로 변질됩니다.
int a[9]; auto j = a; cout<<typeid(j).name()<<endl; // This will print int* auto& k = a; cout<<typeid(k).name()<<endl; // This will print int [9]
요약
위 내용은 이 기사의 전체 내용입니다. 이 기사의 내용이 C++를 배우거나 사용하는 모든 사람에게 도움이 되기를 바랍니다. 질문이 있으시면 메시지를 남겨서 소통하실 수 있습니다.
C++11의 새로운 기능인 auto 사용과 관련된 더 많은 기사를 보려면 PHP 중국어 웹사이트를 주목하세요!