首页 > 解决方案 > 如何让函数返回拥有字符串的哈希映射?

问题描述

use std::collections::BTreeMap;

#[derive(Debug)]
struct TestStruct {
    name: String,
    num: f64,
}

fn main() {
    let test_struct = TestStruct {name: "Test".to_string(), num: 0.42 };
    println!("{:?}", test_struct);
}


fn get_fields_as_map(test_struct: &TestStruct) ->  BTreeMap<&str, &str> {
    let mut field_map: BTreeMap<&str, &str> = BTreeMap::new();
    field_map.insert("name", &test_struct.name);
    field_map.insert("num", &test_struct.num.to_string());
    field_map
}

操场

这会产生错误:

error[E0515]: cannot return value referencing temporary value
  --> src/main.rs:19:5
   |
18 |     field_map.insert("num", &test_struct.num.to_string());
   |                              --------------------------- temporary value created here
19 |     field_map
   |     ^^^^^^^^^ returns a value referencing data owned by the current function

我认为这是有道理的。该to_string()函数正在分配一个字符串,其生命周期是该函数的生命周期。我还没有想出的是如何分配字符串,使其具有与BTreeMap. 我尝试了几种不同的方法,但都没有成功,我觉得我错过了一些东西。我不完全了解所有权。

标签: rustownership

解决方案


如果您让地图拥有其中的字符串而不是存储引用,则可以避免头痛。引用意味着涉及生命周期,并且您发现很难构造&str具有所需生命周期的 s 。

更改&str对拥有的引用String和生活很容易:

fn get_fields_as_map(test_struct: &TestStruct) ->  BTreeMap<String, String> {
    let mut field_map = BTreeMap::new();
    field_map.insert("name".to_owned(), test_struct.name.to_owned());
    field_map.insert("num".to_owned(), test_struct.num.to_string());
    field_map
}

推荐阅读