像我这样的新的Rustacean在处理这些类型时遇到了困难:String
,&str
,Vec<u8>
,&[u8]
。
随着时间的推移,我希望有一个顿悟,并突然得到一些库调用使用其中一个的原因。在那之前,我需要帮助来确定每个惯用过渡。
鉴于以下类型:
let st: &str = ...;
let s: String = ...;
let u: &[u8] = ...;
let v: Vec<u8> = ...;
我想我已经想到了这些,但这些是惯用的吗?
&str -> String String::from(st)
&str -> &[u8] st.as_bytes()
String -> &str s.as_str()
&[u8] -> &str str::from_utf8(u)
Vec<u8> -> String String::from_utf8(v)
最终,我想要一个完整的转换表来表示这些类型:
&str -> String
&str -> &[u8]
&str -> Vec<u8>
String -> &str
String -> &[u8]
String -> Vec<u8>
&[u8] -> &str
&[u8] -> String
&[u8] -> Vec<u8>
Vec<u8> -> &str
Vec<u8> -> String
Vec<u8> -> &[u8]
答案 0 :(得分:31)
&str
&str -> String
有many equally valid methods:String::from(st)
,st.to_string()
,st.to_owned()
。
String::from
的主要优点是您可以将其用作map
方法的参数。因此,您可以经常使用x.map(|s| String::from(s))
。x.map(String::from)
&str
- &gt; &[u8]
由st.as_bytes()
&str
- &gt; Vec<u8>
是&str -> &[u8] -> Vec<u8>
的组合,即st.as_bytes().to_owned()
String
String -> &str
应该是&s
强制可用,s.as_str()
不是。{/ li>
String -> &[u8]
与&str -> &[u8]
:s.as_bytes()
String -> Vec<u8>
有一个自定义方法:s.into_bytes()
&[u8]
&[u8] -> Vec<u8>
由u.to_owned()
&[u8] -> &str
实际上并不存在,即&[u8] -> Result<&str, Error>
,通过str::from_utf8(u)
提供
str::from_utf8(u).unwrap()
有效,但您应该更喜欢更好的错误处理(请参阅Error handling - The Result type)。&[u8] -> String
是&[u8] -> Result<&str, Error> -> Result<String, Error>
的组合
String::from_utf8(u).unwrap()
有效,但更喜欢更好的错误处理(请参阅Error handling - The Result type和Result::map
。Vec<u8>
Vec<u8> -> &[u8]
应该只有&v
强制可用,或as_slice
不在其中。Vec<u8> -> &str
与Vec<u8> -> &[u8] -> Result<&str, Error>
相同,即str::from_utf8(&v)
str::from_utf8(&v).unwrap()
有效,但更喜欢更好的错误处理(请参阅Error handling - The Result type)Vec<u8> -> String
实际上并不存在,Vec<u8> -> Result<String, Error>
来自String::from_utf8(v)
String::from_utf8(v).unwrap()
有效,但更喜欢更好的错误处理(请参阅Error handling - The Result type)。只要目标不是通用的,但分别明确键入&str
或&[u8]
,就可以使用强制
&str -> String | String::from(s) or s.to_string() or s.to_owned()
&str -> &[u8] | s.as_bytes()
&str -> Vec<u8> | s.as_bytes().to_owned()
String -> &str | &s if possible* else s.as_str()
String -> &[u8] | s.as_bytes()
String -> Vec<u8> | s.into_bytes()
&[u8] -> &str | s.to_owned()
&[u8] -> String | str::from_utf8(s).unwrap(), but don't**
&[u8] -> Vec<u8> | String::from_utf8(s).unwrap(), but don't**
Vec<u8> -> &str | &s if possible* else s.as_slice()
Vec<u8> -> String | std::from_utf8(&s).unwrap(), but don't**
Vec<u8> -> &[u8] | String::from_utf8(s).unwrap(), but don't**
* target should have explicit type (i.e., checker can't infer that)
** handle the error properly instead