0

我正在使用 reqwest 查询 Google API:

let request_url = format!(
    "https://maps.googleapis.com/maps/api/place/findplacefromtext/json?input=*\
     &inputtype=textquery\
     &fields=formatted_address,name,place_id,types\
     &locationbias=circle:50@{},{}\
     &key=my-secret-key",
    lat, lng
);

let mut response = reqwest::get(&request_url).expect("pffff");

let gr: GoogleResponse = response.json::<GoogleResponse>().expect("geeez");

GoogleResponse结构定义为

#[derive(Debug, Serialize, Deserialize)]
pub struct DebugLog {
    pub line: Vec<String>,
}

#[derive(Debug, Serialize, Deserialize)]
pub struct Candidate {
    pub formatted_address: String,
    pub name: String,
    pub place_id: String,
    pub types: Vec<String>,
}

#[derive(Debug, Serialize, Deserialize)]
pub struct GoogleResponse {
    pub candidates: Vec<Candidate>,
    pub debug_log: DebugLog,
    pub status: String,
}

这一切都编译好了,我可以提出请求,但是我在String字段中得到的结果包含原始的". 应该是这样吗?

例如,当打印我得到的格式化地址之一时:

"result": "\"Street blabh blahab blahb\"",

当我真的想要

"result": "Street blabh blahab blahb",

我做错了什么还是这是预期的行为?

4

1 回答 1

3

我将尝试在这里提供一个简单的示例。

extern crate serde; // 1.0.80
extern crate serde_json; // 1.0.33

use serde_json::Value;

const JSON: &str = r#"{
  "name": "John Doe",
  "age": 43
}"#;

fn main() {
    let v: Value = serde_json::from_str(JSON).unwrap();
    println!("{} is {} years old", v["name"], v["age"]);
}

操场

会导致

“约翰·多伊”43岁

原因是,这v["name"]不是 a String,而是 a Value(您可以通过添加let a: () = v["name"];将导致错误的行来检查:) expected (), found enum 'serde_json::Value'

如果你想要&str/ String,你必须先用 . 转换它Value::as_str

如果您println!相应地更改该行:

println!("{} is {} years old", v["name"].as_str().unwrap(), v["age"]);

它会打印出来:

约翰·多伊 43 岁

于 2018-11-19T16:31:59.567 回答