1. emplace返回值
對于順序容器外构,例如 vector
,使用 emplace()
插入元素您访,其函數(shù)返回值是指向被安置元素的迭代器。
而對關聯(lián)容器剪决,例如 map
灵汪,使用 emplace()
,其返回值則是一個 std::pair<iterator,bool>
柑潦。如果插入成功享言,iterator
指向被插入元素,bool
為 true
渗鬼;反之览露,iterator
指向既存元素,bool
為 false
譬胎。
因此差牛,當我們需要將關聯(lián)容器的插入是否成功作為函數(shù)返回值時,可直接使用 std::pair
中的 bool
對象返回堰乔,例如:
bool function()
{
//...
// std::map<int, std::string> m_map;
return m_map.emplace(99, "CC").second;
}
2. 折疊表達式
C++ 17 中將變長參數(shù)這種特性進一步帶給了表達式偏化,例如:
#include <iostream>
template<typename ... T>
auto sum(T ... t) {
return (t + ...);
}
int main() {
std::cout << sum(1, 2, 3, 4, 5, 6, 7, 8, 9, 10) << std::endl;
}
此代碼運行結(jié)果是55,這很好理解浩考,即將變長參數(shù)依次累加求和夹孔。
那如果上文代碼中的 return (t + ...);
,修改為 return (t - ...);
那結(jié)果又是多少呢析孽?是-53嗎搭伤?
正確的結(jié)果是-5,這是怎么算的呢袜瞬?這里涉及的一元折疊表達式怜俐,分別是:
一元左折疊
(... op args)
展開: ((arg1 op arg2) op arg3) op ...
一元右折疊
(args op ...)
展開: arg1 op (arg2 op ... (argN-1 op argN))
因此,兩種折疊對于減運算符的展開如下
template<typename ... T>
auto func1(T ... t) {
return (t - ...);
}
template<typename ... T>
auto func2(T ... t) {
return (... - t);
}
int main()
{
std::cout << func1(1, 2, 3, 4, 5, 6, 7, 8, 9, 10) << std::endl;
// -5 ==> 1 - (2 - (3 - (4 - (5 - (6 - (7 - (8 - (9 - 10))))))))
std::cout << func2(1, 2, 3, 4, 5, 6, 7, 8, 9, 10) << std::endl;
// -53 ==> ((((((((1 - 2) - 3) - 4) - 5) - 6) - 7) - 8) - 9) - 10
return 0;
}
此外邓尤,還有二元折疊表達式拍鲤,如下:
二元左折疊
(value op ... op args)
展開: (((value op arg1) op arg2) op arg3) op ...
二元右折疊
(args op ... op value)
展開: arg1 op (arg2 op (arg3 op ... (argN opvalue)))
3. 返回map中value的指針
當我們使用基于范圍的 for
循環(huán)來遍歷,返回 map
中元素的指針時汞扎,一定要使用引用類型季稳。如下:
data* GetData(int num) {
for (auto i : m_data) {
if (i.first == num) {
return &(i.second);
}
}
return nullptr;
}
函數(shù)中沒有使用引用類型來遍歷,因此澈魄,i
是一個復制的對象景鼠,而不是指向?qū)嶋H m_data
中元素的引用。當離開函數(shù)作用域痹扇,最終返回的是一個指向無效內(nèi)存的指針铛漓。
正確的代碼片段應該如下:
for (auto& i : m_data) {
if (i.first == num) {
return &(i.second);
}
}
GitHub Blog 同步更新