1. 程式人生 > >std::string find 的返回值

std::string find 的返回值

std::string  的方法 find,返回值型別是std::string::size_type, 對應的是查詢物件在字串中的位置(從0開始),

如果未查詢到,該返回值是一個很大的資料(4294967295),判斷時與 std::string::npos 進行對比

std::string str("abcdefg");
std::string::size_type pos = str.find("abc");
if (pos != std::string::npos)
{
    cout << "Not find" << endl;
}

std::string str("abcdefg");
if (str.find("abc") != std::string::npos)
{
    cout << "Not find" << endl;
}

很多同學由於經常使用 CString 的緣故,喜歡這樣寫

std::string str("abcdefg");
int pos = str.find("abc");
if (pos < 0)
{
    cout << "Not find" << endl;
}

這樣寫理論上也是可以的,因為 size_type 相當於 unsigned int型別,最大值4294967295強制轉換為int型,就是-1

但下面的寫法是錯誤的:

std::string str("abcdefg");
if (str.find("abc") < 0)  //錯誤,應該寫成  != std::string::npos
{
    cout << "Not find" << endl;
}
最後,建議使用size_type,這樣可以適應不同的平臺。因為int 型別的大小會根據不同平臺而不同。


拓展:
s.find(s2)        第一次出現的位置
s.rfind           最後一次出現的位置
s.find_first_of(s2)    任何一個字元第一次出現的位置
s.find_last_of         任何一個字元最後一次出現的位置
s.find_first_not_of(s2)   第一個不在s2中的字元所在位置
s.find_last_not_of(s2)    最後一個不在s2中的字元所在位置