美文网首页
Rust 入门 - String

Rust 入门 - String

作者: Lee_dev | 来源:发表于2021-05-31 10:58 被阅读0次

    新建一个空的 String

    let mut s = String::new();
    

    使用 to_string 方法从字符串字面值创建 String

    let data = "init";
    let s = data.to_string();
    let s = "str".to_string();
    

    使用 String::from 函数从字符串字面值创建 String

    let s = String::from("hello");
    

    更新字符串

    使用 push_str 方法向 String 附加字符串 slice

    let mut s = String::from("hello");
    s.push_str("world");
    

    将字符串 slice 的内容附加到 String 后使用它

    let mut s1 = String::from("hello");
    let s2 = "world";
    s1.push_str(s2);
    println!("s2 = {}", s2);
    

    使用 push 将一个字符加入 String 值中

    let mut s = String::from("hell");
    s.push('o');
    println!("s = {}", s);
    

    使用 + 运算符将两个 String 值合并到一个新的 String 值中

    let s1 = String::from("hello");
    let s2 = String::from("world");
    let s3 = s1 + " " + &s2; //  注意 s1 被移动了,不能继续使用
    println!("s3 = {}", s3);
    

    多个字符串相加

    let s1 = "hello";
    let s2 = "world";
    let s3 = "!";
    let s = format!("{}-{}-{}", s1, s2, s3);
    println!("s = {}", s);
    

    字符串 slice

    let hello = "Здравствуйте";
    let s = &hello[0..4];
    println!("s = {}", s);
    //如果获取 &hello[0..1] 会发生什么呢?答案是:Rust 在运行时会 panic,就跟访问 vector 中的无效索引时一样thread 'main' panicked at 'byte index 1 is not a char boundary; it is inside 'З' (bytes 0..2) of `Здравствуйте`', src/main.rs:40:14
    

    遍历字符串

    for c in "नमस्ते".chars() {
        println!("{}", c);
    }
    
    for b in "नमस्ते".bytes() {
        println!("{}", b);
    }
    

    相关文章

      网友评论

          本文标题:Rust 入门 - String

          本文链接:https://www.haomeiwen.com/subject/veovsltx.html