2018-10-29 19:13:09 +00:00
|
|
|
extern crate serde_json;
|
2018-10-31 07:18:57 +00:00
|
|
|
extern crate toml;
|
2018-10-29 19:13:09 +00:00
|
|
|
|
2018-11-01 09:36:19 +00:00
|
|
|
use utils::de::fix_toml_dates;
|
2018-10-31 07:18:57 +00:00
|
|
|
use utils::fs::{get_file_time, is_path_in_directory, read_file};
|
2018-10-29 19:13:09 +00:00
|
|
|
|
2018-10-31 07:18:57 +00:00
|
|
|
use reqwest::{header, Client};
|
2018-10-29 19:13:09 +00:00
|
|
|
use std::collections::hash_map::DefaultHasher;
|
2018-10-31 07:18:57 +00:00
|
|
|
use std::fmt;
|
|
|
|
use std::hash::{Hash, Hasher};
|
|
|
|
use std::str::FromStr;
|
2018-10-29 19:13:09 +00:00
|
|
|
use url::Url;
|
|
|
|
|
|
|
|
use std::path::PathBuf;
|
|
|
|
use std::sync::{Arc, Mutex};
|
|
|
|
|
|
|
|
use csv::Reader;
|
|
|
|
use std::collections::HashMap;
|
2019-01-23 18:20:02 +00:00
|
|
|
use tera::{from_value, to_value, Error, Function as TeraFn, Map, Result, Value};
|
2018-10-29 19:13:09 +00:00
|
|
|
|
2018-10-31 07:18:57 +00:00
|
|
|
static GET_DATA_ARGUMENT_ERROR_MESSAGE: &str =
|
|
|
|
"`load_data`: requires EITHER a `path` or `url` argument";
|
2018-10-29 19:13:09 +00:00
|
|
|
|
|
|
|
enum DataSource {
|
|
|
|
Url(Url),
|
2018-10-31 07:18:57 +00:00
|
|
|
Path(PathBuf),
|
2018-10-29 19:13:09 +00:00
|
|
|
}
|
|
|
|
|
|
|
|
#[derive(Debug)]
|
|
|
|
enum OutputFormat {
|
|
|
|
Toml,
|
|
|
|
Json,
|
|
|
|
Csv,
|
2018-10-31 07:18:57 +00:00
|
|
|
Plain,
|
2018-10-29 19:13:09 +00:00
|
|
|
}
|
|
|
|
|
|
|
|
impl fmt::Display for OutputFormat {
|
|
|
|
fn fmt(&self, f: &mut fmt::Formatter) -> fmt::Result {
|
|
|
|
fmt::Debug::fmt(self, f)
|
|
|
|
}
|
|
|
|
}
|
|
|
|
|
|
|
|
impl Hash for OutputFormat {
|
|
|
|
fn hash<H: Hasher>(&self, state: &mut H) {
|
|
|
|
self.to_string().hash(state);
|
|
|
|
}
|
|
|
|
}
|
|
|
|
|
|
|
|
impl FromStr for OutputFormat {
|
|
|
|
type Err = Error;
|
|
|
|
|
|
|
|
fn from_str(output_format: &str) -> Result<Self> {
|
2018-12-29 10:17:43 +00:00
|
|
|
match output_format {
|
2018-10-29 19:13:09 +00:00
|
|
|
"toml" => Ok(OutputFormat::Toml),
|
|
|
|
"csv" => Ok(OutputFormat::Csv),
|
|
|
|
"json" => Ok(OutputFormat::Json),
|
|
|
|
"plain" => Ok(OutputFormat::Plain),
|
2018-10-31 07:18:57 +00:00
|
|
|
format => Err(format!("Unknown output format {}", format).into()),
|
2018-12-29 10:17:43 +00:00
|
|
|
}
|
2018-10-29 19:13:09 +00:00
|
|
|
}
|
|
|
|
}
|
|
|
|
|
|
|
|
impl OutputFormat {
|
|
|
|
fn as_accept_header(&self) -> header::HeaderValue {
|
2018-12-29 10:17:43 +00:00
|
|
|
header::HeaderValue::from_static(match self {
|
2018-10-29 19:13:09 +00:00
|
|
|
OutputFormat::Json => "application/json",
|
|
|
|
OutputFormat::Csv => "text/csv",
|
|
|
|
OutputFormat::Toml => "application/toml",
|
|
|
|
OutputFormat::Plain => "text/plain",
|
2018-12-29 10:17:43 +00:00
|
|
|
})
|
2018-10-29 19:13:09 +00:00
|
|
|
}
|
|
|
|
}
|
|
|
|
|
|
|
|
impl DataSource {
|
2018-10-31 07:18:57 +00:00
|
|
|
fn from_args(
|
|
|
|
path_arg: Option<String>,
|
|
|
|
url_arg: Option<String>,
|
|
|
|
content_path: &PathBuf,
|
|
|
|
) -> Result<Self> {
|
2018-10-29 19:13:09 +00:00
|
|
|
if path_arg.is_some() && url_arg.is_some() {
|
|
|
|
return Err(GET_DATA_ARGUMENT_ERROR_MESSAGE.into());
|
|
|
|
}
|
|
|
|
|
|
|
|
if let Some(path) = path_arg {
|
|
|
|
let full_path = content_path.join(path);
|
|
|
|
if !full_path.exists() {
|
|
|
|
return Err(format!("{} doesn't exist", full_path.display()).into());
|
|
|
|
}
|
|
|
|
return Ok(DataSource::Path(full_path));
|
|
|
|
}
|
|
|
|
|
|
|
|
if let Some(url) = url_arg {
|
2018-10-31 07:18:57 +00:00
|
|
|
return Url::parse(&url)
|
2018-12-29 10:17:43 +00:00
|
|
|
.map(DataSource::Url)
|
2018-10-31 07:18:57 +00:00
|
|
|
.map_err(|e| format!("Failed to parse {} as url: {}", url, e).into());
|
2018-10-29 19:13:09 +00:00
|
|
|
}
|
|
|
|
|
2018-12-29 10:17:43 +00:00
|
|
|
Err(GET_DATA_ARGUMENT_ERROR_MESSAGE.into())
|
2018-10-29 19:13:09 +00:00
|
|
|
}
|
|
|
|
|
|
|
|
fn get_cache_key(&self, format: &OutputFormat) -> u64 {
|
|
|
|
let mut hasher = DefaultHasher::new();
|
|
|
|
format.hash(&mut hasher);
|
|
|
|
self.hash(&mut hasher);
|
2018-12-29 10:17:43 +00:00
|
|
|
hasher.finish()
|
2018-10-29 19:13:09 +00:00
|
|
|
}
|
|
|
|
}
|
|
|
|
|
|
|
|
impl Hash for DataSource {
|
|
|
|
fn hash<H: Hasher>(&self, state: &mut H) {
|
|
|
|
match self {
|
|
|
|
DataSource::Url(url) => url.hash(state),
|
|
|
|
DataSource::Path(path) => {
|
|
|
|
path.hash(state);
|
|
|
|
get_file_time(&path).expect("get file time").hash(state);
|
|
|
|
}
|
|
|
|
};
|
|
|
|
}
|
|
|
|
}
|
|
|
|
|
2018-10-31 07:18:57 +00:00
|
|
|
fn get_data_source_from_args(
|
|
|
|
content_path: &PathBuf,
|
|
|
|
args: &HashMap<String, Value>,
|
|
|
|
) -> Result<DataSource> {
|
|
|
|
let path_arg = optional_arg!(String, args.get("path"), GET_DATA_ARGUMENT_ERROR_MESSAGE);
|
|
|
|
let url_arg = optional_arg!(String, args.get("url"), GET_DATA_ARGUMENT_ERROR_MESSAGE);
|
2018-10-29 19:13:09 +00:00
|
|
|
|
2018-12-29 10:17:43 +00:00
|
|
|
DataSource::from_args(path_arg, url_arg, content_path)
|
2018-10-29 19:13:09 +00:00
|
|
|
}
|
|
|
|
|
|
|
|
fn read_data_file(base_path: &PathBuf, full_path: PathBuf) -> Result<String> {
|
2018-10-31 07:18:57 +00:00
|
|
|
if !is_path_in_directory(&base_path, &full_path)
|
|
|
|
.map_err(|e| format!("Failed to read data file {}: {}", full_path.display(), e))?
|
|
|
|
{
|
|
|
|
return Err(format!(
|
|
|
|
"{} is not inside the base site directory {}",
|
|
|
|
full_path.display(),
|
|
|
|
base_path.display()
|
|
|
|
)
|
|
|
|
.into());
|
2018-10-29 19:13:09 +00:00
|
|
|
}
|
2018-12-29 10:17:43 +00:00
|
|
|
read_file(&full_path).map_err(|e| {
|
2018-10-31 07:18:57 +00:00
|
|
|
format!("`load_data`: error {} loading file {}", full_path.to_str().unwrap(), e).into()
|
2018-12-29 10:17:43 +00:00
|
|
|
})
|
2018-10-29 19:13:09 +00:00
|
|
|
}
|
|
|
|
|
2018-10-31 07:18:57 +00:00
|
|
|
fn get_output_format_from_args(
|
|
|
|
args: &HashMap<String, Value>,
|
|
|
|
data_source: &DataSource,
|
|
|
|
) -> Result<OutputFormat> {
|
2018-10-29 19:13:09 +00:00
|
|
|
let format_arg = optional_arg!(
|
|
|
|
String,
|
|
|
|
args.get("format"),
|
2019-03-16 09:01:11 +00:00
|
|
|
"`load_data`: `format` needs to be an argument with a string value, being one of the supported `load_data` file types (csv, json, toml, plain)"
|
2018-10-29 19:13:09 +00:00
|
|
|
);
|
|
|
|
|
|
|
|
if let Some(format) = format_arg {
|
2019-03-22 19:44:06 +00:00
|
|
|
if format == "plain" {
|
|
|
|
return Ok(OutputFormat::Plain);
|
|
|
|
}
|
2018-10-29 19:13:09 +00:00
|
|
|
return OutputFormat::from_str(&format);
|
|
|
|
}
|
|
|
|
|
|
|
|
let from_extension = if let DataSource::Path(path) = data_source {
|
2019-03-16 09:01:11 +00:00
|
|
|
path.extension().map(|extension| extension.to_str().unwrap()).unwrap_or_else(|| "plain")
|
2018-10-29 19:13:09 +00:00
|
|
|
} else {
|
|
|
|
"plain"
|
|
|
|
};
|
2019-03-22 19:34:02 +00:00
|
|
|
|
|
|
|
// Always default to Plain if we don't know what it is
|
|
|
|
OutputFormat::from_str(from_extension).or_else(|_| Ok(OutputFormat::Plain))
|
2018-10-29 19:13:09 +00:00
|
|
|
}
|
|
|
|
|
2019-01-23 18:20:02 +00:00
|
|
|
/// A Tera function to load data from a file or from a URL
|
2018-10-30 14:07:23 +00:00
|
|
|
/// Currently the supported formats are json, toml, csv and plain text
|
2019-01-23 18:20:02 +00:00
|
|
|
#[derive(Debug)]
|
|
|
|
pub struct LoadData {
|
|
|
|
base_path: PathBuf,
|
|
|
|
client: Arc<Mutex<Client>>,
|
|
|
|
result_cache: Arc<Mutex<HashMap<u64, Value>>>,
|
|
|
|
}
|
|
|
|
impl LoadData {
|
2019-03-11 19:21:13 +00:00
|
|
|
pub fn new(base_path: PathBuf) -> Self {
|
2019-01-23 18:20:02 +00:00
|
|
|
let client = Arc::new(Mutex::new(Client::builder().build().expect("reqwest client build")));
|
|
|
|
let result_cache = Arc::new(Mutex::new(HashMap::new()));
|
2019-03-11 19:21:13 +00:00
|
|
|
Self { base_path, client, result_cache }
|
2019-01-23 18:20:02 +00:00
|
|
|
}
|
|
|
|
}
|
2018-10-29 19:13:09 +00:00
|
|
|
|
2019-01-23 18:20:02 +00:00
|
|
|
impl TeraFn for LoadData {
|
|
|
|
fn call(&self, args: &HashMap<String, Value>) -> Result<Value> {
|
2019-03-11 19:21:13 +00:00
|
|
|
let data_source = get_data_source_from_args(&self.base_path, &args)?;
|
2018-10-29 19:13:09 +00:00
|
|
|
let file_format = get_output_format_from_args(&args, &data_source)?;
|
|
|
|
let cache_key = data_source.get_cache_key(&file_format);
|
|
|
|
|
2019-01-23 18:20:02 +00:00
|
|
|
let mut cache = self.result_cache.lock().expect("result cache lock");
|
|
|
|
let response_client = self.client.lock().expect("response client lock");
|
2018-10-29 19:13:09 +00:00
|
|
|
if let Some(cached_result) = cache.get(&cache_key) {
|
|
|
|
return Ok(cached_result.clone());
|
|
|
|
}
|
|
|
|
|
|
|
|
let data = match data_source {
|
2019-01-23 18:20:02 +00:00
|
|
|
DataSource::Path(path) => read_data_file(&self.base_path, path),
|
2018-10-29 19:13:09 +00:00
|
|
|
DataSource::Url(url) => {
|
2018-10-31 07:18:57 +00:00
|
|
|
let mut response = response_client
|
|
|
|
.get(url.as_str())
|
|
|
|
.header(header::ACCEPT, file_format.as_accept_header())
|
|
|
|
.send()
|
|
|
|
.and_then(|res| res.error_for_status())
|
|
|
|
.map_err(|e| {
|
|
|
|
format!(
|
|
|
|
"Failed to request {}: {}",
|
|
|
|
url,
|
|
|
|
e.status().expect("response status")
|
|
|
|
)
|
|
|
|
})?;
|
|
|
|
response
|
|
|
|
.text()
|
|
|
|
.map_err(|e| format!("Failed to parse response from {}: {:?}", url, e).into())
|
|
|
|
}
|
2018-10-29 19:13:09 +00:00
|
|
|
}?;
|
|
|
|
|
|
|
|
let result_value: Result<Value> = match file_format {
|
|
|
|
OutputFormat::Toml => load_toml(data),
|
|
|
|
OutputFormat::Csv => load_csv(data),
|
|
|
|
OutputFormat::Json => load_json(data),
|
|
|
|
OutputFormat::Plain => to_value(data).map_err(|e| e.into()),
|
|
|
|
};
|
|
|
|
|
|
|
|
if let Ok(data_result) = &result_value {
|
|
|
|
cache.insert(cache_key, data_result.clone());
|
|
|
|
}
|
|
|
|
|
|
|
|
result_value
|
2019-01-23 18:20:02 +00:00
|
|
|
}
|
2018-10-29 19:13:09 +00:00
|
|
|
}
|
|
|
|
|
2018-10-30 14:07:23 +00:00
|
|
|
/// Parse a JSON string and convert it to a Tera Value
|
2018-10-29 19:13:09 +00:00
|
|
|
fn load_json(json_data: String) -> Result<Value> {
|
2018-10-31 07:18:57 +00:00
|
|
|
let json_content: Value =
|
|
|
|
serde_json::from_str(json_data.as_str()).map_err(|e| format!("{:?}", e))?;
|
2018-12-29 10:17:43 +00:00
|
|
|
Ok(json_content)
|
2018-10-29 19:13:09 +00:00
|
|
|
}
|
|
|
|
|
2018-10-30 14:07:23 +00:00
|
|
|
/// Parse a TOML string and convert it to a Tera Value
|
2018-10-29 19:13:09 +00:00
|
|
|
fn load_toml(toml_data: String) -> Result<Value> {
|
|
|
|
let toml_content: toml::Value = toml::from_str(&toml_data).map_err(|e| format!("{:?}", e))?;
|
2018-11-01 09:36:19 +00:00
|
|
|
let toml_value = to_value(toml_content).expect("Got invalid JSON that was valid TOML somehow");
|
|
|
|
|
|
|
|
match toml_value {
|
|
|
|
Value::Object(m) => Ok(fix_toml_dates(m)),
|
|
|
|
_ => unreachable!("Loaded something other than a TOML object"),
|
|
|
|
}
|
2018-10-29 19:13:09 +00:00
|
|
|
}
|
|
|
|
|
2018-10-30 14:07:23 +00:00
|
|
|
/// Parse a CSV string and convert it to a Tera Value
|
2018-10-29 19:13:09 +00:00
|
|
|
///
|
|
|
|
/// An example csv file `example.csv` could be:
|
|
|
|
/// ```csv
|
|
|
|
/// Number, Title
|
|
|
|
/// 1,Gutenberg
|
|
|
|
/// 2,Printing
|
|
|
|
/// ```
|
|
|
|
/// The json value output would be:
|
|
|
|
/// ```json
|
|
|
|
/// {
|
|
|
|
/// "headers": ["Number", "Title"],
|
|
|
|
/// "records": [
|
|
|
|
/// ["1", "Gutenberg"],
|
|
|
|
/// ["2", "Printing"]
|
|
|
|
/// ],
|
|
|
|
/// }
|
|
|
|
/// ```
|
|
|
|
fn load_csv(csv_data: String) -> Result<Value> {
|
|
|
|
let mut reader = Reader::from_reader(csv_data.as_bytes());
|
|
|
|
let mut csv_map = Map::new();
|
|
|
|
|
|
|
|
{
|
2018-10-31 07:18:57 +00:00
|
|
|
let hdrs = reader.headers().map_err(|e| {
|
|
|
|
format!("'load_data': {} - unable to read CSV header line (line 1) for CSV file", e)
|
|
|
|
})?;
|
2018-10-29 19:13:09 +00:00
|
|
|
|
2018-10-31 07:18:57 +00:00
|
|
|
let headers_array = hdrs.iter().map(|v| Value::String(v.to_string())).collect();
|
2018-10-29 19:13:09 +00:00
|
|
|
|
|
|
|
csv_map.insert(String::from("headers"), Value::Array(headers_array));
|
|
|
|
}
|
|
|
|
|
|
|
|
{
|
|
|
|
let records = reader.records();
|
|
|
|
|
|
|
|
let mut records_array: Vec<Value> = Vec::new();
|
|
|
|
|
|
|
|
for result in records {
|
2019-02-04 20:58:58 +00:00
|
|
|
let record = match result {
|
|
|
|
Ok(r) => r,
|
|
|
|
Err(e) => {
|
|
|
|
return Err(tera::Error::chain(
|
|
|
|
String::from("Error encountered when parsing csv records"),
|
|
|
|
e,
|
|
|
|
));
|
|
|
|
}
|
|
|
|
};
|
|
|
|
|
2018-10-29 19:13:09 +00:00
|
|
|
let mut elements_array: Vec<Value> = Vec::new();
|
|
|
|
|
|
|
|
for e in record.into_iter() {
|
|
|
|
elements_array.push(Value::String(String::from(e)));
|
|
|
|
}
|
|
|
|
|
|
|
|
records_array.push(Value::Array(elements_array));
|
|
|
|
}
|
|
|
|
|
|
|
|
csv_map.insert(String::from("records"), Value::Array(records_array));
|
|
|
|
}
|
|
|
|
|
|
|
|
let csv_value: Value = Value::Object(csv_map);
|
|
|
|
to_value(csv_value).map_err(|err| err.into())
|
|
|
|
}
|
|
|
|
|
|
|
|
#[cfg(test)]
|
|
|
|
mod tests {
|
2019-02-04 20:58:58 +00:00
|
|
|
use super::{DataSource, LoadData, OutputFormat};
|
2018-10-29 19:13:09 +00:00
|
|
|
|
|
|
|
use std::collections::HashMap;
|
|
|
|
use std::path::PathBuf;
|
|
|
|
|
2019-01-23 18:20:02 +00:00
|
|
|
use tera::{to_value, Function};
|
2018-10-29 19:13:09 +00:00
|
|
|
|
|
|
|
fn get_test_file(filename: &str) -> PathBuf {
|
|
|
|
let test_files = PathBuf::from("../utils/test-files").canonicalize().unwrap();
|
|
|
|
return test_files.join(filename);
|
|
|
|
}
|
|
|
|
|
|
|
|
#[test]
|
|
|
|
fn fails_when_missing_file() {
|
2019-03-16 09:01:11 +00:00
|
|
|
let static_fn = LoadData::new(PathBuf::from("../utils"));
|
2018-10-29 19:13:09 +00:00
|
|
|
let mut args = HashMap::new();
|
|
|
|
args.insert("path".to_string(), to_value("../../../READMEE.md").unwrap());
|
2019-01-23 18:20:02 +00:00
|
|
|
let result = static_fn.call(&args);
|
2018-10-29 19:13:09 +00:00
|
|
|
assert!(result.is_err());
|
2019-01-23 18:20:02 +00:00
|
|
|
assert!(result.unwrap_err().to_string().contains("READMEE.md doesn't exist"));
|
2018-10-29 19:13:09 +00:00
|
|
|
}
|
|
|
|
|
|
|
|
#[test]
|
|
|
|
fn cant_load_outside_content_dir() {
|
2019-03-16 09:01:11 +00:00
|
|
|
let static_fn = LoadData::new(PathBuf::from(PathBuf::from("../utils")));
|
2018-10-29 19:13:09 +00:00
|
|
|
let mut args = HashMap::new();
|
2019-03-11 19:21:13 +00:00
|
|
|
args.insert("path".to_string(), to_value("../../README.md").unwrap());
|
2018-10-29 19:13:09 +00:00
|
|
|
args.insert("format".to_string(), to_value("plain").unwrap());
|
2019-01-23 18:20:02 +00:00
|
|
|
let result = static_fn.call(&args);
|
2018-10-29 19:13:09 +00:00
|
|
|
assert!(result.is_err());
|
2018-11-14 16:34:21 +00:00
|
|
|
assert!(result
|
|
|
|
.unwrap_err()
|
2019-01-23 18:20:02 +00:00
|
|
|
.to_string()
|
2018-11-14 16:34:21 +00:00
|
|
|
.contains("README.md is not inside the base site directory"));
|
2018-10-29 19:13:09 +00:00
|
|
|
}
|
|
|
|
|
|
|
|
#[test]
|
|
|
|
fn calculates_cache_key_for_path() {
|
|
|
|
// We can't test against a fixed value, due to the fact the cache key is built from the absolute path
|
2018-10-31 07:18:57 +00:00
|
|
|
let cache_key =
|
|
|
|
DataSource::Path(get_test_file("test.toml")).get_cache_key(&OutputFormat::Toml);
|
|
|
|
let cache_key_2 =
|
|
|
|
DataSource::Path(get_test_file("test.toml")).get_cache_key(&OutputFormat::Toml);
|
2018-10-29 19:13:09 +00:00
|
|
|
assert_eq!(cache_key, cache_key_2);
|
|
|
|
}
|
|
|
|
|
|
|
|
#[test]
|
|
|
|
fn calculates_cache_key_for_url() {
|
2018-10-31 07:18:57 +00:00
|
|
|
let cache_key =
|
|
|
|
DataSource::Url("https://api.github.com/repos/getzola/zola".parse().unwrap())
|
|
|
|
.get_cache_key(&OutputFormat::Plain);
|
2018-10-29 19:13:09 +00:00
|
|
|
assert_eq!(cache_key, 8916756616423791754);
|
|
|
|
}
|
|
|
|
|
|
|
|
#[test]
|
|
|
|
fn different_cache_key_per_filename() {
|
2018-10-31 07:18:57 +00:00
|
|
|
let toml_cache_key =
|
|
|
|
DataSource::Path(get_test_file("test.toml")).get_cache_key(&OutputFormat::Toml);
|
|
|
|
let json_cache_key =
|
|
|
|
DataSource::Path(get_test_file("test.json")).get_cache_key(&OutputFormat::Toml);
|
2018-10-29 19:13:09 +00:00
|
|
|
assert_ne!(toml_cache_key, json_cache_key);
|
|
|
|
}
|
|
|
|
|
|
|
|
#[test]
|
|
|
|
fn different_cache_key_per_format() {
|
2018-10-31 07:18:57 +00:00
|
|
|
let toml_cache_key =
|
|
|
|
DataSource::Path(get_test_file("test.toml")).get_cache_key(&OutputFormat::Toml);
|
|
|
|
let json_cache_key =
|
|
|
|
DataSource::Path(get_test_file("test.toml")).get_cache_key(&OutputFormat::Json);
|
2018-10-29 19:13:09 +00:00
|
|
|
assert_ne!(toml_cache_key, json_cache_key);
|
|
|
|
}
|
|
|
|
|
|
|
|
#[test]
|
|
|
|
fn can_load_remote_data() {
|
2019-03-11 19:21:13 +00:00
|
|
|
let static_fn = LoadData::new(PathBuf::new());
|
2018-10-29 19:13:09 +00:00
|
|
|
let mut args = HashMap::new();
|
|
|
|
args.insert("url".to_string(), to_value("https://httpbin.org/json").unwrap());
|
|
|
|
args.insert("format".to_string(), to_value("json").unwrap());
|
2019-01-23 18:20:02 +00:00
|
|
|
let result = static_fn.call(&args).unwrap();
|
2018-10-31 07:18:57 +00:00
|
|
|
assert_eq!(
|
|
|
|
result.get("slideshow").unwrap().get("title").unwrap(),
|
|
|
|
&to_value("Sample Slide Show").unwrap()
|
|
|
|
);
|
2018-10-29 19:13:09 +00:00
|
|
|
}
|
|
|
|
|
|
|
|
#[test]
|
|
|
|
fn fails_when_request_404s() {
|
2019-03-11 19:21:13 +00:00
|
|
|
let static_fn = LoadData::new(PathBuf::new());
|
2018-10-29 19:13:09 +00:00
|
|
|
let mut args = HashMap::new();
|
|
|
|
args.insert("url".to_string(), to_value("https://httpbin.org/status/404/").unwrap());
|
|
|
|
args.insert("format".to_string(), to_value("json").unwrap());
|
2019-01-23 18:20:02 +00:00
|
|
|
let result = static_fn.call(&args);
|
2018-10-29 19:13:09 +00:00
|
|
|
assert!(result.is_err());
|
2018-10-31 07:18:57 +00:00
|
|
|
assert_eq!(
|
2019-01-23 18:20:02 +00:00
|
|
|
result.unwrap_err().to_string(),
|
2018-10-31 07:18:57 +00:00
|
|
|
"Failed to request https://httpbin.org/status/404/: 404 Not Found"
|
|
|
|
);
|
2018-10-29 19:13:09 +00:00
|
|
|
}
|
|
|
|
|
|
|
|
#[test]
|
2018-10-31 07:18:57 +00:00
|
|
|
fn can_load_toml() {
|
2019-03-16 09:01:11 +00:00
|
|
|
let static_fn = LoadData::new(PathBuf::from("../utils/test-files"));
|
2018-10-29 19:13:09 +00:00
|
|
|
let mut args = HashMap::new();
|
|
|
|
args.insert("path".to_string(), to_value("test.toml").unwrap());
|
2019-01-23 18:20:02 +00:00
|
|
|
let result = static_fn.call(&args.clone()).unwrap();
|
2018-10-29 19:13:09 +00:00
|
|
|
|
2019-01-23 18:20:02 +00:00
|
|
|
// TOML does not load in order
|
2018-10-31 07:18:57 +00:00
|
|
|
assert_eq!(
|
|
|
|
result,
|
|
|
|
json!({
|
2018-12-10 17:21:08 +00:00
|
|
|
"category": {
|
|
|
|
"date": "1979-05-27T07:32:00Z",
|
2019-04-18 16:55:09 +00:00
|
|
|
"lt1": "07:32:00",
|
2018-12-10 17:21:08 +00:00
|
|
|
"key": "value"
|
|
|
|
},
|
|
|
|
})
|
2018-10-31 07:18:57 +00:00
|
|
|
);
|
2018-10-29 19:13:09 +00:00
|
|
|
}
|
|
|
|
|
2019-03-22 19:44:06 +00:00
|
|
|
#[test]
|
|
|
|
fn unknown_extension_defaults_to_plain() {
|
|
|
|
let static_fn = LoadData::new(PathBuf::from("../utils/test-files"));
|
|
|
|
let mut args = HashMap::new();
|
|
|
|
args.insert("path".to_string(), to_value("test.css").unwrap());
|
|
|
|
let result = static_fn.call(&args.clone()).unwrap();
|
|
|
|
|
2019-07-19 08:35:31 +00:00
|
|
|
if cfg!(windows) {
|
|
|
|
assert_eq!(result, ".hello {}\r\n",);
|
|
|
|
} else {
|
|
|
|
assert_eq!(result, ".hello {}\n",);
|
|
|
|
};
|
2019-03-22 19:44:06 +00:00
|
|
|
}
|
|
|
|
|
|
|
|
#[test]
|
|
|
|
fn can_override_known_extension_with_format() {
|
|
|
|
let static_fn = LoadData::new(PathBuf::from("../utils/test-files"));
|
|
|
|
let mut args = HashMap::new();
|
|
|
|
args.insert("path".to_string(), to_value("test.csv").unwrap());
|
|
|
|
args.insert("format".to_string(), to_value("plain").unwrap());
|
|
|
|
let result = static_fn.call(&args.clone()).unwrap();
|
|
|
|
|
2019-07-19 08:35:31 +00:00
|
|
|
if cfg!(windows) {
|
|
|
|
assert_eq!(result, "Number,Title\r\n1,Gutenberg\r\n2,Printing",);
|
|
|
|
} else {
|
|
|
|
assert_eq!(result, "Number,Title\n1,Gutenberg\n2,Printing",);
|
|
|
|
};
|
2019-03-22 19:44:06 +00:00
|
|
|
}
|
|
|
|
|
|
|
|
#[test]
|
|
|
|
fn will_use_format_on_unknown_extension() {
|
|
|
|
let static_fn = LoadData::new(PathBuf::from("../utils/test-files"));
|
|
|
|
let mut args = HashMap::new();
|
|
|
|
args.insert("path".to_string(), to_value("test.css").unwrap());
|
|
|
|
args.insert("format".to_string(), to_value("plain").unwrap());
|
|
|
|
let result = static_fn.call(&args.clone()).unwrap();
|
|
|
|
|
2019-07-19 08:35:31 +00:00
|
|
|
if cfg!(windows) {
|
|
|
|
assert_eq!(result, ".hello {}\r\n",);
|
|
|
|
} else {
|
|
|
|
assert_eq!(result, ".hello {}\n",);
|
|
|
|
};
|
2019-03-22 19:44:06 +00:00
|
|
|
}
|
|
|
|
|
2018-10-29 19:13:09 +00:00
|
|
|
#[test]
|
2018-10-31 07:18:57 +00:00
|
|
|
fn can_load_csv() {
|
2019-03-16 09:01:11 +00:00
|
|
|
let static_fn = LoadData::new(PathBuf::from("../utils/test-files"));
|
2018-10-29 19:13:09 +00:00
|
|
|
let mut args = HashMap::new();
|
|
|
|
args.insert("path".to_string(), to_value("test.csv").unwrap());
|
2019-01-23 18:20:02 +00:00
|
|
|
let result = static_fn.call(&args.clone()).unwrap();
|
2018-10-29 19:13:09 +00:00
|
|
|
|
2018-10-31 07:18:57 +00:00
|
|
|
assert_eq!(
|
|
|
|
result,
|
|
|
|
json!({
|
2018-12-10 17:21:08 +00:00
|
|
|
"headers": ["Number", "Title"],
|
|
|
|
"records": [
|
|
|
|
["1", "Gutenberg"],
|
|
|
|
["2", "Printing"]
|
|
|
|
],
|
|
|
|
})
|
2018-10-31 07:18:57 +00:00
|
|
|
)
|
2018-10-29 19:13:09 +00:00
|
|
|
}
|
|
|
|
|
2019-02-04 20:58:58 +00:00
|
|
|
// Test points to bad csv file with uneven row lengths
|
|
|
|
#[test]
|
|
|
|
fn bad_csv_should_result_in_error() {
|
2019-03-16 09:01:11 +00:00
|
|
|
let static_fn = LoadData::new(PathBuf::from("../utils/test-files"));
|
2019-02-04 20:58:58 +00:00
|
|
|
let mut args = HashMap::new();
|
|
|
|
args.insert("path".to_string(), to_value("uneven_rows.csv").unwrap());
|
|
|
|
let result = static_fn.call(&args.clone());
|
|
|
|
|
|
|
|
assert!(result.is_err());
|
|
|
|
|
|
|
|
let error_kind = result.err().unwrap().kind;
|
|
|
|
match error_kind {
|
|
|
|
tera::ErrorKind::Msg(msg) => {
|
|
|
|
if msg != String::from("Error encountered when parsing csv records") {
|
|
|
|
panic!("Error message is wrong. Perhaps wrong error is being returned?");
|
|
|
|
}
|
|
|
|
}
|
|
|
|
_ => panic!("Error encountered was not expected CSV error"),
|
|
|
|
}
|
|
|
|
}
|
|
|
|
|
2018-10-29 19:13:09 +00:00
|
|
|
#[test]
|
2018-10-31 07:18:57 +00:00
|
|
|
fn can_load_json() {
|
2019-03-16 09:01:11 +00:00
|
|
|
let static_fn = LoadData::new(PathBuf::from("../utils/test-files"));
|
2018-10-29 19:13:09 +00:00
|
|
|
let mut args = HashMap::new();
|
|
|
|
args.insert("path".to_string(), to_value("test.json").unwrap());
|
2019-01-23 18:20:02 +00:00
|
|
|
let result = static_fn.call(&args.clone()).unwrap();
|
2018-10-29 19:13:09 +00:00
|
|
|
|
2018-10-31 07:18:57 +00:00
|
|
|
assert_eq!(
|
|
|
|
result,
|
|
|
|
json!({
|
2018-12-10 17:21:08 +00:00
|
|
|
"key": "value",
|
|
|
|
"array": [1, 2, 3],
|
|
|
|
"subpackage": {
|
|
|
|
"subkey": 5
|
|
|
|
}
|
|
|
|
})
|
2018-10-31 07:18:57 +00:00
|
|
|
)
|
2018-10-29 19:13:09 +00:00
|
|
|
}
|
|
|
|
}
|