1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
86
87
88
89
90
91
92
93
94
95
96
97
98
99
100
101
102
103
104
105
106
107
108
109
110
111
112
use anyhow::{anyhow, Context};
use async_trait::async_trait;
use http::Uri;
use merino_settings::{providers::FixedConfig, Settings};
use merino_suggest_traits::{
CacheInputs, MakeFreshType, Proportion, SetupError, SuggestError, Suggestion,
SuggestionProvider, SuggestionRequest, SuggestionResponse,
};
pub struct FixedProvider {
pub value: String,
}
impl FixedProvider {
pub fn new_boxed(settings: Settings, config: FixedConfig) -> Result<Box<Self>, SetupError> {
if !settings.debug {
Err(SetupError::InvalidConfiguration(anyhow!(
"FixedProvider can only be used in debug mode",
)))
} else {
Ok(Box::new(Self {
value: config.value,
}))
}
}
}
#[async_trait]
impl SuggestionProvider for FixedProvider {
fn name(&self) -> String {
format!("FixedProvider({})", self.value)
}
fn cache_inputs(&self, _req: &SuggestionRequest, _cache_inputs: &mut dyn CacheInputs) {
}
async fn suggest(
&self,
_request: SuggestionRequest,
) -> Result<SuggestionResponse, SuggestError> {
Ok(SuggestionResponse::new(vec![Suggestion {
provider: self.name(),
advertiser: "test_advertiser".to_string(),
score: Proportion::zero(),
id: 0,
full_keyword: "".to_string(),
title: self.value.clone(),
url: Uri::from_static("https://merino.services.mozilla.com/test/suggestion"),
impression_url: Some(Uri::from_static(
"https://merino.services.mozilla.com/test/impression",
)),
click_url: Some(Uri::from_static(
"https://merino.services.mozilla.com/test/click",
)),
is_sponsored: false,
icon: Uri::from_static("https://mozilla.com/favicon.png"),
}]))
}
async fn reconfigure(
&mut self,
new_config: serde_json::Value,
_make_fresh: &MakeFreshType,
) -> Result<(), SetupError> {
let new_config: FixedConfig = serde_json::from_value(new_config)
.context("loading provider config")
.map_err(SetupError::InvalidConfiguration)?;
self.value = new_config.value;
Ok(())
}
}
#[cfg(test)]
mod tests {
use super::FixedProvider;
use merino_settings::providers::{FixedConfig, SuggestionProviderConfig};
use merino_suggest_traits::{MakeFreshType, SuggestionProvider};
#[tokio::test]
async fn test_reconfigure() {
let mut provider = FixedProvider {
value: "foo".to_owned(),
};
let make_fresh: MakeFreshType = Box::new(move |_fresh_config: SuggestionProviderConfig| {
unreachable!();
});
let value = serde_json::to_value(FixedConfig {
value: "bar".to_owned(),
})
.expect("failed to serialize");
provider
.reconfigure(value, &make_fresh)
.await
.expect("failed to reconfigure");
assert_eq!(provider.value, "bar");
}
}