C++標準庫之string類型

stirng類型

簡介:

C++標準庫提供的類型:string
長度可變的字符串
操做簡單
僅爲包含我的經常使用函數c++

頭文件

string 類型與其它的標準庫類型相同,都須要包含對應的頭文件函數

#include<string>
using namespace std;

string 類型的定義和初始化

定義及初始化 解釋
string s1 = "C++"; 建立字符串s1, 若是省略 = "C++" 則爲空串
stirng s2(s1); 建立字符串s2並初始化值爲s1的值(C++)
string s3("Love") 建立字符串s3並初始化爲 Love
string s4(6,'I') 建立字符串s4並初始化爲連續6個字符爲'I',組成的字符串

string 類型的函數

  • 字符串的賦值spa

    string s1 = "I LOVE C++";
    string s2;
    s2 = s1;
    cout<<s2;

    輸入及輸出:code

    I LOVE C++排序

  • 字符串的 +,+= 運算符ci

    string s1 = "I ";
    string s2 = "LOVE ";
    string s3 = "C++";
    s1 = s1 + s2;
    cout<<s1<<endl;
    s1 += s3;
    cout<<s1<<endl;

    輸入及輸出:字符串

    I LOVE
    I LOVE C++get

  • 字符串的關係運算符string

    string 類型能夠直接使用==,!=,>,<,>=,<=等關係運算符來進行字符串的比較,並返回布爾類型table

    //EG:
    string s1 = "123";
    string s2 = "123";
    cout<<(s1 == s2 ? "s1 = s2" : "s1 != s2");

    輸入及輸出:

    s1 = s2

  • 字符串的讀取

    1. cin方式

      讀取時自動忽略開頭的空白字符
      當讀取到字符後一旦遇到空白字符,結束讀取

      string s1;  
      cin>>s1;  
      cout<<s1;

      輸入及輸出:

      Hello World
      Hello

    2. getline方式

      包含在 string 庫內

      1. istream& getline (istream& is, string& str);

        string str;
        getline(cin,str);
        cout<<str;

        輸入及輸出:

        Hello World
        abc
        Hello World

        每次輸入爲一行, 遇到'\n'結束輸入

      2. istream& getline (istream& is, string& str, char delim);

        string str;
        getline(cin,str,'#');
        cout<<str;

        輸入及輸出:

        abc def#abc
        abc def

        當以'#'爲結尾術符,'#'及'#'之後的字符就再也不讀取

  • 字符串長度

    size()/lenth()都可, 返回該字符串的長度(字節長度)

    string s1;
    cout<<s1.size()<<endl;
    cout<<s1.lenth()<<endl;
    
    s1 = "Hello World";
    cout<<s1.size()<<endl;
    cout<<s1.lenth()<<endl;
    
    s1 = "你好";
    cout<<s1.size()<<endl;
    cout<<s1.lenth()<<endl;

    輸入及輸出:

    0
    0
    11
    11
    4
    4

  • 字符串獲取字符

    str[n]:返回str中的第n個字符,從0到size()-1

    string str = "I Love C++"
    cout<<str[0]<<endl;
    a[7] = 'A';
    cout<<str;

    輸入及輸出:

    I
    I Love A++

  • 字符串判空

    empty() 返回布爾類型

    string s1;
    if(s1.empty())
        cout<<"s1字符串爲空";

    輸入及輸出:

    s1字符串爲空

  • 字符串查找

    string中的find()返回值是第一次字符或字符串出現的下標,若是沒找到,那麼會返回npos。

    string s1 = "C++";
    string s2 = "I LOVE C++";
    cout<<s1.find(s2)<<endl;
    cout<<s1.find("Hello")<<endl;

    輸入及輸出:

    7
    4294967295 (極大的值或極小的值)

  • 字符串內的排序

    string str = "cba";
    sort(str.begin(), str.end());
    cout<<str;

    輸入及輸出:

    abc

相關文章
相關標籤/搜索