さび(54) - 文字列

文字列と&STR:錆の文字列の2種類があります。
文字列はバイトベクトル(VEC)として格納され、常にUTF-8シーケンスを確実にするのに有効です。文字列のヒープ割り当ては、空のヌルで終了していない、増加させることができます。
&strがスライス(&[U8])であり、それは常にUTF-8の有効な配列を指す[T]はVecとのビューと同じである&として、ビューおよび文字列に使用することができます。

fn main() {


    // (all the type annotations are superfluous)
    // A reference to a string allocated in read only memory
    let pangram: &'static str = "the quick brown fox jumps over the lazy dog";
    println!("Pangram: {}", pangram);

    // Iterate over words in reverse, no new string is allocated
    println!("Words in reverse");
    for word in pangram.split_whitespace().rev() {
        println!("> {}", word);
    }

    // Copy chars into a vector, sort and remove duplicates
    let mut chars: Vec<char> = pangram.chars().collect();
    chars.sort();
    chars.dedup();

    // Create an empty and growable `String`
    let mut string = String::new();
    for c in chars {
        // Insert a char at the end of string
        string.push(c);
        // Insert a string at the end of string
        string.push_str(", ");
    }

    // The trimmed string is a slice to the original string, hence no new
    // allocation is performed
    let chars_to_trim: &[char] = &[' ', ','];
    let trimmed_str: &str = string.trim_matches(chars_to_trim);
    println!("Used characters: {}", trimmed_str);

    // Heap allocate a string
    let alice = String::from("I like dogs");
    // Allocate new memory and store the modified string there
    let bob: String = alice.replace("dog", "cat");

    println!("Alice says: {}", alice);
    println!("Bob says: {}", bob);
}

特殊文字を含む文字列リテラルを書くには、いくつかの方法があります。それは執筆の最も便利なフォームを使用するのがベストですので、すべての結果は、同様の&STRあります。同様に、あるバイト、&​​[; N U8]の文字列を書き込むためのいくつかの方法があります。
通常、バックスラッシュ文字と特殊文字をエスケープ:\。この方法では、あなたの文字列、文字やさえない文字に任意の文字を追加することができますし、次のように入力する方法がわかりません。あなたは別のリテラルのバックスラッシュのエスケープが必要な場合:\
文字列または文字リテラルの区切り文字はエスケープする必要がありますテキストで表示されます:「」「「\。」

fn main() {
    // You can use escapes to write bytes by their hexadecimal values...
    let byte_escape = "I'm writing \x52\x75\x73\x74!";
    println!("What are you doing\x3F (\\x3F means ?) {}", byte_escape);

    // ...or Unicode code points.
    let unicode_codepoint = "\u{211D}";
    let character_name = "\"DOUBLE-STRUCK CAPITAL R\"";

    println!("Unicode character {} (U+211D) is called {}",
                unicode_codepoint, character_name );


    let long_string = "String literals
                        can span multiple lines.
                        The linebreak and indentation here ->\
                        <- can be escaped too!";
    println!("{}", long_string);
}

時には、あなたはあまりにも多くの文字をエスケープする必要がある、またはそれはより便利であるなどの文字列を記述すること。これは遊びに生の文字列リテラルです。

fn main() {
    let raw_str = r"Escapes don't work here: \x3F \u{211D}";
    println!("{}", raw_str);

    // If you need quotes in a raw string, add a pair of #s
    let quotes = r#"And then I said: "There is no escape!""#;
    println!("{}", quotes);

    // If you need "# in your string, just use more #s in the delimiter.
    // There is no limit for the number of #s you can use.
    let longer_delimiter = r###"A string with "# in it. And even "##!"###;
    println!("{}", longer_delimiter);
}

非UTF-8の文字列をしたい(、strの文字列を覚えていて、有効なUTF-8でなければなりません)?やります。それとも、テキストですほとんどがバイト配列、?YTE文字列バイト文字列を保存したい場合は!

use std::str;

fn main() {
    // Note that this is not actually a `&str`
    let bytestring: &[u8; 21] = b"this is a byte string";

    // Byte arrays don't have the `Display` trait, so printing them is a bit limited
    println!("A byte string: {:?}", bytestring);

    // Byte strings can have byte escapes...
    let escaped = b"\x52\x75\x73\x74 as bytes";
    // ...but no unicode escapes
    // let escaped = b"\u{211D} is not allowed";
    println!("Some escaped bytes: {:?}", escaped);


    // Raw byte strings work just like raw strings
    let raw_bytestring = br"\u{211D} is not escaped here";
    println!("{:?}", raw_bytestring);

    // Converting a byte array to `str` can fail
    if let Ok(my_str) = str::from_utf8(raw_bytestring) {
        println!("And the same as text: '{}'", my_str);
    }

    let _quotes = br#"You can also use "fancier" formatting, \
                    like with normal raw strings"#;

    // Byte strings don't have to be UTF-8
    let shift_jis = b"\x82\xe6\x82\xa8\x82\xb1\x82"; // "ようこそ" in SHIFT-JIS

    // But then they can't always be converted to `str`
    match str::from_utf8(shift_jis) {
        Ok(my_str) => println!("Conversion successful: '{}'", my_str),
        Err(e) => println!("Conversion failed: {:?}", e),
    };
}
公開された473元の記事 ウォン称賛14 ビュー60000 +

おすすめ

転載: blog.csdn.net/AI_LX/article/details/105100953