|
123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147148149150151152153154155156157158159160161162163164165166167168169170171172173174175176177178179180181182183184185186187188189190191192193194195196197198199200201202203204205206207208209210211212213214215216217218219220221222223224225226227228229230231232233234235236237238239240241242243244245246247248249250251252253254255256257258259260261262263264265266267268269270271272273274275276277278279280281282283284285286287288289290291292293294295296297298299300301302303304305306307308 |
- use std::collections::HashMap;
-
- use slug::slugify;
- use tera::{Context, Tera, Value};
- use slotmap::{Key};
-
- use config::{Config, Taxonomy as TaxonomyConfig};
- use errors::{Result, ResultExt};
- use utils::templates::render_template;
-
- use sorting::sort_pages_by_date;
- use library::Library;
-
- #[derive(Debug, Clone, PartialEq, Serialize)]
- struct SerializedTaxonomyItem<'a> {
- name: &'a str,
- slug: &'a str,
- permalink: &'a str,
- pages: Vec<&'a Value>,
- }
-
- impl<'a> SerializedTaxonomyItem<'a> {
- pub fn from_item(item: &'a TaxonomyItem, library: &'a Library) -> Self {
- let mut pages = vec![];
-
- for k in &item.pages {
- pages.push(library.get_cached_page_value_by_key(k));
- }
-
- SerializedTaxonomyItem {
- name: &item.name,
- slug: &item.slug,
- permalink: &item.permalink,
- pages,
- }
- }
- }
-
- /// A taxonomy with all its pages
- #[derive(Debug, Clone, PartialEq)]
- pub struct TaxonomyItem {
- pub name: String,
- pub slug: String,
- pub permalink: String,
- pub pages: Vec<Key>,
- }
-
- impl TaxonomyItem {
- pub fn new(name: &str, path: &str, config: &Config, keys: Vec<Key>, library: &Library) -> Self {
- // Taxonomy are almost always used for blogs so we filter by dates
- // and it's not like we can sort things across sections by anything other
- // than dates
- let data = keys
- .iter()
- .map(|k| {
- if let Some(page) = library.pages().get(*k) {
- (k, page.meta.datetime, page.permalink.as_ref())
- } else {
- unreachable!("Sorting got an unknown page")
- }
- })
- .collect();
- let (mut pages, ignored_pages) = sort_pages_by_date(data);
- let slug = slugify(name);
- let permalink = config.make_permalink(&format!("/{}/{}", path, slug));
-
- // We still append pages without dates at the end
- pages.extend(ignored_pages);
-
- TaxonomyItem {
- name: name.to_string(),
- permalink,
- slug,
- pages,
- }
- }
- }
-
- #[derive(Debug, Clone, PartialEq, Serialize)]
- pub struct SerializedTaxonomy<'a> {
- kind: &'a TaxonomyConfig,
- items: Vec<SerializedTaxonomyItem<'a>>,
- }
-
- impl<'a> SerializedTaxonomy<'a> {
- pub fn from_taxonomy(taxonomy: &'a Taxonomy, library: &'a Library) -> Self {
- let items: Vec<SerializedTaxonomyItem> = taxonomy.items.iter().map(|i| SerializedTaxonomyItem::from_item(i, library)).collect();
- SerializedTaxonomy {
- kind: &taxonomy.kind,
- items,
- }
- }
- }
-
- /// All different taxonomies we have and their content
- #[derive(Debug, Clone, PartialEq)]
- pub struct Taxonomy {
- pub kind: TaxonomyConfig,
- // this vec is sorted by the count of item
- pub items: Vec<TaxonomyItem>,
- }
-
- impl Taxonomy {
- fn new(kind: TaxonomyConfig, config: &Config, items: HashMap<String, Vec<Key>>, library: &Library) -> Taxonomy {
- let mut sorted_items = vec![];
- for (name, pages) in items {
- sorted_items.push(
- TaxonomyItem::new(&name, &kind.name, config, pages, library)
- );
- }
- sorted_items.sort_by(|a, b| a.name.cmp(&b.name));
-
- Taxonomy {
- kind,
- items: sorted_items,
- }
- }
-
- pub fn len(&self) -> usize {
- self.items.len()
- }
-
- pub fn is_empty(&self) -> bool {
- self.len() == 0
- }
-
- pub fn render_term(&self, item: &TaxonomyItem, tera: &Tera, config: &Config, library: &Library) -> Result<String> {
- let mut context = Context::new();
- context.insert("config", config);
- context.insert("term", &SerializedTaxonomyItem::from_item(item, library));
- context.insert("taxonomy", &self.kind);
- context.insert("current_url", &config.make_permalink(&format!("{}/{}", self.kind.name, item.slug)));
- context.insert("current_path", &format!("/{}/{}", self.kind.name, item.slug));
-
- render_template(&format!("{}/single.html", self.kind.name), tera, &context, &config.theme)
- .chain_err(|| format!("Failed to render single term {} page.", self.kind.name))
- }
-
- pub fn render_all_terms(&self, tera: &Tera, config: &Config, library: &Library) -> Result<String> {
- let mut context = Context::new();
- context.insert("config", config);
- let terms: Vec<SerializedTaxonomyItem> = self.items.iter().map(|i| SerializedTaxonomyItem::from_item(i, library)).collect();
- context.insert("terms", &terms);
- context.insert("taxonomy", &self.kind);
- context.insert("current_url", &config.make_permalink(&self.kind.name));
- context.insert("current_path", &self.kind.name);
-
- render_template(&format!("{}/list.html", self.kind.name), tera, &context, &config.theme)
- .chain_err(|| format!("Failed to render a list of {} page.", self.kind.name))
- }
-
- pub fn to_serialized<'a>(&'a self, library: &'a Library) -> SerializedTaxonomy<'a> {
- SerializedTaxonomy::from_taxonomy(self, library)
- }
- }
-
- pub fn find_taxonomies(config: &Config, library: &Library) -> Result<Vec<Taxonomy>> {
- let taxonomies_def = {
- let mut m = HashMap::new();
- for t in &config.taxonomies {
- m.insert(t.name.clone(), t);
- }
- m
- };
- let mut all_taxonomies = HashMap::new();
-
- for (key, page) in library.pages() {
- // Draft are not part of taxonomies
- if page.is_draft() {
- continue;
- }
-
- for (name, val) in &page.meta.taxonomies {
- if taxonomies_def.contains_key(name) {
- all_taxonomies
- .entry(name)
- .or_insert_with(HashMap::new);
-
- for v in val {
- all_taxonomies.get_mut(name)
- .unwrap()
- .entry(v.to_string())
- .or_insert_with(|| vec![])
- .push(key);
- }
- } else {
- bail!("Page `{}` has taxonomy `{}` which is not defined in config.toml", page.file.path.display(), name);
- }
- }
- }
-
- let mut taxonomies = vec![];
-
- for (name, taxo) in all_taxonomies {
- taxonomies.push(Taxonomy::new(taxonomies_def[name].clone(), config, taxo, library));
- }
-
- Ok(taxonomies)
- }
-
-
- #[cfg(test)]
- mod tests {
- use super::*;
- use std::collections::HashMap;
-
- use config::{Config, Taxonomy as TaxonomyConfig};
- use content::Page;
- use library::Library;
-
- #[test]
- fn can_make_taxonomies() {
- let mut config = Config::default();
- let mut library = Library::new(2, 0);
-
- config.taxonomies = vec![
- TaxonomyConfig { name: "categories".to_string(), ..TaxonomyConfig::default() },
- TaxonomyConfig { name: "tags".to_string(), ..TaxonomyConfig::default() },
- TaxonomyConfig { name: "authors".to_string(), ..TaxonomyConfig::default() },
- ];
-
- let mut page1 = Page::default();
- let mut taxo_page1 = HashMap::new();
- taxo_page1.insert("tags".to_string(), vec!["rust".to_string(), "db".to_string()]);
- taxo_page1.insert("categories".to_string(), vec!["Programming tutorials".to_string()]);
- page1.meta.taxonomies = taxo_page1;
- library.insert_page(page1);
-
- let mut page2 = Page::default();
- let mut taxo_page2 = HashMap::new();
- taxo_page2.insert("tags".to_string(), vec!["rust".to_string(), "js".to_string()]);
- taxo_page2.insert("categories".to_string(), vec!["Other".to_string()]);
- page2.meta.taxonomies = taxo_page2;
- library.insert_page(page2);
-
- let mut page3 = Page::default();
- let mut taxo_page3 = HashMap::new();
- taxo_page3.insert("tags".to_string(), vec!["js".to_string()]);
- taxo_page3.insert("authors".to_string(), vec!["Vincent Prouillet".to_string()]);
- page3.meta.taxonomies = taxo_page3;
- library.insert_page(page3);
-
- let taxonomies = find_taxonomies(&config, &library).unwrap();
- let (tags, categories, authors) = {
- let mut t = None;
- let mut c = None;
- let mut a = None;
- for x in taxonomies {
- match x.kind.name.as_ref() {
- "tags" => t = Some(x),
- "categories" => c = Some(x),
- "authors" => a = Some(x),
- _ => unreachable!(),
- }
- }
- (t.unwrap(), c.unwrap(), a.unwrap())
- };
- assert_eq!(tags.items.len(), 3);
- assert_eq!(categories.items.len(), 2);
- assert_eq!(authors.items.len(), 1);
-
- assert_eq!(tags.items[0].name, "db");
- assert_eq!(tags.items[0].slug, "db");
- assert_eq!(tags.items[0].permalink, "http://a-website.com/tags/db/");
- assert_eq!(tags.items[0].pages.len(), 1);
-
- assert_eq!(tags.items[1].name, "js");
- assert_eq!(tags.items[1].slug, "js");
- assert_eq!(tags.items[1].permalink, "http://a-website.com/tags/js/");
- assert_eq!(tags.items[1].pages.len(), 2);
-
- assert_eq!(tags.items[2].name, "rust");
- assert_eq!(tags.items[2].slug, "rust");
- assert_eq!(tags.items[2].permalink, "http://a-website.com/tags/rust/");
- assert_eq!(tags.items[2].pages.len(), 2);
-
- assert_eq!(categories.items[0].name, "Other");
- assert_eq!(categories.items[0].slug, "other");
- assert_eq!(categories.items[0].permalink, "http://a-website.com/categories/other/");
- assert_eq!(categories.items[0].pages.len(), 1);
-
- assert_eq!(categories.items[1].name, "Programming tutorials");
- assert_eq!(categories.items[1].slug, "programming-tutorials");
- assert_eq!(categories.items[1].permalink, "http://a-website.com/categories/programming-tutorials/");
- assert_eq!(categories.items[1].pages.len(), 1);
- }
-
- #[test]
- fn errors_on_unknown_taxonomy() {
- let mut config = Config::default();
- let mut library = Library::new(2, 0);
-
- config.taxonomies = vec![
- TaxonomyConfig { name: "authors".to_string(), ..TaxonomyConfig::default() },
- ];
- let mut page1 = Page::default();
- let mut taxo_page1 = HashMap::new();
- taxo_page1.insert("tags".to_string(), vec!["rust".to_string(), "db".to_string()]);
- page1.meta.taxonomies = taxo_page1;
- library.insert_page(page1);
-
- let taxonomies = find_taxonomies(&config, &library);
- assert!(taxonomies.is_err());
- let err = taxonomies.unwrap_err();
- // no path as this is created by Default
- assert_eq!(err.description(), "Page `` has taxonomy `tags` which is not defined in config.toml");
- }
- }
|