C++ 字符串

C风格字符串 基本示例

#include 
#include 
#include 
using namespace std; // 命名空间定义 使用C++标识符  例如:cout

int main()
{
    // 初始化变量报错:*** stack smashing detected ***:  terminated 
    // 解决方案:在拼接的时候,要尽量设置字符串大一些
    char a1 [20] {"lbw"};
    char a2 [20] {};

    // // 查看长度
    // cout << "a1 长度为: " << strlen(a1) << endl;


    // 复制 
    strcpy(a2, a1);   // a1 复制到 a2
    cout << "a2 :" << a2 << endl;   

    // 拼接
    strcat(a1, "_");  // 将空格拼接到a1后面
    strcat(a1, a2);   // 将 a2 拼接到a1后面
    cout << "拼接结果:" << a1 << endl;

    return 0;
}

C++ 字符串基本使用

#include 
#include 
using namespace std; // 命名空间定义 使用C++标识符  例如:cout

int main()
{
    string s1;                       // 空字符串
    string s2 {"hello"};             // 列表初始化
    string s3 {s2};                  // 拷贝初始化
    string s4 {"hello", 4};          // 限制字符串长度为4
    string s5 {s2, 1, 3};            // 复制s2的 1~3
    string s6 {5, 'x'};              // 5个x

    cout << "s1:" << s1 << endl;
    cout << "s2:" << s2 << endl;
    cout << "s3:" << s3 << endl;
    cout << "s4:" << s4 << endl;
    cout << "s5:" << s5 << endl;
    cout << "s6:" << s6 << endl;


    // 赋值
    string n1;
    n1 = "奥里给";
    cout << "n1: " << n1 << endl;

    string n2 {"NO NO NO"};
    n1 = n2;
    cout << "n1: " << n1 << endl;

    // 拼接
    string f1 {"C++ = "};
    string f2 {"无敌"};
    string f3;
    f3 = f1 + f2;
    cout << "f3: " << f3<< endl;

    // 获取 直接指定元素[] 或者使用 .at
    // 修改 直接指定元素等号修改即可 []=
    return 0;
}

你可能感兴趣的:(C++,c++,开发语言,算法)