我正在尝试返回&str的向量,但是在while循环中尝试将u64转换为&str时遇到了问题。
fn latest_ids<'a>(current_id: u64, latest_id: u64) -> Vec<&'a str> {
let mut ids: Vec<&str> = vec![];
let mut start = current_id;
while !(start >= latest_id) {
start += 1;
ids.push(start.to_string().as_str());
}
ids
}
无法返回引用临时值的值
如果我仅返回一个字符串向量,则可以正常工作。
fn latest_ids<'a>(current_id: u64, latest_id: u64) -> Vec<String> {
let mut ids: Vec<String> = vec![];
let mut start = current_id;
while !(start >= latest_id) {
start += 1;
ids.push(start.to_string());
}
ids
}
此后调用的下一个函数需要&str类型参数,所以我应该返回Vec <&str>还是只返回String类型的Vec并让调用者处理转换?
获取latest_ids()结果后要调用的下一个函数
pub fn add_queue(job: &Job, ids: Vec<&str>) -> Result<(), QueueError> {
let meta_handler = MetaService {};
match job.meta_type {
MetaType::One => meta_handler.one().add_fetch_queue(ids).execute(),
MetaType::Two => meta_handler.two().add_fetch_queue(ids).execute(),
MetaType::Three => meta_handler.three().add_fetch_queue(ids).execute(),
}
}
答案 0 :(得分:2)
您引入的生命周期是“我正在返回一个字符串引用向量,其生命期超过了此函数”。事实并非如此,因为您正在创建String
,然后存储对其的引用。该引用将在创建String
的范围的末尾消失。
仅通过“设计” POV来回答您的问题:
我应该返回Vec <&str>还是只返回String类型的Vec并让调用者处理转换?
该方法称为latest_ids
..并且您要传递的ID是64位整数。考虑到应该返回64位整数并且调用方应进行转换的方法的名称,我认为这是可以接受的。
fn main() -> std::io::Result<()> {
let ids: Vec<String> = latest_ids(5, 10).iter().map(|n| n.to_string()).collect();
let ids_as_string_references: Vec<&str> = ids.iter().map(|n| &**n).collect();
println!("{:?}", ids_as_string_references);
Ok(())
}
fn latest_ids(current_id: u64, latest_id: u64) -> Vec<u64> {
let mut ids = vec![];
let mut start = current_id;
while !(start >= latest_id) {
start += 1;
ids.push(start);
}
ids
}
打印:["6", "7", "8", "9", "10"]
此处的双重处理是因为您要求提供参考。根据代码周围的其他上下文,可能不需要双重处理。如果您使用有关需要向量&str
引用的下一个函数的更多信息来更新问题,我可以更新答案以帮助重新设计它。