diff --git a/src/carnot/core/data/auto_retrieval/_internal/concept_generator.py b/src/carnot/core/data/auto_retrieval/_internal/concept_generator.py new file mode 100644 index 0000000..9647376 --- /dev/null +++ b/src/carnot/core/data/auto_retrieval/_internal/concept_generator.py @@ -0,0 +1,485 @@ +from __future__ import annotations +import json +import re +import logging +from enum import Enum +from pathlib import Path +from typing import Any, Dict, Iterable, List, Mapping, Optional + +from sentence_transformers import SentenceTransformer +from sklearn.cluster import KMeans +import dspy +from tqdm import tqdm + +logger = logging.getLogger(__name__) + +DEFAULT_OUTPUT_DIR = Path("concept_generation_outputs") + +def _parse_concept_list(raw: str) -> List[str]: + """Parse a JSON array of strings; salvage common non-JSON formats.""" + if not isinstance(raw, str): + return [] + + raw = raw.strip() + if not raw: + return [] + + try: + parsed = json.loads(raw) + if isinstance(parsed, list) and all(isinstance(x, str) for x in parsed): + return parsed + except Exception: + pass + + if "[" in raw and "]" in raw: + candidate = raw[raw.find("[") : raw.rfind("]") + 1] + try: + parsed = json.loads(candidate) + if isinstance(parsed, list) and all(isinstance(x, str) for x in parsed): + return parsed + except Exception: + pass + + numbered_pattern = r"\[\d+\]\s*[«\"]([^»\"]+)[»\"]" + matches = re.findall(numbered_pattern, raw) + if matches: + return [m.strip() for m in matches] + + return [raw] + + +def _dedupe_preserve_order(items: Iterable[str]) -> List[str]: + """Case-insensitive dedupe preserving original order.""" + seen = set() + result: List[str] = [] + for item in items: + norm = item.strip().lower() + if not norm: + continue + if norm in seen: + continue + seen.add(norm) + result.append(item.strip()) + return result + + +class PerQueryConceptSignature(dspy.Signature): + """ + Generate mid-granularity concepts for a single query. + """ + query = dspy.InputField( + desc="Natural language search query." + ) + concepts = dspy.OutputField( + desc=( + "Return ONLY a JSON array of strings (no prose before/after). " + "Each string is ONE self-contained, Boolean-friendly concept." + ) + ) + + +class PerQueryConceptModel(dspy.Module): + """ + LLM wrapper that maps a single query → per-query concept list. + """ + + def __init__(self) -> None: + super().__init__() + self._predict = dspy.Predict(PerQueryConceptSignature) + + # Optional: built-in few-shot examples (generic, not dataset-specific). + self._few_shot_examples = [ + dspy.Example( + query="Birds of Kolombangara or of the Western Province (Solomon Islands)", + concepts='[' + '"Birds of Kolombangara",' + '"Birds on the New Georgia Islands group",' + '"Birds of the Western Province (Solomon Islands)",' + '"Birds of the Solomon Islands"' + ']' + ).with_inputs("query"), + dspy.Example( + query="Trees of South Africa that are also in the south-central Pacific", + concepts='[' + '"Trees of Africa",' + '"Trees of South Africa",' + '"Trees of the South-Central Pacific",' + '"Trees in the Pacific",' + '"Coastal trees"' + ']' + ).with_inputs("query"), + dspy.Example( + query="2010s adventure films set in the Southwestern United States but not in California", + concepts='[' + '"Adventure films",' + '"2010s films",' + '"Films set in the Southwestern United States",' + '"Films set in the United States",' + '"Films set in California"' + ']' + ).with_inputs("query"), + ] + + def forward(self, query: str) -> List[str]: + """Run the LLM and return a parsed list of concepts.""" + result = self._predict(query=query, demos=self._few_shot_examples) + raw = getattr(result, "concepts", "") or "" + return _parse_concept_list(raw) + + +class BatchFinalConceptSignature(dspy.Signature): + """ + Directly generate final abstract concepts from a list of queries. + """ + queries = dspy.InputField( + desc="A list of natural language queries." + ) + final_concepts = dspy.OutputField( + desc="Return ONLY a JSON list of UNIQUE short noun phrases." + ) + + +class BatchFinalConceptModel(dspy.Module): + """ + ONE-SHOT: list of queries → deduped list of final concepts. + """ + + def __init__(self) -> None: + super().__init__() + self._predict = dspy.Predict(BatchFinalConceptSignature) + self._few_shot_examples = [ + dspy.Example( + queries=[ + "Birds of Kolombangara or of the Western Province (Solomon Islands)", + "Trees of South Africa that are also in the south-central Pacific", + "2010s adventure films set in the Southwestern United States but not in California", + ], + final_concepts=[ + "bird location", + "plant location", + "film genre", + "film decade", + "film location", + ], + ).with_inputs("queries"), + ] + + def forward(self, queries: List[str]) -> List[str]: + """Run the LLM and return a parsed, deduped list of final concepts.""" + result = self._predict(queries=queries, demos=self._few_shot_examples) + raw = getattr(result, "final_concepts", "") or "" + parsed = _parse_concept_list(raw) + return _dedupe_preserve_order(parsed) + + +class ClusterCentroidSignature(dspy.Signature): + concepts = dspy.InputField( + desc="A list of mid-granularity concept strings that belong to ONE cluster." + ) + centroid = dspy.OutputField( + desc=( + "Return EXACTLY ONE short noun phrase of the form ' '. " + "The subject is a generic singular noun. " + "The facet is the dominant *attribute type* expressed by the cluster " + "(e.g., location, nationality, habitat, genre, tear). " + "Do NOT output specific entities/places/years. " + "Do NOT output a bare topic like 'fish' or 'criminal films'. " + "Do NOT combine facets (no 'and', no commas)." + ) + ) + + +class ClusterCentroidModel(dspy.Module): + """ + LLM wrapper: cluster of concepts → centroid label. + """ + + def __init__(self) -> None: + super().__init__() + self._predict = dspy.Predict(ClusterCentroidSignature) + self._few_shot_examples = [ + dspy.Example( + concepts=[ + "Birds of the Pacific Islands", + "Birds of North America", + "Birds found in Central Africa", + ], + centroid="bird location", + ).with_inputs("concepts"), + dspy.Example( + concepts=[ + "Horror films", + "Historical films", + "Films set in the future", + "Black-and-white films", + ], + centroid="film genre", + ).with_inputs("concepts"), + dspy.Example( + concepts=[ + "1990s films", + "Early 1960s films", + "Late 1990s films", + ], + centroid="film decade", + ).with_inputs("concepts"), + dspy.Example( + concepts=[ + "2002 films", + "films released in 2024", + "films shot in 1999", + ], + centroid="film year", + ).with_inputs("concepts"), + dspy.Example( + concepts=[ + "Flowers of the Crozet Islands", + "Trees of the Marshall Islands", + "Trees of the Line Islands", + ], + centroid="plant location", + ).with_inputs("concepts"), + ] + + def forward(self, concepts: List[str]) -> str: + """Run the LLM and return a centroid label.""" + concepts_str = "\n".join(f"- {c}" for c in concepts) + result = self._predict(concepts=concepts_str, demos=self._few_shot_examples) + centroid = (getattr(result, "centroid", "") or "").strip() + return centroid + + +class ConceptGenerationMode(Enum): + TWO_STAGE = "two_stage" + DIRECT = "direct" + + +class LLMConceptGenerator: + """ + Minimal concept-generation API with exactly two paths: + - DIRECT: queries -> final concepts + - TWO_STAGE: per-query concepts -> clustering -> centroid labels + """ + + def __init__(self, config: Any) -> None: + self.config = config + + mode_str = getattr(config, "concept_generation_mode", ConceptGenerationMode.TWO_STAGE.value) + try: + self.mode = ConceptGenerationMode(mode_str) + except ValueError: + self.mode = ConceptGenerationMode.TWO_STAGE + + self.n_clusters = getattr(config, "concept_cluster_count", 50) + self.embedding_model_name = getattr(config, "concept_embedding_model", "all-MiniLM-L6-v2") + + self._per_query_model = PerQueryConceptModel() + self._batch_final_model = BatchFinalConceptModel() + self._centroid_model = ClusterCentroidModel() + + self._concept_vocabulary: List[str] = [] + + def fit( + self, + queries: Iterable[str], + *, + output_dir: Optional[str | Path] = None, + ) -> None: + queries_list = list(queries) + logger.info( + f"LLMConceptGenerator: fitting on {len(queries_list)} queries (mode={self.mode})." + ) + + if not queries_list: + self._concept_vocabulary = [] + return + + if self.mode is ConceptGenerationMode.TWO_STAGE: + concepts, artifacts = self._fit_two_stage(queries_list) + else: + concepts, artifacts = self._fit_direct(queries_list) + + self._concept_vocabulary = concepts + logger.info(f"LLMConceptGenerator: learned {len(concepts)} concepts.") + + if output_dir is None: + output_dir = ( + getattr(self.config, "concept_generation_output_dir", None) + or getattr(self.config, "concept_output_dir", None) + or DEFAULT_OUTPUT_DIR + ) + self._persist(output_dir=output_dir, artifacts=artifacts) + + def _persist(self, *, output_dir: str | Path, artifacts: Mapping[str, Any]) -> None: + out_dir = Path(output_dir) + out_dir.mkdir(parents=True, exist_ok=True) + out_path = out_dir / "concept_generation_artifacts.json" + try: + # Keep insertion order for readability (e.g., clusters in numeric order). + out_path.write_text(json.dumps(artifacts, indent=2, sort_keys=False)) + except Exception as e: + logger.warning(f"Failed to write concept generation artifacts to {out_path}: {e}") + + def _fit_two_stage(self, queries: List[str]) -> tuple[List[str], Dict[str, Any]]: + """ + TWO-STAGE STRATEGY: + 1. LLM generates per-query intermediate concepts. + 2. Concepts are embedded and clustered. + 3. LLM generates a centroid (final concept) for each cluster. + """ + artifacts: Dict[str, Any] = { + "mode": ConceptGenerationMode.TWO_STAGE.value, + "n_clusters": int(self.n_clusters), + "embedding_model_name": self.embedding_model_name, + } + + all_concepts: List[str] = [] + per_query: Dict[str, List[str]] = {} + for query in tqdm(queries, desc="two_stage per-query"): + per_query_concepts = self._per_query_model(query) + per_query[query] = list(per_query_concepts) + all_concepts.extend(per_query_concepts) + + all_concepts = _dedupe_preserve_order(all_concepts) + logger.info(f"LLMConceptGenerator: generated {len(all_concepts)} intermediate concepts.") + if not all_concepts: + artifacts["per_query_concepts"] = per_query + artifacts["intermediate_concepts"] = [] + artifacts["clusters"] = {} + artifacts["final_concepts"] = [] + return [], artifacts + + model = SentenceTransformer(self.embedding_model_name) + embeddings = model.encode(all_concepts, show_progress_bar=False) + + n_clusters = min(self.n_clusters, len(all_concepts)) + logger.info(f"LLMConceptGenerator: clustering into {n_clusters} clusters.") + if n_clusters <= 0: + artifacts["per_query_concepts"] = per_query + artifacts["intermediate_concepts"] = all_concepts + artifacts["clusters"] = {} + artifacts["final_concepts"] = [] + return [], artifacts + + kmeans = KMeans(n_clusters=n_clusters, random_state=42, n_init=10) + labels = kmeans.fit_predict(embeddings) + + clusters: Mapping[int, List[str]] = {} + for concept, label in zip(all_concepts, labels): + clusters.setdefault(int(label), []).append(concept) # type: ignore[attr-defined] + + cluster_ids = sorted(clusters.keys()) + cluster_centroids: Dict[str, str] = {} + centroids_in_cluster_order: List[str] = [] + for cluster_id in tqdm(cluster_ids, desc="two_stage centroids"): + members = clusters[cluster_id] + if not members: + continue + centroid = self._centroid_model(members) + if centroid: + cluster_centroids[str(cluster_id)] = centroid + centroids_in_cluster_order.append(centroid) + + final_concepts = _dedupe_preserve_order(centroids_in_cluster_order) + + artifacts["per_query_concepts"] = per_query + artifacts["intermediate_concepts"] = all_concepts + # Preserve numeric ordering for cluster ids in the JSON file. + artifacts["clusters"] = {str(k): clusters[k] for k in cluster_ids} + artifacts["cluster_centroids"] = cluster_centroids + artifacts["final_concepts"] = final_concepts + return final_concepts, artifacts + + def _fit_direct(self, queries: List[str]) -> tuple[List[str], Dict[str, Any]]: + """ + DIRECT STRATEGY: + Generate final concepts in batches and globally dedupe. + """ + batch_size = int(getattr(self.config, "concept_direct_batch_size", 100) or 0) + + global_seen: set[str] = set() + global_concepts: List[str] = [] + batch_results: List[Dict[str, Any]] = [] + + n = len(queries) + if batch_size <= 0: + batch_size = n + num_batches = (n + batch_size - 1) // batch_size if batch_size else 0 + + for batch_idx in tqdm(range(num_batches), desc="direct batches"): + start_idx = batch_idx * batch_size + end_idx = min(start_idx + batch_size, n) + batch_queries = queries[start_idx:end_idx] + + tqdm.write(f"direct batch {batch_idx + 1}/{num_batches}: queries[{start_idx}:{end_idx}]") + batch_concepts = self._batch_final_model(batch_queries) + + new_concepts: List[str] = [] + for concept in batch_concepts: + norm = concept.strip().lower() + if not norm: + continue + if norm in global_seen: + continue + global_seen.add(norm) + kept = concept.strip() + global_concepts.append(kept) + new_concepts.append(kept) + + batch_results.append( + { + "batch_idx": batch_idx, + "raw_concepts": batch_concepts, + "new_concepts": new_concepts, + "num_new_concepts": len(new_concepts), + } + ) + + artifacts: Dict[str, Any] = { + "mode": ConceptGenerationMode.DIRECT.value, + "batch_size": batch_size, + "num_batches": num_batches, + "batches": batch_results, + "final_concepts": global_concepts, + } + return global_concepts, artifacts + + +# Example usage: +if __name__ == "__main__": + import os + import requests + + print("Downloading queries...") + url = "https://storage.googleapis.com/gresearch/quest/train.jsonl" + lines = requests.get(url).content.decode("utf-8").strip().split("\n") + queries = [json.loads(line).get("query", "") for line in lines if line.strip()] + queries = [q for q in queries if q] + print(f"✅ Queries downloaded, {len(queries)} queries found") + + api_key = os.environ.get("OPENAI_API_KEY", "") + lm = dspy.LM("openai/gpt-5.1", temperature=1.0, max_tokens=16000, api_key=api_key) + dspy.configure(lm=lm) + + class _Cfg: + pass + + + cfg_direct = _Cfg() + cfg_direct.concept_generation_mode = ConceptGenerationMode.DIRECT.value + cfg_direct.concept_direct_batch_size = 100 + + cfg_two_stage = _Cfg() + cfg_two_stage.concept_generation_mode = ConceptGenerationMode.TWO_STAGE.value + cfg_two_stage.concept_cluster_count = 50 + cfg_two_stage.concept_embedding_model = "all-MiniLM-L6-v2" + + # print("Fitting DIRECT model...") + # LLMConceptGenerator(cfg_direct).fit(queries, output_dir="results/quest_concepts/direct") + # print("✅ DIRECT model fitted") + + print("[DEFAULT] Fitting TWO_STAGE model...") + LLMConceptGenerator(cfg_two_stage).fit(queries, output_dir="results/quest_concepts/two_stage") + print("[DEFAULT] ✅ TWO_STAGE model fitted") + + print("[DEFAULT] Wrote TWO_STAGE artifacts to results/quest_concepts/two_stage/concept_generation_artifacts.json") \ No newline at end of file diff --git a/src/carnot/core/data/auto_retrieval/_internal/results/quest_concepts/direct/concept_generation_artifacts.json b/src/carnot/core/data/auto_retrieval/_internal/results/quest_concepts/direct/concept_generation_artifacts.json new file mode 100644 index 0000000..1575429 --- /dev/null +++ b/src/carnot/core/data/auto_retrieval/_internal/results/quest_concepts/direct/concept_generation_artifacts.json @@ -0,0 +1,1630 @@ +{ + "batch_size": 100, + "batches": [ + { + "batch_idx": 0, + "new_concepts": [ + "film genre", + "film release year", + "film release decade", + "national cinema", + "film setting place", + "film setting time", + "film production location", + "film format", + "film length", + "film series", + "sequel status", + "film adaptation source", + "comics adaptation", + "based on actual events", + "biographical subject", + "sports theme", + "social issues theme", + "LGBT theme", + "military theme", + "arts theme", + "historical era setting", + "wartime topic", + "book genre", + "book publication year", + "book publication decade", + "book language", + "book publisher", + "book author", + "book setting place", + "nonfiction subject", + "national literature", + "taxonomic group", + "taxonomic rank", + "taxonomic clade", + "species description year", + "extinction status", + "endemism status", + "biogeographic realm", + "geographic region", + "regional flora", + "regional fauna", + "habitat type", + "growth form", + "plant trait", + "reproductive trait", + "medicinal use", + "ethnobotanical use", + "crop origin", + "crop type", + "prehistoric status", + "geologic time period", + "biome region", + "coastal region", + "distribution type", + "lost film status", + "adaptation format", + "subject region" + ], + "num_new_concepts": 57, + "raw_concepts": [ + "film genre", + "film release year", + "film release decade", + "national cinema", + "film setting place", + "film setting time", + "film production location", + "film format", + "film length", + "film series", + "sequel status", + "film adaptation source", + "comics adaptation", + "based on actual events", + "biographical subject", + "sports theme", + "social issues theme", + "LGBT theme", + "military theme", + "arts theme", + "historical era setting", + "wartime topic", + "book genre", + "book publication year", + "book publication decade", + "book language", + "book publisher", + "book author", + "book setting place", + "nonfiction subject", + "national literature", + "taxonomic group", + "taxonomic rank", + "taxonomic clade", + "species description year", + "extinction status", + "endemism status", + "biogeographic realm", + "geographic region", + "regional flora", + "regional fauna", + "habitat type", + "growth form", + "plant trait", + "reproductive trait", + "medicinal use", + "ethnobotanical use", + "crop origin", + "crop type", + "prehistoric status", + "geologic time period", + "biome region", + "coastal region", + "distribution type", + "lost film status", + "adaptation format", + "subject region" + ] + }, + { + "batch_idx": 1, + "new_concepts": [ + "book audience", + "book format", + "book topic", + "book setting", + "book nationality", + "book publication date", + "adaptation status", + "book series", + "film topic", + "film setting", + "film country", + "film decade", + "film language", + "film production attribute", + "film preservation status", + "narrative structure", + "source material", + "taxon distribution", + "endemic status", + "taxon description year", + "geologic period", + "organism trait", + "agricultural use", + "horticultural use", + "cultivar category", + "marine habitat", + "edibility" + ], + "num_new_concepts": 27, + "raw_concepts": [ + "book audience", + "book format", + "book genre", + "book topic", + "book setting", + "book author", + "book publisher", + "book language", + "book nationality", + "book publication date", + "adaptation status", + "book series", + "film genre", + "film topic", + "film setting", + "film country", + "film decade", + "film language", + "film production attribute", + "film preservation status", + "narrative structure", + "source material", + "taxon distribution", + "biogeographic realm", + "endemic status", + "extinction status", + "taxon description year", + "geologic period", + "taxonomic rank", + "taxonomic group", + "organism trait", + "agricultural use", + "horticultural use", + "cultivar category", + "marine habitat", + "edibility" + ] + }, + { + "batch_idx": 2, + "new_concepts": [ + "geographic fauna", + "geographic flora", + "trees by region", + "island endemics", + "biogeographic overlaps", + "extinct animals", + "plant growth forms", + "monotypic genera", + "taxonomic clades", + "birds by region", + "fish by region", + "amphibians by region", + "mammals by region", + "rodents by country", + "crocodilians by region", + "invertebrates by region", + "butterflies by region", + "beetles by region", + "lepidoptera by region", + "bryophytes by region", + "sea lions by region", + "marine fauna", + "freshwater plants", + "regional crops", + "ethnic cinema", + "Hong Kong cinema", + "Israeli cinema", + "Italian horror", + "Dutch comedies", + "Indigenous films", + "children's films", + "children's animated films", + "sports films", + "silent films", + "independent films", + "films by decade", + "film genres", + "film shooting locations", + "historical settings", + "revenge films", + "aging films", + "animal-themed films", + "political documentaries", + "public opinion documentaries", + "marine biology documentaries", + "film adaptations", + "author-based adaptations", + "novella adaptations", + "autobiographical novel adaptations", + "trade-themed films", + "children's literature", + "Christian children's literature", + "Chinese literature", + "historical novels", + "fantasy novels", + "military speculative fiction", + "space-set science fiction", + "novels by decade", + "books by year", + "debut fiction", + "novels by language", + "publisher-specific books", + "novels by setting", + "author bibliographies", + "regional history books", + "mathematics non-fiction" + ], + "num_new_concepts": 66, + "raw_concepts": [ + "geographic fauna", + "geographic flora", + "trees by region", + "island endemics", + "biogeographic overlaps", + "extinct animals", + "species description year", + "plant growth forms", + "monotypic genera", + "taxonomic clades", + "birds by region", + "fish by region", + "amphibians by region", + "mammals by region", + "rodents by country", + "crocodilians by region", + "invertebrates by region", + "butterflies by region", + "beetles by region", + "lepidoptera by region", + "bryophytes by region", + "sea lions by region", + "marine fauna", + "freshwater plants", + "regional crops", + "national cinema", + "ethnic cinema", + "Hong Kong cinema", + "Israeli cinema", + "Italian horror", + "Dutch comedies", + "Indigenous films", + "children's films", + "children's animated films", + "sports films", + "silent films", + "independent films", + "films by decade", + "film genres", + "film shooting locations", + "historical settings", + "revenge films", + "aging films", + "animal-themed films", + "political documentaries", + "public opinion documentaries", + "marine biology documentaries", + "film adaptations", + "author-based adaptations", + "novella adaptations", + "autobiographical novel adaptations", + "trade-themed films", + "children's literature", + "Christian children's literature", + "national literature", + "Chinese literature", + "historical novels", + "fantasy novels", + "military speculative fiction", + "space-set science fiction", + "novels by decade", + "books by year", + "debut fiction", + "novels by language", + "publisher-specific books", + "novels by setting", + "author bibliographies", + "regional history books", + "mathematics non-fiction" + ] + }, + { + "batch_idx": 3, + "new_concepts": [ + "authorship", + "setting location", + "time setting", + "genre", + "release period", + "origin country", + "awards", + "format", + "color process", + "filming location", + "language", + "subject area", + "franchise", + "institution topic", + "historical event topic", + "animal geography", + "plant geography", + "ecoregion", + "endemism", + "conservation status", + "ecological trait", + "domestication status", + "taxonomic family", + "genus membership", + "religious text reference", + "geologic epoch" + ], + "num_new_concepts": 26, + "raw_concepts": [ + "crop origin", + "authorship", + "setting location", + "time setting", + "genre", + "release period", + "origin country", + "awards", + "format", + "color process", + "source material", + "sequel status", + "filming location", + "language", + "subject area", + "franchise", + "institution topic", + "historical event topic", + "animal geography", + "plant geography", + "ecoregion", + "biogeographic realm", + "endemism", + "conservation status", + "habitat type", + "ecological trait", + "medicinal use", + "domestication status", + "taxonomic rank", + "taxonomic family", + "genus membership", + "species description year", + "growth form", + "religious text reference", + "geologic epoch", + "subject region" + ] + }, + { + "batch_idx": 4, + "new_concepts": [ + "monotypic taxon", + "plant division", + "plant family", + "plant order", + "tree species", + "flowering plants", + "orchid diversity", + "bryophyte flora", + "poales taxa", + "boryaceae taxa", + "aquatic plants", + "carnivorous plants", + "medicinal plants", + "drought tolerance", + "avian fauna", + "passerine birds", + "reptile fauna", + "amphibian fauna", + "mammal fauna", + "insect fauna", + "fish fauna", + "rodent fauna", + "pinniped fauna", + "prehistoric period", + "devonian fauna", + "quaternary fauna", + "pliocene birds", + "plesiosaur fossils", + "island distribution", + "subarctic region", + "oceanian realm flora", + "holarctic distribution", + "palearctic distribution", + "range restriction", + "regional exclusion", + "cross-regional overlap", + "subject location", + "city setting", + "narrative setting", + "temporal setting", + "year filter", + "decade filter", + "publication year", + "author attribution", + "publisher imprint", + "language of work", + "country of origin", + "nationality filter", + "literary genre", + "genre blending", + "genre exclusion", + "animated film", + "mockumentary format", + "documentary film", + "children's film", + "coming-of-age film", + "musical film", + "comedy genre", + "black comedy", + "action comedy", + "comedy-drama", + "historical film", + "war film", + "spy film", + "mystery film", + "sexploitation film", + "superhero genre", + "crossover event", + "remake relation", + "award recognition", + "textbook format", + "mythology theme", + "astronomy subject", + "travel theme", + "disease theme", + "sexuality theme", + "prostitution theme", + "biblical theme", + "prisoner-of-war theme", + "romance theme", + "remarriage theme", + "factual basis", + "biographical status", + "target audience", + "taxonomic description year", + "water-activity tolerance", + "magic realism" + ], + "num_new_concepts": 87, + "raw_concepts": [ + "taxonomic group", + "taxonomic family", + "monotypic taxon", + "plant division", + "plant family", + "plant order", + "tree species", + "flowering plants", + "orchid diversity", + "bryophyte flora", + "poales taxa", + "boryaceae taxa", + "aquatic plants", + "carnivorous plants", + "medicinal plants", + "drought tolerance", + "marine fauna", + "avian fauna", + "passerine birds", + "reptile fauna", + "amphibian fauna", + "mammal fauna", + "insect fauna", + "fish fauna", + "rodent fauna", + "pinniped fauna", + "extinct animals", + "prehistoric period", + "devonian fauna", + "quaternary fauna", + "pliocene birds", + "plesiosaur fossils", + "biogeographic realm", + "geographic region", + "island distribution", + "subarctic region", + "oceanian realm flora", + "holarctic distribution", + "palearctic distribution", + "endemic status", + "range restriction", + "regional exclusion", + "cross-regional overlap", + "subject location", + "city setting", + "narrative setting", + "temporal setting", + "year filter", + "decade filter", + "publication year", + "author attribution", + "publisher imprint", + "language of work", + "film language", + "country of origin", + "nationality filter", + "literary genre", + "film genre", + "genre blending", + "genre exclusion", + "animated film", + "mockumentary format", + "documentary film", + "children's film", + "coming-of-age film", + "musical film", + "comedy genre", + "black comedy", + "action comedy", + "comedy-drama", + "historical film", + "war film", + "spy film", + "mystery film", + "sexploitation film", + "superhero genre", + "crossover event", + "remake relation", + "adaptation status", + "filming location", + "award recognition", + "textbook format", + "mythology theme", + "astronomy subject", + "travel theme", + "disease theme", + "sexuality theme", + "prostitution theme", + "biblical theme", + "prisoner-of-war theme", + "romance theme", + "remarriage theme", + "factual basis", + "biographical status", + "target audience", + "taxonomic description year", + "water-activity tolerance", + "magic realism", + "children's literature" + ] + }, + { + "batch_idx": 5, + "new_concepts": [ + "novel genre", + "book subject", + "film subject", + "release decade", + "nationality", + "author", + "publisher", + "literary award", + "adaptation type", + "cinematic universe", + "literary form", + "work type", + "subject person", + "political theme", + "religious theme", + "war theme", + "social theme", + "economic topic", + "antisemitism theme", + "nazism theme", + "evacuation theme", + "military topic", + "history subject", + "plant distribution", + "tree distribution", + "orchid distribution", + "angiosperm distribution", + "garden plant origin", + "flora realm", + "holarctic flora", + "nearctic flora", + "native flora", + "endemic flora", + "species origin", + "animal distribution", + "mammal distribution", + "bat distribution", + "felid distribution", + "bird distribution", + "fish distribution", + "amphibian distribution", + "reptile distribution", + "beetle habitat", + "island fauna", + "freshwater fauna", + "endemic fauna", + "species description date", + "historical setting" + ], + "num_new_concepts": 48, + "raw_concepts": [ + "novel genre", + "film genre", + "book subject", + "film subject", + "setting location", + "time setting", + "publication year", + "release decade", + "language", + "nationality", + "author", + "publisher", + "literary award", + "adaptation type", + "cinematic universe", + "literary form", + "work type", + "subject person", + "subject region", + "political theme", + "religious theme", + "war theme", + "social theme", + "economic topic", + "antisemitism theme", + "lgbt theme", + "nazism theme", + "evacuation theme", + "military topic", + "history subject", + "plant distribution", + "tree distribution", + "orchid distribution", + "angiosperm distribution", + "garden plant origin", + "crop origin", + "flora realm", + "holarctic flora", + "nearctic flora", + "native flora", + "endemic flora", + "species origin", + "animal distribution", + "mammal distribution", + "bat distribution", + "felid distribution", + "bird distribution", + "fish distribution", + "amphibian distribution", + "reptile distribution", + "beetle habitat", + "island fauna", + "freshwater fauna", + "endemic fauna", + "taxonomic group", + "monotypic taxon", + "geologic epoch", + "species description date", + "historical setting" + ] + }, + { + "batch_idx": 6, + "new_concepts": [ + "taxon location", + "regional endemism", + "geologic time", + "description year", + "common name", + "genre hybrid", + "film location", + "shooting location", + "film year", + "film century", + "film nationality", + "animation type", + "production style", + "work theme", + "publication decade", + "author criterion", + "publisher criterion", + "debut status", + "audience category", + "adaptation source", + "inclusion-exclusion filter", + "range overlap" + ], + "num_new_concepts": 22, + "raw_concepts": [ + "taxon location", + "regional endemism", + "biogeographic realm", + "geologic time", + "taxonomic clade", + "habitat type", + "ecological trait", + "description year", + "extinction status", + "common name", + "film genre", + "genre hybrid", + "film location", + "historical setting", + "shooting location", + "film year", + "film decade", + "film century", + "film nationality", + "film format", + "animation type", + "production style", + "work theme", + "book genre", + "book subject", + "book setting", + "publication year", + "publication decade", + "book nationality", + "author criterion", + "publisher criterion", + "debut status", + "audience category", + "adaptation source", + "inclusion-exclusion filter", + "range overlap" + ] + }, + { + "batch_idx": 7, + "new_concepts": [ + "work topic", + "release year", + "work origin country", + "work language", + "source author", + "audience", + "based-on status", + "production type", + "style", + "historicity", + "setting time period", + "setting environment", + "setting venue", + "species location", + "life form", + "taxon group", + "habitat", + "edible status", + "fossil assemblage", + "temporal status" + ], + "num_new_concepts": 20, + "raw_concepts": [ + "work topic", + "publication year", + "publication decade", + "release year", + "release decade", + "book genre", + "film genre", + "setting location", + "shooting location", + "work origin country", + "work language", + "author", + "source author", + "publisher", + "audience", + "adaptation source", + "based-on status", + "production type", + "format", + "style", + "historicity", + "setting time period", + "setting environment", + "setting venue", + "species location", + "life form", + "taxon group", + "taxonomic rank", + "description year", + "geologic time period", + "extinction status", + "habitat", + "endemic status", + "biogeographic realm", + "edible status", + "crop origin", + "fossil assemblage", + "temporal status" + ] + }, + { + "batch_idx": 8, + "new_concepts": [ + "work genre", + "work setting", + "work country", + "work decade", + "work year", + "work subject", + "work source", + "work status", + "work audience", + "work series", + "work format", + "remake status", + "period setting", + "monotypic status", + "fossil record status", + "discovery year" + ], + "num_new_concepts": 16, + "raw_concepts": [ + "work genre", + "work setting", + "work country", + "work language", + "work decade", + "work year", + "work subject", + "work source", + "work status", + "work audience", + "work series", + "publisher", + "author", + "work format", + "remake status", + "period setting", + "taxonomic group", + "taxonomic rank", + "monotypic status", + "species location", + "biogeographic realm", + "endemism status", + "conservation status", + "geologic period", + "fossil record status", + "growth form", + "medicinal use", + "description year", + "discovery year" + ] + }, + { + "batch_idx": 9, + "new_concepts": [ + "bird location", + "plant location", + "animal location", + "introduced range", + "monotypic genus", + "plant use", + "book origin", + "author ethnicity", + "book time setting", + "film time setting", + "film shooting location", + "animation", + "narrative style", + "cultural reference" + ], + "num_new_concepts": 14, + "raw_concepts": [ + "bird location", + "plant location", + "animal location", + "biogeographic realm", + "endemism", + "introduced range", + "conservation status", + "taxonomic group", + "monotypic genus", + "geologic period", + "prehistoric status", + "crop origin", + "ethnobotanical use", + "plant use", + "plant trait", + "habitat", + "publisher", + "release year", + "release period", + "book language", + "book origin", + "author", + "author ethnicity", + "book genre", + "book subject", + "book setting", + "book time setting", + "adaptation source", + "film genre", + "film subject", + "film setting", + "film time setting", + "film shooting location", + "film nationality", + "film format", + "animation", + "audience category", + "narrative style", + "description year", + "cultural reference" + ] + }, + { + "batch_idx": 10, + "new_concepts": [ + "film adaptation", + "film status", + "film movement", + "book year", + "book decade", + "flora location", + "fauna location", + "tree location", + "orchid location", + "algae location", + "endemicity", + "taxonomic genus", + "parasitic habit", + "religious significance", + "exclusion filter", + "historical era", + "future setting" + ], + "num_new_concepts": 17, + "raw_concepts": [ + "film genre", + "film setting", + "filming location", + "film year", + "film decade", + "film nationality", + "film language", + "film subject", + "film adaptation", + "film status", + "film format", + "film movement", + "film series", + "target audience", + "book genre", + "book subject", + "book year", + "book decade", + "book author", + "book publisher", + "book nationality", + "book series", + "book format", + "bird location", + "flora location", + "fauna location", + "tree location", + "orchid location", + "algae location", + "endemicity", + "conservation status", + "taxonomic family", + "taxonomic genus", + "monotypic status", + "taxonomic group", + "growth form", + "drought tolerance", + "parasitic habit", + "common name", + "religious significance", + "geologic period", + "fossil assemblage", + "prehistoric status", + "exclusion filter", + "historical era", + "future setting" + ] + }, + { + "batch_idx": 11, + "new_concepts": [ + "film origin country", + "historical period setting", + "novel setting", + "novel subject", + "author identity", + "series status", + "collaborative authorship", + "illustration status", + "television adaptation", + "lifeform category", + "phylogenetic clade", + "geographic distribution", + "endemic range", + "nativity status", + "common name status", + "sacred status", + "observation year" + ], + "num_new_concepts": 17, + "raw_concepts": [ + "film genre", + "film origin country", + "film language", + "film decade", + "film year", + "film format", + "film subject", + "film setting", + "film shooting location", + "historical period setting", + "adaptation source", + "time setting", + "literary form", + "novel setting", + "novel subject", + "publication year", + "publication decade", + "author identity", + "publisher imprint", + "series status", + "collaborative authorship", + "illustration status", + "television adaptation", + "taxonomic group", + "lifeform category", + "taxonomic rank", + "phylogenetic clade", + "monotypic status", + "geographic distribution", + "endemic range", + "biogeographic realm", + "nativity status", + "conservation status", + "domestication status", + "geologic time period", + "common name status", + "sacred status", + "observation year" + ] + }, + { + "batch_idx": 12, + "new_concepts": [ + "work nationality", + "film franchise", + "documentary status", + "animation style", + "sound format", + "preservation status", + "source medium", + "source nationality", + "academic discipline", + "theme", + "native status", + "geological period", + "posthumous status" + ], + "num_new_concepts": 13, + "raw_concepts": [ + "genre", + "work subject", + "author", + "publisher", + "publication year", + "publication decade", + "audience category", + "work nationality", + "language", + "setting location", + "time setting", + "filming location", + "film franchise", + "narrative structure", + "documentary status", + "animation style", + "sound format", + "film length", + "preservation status", + "source medium", + "source author", + "source nationality", + "factual basis", + "literary form", + "academic discipline", + "theme", + "taxonomic group", + "taxonomic rank", + "species location", + "native status", + "endemism", + "biogeographic realm", + "habitat", + "plant use", + "growth form", + "conservation status", + "extinction status", + "geological period", + "description year", + "monotypic status", + "posthumous status" + ] + }, + { + "batch_idx": 13, + "new_concepts": [ + "film time period", + "plant taxonomy", + "plant biogeography", + "plant growth form", + "ethnomedicine" + ], + "num_new_concepts": 5, + "raw_concepts": [ + "film setting", + "film language", + "film genre", + "film nationality", + "film format", + "film topic", + "film time period", + "book genre", + "book setting", + "book topic", + "plant use", + "plant taxonomy", + "plant biogeography", + "plant growth form", + "ethnomedicine" + ] + } + ], + "final_concepts": [ + "film genre", + "film release year", + "film release decade", + "national cinema", + "film setting place", + "film setting time", + "film production location", + "film format", + "film length", + "film series", + "sequel status", + "film adaptation source", + "comics adaptation", + "based on actual events", + "biographical subject", + "sports theme", + "social issues theme", + "LGBT theme", + "military theme", + "arts theme", + "historical era setting", + "wartime topic", + "book genre", + "book publication year", + "book publication decade", + "book language", + "book publisher", + "book author", + "book setting place", + "nonfiction subject", + "national literature", + "taxonomic group", + "taxonomic rank", + "taxonomic clade", + "species description year", + "extinction status", + "endemism status", + "biogeographic realm", + "geographic region", + "regional flora", + "regional fauna", + "habitat type", + "growth form", + "plant trait", + "reproductive trait", + "medicinal use", + "ethnobotanical use", + "crop origin", + "crop type", + "prehistoric status", + "geologic time period", + "biome region", + "coastal region", + "distribution type", + "lost film status", + "adaptation format", + "subject region", + "book audience", + "book format", + "book topic", + "book setting", + "book nationality", + "book publication date", + "adaptation status", + "book series", + "film topic", + "film setting", + "film country", + "film decade", + "film language", + "film production attribute", + "film preservation status", + "narrative structure", + "source material", + "taxon distribution", + "endemic status", + "taxon description year", + "geologic period", + "organism trait", + "agricultural use", + "horticultural use", + "cultivar category", + "marine habitat", + "edibility", + "geographic fauna", + "geographic flora", + "trees by region", + "island endemics", + "biogeographic overlaps", + "extinct animals", + "plant growth forms", + "monotypic genera", + "taxonomic clades", + "birds by region", + "fish by region", + "amphibians by region", + "mammals by region", + "rodents by country", + "crocodilians by region", + "invertebrates by region", + "butterflies by region", + "beetles by region", + "lepidoptera by region", + "bryophytes by region", + "sea lions by region", + "marine fauna", + "freshwater plants", + "regional crops", + "ethnic cinema", + "Hong Kong cinema", + "Israeli cinema", + "Italian horror", + "Dutch comedies", + "Indigenous films", + "children's films", + "children's animated films", + "sports films", + "silent films", + "independent films", + "films by decade", + "film genres", + "film shooting locations", + "historical settings", + "revenge films", + "aging films", + "animal-themed films", + "political documentaries", + "public opinion documentaries", + "marine biology documentaries", + "film adaptations", + "author-based adaptations", + "novella adaptations", + "autobiographical novel adaptations", + "trade-themed films", + "children's literature", + "Christian children's literature", + "Chinese literature", + "historical novels", + "fantasy novels", + "military speculative fiction", + "space-set science fiction", + "novels by decade", + "books by year", + "debut fiction", + "novels by language", + "publisher-specific books", + "novels by setting", + "author bibliographies", + "regional history books", + "mathematics non-fiction", + "authorship", + "setting location", + "time setting", + "genre", + "release period", + "origin country", + "awards", + "format", + "color process", + "filming location", + "language", + "subject area", + "franchise", + "institution topic", + "historical event topic", + "animal geography", + "plant geography", + "ecoregion", + "endemism", + "conservation status", + "ecological trait", + "domestication status", + "taxonomic family", + "genus membership", + "religious text reference", + "geologic epoch", + "monotypic taxon", + "plant division", + "plant family", + "plant order", + "tree species", + "flowering plants", + "orchid diversity", + "bryophyte flora", + "poales taxa", + "boryaceae taxa", + "aquatic plants", + "carnivorous plants", + "medicinal plants", + "drought tolerance", + "avian fauna", + "passerine birds", + "reptile fauna", + "amphibian fauna", + "mammal fauna", + "insect fauna", + "fish fauna", + "rodent fauna", + "pinniped fauna", + "prehistoric period", + "devonian fauna", + "quaternary fauna", + "pliocene birds", + "plesiosaur fossils", + "island distribution", + "subarctic region", + "oceanian realm flora", + "holarctic distribution", + "palearctic distribution", + "range restriction", + "regional exclusion", + "cross-regional overlap", + "subject location", + "city setting", + "narrative setting", + "temporal setting", + "year filter", + "decade filter", + "publication year", + "author attribution", + "publisher imprint", + "language of work", + "country of origin", + "nationality filter", + "literary genre", + "genre blending", + "genre exclusion", + "animated film", + "mockumentary format", + "documentary film", + "children's film", + "coming-of-age film", + "musical film", + "comedy genre", + "black comedy", + "action comedy", + "comedy-drama", + "historical film", + "war film", + "spy film", + "mystery film", + "sexploitation film", + "superhero genre", + "crossover event", + "remake relation", + "award recognition", + "textbook format", + "mythology theme", + "astronomy subject", + "travel theme", + "disease theme", + "sexuality theme", + "prostitution theme", + "biblical theme", + "prisoner-of-war theme", + "romance theme", + "remarriage theme", + "factual basis", + "biographical status", + "target audience", + "taxonomic description year", + "water-activity tolerance", + "magic realism", + "novel genre", + "book subject", + "film subject", + "release decade", + "nationality", + "author", + "publisher", + "literary award", + "adaptation type", + "cinematic universe", + "literary form", + "work type", + "subject person", + "political theme", + "religious theme", + "war theme", + "social theme", + "economic topic", + "antisemitism theme", + "nazism theme", + "evacuation theme", + "military topic", + "history subject", + "plant distribution", + "tree distribution", + "orchid distribution", + "angiosperm distribution", + "garden plant origin", + "flora realm", + "holarctic flora", + "nearctic flora", + "native flora", + "endemic flora", + "species origin", + "animal distribution", + "mammal distribution", + "bat distribution", + "felid distribution", + "bird distribution", + "fish distribution", + "amphibian distribution", + "reptile distribution", + "beetle habitat", + "island fauna", + "freshwater fauna", + "endemic fauna", + "species description date", + "historical setting", + "taxon location", + "regional endemism", + "geologic time", + "description year", + "common name", + "genre hybrid", + "film location", + "shooting location", + "film year", + "film century", + "film nationality", + "animation type", + "production style", + "work theme", + "publication decade", + "author criterion", + "publisher criterion", + "debut status", + "audience category", + "adaptation source", + "inclusion-exclusion filter", + "range overlap", + "work topic", + "release year", + "work origin country", + "work language", + "source author", + "audience", + "based-on status", + "production type", + "style", + "historicity", + "setting time period", + "setting environment", + "setting venue", + "species location", + "life form", + "taxon group", + "habitat", + "edible status", + "fossil assemblage", + "temporal status", + "work genre", + "work setting", + "work country", + "work decade", + "work year", + "work subject", + "work source", + "work status", + "work audience", + "work series", + "work format", + "remake status", + "period setting", + "monotypic status", + "fossil record status", + "discovery year", + "bird location", + "plant location", + "animal location", + "introduced range", + "monotypic genus", + "plant use", + "book origin", + "author ethnicity", + "book time setting", + "film time setting", + "film shooting location", + "animation", + "narrative style", + "cultural reference", + "film adaptation", + "film status", + "film movement", + "book year", + "book decade", + "flora location", + "fauna location", + "tree location", + "orchid location", + "algae location", + "endemicity", + "taxonomic genus", + "parasitic habit", + "religious significance", + "exclusion filter", + "historical era", + "future setting", + "film origin country", + "historical period setting", + "novel setting", + "novel subject", + "author identity", + "series status", + "collaborative authorship", + "illustration status", + "television adaptation", + "lifeform category", + "phylogenetic clade", + "geographic distribution", + "endemic range", + "nativity status", + "common name status", + "sacred status", + "observation year", + "work nationality", + "film franchise", + "documentary status", + "animation style", + "sound format", + "preservation status", + "source medium", + "source nationality", + "academic discipline", + "theme", + "native status", + "geological period", + "posthumous status", + "film time period", + "plant taxonomy", + "plant biogeography", + "plant growth form", + "ethnomedicine" + ], + "mode": "direct", + "num_batches": 14 +} \ No newline at end of file diff --git a/src/carnot/core/data/auto_retrieval/_internal/results/quest_concepts/two_stage/concept_generation_artifacts.json b/src/carnot/core/data/auto_retrieval/_internal/results/quest_concepts/two_stage/concept_generation_artifacts.json new file mode 100644 index 0000000..6639b2b --- /dev/null +++ b/src/carnot/core/data/auto_retrieval/_internal/results/quest_concepts/two_stage/concept_generation_artifacts.json @@ -0,0 +1,18447 @@ +{ + "mode": "two_stage", + "n_clusters": 50, + "embedding_model_name": "all-MiniLM-L6-v2", + "per_query_concepts": { + "Historical films from the 1900s or Argentine films that are lost": [ + "Historical films", + "Films from the 1900s", + "Argentine films", + "Lost films", + "Argentine lost films" + ], + "anime films from 1978 or 1980, or Space Battleship Yamato films": [ + "Anime films from 1978", + "Anime films from 1980", + "Space Battleship Yamato films" + ], + "Orchids of Guizhou or Flora of Jiangxi": [ + "Orchids of Guizhou", + "Flora of Guizhou", + "Flora of Jiangxi", + "Orchids of China", + "Flora of China" + ], + "Liberian Pantropical flora this are also Aquatic plants": [ + "Pantropical flora", + "Pantropical flora of Liberia", + "Aquatic plants", + "Aquatic plants of Liberia", + "Aquatic pantropical plants" + ], + "Animals that can only be found in Oman": [ + "Endemic animals of Oman", + "Endemic mammals of Oman", + "Endemic reptiles of Oman", + "Endemic amphibians of Oman", + "Endemic birds of Oman", + "Endemic invertebrates of Oman", + "Fauna of Oman" + ], + "what are some Bulgarian short films or Felix the Cat films or Bulgarian animated films?": [ + "Bulgarian short films", + "Felix the Cat films", + "Bulgarian animated films" + ], + "Oceanian realm fauna that are moths of japan": [ + "Fauna of the Oceanian realm", + "Moths of the Oceanian realm", + "Fauna of Japan", + "Moths of Japan" + ], + "Cetaceans that are also Prehistoric mammals excluding Miocene mammals": [ + "Cetaceans", + "Prehistoric mammals", + "Cetaceans that are prehistoric mammals", + "Miocene mammals" + ], + "what are some Novels about legendary creatures and are also Paranormal romance, but not Contemporary fantasy.": [ + "Novels about legendary creatures", + "Novels featuring legendary or mythological beings as central characters", + "Paranormal romance novels", + "Novels that are both about legendary creatures and paranormal romance", + "Novels that are not contemporary fantasy", + "Filtering out contemporary fantasy genre from paranormal romance with legendary creatures" + ], + "Spanish animated science fiction or Spanish action comedy films or Animated short films based on comics": [ + "Spanish animated science fiction films", + "Spanish action comedy films", + "Animated short films based on comics" + ], + "what are Novels by Ernst J\u00fcnger": [ + "Novels by Ernst J\u00fcnger", + "Works by Ernst J\u00fcnger", + "German novels", + "20th-century German novels" + ], + "Crime novels set in the Middle Ages but not set in Italy": [ + "Crime novels", + "Historical crime novels", + "Novels set in the Middle Ages", + "Novels set in Europe", + "Novels set in Italy" + ], + "Flora of Niue or the Line Islands or the Pitcairn Islands": [ + "Flora of Niue", + "Flora of the Line Islands", + "Flora of the Pitcairn Islands" + ], + "Robin birds": [ + "Birds called robin", + "European robin (Erithacus rubecula)", + "American robin (Turdus migratorius)", + "Robin species in the family Turdidae", + "Robin species in the family Muscicapidae" + ], + "Dhaka set films or political thriller films from Bangladesh or crime thriller films from Bangladesh": [ + "Films set in Dhaka", + "Political thriller films", + "Crime thriller films", + "Bangladeshi films", + "Bangladeshi political thriller films", + "Bangladeshi crime thriller films" + ], + "Honey birds": [ + "Honeyguides (family Indicatoridae)", + "Birds associated with honey hunting", + "Birds that eat beeswax and insect larvae in bee nests", + "Bird species that guide humans or animals to bee hives" + ], + "2000 English books not about the UK": [ + "2000 books", + "English-language books", + "Books about the United Kingdom" + ], + "Flora of Sinaloa and North America but not of Northeastern Mexico": [ + "Flora of Sinaloa", + "Flora of North America", + "Flora of Northeastern Mexico" + ], + "Plants of the Cayman Islands or Netherlands Antilles": [ + "Plants of the Cayman Islands", + "Flora of the Cayman Islands", + "Plants of the Netherlands Antilles", + "Flora of the Netherlands Antilles" + ], + "what are some movies based on works by Alexander Ostrovsky": [ + "Films based on works by Alexander Ostrovsky", + "Russian films based on plays", + "Films based on stage plays", + "Films based on works by Russian playwrights" + ], + "Books in English published by Constable & Robinson that are not about Europe": [ + "Books in English", + "Books published by Constable & Robinson", + "Books not about Europe" + ], + "books from 1560, 1564, or 1574": [ + "Books published in 1560", + "Books published in 1564", + "Books published in 1574", + "16th-century books" + ], + "Books that are Anti-fascist or about Oedipus complex": [ + "Anti-fascist books", + "Books about fascism", + "Books about the Oedipus complex", + "Psychoanalytic theory books", + "Political ideology in literature" + ], + ": Endemic flora of the United States, Washington (state), but not from British Columbia": [ + "Endemic flora of the United States", + "Endemic flora of Washington (state)", + "Flora of Washington (state)", + "Flora of the Northwestern United States", + "Flora of British Columbia" + ], + "what are Insects of West Africa that are also found in Cape Verde": [ + "Insects of West Africa", + "Insects of Cape Verde", + "Insects of West Africa that are also found in Cape Verde" + ], + "Dutch or Swiss war films, or war films from 1945": [ + "Dutch war films", + "Swiss war films", + "War films from 1945" + ], + "Fauna of Mexico that also lives in both the Great lakes region and the eastern united states.": [ + "Fauna of Mexico", + "Fauna of the Great Lakes region (North America)", + "Fauna of the Eastern United States", + "Species occurring in both Mexico and the Great Lakes region", + "Species occurring in both Mexico and the Eastern United States", + "Species shared among Mexico, the Great Lakes region, and the Eastern United States" + ], + "Historical epic and social issues films but not about families": [ + "Historical epic films", + "Social issues films", + "Films about families" + ], + "Drought-tolerant plants of the Southeastern United States used in Native American cuisine": [ + "Drought-tolerant plants", + "Drought-tolerant crops", + "Plants of the Southeastern United States", + "Crops of the Southeastern United States", + "Plants used in Native American cuisine", + "Crops used in Native American cuisine", + "Edible native plants of the Southeastern United States" + ], + "Fiction books from the 2000 set in Ontario": [ + "Fiction books", + "Books published in the 2000s", + "Books published in the year 2000", + "Novels set in Ontario", + "Canadian fiction" + ], + "1999 novels that are Headline Publishing Group books": [ + "Novels", + "1999 novels", + "Books published in 1999", + "Headline Publishing Group books", + "Novels by Headline Publishing Group" + ], + "British supernatural films set in hospitals": [ + "British supernatural films", + "British horror films", + "British ghost films", + "Films set in hospitals", + "Supernatural films set in hospitals" + ], + "Mammals of South America and Western American coastal fauna": [ + "Mammals of South America", + "Western American coastal fauna", + "Coastal mammals of South America", + "Coastal fauna of western North America", + "Mammals of the Americas" + ], + "Freshwater animals that are species from Africa and South America": [ + "Freshwater animals", + "Freshwater animals of Africa", + "Freshwater animals of South America", + "Freshwater animals found in both Africa and South America", + "Transcontinental freshwater species (Africa and South America)" + ], + "Endemic flora of Algeria or Morocco or Monotypic Amaryllidaceae genera": [ + "Endemic flora of Algeria", + "Endemic flora of Morocco", + "Endemic plants of North Africa", + "Monotypic Amaryllidaceae genera", + "Species-rich vs monotypic genera in Amaryllidaceae" + ], + "Flora of the Solomon Islands (archipelago) that are also Angiosperms": [ + "Flora of the Solomon Islands (archipelago)", + "Angiosperms of the Solomon Islands (archipelago)", + "Flora of the Solomon Islands", + "Angiosperms by geographic region" + ], + "Trees of the Western and Northwestern United States that are also in Mexico": [ + "Trees of the Western United States", + "Trees of the Northwestern United States", + "Trees of the United States", + "Trees of Mexico" + ], + "what are some 1999 Japanese novels or Novels by Miyuki Miyabe": [ + "1999 Japanese novels", + "Japanese novels published in 1999", + "Novels by Miyuki Miyabe", + "Works by Miyuki Miyabe", + "Japanese novels of the late 1990s" + ], + "2021 American rock documentarys": [ + "2021 films", + "2021 documentary films", + "Rock music documentary films", + "American documentary films", + "American rock music films" + ], + "Films based on works by Bob Kane that are not animated DC comic films": [ + "Films based on works by Bob Kane", + "Films based on DC Comics", + "Live-action films based on DC Comics", + "Films based on Batman comics", + "Non-animated films based on comic books" + ], + "1947 Science Linguistics books": [ + "Books published in 1947", + "Science books", + "Linguistics books", + "Non-fiction books", + "Academic books", + "Books about science of language" + ], + "Martial arts films from 1999 or professional wrestling films about women": [ + "Martial arts films", + "1999 films", + "Professional wrestling films", + "Sports films about women", + "Women in combat sports" + ], + "Political novels set in Russia but not a Speculative fiction": [ + "Political novels", + "Novels set in Russia", + "Russian political fiction", + "Non-speculative political novels", + "Political novels by setting", + "Political novels by genre" + ], + "Plant species from Colombia that are also in Central America, but not in Northern South America": [ + "Plant species of Colombia", + "Plant species of Central America", + "Plant species of northern South America" + ], + "Moths or Insects or Arthropods of Guadeloupe": [ + "Moths of Guadeloupe", + "Insects of Guadeloupe", + "Arthropods of Guadeloupe" + ], + "Dave Eggers books": [ + "Books by Dave Eggers", + "Novels by Dave Eggers", + "Non-fiction books by Dave Eggers", + "Short story collections by Dave Eggers", + "Books published by McSweeney's (Dave Eggers)" + ], + "1990s history books about Asia that are military books": [ + "History books", + "Military books", + "History books about Asia", + "Military history books", + "Books published in the 1990s", + "1990s history books", + "1990s military history books" + ], + "Flora of Brunei or East Timor": [ + "Flora of Brunei", + "Flora of East Timor", + "Flora of Brunei or East Timor" + ], + "Films set France and medieval England that are also shot in Europe": [ + "Films set in France", + "Films set in medieval England", + "Films set in multiple European countries", + "Films shot in Europe", + "Medieval period films" + ], + "Animals found in the Palearctic realm and Indonesia but not in Borneo": [ + "Animals of the Palearctic realm", + "Animals of Indonesia", + "Animals of Borneo" + ], + "Hong Kong action films set in 1948": [ + "Hong Kong action films", + "Hong Kong films", + "Action films set in 1948", + "Films set in 1948", + "Period action films", + "Chinese-language action films" + ], + "Flora of the Netherlands Antilles or the Cayman Islands": [ + "Flora of the Netherlands Antilles", + "Flora of the Cayman Islands", + "Plants of the Netherlands Antilles", + "Plants of the Cayman Islands", + "Caribbean flora" + ], + "Mammals from Barbados or of Antigua and Barbuda": [ + "Mammals of Barbados", + "Mammals of Antigua and Barbuda", + "Mammals of the Lesser Antilles", + "Mammals of the Caribbean" + ], + "Mammals of Bhutan that are not of East Asia": [ + "Mammals of Bhutan", + "Mammals of South Asia", + "Mammals of the Indian subcontinent", + "Mammals of East Asia" + ], + "1989 american childrens animated films about socials issues.": [ + "1989 films", + "1989 animated films", + "1989 American films", + "American children's animated films", + "Animated films about social issues", + "Children's films about social issues" + ], + "Indian books from 1959": [ + "Books of India", + "Indian books", + "1959 books", + "20th-century Indian books" + ], + "Shrubs that are medicinal": [ + "Medicinal shrubs", + "Shrubs used in traditional medicine", + "Shrubs with pharmacological properties", + "Shrubs containing medicinal secondary metabolites", + "Herbal remedy shrubs" + ], + "1940s crime films but not British crime set in England": [ + "1940s crime films", + "British crime films", + "Crime films set in England" + ], + "1990 American crime novels": [ + "Crime novels", + "American crime novels", + "1990 novels", + "1990 American novels" + ], + "Flora of Japan and Finland": [ + "Flora of Japan", + "Flora of Finland", + "Plants occurring in both Japan and Finland", + "Flora of East Asia", + "Flora of Northern Europe" + ], + "Biographical films from 2015 about military leaders": [ + "Biographical films", + "Biographical films released in 2015", + "Biographical films about military leaders", + "War films released in 2015", + "Biographical war films" + ], + "Stoloniferous plants or crops originating from Bolivia": [ + "Stoloniferous plants", + "Stoloniferous crops", + "Plants originating from Bolivia", + "Crops originating from Bolivia" + ], + "Cricket films not set in India": [ + "Cricket films", + "Sports films", + "Cricket films set outside India", + "Cricket films set in the United Kingdom", + "Cricket films set in Australia", + "Cricket films set in the Caribbean" + ], + "Non-fiction books about elections excluding Books about North America": [ + "Non-fiction books", + "Non-fiction books about elections", + "Books about elections outside North America", + "Books about politics and government", + "Books about democracy and electoral systems", + "Books about comparative politics", + "Books about international elections" + ], + "Jungle adventure sequel films that are not Tarzan": [ + "Jungle adventure films", + "Adventure sequel films", + "Jungle films that are sequels", + "Adventure film franchises set in jungles", + "Adventure films that are not Tarzan films" + ], + "list some Novels by Aleksey Pisemsky": [ + "Novels by Aleksey Pisemsky", + "Works by Aleksey Pisemsky", + "Russian novels of the 19th century", + "Bibliography of Aleksey Pisemsky" + ], + "1946 Indian musical films": [ + "Indian films", + "Indian musical films", + "1940s Indian films", + "1946 films", + "1946 musical films" + ], + "Dance and coming of age comedy films shot in Ontario": [ + "Dance films", + "Coming-of-age comedy films", + "Dance and coming-of-age comedy hybrid films", + "Films shot in Ontario", + "Canadian-filmed coming-of-age comedies", + "Canadian-filmed dance movies" + ], + "1997 Irish or Canadian novels or Novels by Kenneth Oppel": [ + "1997 novels", + "1997 Irish novels", + "1997 Canadian novels", + "Irish novels", + "Canadian novels", + "Novels by Kenneth Oppel" + ], + "Supernatural thriller films shot in Andhra Pradesh": [ + "Supernatural thriller films", + "Thriller films with supernatural elements", + "Indian supernatural thriller films", + "Telugu-language supernatural thriller films", + "Films shot in Andhra Pradesh", + "Films shot in Visakhapatnam", + "Films shot in Hyderabad and surrounding regions", + "Indian films by shooting location" + ], + "Novels set in Paris France that are 1936 books": [ + "Novels", + "Novels set in Paris", + "Novels set in France", + "1936 books", + "1930s novels" + ], + "Films set in 1853 or 1857": [ + "Films set in 1853", + "Films set in 1857", + "Films set in the 1850s", + "Period dramas set in the 19th century" + ], + "Trees from Tabasco, Campeche, or Guadeloupe": [ + "Trees of Tabasco", + "Trees of Campeche", + "Trees of Guadeloupe" + ], + "2010s American neo-noir c.rime drama films": [ + "2010s films", + "American films", + "Neo-noir films", + "Crime drama films", + "American crime drama films", + "American neo-noir films", + "2010s crime drama films", + "2010s American films", + "2010s American crime drama films", + "2010s American neo-noir films" + ], + "Rodents of China that are also Mammals of Borneo": [ + "Rodents of China", + "Rodents of Borneo", + "Rodents of Asia", + "Mammals of China", + "Mammals of Borneo", + "Mammals of Asia" + ], + "what are some Danish sequel films or Finnish sequel films": [ + "Danish films", + "Danish sequel films", + "Finnish films", + "Finnish sequel films", + "Nordic sequel films" + ], + "What are Vultures or Eocene reptiles of South America or Extinct animals of Peru?": [ + "Vultures", + "Eocene reptiles of South America", + "Extinct animals of Peru" + ], + "what are some Late Ordovician animals, Paleozoic cephalopods of Asia, or Paleozoic animals of Oceania": [ + "Late Ordovician animals", + "Paleozoic cephalopods of Asia", + "Paleozoic animals of Oceania" + ], + "plants only found in Nihoa or extinct plants of Hawaii": [ + "Plants endemic to Nihoa", + "Extinct plants of Hawaii", + "Endemic plants of Hawaii", + "Plants of the Northwestern Hawaiian Islands" + ], + "Non-prehistoric animals of Africa that are extinct in Madagascar": [ + "Extinct animals of Madagascar", + "Non-prehistoric animals of Madagascar", + "Non-prehistoric animals of Africa", + "African animals extinct in Madagascar", + "Modern (Holocene) African fauna lost from Madagascar" + ], + "German Hutchinson (publisher) books based on actual events": [ + "Books published by Hutchinson (German-language)", + "Books based on actual events", + "Non-fiction books based on real events", + "Historical novels based on true stories", + "Biographical books based on real people" + ], + "DC Comics adapted films or superhero films from the 1950s": [ + "DC Comics adapted films", + "Superhero films", + "Films based on comic books", + "1950s films", + "American films" + ], + "Potatoes or Crops originating from Paraguay or Bolivia": [ + "Potatoes", + "Crops originating from Bolivia", + "Crops originating from Paraguay", + "Crops native to South America", + "Andean root and tuber crops" + ], + "World War 1 documentary films": [ + "World War I", + "Documentary films", + "World War I documentary films", + "War documentary films", + "Historical documentary films" + ], + "1980s fantasy novels that are LGBT-related": [ + "Fantasy novels", + "1980s fantasy novels", + "LGBT-related novels", + "LGBT-related fantasy novels", + "1980s LGBT-related novels" + ], + "Harriet Beecher Stowe based films or parody films from the 1930s": [ + "Harriet Beecher Stowe adaptations", + "Films based on works by Harriet Beecher Stowe", + "Parody films", + "1930s films", + "1930s parody films", + "1930s films based on literature" + ], + "Birds of Canada that are Fauna of South America and the Amazon": [ + "Birds of Canada", + "Birds of South America", + "Fauna of South America", + "Fauna of the Amazon" + ], + "Flora of Zambia and Tanzania but not Democratic Republic of the Congo": [ + "Flora of Zambia", + "Flora of Tanzania", + "Flora of Zambia and Tanzania", + "Flora of Democratic Republic of the Congo" + ], + "Plants from Dominica or Barbados": [ + "Plants of Dominica", + "Flora of Dominica", + "Plants of Barbados", + "Flora of Barbados", + "Plants of the Lesser Antilles" + ], + "Procellariiformes late Cretaceous dinosaurs": [ + "Procellariiformes", + "Late Cretaceous dinosaurs", + "Cretaceous birds", + "Late Cretaceous fossils", + "Prehistoric Procellariiformes" + ], + "Films set in the Dutch Golden Age, Dutch biographical dramas, or biographies about Rembrandt": [ + "Films set in the Dutch Golden Age", + "Dutch biographical drama films", + "Biographical films about Rembrandt" + ], + "Prehistoric reptiles of North America and Birds of Panama described in 1865": [ + "Prehistoric reptiles of North America", + "Birds of Panama", + "Bird species described in 1865" + ], + "2015 fiction books about racism": [ + "Fiction books", + "Books published in 2015", + "Novels published in 2015", + "Fiction about racism", + "Novels about racism", + "Books about racism" + ], + "American science fiction novels set Europe but not based on actual events": [ + "American science fiction novels", + "Science fiction novels set in Europe", + "Novels set in Europe", + "Fiction not based on actual events", + "American novels not based on actual events" + ], + "Spy novels about North America and the military": [ + "Spy novels", + "Espionage fiction set in North America", + "Military-themed spy novels", + "Spy novels involving the armed forces", + "Cold War spy novels in North America", + "Contemporary espionage thrillers set in North America" + ], + "British historical novels that are G. P. Putnam's Sons books": [ + "British historical novels", + "Historical novels by British authors", + "G. P. Putnam's Sons books", + "Historical novels published by G. P. Putnam's Sons" + ], + "German novels from 2005 or adapted into plays, or novels by Daniel Kehlmann": [ + "German novels", + "Novels published in 2005", + "German-language novels published in 2005", + "Novels adapted into plays", + "Stage adaptations of novels", + "Novels by Daniel Kehlmann" + ], + "Beetles of North Africa not found in Europe": [ + "Beetles of North Africa", + "Beetles of the Maghreb", + "Beetles of Algeria", + "Beetles of Tunisia", + "Beetles of Morocco", + "Beetles of Libya", + "Beetles of Egypt", + "Beetles of Africa", + "Beetles not found in Europe" + ], + "1979 comedy films about the arts": [ + "Comedy films", + "1979 films", + "1970s comedy films", + "Films about the arts", + "Comedy films about the arts" + ], + "what are Flora of Chile that are also Magnoliid genera": [ + "Flora of Chile", + "Magnoliid genera", + "Flora of Chile that are Magnoliid genera" + ], + "Children's books that are Novels set on ships": [ + "Children's books", + "Children's novels", + "Children's fiction set on ships", + "Novels set on ships", + "Children's seafaring adventure novels" + ], + "Horror films from Serbia": [ + "Horror films", + "Horror films by country", + "Serbian films", + "Serbian horror films" + ], + "Religious fiction books about death": [ + "Religious fiction", + "Religious fiction about death", + "Christian fiction about death", + "Spiritual themes of the afterlife in fiction", + "Novels about death and faith", + "Faith-based coping with death in fiction" + ], + "Birds described in 1957 or Endemic birds of Panama": [ + "Birds described in 1957", + "Endemic birds of Panama" + ], + "Afghanistan's insects": [ + "Insects of Afghanistan", + "Afghan arthropods", + "Insects of Central Asia", + "Insects of South-Central Asia", + "Endemic insects of Afghanistan" + ], + "Pinnipeds of Africa, Oceania, or Monachines": [ + "Pinnipeds of Africa", + "Pinnipeds of Oceania", + "Monachines", + "Pinnipeds of the Southern Hemisphere" + ], + "Ni\u0161 set films": [ + "Films set in Ni\u0161", + "Films set in Serbia", + "Films set in the Balkans" + ], + "Novels set in Bahia or Brazilian crime novels": [ + "Novels set in Bahia", + "Brazilian crime novels" + ], + "Films set in Samarkand or Uzbekistan or based on A Tale of Two Cities": [ + "Films set in Samarkand", + "Films set in Uzbekistan", + "Films based on A Tale of Two Cities" + ], + "Ann Radcliffe novels or novels from 1789": [ + "Novels by Ann Radcliffe", + "Novels published in 1789" + ], + "Fauna of the Caribbean that are Fauna of East Asia": [ + "Fauna of the Caribbean", + "Fauna of East Asia" + ], + "1991 Fantasy novels by fictional universe": [ + "Fantasy novels published in 1991", + "Fantasy novels by fictional universe", + "1991 novels by fictional universe", + "Fantasy literature organized by setting or universe", + "Novels set in shared fictional universes" + ], + "Books about extraterrestrial life that are 1982 novels": [ + "Books about extraterrestrial life", + "Science fiction novels about extraterrestrial life", + "1982 novels", + "1980s science fiction novels" + ], + "Non-psychological books about cultural geography": [ + "Cultural geography", + "Non-psychological cultural geography", + "Human geography (non-psychological focus)", + "Books about cultural landscapes", + "Books about spatial aspects of culture", + "Books on cultural regions and place identity (non-psychological)" + ], + "Flora of Pakistan that are both Flora of India and Flora of Southeast Asia": [ + "Flora of Pakistan", + "Flora of India", + "Flora of Southeast Asia" + ], + "what are Endemic fauna of New Zealand that are also Cenozoic animals of Oceania": [ + "Endemic fauna of New Zealand", + "Cenozoic animals of Oceania" + ], + "Books on New Brunswick": [ + "Books about New Brunswick", + "Non-fiction books about New Brunswick", + "History books about New Brunswick", + "Travel guides to New Brunswick", + "Canadian provincial studies books", + "Books set in New Brunswick" + ], + "Aquatic Carnivorous plants of North America": [ + "Aquatic carnivorous plants", + "Carnivorous plants of North America", + "Aquatic plants of North America", + "Freshwater carnivorous plants", + "Bog and wetland carnivorous plants" + ], + "Gliding reptiles found in Malaysia and South Asia": [ + "Gliding reptiles", + "Gliding reptiles of Malaysia", + "Gliding reptiles of South Asia", + "Reptiles of Malaysia", + "Reptiles of South Asia" + ], + "Mammals from Lesotho": [ + "Mammals of Lesotho", + "Mammals of Southern Africa" + ], + "Books from 1552 or 1559": [ + "Books published in 1552", + "Books published in 1559", + "16th-century books" + ], + "Danish black-and-white films based on speculative fiction books": [ + "Danish films", + "Danish black-and-white films", + "Black-and-white speculative fiction films", + "Films based on speculative fiction books", + "Danish films based on books", + "Danish speculative fiction films" + ], + "what are Prehistoric toothed whales that aren't Miocene animals": [ + "Prehistoric toothed whales", + "Non-Miocene prehistoric toothed whales", + "Prehistoric toothed whales by geologic period", + "Eocene toothed whales", + "Oligocene toothed whales", + "Pliocene toothed whales" + ], + "Novels not set in the 1930s that are about poverty": [ + "Novels about poverty", + "Fiction about economic hardship", + "Fiction about social inequality", + "Fiction about working-class life", + "Novels not set in the 1930s" + ], + "Rediscovered Japanese films, 1938 documentaries, or Documentary about Kentucky": [ + "Rediscovered Japanese films", + "Japanese films", + "Rediscovered films", + "1938 documentary films", + "1930s documentary films", + "Documentary films about Kentucky", + "Documentary films about U.S. states" + ], + "Birds from 1961": [ + "Birds by year of description", + "Birds described in 1961", + "Bird taxa introduced in 1961" + ], + "Films set in Asia about psychic powers that are not Science fiction": [ + "Films set in Asia", + "Films about psychic powers", + "Non-science fiction films", + "Fantasy films set in Asia", + "Supernatural drama films set in Asia" + ], + "2010s German non-fiction books": [ + "2010s books", + "2010s non-fiction books", + "German-language non-fiction books", + "Non-fiction books published in Germany", + "German-language books", + "Books by decade of publication" + ], + "1974 books about the American Revolution": [ + "Books published in 1974", + "Nonfiction books about the American Revolution", + "Historical books about the American Revolution", + "Books about United States history" + ], + "Flora of Maryland": [ + "Flora of Maryland", + "Plants of the Mid-Atlantic United States", + "Flora of the Eastern United States", + "Flora of the United States" + ], + "Fauna of Mauritius that are Fauna of East Africa and Birds of Oceania": [ + "Fauna of Mauritius", + "Fauna of East Africa", + "Birds of Oceania" + ], + "Japanese LGBT novels, Shueisha novels, or novels by Yukio Mishima": [ + "Japanese LGBT novels", + "LGBT novels", + "Shueisha novels", + "Novels by Yukio Mishima", + "Japanese novels" + ], + "what are Flora of Bermuda or Trees of Bermuda?": [ + "Flora of Bermuda", + "Trees of Bermuda" + ], + "Holocaust legal films that are about revenge.": [ + "Holocaust films", + "Legal drama films", + "Courtroom films", + "Revenge films", + "War crimes trial films", + "Films about Holocaust survivors" + ], + "what are Plum cultigens or Food plant cultivars or Maize varieties": [ + "Plum cultigens", + "Food plant cultivars", + "Maize varieties" + ], + "Monotypic angiosperms from the United States that are edible": [ + "Monotypic angiosperm genera", + "Monotypic angiosperm families", + "Edible plants", + "Edible angiosperms", + "Plants of the United States" + ], + "2000's American nonlinear narrative sports films": [ + "2000s films", + "American films", + "Nonlinear narrative films", + "American sports films", + "Sports films released in the 2000s" + ], + "Non-American children's history books": [ + "Children's history books", + "Children's history books by non-American authors", + "Children's history books published outside the United States", + "Children's history books about non-American history", + "Children's history books excluding American history" + ], + "Plants from Great Britain and America": [ + "Plants of Great Britain", + "Plants of the United Kingdom", + "Flora of Great Britain and Ireland", + "Plants of the United States", + "Plants of North America", + "Plants common to Europe and North America" + ], + "1908 fantasy or British novels.": [ + "Fantasy novels", + "Novels published in 1908", + "British novels", + "Fantasy novels published in 1908", + "British novels published in 1908" + ], + "what are Pliocene reptiles of North America, Fauna of Svalbard, or Birds of Greenland?": [ + "Pliocene reptiles of North America", + "Fauna of Svalbard", + "Birds of Greenland" + ], + "Birds from Saint Lucia, Dominica, or Guadeloupe": [ + "Birds of Saint Lucia", + "Birds of Dominica", + "Birds of Guadeloupe", + "Birds of the Lesser Antilles", + "Birds of the Caribbean" + ], + "what are Flora of Eastern Asia that are also Flora of New Zealand": [ + "Flora of Eastern Asia", + "Flora of New Zealand" + ], + "Stephen King novels from 1996": [ + "Novels by Stephen King", + "1996 novels", + "Stephen King novels published in the 1990s" + ], + "Hemiptera that are extinct": [ + "Extinct Hemiptera", + "Extinct insects", + "Fossil Hemiptera", + "Extinct true bugs" + ], + "2010s documentary films set in New York City but that are not about urban studies": [ + "Documentary films", + "2010s documentary films", + "Documentary films set in New York City", + "Documentary films about urban studies" + ], + "Spanish science fiction comedy films or 2000s British animated": [ + "Spanish science fiction comedy films", + "Spanish science fiction films", + "Spanish comedy films", + "2000s British animated films", + "British animated films", + "2000s animated films" + ], + "2010's novels about technology, but not computing?": [ + "Novels", + "2010s novels", + "Novels about technology", + "Novels about non-computing technology", + "21st-century novels" + ], + "1981 British fiction children's novels": [ + "1981 children's novels", + "British children's novels", + "1980s British children's novels", + "1981 British novels", + "Children's fiction novels", + "British fiction novels" + ], + "Birds described in 1872 that are not from Asia": [ + "Birds described in 1872", + "Bird species described in the 19th century", + "Birds not found in Asia", + "Birds by year of formal description", + "Non-Asian bird taxa" + ], + "Late Devonian or Mississippian plants": [ + "Late Devonian plants", + "Mississippian plants", + "Paleozoic plants" + ], + "Mammals that are of Guadeloupe or Mammals that are of Barbados": [ + "Mammals of Guadeloupe", + "Mammals of Barbados", + "Mammals of the Lesser Antilles", + "Mammals of the Caribbean" + ], + "Novels set in Nanjing, Hebei, or Jiangsu": [ + "Novels set in Nanjing", + "Novels set in Hebei", + "Novels set in Jiangsu", + "Novels set in China" + ], + "Marine animals from Canada and the Eastern United States": [ + "Marine animals of Canada", + "Marine animals of the Eastern United States", + "Marine animals of the North Atlantic Ocean", + "Marine fauna shared by Canada and the Eastern United States" + ], + "Czech thriller drama film,Belgian mystery films, or German animated science fiction films": [ + "Czech thriller drama films", + "Belgian mystery films", + "German animated science fiction films" + ], + "Orders of Green Algae": [ + "Green algae", + "Orders of Chlorophyta", + "Orders of Charophyta", + "Taxonomic orders of green plants", + "Algal taxonomy" + ], + "what are Prehistoric turtles, Pleistocene reptiles, or Miocene reptiles of Asia?": [ + "Prehistoric turtles of Asia", + "Pleistocene reptiles of Asia", + "Miocene reptiles of Asia", + "Prehistoric reptiles of Asia" + ], + "Insects from the late Cretaceous period": [ + "Insects of the Late Cretaceous", + "Insects of the Cretaceous", + "Fossil insects", + "Prehistoric insects", + "Late Cretaceous fauna" + ], + "Birds found in Africa and Western Asia that are not prehistoric reptiles from Europe": [ + "Birds of Africa", + "Birds of Western Asia", + "Birds of Africa and Western Asia", + "Prehistoric European reptiles" + ], + "Holarctic birds of Bolivia that aren't found in the Guianas": [ + "Holarctic birds", + "Birds of Bolivia", + "Birds of the Guianas" + ], + "American books based on the Bible but not about Judaism.": [ + "American books", + "American religious books", + "Books based on the Bible", + "Christian-themed books", + "Books about Judaism" + ], + "Birds of the Himalayas described in 1859": [ + "Birds of the Himalayas", + "Birds described in 1859", + "19th-century bird species descriptions", + "Asian mountain bird species" + ], + "non-fiction 1839 books": [ + "Books published in 1839", + "Non-fiction books", + "19th-century non-fiction books", + "1830s non-fiction books" + ], + "Birds of the Cerrado, the Atlantic Ocean, and Central America": [ + "Birds of the Cerrado", + "Birds of the Atlantic Ocean", + "Seabirds of the Atlantic Ocean", + "Birds of Central America" + ], + "Speculative fiction novels in Spanish from the 2000s": [ + "Speculative fiction novels", + "Spanish-language novels", + "Speculative fiction novels in Spanish", + "Speculative fiction novels from the 2000s", + "Spanish-language novels from the 2000s" + ], + "American action thriller films that are British drama films about Aviation": [ + "American action thriller films", + "British drama films", + "Aviation films", + "Action thriller films about aviation", + "Drama films about aviation" + ], + "Amphibians of Nicaragua but not Honduras": [ + "Amphibians of Nicaragua", + "Amphibians of Central America", + "Amphibians of Honduras" + ], + "Books about Islamic fundamentalism but not ideologies": [ + "Books about Islamic fundamentalism", + "Books about Islamic movements", + "Non-fiction books about political Islam", + "Books about Islamic extremism", + "Books about Islamism and society" + ], + "19999 Books about the United Kingdom that are Headline Publishing Group Books": [ + "Books about the United Kingdom", + "Headline Publishing Group books", + "Books published in 1999", + "Books published in the 1990s" + ], + "Orchids of Peru excluding Flora of Ecuador": [ + "Orchids of Peru", + "Flora of Peru", + "Orchids of South America", + "Flora of South America", + "Flora of Ecuador" + ], + "Marsupials of Oceania that are also Fauna of New South Wales excluding Mammals of South Australia": [ + "Marsupials of Oceania", + "Fauna of New South Wales", + "Mammals of South Australia" + ], + "Books about African-American history that are non-fiction adapted into films": [ + "Books about African-American history", + "Non-fiction books about African Americans", + "Non-fiction books about African-American history", + "Books adapted into films", + "Non-fiction books adapted into films", + "Books about African-American history adapted into films", + "Non-fiction African-American history books adapted into films" + ], + "Czech coming-of-age drama or war comedy and or coming-of-age films": [ + "Czech films", + "Czech drama films", + "Czech coming-of-age films", + "Czech coming-of-age drama films", + "Czech war comedy films", + "Coming-of-age films", + "War comedy films" + ], + "Australasian realm fauna that are both Fauna of New Guinea and Passeriformes": [ + "Fauna of the Australasian realm", + "Fauna of New Guinea", + "Passeriformes of New Guinea", + "Australasian realm Passeriformes", + "Birds of New Guinea" + ], + "Neotropical realm flora that is also in the Northeastern US but not Canada": [ + "Neotropical realm flora", + "Flora of the Northeastern United States", + "Flora of Canada" + ], + "Novels that take place in Vietnam that aren't about war": [ + "Novels set in Vietnam", + "Non-war novels set in Vietnam", + "Vietnamese contemporary life novels", + "Vietnamese family saga novels", + "Vietnamese historical novels not focused on war", + "Literary fiction set in Vietnam", + "Novels about everyday life in Vietnam" + ], + "1991 Novels set in Iceland": [ + "Novels", + "1991 novels", + "Novels set in Iceland" + ], + "Garden plants of North America that are also Flora of the Eastern but not southern united states": [ + "Garden plants of North America", + "Garden plants of the United States", + "Flora of the Eastern United States", + "Flora of the Northeastern United States", + "Flora of the Mid-Atlantic United States", + "Flora of the North-Central United States" + ], + "Paranormal novels that are American vampire novels excluding Contemporary fantasy novels": [ + "Paranormal novels", + "American vampire novels", + "Contemporary fantasy novels" + ], + "Indian sport films that are not about cricket": [ + "Indian sports films", + "Indian films about sports other than cricket", + "Indian films about football (soccer)", + "Indian films about hockey", + "Indian films about wrestling", + "Indian films about boxing", + "Indian films about athletics and running", + "Indian films about kabaddi", + "Indian biographical sports films excluding cricket" + ], + "1982 fiction novels that are set in England": [ + "Fiction novels", + "1982 novels", + "Novels published in 1982", + "Novels set in England", + "Fiction set in England" + ], + "2010's adventure films set in the Southwestern United States but not in California": [ + "Adventure films", + "2010s films", + "Films set in the Southwestern United States", + "Films set in the United States", + "Films not set in California" + ], + "Urban guerrilla and Guerrilla warfare handbooks and manuals or AK Press books": [ + "Urban guerrilla warfare handbooks", + "Guerrilla warfare manuals", + "Insurgency and guerrilla tactics training guides", + "AK Press publications", + "AK Press books on radical politics and activism" + ], + "1980's crime parody films based on mythology": [ + "Crime parody films", + "1980s films", + "Films based on mythology", + "Parody films based on mythology", + "1980s crime films" + ], + "Nigerian romantic drama films excluding 2010s drama films": [ + "Nigerian romantic drama films", + "Nigerian drama films", + "Nigerian romance films", + "Films produced in Nigeria", + "Romantic drama films" + ], + "Books by Eric S. Raymond or about Unix": [ + "Books by Eric S. Raymond", + "Books about Unix", + "Books about Unix operating system", + "Books about Unix history and culture" + ], + "what are Fabales genera that are both Forages and Angiosperms": [ + "Fabales genera", + "Fabales genera used as forage", + "Fabales genera that are angiosperms", + "Forage plants", + "Forage legumes", + "Angiosperm genera" + ], + "Birds of Chile that are also Birds of Peru and Fauna of the Guianas": [ + "Birds of Chile", + "Birds of Peru", + "Fauna of the Guianas" + ], + "What are Irish action films, Films shot in Gauteng, or South African science fiction action films?": [ + "Irish action films", + "Films shot in Gauteng", + "South African science fiction action films" + ], + "Films set in the Middle Ages that are also Fantasy comedies, but not American fantasy-comedies.": [ + "Films set in the Middle Ages", + "Fantasy comedy films", + "American fantasy-comedy films" + ], + "Series of Children's books that are Novellas": [ + "Children's books", + "Children's book series", + "Children's novellas", + "Novella-length children's fiction", + "Series of novellas for children" + ], + "Animals from Cuba or Jamaica that are extinct": [ + "Extinct animals of Cuba", + "Extinct animals of Jamaica", + "Extinct animals of the Caribbean", + "Extinct animals by country" + ], + "Irish slasher, Irish supernatural horror, or Swedish comedy horror films": [ + "Irish slasher films", + "Irish supernatural horror films", + "Swedish comedy horror films" + ], + "Flora of Grenada, Saint Kitts and Nevis, or Martinique": [ + "Flora of Grenada", + "Flora of Saint Kitts and Nevis", + "Flora of Martinique", + "Flora of the Lesser Antilles", + "Flora of the Caribbean" + ], + "what are Marine fauna of North Africa that are not Palearctic fauna": [ + "Marine fauna of North Africa", + "Marine fauna by region", + "Fauna of North Africa", + "Marine fauna not in the Palearctic realm", + "Palearctic fauna" + ], + "Cactus subfamily Opuntioideae": [ + "Cactus subfamily Opuntioideae", + "Opuntioideae genera", + "Opuntioideae species", + "Prickly pear cacti (Opuntia)", + "Cholla cacti (Cylindropuntia)", + "Tephrocactus and related opuntioids" + ], + "Transport and American drama that from the 1950 that are adventure drama films": [ + "American drama films", + "1950s drama films", + "1950s American films", + "Adventure drama films", + "Transport-themed films" + ], + "Nonlinear narrative Indian films about theft": [ + "Indian films", + "Indian crime films", + "Indian heist films", + "Indian films about theft", + "Nonlinear narrative films", + "Indian films with nonlinear narrative" + ], + "Fauna of Southeast Asia that are also Insects of Indonesia and Lepidoptera of New Guinea": [ + "Fauna of Southeast Asia", + "Insects of Indonesia", + "Lepidoptera of New Guinea", + "Insects of Southeast Asia", + "Lepidoptera of Indonesia", + "Lepidoptera of Southeast Asia" + ], + "what are some Volleyball films": [ + "Volleyball films", + "Sports films", + "Team sports films", + "Beach volleyball in film" + ], + "Extinct animals that are Birds described in 1860": [ + "Extinct animals", + "Extinct birds", + "Birds described in 1860", + "Animals described in 1860" + ], + "Israeli sequel films or based on autobiographical novels": [ + "Israeli films", + "Israeli sequel films", + "Films based on autobiographical novels", + "Autobiographical novels adapted into films" + ], + "Orchids of Indonesia and Malaysia but not Thailand": [ + "Orchids of Indonesia", + "Orchids of Malaysia", + "Orchids of Southeast Asia", + "Orchids of Thailand" + ], + "Flora from Antarctica": [ + "Antarctic flora", + "Plants of Antarctica", + "Terrestrial plants of Antarctica", + "Native Antarctic plant species", + "Flora of subantarctic islands" + ], + "2012 Israeli fantasy documentary films?": [ + "Israeli films", + "2012 films", + "Documentary films", + "Fantasy films", + "Israeli documentary films", + "Israeli fantasy films", + "2010s Israeli films" + ], + "Films about ageing that are Hispanic and Latino American films": [ + "Films about ageing", + "Hispanic and Latino American films" + ], + "Psephotellus,Platycercini, or Broad-tailed parrots": [ + "Psephotellus", + "Platycercini", + "Broad-tailed parrots" + ], + "Canadian TV shows that are set in antiquity": [ + "Canadian television shows", + "Canadian period television series", + "Television shows set in antiquity", + "Historical television series set in ancient times", + "Canadian historical television series" + ], + "Ming dynasty or Chinese historical novels": [ + "Ming dynasty novels", + "Chinese historical novels", + "Historical novels set in imperial China" + ], + "Malayalam thriller drama films remade in other languages": [ + "Malayalam-language films", + "Malayalam thriller films", + "Malayalam drama films", + "Malayalam thriller drama films", + "Films remade in other languages", + "Malayalam films remade in other languages" + ], + "Films based on novellas not Films about disability": [ + "Films based on novellas", + "Films not about disability", + "Films based on literary works", + "Films based on short fiction" + ], + "1910 lost films that are set in New York state, US": [ + "Lost films", + "1910 films", + "Silent films from 1910", + "Films set in New York (state)", + "American films" + ], + "1910's non American crime drama films": [ + "Crime drama films", + "1910s films", + "Silent crime drama films", + "Non-American films", + "European crime drama films", + "Asian crime drama films" + ], + "what are Documentary films about marine biology": [ + "Documentary films", + "Documentary films about nature", + "Documentary films about animals", + "Documentary films about marine life", + "Documentary films about biology" + ], + "1980 debut fiction books.": [ + "Debut fiction books", + "1980 fiction books", + "1980 debut novels", + "1980s debut fiction", + "Debut books by year" + ], + "Chinese-language novels about marriage": [ + "Chinese-language novels", + "Chinese-language romance novels", + "Chinese-language novels about marriage", + "Chinese-language contemporary fiction about relationships", + "Chinese-language family drama novels" + ], + "whare some North American films that are also 1970s biographical but not 1970s drama.": [ + "North American films", + "1970s films", + "Biographical films", + "1970s biographical films", + "1970s drama films" + ], + "Documentary films about Afghanistan, but are not about jihadism.": [ + "Documentary films", + "Documentary films about Afghanistan", + "Documentary films about jihadism in Afghanistan" + ], + "Beetles of North Africa excluding Beetles of Europe": [ + "Beetles of North Africa", + "Beetles of Africa", + "Beetles of Europe" + ], + "Animals from Aruba": [ + "Animals of Aruba", + "Mammals of Aruba", + "Birds of Aruba", + "Reptiles of Aruba", + "Amphibians of Aruba", + "Fish of Aruba", + "Invertebrates of Aruba", + "Endemic fauna of Aruba", + "Fauna of the ABC islands (Aruba, Bonaire, Cura\u00e7ao)", + "Fauna of the Caribbean" + ], + "Indian novels adapted into plays or novels by Bankim Chandra Chattopadhyay": [ + "Indian novels", + "Novels by Bankim Chandra Chattopadhyay", + "Plays based on novels", + "Novels adapted into plays", + "Adaptations of Indian literature" + ], + "Flora of the Prince Edward Islands, Flora of the Kerguelen Islands, or Cushion plants": [ + "Flora of the Prince Edward Islands", + "Flora of the Kerguelen Islands", + "Cushion plants" + ], + "Mammals of South Australia that are Extinct animals and Vertebrates of Western Australia": [ + "Mammals of South Australia", + "Extinct animals of Australia", + "Extinct animals of South Australia", + "Vertebrates of Western Australia", + "Mammals of Western Australia" + ], + "Flora of both Oaxaca and southern South America": [ + "Flora of Oaxaca", + "Flora of southern South America", + "Flora of Mexico", + "Flora of South America" + ], + "British sports films without speech that are not about Horse racing": [ + "British sports films", + "Silent or non-verbal sports films", + "British silent films", + "Sports films not about horse racing", + "Non-dialogue-driven sports films", + "British films by sport other than horse racing" + ], + "Dutch crime comedy or romantic comedy films": [ + "Dutch crime comedy films", + "Dutch romantic comedy films", + "Dutch comedy films", + "Crime comedy films by country", + "Romantic comedy films by country" + ], + "Manitoba set novels": [ + "Novels set in Manitoba", + "Novels set in Canada" + ], + "2001 bloomsbury publishing, non fiction books": [ + "Books published in 2001", + "Non-fiction books", + "Books published by Bloomsbury Publishing", + "Non-fiction books published by Bloomsbury in 2001" + ], + "Films based on works by Stephen King but not American horror": [ + "Films based on works by Stephen King", + "Non-American films based on works by Stephen King", + "Non-horror films based on works by Stephen King", + "American films based on works by Stephen King", + "American horror films based on works by Stephen King" + ], + "Hispaniola animals that are extinct in North America but not Caribbean arthropods": [ + "Animals of Hispaniola", + "Animals extinct in North America", + "Extinct animals of North America that occur on Hispaniola", + "Non-arthropod animals of Hispaniola" + ], + "2012 non-fiction Mathematics books": [ + "Non-fiction books", + "Non-fiction mathematics books", + "Mathematics books published in 2012", + "2012 non-fiction books", + "21st-century mathematics books" + ], + "what are extinct animals of Jamaica, Birds described in 1970, or Extinct animals of Cuba?": [ + "Extinct animals of Jamaica", + "Birds described in 1970", + "Extinct animals of Cuba" + ], + "Non-fictions books about genocide but not about war": [ + "Non-fiction books", + "Books about genocide", + "Books about mass atrocities and ethnic cleansing", + "Books about crimes against humanity", + "Books about human rights abuses", + "Books about peace and conflict studies (excluding war-focused works)" + ], + "Trees of Papuasia that are not in Melanesia": [ + "Trees of Papuasia", + "Trees of Melanesia" + ], + "Mammals of Tonga or New Caledonia or Rodents of Pakistan": [ + "Mammals of Tonga", + "Mammals of New Caledonia", + "Rodents of Pakistan" + ], + "1760 books or 1760s fantasy novels": [ + "Books published in 1760", + "Fantasy novels published in the 1760s" + ], + "birds of 1940": [ + "Birds described in 1940", + "Birds discovered in the 1940s", + "Birds documented in 1940 scientific literature", + "Bird species first recorded in 1940", + "Bird taxa named in 1940" + ], + "what are Novels by Robert B. Parker that are not set in Massachusetts": [ + "Novels by Robert B. Parker", + "Novels set in Massachusetts", + "Novels not set in Massachusetts", + "Crime novels by Robert B. Parker", + "Mystery novels by Robert B. Parker" + ], + "History books about the Balkans or Turkey": [ + "History books about the Balkans", + "History books about Turkey", + "History books about Southeast Europe", + "History books about the Ottoman Empire", + "History books about modern Balkan history", + "History books about modern Turkish history" + ], + "Rodents of Malaysia that are not in Indonesia": [ + "Rodents of Malaysia", + "Rodents endemic to Malaysia", + "Rodents of Indonesia" + ], + "South America Crocodilians": [ + "Crocodilians of South America", + "Crocodiles of South America", + "Alligators of South America", + "Caimans of South America", + "Reptiles of South America" + ], + "Paraguay crops": [ + "Crops of Paraguay", + "Agriculture in Paraguay", + "Cash crops in Paraguay", + "Food crops in Paraguay", + "Crops of South America" + ], + "2000s teen romance films that were shot in the United Kingdom": [ + "Teen romance films", + "2000s films", + "Romance films about teenagers", + "Films shot in the United Kingdom" + ], + "2007 non Indian Indigenous drama films": [ + "Drama films", + "2007 films", + "Indigenous cinema", + "Non-Indian Indigenous films", + "Indigenous drama films released in 2007" + ], + "Historical American children's animated films set in the 1870's": [ + "Children's animated films", + "American animated films", + "Historical animated films", + "Animated films set in the 1870s", + "19th-century period animated films", + "American children's films" + ], + "Virgin Islands Endemic fauna or Amphibians": [ + "Endemic fauna of the Virgin Islands", + "Endemic fauna of the United States Virgin Islands", + "Endemic fauna of the British Virgin Islands", + "Amphibians of the Virgin Islands", + "Amphibians of the Caribbean" + ], + "Trees of mexico and central america also Monotypic eudicot genera": [ + "Trees of Mexico", + "Trees of Central America", + "Trees of Mexico and Central America", + "Monotypic eudicot genera" + ], + "2009 Indian novels or Indian historical novels in English": [ + "2009 Indian novels", + "Indian historical novels in English", + "Indian English-language novels", + "Historical novels in English" + ], + "Vampire films that are 2003 black comedy films": [ + "Vampire films", + "2003 films", + "Black comedy films", + "2003 black comedy films", + "Vampire comedy films" + ], + "Non-American Children's films shot in Oceania": [ + "Non-American children's films", + "Children's films shot in Oceania", + "Children's films shot in Australia", + "Children's films shot in New Zealand", + "Children's films shot in the Pacific Islands", + "Children's films by country of production", + "Children's films excluding American productions" + ], + "Flora of Polynesia that are both Freshwater plants and Flora of Europe": [ + "Flora of Polynesia", + "Freshwater plants", + "Flora of Europe" + ], + "films about canis set in forests but aren't based on fairy tails": [ + "Films about canines", + "Films about wolves", + "Films about dogs", + "Films set in forests", + "Films not based on fairy tales" + ], + "movies based on works by Bill Finger that are not American animated superhero movies": [ + "Films based on works by Bill Finger", + "Non-animated films based on works by Bill Finger", + "Non-superhero films based on works by Bill Finger", + "Non-American films based on works by Bill Finger", + "Animated films based on works by Bill Finger", + "American animated superhero films based on works by Bill Finger" + ], + "Novels about diseases and disorders and disasters but not Novels based on actual events": [ + "Novels about diseases", + "Novels about disorders", + "Novels about disasters", + "Fictional disaster novels", + "Fictional disease outbreak novels", + "Novels about medical conditions", + "Novels about psychological disorders", + "Novels with fictional epidemics", + "Novels with fictional natural disasters", + "Novels NOT based on actual events" + ], + "Podicipediformes or birds described in 1959": [ + "Podicipediformes", + "Birds described in 1959" + ], + "Oceanian realm fauna that are also Fish of Southeast Asia excluding Fish of Indonesia": [ + "Fauna of the Oceanian realm", + "Fish of Southeast Asia", + "Fish of Indonesia" + ], + "mammals found in the Atlantic Ocean and Colombia, but not in Brazil": [ + "Mammals of the Atlantic Ocean", + "Mammals of Colombia", + "Mammals of Brazil" + ], + "Non folklore Italian supernatural horror films": [ + "Italian supernatural horror films", + "Italian horror cinema", + "Non-folklore-based horror films", + "Supernatural horror films without folklore elements" + ], + "Palearctic fauna that are also Carnivorans of Asia excluding Fauna of Northeast Asia": [ + "Palearctic fauna", + "Carnivorans of Asia", + "Fauna of Northeast Asia" + ], + "Fish of Indonesia and Fauna of Oceania but not Freshwater fish of New Guinea": [ + "Fish of Indonesia", + "Fauna of Oceania", + "Freshwater fish of New Guinea" + ], + "Flora of Indo-China that are also Flora of Indonesia, excluding Orchids of Malaysia": [ + "Flora of Indo-China", + "Flora of Indonesia", + "Flora of Southeast Asia", + "Orchids of Malaysia" + ], + "Films from Hong Kong about revenge and not about games": [ + "Films from Hong Kong", + "Revenge films", + "Films about revenge", + "Films about games" + ], + "Documentary films about public opinion and politicians but non-American politics.": [ + "Documentary films about public opinion", + "Documentary films about politicians", + "Documentary films about politics outside the United States", + "Non-American political documentary films", + "Documentary films about public opinion of politicians" + ], + "Trees of Guerrero": [ + "Trees of Guerrero", + "Trees of Mexico" + ], + "Trees of Hidalgo (state) that are also of Mexico and the Rio Grande valleys": [ + "Trees of Hidalgo (state)", + "Trees of Mexico", + "Trees of the Rio Grande valleys", + "Trees of northeastern Mexico and the Rio Grande region" + ], + "what are some Flora of Madagascar that are also Magnoliales genera?": [ + "Flora of Madagascar", + "Endemic flora of Madagascar", + "Magnoliales genera", + "Magnoliales", + "Plant genera found in Madagascar" + ], + "2014 novels that are also Children's novels but not american": [ + "2014 novels", + "Children's novels", + "Non-American novels" + ], + "what are some History books about Romania, History books about the Byzantine Empire, or Books by John Julius Norwich?": [ + "History books about Romania", + "History books about the Byzantine Empire", + "Books by John Julius Norwich" + ], + "what are 1990s Western comedy films": [ + "Western comedy films", + "1990s films", + "1990s Western comedy films" + ], + "1990's speculative fiction novels about the military that are not scifi?": [ + "Speculative fiction novels", + "Military fiction", + "1990s novels", + "Non-science fiction speculative fiction", + "Alternate history novels", + "Fantasy novels about the military" + ], + "1970s science fiction novels set in outer space but are not American speculative fiction novels": [ + "1970s science fiction novels", + "Science fiction novels set in outer space", + "Non-American science fiction novels", + "Non-American speculative fiction novels", + "1970s non-American science fiction novels set in outer space" + ], + "1992 non-American independent films": [ + "1992 films", + "Independent films", + "Non-American films", + "1990s independent films" + ], + "what are Marine crocodylomorphs that are not Prehistoric animals": [ + "Marine crocodylomorphs", + "Non-prehistoric crocodylomorphs", + "Marine reptiles" + ], + "The Chronicles of Narnia or Christian children's books": [ + "The Chronicles of Narnia", + "Christian children's books" + ], + "what are the Rodents of Cambodia": [ + "Rodents of Cambodia", + "Rodents of Southeast Asia", + "Rodents of Indochina", + "Mammals of Cambodia", + "Rodent biodiversity in Cambodia" + ], + "English language Harper & Brothers Children's fiction books": [ + "Children's fiction books", + "Children's books published by Harper & Brothers", + "English-language children's fiction", + "Harper & Brothers English-language publications", + "Harper & Brothers children's fiction in English" + ], + "1993 non fiction childrens books": [ + "Non-fiction books", + "Children's books", + "1993 books", + "1990s children's non-fiction books" + ], + "Extinct birds of subantarctic islands, Extinct animals of Mauritius, or Birds described in 2014": [ + "Extinct birds of subantarctic islands", + "Extinct animals of Mauritius", + "Birds described in 2014" + ], + "Trading films excluding Films set on islands": [ + "Trading films", + "Films about financial markets", + "Films about stock trading", + "Films about commodity trading", + "Films about investment banking", + "Films set on islands" + ], + "what are Invertebrates of North America that are also both Fauna of islands in the Atlantic Ocean and Marine fauna of Africa?": [ + "Invertebrates of North America", + "Fauna of islands in the Atlantic Ocean", + "Marine fauna of Africa" + ], + "Trees that the Pacific, Australia, and the Ryukyu Islands have in common": [ + "Trees of the Pacific Ocean region", + "Trees of Australia", + "Trees of the Ryukyu Islands", + "Trees of Oceania", + "Trees of East Asia" + ], + "historical novels from Hungary": [ + "Historical novels", + "Novels from Hungary", + "Hungarian literature", + "Historical novels set in Hungary" + ], + "what are Flora of Eastern Asia that are also Flora of Manchuria but not Flora of Eastern Europe": [ + "Flora of Eastern Asia", + "Flora of Manchuria", + "Flora of Eastern Europe" + ], + "Books by Feng Menglong or novels that are Chinese comedy or Ming dynasty": [ + "Books by Feng Menglong", + "Books by Ming dynasty authors", + "Chinese comedy novels", + "Ming dynasty novels" + ], + "Butterflies of Africa and Fauna of Asia but not Invertebrates of Europe": [ + "Butterflies of Africa", + "Fauna of Asia", + "Invertebrates of Europe" + ], + "Sea Lions of North America": [ + "Sea lions of North America", + "Marine mammals of North America", + "Sea lions of the Pacific Ocean", + "Pinnipeds of North America" + ], + "Plants in Hinduism, Bible, or religion.": [ + "Plants in Hinduism", + "Plants in the Bible", + "Plants in Abrahamic religions", + "Plants in religion", + "Sacred plants", + "Ritual plants in religious traditions" + ], + "Birds of Mexico that are Fauna of the Guianas and Fauna of Nicaragua": [ + "Birds of Mexico", + "Fauna of the Guianas", + "Fauna of Nicaragua", + "Birds that occur in both Mexico and the Guianas", + "Birds that occur in both Mexico and Nicaragua", + "Birds that occur in Mexico, the Guianas, and Nicaragua" + ], + "Lepidoptera from Papua New Guinea": [ + "Lepidoptera of Papua New Guinea", + "Butterflies of Papua New Guinea", + "Moths of Papua New Guinea", + "Endemic Lepidoptera of Papua New Guinea", + "Lepidoptera of Oceania" + ], + "Bryophyta of New Zealand, Australia or Australasia": [ + "Bryophyta of New Zealand", + "Bryophyta of Australia", + "Bryophyta of Australasia", + "Bryophytes of Oceania" + ], + "1960s spy comedy American thriller films": [ + "Spy films", + "Comedy films", + "American films", + "Thriller films", + "1960s films" + ], + "Films about politicians that are also Documentary films about public opinion, excluding Documentary films about American politics": [ + "Films about politicians", + "Documentary films about politicians", + "Documentary films about public opinion", + "Documentary films about politics", + "Documentary films excluding American politics" + ], + "American 1940 comedy-drama musical films": [ + "American films", + "American musical films", + "American comedy-drama films", + "1940 films", + "1940 comedy-drama films", + "1940 musical films", + "1940 American films", + "1940s American films" + ], + "Argentinian marsupials": [ + "Marsupials of Argentina", + "Marsupials of South America", + "Mammals of Argentina", + "Mammals of South America" + ], + "1932 musicals that are not comedy films": [ + "Musical films released in 1932", + "Non-comedy musical films", + "1932 films by genre", + "Musicals of the early 1930s" + ], + "what are Novels by William Hope Hodgson or 1917 debut novels or 1912 fantasy novels": [ + "Novels by William Hope Hodgson", + "1917 debut novels", + "1912 fantasy novels" + ], + "Novels by Ernest Raymond or British war novels": [ + "Novels by Ernest Raymond", + "British war novels" + ], + "what are Oceanian realm fauna that are also both Birds of North America and Fauna of Europe": [ + "Fauna of the Oceanian realm", + "Birds of North America", + "Fauna of Europe", + "Birds that occur in both North America and Europe", + "Birds that occur in both North America and the Oceanian realm", + "Birds that occur in both Europe and the Oceanian realm" + ], + "Flora of Alberta but not British Columbia": [ + "Flora of Alberta", + "Flora of British Columbia" + ], + "Birds of the Middle East and Tibet and Fauna of East Asia": [ + "Birds of the Middle East", + "Birds of Tibet", + "Birds of Asia", + "Fauna of East Asia", + "Fauna of Asia" + ], + "Crops that originated from Chile, Paraguay, or New Zealand": [ + "Crops originating from Chile", + "Crops originating from Paraguay", + "Crops originating from New Zealand", + "Crops originating from South America", + "Crops originating from Oceania" + ], + "Novels set in Henan or by Jin Yong": [ + "Novels set in Henan", + "Novels by Jin Yong" + ], + "Novels that are French fantasy, from 1831, or 1740's fantasy": [ + "French fantasy novels", + "Novels published in 1831", + "Fantasy novels from the 1740s" + ], + "what is a Megapodiidae?": [ + "Megapodiidae", + "Megapodes", + "Bird families", + "Ground-dwelling birds", + "Gamebirds", + "Galliformes" + ], + "Birds of the Nicobar Islands or described in 1998": [ + "Birds of the Nicobar Islands", + "Birds of India", + "Birds described in 1998", + "Birds described in the 1990s" + ], + "buddy comedy films of the 1930's": [ + "Buddy comedy films", + "Comedy films", + "Films from the 1930s", + "American films of the 1930s", + "Black-and-white comedy films" + ], + "Horror films about urban legends": [ + "Horror films", + "Horror films based on urban legends", + "Films about urban legends", + "Supernatural horror films", + "Slasher films based on legends" + ], + "Books about economic history and Oceania": [ + "Books about economic history", + "Books about the economic history of Oceania", + "Books about the economic history of the Pacific Islands", + "Books about the economic history of Australia and New Zealand", + "Economic history books with a regional focus", + "Books about colonial and postcolonial economic history in Oceania" + ], + "Barbets,Birds described in 1965, Endemic birds of Zambia": [ + "Barbets", + "Birds described in 1965", + "Endemic birds of Zambia" + ], + "Amphibians that are found in Cambodia, but not Thailand": [ + "Amphibians", + "Amphibians of Cambodia", + "Amphibians of Thailand" + ], + "Flora of the Sonoran Deserts that are also Flora of the Chihuahuan Desert excluding Flora of the California desert regions": [ + "Flora of the Sonoran Desert", + "Flora of the Chihuahuan Desert", + "Flora of the Sonoran Desert AND Flora of the Chihuahuan Desert", + "Flora of the California desert regions" + ], + "movies set in the time of 1816": [ + "Films set in 1816", + "Films set in the 1810s", + "Historical films set in the 19th century" + ], + "Dinosaur wading birds but not shorebirds": [ + "Dinosaur wading birds", + "Non-shorebird wading birds", + "Basal avian dinosaurs exhibiting wading behavior", + "Theropod dinosaurs with wading adaptations", + "Fossil evidence of wading behavior in birds", + "Wading ecology in Mesozoic birds" + ], + "american action films based on fantasy novels that are sequel films": [ + "American films", + "American action films", + "Action films based on fantasy novels", + "Films based on fantasy novels", + "Sequel films", + "American sequel films" + ], + "Cacti of Nuevo that are also in both North America and Northeastern Mexico": [ + "Cacti of Nuevo Le\u00f3n", + "Cacti of Mexico", + "Cacti of North America", + "Cacti of Northeastern Mexico", + "Flora of Nuevo Le\u00f3n" + ], + "Films set in 1948 German but not west German": [ + "Films set in 1948", + "Films set in Germany", + "Films set in West Germany" + ], + ",what are Films set in the 28th century,Films set in 2030 or 2000 computer-animated films?": [ + "Films set in the 28th century", + "Films set in 2030", + "2000 computer-animated films" + ], + "Best Musical or Comedy Picture Golden Globe winner 21st-century Films about food and drink": [ + "Best Musical or Comedy Picture Golden Globe winners", + "21st-century films", + "Films about food and drink" + ], + "Miocene reptiles of Europe or Oligocene or Pleistocene turtles": [ + "Miocene reptiles of Europe", + "Miocene reptiles", + "Reptiles of Europe", + "Oligocene turtles", + "Pleistocene turtles", + "Cenozoic turtles", + "Fossil reptiles of Europe" + ], + "Birds of South America that are not Fauna of Peru described in 1868": [ + "Birds of South America", + "Fauna of Peru", + "Animals described in 1868" + ], + "Non-American animated superhero films from the 2010s": [ + "Animated superhero films", + "Animated films from the 2010s", + "Superhero films from the 2010s", + "Non-American animated films", + "Non-American superhero films" + ], + "Novels set in North America about the Paranormal but not horror": [ + "Novels set in North America", + "Novels about the paranormal", + "Paranormal fiction that is not horror", + "Supernatural fiction set in North America", + "Urban fantasy novels set in North America" + ], + "Films based on Chinese novels about revloutions": [ + "Films based on Chinese novels", + "Films based on novels about revolutions", + "Films about revolutions in China", + "Chinese-language films based on literature", + "Historical revolution films based on books" + ], + "Mahatma Gandhi books": [ + "Books about Mahatma Gandhi", + "Biographies of Mahatma Gandhi", + "Autobiographies by Mahatma Gandhi", + "Non-fiction books about Indian independence leaders", + "Books about Indian political history focusing on Gandhi" + ], + "Gardening or 1670 books": [ + "Gardening books", + "Books about plants and horticulture", + "Books published in 1670", + "17th-century books", + "History of gardening literature" + ], + "British children's books about England and friendship": [ + "British children's books", + "Children's books set in England", + "Children's books about friendship", + "British children's books about friendship", + "British children's books set in England" + ], + "1993 novels from Australia or David Malouf novels": [ + "1993 novels", + "1993 novels from Australia", + "Australian novels", + "David Malouf novels", + "Novels by David Malouf" + ], + "German novels from 2007": [ + "German novels", + "German-language novels", + "Novels from 2007", + "21st-century German novels" + ], + "Plants from the Bible": [ + "Plants mentioned in the Bible", + "Plants in the Old Testament", + "Plants in the New Testament", + "Biblical flora", + "Symbolic plants in biblical texts" + ], + "Non-detective crime novels set in Paris": [ + "Crime novels", + "Crime novels set in Paris", + "Crime fiction set in France", + "Non-detective protagonists in crime novels" + ], + "what are some Novels by Ernst J\u00fcnger, German magic realism novels, or 1985 German novels?": [ + "Novels by Ernst J\u00fcnger", + "German magic realism novels", + "German novels published in 1985" + ], + "what are Flora of Zambia that are also Flora of Angola used in traditional African medicine": [ + "Flora of Zambia", + "Flora of Angola", + "Plants used in traditional African medicine", + "Medicinal plants of Zambia", + "Medicinal plants of Angola", + "Plants native to both Zambia and Angola" + ], + "1927 British speculative fiction novels": [ + "1927 novels", + "1920s British novels", + "1920s speculative fiction novels", + "British speculative fiction novels", + "Speculative fiction novels" + ], + "Medicinal plants of South America that are Asterid genera": [ + "Medicinal plants", + "Medicinal plants of South America", + "Plants of South America", + "Asterid genera", + "Medicinal Asterid genera", + "Medicinal plants that are Asterid genera" + ], + "1950s children's adventure films or films shot in Bristol": [ + "1950s children's adventure films", + "Children's adventure films", + "1950s films", + "Films shot in Bristol", + "British films" + ], + "American novels about society from 1993": [ + "American novels", + "Novels about society", + "Social commentary in fiction", + "Novels first published in 1993", + "American novels published in 1993" + ], + "Books from Terrance Dicks": [ + "Books by Terrance Dicks", + "Works authored by Terrance Dicks", + "Novels by Terrance Dicks", + "Children's books by Terrance Dicks", + "Doctor Who books by Terrance Dicks" + ], + "2010s books about Oceania but not Australian books": [ + "Books about Oceania", + "Books about Oceania published in the 2010s", + "Books about the Pacific Islands", + "Books about Melanesia", + "Books about Micronesia", + "Books about Polynesia", + "Books about Oceania excluding Australia", + "Non-Australian authors writing about Oceania" + ], + "Fauna of Madagascar and Insects but not Lepidoptera of Africa": [ + "Fauna of Madagascar", + "Insects of Madagascar", + "Insects of Africa", + "Lepidoptera of Africa" + ], + "Endemic flora of Australia, Malaysia,and Fiji": [ + "Endemic flora of Australia", + "Endemic flora of Malaysia", + "Endemic flora of Fiji" + ], + "Non Horror demon novels.": [ + "Novels featuring demons", + "Fantasy novels with demons", + "Urban fantasy novels with demons", + "Supernatural fiction involving demons", + "Non-horror speculative fiction", + "Paranormal fiction without horror focus" + ], + "Musical comedy films from Czech or Czechoslovakia": [ + "Musical comedy films", + "Czech musical comedy films", + "Czechoslovak musical comedy films", + "Czech films", + "Czechoslovak films" + ], + "Vultures from North or South America": [ + "Vultures of North America", + "Vultures of South America", + "Vultures of the Americas" + ], + "X-Men, Doctor Dolittle or films set in 1845": [ + "X-Men films", + "Doctor Dolittle films", + "Films set in 1845" + ], + "American romance films about mental disorders, that aren't drama films.": [ + "American romance films", + "American films about mental disorders", + "Romance films about mental disorders", + "Romance films that are not drama films", + "American films that are not drama films" + ], + "Science fiction action Space opera films about abuse": [ + "Science fiction action films", + "Space opera films", + "Science fiction action Space opera films", + "Films about abuse", + "Science fiction films about abuse", + "Action films about abuse" + ], + "South Korean spy action films, South Korean science fiction thriller films, or Films about the National Intelligence Service (South Korea)": [ + "South Korean spy action films", + "South Korean science fiction thriller films", + "Films about the National Intelligence Service (South Korea)" + ], + "what are Trees of the Cayman Islands, Flora of Dominica, or Flora of Grenada": [ + "Trees of the Cayman Islands", + "Flora of Dominica", + "Flora of Grenada" + ], + "Trees of China that are also Trees of Korea excluding Trees of Japan": [ + "Trees of China", + "Trees of Korea", + "Trees of East Asia", + "Flora of China", + "Flora of Korea", + "East Asian temperate trees", + "Deciduous trees of East Asia", + "Evergreen trees of East Asia" + ], + "Mammals from both North and South America that are Neogene": [ + "Neogene mammals", + "Neogene mammals of North America", + "Neogene mammals of South America", + "Mammals of North America", + "Mammals of South America" + ], + "1926 Russian novels or Russian children's books": [ + "1926 novels", + "1926 books", + "Russian novels", + "Russian children's books" + ], + "Trees of Martinique or French Guiana Palms": [ + "Trees of Martinique", + "Trees of French Guiana", + "Palms of Martinique", + "Palms of French Guiana" + ], + "Vertebrate animals from Rwanda that are not also Sub-Saharan African mammals": [ + "Vertebrate animals of Rwanda", + "Birds of Rwanda", + "Reptiles of Rwanda", + "Amphibians of Rwanda", + "Fish of Rwanda", + "Mammals of Rwanda", + "Sub-Saharan African mammals" + ], + "Ordovician invertebrates, Cambrian sponges,or Silurian echinoderms": [ + "Ordovician invertebrates", + "Cambrian sponges", + "Silurian echinoderms" + ], + "Action adventure or historical adventure films from Turkey or historical fantasy films from the 1970s": [ + "Action adventure films", + "Historical adventure films", + "Turkish films", + "Historical fantasy films", + "1970s films" + ], + "what are some Polish erotic drama films, Icelandic science fiction films, or Swiss thriller drama films": [ + "Polish erotic drama films", + "Polish erotic films", + "Polish drama films", + "Icelandic science fiction films", + "Icelandic films", + "Swiss thriller drama films", + "Swiss thriller films", + "Swiss drama films" + ], + "Novels set in the 1810s excluding Novels about the military": [ + "Novels set in the 1810s", + "Historical novels set in the 19th century", + "Novels excluding military themes", + "Novels excluding war fiction" + ], + "Mammals of Uganda excluding Fauna of Central Africa": [ + "Mammals of Uganda", + "Mammals of East Africa", + "Fauna of Uganda", + "Mammals of Africa" + ], + "2004 thriller drama films or 2000s historical thriller films": [ + "2004 thriller drama films", + "2000s historical thriller films" + ], + "Plant species of Quintana roo, Netherlands Antilles, or the Southwest Caribbean": [ + "Plant species of Quintana Roo", + "Plant species of Mexico by state", + "Plant species of the Netherlands Antilles", + "Plant species of the Southwest Caribbean", + "Plant species of the Caribbean" + ], + "Flora or plants from the Gambia": [ + "Flora of the Gambia", + "Plants of the Gambia", + "Flora of West Africa", + "Plants of West Africa", + "Flora by country in Africa" + ], + "Non cyberpunk 2010's science fiction films about computing": [ + "Science fiction films", + "2010s science fiction films", + "Science fiction films about computing", + "Science fiction films about artificial intelligence", + "Science fiction films about virtual reality", + "Non-cyberpunk science fiction films", + "Films about computer hackers" + ], + "Australasian realm flora, Trees of the Philippines, and Flora of Taiwan": [ + "Australasian realm flora", + "Trees of the Philippines", + "Flora of Taiwan" + ], + "Fish of Central Asia that are not of Europe": [ + "Fish of Central Asia", + "Freshwater fish of Central Asia", + "Fish native to Central Asia only", + "Fish of Asia", + "Fish of Europe" + ], + "American adventure Crime films set in 1944": [ + "American adventure films", + "American crime films", + "Adventure crime films", + "Films set in 1944", + "American films set in the 1940s" + ], + "Mexican silent films,Films about the Dreyfus affair, or 1890s drama films": [ + "Mexican silent films", + "Silent films by country: Mexico", + "Films about the Dreyfus affair", + "Historical films about the Dreyfus affair", + "1890s drama films", + "Drama films by decade: 1890s" + ], + "Aquatic plants and Grasses of the United States also Halophytes": [ + "Aquatic plants of the United States", + "Grasses of the United States", + "Halophytes", + "Halophytic aquatic plants", + "Halophytic grasses" + ], + "1982 speculative fiction novels that are not sci-fi": [ + "Speculative fiction novels", + "1982 novels", + "1980s speculative fiction novels", + "1980s novels", + "Science fiction novels" + ], + "Maritime history or Turkish non-fiction books": [ + "Maritime history books", + "Turkish non-fiction books" + ], + "Novels that are from 1790, 1826 British novels, or by Ann Radcliffe": [ + "Novels published in 1790", + "British novels published in 1826", + "Novels by Ann Radcliffe" + ], + "what are some Endemic fauna of the Azores or Birds described in 1954": [ + "Endemic fauna of the Azores", + "Endemic animals of the Azores", + "Endemic birds of the Azores", + "Birds described in 1954", + "Taxa described in 1954" + ], + "Books from 1816 or gothic novels from Scotland": [ + "Books from 1816", + "Gothic novels", + "Novels from Scotland", + "Scottish literature" + ], + "Great Lakes region Domesticated plants": [ + "Domesticated plants", + "Domesticated plants of the Great Lakes region", + "Domesticated plants of the Midwestern United States", + "Domesticated plants of the Northeastern United States", + "Domesticated plants of North America" + ], + "Hindi-language action crime films not set India": [ + "Hindi-language films", + "Hindi-language action films", + "Hindi-language crime films", + "Action crime films", + "Films set outside India" + ], + "what are American sports films that are also Teen musicals?": [ + "American films", + "American sports films", + "American teen films", + "American musical films", + "Teen sports films", + "Teen musicals" + ], + "Insects of the Solomon Islands or Western New Guinea": [ + "Insects of the Solomon Islands", + "Insects of Western New Guinea", + "Insects of Melanesia" + ], + "1920s novels set in NY and about marriage": [ + "1920s novels", + "Novels set in New York", + "Novels about marriage" + ], + "Orchids of Argentina or French Guiana": [ + "Orchids of Argentina", + "Orchids of French Guiana", + "Orchids of South America" + ], + "Trees of \u00celes des Saintes or Quintana Roo or Martinique": [ + "Trees of \u00celes des Saintes", + "Trees of Guadeloupe", + "Trees of the French Antilles", + "Trees of Quintana Roo", + "Trees of the Yucat\u00e1n Peninsula", + "Trees of Martinique", + "Trees of the Lesser Antilles" + ], + "Irish novels from 1997 or by Edna O'Brien": [ + "Irish novels", + "Novels published in 1997", + "1997 Irish novels", + "Novels by Edna O'Brien" + ], + "Movies that are based on plays that are western, but not american western.": [ + "Films based on plays", + "Western genre films", + "Non-American western genre films", + "Non-American films based on plays", + "Plays adapted into western genre films", + "Films excluding American Western genre" + ], + "Trees of Guadeloupe the Windward Islands": [ + "Trees of Guadeloupe", + "Trees of the Windward Islands", + "Trees of the Lesser Antilles" + ], + "Vertebrates from Rwanda that are critically endangered": [ + "Vertebrates of Rwanda", + "Critically endangered vertebrates", + "Critically endangered animals of Rwanda", + "IUCN critically endangered species", + "Rwandan fauna" + ], + "What movies are set in Lebanon that are not about Spies.": [ + "Films set in Lebanon", + "Non-spy films set in Lebanon", + "Films set in the Middle East", + "Lebanese cinema", + "Films about Lebanon that are not about espionage" + ], + "Documentary films about science that are also 1940s documentary films excluding Black-and-white documentary films": [ + "Documentary films about science", + "1940s documentary films", + "Color documentary films" + ], + "Films that are Documentaries about women in Africa or Rwandan documentary films": [ + "Documentary films about women", + "Documentary films about women in Africa", + "African documentary films", + "Rwandan documentary films" + ], + "French novels from 2019": [ + "French novels", + "Novels published in 2019", + "French-language literature", + "21st-century French novels" + ], + "Oceanian realm flora that are Flora of Cambodia and Paleotropical flora": [ + "Oceanian realm flora", + "Flora of Oceania", + "Flora of Cambodia", + "Paleotropical flora" + ], + "science fiction novels that are sequel novels about war and conflict": [ + "Science fiction novels", + "Science fiction war novels", + "Science fiction sequel novels", + "Sequel novels about war and conflict", + "Military science fiction novels" + ], + "what are Trees of the Cayman Islands or of the Bahamas": [ + "Trees of the Cayman Islands", + "Trees of the Bahamas", + "Trees of the Caribbean", + "Trees of island ecosystems" + ], + "Aquatic animals from South America that are found in Victoria(Australia)": [ + "Aquatic animals", + "Aquatic animals of South America", + "Aquatic animals of Victoria (Australia)", + "Freshwater animals of South America", + "Freshwater animals of Australia" + ], + "Tahir Shah books": [ + "Books by Tahir Shah", + "Travel books by Tahir Shah", + "Non-fiction books by Tahir Shah", + "Fiction books by Tahir Shah" + ], + "Holarctic and North American desert fauna and also Vertebrates of Belize": [ + "Holarctic fauna", + "North American desert fauna", + "Vertebrates of Belize" + ], + "Rosaceae genera that are also Flora of Mongolia": [ + "Rosaceae genera", + "Flora of Mongolia", + "Rosaceae genera that occur in Mongolia" + ], + "Flora of the United States that are both Flora of the Western United States and Apiaceae genera": [ + "Flora of the United States", + "Flora of the Western United States", + "Apiaceae genera", + "Flora of the United States that are also Flora of the Western United States", + "Flora of the United States that are also Apiaceae genera", + "Flora of the Western United States that are also Apiaceae genera", + "Flora of the United States that are both Flora of the Western United States and Apiaceae genera" + ], + "Czech coming-of-age comedy films or based on Henry IV (play) or 1966 comedy-drama films": [ + "Czech coming-of-age comedy films", + "Coming-of-age comedy films", + "Czech comedy films", + "Films based on Henry IV (play)", + "Shakespeare adaptation films", + "1966 comedy-drama films", + "1960s comedy-drama films" + ], + "novels about adultery that are set in new england": [ + "Novels about adultery", + "Novels set in New England", + "Novels about marital infidelity", + "American novels about adultery", + "American novels set in New England" + ], + "Parasitic plants of Utah": [ + "Parasitic plants", + "Parasitic plants of the United States", + "Parasitic plants of the Western United States", + "Parasitic plants of Utah", + "Flora of Utah" + ], + "Films shot in Santa Monica California": [ + "Films shot in Santa Monica California", + "Films shot in Los Angeles County California", + "Films shot in California", + "Films shot in the United States" + ], + "what are 1990s superhero movies that are not American superhero movies": [ + "Superhero films", + "1990s films", + "Non-American films", + "1990s superhero films", + "American superhero films" + ], + "Arecaceae that are trees of Indo-China": [ + "Arecaceae", + "Arecaceae by region", + "Arecaceae of Indo-China", + "Trees of Indo-China" + ], + "Demon novels not based on a television series": [ + "Demon fiction", + "Demon novels", + "Novels based on television series", + "Novels not based on television series", + "Supernatural novels", + "Horror novels about demons" + ], + "Black comedy films about other films that are not American": [ + "Black comedy films", + "Black comedy films about filmmaking", + "Black comedy films about the film industry", + "Non-American black comedy films", + "Non-English-language black comedy films" + ], + "Teen horror films from 1980s that are not about serial killers": [ + "Teen horror films", + "1980s horror films", + "Horror films about teenagers", + "Horror films not about serial killers" + ], + "Telugu films that are Bhojpuri remakes": [ + "Telugu-language films", + "Bhojpuri-language films", + "Telugu-language films that are remakes of Bhojpuri-language films", + "Indian film remakes", + "Cross-language remakes in Indian cinema" + ], + "Trees that only grow in the North-Central US and not the Southeastern US": [ + "Trees of the North-Central United States", + "Trees of the Midwestern United States", + "Trees of the Great Plains region", + "Trees of the Southeastern United States" + ], + "1992 American children's comedy animated musical films": [ + "1992 films", + "1992 animated films", + "American films", + "American animated films", + "Children's films", + "American children's films", + "Comedy films", + "Animated comedy films", + "Musical films", + "Animated musical films", + "Children's animated films", + "American children's animated films" + ], + "Reptiles in taiwan that are not also Palearctic fauna": [ + "Reptiles of Taiwan", + "Endemic reptiles of Taiwan", + "Reptiles of Taiwan not in the Palearctic ecozone", + "Non-Palearctic reptiles" + ], + "Russian 1994 novels": [ + "Russian novels", + "Novels of Russia", + "1994 novels", + "1990s Russian novels" + ], + "American children's animated fantasy coming-of-age comedy films about animals from the 2010s": [ + "American films", + "Children's films", + "Animated films", + "Fantasy films", + "Coming-of-age films", + "Comedy films", + "Animated films about animals", + "2010s American films", + "2010s animated films", + "2010s children's films", + "2010s fantasy films", + "2010s comedy films" + ], + "Highly drought-tolerant flowering plants or Endemic flora of Australia, or Poales plants": [ + "Highly drought-tolerant flowering plants", + "Endemic flora of Australia", + "Poales plants" + ], + "What are Orchids of Honduras or, Orchids of Suriname or, Orchids of Guyana?": [ + "Orchids of Honduras", + "Orchids of Suriname", + "Orchids of Guyana", + "Orchids of Central America", + "Orchids of South America" + ], + "Birds of the Pitcairn Islands or the Tuamotus or Henderson Island": [ + "Birds of the Pitcairn Islands", + "Birds of the Tuamotus", + "Birds of Henderson Island", + "Birds of the South Pacific" + ], + "Plants only found in Algeria, only found in Morocco or Monotypic Amaryllidaceae": [ + "Plants endemic to Algeria", + "Plants endemic to Morocco", + "Monotypic Amaryllidaceae genera", + "Monotypic Amaryllidaceae species" + ], + "Orchids found in Bali": [ + "Orchids of Bali", + "Orchids of Indonesia", + "Orchids of Southeast Asia" + ], + "Textbooks about Astronomy": [ + "Textbooks", + "Astronomy textbooks", + "Introductory astronomy textbooks", + "Advanced astronomy textbooks", + "Undergraduate astronomy textbooks", + "Graduate-level astronomy textbooks" + ], + "what are some Endemic flora of Western New Guinea": [ + "Endemic flora of Western New Guinea", + "Endemic plants of New Guinea", + "Flora of Western New Guinea", + "Flora of New Guinea" + ], + "Orchids of Myanmar but not Flora of India": [ + "Orchids of Myanmar", + "Flora of Myanmar", + "Orchids of India", + "Flora of India" + ], + "Birds described in 1872 but not Prehistoric reptiles of Asia": [ + "Birds described in 1872", + "Prehistoric reptiles of Asia" + ], + "Flora of Guam or of the Northern Mariana Islands or Carnivorous plants of the Pacific": [ + "Flora of Guam", + "Flora of the Northern Mariana Islands", + "Carnivorous plants of the Pacific" + ], + "Russian spy films or shot in Belarus": [ + "Russian spy films", + "Spy films shot in Belarus", + "Russian-language spy films", + "Russian spy films shot in Belarus" + ], + "what is some Endemic flora of Peninsular Malaysia that are not Trees of Malaya": [ + "Endemic flora of Peninsular Malaysia", + "Flora of Peninsular Malaysia that are not Trees of Malaya", + "Non-tree endemic plants of Peninsular Malaysia", + "Endemic plants of Peninsular Malaysia excluding Trees of Malaya" + ], + "Films set in 1820 or 1808 or about the French invasion of Russia": [ + "Films set in 1820", + "Films set in 1808", + "Films about the French invasion of Russia", + "Films set during the Napoleonic Wars", + "Historical films set in the 19th century" + ], + "Flora of New Caledonia that is both Oceanian realm flora and Taiwan.": [ + "Flora of New Caledonia", + "Flora of Taiwan", + "Oceanian realm flora" + ], + "Pinnipeds of Antarctica or South America or Marine fauna of Antarctica": [ + "Pinnipeds of Antarctica", + "Pinnipeds of South America", + "Marine fauna of Antarctica" + ], + "Novels about Noah's Ark, Novels about floods, or 1945 speculative fiction novels": [ + "Novels about Noah's Ark", + "Novels about biblical floods", + "Novels about natural disaster floods", + "1945 speculative fiction novels" + ], + "Amphibians of Cambodia but not of Laos": [ + "Amphibians of Cambodia", + "Amphibians of Laos", + "Amphibians of mainland Southeast Asia", + "Amphibians of Indochina" + ], + "HarperCollins books that are British novels adapted into tv shows, that are about travel": [ + "Books published by HarperCollins", + "British novels", + "Novels adapted into television series", + "Novels about travel" + ], + "South America or Cathartidae Pliocene birds": [ + "Birds of South America", + "Cathartidae", + "Pliocene birds", + "Cathartidae from the Pliocene" + ], + "Mythology books about London": [ + "Books about mythology", + "Books about London", + "Books about urban mythology", + "Books about British folklore", + "Books on myths set in cities" + ], + "Novels set in Asia about writers but not biographical": [ + "Novels set in Asia", + "Fiction about writers", + "Non-biographical novels about writers", + "Asian literature", + "Novels set in Asian countries" + ], + "Insects of Cuba but not Lepidoptera": [ + "Insects of Cuba", + "Non-lepidopteran insects of Cuba", + "Insects of the Caribbean", + "Insects by country", + "Lepidoptera" + ], + "Orchids of Argentina, French Guiana or Guyana": [ + "Orchids of Argentina", + "Orchids of French Guiana", + "Orchids of Guyana", + "Orchids of South America" + ], + "Mockumentary musical films from the 1980s": [ + "Mockumentary films", + "Musical films", + "1980s films", + "Mockumentary musical films", + "1980s mockumentary films", + "1980s musical films" + ], + "what are Aquatic plants that are also Palearctic flora but not Flora of Europe?": [ + "Aquatic plants", + "Palearctic flora", + "Flora of Europe" + ], + "World War II prisoner of war films that won a European Film Award": [ + "World War II prisoner of war films", + "World War II films", + "Prisoner of war films", + "Films about prisoners of war in World War II", + "European Film Award winners", + "European Film Awards for Best Film", + "European Film Award\u2013winning war films" + ], + "Novels set in Vietnam not based on actual events": [ + "Novels set in Vietnam", + "Fictional works set in Vietnam", + "Novels not based on actual events", + "Historical fiction set in Vietnam" + ], + "Flora of Palau or Guam or Carnivorous plants of the Pacific": [ + "Flora of Palau", + "Flora of Guam", + "Carnivorous plants of the Pacific" + ], + "Reptiles in Taiwan not found in China": [ + "Reptiles of Taiwan", + "Endemic reptiles of Taiwan", + "Reptiles of China", + "Reptiles in Taiwan but not in China" + ], + "central asian fish that are not european": [ + "Fish of Central Asia", + "Freshwater fish of Asia", + "Fish of Europe" + ], + "Marine fauna of Asia and Western Australia": [ + "Marine fauna of Asia", + "Marine fauna of Western Australia", + "Marine fauna of the Indian Ocean", + "Marine animals of the Indo-Pacific region" + ], + "what are some Flora of Jiangsu or Orchids of Guizhou": [ + "Flora of Jiangsu", + "Orchids of Guizhou", + "Flora of China" + ], + "Trees of Manitoba or Subarctic America": [ + "Trees of Manitoba", + "Trees of Subarctic America" + ], + "Birds of West Africa and apodidae": [ + "Birds of West Africa", + "Apodidae", + "Swifts of West Africa", + "Birds of Africa" + ], + "Non romantic comedy films about remarriage": [ + "Comedy films", + "Non-romantic comedy films", + "Comedy films about remarriage", + "Films about remarriage", + "Marital relationship comedies" + ], + "Flora of Alabama and New Mexico": [ + "Flora of Alabama", + "Flora of New Mexico", + "Plants of the Southeastern United States", + "Plants of the Southwestern United States", + "Flora of the United States" + ], + "flowers of Singapore or plants from Brunei": [ + "Flowers of Singapore", + "Plants of Singapore", + "Plants of Brunei", + "Flora of Singapore", + "Flora of Brunei" + ], + "Marine fauna of Antarctica, or fauna of South Georgia and the South Sandwich islands": [ + "Marine fauna of Antarctica", + "Fauna of Antarctica", + "Fauna of South Georgia and the South Sandwich Islands", + "Fauna of South Georgia", + "Fauna of the South Sandwich Islands" + ], + "1950s books about Oceania but are not Australian": [ + "Books about Oceania", + "Books published in the 1950s", + "Books about Oceania excluding Australia", + "Non-Australian books about Oceania" + ], + "Endemic fauna from Saint Lucia": [ + "Endemic fauna of Saint Lucia", + "Endemic animals of the Lesser Antilles", + "Endemic animals of the Caribbean", + "Fauna of Saint Lucia" + ], + "Superhero crossovers that are not 2010s action films": [ + "Superhero crossovers", + "Superhero films", + "Crossover films", + "Action films", + "2010s films" + ], + "1965 fictional social science books about sexuality.": [ + "Books about sexuality", + "Social science books", + "Fictional books", + "1965 books", + "1960s social science books on sexuality" + ], + "Fauna of Northeast Asia that are Mammals of Azerbaijan": [ + "Fauna of Northeast Asia", + "Mammals of Azerbaijan" + ], + "microorganisms that grow at low water activity levels.": [ + "Microorganisms that grow at low water activity levels", + "Xerophilic microorganisms", + "Osmophilic microorganisms", + "Food spoilage microorganisms tolerant to low water activity", + "Fungi that grow at low water activity", + "Bacteria that grow at low water activity" + ], + "Extinct animals of South America that are Reptiles of North America": [ + "Extinct animals of South America", + "Reptiles of South America", + "Reptiles of North America", + "Extinct reptiles", + "Extinct reptiles of South America" + ], + "what are Middle Jurassic plesiosaurs of Europe": [ + "Middle Jurassic plesiosaurs", + "Plesiosaurs of the Jurassic", + "Plesiosaurs of the Middle Jurassic in Europe", + "Middle Jurassic marine reptiles of Europe", + "European plesiosaurs" + ], + "Moths of Seychelles excluding Moths of Madagascar": [ + "Moths of Seychelles", + "Moths of Madagascar", + "Moths of Africa", + "Endemic moths of Seychelles" + ], + "American novels about New Mexico from the 1980s": [ + "American novels", + "Novels set in New Mexico", + "Novels from the 1980s", + "American literature from the 1980s" + ], + "Films set in Libya that aren't set in 1942": [ + "Films set in Libya", + "Films set in Libya not in 1942", + "Films by setting and year" + ], + "Rodents from Bangladesh or Singapore": [ + "Rodents of Bangladesh", + "Rodents of Singapore" + ], + "Plants found in Melanesia, Java, and Cambodia": [ + "Plants of Melanesia", + "Plants of Java", + "Plants of Indonesia", + "Plants of Cambodia", + "Flora of Southeast Asia", + "Flora of the Pacific Islands" + ], + "Pinnipeds of Australia or Africa or Marine fauna of Antarctica": [ + "Pinnipeds of Australia", + "Pinnipeds of Africa", + "Marine fauna of Antarctica", + "Pinnipeds", + "Marine mammals of the Southern Ocean" + ], + "Novels about French prostitution or 1948 French Novels or by Jean Genet": [ + "Novels about French prostitution", + "French novels about prostitution", + "1948 French novels", + "Novels by Jean Genet", + "French-language novels", + "Mid-20th-century French novels" + ], + "Devonian and late Devonian animals also Fauna of Oceania": [ + "Devonian animals", + "Late Devonian animals", + "Paleozoic animals", + "Extinct animals of the Devonian period", + "Devonian fauna of Oceania", + "Late Devonian fauna of Oceania", + "Fossil taxa of Oceania" + ], + "Ivory coast Endemic flora": [ + "Endemic flora of Ivory Coast", + "Endemic flora of West Africa", + "Endemic flora of tropical Africa" + ], + "Endemic flora of Australia, plants from the Boryaceae family, or plants from the Poales family": [ + "Endemic flora of Australia", + "Plants endemic to Australia", + "Plants in the family Boryaceae", + "Boryaceae", + "Plants in the order Poales", + "Poales" + ], + "Birds found in South China and Vietnam, but not in Yunnan": [ + "Birds of South China", + "Birds of Vietnam", + "Birds of China", + "Birds of Southeast Asia", + "Birds of Yunnan" + ], + "Mammals of Paraguay excluding Mammals of Argentina": [ + "Mammals of Paraguay", + "Mammals of Argentina", + "Mammals of South America" + ], + "Novels about diseases and disorders set on islands but not in the UK": [ + "Novels about diseases and disorders", + "Novels set on islands", + "Novels set outside the United Kingdom" + ], + "Birds described in 1991 or Birds of the Western Province (Solomon Islands)": [ + "Birds described in 1991", + "Birds of the Western Province (Solomon Islands)" + ], + "what are some Ming dynasty, Chinese comedy, or Novels set in Kaifeng": [ + "Ming dynasty works", + "Chinese comedy works", + "Novels set in Kaifeng, China" + ], + "Malaysian Flora that are also of Nepal & Sudan": [ + "Flora of Malaysia", + "Flora of Nepal", + "Flora of Sudan", + "Plant species common to Malaysia and Nepal", + "Plant species common to Malaysia and Sudan", + "Plant species common to Nepal and Sudan", + "Plant species found in Malaysia, Nepal, and Sudan" + ], + "1933 documentaries, documentaries about volcanoes, or Films shot in Guadeloupe": [ + "1933 documentary films", + "Documentary films about volcanoes", + "Films shot in Guadeloupe" + ], + "Fauna of Europe that are Insects of Southeast Asia": [ + "Fauna of Europe", + "Insects of Europe", + "Insects of Southeast Asia", + "Fauna of Southeast Asia" + ], + "Flora of China that are also of Sudan and Holarctic": [ + "Flora of China", + "Flora of Sudan", + "Flora of the Holarctic region", + "Plants present in both China and Sudan", + "Plants present in both China and the Holarctic region", + "Plants present in both Sudan and the Holarctic region" + ], + "American magic realism novels not set in North America": [ + "American magic realism novels", + "Magic realism novels by American authors", + "Magic realism novels set outside North America", + "Novels set outside North America", + "Magic realism novels" + ], + "Belgian mystery films or works by Frank Wedekind.": [ + "Belgian mystery films", + "Mystery films produced in Belgium", + "Works by Frank Wedekind", + "Plays written by Frank Wedekind", + "Literary works by Frank Wedekind" + ], + "Cuban song birds": [ + "Birds of Cuba", + "Songbirds", + "Passerine birds of Cuba", + "Endemic birds of Cuba" + ], + "Flowering plants from Switzerland": [ + "Flowering plants of Switzerland", + "Flora of Switzerland", + "Alpine flowering plants", + "European flowering plants" + ], + "Science fiction novels for children about the United Kingdom": [ + "Science fiction novels", + "Children's science fiction novels", + "Science fiction novels set in the United Kingdom", + "Science fiction novels about the United Kingdom", + "British children's novels", + "Science fiction novels for children published in the United Kingdom" + ], + "Trees of Western Canada that are not of the Northwestern United States": [ + "Trees of Western Canada", + "Trees of Canada", + "Trees of the Northwestern United States" + ], + "Historical films from the 1940's that are Czech war films": [ + "Historical films", + "Czech films", + "War films", + "1940s films", + "Czech war films" + ], + "Rosales genera of Europe": [ + "Rosales genera", + "Rosales genera of Europe", + "Rosales genera native to Europe", + "Rosales genera introduced in Europe" + ], + "plants that are found in Southwester Europe and Germany, but not France": [ + "Plants of Southwestern Europe", + "Plants of Spain", + "Plants of Portugal", + "Plants of Italy", + "Plants of Germany", + "Plants of France" + ], + "books from 1625": [ + "Books from 1625", + "Books from the 1620s", + "17th-century books", + "Early modern literature", + "Books published in the 17th century" + ], + "Medicinal plants that are from both Southwestern Europe and Bulgaria": [ + "Medicinal plants of Southwestern Europe", + "Medicinal plants of Bulgaria", + "Herbal medicinal plants native to Europe", + "Plants with traditional medicinal use in Europe" + ], + "Quaternary Prehistoric birds of South America and Extinct animals of North America": [ + "Quaternary prehistoric birds", + "Prehistoric birds of South America", + "Quaternary animals of South America", + "Extinct animals of North America", + "Prehistoric animals of North America" + ], + "Plants Southern United States and North-Central United States have in common but not trees found in Canada": [ + "Plants of the Southern United States", + "Plants of the North-Central United States", + "Plants found in both the Southern and North-Central United States", + "Plants of Canada", + "Trees of Canada" + ], + "Trees that are found in the Southeastern US and Australia": [ + "Trees of the Southeastern United States", + "Trees of the Southern United States", + "Trees of Australia", + "Trees of Eastern Australia", + "Trees native to both North America and Australia" + ], + "1985 speculative fiction novels that are not Science fiction.": [ + "1985 novels", + "1980s speculative fiction novels", + "Speculative fiction novels that are not science fiction" + ], + "Sexploitation films from 2001": [ + "Sexploitation films", + "Erotic exploitation cinema", + "Films released in 2001", + "Exploitation films by year" + ], + "Plants of Heard Island and McDonald Island or plants from the Crozet Islands": [ + "Plants of Heard Island", + "Plants of McDonald Island", + "Plants of Heard Island and McDonald Islands", + "Plants of the Crozet Islands", + "Plants of French Southern and Antarctic Lands" + ], + "1930's war or action comedy films": [ + "War comedy films", + "Action comedy films", + "1930s comedy films", + "1930s war films", + "1930s action films" + ], + "1950s drama films about alcohol and Depictions of women": [ + "1950s films", + "1950s drama films", + "Drama films about alcohol", + "Films about alcoholism", + "1950s films about alcohol", + "Depictions of women in film", + "Films about women", + "1950s drama films about alcohol", + "1950s drama films with depictions of women" + ], + "Bryophyta of Australia, Bryophyta of Australasia, or Bryophyta of New Zealand": [ + "Bryophyta of Australia", + "Bryophyta of Australasia", + "Bryophyta of New Zealand" + ], + "Flora of the Savage Islands, Western Sahara, or Trees of the Arabian Peninsula": [ + "Flora of the Savage Islands", + "Flora of Western Sahara", + "Trees of the Arabian Peninsula" + ], + "Musical comedy-drama films from the 1970s or comedy-drama films from 1976": [ + "Musical comedy-drama films", + "1970s films", + "1976 comedy-drama films" + ], + "what are Parastacidae that are not also Fauna of Australia": [ + "Parastacidae", + "Parastacidae outside Australia", + "Freshwater crayfish", + "Non-Australian Parastacidae species", + "Crustaceans by geographic distribution" + ], + "what are some 1913 lost films that aren't dramas": [ + "1913 lost films", + "Lost films", + "1913 films", + "1913 drama films" + ], + "1900s LGBT novels or by Colette": [ + "LGBT novels", + "LGBT novels from the 1900s", + "Novels from the 1900s", + "Novels by Colette", + "LGBT literature" + ], + "1974 American novels about society": [ + "1974 novels", + "1974 American novels", + "American novels about society", + "Social commentary in American literature", + "20th-century American social novels" + ], + "Plants Southwestern Europe and Germany have in common but not found in Italy": [ + "Plants of Southwestern Europe", + "Plants of Germany", + "Plants of Italy" + ], + "Malaysian books": [ + "Books published in Malaysia", + "Books set in Malaysia", + "Books written by Malaysian authors", + "Malay-language books", + "Malaysian literature" + ], + "1960s romance films that are also 1960s musical films excluding Musical comedy films": [ + "1960s romance films", + "1960s musical films", + "Musical comedy films" + ], + "Garden plants of South America that are also in Ecuador": [ + "Garden plants of South America", + "Garden plants of Ecuador", + "Ornamental plants of South America", + "Ornamental plants of Ecuador" + ], + "what are some Israeli books that are not in the Hebrew-language.": [ + "Israeli literature", + "Israeli books not in Hebrew", + "Israeli books in English", + "Israeli books in Arabic", + "Israeli books in Russian", + "Israeli books translated from Hebrew", + "Israeli authors writing in foreign languages" + ], + "El Salvadorian fish": [ + "Fish of El Salvador", + "Freshwater fish of El Salvador", + "Marine fish of El Salvador", + "Endemic fish of El Salvador", + "Commercially important fish species of El Salvador" + ], + "Eocene fish or Oligocene of Asia": [ + "Eocene fish", + "Eocene fish of Asia", + "Oligocene fish of Asia", + "Fossil fish of Asia" + ], + "Novels set in the Reformation or from 1799 or by Charles Brockden Brown": [ + "Novels set during the Protestant Reformation", + "Novels published in 1799", + "Novels by Charles Brockden Brown" + ], + "Orchids of R\u00e9union or Mauritius": [ + "Orchids of R\u00e9union", + "Orchids of Mauritius", + "Orchids of the Mascarene Islands" + ], + "plants from Pennsylvania": [ + "Plants of Pennsylvania", + "Flora of Pennsylvania", + "Plants of the Northeastern United States", + "Plants of the United States" + ], + "1983 fiction Epistolary novels": [ + "Fiction books", + "Fiction books published in 1983", + "Epistolary novels", + "Epistolary novels published in 1983" + ], + "Non American pornographic horror films": [ + "Pornographic horror films", + "Horror films", + "Non-American films", + "European pornographic horror films", + "Asian pornographic horror films", + "Latin American pornographic horror films" + ], + "History books about war and families": [ + "History books about war", + "History books about families", + "History books about war and family relationships", + "History books about the impact of war on civilians", + "History books about military history", + "History books about social history of war" + ], + "1990s drama films that are Canadian adventure films": [ + "1990s films", + "Drama films", + "Adventure films", + "Canadian films", + "Canadian drama films", + "Canadian adventure films", + "1990s drama films", + "1990s adventure films" + ], + "Crime books that about the arts but not about film": [ + "Crime books", + "Crime books about the arts", + "Crime books not about film", + "Crime fiction", + "Nonfiction crime books about the arts" + ], + "Flora of Sinaloa excluding Flora of Northeastern Mexico": [ + "Flora of Sinaloa", + "Flora of Northwestern Mexico", + "Flora of Mexico", + "Flora of Northeastern Mexico" + ], + "find me, Cisuralian animals, Paleozoic insects of Asia, or Carboniferous animals of Asia.": [ + "Cisuralian animals", + "Paleozoic insects of Asia", + "Carboniferous animals of Asia" + ], + "Oligocene or Neogene birds or Paleogene reptiles of Australia": [ + "Oligocene birds of Australia", + "Neogene birds of Australia", + "Paleogene reptiles of Australia", + "Fossil birds of Australia", + "Fossil reptiles of Australia" + ], + "1939 Irish novels set in Europe": [ + "Irish novels", + "Irish novels published in 1939", + "Novels set in Europe", + "Irish literature of the 1930s" + ], + "1970s musical films that are Westerns": [ + "Musical films", + "1970s films", + "Western films", + "1970s musical films", + "1970s Western films" + ], + "1981 Ace Books": [ + "Books published in 1981", + "Books published by Ace Books", + "Science fiction books published in 1981", + "Fantasy books published in 1981", + "Ace Books science fiction titles", + "Ace Books fantasy titles" + ], + "1932 musical films that aren't comedies.": [ + "1932 musical films", + "Musical films that are not comedies", + "1930s musical films" + ], + "Amphibians or endemic faunas from the US Virgin Islands, or faunas from the British Virgin Islands": [ + "Amphibians of the United States Virgin Islands", + "Endemic fauna of the United States Virgin Islands", + "Fauna of the United States Virgin Islands", + "Fauna of the British Virgin Islands" + ], + "1990s coming-of-age comedy films that aren't american": [ + "Coming-of-age comedy films", + "1990s comedy films", + "1990s coming-of-age films", + "Non-American films", + "Films by country of origin excluding the United States" + ], + "Japanese alternate history or films set in 1866": [ + "Japanese alternate history", + "Alternate history anime", + "Alternate history films", + "Alternate history television series", + "Films set in 1866", + "Japanese films set in the 19th century" + ], + "Michael Gerard Bauer novels or notable books that won CBCA Children's Book of the Year Award or Australian novels from 1994": [ + "Novels by Michael Gerard Bauer", + "Books that won the CBCA Children's Book of the Year Award", + "Australian novels published in 1994" + ], + "American Holiday themed comedy-crime film from 2005": [ + "Comedy-crime films", + "Holiday-themed films", + "Christmas films", + "American films", + "2005 films" + ], + "Urban survival films, or set in 2040 or DC Animated Universe films": [ + "Urban survival films", + "Survival films set in urban environments", + "Films set in the year 2040", + "DC Animated Universe films" + ], + "Fauna of the Babuyan Islands or Gallirallus": [ + "Fauna of the Babuyan Islands", + "Animals of the Babuyan Islands", + "Gallirallus", + "Species in the genus Gallirallus", + "Rails in the genus Gallirallus" + ], + "Birds of Southeast Asia in 1841 described.": [ + "Birds of Southeast Asia", + "Birds described in 1841", + "Birds by year of formal description" + ], + "Orchids of China that are also in the Philippines and Bangladesh": [ + "Orchids of China", + "Orchids of the Philippines", + "Orchids of Bangladesh", + "Orchids of East Asia", + "Orchids of Southeast Asia", + "Orchids of South Asia" + ], + "2000s French Contemporary fantasy novels": [ + "Contemporary fantasy novels", + "French-language fantasy novels", + "Fantasy novels by year of publication", + "2000s fantasy novels", + "2000s French-language novels" + ], + "fiction books about literature, but not society": [ + "Fiction books", + "Novels about literature", + "Novels about writers and writing", + "Fiction about books and reading", + "Metafiction about literature", + "Campus novels focused on literary themes", + "Fiction about literary criticism and theory", + "Fiction centered on publishing and the book industry", + "Postmodern literary fiction" + ], + "Eocene reptiles or birds, or Oligocene animals of South America": [ + "Eocene reptiles", + "Eocene birds", + "Oligocene animals of South America" + ], + "Weidenfeld & nicolson books about and set in Paris": [ + "Books published by Weidenfeld & Nicolson", + "Weidenfeld & Nicolson books about Paris", + "Weidenfeld & Nicolson books set in Paris", + "Books about Paris", + "Books set in Paris" + ], + "Flora of Oklahoma, the South-Central United States, Tamaulipas": [ + "Flora of Oklahoma", + "Flora of the South-Central United States", + "Flora of Tamaulipas", + "Flora of the United States", + "Flora of Mexico" + ], + "Endemic faunas found in the freshwater of Borneo": [ + "Freshwater fauna of Borneo", + "Endemic animals of Borneo", + "Freshwater animals of Indonesia", + "Freshwater animals of Malaysia", + "Endemic freshwater animals of Southeast Asia" + ], + "Novels by Thomas Pynchon or about Nazis": [ + "Novels by Thomas Pynchon", + "Fiction about Nazis" + ], + "Paleocene animals of Europe or North America": [ + "Paleocene animals of Europe", + "Paleocene animals of North America", + "Paleocene animals", + "Cenozoic animals of Europe", + "Cenozoic animals of North America" + ], + "Textbooks about economics": [ + "Textbooks", + "Economics textbooks", + "Introductory economics textbooks", + "Microeconomics textbooks", + "Macroeconomics textbooks", + "University-level economics textbooks", + "High school economics textbooks" + ], + "Plants found in Belarus": [ + "Plants of Belarus", + "Flora of Belarus", + "Plants of Eastern Europe", + "Flora of Eastern Europe" + ], + "Australian novels from 1930 or Henry Handel Richardson novels": [ + "Australian novels from 1930", + "Australian novels by year", + "Novels by Henry Handel Richardson", + "Australian literature" + ], + "Trees of Campeche or Guadeloupe": [ + "Trees of Campeche", + "Trees of Guadeloupe", + "Trees of Mexico", + "Trees of the Yucat\u00e1n Peninsula", + "Trees of the Lesser Antilles", + "Trees of the Caribbean" + ], + "Vietnamese films based on literature but not set in 1948": [ + "Vietnamese films", + "Vietnamese films based on literature", + "Films based on Vietnamese literature", + "Vietnamese films not set in 1948" + ], + "what are some 1856 novels": [ + "Novels published in 1856", + "19th-century novels", + "Victorian-era literature", + "Fiction books by year of publication" + ], + "Jamaica's mammals": [ + "Mammals of Jamaica", + "Endemic mammals of Jamaica", + "Terrestrial mammals of Jamaica", + "Marine mammals of Jamaica", + "Introduced mammals of Jamaica" + ], + "Angiosperms of Manchuria": [ + "Angiosperms of Manchuria", + "Angiosperms of Northeast China", + "Flora of Manchuria", + "Flowering plants of Manchuria" + ], + "Endemic fauna or mammals of Guadeloupe": [ + "Endemic fauna of Guadeloupe", + "Endemic mammals of Guadeloupe", + "Endemic fauna of the Lesser Antilles", + "Fauna of Guadeloupe", + "Mammals of Guadeloupe" + ], + "Books about the British Empire but not about Pakistan.": [ + "Books about the British Empire", + "Books about British colonial history", + "Books about British imperialism", + "Books about the history of the United Kingdom overseas territories", + "Books about the British Raj excluding Pakistan" + ], + "Trees of Azerbaijan or Iran's endemic flora": [ + "Trees of Azerbaijan", + "Trees of Iran", + "Endemic flora of Iran" + ], + "1990s war films about antisemitism and LGBT based on actual events": [ + "1990s films", + "War films", + "War films based on actual events", + "1990s war films", + "Films about antisemitism", + "War films about antisemitism", + "LGBT-related films", + "War films about LGBT issues", + "Films based on actual events about antisemitism and LGBT" + ], + "1983 speculative fiction novels excluding 1983 American novels": [ + "1983 speculative fiction novels", + "Speculative fiction novels by year of publication", + "1983 novels", + "1983 American novels" + ], + "Books about Islamic fundamentalism but not Crime": [ + "Books about Islamic fundamentalism", + "Books about religious extremism", + "Books about modern Islamism", + "Books on political Islam", + "Non-crime books" + ], + "Flora of the Zanzibar Archipelago or Mauritius Orchids": [ + "Flora of the Zanzibar Archipelago", + "Plants of the Zanzibar Archipelago", + "Orchids of Mauritius", + "Flora of Mauritius", + "Indian Ocean island flora" + ], + "Native plants from California that birds eat": [ + "Native plants of California", + "Food plants for birds", + "Berry-producing native plants of California", + "Seed-producing native plants of California", + "Nectar-producing native plants of California", + "Fruit-producing native plants of California" + ], + "what are some Reptiles of Malaysia that are also of cambodia, but not of India": [ + "Reptiles of Malaysia", + "Reptiles of Cambodia", + "Reptiles of India" + ], + "1980's Welsh novels": [ + "1980s novels", + "Welsh novels", + "Novels by decade", + "British novels of the 1980s" + ], + "1979 American Biographical novels": [ + "Biographical novels", + "American novels", + "Novels published in 1979", + "American biographical novels", + "1970s American novels" + ], + "Ara or birds of the United Sates Virgin Islands": [ + "Ara genus parrots", + "Macaws (Ara)", + "Birds of the United States Virgin Islands", + "Birds of the Virgin Islands", + "Birds of the Caribbean" + ], + "French alternate history films or Canadian animated sci-fi films": [ + "French alternate history films", + "Canadian animated science fiction films" + ], + "Fauna of Western and east but not of central Asia": [ + "Fauna of Western Asia", + "Fauna of Eastern Asia", + "Fauna of Western Asia but not of Central Asia", + "Fauna of Eastern Asia but not of Central Asia" + ], + "Trees of the Northwestern United States excluding Flora of Western Canada": [ + "Trees of the Northwestern United States", + "Trees of the United States", + "Trees of the Western United States", + "Flora of the Northwestern United States", + "Trees native to the Northwestern United States" + ], + "Flora of Central America and Tamaulipas that are Nearctic realm flora": [ + "Flora of Central America", + "Flora of Tamaulipas", + "Nearctic realm flora", + "Flora of North America" + ], + "Non historical novels set in Vietnam": [ + "Novels set in Vietnam", + "Fiction set in Vietnam", + "Non-historical novels", + "Contemporary novels set in Vietnam" + ], + "Barrie & Jenkins books but not by P.G. Wodehouse": [ + "Books published by Barrie & Jenkins", + "Fiction books published by Barrie & Jenkins", + "Nonfiction books published by Barrie & Jenkins", + "Books by P. G. Wodehouse" + ], + "Books about Georg Wilhelm Friedrich Hegel or Books by Judith Butler": [ + "Books about Georg Wilhelm Friedrich Hegel", + "Books by Judith Butler", + "Books about German idealism", + "Books about continental philosophy" + ], + "Animals found in Mexico and Brazil that were not prehistoric reptiles of North America": [ + "Animals of Mexico", + "Animals of Brazil", + "Animals of Mexico and Brazil", + "Prehistoric reptiles of North America" + ], + "Novels set in York or 1759 books": [ + "Novels set in York", + "Fiction set in York", + "Books published in 1759", + "18th-century books" + ], + "Crops originating from Uruguay, Paraguay or Chile": [ + "Crops originating from Uruguay", + "Crops originating from Paraguay", + "Crops originating from Chile", + "Crops of the Southern Cone of South America", + "South American domesticated plants" + ], + "Fauna or birds of Halmahera": [ + "Fauna of Halmahera", + "Birds of Halmahera", + "Fauna of the Maluku Islands", + "Birds of the Maluku Islands", + "Fauna of Indonesia", + "Birds of Indonesia" + ], + "books from the 1310s": [ + "Books from the 1310s", + "14th-century books", + "Medieval literature by decade", + "Works published in the 1310s" + ], + "1990's non fiction history books about historical eras, that are not about the military": [ + "Non-fiction history books", + "1990s books", + "History books about historical eras", + "Non-military history books" + ], + "what are Holarctic flora that are also Trees of Nepal but not Trees of China": [ + "Holarctic flora", + "Trees of Nepal", + "Trees of China" + ], + "Garden plants that are from both Asia, Australasia and Malesia.": [ + "Garden plants", + "Garden plants native to Asia", + "Garden plants native to Australasia", + "Garden plants native to Malesia", + "Plants with native ranges spanning Asia and Australasia", + "Plants with native ranges spanning Asia and Malesia", + "Plants with native ranges spanning Australasia and Malesia" + ], + "genera that are Monotypic Asparagaceae": [ + "Monotypic Asparagaceae genera", + "Monotypic genera in the Asparagaceae family", + "Genera in Asparagaceae with a single species" + ], + "1742 books, Novels by Henry Fielding, or French satirical novels": [ + "1742 books", + "Novels by Henry Fielding", + "French satirical novels" + ], + "Novels that are by Farley Mowat or that are debuts from 1952": [ + "Novels by Farley Mowat", + "Debut novels published in 1952", + "Novels published in 1952" + ], + "What are felids of north or south america?": [ + "Felids of North America", + "Felids of South America", + "Wild cats of the Americas", + "Native felid species in the Americas", + "Large cats of the Americas", + "Small wild cats of the Americas" + ], + "2012 English-language Canadian fantasy novels": [ + "Fantasy novels", + "2012 novels", + "English-language novels", + "Canadian novels" + ], + "Books that are about Japan and Tokyo but are not Japanese": [ + "Books about Japan", + "Books about Tokyo", + "Non-Japanese books about Japan", + "Non-Japanese books about Tokyo", + "Books about Japan written in non-Japanese languages" + ], + "Cave beetles or animals of Slovenia": [ + "Cave beetles", + "Cave beetles of Europe", + "Cave beetles of Slovenia", + "Cave animals of Slovenia", + "Cave fauna", + "Animals of Slovenia", + "Fauna of Slovenia", + "Fauna of Europe" + ], + "Canadian novels that are either magic realism or Gothic": [ + "Canadian novels", + "Magic realist novels", + "Gothic novels", + "Canadian magic realism", + "Canadian Gothic fiction" + ], + "Books about Islamic fundamentalism that are not about terrorism": [ + "Books about Islamic fundamentalism", + "Books about political Islam", + "Books about conservative Islamic movements", + "Books about Islamic revivalism", + "Books about Islam and modernity" + ], + "1960's science non medical novels": [ + "1960s science novels", + "1960s science fiction novels", + "1960s non-medical science novels", + "Science-themed novels excluding medical topics" + ], + "Birds of Kolombangara or of the Western Province (Solomon Islands)": [ + "Birds of Kolombangara", + "Birds of the Western Province (Solomon Islands)" + ], + "what are some British science fiction comedy-drama, Canadian science fiction drama, or 2000s science fiction comedy-drama films?": [ + "British science fiction comedy-drama films", + "Canadian science fiction drama films", + "2000s science fiction comedy-drama films", + "British films", + "Canadian films", + "Science fiction comedy-drama films", + "Science fiction drama films", + "2000s films" + ], + "Children's and Political novels set on islands": [ + "Children's novels", + "Political novels", + "Novels set on islands", + "Children's novels set on islands", + "Political novels set on islands" + ], + "Birds of South China that are also from Vietnam but not Yunnan": [ + "Birds of South China", + "Birds of Vietnam", + "Birds of Yunnan" + ], + "Europe crops": [ + "Crops of Europe", + "Agriculture in Europe", + "Food crops grown in Europe", + "Cereal crops in Europe", + "Industrial and cash crops in Europe" + ], + "Garden plants of Eastern Canada but not the Northeastern United States": [ + "Garden plants of Eastern Canada", + "Garden plants of Canada", + "Garden plants of the Northeastern United States" + ], + "William Gaddis or Poseidon Press novels": [ + "Novels by William Gaddis", + "Poseidon Press novels" + ], + "Epic films about christianity not set in Israel": [ + "Epic films", + "Epic films about Christianity", + "Religious epic films", + "Biblical epic films", + "Films about Christianity set outside Israel", + "Films about Christianity not set in Israel" + ], + "what are Endemic fauna that are birds of Vietnam?": [ + "Endemic birds of Vietnam", + "Endemic fauna of Vietnam", + "Birds of Vietnam", + "Endemic fauna that are birds" + ], + "Monotypic Cucurbitaceae genera or Monotypic Cucurbitales or originating from Canada": [ + "Monotypic Cucurbitaceae genera", + "Monotypic Cucurbitales genera", + "Plant taxa originating from Canada" + ], + "romance films from New Zealand": [ + "Romance films", + "Romance films from New Zealand", + "Films by country of origin: New Zealand", + "New Zealand cinema" + ], + "Bats of North America and mexico but not of central america": [ + "Bats of North America", + "Bats of Mexico", + "Bats of Central America" + ], + "Evacuation films about Dunkirk or about the Royal Air Force": [ + "Evacuation films", + "Films about Dunkirk evacuation", + "World War II evacuation films", + "Films about the Royal Air Force", + "World War II aviation films" + ], + "Films adapted into comics set in japan": [ + "Films adapted into comics", + "Comics based on films", + "Films set in Japan", + "Comics set in Japan", + "Japanese cinema", + "Japanese comics (manga)" + ], + "Chinese politics books": [ + "Books about Chinese politics", + "Books about the politics of the People's Republic of China", + "Books about the Chinese Communist Party", + "Books about Chinese government and political system", + "Books about modern Chinese political history", + "Books about Chinese foreign policy", + "Books about Chinese political leaders" + ], + "Reptiles that are in North America, Trinidad, and Tobago, but not Venezuela": [ + "Reptiles of North America", + "Reptiles of Trinidad and Tobago", + "Reptiles of Venezuela" + ], + "books from Cuba": [ + "Books from Cuba", + "Cuban literature", + "Books by Cuban authors", + "Books published in Cuba" + ], + "Trees of the Western United States that are in both Mexico and Guatemala": [ + "Trees of the Western United States", + "Trees of Mexico", + "Trees of Guatemala", + "Tree species native to both Mexico and Guatemala", + "Tree species whose ranges span the Western United States, Mexico, and Guatemala" + ], + "Trees of Saskatchewan or Manitoba": [ + "Trees of Saskatchewan", + "Trees of Manitoba", + "Trees of the Canadian Prairies", + "Trees of Canada" + ], + "20th-century films set in Uttar Pradesh and the British Empire": [ + "20th-century films", + "Films set in Uttar Pradesh", + "Films set in the British Empire" + ], + "American fantasy films set in Europe and shot in Italy.": [ + "American fantasy films", + "Fantasy films set in Europe", + "Fantasy films shot in Italy", + "American films shot in Italy", + "American films set in Europe" + ], + "Fantasy films shot Atlanta and Berlin": [ + "Fantasy films", + "Fantasy films shot in Atlanta", + "Fantasy films shot in Berlin", + "Films shot in Atlanta, Georgia", + "Films shot in Berlin" + ], + "Croatian Endemic Flora": [ + "Endemic flora of Croatia", + "Endemic plants of the Balkans", + "Endemic flora of Europe", + "Flora of Croatia" + ], + "animals from the early Ordovician period": [ + "Animals of the Ordovician", + "Animals of the Early Ordovician", + "Paleozoic animals" + ], + "Mammals from Bolivia and Venezuela, but not from Guyana": [ + "Mammals of Bolivia", + "Mammals of Venezuela", + "Mammals of Guyana" + ], + "Nearctic realm plants from Sinaloa, but not from Northeastern Mexico": [ + "Nearctic realm plants", + "Flora of Sinaloa", + "Plants of Sinaloa", + "Flora of Northeastern Mexico" + ], + "Marshall Islands's flora": [ + "Flora of the Marshall Islands", + "Plants of Micronesia", + "Flora of the Pacific Islands" + ], + "Italian crime films set in the 1970's": [ + "Italian crime films", + "Crime films by country of origin: Italy", + "Crime films set in the 1970s", + "Films set in the 1970s", + "Italian films by decade: 1970s" + ], + "Oligocene animals or Paleogene birds of Oceania or Suliformes": [ + "Oligocene animals of Oceania", + "Paleogene birds of Oceania", + "Suliformes of Oceania", + "Oligocene animals", + "Paleogene birds", + "Suliformes" + ], + "Short animated Portuguese films": [ + "Animated short films", + "Portuguese animated films", + "Portuguese-language films", + "Short films by country" + ], + "2017 or LGBT Irish novels": [ + "Novels published in 2017", + "Irish novels", + "LGBT novels", + "LGBT Irish novels" + ], + "Novels set in the Gambia or by J.L. Carr": [ + "Novels set in the Gambia", + "Novels by J.L. Carr", + "Novels set in Africa", + "20th-century British novels" + ], + "what are Insects of South America that are also Invertebrates of Venezuela but not Lepidoptera of Brazil": [ + "Insects of South America", + "Invertebrates of Venezuela", + "Lepidoptera of Brazil" + ], + "Birds of Sub-Saharan Africa and Madagascar also Wading birds": [ + "Birds of Sub-Saharan Africa", + "Birds of Madagascar", + "Wading birds", + "Wading birds of Sub-Saharan Africa", + "Wading birds of Madagascar" + ], + "Fauna of the Chihuahuan Desert and Birds of the Sierra Madre del Sur": [ + "Fauna of the Chihuahuan Desert", + "Animals of the Chihuahuan Desert", + "Birds of the Sierra Madre del Sur", + "Avifauna of the Sierra Madre del Sur" + ], + "what are Orchids of Suriname or Orchids of Panama": [ + "Orchids of Suriname", + "Orchids of Panama", + "Orchids of South America", + "Orchids of Central America" + ], + "Films that are either set in Nizhny Novgorod or that are Russian comedy thriller films": [ + "Films set in Nizhny Novgorod", + "Russian comedy thriller films" + ], + "Non American horror that are Backwoods slasher films": [ + "Horror films", + "Slasher films", + "Backwoods horror films", + "Non-American horror films", + "Non-American slasher films" + ], + "common fish names": [ + "Common fish names", + "Fish by common name", + "List of common names of fish", + "Fish species and their common names", + "Fish common names vs scientific names" + ], + "African Quaternary mammals that are also both Pleistocene mammals of Asia and Pleistocene animals of North America": [ + "Quaternary mammals of Africa", + "Pleistocene mammals of Asia", + "Pleistocene animals of North America", + "Mammal taxa present in Africa and Asia during the Pleistocene", + "Mammal taxa present in Africa and North America during the Pleistocene", + "Cosmopolitan Pleistocene mammal species found on three continents" + ], + "Novels that are 1940s children's books, travel books, and set on ships": [ + "Novels", + "Children's books from the 1940s", + "Children's travel books", + "Books set on ships" + ], + "What are Comedy films from Georgia (country) or based on works by Mikhail Zoshchenko": [ + "Comedy films from Georgia (country)", + "Comedy films based on works by Mikhail Zoshchenko" + ], + "History books about Asia that are also about Islamic studies": [ + "History books about Asia", + "Books about Asian history", + "Books about Islamic studies", + "Books about the history of Islam in Asia", + "Books about Islamic civilization in Asia", + "Books about religion in Asian history" + ], + "2007 American novels set in Europe": [ + "2007 novels", + "2007 American novels", + "Novels by American authors", + "Novels set in Europe", + "21st-century American novels" + ], + "Non-comedic musical films from 1932": [ + "Musical films", + "Non-comedy films", + "1932 films", + "1930s musical films" + ], + "1948 debut novels or works by Ruth Park": [ + "1948 debut novels", + "Debut novels published in 1948", + "Works by Ruth Park", + "Novels by Ruth Park", + "Books published in 1948" + ], + "Animals that are either in the UK or Quaternary animals of Europe, or extinct birds of Europe": [ + "Animals of the United Kingdom", + "Quaternary animals of Europe", + "Extinct birds of Europe" + ], + "1961 History books about ethnic groups and murder": [ + "History books", + "1961 non-fiction books", + "Books about ethnic groups", + "Books about murder" + ], + "Fauna or Endemic fish of Metropolitan France": [ + "Fauna of Metropolitan France", + "Endemic fauna of Metropolitan France", + "Fish of Metropolitan France", + "Endemic fish of Metropolitan France", + "Freshwater fish of France", + "Endemic freshwater fish of France", + "Marine fish of Metropolitan France", + "Endemic marine fish of Metropolitan France" + ], + "1558, 1554, or 1555 books": [ + "1558 books", + "1554 books", + "1555 books", + "16th-century books" + ], + "poikilohydric plant": [ + "Poikilohydric plants", + "Desiccation-tolerant plants", + "Plants that equilibrate water content with the environment", + "Non-vascular poikilohydric plants (e.g., mosses, liverworts)", + "Vascular poikilohydric plants", + "Drought-adapted plants", + "Xerophytic plants" + ], + "Crustaceans of the United States excluding Freshwater animals": [ + "Crustaceans of the United States", + "Marine crustaceans of the United States", + "Brackish-water crustaceans of the United States", + "Non-freshwater crustaceans" + ], + "What are Trees of Eastern Canada that are not Trees of the Southeastern United States.": [ + "Trees of Eastern Canada", + "Trees of Canada", + "Trees of the Northeastern United States", + "Trees native to Eastern North America", + "Trees of the Southeastern United States" + ], + "Flora of Indomalesia that are Halophytes": [ + "Flora of Indomalesia", + "Halophytes", + "Salt-tolerant plants of Indomalesia" + ], + "Medicinal plants that are also Flora of Eastern Europe excluding Flora of Russia": [ + "Medicinal plants", + "Flora of Eastern Europe", + "Flora of Russia" + ], + "South American Oligocene animals or storklike birds or Cathartidae": [ + "South American Oligocene animals", + "Oligocene animals by continent", + "Oligocene animals", + "Storklike birds", + "Cathartidae", + "New World vultures" + ], + "Novels based on the Odyssey, Ulysses, or by James Joyce": [ + "Novels based on the Odyssey", + "Novels based on Homeric epics", + "Novels based on Ulysses (novel)", + "Novels inspired by Ulysses (novel)", + "Novels by James Joyce", + "Modernist novels related to James Joyce" + ], + "1912 films set in England": [ + "Films released in 1912", + "Silent films from the 1910s", + "Films set in England", + "British historical setting in film" + ], + "Debut novels of 1979 or Haruki Murakami novels or Japanese novels from 1982": [ + "Debut novels published in 1979", + "Novels written by Haruki Murakami", + "Japanese novels published in 1982" + ], + "Eastern Canadian plants that are also found in the UK": [ + "Plants of Eastern Canada", + "Flora of Eastern Canada", + "Plants of the United Kingdom", + "Flora of the United Kingdom", + "Plants found in both Eastern Canada and the UK" + ], + "Italian paranormal films that are set in court rooms": [ + "Italian paranormal films", + "Paranormal courtroom films", + "Italian courtroom films", + "Paranormal films set in courtrooms", + "Italian films" + ], + "Plants from either East Timor or Brunei": [ + "Plants of East Timor", + "Plants of Brunei", + "Flora of East Timor", + "Flora of Brunei" + ], + "Mammals of Angola excluding Fauna of Southern Africa": [ + "Mammals of Angola", + "Fauna of Angola", + "Mammals of Southern Africa", + "Fauna of Southern Africa" + ], + "Sarah Weeks novels": [ + "Novels by Sarah Weeks", + "Children's novels by Sarah Weeks", + "Young adult novels by Sarah Weeks", + "Works by Sarah Weeks" + ], + "Psychological thriller western (genre) horror films": [ + "Psychological thriller films", + "Western (genre) films", + "Horror films" + ], + "what are Paleognathae that are not Flightless birds": [ + "Paleognathae", + "Flightless birds", + "Paleognathae that retain flight", + "Flighted ratites", + "Tinamous" + ], + "Non-erotic horror novels about sexuality": [ + "Horror novels", + "Non-erotic horror fiction", + "Horror novels about sexuality", + "Horror novels exploring sexual identity", + "Horror novels with sexual themes but no erotica" + ], + "Freshwater fish of Malaysia excluding Fish of Indonesia": [ + "Freshwater fish of Malaysia", + "Freshwater fish of Southeast Asia", + "Freshwater fish by country" + ], + "Insects found in both Africa and the Canary Islands": [ + "Insects of Africa", + "Insects of the Canary Islands", + "Insects of Macaronesia", + "Insects native to both Africa and the Canary Islands" + ], + "Arthropods and Crustaceans of Africa but not Freshwater crustaceans": [ + "Arthropods of Africa", + "Crustaceans of Africa", + "Marine crustaceans of Africa", + "Terrestrial arthropods of Africa" + ], + "American action films about security and surveillance also bullying": [ + "American action films", + "Action films about security", + "Action films about surveillance", + "Action films about bullying", + "American films about security and surveillance", + "American films about bullying" + ], + "Oligocene turtles or Miocene reptiles of Europe": [ + "Oligocene turtles", + "Oligocene reptiles", + "Miocene turtles", + "Miocene reptiles", + "Oligocene animals of Europe", + "Miocene animals of Europe", + "Fossil turtles of Europe", + "Fossil reptiles of Europe" + ], + "Fish found in the Sea of Azov": [ + "Fish of the Sea of Azov", + "Fish of the Black Sea basin", + "Brackish water fish species", + "Marine fish of Eastern Europe" + ], + "Animals from Brunei that are also found in Melanesia": [ + "Animals of Brunei", + "Animals of Melanesia", + "Fauna of Southeast Asia", + "Fauna of the Pacific" + ], + "Films set in the 1570s,Aztec Triple Alliance, or ancient Mesopotamia": [ + "Films set in the 1570s", + "Films about the Aztec Triple Alliance", + "Films set in ancient Mesopotamia" + ], + "Films shot in Tasmania,set in Madhya Pradesh, or 2018 Western (genre) films": [ + "Films shot in Tasmania", + "Films set in Madhya Pradesh", + "2018 Western films" + ], + "Books about military personal that don't have murder in them": [ + "Books about military personnel", + "Fiction about soldiers without murder themes", + "Non-violent military-themed literature", + "Biographies of military personnel without murder", + "Military life narratives with no homicide plot elements" + ], + "History books that are about either the Russian Revolution or Anarchism": [ + "History books about the Russian Revolution", + "History books about Anarchism" + ], + "Marlon James Novels": [ + "Novels by Marlon James", + "Works by Marlon James", + "Jamaican novelists", + "Contemporary literary novels", + "21st-century novels in English" + ], + "Prehistoric animals of Europe and Africa, that are not from the Miocene period": [ + "Prehistoric animals of Europe", + "Prehistoric animals of Africa", + "Prehistoric animals not from the Miocene", + "Prehistoric vertebrates of Europe", + "Prehistoric vertebrates of Africa" + ], + "Aquatic reptiles that aren't from the prehistoric time": [ + "Aquatic reptiles", + "Extant aquatic reptiles", + "Freshwater reptiles", + "Marine reptiles", + "Reptiles excluding dinosaurs and other prehistoric taxa" + ], + "HarperCollins 1936 novels": [ + "Novels published by HarperCollins", + "Novels published in 1936", + "HarperCollins novels of the 1930s", + "English-language novels published in 1936" + ], + "Films that are about friendship and crickets on earth.": [ + "Films about friendship", + "Films about insects", + "Films about crickets", + "Films about animals on Earth", + "Friendship-themed films involving animals or insects" + ], + "Fauna of East Africa that are Birds described in 1869": [ + "Fauna of East Africa", + "Birds of East Africa", + "Birds described in 1869", + "Fauna of Africa" + ], + "what is the Flora of Belgium": [ + "Flora of Belgium", + "Plants of Belgium", + "Native plants of Belgium", + "Flora of Western Europe", + "European temperate flora" + ], + "Children's Alternate historical novels about totalitarianism": [ + "Children's novels", + "Alternate history novels", + "Children's alternate history novels", + "Novels about totalitarianism", + "Children's novels about totalitarianism" + ], + "Polish animated fantasy films,Hungarian independent films, or Austrian comedy-drama films": [ + "Polish animated fantasy films", + "Hungarian independent films", + "Austrian comedy-drama films" + ], + "Novels written by Val McDermid": [ + "Novels by Val McDermid", + "Works by Val McDermid", + "Crime novels by Val McDermid", + "Scottish crime fiction authors", + "British mystery novels" + ], + "Crime drama films from 1976": [ + "Crime films", + "Drama films", + "Crime drama films", + "Films released in 1976", + "1970s crime films", + "1970s drama films" + ], + "what are some Novels set in Ancient China, set in the Ming dynasty, or set in Shaanxi?": [ + "Novels set in ancient China", + "Novels set in the Ming dynasty", + "Novels set in Shaanxi", + "Historical novels set in China" + ], + "Dinosaurs of North America that are also Wading birds excluding Fauna of the Caribbean": [ + "Dinosaurs of North America", + "Wading birds of North America", + "Fauna of North America excluding the Caribbean", + "Wading birds", + "Dinosaurs" + ], + "French novels from 1920 or 1923 or LGBT novels from the 1920s": [ + "French novels", + "French novels published in 1920", + "French novels published in 1923", + "LGBT novels", + "LGBT novels from the 1920s" + ], + "Trees of the Windward Islands,\u00celes des Saintes, or Tabasco": [ + "Trees of the Windward Islands", + "Trees of \u00celes des Saintes", + "Trees of Tabasco", + "Trees of the Caribbean", + "Trees of Mexico" + ], + "WW II films from the 20th century that are set in 1948": [ + "World War II films", + "20th-century films", + "Films set in 1948" + ], + "1930's romantic non drama films about security and surveillance": [ + "Romantic films", + "1930s films", + "Romantic films from the 1930s", + "Non-drama romantic films", + "Romantic comedy films", + "Films about security", + "Films about surveillance", + "Films about law enforcement" + ], + "Flora of French Guiana but not Brazil": [ + "Flora of French Guiana", + "Flora of Brazil", + "Flora of northern South America" + ], + "religious studies speculative fiction novels from the 2000s.": [ + "Religious studies in fiction", + "Speculative fiction novels", + "Religious speculative fiction", + "2000s novels", + "Religious-themed speculative fiction from the 2000s" + ], + "what are 1960s dance films or Spanish dance films or Flamenco films": [ + "1960s dance films", + "Spanish dance films", + "Flamenco films" + ], + "Trees of Cuba that are also in the Dominican Republic": [ + "Trees of Cuba", + "Trees of the Dominican Republic", + "Trees of the Caribbean", + "Trees of the Greater Antilles" + ], + "Cenzoic birds that are not found in New Zealand": [ + "Cenozoic birds", + "Birds by geologic period", + "Birds not found in New Zealand", + "Birds by geographic distribution" + ], + "Flora of Niue, or Endemic flora of Samoa": [ + "Flora of Niue", + "Endemic flora of Samoa" + ], + "Avant-garde and experimental films from 1910": [ + "Avant-garde films", + "Experimental films", + "1910 films", + "Silent films", + "Short films from the 1910s" + ], + "Plants found in Guam or Palau or carnivorous plants found in the Pacific": [ + "Plants of Guam", + "Plants of Palau", + "Carnivorous plants of the Pacific Ocean", + "Pacific islands flora" + ], + "Novels about nobility that are not Historical": [ + "Novels about nobility", + "Novels featuring aristocracy or royalty", + "Non-historical fiction novels", + "Novels not classified as historical fiction" + ], + "Fauna of the Pantanal that are Birds described in 1820": [ + "Fauna of the Pantanal", + "Birds of the Pantanal", + "Birds described in 1820", + "Birds by year of description" + ], + "What are Marine mammals that are also found in South America but not Cetaceans?": [ + "Marine mammals", + "Marine mammals found in South America", + "Non-cetacean marine mammals", + "Pinnipeds of South America", + "Sea otters and marine mustelids of South America", + "Marine mammals excluding cetaceans" + ], + "Flora of Niue or the Line Islands": [ + "Flora of Niue", + "Flora of the Line Islands", + "Flora of the Cook Islands tropical region", + "Flora of Polynesia", + "Flora of the central Pacific Ocean islands" + ], + "birds of vietnam and eurasia that was discovered in 1874": [ + "Birds of Vietnam", + "Birds of Eurasia", + "Birds described in 1874" + ], + "Soviet black-and-white films based on works by Fyodor Dostoyevsky": [ + "Soviet films", + "Black-and-white films", + "Films based on works by Fyodor Dostoyevsky", + "Soviet black-and-white films", + "Soviet films based on works by Fyodor Dostoyevsky" + ], + "Films based on works written by Sheridan Le Fanu": [ + "Films based on works by Sheridan Le Fanu", + "Films based on Gothic literature", + "Films based on Irish literature" + ], + "Ontario's Endemic fauna": [ + "Endemic fauna of Ontario", + "Endemic fauna of Canada", + "Fauna of Ontario", + "Endemic animals by Canadian province", + "Endemic species in the Great Lakes region" + ], + "Fish found in common in the Western American coast, Colombia, and the Gulf of California": [ + "Fish of the Western American coast", + "Fish of the Pacific coast of the United States", + "Fish of Colombia", + "Fish of the Gulf of California", + "Marine fish of the Eastern Pacific" + ], + "1960's drama films about violence but not legal.": [ + "Drama films", + "1960s drama films", + "Films about violence", + "Films about crime and violence", + "Films about legal drama" + ], + "1990s independent films shot in Europe about families": [ + "Independent films", + "1990s films", + "Independent films shot in Europe", + "Films shot in Europe", + "Films about families" + ], + "1831 novels or Novels by Benjamin Disraeli": [ + "1831 novels", + "Novels by Benjamin Disraeli" + ], + "military books about marriage": [ + "Books about military marriage", + "Books about military spouses and relationships", + "Books about the impact of deployment on marriage", + "Books about military family life", + "Books about marriage in the armed forces" + ], + "books from 1704": [ + "Books published in 1704", + "Early 18th-century books", + "Books by year of publication" + ], + "Trees of China that are also in Nepal but not Paleotropical flora": [ + "Trees of China", + "Trees of Nepal", + "Flora of China", + "Flora of Nepal", + "Paleotropical flora" + ], + "Films made in Mauritanian": [ + "Films made in Mauritania", + "Films shot in Mauritania", + "Mauritanian cinema", + "Films produced by Mauritanian studios" + ], + "1897 horror books and novels": [ + "Horror books", + "Horror novels", + "Books published in 1897", + "Novels published in 1897", + "19th-century horror literature" + ], + "1960s non-fiction books about the Holocaust": [ + "1960s non-fiction books", + "Non-fiction books about the Holocaust", + "History books about the Holocaust", + "Books about World War II atrocities", + "Books about Nazi concentration and extermination camps" + ], + "Novels set in Asia about writers but not Autobiographical.": [ + "Novels set in Asia", + "Fictional works about writers", + "Asian literature", + "Novels featuring authors as protagonists", + "Non-autobiographical novels" + ], + "Flora of Armenia that are not of Azerbaijan": [ + "Flora of Armenia", + "Flora of Azerbaijan", + "Plants by country in the Caucasus region", + "Endemic flora of Armenia" + ], + "Flora of Western Canada and Trees of the United States but not Northwestern United States": [ + "Flora of Western Canada", + "Trees of the United States", + "Trees of the Northwestern United States" + ], + "American books about crowd psychology": [ + "American books", + "Books about crowd psychology", + "American non-fiction books", + "American psychology books", + "Books about social psychology", + "Books about mass behavior", + "Books about collective behavior" + ], + "Pliocene reptiles of North America or Atlantic auks or Sulidae": [ + "Pliocene reptiles of North America", + "Pliocene reptiles", + "Reptiles of North America", + "Atlantic auks", + "Auks of the Atlantic Ocean", + "Sulidae", + "Birds of family Sulidae" + ], + "Invertebrates of South America and Freshwater animals": [ + "Invertebrates of South America", + "Freshwater animals", + "Freshwater invertebrates", + "Freshwater invertebrates of South America" + ], + "what are some Birds described in 2004": [ + "Birds described in 2004", + "Species described in 2004", + "Bird taxonomy by year of description" + ], + "Trees of New Guinea but not Malesia that are also Pantropical flora": [ + "Trees of New Guinea", + "Trees of Papua New Guinea", + "Trees of Western New Guinea", + "Flora of New Guinea", + "Pantropical trees", + "Pantropical flora", + "Flora of the tropics" + ], + "1964 fiction books about china.": [ + "Fiction books", + "1964 fiction books", + "Fiction books published in 1964", + "Books about China", + "Fiction books about China" + ], + "Films set in Miyagi Prefecture, Marshall Islands, or Fukuoka": [ + "Films set in Miyagi Prefecture", + "Films set in the Marshall Islands", + "Films set in Fukuoka Prefecture", + "Films set in Japan", + "Films set in Oceania" + ], + "Ferns found in Asian and the Southwestern Pacific": [ + "Ferns of Asia", + "Ferns of the Southwestern Pacific", + "Ferns of Oceania", + "Ferns of the Pacific Islands", + "Pteridophytes of Asia", + "Pteridophytes of the Southwestern Pacific" + ], + "Films that are 1988 sci-fi films, based on works by Issac Asimov, or 2000 thriller drama films": [ + "1988 science fiction films", + "Films based on works by Isaac Asimov", + "2000 thriller films", + "2000 drama films" + ], + "Novels by Robert B. Parker not set in New England": [ + "Novels by Robert B. Parker", + "Novels set in New England", + "Novels by Robert B. Parker set outside New England" + ], + "Animals from South India that aren't birds": [ + "Animals from India", + "Animals from South India", + "Non-avian animals from India", + "Non-avian animals from South India" + ], + "1980's children's adventure animated fantasy film": [ + "Children's films", + "Adventure films", + "Animated films", + "Fantasy films", + "1980s films" + ], + "Moths of Mauritius that are not of Asia": [ + "Moths of Mauritius", + "Moths of Africa", + "Moths of Asia" + ], + "Films from the 2020s about seafaring accidents or incidents": [ + "2020s films", + "Films about seafaring", + "Films about maritime accidents", + "Films about maritime incidents", + "Disaster films from the 2020s", + "Films set at sea" + ], + "Palms or Acai that are edible": [ + "Edible palms", + "Edible acai species", + "Edible fruits from palm trees", + "Edible nuts from palm trees", + "Edible palm hearts" + ], + "Fauna of korea that are arthropods of vietnam": [ + "Fauna of Korea", + "Arthropods of Korea", + "Fauna of Vietnam", + "Arthropods of Vietnam", + "Arthropods that occur in both Korea and Vietnam" + ], + "Novels set in Vietnam but not about disasters": [ + "Novels set in Vietnam", + "Fiction set in Vietnam", + "Novels not about disasters", + "Fiction not about disasters", + "Vietnam War novels", + "Post-war Vietnamese literature" + ], + "Kidnapping films in the UK": [ + "Kidnapping films", + "Kidnapping films set in the United Kingdom", + "British kidnapping films", + "Crime films set in the United Kingdom", + "British crime thriller films involving kidnapping" + ], + "what are Angiosperms that are also Endemic flora of Tasmania": [ + "Angiosperms", + "Endemic flora of Tasmania", + "Angiosperms endemic to Tasmania" + ], + "what are some Novels set in the 1550s or 2001 French novel?": [ + "Novels set in the 1550s", + "Historical novels set in the 16th century", + "French novels published in 2001" + ], + "1877 French children's novels": [ + "French children's novels", + "French children's novels from 1877", + "19th-century French children's novels", + "Children's novels published in 1877", + "French literature of 1877" + ], + "Plants found in Haiti that aren't found in the Dominican Republic": [ + "Plants of Haiti", + "Plants endemic to Haiti", + "Native plants of Hispaniola", + "Plants of the Dominican Republic" + ], + "what are Russian science fiction horror , Russian science fiction drama , or 2020s science fiction comedy-drama films?": [ + "Russian science fiction horror films", + "Russian science fiction drama films", + "2020s science fiction comedy-drama films" + ], + "Flora of the Maldives, Flora of the Coral Sea Islands Territory, or Crops originating from Pakistan": [ + "Flora of the Maldives", + "Flora of the Coral Sea Islands Territory", + "Crops originating from Pakistan" + ], + "2008 Religious horror films": [ + "Religious horror films", + "Horror films", + "2008 films", + "2000s horror films", + "2000s religious horror films" + ], + "1971 fiction Scottish novels": [ + "Fiction books", + "Novels", + "Books published in 1971", + "Scottish literature", + "Books by Scottish authors" + ], + "British War films based on actual events shot in the Republic of Ireland": [ + "British war films", + "War films based on actual events", + "Films shot in the Republic of Ireland", + "British films shot in the Republic of Ireland", + "British war films based on actual events" + ], + "Extinct animals from the Quaternary period or extinct birds from Europe": [ + "Extinct animals from the Quaternary period", + "Quaternary period fossils", + "Extinct birds from Europe", + "Prehistoric European birds" + ], + "Novels about alien visitations but not disasters": [ + "Novels about alien visitations", + "Science fiction novels about first contact", + "Novels with peaceful alien encounters", + "Novels with non-apocalyptic alien interactions", + "Novels about aliens visiting Earth without global catastrophe" + ], + "Trees of Quintana Roo or Martinique or Flora of the Southwest Caribbean": [ + "Trees of Quintana Roo", + "Flora of Quintana Roo", + "Trees of Martinique", + "Flora of Martinique", + "Flora of the Southwest Caribbean", + "Trees of the Caribbean", + "Flora of the Caribbean" + ], + "Orchids of Myanmar excluding Flora of China": [ + "Orchids of Myanmar", + "Orchids of Southeast Asia", + "Flora of Myanmar", + "Flora of China" + ], + "Cenozoic mammals of Asia that are also extinct in North America but not Cenozoic animals of Europe": [ + "Cenozoic mammals of Asia", + "Extinct Cenozoic mammals of North America", + "Cenozoic mammals that occur in both Asia and North America", + "Cenozoic animals of Europe" + ], + "Grasses of Punjab or Crops originating from India or Pakistan": [ + "Grasses of Punjab", + "Grasses of India", + "Grasses of Pakistan", + "Crops originating from India", + "Crops originating from Pakistan", + "Crops originating from the Indian subcontinent" + ], + "Novels about homelessness or the Troubles (Northern Ireland)": [ + "Novels about homelessness", + "Novels about the Troubles (Northern Ireland)", + "Novels about political conflict in Northern Ireland", + "Novels about social marginalization and poverty" + ], + "Novels by Jean Giono or 1951 French novels": [ + "Novels by Jean Giono", + "French novels published in 1951" + ], + "Sociological books published by the Hachette Book Group and not by Little Brown and Company": [ + "Sociological books", + "Books published by Hachette Book Group", + "Books not published by Little, Brown and Company" + ], + "Endemic orchids of Australia and Malesia": [ + "Endemic orchids of Australia", + "Endemic orchids of Malesia", + "Orchids of Australia", + "Orchids of Malesia" + ], + "Plant life in the Savage Islands or Western Sahara, or trees found in the Arabian Peninsula": [ + "Plants of the Savage Islands", + "Flora of the Savage Islands", + "Plants of Western Sahara", + "Flora of Western Sahara", + "Trees of the Arabian Peninsula", + "Arboreal flora of the Arabian Peninsula" + ], + "Uncle Vanya films": [ + "Films based on Uncle Vanya", + "Adaptations of Anton Chekhov plays", + "Russian-language film adaptations of stage plays" + ], + "what are Miocene animals of Europe that are also Odd-toed ungulates": [ + "Miocene animals of Europe", + "Miocene mammals of Europe", + "Odd-toed ungulates", + "Miocene odd-toed ungulates", + "Miocene perissodactyls of Europe" + ], + "Philippine teen romance or coming-of-age films or shot in Pampanga": [ + "Philippine teen romance films", + "Philippine coming-of-age films", + "Philippine films shot in Pampanga" + ], + "2016 speculative fiction novels that are not american": [ + "Speculative fiction novels", + "2016 novels", + "Non-American novels", + "Speculative fiction novels published in 2016", + "2016 non-American speculative fiction novels" + ], + "bats of western new guinea": [ + "Bats of Western New Guinea", + "Bats of New Guinea", + "Mammals of Western New Guinea", + "Mammals of New Guinea", + "Bats of Indonesia", + "Bats of Melanesia" + ], + "Books by C. L. R. James or History about Haiti or its revolution": [ + "Books by C. L. R. James", + "Works authored by C. L. R. James", + "History books about Haiti", + "Books about the Haitian Revolution", + "Historical studies of the Haitian Revolution", + "Nonfiction about Haitian history" + ], + "Fauna of Biliran, Camiguin, or Birds described in 2006": [ + "Fauna of Biliran", + "Fauna of Camiguin", + "Birds described in 2006" + ], + "what are some Edible plants that are also Ericales genera": [ + "Edible plants", + "Ericales genera", + "Plants that are both edible and in order Ericales", + "Food plants within Ericales", + "Taxonomic genera in Ericales with edible species" + ], + "Novels from 1980 about war and conflict": [ + "Novels", + "1980 novels", + "War novels", + "Novels about war", + "Novels about armed conflict", + "Novels about political conflict" + ], + "1923 novels from France or French prostitution novels or books from 1785": [ + "1923 novels", + "1923 novels from France", + "French novels", + "Prostitution in literature", + "French prostitution novels", + "Books published in 1785" + ], + "Books about Donald Trump excluding 2010s books": [ + "Books about Donald Trump", + "Political books about Donald Trump", + "Biographies of Donald Trump", + "Books about Donald Trump published before 2010", + "Books about Donald Trump published after 2019" + ], + "History books about famine,the Qing dynasty, or the French colonial empire": [ + "History books about famine", + "History books about the Qing dynasty", + "History books about the French colonial empire" + ], + "Ecuadorian novels": [ + "Ecuadorian novels", + "Novels by Ecuadorian authors", + "Novels set in Ecuador", + "Spanish-language novels from Ecuador" + ], + "1740s fantasy novels, 1747 books, or novels by Denis Diderot": [ + "Fantasy novels published in the 1740s", + "Books published in 1747", + "Novels written by Denis Diderot" + ], + "Knut Hamsun based films": [ + "Films based on works by Knut Hamsun", + "Films about Knut Hamsun", + "Norwegian films", + "Films based on Norwegian novels" + ], + "find me 1858 French novels or French children's novels": [ + "French novels", + "1858 novels", + "French children's novels" + ], + "Fish found in Egypt": [ + "Fish of Egypt", + "Freshwater fish of Egypt", + "Marine fish of Egypt", + "Fish of the Nile River", + "Fish of the Mediterranean Sea", + "Fish of the Red Sea" + ], + "Moths found in Australia and Indonesia, but not in New Guinea": [ + "Moths of Australia", + "Moths of Indonesia", + "Moths of Australasia" + ], + "1931 short films about children": [ + "1931 short films", + "Short films about children", + "Black-and-white short films", + "American short films", + "Silent short films" + ], + "Invertebrates found in Malaysia, Vietnam, and Northeast Asia": [ + "Invertebrates of Malaysia", + "Invertebrates of Vietnam", + "Invertebrates of Northeast Asia", + "Invertebrates of Asia" + ], + "History books about Hinduism or Books about Hindutva": [ + "History books about Hinduism", + "Books about Hindutva", + "Books about the history of Hinduism and Hindutva", + "Religious history books on Hinduism", + "Political ideology books on Hindutva" + ], + "what are some Trees of Dominica or Flora of Martinique": [ + "Trees of Dominica", + "Flora of Dominica", + "Flora of Martinique", + "Trees of Martinique" + ], + "1980's police buddy thriller comedy films": [ + "1980s films", + "1980s comedy films", + "1980s thriller films", + "Buddy cop films", + "Police comedy films", + "Police thriller films" + ], + "French satirical novels or that are from 1934, or 1759 novels": [ + "French satirical novels", + "Satirical novels", + "Novels published in 1934", + "1934 French novels", + "Novels published in 1759", + "1759 French novels" + ], + "what Flora of Nigeria that are also Flora of Ivory Coast, but not Flora of Ghana?": [ + "Flora of Nigeria", + "Flora of Ivory Coast", + "Flora of Ghana" + ], + "Films set in New York (state) that are set on isalnds and music venues": [ + "Films set in New York (state)", + "Films set on islands", + "Films set in music venues" + ], + "Flora or plants of the Northern Mariana Islands": [ + "Flora of the Northern Mariana Islands", + "Plants of the Northern Mariana Islands", + "Flora of the Northern Mariana Islands by island", + "Endemic flora of the Northern Mariana Islands" + ], + "Khyber Pakhtunkhwa set films or action war films from Pakistan": [ + "Films set in Khyber Pakhtunkhwa", + "Pakistani action war films", + "Films shot in Khyber Pakhtunkhwa", + "Pakistani war cinema", + "Pakistani action films" + ], + "Non-Palearctic birds of Mongolia": [ + "Birds of Mongolia", + "Non-Palearctic birds", + "Birds of East Asia", + "Birds of Central Asia", + "Mongolian bird fauna outside the Palearctic region" + ], + "Films that are either Brazilian fantasy comedy, Portuguese sci-fi, or LGBT related sci-fi comedy films": [ + "Brazilian fantasy comedy films", + "Portuguese science fiction films", + "LGBT-related science fiction comedy films" + ], + "Pinnipeds of Oceania, or Mammals of Hawaii or Otariinae": [ + "Pinnipeds of Oceania", + "Mammals of Hawaii", + "Otariinae" + ], + "2020's drama films shot in cleveland": [ + "Drama films", + "2020s drama films", + "Films shot in Cleveland, Ohio", + "Films shot in Ohio", + "American drama films" + ], + "Flora of the Southern United States and Eastern Canada but not Ontario": [ + "Flora of the Southern United States", + "Flora of Eastern Canada", + "Flora of Ontario" + ], + "British 1814 novels": [ + "Novels published in 1814", + "British novels", + "19th-century British novels", + "Regency-era British literature" + ], + "Set in hell novels": [ + "Novels set in hell", + "Fantasy novels set in the afterlife", + "Horror novels set in hell", + "Religious or theological fiction about hell", + "Supernatural novels featuring hell as a primary setting" + ], + "Canadian teen films that are not in the English language.": [ + "Teen films", + "Canadian films", + "Non-English-language Canadian films", + "French-language Canadian films", + "Multilingual Canadian films" + ], + "1990s independent American teen films but are not about coming-of-age": [ + "Independent American teen films", + "1990s American films", + "1990s independent films", + "1990s teen films", + "American teen films", + "Coming-of-age films" + ], + "What Books about California that are also from the Hachette Book Group but not about Los Angeles": [ + "Books about California", + "Books not about Los Angeles", + "Books published by Hachette Book Group", + "Books about U.S. states", + "Books by major U.S. publishers" + ], + "Classical war films not set in Lazio": [ + "Classical war films", + "War films set outside of Lazio", + "Italian war films", + "Historical war films", + "Films set in Lazio" + ], + "Neogene mammals of Africa that are Odd-toed ungulates": [ + "Neogene mammals of Africa", + "African Odd-toed ungulates", + "Neogene mammals", + "Odd-toed ungulates" + ], + "what is Tropical fruit that is also Cacti of North America": [ + "Tropical fruit", + "Tropical fruit that is also a cactus", + "Cacti of North America", + "Cacti that produce edible tropical fruit" + ], + "Mammals of Europe that are also Prehistoric animals of Africa excluding Neogene animals of Africa": [ + "Mammals of Europe", + "Prehistoric animals of Africa", + "Neogene animals of Africa" + ], + "what are some Horseshoe Canyon fauna": [ + "Horseshoe Canyon fauna", + "Animals of Horseshoe Canyon", + "Wildlife of Horseshoe Canyon", + "Fauna of canyon ecosystems in Utah", + "Fauna of Canyonlands National Park region" + ], + "Greek black-and-white films that are not a drama": [ + "Greek films", + "Greek black-and-white films", + "Greek drama films" + ], + "Pleistocene animals from Oceania": [ + "Pleistocene animals", + "Pleistocene animals of Oceania", + "Pleistocene animals of Australia", + "Pleistocene animals of New Guinea", + "Pleistocene animals of New Zealand", + "Pleistocene animals of Pacific Islands" + ], + "Argentine historical drama films or set in 1817": [ + "Argentine historical drama films", + "Historical drama films produced in Argentina", + "Films set in 1817", + "Period films set in the 1810s" + ], + "2000s non-fiction history books about religion but not History books about Christianity": [ + "Non-fiction history books", + "History books about religion", + "Non-fiction books about religion", + "2000s non-fiction books", + "2000s history books", + "History books about Christianity" + ], + "Cenozoic birds of Asia or Africa or Struthioniformes": [ + "Cenozoic birds of Asia", + "Cenozoic birds of Africa", + "Struthioniformes" + ], + "Novels and books by Ayn Rand or 1938 science fiction novels": [ + "Novels by Ayn Rand", + "Books by Ayn Rand", + "Science fiction novels published in 1938" + ], + "1930s biographical drama non historical films": [ + "Biographical films", + "Drama films", + "Biographical drama films", + "1930s films", + "1930s drama films", + "1930s biographical films", + "Non-historical biographical films" + ], + "Plants Afghanistan and Israel have in common": [ + "Plants of Afghanistan", + "Plants of Israel", + "Vascular plants of Afghanistan", + "Vascular plants of Israel", + "Flora of Afghanistan", + "Flora of Israel", + "Native plants of Afghanistan", + "Native plants of Israel" + ], + "Angiosperm genera of France": [ + "Angiosperm genera", + "Angiosperms of Europe", + "Angiosperms of France", + "Plant genera of France" + ], + "non historic novels set in the 1900's": [ + "Novels set in the 1900s", + "Fiction set in the 20th century", + "Non-historical novels", + "Novels set in the early 1900s (1900\u20131909)", + "Novels set in the 1900s but excluding historical fiction" + ], + "Buddy films about mental states and the film industry": [ + "Buddy films", + "Buddy films about mental health", + "Buddy films about psychological conditions", + "Buddy films about the film industry", + "Buddy films set in Hollywood", + "Buddy films about actors and filmmaking" + ], + "2000 English books not about Europe": [ + "Books published in 2000", + "English-language books", + "Books about Europe" + ], + "French Novels from 1991 or Jean Respail novels or books published by \u00c9ditions Robert Laffont": [ + "French novels published in 1991", + "Novels by Jean Raspail", + "Books published by \u00c9ditions Robert Laffont" + ], + "South American oceanian realm plants that aren't from Australasia": [ + "Plants of the Neotropical realm", + "Plants of Oceania", + "Plants of South America", + "Plants of Oceania excluding Australasia", + "Non-Australasian plants in the Oceanian realm" + ], + "Romanian films that are crime thriller, independent, or thriller": [ + "Romanian films", + "Romanian crime films", + "Romanian thriller films", + "Romanian crime thriller films", + "Romanian independent films" + ], + "Animals from Dinagat Islands or Camiguin": [ + "Animals of Dinagat Islands", + "Animals of Camiguin", + "Fauna of Dinagat Islands", + "Fauna of Camiguin", + "Endemic animals of Dinagat Islands", + "Endemic animals of Camiguin", + "Fauna of the Philippines" + ], + "Trees or Flora of Bermuda": [ + "Trees of Bermuda", + "Flora of Bermuda", + "Endemic plants of Bermuda", + "Trees of Atlantic islands", + "Flora of North Atlantic islands" + ], + "Birds found in Scandinavia and Europe but not the Arctic": [ + "Birds of Scandinavia", + "Birds of Europe", + "Birds of the Arctic" + ], + "Spanish or French romantic thrillers, or French crime comedy-drama films": [ + "Spanish romantic thriller films", + "French romantic thriller films", + "French crime comedy-drama films" + ], + "Polish films about organized crime": [ + "Polish films", + "Polish crime films", + "Polish films about organized crime", + "Gangster films by country", + "Mafia films by country" + ], + "Endangered Amphibians of North America": [ + "Endangered amphibians", + "Endangered animals", + "Amphibians of North America", + "Endangered species of North America" + ], + "Cephalopods of North America from the Late Cretaceous period": [ + "Cephalopods of North America", + "Cretaceous cephalopods", + "Late Cretaceous cephalopods", + "Mesozoic cephalopods", + "Fossil cephalopods of North America" + ], + "Pinnipeds of Africa, the Arctic Ocean, or Asia": [ + "Pinnipeds of Africa", + "Pinnipeds of the Arctic Ocean", + "Pinnipeds of Asia", + "Pinnipeds by continent", + "Pinnipeds by ocean region" + ], + "Nonotypic Caryophyllales of western South America": [ + "Monotypic Caryophyllales", + "Monotypic Caryophyllales of South America", + "Monotypic Caryophyllales of western South America", + "Caryophyllales of western South America" + ], + "2010s science fiction adventure films excluding American science fiction films": [ + "Science fiction adventure films", + "2010s science fiction films", + "2010s adventure films", + "Science fiction films by country", + "Non-American science fiction films" + ], + "Birds discovered in the Western US in 1854": [ + "Bird species described in 1854", + "Bird species described in the 1850s", + "Birds of the Western United States", + "Birds of the United States", + "19th-century bird discoveries" + ], + "1980s comedy films set in Florence": [ + "Comedy films", + "1980s films", + "Comedy films set in Florence", + "Films set in Florence", + "Italian comedy films" + ], + "Films set in Pittsburgh that are LGBT-related romance": [ + "Films set in Pittsburgh", + "LGBT-related films", + "Romance films", + "LGBT-related romance films", + "American LGBT-related films", + "American romantic drama films", + "American romantic comedy films" + ], + "what are Austrian erotic novels": [ + "Austrian erotic novels", + "Erotic novels from Austria", + "Austrian literature by genre", + "Erotic literature by country of origin", + "German-language erotic fiction", + "20th-century Austrian erotic novels", + "21st-century Austrian erotic novels" + ], + "What are 1980s non-fiction books that are also about Popular culture but not about creativity": [ + "1980s non-fiction books", + "Non-fiction books about popular culture", + "Books about popular culture", + "Books about creativity", + "1980s books" + ], + "Insects of Indonesia and Arthropods of Vietnam": [ + "Insects of Indonesia", + "Arthropods of Vietnam" + ], + "Indian musical and Malayalam films remade in other languages but not featuring an item number": [ + "Indian musical films", + "Malayalam-language films", + "Indian films remade in other languages", + "Malayalam films remade in other languages", + "Indian films without item numbers" + ], + "1980s animated superhero, South Korean fantasy adventure, or American children's animated space adventure films": [ + "1980s animated superhero films", + "South Korean fantasy adventure films", + "American children's animated space adventure films" + ], + "Non Flora of Australia Kunzea": [ + "Kunzea (genus)", + "Flora of Australia", + "Kunzea species not native to Australia", + "Non-floral uses of Kunzea (e.g., essential oils, timber)", + "Kunzea in regions outside Australia" + ], + "Novels set on islands in the Mediterranean Sea but excluding Novels set in Italy": [ + "Novels set on islands", + "Novels set in the Mediterranean Sea", + "Novels set in the Mediterranean islands", + "Novels set in Italy" + ], + "what are some Non-fiction books about Soviet repression or Belarusian books": [ + "Non-fiction books about Soviet repression", + "Books about political repression in the Soviet Union", + "Belarusian non-fiction books", + "Belarusian books" + ], + "Indian films about child abduction": [ + "Indian films", + "Indian thriller films", + "Indian drama films", + "Films about child abduction", + "Films about kidnapping", + "Indian crime films", + "Indian films about crime involving children" + ], + "Extinct plants of New Zealand or Ordovician or fossil record plants": [ + "Extinct plants of New Zealand", + "Fossil plants of New Zealand", + "Ordovician plants", + "Ordovician fossil flora", + "Plants known only from the fossil record" + ], + "African-American American fantasy comedy-drama films": [ + "African-American films", + "American films", + "Fantasy films", + "Comedy-drama films", + "American fantasy comedy-drama films", + "African-American comedy-drama films", + "African-American fantasy films" + ], + "Jonathan Kellerman novels": [ + "Novels by Jonathan Kellerman", + "Works by Jonathan Kellerman", + "Psychological thriller novels", + "Alex Delaware novel series" + ], + "Birds found in Sierra Madre Oriental that aren't found in Sierra Madre Occidental": [ + "Birds of the Sierra Madre Oriental", + "Birds of the Sierra Madre Occidental", + "Birds of northeastern Mexico", + "Birds of northwestern Mexico", + "Endemic birds of the Sierra Madre Oriental", + "Endemic birds of the Sierra Madre Occidental" + ], + "novels set in 1770 that are about anything except for war": [ + "Novels set in 1770", + "Historical novels set in the 1770s", + "Fiction set in the 18th century", + "Novels about daily life in 1770", + "Novels about culture and society in 1770", + "Novels about science or exploration in 1770", + "Novels about romance in 1770", + "Novels about politics in 1770 (excluding war)", + "Novels about commerce and trade in 1770", + "Novels about art and philosophy in 1770" + ], + "what are Flora of Barbados, trees of the Windward Islands, or Trees of Dominica": [ + "Flora of Barbados", + "Trees of the Windward Islands", + "Trees of Dominica" + ], + "what are Flora of Morelos or of Tlaxcala": [ + "Flora of Morelos", + "Flora of Tlaxcala", + "Flora of Mexico" + ], + "Non-samurai films set in the Edo period": [ + "Films set in the Edo period", + "Samurai films", + "Non-samurai films", + "Japanese historical films", + "Period films set in Japan" + ], + "Trees of South America that are both Nearctic realm flora and Flora of Sri Lanka": [ + "Trees of South America", + "Nearctic realm flora", + "Flora of Sri Lanka" + ], + "Flora of North Korea or Orchids of Guizhou or Sichuan": [ + "Flora of North Korea", + "Orchids of Guizhou", + "Orchids of Sichuan", + "Flora of Guizhou", + "Flora of Sichuan" + ], + "Holarctic flora of Sri Lanka not found in Indomalesia": [ + "Holarctic flora", + "Flora of Sri Lanka", + "Holarctic flora of Sri Lanka", + "Flora of Indomalesia" + ], + "plants only from Gabon": [ + "Plants of Gabon", + "Endemic plants of Gabon", + "Flora of Gabon" + ], + "trees of of the southern and north central united states, but not trees of eastern canada": [ + "Trees of the Southern United States", + "Trees of the North Central United States", + "Trees of the United States", + "Trees of Eastern Canada" + ], + "Non Indian 2000's romantic thriller films": [ + "Romantic thriller films", + "2000s romantic thriller films", + "Non-Indian films", + "2000s films" + ], + "Political books critical of Christianity that are based on actual events": [ + "Political books", + "Books critical of Christianity", + "Political books critical of Christianity", + "Non-fiction books based on actual events", + "Books about real political events involving religion", + "Books about the political influence of Christianity", + "Books critiquing Christian involvement in politics" + ], + "Novels that take place in Vietnam but not about the military": [ + "Novels set in Vietnam", + "Novels about Vietnam", + "Novels with non-military themes", + "Novels about civilian life in Vietnam", + "Vietnam War novels", + "Military fiction set in Vietnam" + ], + "Books by Monique Wittig or Les \u00c9ditions de Minuit books": [ + "Books by Monique Wittig", + "Books published by Les \u00c9ditions de Minuit" + ], + "buddy films set in South Korea": [ + "Buddy films", + "Buddy films set in South Korea", + "Films set in South Korea" + ], + "Proteaceae genera of Argentina": [ + "Proteaceae", + "Proteaceae genera", + "Proteaceae of South America", + "Proteaceae of Argentina", + "Plant genera of Argentina" + ], + "Novels set in Europe that are also American science fiction novels excluding Historical novels": [ + "Novels set in Europe", + "American novels", + "American science fiction novels", + "Science fiction novels", + "Historical novels" + ], + "German spy comedies,American spy comedy-dramas, or 2000s mystery comedy-drama films": [ + "German spy comedy films", + "American spy comedy-drama films", + "2000s mystery comedy-drama films" + ], + "Lost Canadian films or documentary films about law enforcement in Canada": [ + "Lost Canadian films", + "Lost films produced in Canada", + "Documentary films about law enforcement in Canada", + "Canadian documentary films about policing", + "Documentary films about the Royal Canadian Mounted Police", + "Documentary films about Canadian criminal justice system" + ], + "Novels set in Kaifeng, Chongqing or Shaanxi": [ + "Novels set in Kaifeng", + "Novels set in Chongqing", + "Novels set in Shaanxi", + "Novels set in China" + ], + "Ordovician invertebrates, Cambrian sponges, or Silurian echinoderms": [ + "Ordovician invertebrates", + "Cambrian sponges", + "Silurian echinoderms" + ], + "Birds of the Venezuelan Andes but not Colombia.": [ + "Birds of the Venezuelan Andes", + "Birds of Venezuela", + "Andean bird species in Venezuela", + "Birds of the Andes" + ], + "Invertebrates of Asia that are also Endemic fauna of Japan excluding Moths of Asia": [ + "Invertebrates of Asia", + "Endemic fauna of Japan", + "Invertebrates of Japan", + "Non-moth invertebrates of Asia", + "Non-moth endemic invertebrates of Japan" + ], + "1990's drama films based on works by Stephen King": [ + "Drama films", + "1990s films", + "Films based on works by Stephen King" + ], + "Biographical Italian bandits films": [ + "Biographical films", + "Biographical crime films", + "Italian films", + "Italian-language films", + "Films about bandits", + "Historical criminal figures in film" + ], + "Plants from Mississippi or Pennsylvania": [ + "Plants of Mississippi", + "Plants of Pennsylvania", + "Flora of the United States" + ], + "Books from 1562, 1566 or 1574": [ + "Books from 1562", + "Books from 1566", + "Books from 1574", + "16th-century books" + ], + "find me Epistemology books": [ + "Epistemology books", + "Philosophy books", + "Academic texts on theory of knowledge", + "Introductory epistemology textbooks", + "Advanced epistemology monographs" + ], + "Flora of New Mexico and Trees of Northwestern Mexico": [ + "Flora of New Mexico", + "Trees of Northwestern Mexico", + "Flora of the Southwestern United States", + "Flora of Northern Mexico", + "Plants of the Chihuahuan Desert", + "Native trees of Northwestern Mexico" + ], + "Books from Iceland that aren't about Iceland": [ + "Books by Icelandic authors", + "Books from Iceland", + "Books about Iceland" + ], + "genus of large, broad-bodied, dramatic hover-flies": [ + "Hoverfly genera", + "Large hoverflies", + "Broad-bodied hoverflies", + "Dramatic coloration in hoverflies" + ], + "French novels that are either fantasy or from 1919": [ + "French novels", + "French fantasy novels", + "French novels published in 1919" + ], + "Novels non Science fiction about World War II alternate histories": [ + "Novels about World War II", + "Alternate history novels", + "Non-science fiction alternate history novels", + "World War II alternate history novels", + "Historical novels with alternate World War II outcomes" + ], + "1961 historical novels": [ + "Historical novels", + "Historical novels published in 1961", + "Novels published in 1961" + ], + "Trees of Nepal and Flora of China but not Southeast Asia": [ + "Trees of Nepal", + "Flora of China", + "Flora of Southeast Asia" + ], + "what are birds of South China that are also Birds of Vietnam but not Birds of Myanmar?": [ + "Birds of South China", + "Birds of Vietnam", + "Birds of Myanmar" + ], + "Animal life of Dinagat Islands or Biliran": [ + "Animals of Dinagat Islands", + "Animals of Biliran", + "Animals of the Philippines", + "Fauna of Dinagat Islands", + "Fauna of Biliran", + "Fauna of the Philippines" + ], + "plant life in the Crozet Islands, the Kerguelen Islands, or the Gough Island": [ + "Flora of the Crozet Islands", + "Flora of the Kerguelen Islands", + "Flora of Gough Island", + "Subantarctic island flora" + ], + "Trees of South Africa that are also in the south-central Pacific": [ + "Trees of South Africa", + "Trees of the south-central Pacific", + "Tree species native to South Africa and present in the south-central Pacific", + "Introduced South African tree species in the south-central Pacific", + "Native tree flora of South Africa", + "Native tree flora of the south-central Pacific islands" + ], + "Trees of Western Canada also of Alaska": [ + "Trees of Western Canada", + "Trees of Alaska", + "Trees of Canada", + "Trees of the Northwestern United States and Canada" + ], + "Peninsular Malaysia trees that are also Trees of Indo-China but not Flora of Borneo": [ + "Trees of Peninsular Malaysia", + "Trees of Indo-China", + "Flora of Borneo" + ], + "Flora of Mexico that are Monotypic Asparagales genera": [ + "Flora of Mexico", + "Monotypic Asparagales genera", + "Asparagales genera native to Mexico", + "Monotypic plant genera in Asparagales that occur in Mexico" + ], + "Plants of New Zealand that are extinct or plants from the Ordovician period or plants documented through fossils": [ + "Extinct plants of New Zealand", + "Fossil plants of New Zealand", + "Plants from the Ordovician period", + "Fossil plants documented only from fossils", + "Extinct fossil plants" + ], + "Costa Rica Endemic flora": [ + "Endemic flora of Costa Rica", + "Plants of Costa Rica", + "Endemic flora of Central America", + "Flora of Central America" + ], + "Documentary films about education and intellectual disability": [ + "Documentary films", + "Documentary films about education", + "Documentary films about intellectual disability", + "Documentary films about disability", + "Documentary films about special education" + ], + "Books about military personnel excluding Books about Jews and Judaism": [ + "Books about military personnel", + "Books about military history", + "Books about soldiers", + "Books about armed forces", + "Books about warfare" + ], + "1997 science fiction Seventh Doctor novels": [ + "1997 novels", + "Science fiction novels", + "Doctor Who novels", + "Seventh Doctor novels", + "Virgin New Adventures novels", + "BBC Books Doctor Who novels" + ], + "Films based on children's books and shape shifting but not about Leporidae": [ + "Films based on children's books", + "Films featuring shapeshifting", + "Films about non-Leporidae animals", + "Films without rabbits or hares" + ], + "Endemic birds of Myanmar": [ + "Endemic birds of Myanmar", + "Endemic birds of Southeast Asia", + "Birds of Myanmar", + "Endemic fauna of Myanmar" + ], + "1991 speculative fiction novels that are not science fiction": [ + "1991 novels", + "Speculative fiction novels", + "Science fiction novels", + "1991 speculative fiction novels", + "1991 science fiction novels" + ], + "2010s novels that are about education but not Children's novels": [ + "Novels", + "2010s novels", + "Novels about education", + "Adult novels about education", + "Non-children's novels" + ], + "Trees of Western Canada excluding Trees of the Western United States": [ + "Trees of Western Canada", + "Trees of Canada", + "Trees of the Western United States" + ], + "Birds of Bolivia described in 1855": [ + "Birds of Bolivia", + "Birds described in 1855", + "19th-century bird taxa", + "Neotropical birds", + "South American birds" + ], + "Superhero comedy short films from the 1940s": [ + "Superhero films", + "Superhero comedy films", + "Superhero short films", + "Comedy short films", + "1940s films", + "1940s short films" + ], + "Novels by Robert B. Parker excluding Novels set in North America": [ + "Novels by Robert B. Parker", + "Novels set outside North America", + "Novels set in Europe", + "Novels set in Asia", + "Novels set in Africa", + "Novels set in South America", + "Novels set in Australia and Oceania" + ], + "Disaster books about London but not war": [ + "Disaster books", + "Books about disasters in London", + "Books about London", + "Books about disasters not related to war", + "Non-war disaster literature" + ], + "films about criminals in performing arts that doesn't involve stalking": [ + "Films about criminals", + "Films about criminals in performing arts", + "Films about crime in the entertainment industry", + "Films with criminal protagonists in show business", + "Films about performers committing crimes", + "Films about criminals that do not involve stalking", + "Films about crime that excludes stalking themes" + ], + "Flora of Myanmar that is also in Laos but not Paleartic flora": [ + "Flora of Myanmar", + "Flora of Laos", + "Flora of Southeast Asia", + "Palearctic flora" + ], + "Social science fiction films based on DC Comics": [ + "Social science fiction films", + "DC Comics-based films", + "Social science fiction films based on DC Comics" + ], + "Lepidoptera of Europe, Moths of Comoros, Palearctic fauna": [ + "Lepidoptera of Europe", + "Moths of Comoros", + "Palearctic fauna" + ], + "Trees from Western Canada that are not found in the Northwestern US": [ + "Trees of Western Canada", + "Trees of Canada", + "Trees of the Northwestern United States" + ], + "non american children's historical fiction books": [ + "Children's historical fiction books", + "Non-American children's books", + "Non-American historical fiction", + "Children's literature by country (excluding United States)", + "International children's historical novels" + ], + "Endemic flora of Peninsular Malaysia and Flora of Malaysia but not trees of Malaya": [ + "Endemic flora of Peninsular Malaysia", + "Flora of Malaysia", + "Trees of Malaya" + ], + "Books from the year 1726": [ + "Books by year", + "Books from 1726", + "18th-century books" + ], + "Medicinal plants of South America that are also in Venezuela and Suriname": [ + "Medicinal plants of South America", + "Medicinal plants of Venezuela", + "Medicinal plants of Suriname" + ], + "Cisuralian or Pennsylvanian animals of North America": [ + "Cisuralian animals of North America", + "Pennsylvanian animals of North America", + "Paleozoic animals of North America" + ], + "Early Cretaceous or Paleocene plants": [ + "Early Cretaceous plants", + "Paleocene plants" + ], + "Movies that are Luxembourgian LGBT-related or set in Slovakia.": [ + "Luxembourgian films", + "LGBT-related films", + "Luxembourgian LGBT-related films", + "Films set in Slovakia" + ], + "perennial plants from spain": [ + "Perennial plants", + "Perennial plants of Spain", + "Flora of Spain", + "Garden perennials suitable for Spanish climate" + ], + "English-language or multilingual or biographical drama Bulgarian films": [ + "English-language drama films", + "Multilingual drama films", + "Biographical drama films", + "Bulgarian drama films", + "Biographical films", + "English-language Bulgarian films", + "Multilingual Bulgarian films" + ], + "Random House 2nd-millennium Historical romance novels": [ + "Historical romance novels", + "Historical romance novels published by Random House", + "Historical romance novels set in the 2nd millennium", + "Romance novels set in the 2nd millennium", + "Novels published by Random House in the 2nd millennium" + ], + "Satirical adventure films shot in Hertfordshire": [ + "Satirical films", + "Adventure films", + "Satirical adventure films", + "Films shot in Hertfordshire", + "Films shot in England", + "British comedy films" + ], + "what are some Flora of Heilongjiang or Flora of North Korea?": [ + "Flora of Heilongjiang", + "Flora of North Korea" + ], + "Novels set in Yorkshire that are about London": [ + "Novels set in Yorkshire", + "Novels about London", + "Novels set in England", + "Novels set in Yorkshire but thematically focused on London" + ], + "Extinct Caribbean animals that weren't found in the Greater Antilles": [ + "Extinct Caribbean animals", + "Extinct animals of the Lesser Antilles", + "Extinct animals of the Bahamas", + "Extinct animals of the Caribbean islands excluding the Greater Antilles" + ], + "what are some Novels set in Brunei": [ + "Novels set in Brunei", + "Fiction set in Brunei", + "Novels by setting", + "Southeast Asian setting in literature" + ], + "Trees of \u00celes des Saintes or Flora of Martinique": [ + "Trees of \u00celes des Saintes", + "Flora of \u00celes des Saintes", + "Trees of Guadeloupe", + "Flora of Martinique", + "Trees of Martinique", + "Flora of the Lesser Antilles" + ], + "Films set in Otaru or Aomori Prefecture, or Japanese alternate history films": [ + "Films set in Otaru", + "Films set in Hokkaido Prefecture", + "Films set in Aomori Prefecture", + "Films set in the Tohoku region of Japan", + "Japanese alternate history films", + "Alternate history films set in Japan" + ], + "Neognathae that are Fauna of Seychelles": [ + "Neognathae", + "Fauna of Seychelles", + "Neognathae that are fauna of Seychelles" + ], + "Both African-American and American historical novels set in Virginia": [ + "African-American historical novels", + "American historical novels", + "Historical novels set in Virginia", + "Novels set in Virginia", + "Historical fiction about African-American history in Virginia" + ], + "Orchids of Guyana, Orchids of Honduras, or Orchids of Suriname": [ + "Orchids of Guyana", + "Orchids of Honduras", + "Orchids of Suriname" + ], + "Arizona plants that are also found in the Klamath Mountains and the North American Desert": [ + "Plants of Arizona", + "Flora of Arizona", + "Flora of the Klamath Mountains", + "Plants of the Klamath Mountains", + "Flora of the North American Desert", + "Plants of the North American Desert" + ], + "Crime books about death set in asia": [ + "Crime novels", + "Mystery novels about death", + "Crime novels set in Asia", + "Mystery novels set in Asia", + "Asian crime fiction" + ], + "lora of western South America, but not Peru, that are also Trees of North America.": [ + "Loranthaceae of western South America", + "Loranthaceae of South America excluding Peru", + "Trees of North America", + "Trees of western South America" + ], + "Animals from Montserrat or birds found in Saint Kitts and Nevis": [ + "Animals of Montserrat", + "Birds of Saint Kitts and Nevis" + ], + "Botswana trees": [ + "Trees of Botswana", + "Trees of Southern Africa" + ], + "Ballantine Books that are Dystopian novels about legendary creatures": [ + "Ballantine Books", + "Dystopian novels", + "Novels about legendary creatures", + "Ballantine Books dystopian novels", + "Ballantine Books about legendary creatures" + ], + "What Pliocene mammals that are also Prehistoric animals of Europe but not Extinct mammals of Asia": [ + "Pliocene mammals", + "Prehistoric animals of Europe", + "Extinct mammals of Asia" + ], + "Trees of Guanajuato or Guerrero": [ + "Trees of Guanajuato", + "Trees of Guerrero", + "Trees of Mexico" + ], + "Films set in Bahrain or Documentaries about bodybuilding": [ + "Films set in Bahrain", + "Documentary films", + "Bodybuilding" + ], + "plant life of Aguascalientes": [ + "Plants of Aguascalientes", + "Flora of Aguascalientes", + "Plants of Mexico", + "Flora of Mexico" + ], + "Panay birds or Marinduque faunas": [ + "Birds of Panay", + "Fauna of Marinduque", + "Birds of the Philippines", + "Fauna of the Philippines" + ], + "Books about apartheid excluding Books about war": [ + "Books about apartheid", + "Books about racial segregation", + "Books about South African history", + "Books about human rights in South Africa", + "Books about civil resistance in South Africa" + ], + "Non-fiction history books from 2019 about genocide": [ + "Non-fiction history books", + "Non-fiction books about genocide", + "History books about genocide", + "Books about genocide published in 2019", + "Non-fiction books published in 2019" + ], + "1945 Alfred A. Knopf and 2nd-millennium books": [ + "Books first published in 1945", + "Books published by Alfred A. Knopf", + "Books published by Alfred A. Knopf in 1945", + "Books of the 2nd millennium" + ], + "Flora of Kenya that are also Flora of Papuasia and Malesia": [ + "Flora of Kenya", + "Flora of Papuasia", + "Flora of Malesia", + "Plant species occurring in both Africa and Papuasia", + "Plant species occurring in both Africa and Malesia" + ], + "Afrotropical realm fauna and Fauna of Argentina": [ + "Afrotropical realm fauna", + "Fauna of Argentina", + "Species native to the Afrotropical realm", + "Species native to Argentina", + "Faunal overlap between Afrotropical realm and Argentina" + ], + "Film theory books or books from North Korea": [ + "Film theory books", + "Books about film theory", + "Books from North Korea", + "North Korean books", + "Books published in North Korea" + ], + "Birds from the US in 1758 that are also prehistoric reptiles of Asia": [ + "Birds of the United States", + "Birds described in 1758", + "Taxa named by Carl Linnaeus", + "Prehistoric reptiles of Asia", + "Prehistoric animals of Asia" + ], + "what are New Caledonia Holocene fauna": [ + "Holocene fauna of New Caledonia", + "Extant mammals of New Caledonia", + "Extant birds of New Caledonia", + "Extant reptiles of New Caledonia", + "Extant amphibians of New Caledonia", + "Extant freshwater fish of New Caledonia", + "Extant invertebrates of New Caledonia", + "Endemic fauna of New Caledonia", + "Introduced fauna of New Caledonia", + "Island fauna of the southwest Pacific", + "Holocene vertebrates of New Caledonia", + "Holocene invertebrates of New Caledonia" + ], + "Flora of the Democratic Republic of the Congo that are also Monotypic Poaceae genera.": [ + "Flora of the Democratic Republic of the Congo", + "Monotypic Poaceae genera", + "Poaceae genera", + "Flora of Africa" + ], + "Animated science fantasy films that are not American children films": [ + "Animated films", + "Science fantasy films", + "Non-American films", + "Films that are not children's films", + "Animated science fantasy films" + ], + "Flora of Peninsular Malaysia that are also Endemic but not trees of Malesia": [ + "Flora of Peninsular Malaysia", + "Endemic flora of Peninsular Malaysia", + "Endemic flora (general)", + "Trees of Malesia" + ], + "potatoes Crops originating from Bolivia or Colombia": [ + "Potato varieties", + "Crops originating from Bolivia", + "Crops originating from Colombia", + "Crops originating from South America" + ], + "Military books in Latin": [ + "Military books", + "Military treatises", + "Books written in Latin", + "Classical Latin literature", + "Military history in Latin" + ], + "Films set in 2007 that are about Presidents": [ + "Films set in 2007", + "Films about presidents", + "Political films", + "Films about heads of state", + "Films set in the 2000s" + ], + "2013 films about Catholic nuns": [ + "2013 films", + "Films released in 2013 about Catholic nuns", + "Films featuring Catholic nuns", + "Religious-themed films", + "Christianity in film", + "Catholicism in film" + ], + "2015 American LGBT novels": [ + "2015 novels", + "2010s American novels", + "American LGBT novels", + "LGBT novels published in 2015", + "American literature" + ], + "Insects of Iceland and the Middle East that are also moths of Asia": [ + "Insects of Iceland", + "Insects of the Middle East", + "Moths of Asia", + "Insects that are also moths", + "Asian moths occurring in both Iceland and the Middle East" + ], + "Flora of the United States but not the Southwestern region that is also bird food.": [ + "Flora of the United States", + "Flora of the Southwestern United States", + "Plants that are bird food" + ], + "Fiction books from 1937 about North America that are set in Canada": [ + "Fiction books", + "Books from 1937", + "Fiction books from 1937", + "Books about North America", + "Fiction books about North America", + "Books set in Canada", + "Fiction books set in Canada" + ], + "what are some Endemic flora of Russia": [ + "Endemic flora of Russia", + "Flora of Russia", + "Endemic plants of Russia", + "Plants of Russia" + ], + "Birds of the Peruvian Andes that are Birds described in 1845 and Fauna of the Andes": [ + "Birds of the Peruvian Andes", + "Birds described in 1845", + "Fauna of the Andes" + ], + "Flora of Belize, Nearctic realm flora, and Trees of the Eastern United States": [ + "Flora of Belize", + "Nearctic realm flora", + "Trees of the Eastern United States" + ], + "Snakes of Asia that are Fauna of Oceania and Reptiles of the Philippines": [ + "Snakes of Asia", + "Fauna of Oceania", + "Reptiles of the Philippines" + ], + "Plant species that are only found in Ghana": [ + "Plant species endemic to Ghana", + "Flora of Ghana" + ], + "1858 British novels, 1872 fantasy novels, or Novels by George MacDonald": [ + "1858 British novels", + "1858 novels", + "British novels", + "1872 fantasy novels", + "1872 novels", + "Fantasy novels", + "Novels by George MacDonald", + "Works by George MacDonald", + "19th-century British novels" + ], + "Birds of the Cayman Islands, Birds of Dominica, Birds of the British Virgin Islands": [ + "Birds of the Cayman Islands", + "Birds of Dominica", + "Birds of the British Virgin Islands" + ], + "Endemic flora or Trees of Ethiopia or Plants in the Bible": [ + "Endemic flora of Ethiopia", + "Trees of Ethiopia", + "Plants in the Bible" + ], + "2010s non-fiction books that are about social psychology but not crowd psychology": [ + "Non-fiction books", + "2010s non-fiction books", + "Books about social psychology", + "Non-fiction books about social psychology", + "Books about crowd psychology" + ], + "Plants that are found in Bangladesh, South Africa, and Taiwan": [ + "Plants of Bangladesh", + "Plants of South Africa", + "Plants of Taiwan" + ], + "1970s erotic drama films that are French erotic drama films and about the Solar System": [ + "1970s erotic drama films", + "French erotic drama films", + "Erotic drama films about the Solar System", + "Films about the Solar System", + "1970s French films" + ], + "Plants found in the Pitcairn Islands or Niue": [ + "Plants of the Pitcairn Islands", + "Flora of the Pitcairn Islands", + "Plants of Niue", + "Flora of Niue", + "Plants of the South Pacific islands" + ], + "Invertebrates of South America and Diptera of Asia but not Europe": [ + "Invertebrates of South America", + "Diptera of Asia", + "Diptera by continent", + "Invertebrates by continent", + "Diptera of Europe" + ], + "South American seals or fish from Antarctica": [ + "Seals of South America", + "Fish of Antarctica", + "Marine mammals of South America", + "Marine fish of Antarctica" + ], + "Australian arthropods from the prehistoric period": [ + "Prehistoric arthropods", + "Fossil arthropods of Australia", + "Prehistoric animals of Australia", + "Australian arthropods", + "Paleozoic arthropods of Australia", + "Mesozoic arthropods of Australia", + "Cenozoic arthropods of Australia" + ], + "Trees of the Caribbean that are also in the Southeastern United States and western South America": [ + "Trees of the Caribbean", + "Trees of the Southeastern United States", + "Trees of Western South America", + "Trees of the United States", + "Trees of South America" + ], + "1990s independent American teen films but not about ageing": [ + "1990s films", + "Independent films", + "American films", + "Teen films", + "Films about ageing" + ], + "Non-fiction children's books from 2011": [ + "Non-fiction books", + "Children's books", + "2011 books", + "Children's non-fiction books from 2011" + ], + "Endemic flora of Washington(state) but not of the Cascade Range": [ + "Endemic flora of Washington (state)", + "Endemic flora of the United States by state", + "Flora of Washington (state) outside the Cascade Range", + "Flora of the Cascade Range" + ], + "what are 1932 science fiction novels or Chinese science fiction novels?": [ + "1932 science fiction novels", + "Chinese science fiction novels" + ], + "Non-war novels set in the 1810s.": [ + "Novels set in the 1810s", + "Non-war novels", + "Historical novels set in the 19th century", + "Novels set in the Napoleonic era", + "Novels set in the Regency era" + ], + "sci-fi novels from 1929": [ + "Science fiction novels", + "Novels published in 1929", + "Science fiction novels published in 1929", + "20th-century science fiction novels" + ], + "Bryophyta of Australia or New Zealand or Australasia": [ + "Bryophyta of Australia", + "Bryophyta of New Zealand", + "Bryophyta of Australasia" + ], + "Documentary films about Canada shot in Mississippi": [ + "Documentary films", + "Documentary films about Canada", + "Documentary films shot in the United States", + "Documentary films shot in Mississippi", + "Documentary films about Canada not shot in Canada" + ], + "Mesozoic fish of Asia": [ + "Mesozoic fish", + "Mesozoic fish of Asia", + "Fossil fish of Asia", + "Prehistoric fish of Asia", + "Mesozoic vertebrates of Asia" + ], + "Flora of Ethiopia that are Monotypic plant genera and Flora of the Arabian Peninsula": [ + "Flora of Ethiopia", + "Monotypic plant genera", + "Flora of the Arabian Peninsula" + ], + "Historical fantasy films from Germany or historical horror films from the 1920s": [ + "Historical fantasy films", + "German historical fantasy films", + "Historical horror films", + "1920s historical horror films" + ], + "Plants used in traditional M\u0101ori medicine,Crops originating from Argentina, or Crops from New Zealand": [ + "Plants used in traditional M\u0101ori medicine", + "Medicinal plants of New Zealand", + "Crops originating from Argentina", + "Crops of Argentina", + "Crops from New Zealand", + "Crops of New Zealand" + ], + "Carnivorous plants that are from Liberia and Paleotropical": [ + "Carnivorous plants", + "Carnivorous plants of Liberia", + "Carnivorous plants of West Africa", + "Paleotropical carnivorous plants", + "Paleotropical flora" + ], + "Movies that are either German psychological drama, French psychological horror, or Danish nonlinear narrative genres.": [ + "German psychological drama films", + "French psychological horror films", + "Danish nonlinear narrative films" + ], + "1980s erotic teen films set on beaches": [ + "Erotic films", + "Teen films", + "1980s films", + "Films set on beaches", + "Coming-of-age sex comedies" + ], + "Mammals of New Zealand or Grenada or Introduced animals of Hawaii": [ + "Mammals of New Zealand", + "Mammals of Grenada", + "Introduced mammals of Hawaii", + "Mammals of Hawaii" + ], + "Marine fauna of North Africa excluding Fauna of the Atlantic Ocean": [ + "Marine fauna of North Africa", + "Marine fauna of the Mediterranean Sea", + "Fauna of the Mediterranean Sea adjacent to North Africa", + "Fauna of the African coasts", + "Non-Atlantic marine fauna" + ], + "Fauna of the Bahamas and Bats of South America": [ + "Fauna of the Bahamas", + "Bats of South America" + ], + "Non fiction books from 1785 or books about French prostitution": [ + "Non-fiction books published in 1785", + "Books about French prostitution" + ], + "Flora of northern South America and Guatemala but not Honduras": [ + "Flora of northern South America", + "Flora of Colombia", + "Flora of Venezuela", + "Flora of the Guianas", + "Flora of northern Brazil", + "Flora of Ecuador", + "Flora of Peru", + "Flora of Guatemala", + "Flora of Honduras" + ], + "what are Mesozoic cephalopods of North America or Asia": [ + "Mesozoic cephalopods", + "Mesozoic cephalopods of North America", + "Mesozoic cephalopods of Asia", + "Mesozoic invertebrates of North America", + "Mesozoic invertebrates of Asia" + ], + "what are the Trees of Morocco?": [ + "Trees of Morocco", + "Trees of North Africa", + "Endemic trees of Morocco", + "Mediterranean trees" + ], + "Plants that are found in both Saint Kitts and Nevis, or plants that are in Dominica or Grenada": [ + "Plants of Saint Kitts and Nevis", + "Plants of Saint Kitts", + "Plants of Nevis", + "Plants of Dominica", + "Plants of Grenada", + "Plants of the Lesser Antilles" + ], + "Vulnerable Atlantic ocean mammals": [ + "Vulnerable species", + "Vulnerable mammals", + "Vulnerable marine mammals", + "Mammals of the Atlantic Ocean", + "Marine mammals of the Atlantic Ocean" + ], + "English Dystopian novels that are not about disasters.": [ + "Dystopian novels in English", + "English-language science fiction novels", + "Dystopian novels not focused on disasters", + "Dystopian novels about totalitarian societies", + "Dystopian novels about surveillance states", + "Dystopian novels about social control", + "Dystopian novels about oppressive governments" + ], + "French Novels set in the atlantic ocean that are also social science books": [ + "French-language novels", + "French novels set in the Atlantic Ocean", + "Novels set in the Atlantic Ocean", + "French social science books", + "Social science books that are also novels", + "French novels that are also social science books" + ], + "Hispanic and Latino American novels not set in the US": [ + "Hispanic and Latino American novels", + "Novels by Hispanic and Latino American authors", + "Novels not set in the United States", + "Hispanic and Latino American novels set outside the United States" + ], + "Science fiction films from Switzerland or Iceland, or science fiction thriller films from Germany": [ + "Science fiction films", + "Science fiction films from Switzerland", + "Science fiction films from Iceland", + "Science fiction thriller films", + "Science fiction thriller films from Germany" + ], + "1998 fiction books based on Doctor Who": [ + "Fiction books based on Doctor Who", + "Books based on television series", + "1998 books", + "1990s fiction books", + "Science fiction books based on Doctor Who" + ], + "Books about French prostitution or from 1785": [ + "Books about French prostitution", + "Books about prostitution in France", + "Books set in French brothels", + "Nonfiction books on sex work in France", + "Fiction about French prostitutes", + "Books published in 1785", + "Books set in the year 1785", + "Books written in 1785" + ], + "Non-Coniferous Gymnosperms": [ + "Gymnosperms", + "Non-coniferous gymnosperms", + "Cycads", + "Ginkgoales", + "Ginkgo biloba", + "Gnetophytes", + "Gnetum", + "Welwitschia", + "Ephedra" + ], + "Brazilian short documentaries or Films shot in Rio Grande do Sul": [ + "Brazilian short documentary films", + "Short documentary films by country of origin", + "Films shot in Rio Grande do Sul", + "Films set or produced in the state of Rio Grande do Sul", + "Brazilian documentary films" + ], + "1850's German books about society": [ + "19th-century German-language books", + "1850s books", + "Books about society", + "German-language non-fiction books", + "German-language social science books" + ], + "Brazilian fantasy films,or shot in Amazonas": [ + "Brazilian fantasy films", + "Fantasy films produced in Brazil", + "Films shot in Amazonas (Brazil)" + ], + "1996 non-fiction Science books about spirituality": [ + "Non-fiction books", + "Science books", + "Spirituality books", + "Books published in 1996", + "1990s non-fiction books", + "Non-fiction Science books about spirituality" + ], + "1936 Czechoslovak films": [ + "1936 films", + "1930s Czechoslovak films", + "Czechoslovak films" + ], + "1954 films about murderers": [ + "1954 films", + "1954 drama films", + "1954 crime films", + "Films about murderers", + "Films about serial killers", + "Films about contract killers", + "Films about homicide investigations", + "Films about criminal psychology" + ], + "Science films shot in Hertfordshire about bears": [ + "Science films", + "Films about bears", + "Science films about bears", + "Films shot in Hertfordshire", + "Science films shot in Hertfordshire", + "Films about animals", + "British science films" + ], + "what are Birds of Tonga, Fauna of Niue, or Mammals of American Samoa": [ + "Birds of Tonga", + "Fauna of Niue", + "Mammals of American Samoa" + ], + "Mammals of Dominica or Barbados": [ + "Mammals of Dominica", + "Mammals of Barbados", + "Mammals of the Lesser Antilles", + "Mammals of the Caribbean" + ], + "Trees of the Windward Islands or the Bahamas": [ + "Trees of the Windward Islands", + "Trees of the Lesser Antilles", + "Trees of the Bahamas", + "Trees of the West Indies" + ], + "Flora of India that are also Australasian realm flora excluding Flora of Malaya": [ + "Flora of India", + "Australasian realm flora", + "Flora of Malaya" + ], + "animals from S\u00e3o Vicente Cape Verde or Santo Ant\u00e3o Cape Verde": [ + "Animals of S\u00e3o Vicente, Cape Verde", + "Animals of Santo Ant\u00e3o, Cape Verde", + "Animals of Cape Verde" + ], + "Films based on crime novels and organised crime in India": [ + "Films based on crime novels", + "Films based on Indian crime novels", + "Films about organised crime", + "Films about organised crime in India", + "Indian crime films", + "Indian gangster films" + ], + "Fauna of Western Asia that are Vulnerable fauna of Oceania": [ + "Fauna of Western Asia", + "Vulnerable fauna of Oceania" + ], + "Plants found in both Madagascar and Myanmar": [ + "Plants of Madagascar", + "Flora of Madagascar", + "Plants of Myanmar", + "Flora of Myanmar", + "Plants common to Madagascar and Myanmar" + ], + "Flora of western South America and Southwestern United States that are also Eudicot genera": [ + "Flora of western South America", + "Flora of the Southwestern United States", + "Eudicot genera", + "Flora of western South America that are Eudicot genera", + "Flora of the Southwestern United States that are Eudicot genera", + "Plant taxa present in both western South America and the Southwestern United States", + "Eudicot genera occurring in both western South America and the Southwestern United States" + ], + "1997 anime films or slayer films": [ + "1997 anime films", + "Anime films released in the 1990s", + "Slasher films", + "Slayer-themed horror films" + ], + "what is Monotypic Polygonaceae genera?": [ + "Monotypic Polygonaceae genera", + "Monotypic genera in Polygonaceae family", + "Polygonaceae taxonomy", + "Monotypic plant genera" + ], + "Orchids from Indonesia that are also found in Eastern Asia": [ + "Orchids of Indonesia", + "Orchids of Eastern Asia", + "Orchids of Southeast Asia", + "Orchids of Asia" + ], + "Mammals of North America and Prehistoric animals of Asia not Europe": [ + "Mammals of North America", + "Prehistoric animals of Asia", + "Prehistoric animals of Europe" + ], + "Flora of the Bahamas that are Monotypic angiosperm genera": [ + "Flora of the Bahamas", + "Monotypic angiosperm genera", + "Angiosperms of the Bahamas", + "Monotypic plant genera in the Caribbean" + ], + "Horseshoe Canyon or Kirtland fauna": [ + "Horseshoe Canyon fauna", + "Kirtland fauna", + "Late Cretaceous dinosaur fauna of North America", + "Campanian-age vertebrate assemblages" + ], + "Non-antisemitism books about military personnel": [ + "Books about military personnel", + "Nonfiction books about military personnel", + "Fiction books featuring military personnel", + "Biographies of military personnel", + "Memoirs of military personnel", + "History books about military organizations", + "Books about soldiers", + "Books about veterans", + "Books about armed forces", + "Books about military life" + ], + "Teen drama films from the 1980s about abortion": [ + "Teen drama films", + "Teen films", + "Drama films", + "1980s films", + "Films about abortion", + "Teen pregnancy in film" + ], + "Trees in Zacatecas": [ + "Trees of Zacatecas", + "Trees of Mexico", + "Flora of Zacatecas", + "Flora of Mexico", + "Native trees of Mexico" + ], + "Adventure films that are dutch": [ + "Adventure films", + "Dutch films", + "Adventure films by country of origin", + "Films produced in the Netherlands" + ], + "21st-century American children's films shot in Alberta": [ + "Children's films", + "American children's films", + "21st-century films", + "Films shot in Alberta", + "American films shot in Canada" + ], + "Flora of Morelos, Tlaxcala, or trees of the state of Mexico": [ + "Flora of Morelos", + "Flora of Tlaxcala", + "Trees of the State of Mexico", + "Flora of central Mexico" + ], + "Prehistoric turtles of Asia or Miocene reptiles of Asia": [ + "Prehistoric turtles of Asia", + "Miocene reptiles of Asia" + ], + "Films from 2014 that are about the afterlife": [ + "2014 films", + "Films released in 2014", + "Films about the afterlife", + "Films about life after death", + "Supernatural drama films", + "Religious or spiritual-themed films" + ], + "Birds found in Saint Kitts and Nevis or Montserrat": [ + "Birds of Saint Kitts and Nevis", + "Birds of Montserrat", + "Birds of the Lesser Antilles", + "Birds of the Caribbean" + ], + "German novels from 2005": [ + "German-language novels", + "Novels published in 2005", + "21st-century German novels", + "German novels by year of publication" + ], + "movies set in Buckinghamshire": [ + "Films set in Buckinghamshire", + "Films set in England", + "Films set in the United Kingdom" + ], + "Caudex plants that are drought tolerant": [ + "Caudiciform plants", + "Drought-tolerant plants", + "Succulent caudex plants", + "Xerophytic ornamental plants" + ], + "Films about magical girls": [ + "Films about magical girls", + "Magical girl genre films", + "Anime films about magical girls", + "Live-action films about magical girls" + ], + "Animals of Europe from the Quaternary period or reptiles of North America from the Pliocene period": [ + "Animals of Europe", + "Animals of Europe from the Quaternary period", + "Quaternary period fauna", + "Reptiles of North America", + "Reptiles of North America from the Pliocene period", + "Pliocene period reptiles" + ], + "indian non romantic comedy fims shot in ooty": [ + "Indian comedy films", + "Indian non-romantic comedy films", + "Non-romantic comedy films shot in Ooty", + "Indian films shot in Ooty", + "Comedy films shot in Ooty" + ], + "Flowering plants that are parasitic and Australasian": [ + "Parasitic flowering plants", + "Australasian flowering plants", + "Parasitic plants of Australasia", + "Parasitic angiosperms", + "Parasitic plants of Australia and New Zealand" + ], + "Canadian books about writers by Alfred A. Knopf": [ + "Books", + "Canadian books", + "Books about writers", + "Books about authors", + "Books published by Alfred A. Knopf", + "Canadian literature", + "Literature about writers", + "North American books" + ], + "Birds of Canada and Mexico but not Fauna of Canada": [ + "Birds of Canada", + "Birds of Mexico", + "Fauna of Canada" + ], + "Books about Los Angeles, California and American LGBT": [ + "Books about Los Angeles, California", + "Books about American LGBT people", + "Books about LGBT culture in the United States", + "Books set in Los Angeles, California", + "Non-fiction books about Los Angeles and LGBT issues in the United States", + "Fiction books featuring American LGBT characters in Los Angeles" + ], + "Futuristic films set in the Southwestern United States about Marines": [ + "Futuristic films", + "Science fiction war films", + "Films about the United States Marine Corps", + "Films set in the Southwestern United States", + "Films set in the United States" + ], + "Plants from the Coral Sea Islands Territory or the Maldives": [ + "Plants of the Coral Sea Islands Territory", + "Plants of the Maldives" + ], + "1980's American children's novels": [ + "Children's novels", + "1980s children's novels", + "American children's novels", + "1980s American novels", + "English-language children's literature" + ], + "Endemic flora or plants of Mozambique": [ + "Endemic flora of Mozambique", + "Endemic plants of Mozambique", + "Flora of Mozambique" + ], + "Native birds of the Southeastern United States excluding Birds of the Caribbean": [ + "Native birds of the Southeastern United States", + "Birds of the Southeastern United States", + "Native birds of the United States", + "Birds of the United States", + "Birds of the Caribbean" + ], + "Rosid genera that are also of Washington (state)": [ + "Rosid genera", + "Flora of Washington (state)", + "Rosid genera naturalized in Washington (state)", + "Rosid genera native to Washington (state)" + ], + "Flora of the Society Islands or Marquesas Islands": [ + "Flora of the Society Islands", + "Flora of the Marquesas Islands", + "Flora of French Polynesia", + "Endemic flora of the Society Islands", + "Endemic flora of the Marquesas Islands" + ], + "Books about bacon or Andrews McMeel Publishing": [ + "Books about bacon", + "Books published by Andrews McMeel Publishing" + ], + "Coming-of-age drama films that are Israeli": [ + "Coming-of-age films", + "Drama films", + "Coming-of-age drama films", + "Israeli films", + "Israeli coming-of-age drama films" + ], + "Science books about cultural geography but not Psychology": [ + "Science books about cultural geography", + "Cultural geography books", + "Science books not about psychology", + "Non-psychology science books" + ], + "Triassic animals of Europe and Mesozoic animals of Africa that are Prehistoric animals of Asia": [ + "Triassic animals of Europe", + "Mesozoic animals of Africa", + "Prehistoric animals of Asia" + ], + "Armenia's Endemic flora": [ + "Endemic flora of Armenia", + "Flora of Armenia", + "Endemic plants of the Caucasus region", + "Endemic flora of Western Asia" + ], + "2010 Supernatural documentary films": [ + "2010 documentary films", + "Supernatural documentary films", + "2010 films", + "Documentary films" + ], + "Flora of Veracruz that is also in Panama and Belize": [ + "Flora of Veracruz", + "Flora of Mexico", + "Flora of Panama", + "Flora of Belize", + "Plant species shared between Veracruz and Panama", + "Plant species shared between Veracruz and Belize", + "Plant species shared among Veracruz, Panama, and Belize" + ], + "Fauna of China and Mammals of Malaysia but not Cambodia": [ + "Fauna of China", + "Mammals of Malaysia", + "Fauna of Cambodia" + ], + "Birds or Endemic fauna of Grenada, or Birds of Martinique": [ + "Birds of Grenada", + "Endemic fauna of Grenada", + "Birds of Martinique", + "Birds of the Caribbean", + "Endemic fauna of Caribbean islands" + ], + "Children's books published by Grosset & Dunlap in the 1960s": [ + "Children's books", + "Children's books published in the 1960s", + "Books published by Grosset & Dunlap", + "Children's books published by Grosset & Dunlap", + "1960s American children's literature" + ], + "Plants found in Liberia that are not found in the Ivory Coast": [ + "Plants of Liberia", + "Endemic plants of Liberia", + "Flora of Liberia", + "Plants of Ivory Coast", + "Flora of Ivory Coast" + ], + "Philip Reeve's novels": [ + "Novels by Philip Reeve", + "Works by Philip Reeve", + "British science fiction novels", + "British young adult novels", + "Steampunk novels", + "Post-apocalyptic novels" + ], + "2004 jewish american fiction novels": [ + "Jewish American fiction", + "Jewish American novels", + "2004 novels", + "2000s American novels", + "American Jewish literature" + ], + "what are Endemic orchids of Vietnam": [ + "Orchids of Vietnam", + "Endemic orchids of Vietnam", + "Endemic flora of Vietnam", + "Orchids of Indochina" + ], + "Trees found in Eastern Canada that are not found in the Southeastern United States": [ + "Trees of Eastern Canada", + "Trees of the Southeastern United States", + "Trees of Canada", + "Trees of the United States" + ], + "Novels set in Paraguay, or, 1759 books or, Science fiction novel trilogies.": [ + "Novels set in Paraguay", + "1759 books", + "Science fiction novel trilogies" + ], + "novel series that are about dystopian societies, but that are not of the high fantasy genre": [ + "Novel series", + "Dystopian fiction", + "Novel series about dystopian societies", + "High fantasy novels", + "Novels that are not high fantasy" + ], + "Flora of Costa Rica and Brassicaceae genera": [ + "Flora of Costa Rica", + "Brassicaceae genera", + "Brassicaceae genera present in Costa Rica", + "Flora of Costa Rica that belong to Brassicaceae" + ], + "Science books about cultural geography but not about cities": [ + "Science books", + "Books about geography", + "Books about cultural geography", + "Books about human geography", + "Books about urban studies", + "Books about cities" + ], + "what are Neogene animals of North America that are also Prehistoric animals of Oceania": [ + "Neogene animals of North America", + "Prehistoric animals of Oceania" + ], + "Fantasy adventure films that are also shot in South America": [ + "Fantasy adventure films", + "Fantasy films", + "Adventure films", + "Films shot in South America", + "Films shot on location in South America" + ], + "cultural geography and Science books but not about creativity": [ + "Cultural geography books", + "Science books", + "Non-fiction books on cultural geography", + "Non-fiction science books", + "Books on cultural landscapes", + "Books on human geography", + "Academic texts in geography and science", + "Interdisciplinary works between geography and science", + "Excluding books about creativity", + "Exclude creativity in cultural geography and science topics" + ], + "multilingual Philippine films": [ + "Philippine films", + "Multilingual films", + "Philippine films by language", + "Tagalog-language films", + "English-language Philippine films" + ], + "Lost Indian films excluding Indian black-and-white films": [ + "Lost Indian films", + "Indian films", + "Lost films", + "Indian films in color", + "Indian films not in black and white" + ], + "graphic novels from 2011": [ + "Graphic novels", + "Graphic novels published in 2011", + "Comics from 2011" + ], + "what are birds of Indonesia, sulawesi, and oceania.": [ + "Birds of Indonesia", + "Birds of Sulawesi", + "Birds of Oceania" + ], + "Whaling books": [ + "Books about whaling", + "Novels about whaling", + "Non-fiction books about whaling", + "Historical accounts of whaling", + "Whaling in literature" + ], + "what are the Algae of Hawaii": [ + "Algae of Hawaii", + "Marine algae of Hawaii", + "Freshwater algae of Hawaii", + "Algae of the Pacific Ocean islands" + ], + "Flora of Sri Lanka and Western Indian Ocean": [ + "Flora of Sri Lanka", + "Flora of the Western Indian Ocean", + "Flora of the Indian Ocean islands", + "Flora of South Asia", + "Flora of the Indian Ocean bioregion" + ], + "Films set in the 1420s or 1805 or set on the Gal\u00e1pagos Islands": [ + "Films set in the 1420s", + "Films set in the year 1805", + "Films set on the Gal\u00e1pagos Islands" + ], + "Chinese comedy novels or set in the Song dynasty or by Adeline Yen Mah": [ + "Chinese comedy novels", + "Comedy novels set in China", + "Novels set in the Song dynasty", + "Historical novels set in the Song dynasty", + "Novels by Adeline Yen Mah", + "Works by Adeline Yen Mah" + ], + "The Godfather novels or about the Sicilian Mafia or Italian novellas": [ + "The Godfather novels", + "Works about the Sicilian Mafia", + "Italian novellas" + ], + "Experimental Polish avant-garde or 1971 war films": [ + "Experimental Polish avant-garde films", + "Polish avant-garde cinema", + "1971 war films", + "War films from the early 1970s" + ], + "Engineering books but not about Technology": [ + "Engineering books", + "Books about engineering disciplines", + "Books about technology" + ], + "Shorebirds that are not Neognathae": [ + "Shorebirds", + "Non-Neognathae birds", + "Paleognathae birds" + ], + "puberty, but not Coming-of-age, films": [ + "Puberty in film", + "Coming-of-age films" + ], + "Books about Yemen or Syria or 1970 French Novels": [ + "Books about Yemen", + "Books about Syria", + "French novels published in 1970" + ], + "Books about Israel that are also both Books about the Holocaust and ideologies": [ + "Books about Israel", + "Books about the Holocaust", + "Books about ideologies" + ], + "Czech thriller drama films or French haunted house films": [ + "Czech thriller drama films", + "Czech thriller films", + "Czech drama films", + "French haunted house films", + "French horror films", + "Haunted house films" + ], + "historical high fantasy novels.": [ + "Historical fantasy novels", + "High fantasy novels", + "Novels set in a secondary world with historical elements", + "Fantasy novels inspired by real historical periods" + ], + "Atlantic auks, Puffins, or Birds as described in 1763": [ + "Atlantic auks", + "Atlantic puffins", + "Birds described in 1763" + ], + "1944 History books about World War II and the late modern period": [ + "History books", + "World War II history books", + "Late modern period history books", + "Books published in 1944", + "History books published in 1944" + ], + "what are some Novels by Douglas Cooper": [ + "Novels by Douglas Cooper (Canadian writer)", + "Bibliography of Douglas Cooper (Canadian writer)", + "Novels by Douglas Cooper (art historian)", + "Bibliography of Douglas Cooper (art historian)", + "Works by authors named Douglas Cooper" + ], + "Birds of islands of the Atlantic Ocean and Vertebrates of Belize": [ + "Birds of islands of the Atlantic Ocean", + "Birds of Atlantic islands", + "Vertebrates of Belize", + "Birds of Belize", + "Islands of the Atlantic Ocean", + "Atlantic Ocean" + ], + "1981 drama films based on non-fiction books": [ + "Drama films", + "1981 films", + "Films released in the 1980s", + "Films based on books", + "Films based on non-fiction books" + ], + "films from 1934 that are horror": [ + "Horror films", + "Films from 1934", + "1930s horror films", + "Black-and-white horror films" + ], + "Debut novels from 1957": [ + "Debut novels", + "Novels first published in 1957", + "Debut novels by year" + ], + "Non-science non-fantasy films about bats": [ + "Non-science films", + "Non-fantasy films", + "Films about bats", + "Narrative feature films about bats", + "Documentary films about bats" + ], + "Birds of Guam or the Northern Mariana Islands": [ + "Birds of Guam", + "Birds of the Northern Mariana Islands", + "Birds of Micronesia", + "Birds of the Mariana Islands archipelago" + ], + "2010s Cyberpunk films": [ + "Cyberpunk films", + "2010s films", + "Science fiction films of the 2010s", + "Dystopian science fiction films" + ], + "Japanese sci-fi comedy drama or mystery drama films": [ + "Japanese science fiction comedy drama films", + "Japanese science fiction mystery drama films", + "Japanese science fiction films", + "Japanese comedy drama films", + "Japanese mystery drama films" + ], + "Birds of Venezuela that are also Birds of Costa Rica excluding Birds of Ecuador": [ + "Birds of Venezuela", + "Birds of Costa Rica", + "Birds of Ecuador" + ], + "South Korean coming-of-age or coming-of-age comedy films": [ + "South Korean films", + "South Korean coming-of-age films", + "South Korean comedy films", + "South Korean coming-of-age comedy films" + ], + "single species plants that are from Hidalgo": [ + "Single-species plant genera", + "Monotypic plant genera", + "Plants of Hidalgo (state), Mexico", + "Flora of Hidalgo (state), Mexico", + "Endemic flora of Hidalgo (state), Mexico" + ], + "Flora of Europe and Montana": [ + "Flora of Europe", + "Flora of Montana", + "Plants found in both Europe and Montana", + "Native flora of Europe", + "Native flora of Montana" + ], + "Pennsylvanian animals or Carboniferous of Asia": [ + "Pennsylvanian animals", + "Carboniferous animals of Asia", + "Carboniferous of Asia", + "Paleozoic animals of Asia" + ], + "what are Endemic flora of Morocco, Endemic flora of Algeria, or Trees of Algeria?": [ + "Endemic flora of Morocco", + "Endemic flora of Algeria", + "Trees of Algeria" + ], + "Endemic fauna of Japan and Invertebrates of Asia but not Lepidoptera of Asia": [ + "Endemic fauna of Japan", + "Invertebrates of Asia", + "Lepidoptera of Asia" + ], + "find me 1960 fantasy novels, novels by Michael Ende, or 1973 German novels": [ + "1960 fantasy novels", + "Fantasy novels published in 1960", + "Novels by Michael Ende", + "Works by Michael Ende", + "1973 German novels", + "German-language novels published in 1973" + ], + "Plant common names or Sacred trees in Hinduism": [ + "Plants with common names", + "Lists of plant common names", + "Sacred trees in Hinduism", + "Sacred plants in Hinduism", + "Plants in Hindu religious traditions" + ], + "1913 American novels or Novels by James Branch Cabell": [ + "1913 American novels", + "American novels published in 1913", + "Novels by James Branch Cabell", + "Works by James Branch Cabell", + "Early 20th-century American novels" + ], + "Films shot in Oregon that are based on sci-fi works": [ + "Films shot in Oregon", + "Science fiction films", + "Films based on science fiction works", + "Films based on novels or short stories", + "Films based on comic books or graphic novels" + ], + "2000's animated Australian films about dinosaurs": [ + "Animated films", + "Australian animated films", + "2000s animated films", + "Australian films about dinosaurs", + "2000s Australian films" + ], + "what are Australian travel books": [ + "Australian travel books", + "Travel books about Australia", + "Travel books by Australian authors", + "Australian travel literature", + "Non-fiction travel guides to Australia" + ], + "Graphic novels from Brazil": [ + "Graphic novels", + "Brazilian graphic novels", + "Comics from Brazil", + "Portuguese-language graphic novels" + ], + "Novels set in France about war and crime": [ + "Novels set in France", + "War novels", + "Crime novels", + "Novels about war set in France", + "Novels about crime set in France" + ], + "Birds of Indochina and Laos as described in 1877": [ + "Birds of Indochina", + "Birds of Laos", + "19th-century descriptions of birds", + "Birds described in 1877", + "Historical ornithological works on Indochina" + ], + "Silent Romanian films": [ + "Romanian films", + "Silent films", + "Romanian silent films", + "Pre-sound era films" + ], + "Endemic fauna from Navassa Island": [ + "Endemic fauna of Navassa Island", + "Endemic animals of Caribbean islands", + "Endemic fauna of United States Minor Outlying Islands", + "Endemic fauna of uninhabited Caribbean islands" + ], + "Fauna of Tibet and Arthropods of Asia": [ + "Fauna of Tibet", + "Arthropods of Asia" + ], + "Fish that are from both Macaronesia and the Atlantic Ocean.": [ + "Fish of Macaronesia", + "Fish of the Atlantic Ocean", + "Marine fish of Macaronesia", + "Marine fish of the Atlantic Ocean" + ], + "Flora of Southwestern Europe and Germany": [ + "Flora of Southwestern Europe", + "Flora of Germany", + "Plant species occurring in both Southwestern Europe and Germany" + ], + "what is Fauna of Fiji that are also Fauna of Palau": [ + "Fauna of Fiji", + "Fauna of Palau", + "Animals that occur in both Fiji and Palau" + ], + "2006 teen comedy american tv films": [ + "2006 films", + "2000s teen comedy films", + "American television films", + "American teen comedy films", + "Comedy television films", + "Teen television films" + ], + "Carboniferous amphibians or Pennsylvanian animals of North America": [ + "Carboniferous amphibians", + "Pennsylvanian animals of North America", + "Carboniferous animals of North America", + "Paleozoic amphibians", + "Pennsylvanian amphibians" + ], + "Set in the Edo period but not Japanese historical films": [ + "Works set in the Edo period", + "Films set in the Edo period", + "Television series set in the Edo period", + "Manga and anime set in the Edo period", + "Video games set in the Edo period" + ], + "Independent films of 1964": [ + "Independent films", + "Films of 1964", + "1960s independent films", + "American independent films of 1964", + "Non-studio-produced films" + ], + "Grasses of both Canada and the California desert regions": [ + "Grasses of Canada", + "Grasses of California", + "Grasses of desert regions in California", + "Grasses of North America" + ], + "American adventure and Hachette Book Group books": [ + "Adventure novels published in the United States", + "Adventure books by American authors", + "Books published by Hachette Book Group", + "Adventure books published by Hachette Book Group" + ], + "name some Orchids of Mauritius or Flora of the Zanzibar Archipelago": [ + "Orchids of Mauritius", + "Flora of Mauritius", + "Flora of the Zanzibar Archipelago", + "Flora of Zanzibar", + "Flora of Tanzania" + ], + "Flora of Indonesia and Indo-China but not of the Philippines": [ + "Flora of Indonesia", + "Flora of Indo-China", + "Flora of Southeast Asia", + "Flora of the Philippines" + ], + "what are Transport films that are also American Western (genre) but not Rail transport films.": [ + "Transport films", + "American Western (genre) films", + "Rail transport films" + ], + "Prehistoric reptiles of Asia that were classified as birds of Hawaii and Reptiles of North America": [ + "Prehistoric reptiles of Asia", + "Birds of Hawaii", + "Reptiles of North America" + ], + "Trees of Alaska or Manitoba": [ + "Trees of Alaska", + "Trees of Manitoba", + "Trees of Canada", + "Trees of the United States", + "Boreal forest trees" + ], + "Afrotropical flora of Sierra Leone but not Nigeria": [ + "Afrotropical flora", + "Flora of Sierra Leone", + "Flora of Nigeria" + ], + "Flora of Switzerland but not Italy": [ + "Flora of Switzerland", + "Flora of Italy" + ], + "Films based on Chinese romanced novels adopted to film that are not drama": [ + "Films based on Chinese novels", + "Films based on Chinese romance novels", + "Chinese-language films", + "Non-drama films", + "Romantic films that are not dramas", + "Genre-filtered adaptations (excluding drama)" + ], + "what are Oceanian realm flora that are also Domesticated plants": [ + "Flora of the Oceanian realm", + "Domesticated plants", + "Domesticated plants native to Oceania", + "Domesticated plants cultivated in Oceania" + ], + "Non-illustrated books about Leporidae": [ + "Books about Leporidae", + "Non-illustrated books", + "Scientific monographs on rabbits and hares", + "Field guides to rabbits and hares without illustrations", + "Text-only zoological works on Lagomorpha" + ], + "Vulnerable fauna of China that are also mammals of Southeast Asia": [ + "Vulnerable fauna of China", + "Mammals of China", + "Vulnerable fauna", + "Mammals of Southeast Asia", + "Vulnerable mammals of China", + "Vulnerable mammals of Southeast Asia" + ], + "Dutch war drama or biographical drama films, or biographical films about Rembrandt": [ + "Dutch war drama films", + "Dutch biographical drama films", + "Biographical films about Rembrandt" + ], + "animals from the Philippines, birds spotted in 2006, or birds of Oceania from the Quaternary period": [ + "Animals of the Philippines", + "Birds of the Philippines", + "Birds described in 2006", + "Birds observed in 2006", + "Birds of Oceania", + "Quaternary birds", + "Fossil birds of Oceania", + "Extant birds of Oceania" + ], + "Birds not native to the Western US, but that are in Mexico and Canada": [ + "Birds of Mexico", + "Birds of Canada", + "Birds of North America", + "Birds of the Western United States", + "Non-native birds of the Western United States" + ], + "Prehistoric reptiles of South America excluding Cenozoic birds of South America": [ + "Prehistoric reptiles of South America", + "Mesozoic reptiles of South America", + "Paleozoic reptiles of South America", + "Non-avian dinosaurs of South America", + "Plesiosaurs of South America", + "Pterosaurs of South America", + "Cenozoic reptiles of South America (excluding birds)", + "Fossil reptiles of South America" + ], + "Holarctic plants found in Sri Lanka, but not in Southeast Asia": [ + "Holarctic plants", + "Flora of Sri Lanka", + "Holarctic plants in Sri Lanka", + "Plants not found in Southeast Asia" + ], + "Hummingbirds from the Bolivian Andres and the Americas": [ + "Hummingbirds of the Bolivian Andes", + "Hummingbirds of Bolivia", + "Hummingbirds of the Andes", + "Hummingbirds of South America", + "Hummingbirds of North America", + "Hummingbirds of Central America", + "Hummingbirds of the Americas" + ], + "Fish of Bolivia but not of Brazil": [ + "Fish of Bolivia", + "Freshwater fish of Bolivia", + "Endemic fish of Bolivia", + "Fish of Brazil" + ], + "what are the Flora of the Zanzibar Archipelago": [ + "Flora of the Zanzibar Archipelago", + "Flora of Zanzibar", + "Flora of Unguja", + "Flora of Pemba Island", + "Flora of Tanzania", + "Flora of East African coastal islands" + ], + "Non American 2010's teen comedy-drama films": [ + "Teen comedy-drama films", + "2010s teen films", + "2010s comedy-drama films", + "Non-American films", + "Non-American teen comedy-drama films" + ], + "Monotypic asterid genera and Garden plants of Asia": [ + "Monotypic asterid genera", + "Garden plants of Asia" + ], + "Mammals found in Western Australia and Queensland but not New South Wales": [ + "Mammals of Western Australia", + "Mammals of Queensland", + "Mammals of New South Wales", + "Australian marsupials", + "Australian native mammals" + ], + "Horror war films that are not Monster movies": [ + "Horror films", + "War films", + "Horror war films", + "Monster films" + ], + "2010s pregnancy films about alcoholism": [ + "Pregnancy films", + "2010s films", + "Films about alcoholism", + "Drama films about pregnancy", + "Drama films about addiction" + ], + "Flora of Austria that is also in Bulgaria and the Caucasus": [ + "Flora of Austria", + "Flora of Bulgaria", + "Flora of the Caucasus", + "Plants of Central Europe", + "Plants of Eastern Europe", + "Plants of the Caucasus region" + ], + "Novels set in elementary and primary schools excluding American children's novels": [ + "Novels set in elementary schools", + "Novels set in primary schools", + "School setting novels (primary/elementary)", + "Children's novels", + "American children's novels" + ], + "what are Oligocene plants or Extinct plants of New Zealand?": [ + "Oligocene plants", + "Extinct plants of New Zealand" + ], + "Endemic birds or Fauna of S\u00e3o Vicente of cape Verde": [ + "Endemic birds of Cape Verde", + "Endemic fauna of Cape Verde", + "Birds of S\u00e3o Vicente, Cape Verde", + "Fauna of S\u00e3o Vicente, Cape Verde" + ], + "are there any Films shot in Spain that are also Films set in India": [ + "Films shot in Spain", + "Films set in India", + "Films shot in Spain AND set in India" + ], + "Middle Jurassic reptiles, Jurassic animals or Middle Jurassic tetrapods of South America": [ + "Middle Jurassic reptiles of South America", + "Jurassic reptiles of South America", + "Middle Jurassic tetrapods of South America", + "Jurassic tetrapods of South America", + "Middle Jurassic animals of South America", + "Jurassic animals of South America" + ], + "Invertebrates of Europe which are also Fauna of the Southeastern United States": [ + "Invertebrates of Europe", + "Invertebrates of the Southeastern United States", + "Fauna of Europe", + "Fauna of the Southeastern United States" + ], + "Austrian animated or 2000s adventure thriller films": [ + "Austrian animated films", + "Animated films of Austria", + "2000s adventure thriller films", + "Adventure thriller films released in the 2000s" + ], + "Fauna of Montserrat, Birds of Saint Kitts and Nevis, or Birds of the British Virgin Islands": [ + "Fauna of Montserrat", + "Birds of Montserrat", + "Fauna of Saint Kitts and Nevis", + "Birds of Saint Kitts and Nevis", + "Fauna of the British Virgin Islands", + "Birds of the British Virgin Islands" + ], + "Novels set in Manhattan that are 2010 books": [ + "Novels", + "Novels set in Manhattan", + "Novels set in New York City", + "2010 books", + "21st-century novels" + ], + "Monotypic plant genera of Northern Europe": [ + "Monotypic plant genera", + "Monotypic plant genera of Europe", + "Monotypic plant genera of Northern Europe", + "Plant genera of Northern Europe" + ], + "musical films from 1931 that are not comedies": [ + "Musical films", + "1931 films", + "Musical films from 1931", + "Comedy films", + "Non-comedy films" + ], + "Flora of Albania but not Yugoslavia": [ + "Flora of Albania", + "Flora of Yugoslavia" + ], + "Little Brown and Company books about any city, except for California": [ + "Books published by Little, Brown and Company", + "Little, Brown and Company books about cities", + "Little, Brown and Company books about United States cities", + "Little, Brown and Company books about international cities", + "Books about cities not located in California" + ], + "2000's comedy-drama films set in 1970's": [ + "Comedy-drama films", + "2000s films", + "Films set in the 1970s" + ], + "Books about Brunei, Malaysia or historical books about the Qing dynasty": [ + "Books about Brunei", + "Books about Malaysia", + "Historical books about the Qing dynasty" + ], + "2010s Supernatural films shot in South Carolina": [ + "Supernatural films", + "2010s films", + "Films shot in South Carolina", + "Films shot in the United States" + ], + "Suriname trees": [ + "Trees of Suriname", + "Trees of South America" + ], + "Palearctic flora of Portugal that is the Asterales genera": [ + "Palearctic flora", + "Flora of Portugal", + "Asterales", + "Asterales genera", + "Palearctic flora of Portugal", + "Asterales of Portugal" + ], + "Desventuradas Islands Flora": [ + "Flora of the Desventuradas Islands", + "Plants of the Desventuradas Islands", + "Endemic flora of the Desventuradas Islands", + "Flora of the Chilean Pacific Islands", + "Flora of Chile" + ], + "what are some Flora of North Korea or Flora of Shanxi?": [ + "Flora of North Korea", + "Flora of Shanxi" + ], + "Endemic plant life of Gabon or monotypic magnoliids": [ + "Endemic flora of Gabon", + "Monotypic magnoliid genera", + "Magnoliids" + ], + "Biographical or historical Dutch drama films": [ + "Dutch biographical drama films", + "Dutch historical drama films", + "Dutch drama films", + "Biographical drama films", + "Historical drama films", + "Dutch-language films" + ], + "Films about organized crime in Turkey": [ + "Films about organized crime", + "Films set in Turkey", + "Crime films", + "Mafia films", + "Films about gangs" + ], + "Bats of India not Fauna of Southeast Asia": [ + "Bats of India", + "Bats of South Asia", + "Fauna of India", + "Fauna of Southeast Asia" + ], + "English-language Taiwanese, Taiwanese supernatural horror, or Tai chi films": [ + "English-language Taiwanese films", + "Taiwanese supernatural horror films", + "Tai chi films" + ], + "Endemic fauna of Guangxi": [ + "Endemic fauna of Guangxi", + "Endemic animals of Guangxi", + "Endemic fauna of China", + "Fauna of Guangxi", + "Endemic species of Guangxi" + ], + "Butterflies found in Asia and Africa but not in Europe": [ + "Butterflies of Asia", + "Butterflies of Africa", + "Butterflies of Eurasia", + "Butterflies of the Old World", + "Butterflies of Europe" + ], + "what are 2010's children's fantasy Films about outer space, but not Adventure films?": [ + "Children's fantasy films", + "2010s children's films", + "2010s fantasy films", + "Children's films about outer space", + "Fantasy films about outer space", + "2010s films about outer space", + "Adventure films" + ], + "Trees of Saskatchewan or Subarctic America": [ + "Trees of Saskatchewan", + "Trees of Subarctic America" + ], + "Mark Clapham novels": [ + "Novels by Mark Clapham", + "Books by Mark Clapham", + "Doctor Who novels by Mark Clapham", + "Torchwood novels by Mark Clapham", + "Fiction by Mark Clapham" + ], + "Endemic fauna from Albania": [ + "Endemic fauna of Albania", + "Endemic animals of the Balkans", + "Endemic fauna of Europe" + ], + "Collaborative non-fiction books that are about countries, but not North America": [ + "Collaborative non-fiction books", + "Non-fiction books about countries", + "Non-fiction books about countries outside North America", + "Books about countries by multiple authors" + ], + "Sichuan Orchids": [ + "Orchids of Sichuan", + "Orchids of China", + "Orchids of East Asia", + "Terrestrial orchids", + "Epiphytic orchids" + ], + "1993 drama erotic films about sexuality": [ + "Drama films", + "Erotic films", + "1993 films", + "Drama films about sexuality", + "Erotic films about sexuality" + ], + "Battle of the Somme films": [ + "Films about the Battle of the Somme", + "World War I films", + "War films set on the Western Front (World War I)" + ], + "Succulent plants from Mexico, but not Cactoideae": [ + "Succulent plants", + "Succulent plants of Mexico", + "Non-cactoideae succulent plants", + "Cactoideae" + ], + "Films about the Haitian Revolution": [ + "Films about the Haitian Revolution", + "Historical films about slave revolts", + "Films set in Saint-Domingue (colonial Haiti)", + "Films about Caribbean revolutions", + "Films about the Atlantic slave trade and abolition" + ], + "American spy and drama films about mental health": [ + "American spy films", + "American drama films", + "American films about mental health", + "Spy films about mental health", + "Drama films about mental health" + ], + "plants found in Eastern Canada, Kazakhstan, and Europe": [ + "Plants of Eastern Canada", + "Plants of Canada", + "Plants of Kazakhstan", + "Plants of Europe" + ], + "Mammals of Grenada or Guadeloupe or Fauna of Montserrat": [ + "Mammals of Grenada", + "Mammals of Guadeloupe", + "Fauna of Montserrat" + ], + "Eudicot genera that are both Fabales genera and Palearctic flora": [ + "Eudicot genera", + "Fabales genera", + "Palearctic flora", + "Plant genera that are both Fabales genera and Palearctic flora" + ], + "1990s mystery thriller films excluding American thriller films": [ + "Mystery thriller films", + "1990s mystery thriller films", + "Thriller films", + "Mystery films", + "American thriller films" + ], + "what are Swiss novels adapted into television shows or Novels set on uninhabited islands": [ + "Swiss novels adapted into television shows", + "Novels written by Swiss authors that were adapted into TV series", + "Novels set on uninhabited islands", + "Fiction about survival on uninhabited islands" + ], + "1988 Asian drama films about law enforcement": [ + "Drama films", + "1988 films", + "Asian films", + "Law enforcement films" + ], + "Films based on Around the World in Eighty Days or set in Sylhet": [ + "Films based on \u2018Around the World in Eighty Days\u2019", + "Films set in Sylhet", + "Films based on works by Jules Verne" + ], + "Canadian novels from 1971 or 1980 or by Mordecai Richler": [ + "Canadian novels", + "Canadian novels published in 1971", + "Canadian novels published in 1980", + "Novels by Mordecai Richler" + ], + "Animals found in Santo Ant\u00e3o Cape Verde or native birds of Cape Verde": [ + "Animals found in Santo Ant\u00e3o, Cape Verde", + "Animals of Cape Verde", + "Native birds of Cape Verde", + "Endemic birds of Cape Verde", + "Birds of Cape Verde" + ], + "Biographical documentary crime war films but not about genocide": [ + "Biographical films", + "Documentary films", + "Crime films", + "War films", + "Biographical documentary films", + "Biographical crime films", + "Biographical war films", + "Documentary crime films", + "Documentary war films", + "Crime war films", + "Biographical documentary crime war films", + "Films about genocide" + ], + "Flora of Oregon and Trees of the South-Central United States": [ + "Flora of Oregon", + "Trees of the South-Central United States" + ], + "what are Endemic fauna of Sudan": [ + "Endemic fauna of Sudan", + "Endemic mammals of Sudan", + "Endemic birds of Sudan", + "Endemic reptiles of Sudan", + "Endemic amphibians of Sudan", + "Endemic invertebrates of Sudan", + "Endemic fauna of North Africa", + "Endemic fauna of the Sahel region" + ], + "Anseriformes or Paleogene animals of Antarctica or Quaternary birds of Oceania": [ + "Anseriformes", + "Paleogene animals of Antarctica", + "Quaternary birds of Oceania" + ], + "Gothic novels set in Europe but not on islands": [ + "Gothic novels", + "Gothic novels set in Europe", + "Novels set in continental Europe", + "Novels set on islands" + ], + "what are some Novels by Sonya Hartnett": [ + "Novels by Sonya Hartnett", + "Works by Sonya Hartnett", + "Australian novels", + "Young adult novels by Sonya Hartnett" + ], + "Flora of Belarus or Moldova": [ + "Flora of Belarus", + "Flora of Moldova", + "Flora of Eastern Europe" + ], + "what are Independent films that are also Films set in hospitals but not Films set in psychiatric hospitals": [ + "Independent films", + "Films set in hospitals", + "Films set in psychiatric hospitals" + ], + "books from 1779": [ + "Books by year", + "1779 books", + "18th-century books", + "1770s books", + "Books published in the 1770s" + ], + "Trees of Tabasco or Guadeloupe": [ + "Trees of Tabasco", + "Trees of Guadeloupe", + "Trees of Mexico", + "Trees of the Caribbean" + ], + "Plant common names, or Plants or sacred trees in Hinduism": [ + "Plant common names", + "Plants in Hinduism", + "Sacred trees in Hinduism", + "Religious plants in Hinduism" + ], + "Middle or South american Ordovician animals": [ + "Ordovician animals", + "Ordovician animals of Central America", + "Ordovician animals of South America", + "Paleozoic animals of Central America", + "Paleozoic animals of South America" + ], + "Books by Georges Simenon that aren't apart of a series": [ + "Books by Georges Simenon", + "Standalone novels by Georges Simenon", + "Non-series works by Georges Simenon", + "Maigret series by Georges Simenon", + "Other series by Georges Simenon" + ], + "History books about Turkey or the Ottoman Empire or that are 1835 non-fiction": [ + "History books", + "History books about Turkey", + "History books about the Ottoman Empire", + "1835 non-fiction books" + ], + "Paranormal Vampire romance novels that are not contemporary fantasy": [ + "Paranormal romance novels", + "Vampire romance novels", + "Paranormal vampire romance novels", + "Non-contemporary fantasy novels", + "Historical fantasy romance novels", + "Urban fantasy romance novels", + "Gothic romance novels" + ], + "Books about creativity as well as economics but not about companies": [ + "Books about creativity", + "Books about economics", + "Books about creativity and economics", + "Books about individuals' creative processes in economic contexts", + "Books about economic theory of innovation and creativity", + "Books about behavioral economics and creativity", + "Books about creativity and economics excluding company case studies", + "Books about creativity and economics excluding corporate management topics" + ], + "Non-extinct rhinoceroses": [ + "Extant rhinoceros species", + "Rhinoceroses by conservation status" + ], + "1970's harpercollins childrens books published posthumously.": [ + "HarperCollins children\u2019s books", + "1970s children\u2019s books", + "Posthumously published books", + "Children\u2019s books published posthumously", + "HarperCollins publications from the 1970s" + ], + "Birds found in the Turks and Caicos Islands or native birds from the Bahamas": [ + "Birds of the Turks and Caicos Islands", + "Birds of the Bahamas", + "Native birds of the Bahamas", + "Birds of the Caribbean" + ], + "Flora of Southeast Asia that are Fiber Plants": [ + "Flora of Southeast Asia", + "Fiber plants of Southeast Asia", + "Fiber plants", + "Flora of tropical Asia", + "Economic plants used for fiber" + ], + "what are 2004 German novels": [ + "2004 novels", + "2004 German novels", + "German-language novels", + "21st-century German novels", + "Novels by year of publication", + "German literature" + ], + "Canadian novels from 1985 or Robertson Davies novels": [ + "Canadian novels", + "Novels published in 1985", + "Canadian novels published in 1985", + "Novels by Robertson Davies", + "Canadian literature" + ], + "Films not based on work by William Shakespeare that are about kings": [ + "Films about kings", + "Films featuring monarchs", + "Films about royalty", + "Films based on works by William Shakespeare" + ], + "Desert plants used in traditional Native American medicine that are not from the Sonoran Deserts": [ + "Desert plants", + "Medicinal plants used in traditional Native American medicine", + "Plants used in Indigenous North American ethnobotany", + "Desert flora of North America excluding the Sonoran Desert", + "Plants of the Mojave Desert", + "Plants of the Chihuahuan Desert", + "Plants of the Great Basin Desert" + ], + "Flora of North America that are also Trees of western South America excluding Flora of Peru": [ + "Flora of North America", + "Trees of western South America", + "Flora of Peru" + ], + "Swedish sci-fic drama or German nonlinear narrative films": [ + "Swedish science fiction drama films", + "German nonlinear narrative films" + ], + "1925 Russian novels or Novels by Ivan Bunin": [ + "1925 Russian novels", + "Novels by Ivan Bunin" + ], + "Cenozoic birds of Asia or Africa or Paleogene birds of Asia": [ + "Cenozoic birds of Asia", + "Cenozoic birds of Africa", + "Paleogene birds of Asia" + ], + "Mammals that are from Samoa, New Caledonia, or American Somoa": [ + "Mammals of Samoa", + "Mammals of American Samoa", + "Mammals of New Caledonia", + "Mammals of Polynesia", + "Mammals of Melanesia", + "Mammals of the Pacific Islands" + ], + "1992 drama television films based on actual events": [ + "Drama television films", + "Television films released in 1992", + "Drama television films released in 1992", + "Television films based on actual events", + "Drama television films based on actual events" + ], + "Plants the Arctic, the United Kingdom, and the Caucasus have in common": [ + "Plants of the Arctic", + "Plants of the United Kingdom", + "Plants of the Caucasus", + "Plants common to Arctic and United Kingdom", + "Plants common to Arctic and Caucasus", + "Plants common to United Kingdom and Caucasus" + ], + "Duell Sloan and Pearce books or novels by Ana\u00efs Nin": [ + "Books published by Duell Sloan and Pearce", + "Novels published by Duell Sloan and Pearce", + "Works by Ana\u00efs Nin", + "Novels by Ana\u00efs Nin" + ], + "what are some Eocene fish of Europe or of Asia?": [ + "Eocene fish of Europe", + "Eocene fish of Asia", + "Eocene fish of Eurasia", + "Paleogene fish of Europe", + "Paleogene fish of Asia" + ], + "Israeli animated films or 1990s French animated films": [ + "Israeli animated films", + "French animated films", + "1990s animated films", + "1990s French films" + ], + "Non-social-psychological books about Africa and the Cold War": [ + "Books about Africa", + "Books about the Cold War", + "Books about Africa and the Cold War", + "Non-social-psychological books", + "Political history books about Africa", + "Military history books about Africa", + "International relations books about Africa during the Cold War" + ], + "1985 drama films set in Texas": [ + "Drama films", + "1985 films", + "Films set in Texas" + ], + "Novels by Thea von Harbou, Novellas by Stefan Zweig, or 1925 German-language novels": [ + "Novels by Thea von Harbou", + "Novellas by Stefan Zweig", + "1925 German-language novels" + ], + "Europe's late Jurassic plesiosaurs": [ + "Late Jurassic plesiosaurs", + "European marine reptiles of the Late Jurassic", + "Jurassic plesiosaurs of Europe", + "Late Jurassic fossils of Europe" + ], + "Fiction books from 1964 published by Doubleday": [ + "Fiction books", + "Fiction books published in 1964", + "Fiction books published by Doubleday", + "Books published in 1964", + "Books published by Doubleday" + ], + "Portuguese films in English or animated Spanish sci-fi films": [ + "Portuguese-language films", + "English-language films", + "Portuguese films", + "Animated films", + "Spanish-language films", + "Science fiction films", + "Animated Spanish-language science fiction films" + ], + "Pleistocene turtles or Miocene reptiles of Asia": [ + "Pleistocene turtles", + "Pleistocene reptiles", + "Pleistocene fauna of Asia", + "Miocene reptiles", + "Miocene reptiles of Asia", + "Fossil turtles of Asia", + "Asian prehistoric reptiles" + ], + "2010 non fiction books that are non LGBT related, but about sexuality": [ + "2010 non-fiction books", + "Non-fiction books about sexuality", + "Non-fiction books not related to LGBT topics", + "Books about human sexuality", + "Sexuality studies literature", + "2010 publications on sex and relationships" + ], + "what are Fauna of Tibet that also are both Holarctic and Fauna of South India": [ + "Fauna of Tibet", + "Holarctic fauna", + "Fauna of South India" + ], + "Endagered birds of the North Americas from 1893": [ + "Endangered birds", + "Endangered birds of North America", + "Endangered birds of the United States", + "Endangered birds of Canada", + "Birds listed as endangered in 1893", + "Bird species described in 1893", + "Historical conservation status of birds in North America" + ], + "North American Flora that is also western South America Flora": [ + "Flora of North America", + "Flora of Western South America", + "Plants native to both North and South America" + ], + "Children's books from Ireland or from 1916 or books published by O'Brien Press": [ + "Children's books", + "Children's books from Ireland", + "Irish children's literature", + "Books published in 1916", + "Books published by O'Brien Press" + ], + "Moths of Asia and Seychelles but not Mauritius": [ + "Moths of Asia", + "Moths of Seychelles", + "Moths of Mauritius", + "Moths of Africa" + ], + "2000s romantic thrillers that are not indian.": [ + "Romantic thriller films", + "2000s films", + "Indian films" + ], + "Single species plants that are ornamental plants and from the Pacific": [ + "Single-species plant genera", + "Ornamental plants", + "Ornamental plants native to the Pacific region", + "Plants of the Pacific Ocean islands", + "Plants of the Pacific Rim" + ], + "Plants that exist in Mexico, Peru, and Nigeria": [ + "Plants of Mexico", + "Plants of Peru", + "Plants of Nigeria", + "Plants native to both the Americas and Africa", + "Cosmopolitan plant species" + ], + "Novels set in the 1900s not based on real events": [ + "Novels set in the 1900s", + "Historical novels set in the early 20th century", + "Fictional narratives not based on real events", + "Novels not based on real historical events" + ], + "erotic drama films that are Australian": [ + "Erotic drama films", + "Australian films", + "Australian erotic drama films" + ], + "Flora of the Nearctic realm of Papuasia": [ + "Flora of the Nearctic realm", + "Flora of Papuasia", + "Flora by biogeographic realm", + "Flora by geographic region" + ], + "Fauna of Uzbekistan,Turkmenistan, or Amphibians of Mongolia": [ + "Fauna of Uzbekistan", + "Fauna of Turkmenistan", + "Amphibians of Mongolia" + ], + "British novels from 1934 that are set during WW1": [ + "British novels", + "Novels from 1934", + "Novels set during World War I", + "British novels from 1934", + "British novels set during World War I" + ], + "books from 1702": [ + "Books published in 1702", + "Books from the 1700s", + "Early 18th-century books", + "Works published in the 18th century", + "Books by year of publication" + ], + "what are some Endemic flora of Trinidad and Tobago or Monotypic Dioscoreales genera": [ + "Endemic flora of Trinidad and Tobago", + "Endemic plants of Trinidad and Tobago", + "Monotypic Dioscoreales genera", + "Monotypic genera in the order Dioscoreales" + ], + "Indian mystery action films that are not crime films": [ + "Indian films", + "Indian mystery films", + "Indian action films", + "Indian crime films" + ], + "Novels set in the 1940s published by Delacorte Press in the 1990s": [ + "Novels", + "Novels set in the 1940s", + "Novels published in the 1990s", + "Novels published by Delacorte Press" + ], + "Trees of China that are also of the Western Indian Ocean": [ + "Trees of China", + "Trees of the Western Indian Ocean", + "Trees of East Asia", + "Trees of the Indian Ocean islands", + "Trees of the Indian Ocean coastal regions" + ], + "Adventure films from 1944": [ + "Adventure films", + "1944 films", + "American adventure films", + "British adventure films" + ], + "Novels about terrorism set in Israel": [ + "Novels about terrorism", + "Novels set in Israel", + "Novels about terrorism set in Israel", + "Novels about Middle East conflicts" + ], + "Mammals that are also Cetaceans excluding Miocene mammals": [ + "Mammals", + "Cetaceans", + "Mammals that are Cetaceans", + "Non-Miocene mammals" + ], + "Animals of South America that were not mammals from the Eocene period": [ + "Animals of South America", + "Non-mammal animals of South America", + "Eocene animals", + "Non-mammal animals from the Eocene period", + "South American animals from the Eocene period" + ], + "2002 non-fiction children's books": [ + "Children's books", + "Non-fiction books", + "Children's non-fiction books", + "2002 children's books", + "2002 non-fiction books", + "Books published in 2002" + ], + "List trees of the Cayman Islands.": [ + "Trees of the Cayman Islands", + "Trees of the Caribbean", + "Trees of island ecosystems" + ], + "Animals of Mexico that are extinct or carnivorans that are extinct": [ + "Extinct animals of Mexico", + "Extinct carnivorans of Mexico", + "Extinct animals by country", + "Extinct carnivorans" + ], + "what areEndemic flora of Algeria or Trees of Algeria": [ + "Endemic flora of Algeria", + "Trees of Algeria", + "Flora of Algeria" + ], + "Trees from the Northwestern US that can't be found in Canada": [ + "Trees of the Northwestern United States", + "Trees of Washington (state)", + "Trees of Oregon", + "Trees of Idaho", + "Trees of the United States not present in Canada" + ], + "Senegalese documentary films,Senegalese short documentary films, or Mauritanian films": [ + "Senegalese documentary films", + "Senegalese short documentary films", + "Mauritanian films" + ], + "1929 films set in the Victorian era": [ + "1929 films", + "Silent and early sound films", + "Films set in the Victorian era", + "Period drama films", + "Black-and-white films" + ], + "Fantasy films from Austria or animated fantasy films from Germany": [ + "Fantasy films", + "Fantasy films from Austria", + "Animated films", + "Animated fantasy films", + "Animated fantasy films from Germany", + "German fantasy films" + ], + "Flora of Malaya that are also Endemic flora of Peninsular Malaysia excluding Trees of Malaya": [ + "Flora of Malaya", + "Endemic flora of Peninsular Malaysia", + "Endemic flora of Peninsular Malaysia that are part of the Flora of Malaya", + "Flora of Malaya excluding Trees of Malaya", + "Endemic non-tree flora of Peninsular Malaysia" + ], + "Birds of North America and Falconiformes (sensu lato) that are Fauna of northern South America": [ + "Birds of North America", + "Falconiformes sensu lato", + "Fauna of northern South America" + ], + "Plants found in the Cook Islands or the Line Islands, or native plants of the Cook Islands": [ + "Plants of the Cook Islands", + "Plants of the Line Islands", + "Native plants of the Cook Islands", + "Flora of the Cook Islands", + "Flora of the Line Islands" + ], + "what are Meropidae or Birds described in 1793?": [ + "Meropidae", + "Birds described in 1793" + ], + "Film franchises about murderers but not about stalking": [ + "Film franchises", + "Film franchises about murderers", + "Film franchises about serial killers", + "Crime film franchises", + "Horror film franchises", + "Thriller film franchises", + "Films about murderers that are not about stalking" + ], + "Novels set in Tucson Arizona or by David Foster Wallace": [ + "Novels set in Tucson, Arizona", + "Novels by David Foster Wallace" + ], + "1980s speculative fiction films that are Romance but not American": [ + "Speculative fiction films", + "Romance films", + "1980s films", + "Non-American films", + "1980s Romance films", + "1980s speculative fiction films" + ], + "Trees of Colombia and Brazil but Venezuela": [ + "Trees of Colombia", + "Trees of Brazil", + "Trees of South America", + "Trees of Venezuela" + ], + "New American Library Books about the military": [ + "Books published by New American Library", + "New American Library nonfiction books about the military", + "New American Library war novels", + "New American Library books about World War II", + "New American Library books about the Vietnam War", + "New American Library books about soldiers and military life", + "New American Library books about military history" + ], + "what are some Films set in Ankara": [ + "Films set in Ankara", + "Films set in Turkey", + "Films set in capital cities", + "Turkish-language films" + ], + "Demon novels excluding American vampire novels": [ + "Demon novels", + "Novels about demons", + "Horror novels about demons", + "Fantasy novels about demons", + "Non\u2011American demon fiction", + "Non\u2011vampire supernatural novels" + ], + "Novels about alien visitations excluding Novels about war and conflict": [ + "Novels about alien visitations", + "Science fiction novels about first contact", + "Novels featuring peaceful alien encounters", + "Novels featuring non-violent alien contact", + "Novels about aliens visiting Earth excluding war themes", + "Novels about alien visitations excluding military conflict", + "Novels about alien visitations excluding war and conflict" + ], + "2020s or South Korean political comedy or Indian political comedy-drama films": [ + "2020s films", + "South Korean political comedy films", + "Indian political comedy-drama films" + ], + "Films that are either Portuguese science fiction films or 2010s science fiction comedy-drama films": [ + "Portuguese science fiction films", + "Science fiction comedy-drama films", + "2010s science fiction films", + "2010s comedy-drama films" + ], + "Flora of Puerto Rico that are also both Flora of Central America and Ecuador": [ + "Flora of Puerto Rico", + "Flora of Central America", + "Flora of Ecuador", + "Flora of Puerto Rico that are also Flora of Central America", + "Flora of Puerto Rico that are also Flora of Ecuador", + "Flora of Central America that are also Flora of Ecuador", + "Flora of Puerto Rico that are also both Flora of Central America and Ecuador" + ], + "American business films shot in Italy": [ + "American business films", + "Business films", + "American films shot in Italy", + "Films shot in Italy" + ], + "Novels set in Norway excluding Norwegian novels": [ + "Novels set in Norway", + "Non-Norwegian novels set in Norway", + "Novels by country of author", + "Norwegian literature", + "Novels set in Europe" + ], + "what are Fauna of Masbate or Birds of Mindoro?": [ + "Fauna of Masbate", + "Birds of Masbate", + "Fauna of the Bicol Region", + "Fauna of the Philippines", + "Birds of Mindoro", + "Fauna of Mindoro", + "Birds of Mimaropa", + "Birds of the Philippines" + ], + "Quaternary animals or Paleogene amphibians of Europe": [ + "Quaternary animals of Europe", + "Paleogene amphibians of Europe" + ], + "Endemic fauna of Vietnam and Aquatic animals but not Amphibians of Asia": [ + "Endemic fauna of Vietnam", + "Aquatic animals", + "Amphibians of Asia" + ], + "Films shot in Siberia or a Czech historical comedy": [ + "Films shot in Siberia", + "Films shot in Russia", + "Czech historical comedy films", + "Historical comedy films", + "Czech films" + ], + "2015 drama films about astronomy and industries": [ + "2015 drama films", + "Drama films about astronomy", + "Drama films about industry and business", + "Films about astronomy", + "Films about industry and business" + ], + "1930s historical films set in the Southwestern United States": [ + "Historical films", + "1930s films", + "Historical films released in the 1930s", + "Films set in the Southwestern United States", + "Historical films set in the United States", + "1930s historical films set in the Southwestern United States" + ], + "Cuban novel based films": [ + "Films based on Cuban novels", + "Films based on novels by Cuban authors", + "Cuban literature adaptations", + "Spanish-language films based on novels", + "Latin American novel-based films" + ], + "Documentary films about elections that are not about American politics": [ + "Documentary films", + "Documentary films about elections", + "Documentary films about politics", + "Documentary films not about American politics" + ], + "Bats of the Philippines but not Oceania": [ + "Bats of the Philippines", + "Bats of Asia", + "Bats of Oceania" + ], + "are are some Flora of the Netherlands Antilles or Flora of Saint Vincent and the Grenadines": [ + "Flora of the Netherlands Antilles", + "Flora of Saint Vincent and the Grenadines" + ], + "Non-American speculative fiction novels from 1991": [ + "Speculative fiction novels", + "1991 novels", + "Speculative fiction novels published in 1991", + "Non-American speculative fiction", + "Speculative fiction novels by non-American authors" + ], + "Hedgehogs,Erinaceidae, or Gymnures": [ + "Hedgehogs", + "Erinaceidae", + "Gymnures" + ], + "what are some Carboniferous animals of Asia or Prehistoric arthropods of Asia or Paleozoic insects of Asia?": [ + "Carboniferous animals of Asia", + "Prehistoric arthropods of Asia", + "Paleozoic insects of Asia" + ], + "Vulnerable fishes of South Asia only found in Asia": [ + "Vulnerable fishes", + "Vulnerable fishes of South Asia", + "Vulnerable fishes of Asia", + "Endemic fishes of Asia", + "Endemic fishes of South Asia" + ], + "Films set in Tochigi Prefecture,Films set in Gunma Prefecture, or Films set in Atami": [ + "Films set in Tochigi Prefecture", + "Films set in Gunma Prefecture", + "Films set in Atami", + "Films set in Shizuoka Prefecture", + "Japanese films by setting" + ], + "Anime films from the 1910s or documentary films from 1938 or Japanese films that were rediscovered": [ + "Anime films", + "Anime films from the 1910s", + "Documentary films", + "Documentary films from 1938", + "Japanese films", + "Japanese films that were rediscovered" + ], + "Silent films about British sports and not about livestock": [ + "Silent films", + "Silent sports films", + "Silent films about British sports", + "Silent films not about livestock" + ], + "what are some 1940 science fiction novels?": [ + "Science fiction novels", + "Science fiction novels published in 1940", + "Novels published in 1940", + "20th-century science fiction novels" + ], + "American science fiction comedy films from 1953": [ + "Science fiction films", + "Comedy films", + "Science fiction comedy films", + "American films", + "1953 films", + "American science fiction films", + "American comedy films" + ], + "Trees of Eastern Canada not in Flora of the Great Lakes region.": [ + "Trees of Eastern Canada", + "Trees of Canada", + "Trees of the Great Lakes region", + "Flora of the Great Lakes region" + ], + "1903 or Spanish silent short films": [ + "Films released in 1903", + "Spanish silent short films" + ], + "BTS films": [ + "BTS (South Korean band)", + "Films featuring BTS", + "Documentary films about BTS", + "Concert films featuring BTS", + "K-pop music films" + ], + "Ion Idriess novels": [ + "Novels by Ion Idriess", + "Australian adventure novels", + "Australian historical novels", + "Books about Australian exploration" + ], + "Prehistoric toothed whales not from the Miocene period": [ + "Prehistoric toothed whales", + "Prehistoric toothed whales from the Miocene", + "Prehistoric toothed whales not from the Miocene", + "Prehistoric Eocene toothed whales", + "Prehistoric Oligocene toothed whales", + "Prehistoric Pliocene toothed whales", + "Prehistoric Paleogene toothed whales" + ], + "Films that are set in Jakarta, or, English-language Indonesian films or, South African biographical drama films.": [ + "Films set in Jakarta", + "English-language Indonesian films", + "South African biographical drama films" + ], + "2000s psychological horror films about murder and widowhood": [ + "Psychological horror films", + "2000s horror films", + "2000s psychological horror films", + "Horror films about murder", + "Horror films about widowhood" + ], + "War novels set in prison in Poland": [ + "War novels", + "Novels set during wartime", + "Novels set in prisons", + "Novels set in Poland", + "War novels set in prisons" + ], + "Shrubs used in traditional Native American medicine": [ + "Shrubs used in traditional Native American medicine", + "Medicinal shrubs used by Indigenous peoples of North America", + "Native American ethnobotanical shrubs", + "North American medicinal plants used by Native American tribes", + "Shrubs used in traditional Indigenous herbal medicine in North America" + ], + "Television films in Dutch or Bosnian genocide films or Siege of Sarajevo documentary films": [ + "Television films in Dutch", + "Bosnian genocide films", + "Siege of Sarajevo documentary films" + ], + "Oceanian realm flora that is both Apiaceae genera and Pantropical flora": [ + "Oceanian realm flora", + "Apiaceae genera", + "Pantropical flora", + "Oceanian realm flora that are Apiaceae genera", + "Oceanian realm flora that are Pantropical", + "Apiaceae genera that are Pantropical flora", + "Oceanian realm flora that are both Apiaceae genera and Pantropical flora" + ], + "Books about monarchs but not about France": [ + "Books about monarchs", + "Books about royalty", + "Books about kings and queens", + "Books about European monarchs (excluding France)", + "Books about non-European monarchs", + "Historical biographies of monarchs", + "History books on monarchies", + "Books about royal dynasties (excluding France)" + ] + }, + "intermediate_concepts": [ + "Historical films", + "Films from the 1900s", + "Argentine films", + "Lost films", + "Argentine lost films", + "Anime films from 1978", + "Anime films from 1980", + "Space Battleship Yamato films", + "Orchids of Guizhou", + "Flora of Guizhou", + "Flora of Jiangxi", + "Orchids of China", + "Flora of China", + "Pantropical flora", + "Pantropical flora of Liberia", + "Aquatic plants", + "Aquatic plants of Liberia", + "Aquatic pantropical plants", + "Endemic animals of Oman", + "Endemic mammals of Oman", + "Endemic reptiles of Oman", + "Endemic amphibians of Oman", + "Endemic birds of Oman", + "Endemic invertebrates of Oman", + "Fauna of Oman", + "Bulgarian short films", + "Felix the Cat films", + "Bulgarian animated films", + "Fauna of the Oceanian realm", + "Moths of the Oceanian realm", + "Fauna of Japan", + "Moths of Japan", + "Cetaceans", + "Prehistoric mammals", + "Cetaceans that are prehistoric mammals", + "Miocene mammals", + "Novels about legendary creatures", + "Novels featuring legendary or mythological beings as central characters", + "Paranormal romance novels", + "Novels that are both about legendary creatures and paranormal romance", + "Novels that are not contemporary fantasy", + "Filtering out contemporary fantasy genre from paranormal romance with legendary creatures", + "Spanish animated science fiction films", + "Spanish action comedy films", + "Animated short films based on comics", + "Novels by Ernst J\u00fcnger", + "Works by Ernst J\u00fcnger", + "German novels", + "20th-century German novels", + "Crime novels", + "Historical crime novels", + "Novels set in the Middle Ages", + "Novels set in Europe", + "Novels set in Italy", + "Flora of Niue", + "Flora of the Line Islands", + "Flora of the Pitcairn Islands", + "Birds called robin", + "European robin (Erithacus rubecula)", + "American robin (Turdus migratorius)", + "Robin species in the family Turdidae", + "Robin species in the family Muscicapidae", + "Films set in Dhaka", + "Political thriller films", + "Crime thriller films", + "Bangladeshi films", + "Bangladeshi political thriller films", + "Bangladeshi crime thriller films", + "Honeyguides (family Indicatoridae)", + "Birds associated with honey hunting", + "Birds that eat beeswax and insect larvae in bee nests", + "Bird species that guide humans or animals to bee hives", + "2000 books", + "English-language books", + "Books about the United Kingdom", + "Flora of Sinaloa", + "Flora of North America", + "Flora of Northeastern Mexico", + "Plants of the Cayman Islands", + "Flora of the Cayman Islands", + "Plants of the Netherlands Antilles", + "Flora of the Netherlands Antilles", + "Films based on works by Alexander Ostrovsky", + "Russian films based on plays", + "Films based on stage plays", + "Films based on works by Russian playwrights", + "Books in English", + "Books published by Constable & Robinson", + "Books not about Europe", + "Books published in 1560", + "Books published in 1564", + "Books published in 1574", + "16th-century books", + "Anti-fascist books", + "Books about fascism", + "Books about the Oedipus complex", + "Psychoanalytic theory books", + "Political ideology in literature", + "Endemic flora of the United States", + "Endemic flora of Washington (state)", + "Flora of Washington (state)", + "Flora of the Northwestern United States", + "Flora of British Columbia", + "Insects of West Africa", + "Insects of Cape Verde", + "Insects of West Africa that are also found in Cape Verde", + "Dutch war films", + "Swiss war films", + "War films from 1945", + "Fauna of Mexico", + "Fauna of the Great Lakes region (North America)", + "Fauna of the Eastern United States", + "Species occurring in both Mexico and the Great Lakes region", + "Species occurring in both Mexico and the Eastern United States", + "Species shared among Mexico, the Great Lakes region, and the Eastern United States", + "Historical epic films", + "Social issues films", + "Films about families", + "Drought-tolerant plants", + "Drought-tolerant crops", + "Plants of the Southeastern United States", + "Crops of the Southeastern United States", + "Plants used in Native American cuisine", + "Crops used in Native American cuisine", + "Edible native plants of the Southeastern United States", + "Fiction books", + "Books published in the 2000s", + "Books published in the year 2000", + "Novels set in Ontario", + "Canadian fiction", + "Novels", + "1999 novels", + "Books published in 1999", + "Headline Publishing Group books", + "Novels by Headline Publishing Group", + "British supernatural films", + "British horror films", + "British ghost films", + "Films set in hospitals", + "Supernatural films set in hospitals", + "Mammals of South America", + "Western American coastal fauna", + "Coastal mammals of South America", + "Coastal fauna of western North America", + "Mammals of the Americas", + "Freshwater animals", + "Freshwater animals of Africa", + "Freshwater animals of South America", + "Freshwater animals found in both Africa and South America", + "Transcontinental freshwater species (Africa and South America)", + "Endemic flora of Algeria", + "Endemic flora of Morocco", + "Endemic plants of North Africa", + "Monotypic Amaryllidaceae genera", + "Species-rich vs monotypic genera in Amaryllidaceae", + "Flora of the Solomon Islands (archipelago)", + "Angiosperms of the Solomon Islands (archipelago)", + "Flora of the Solomon Islands", + "Angiosperms by geographic region", + "Trees of the Western United States", + "Trees of the Northwestern United States", + "Trees of the United States", + "Trees of Mexico", + "1999 Japanese novels", + "Japanese novels published in 1999", + "Novels by Miyuki Miyabe", + "Works by Miyuki Miyabe", + "Japanese novels of the late 1990s", + "2021 films", + "2021 documentary films", + "Rock music documentary films", + "American documentary films", + "American rock music films", + "Films based on works by Bob Kane", + "Films based on DC Comics", + "Live-action films based on DC Comics", + "Films based on Batman comics", + "Non-animated films based on comic books", + "Books published in 1947", + "Science books", + "Linguistics books", + "Non-fiction books", + "Academic books", + "Books about science of language", + "Martial arts films", + "1999 films", + "Professional wrestling films", + "Sports films about women", + "Women in combat sports", + "Political novels", + "Novels set in Russia", + "Russian political fiction", + "Non-speculative political novels", + "Political novels by setting", + "Political novels by genre", + "Plant species of Colombia", + "Plant species of Central America", + "Plant species of northern South America", + "Moths of Guadeloupe", + "Insects of Guadeloupe", + "Arthropods of Guadeloupe", + "Books by Dave Eggers", + "Novels by Dave Eggers", + "Non-fiction books by Dave Eggers", + "Short story collections by Dave Eggers", + "Books published by McSweeney's (Dave Eggers)", + "History books", + "Military books", + "History books about Asia", + "Military history books", + "Books published in the 1990s", + "1990s history books", + "1990s military history books", + "Flora of Brunei", + "Flora of East Timor", + "Flora of Brunei or East Timor", + "Films set in France", + "Films set in medieval England", + "Films set in multiple European countries", + "Films shot in Europe", + "Medieval period films", + "Animals of the Palearctic realm", + "Animals of Indonesia", + "Animals of Borneo", + "Hong Kong action films", + "Hong Kong films", + "Action films set in 1948", + "Films set in 1948", + "Period action films", + "Chinese-language action films", + "Caribbean flora", + "Mammals of Barbados", + "Mammals of Antigua and Barbuda", + "Mammals of the Lesser Antilles", + "Mammals of the Caribbean", + "Mammals of Bhutan", + "Mammals of South Asia", + "Mammals of the Indian subcontinent", + "Mammals of East Asia", + "1989 films", + "1989 animated films", + "1989 American films", + "American children's animated films", + "Animated films about social issues", + "Children's films about social issues", + "Books of India", + "Indian books", + "1959 books", + "20th-century Indian books", + "Medicinal shrubs", + "Shrubs used in traditional medicine", + "Shrubs with pharmacological properties", + "Shrubs containing medicinal secondary metabolites", + "Herbal remedy shrubs", + "1940s crime films", + "British crime films", + "Crime films set in England", + "American crime novels", + "1990 novels", + "1990 American novels", + "Flora of Japan", + "Flora of Finland", + "Plants occurring in both Japan and Finland", + "Flora of East Asia", + "Flora of Northern Europe", + "Biographical films", + "Biographical films released in 2015", + "Biographical films about military leaders", + "War films released in 2015", + "Biographical war films", + "Stoloniferous plants", + "Stoloniferous crops", + "Plants originating from Bolivia", + "Crops originating from Bolivia", + "Cricket films", + "Sports films", + "Cricket films set outside India", + "Cricket films set in the United Kingdom", + "Cricket films set in Australia", + "Cricket films set in the Caribbean", + "Non-fiction books about elections", + "Books about elections outside North America", + "Books about politics and government", + "Books about democracy and electoral systems", + "Books about comparative politics", + "Books about international elections", + "Jungle adventure films", + "Adventure sequel films", + "Jungle films that are sequels", + "Adventure film franchises set in jungles", + "Adventure films that are not Tarzan films", + "Novels by Aleksey Pisemsky", + "Works by Aleksey Pisemsky", + "Russian novels of the 19th century", + "Bibliography of Aleksey Pisemsky", + "Indian films", + "Indian musical films", + "1940s Indian films", + "1946 films", + "1946 musical films", + "Dance films", + "Coming-of-age comedy films", + "Dance and coming-of-age comedy hybrid films", + "Films shot in Ontario", + "Canadian-filmed coming-of-age comedies", + "Canadian-filmed dance movies", + "1997 novels", + "1997 Irish novels", + "1997 Canadian novels", + "Irish novels", + "Canadian novels", + "Novels by Kenneth Oppel", + "Supernatural thriller films", + "Thriller films with supernatural elements", + "Indian supernatural thriller films", + "Telugu-language supernatural thriller films", + "Films shot in Andhra Pradesh", + "Films shot in Visakhapatnam", + "Films shot in Hyderabad and surrounding regions", + "Indian films by shooting location", + "Novels set in Paris", + "Novels set in France", + "1936 books", + "1930s novels", + "Films set in 1853", + "Films set in 1857", + "Films set in the 1850s", + "Period dramas set in the 19th century", + "Trees of Tabasco", + "Trees of Campeche", + "Trees of Guadeloupe", + "2010s films", + "American films", + "Neo-noir films", + "Crime drama films", + "American crime drama films", + "American neo-noir films", + "2010s crime drama films", + "2010s American films", + "2010s American crime drama films", + "2010s American neo-noir films", + "Rodents of China", + "Rodents of Borneo", + "Rodents of Asia", + "Mammals of China", + "Mammals of Borneo", + "Mammals of Asia", + "Danish films", + "Danish sequel films", + "Finnish films", + "Finnish sequel films", + "Nordic sequel films", + "Vultures", + "Eocene reptiles of South America", + "Extinct animals of Peru", + "Late Ordovician animals", + "Paleozoic cephalopods of Asia", + "Paleozoic animals of Oceania", + "Plants endemic to Nihoa", + "Extinct plants of Hawaii", + "Endemic plants of Hawaii", + "Plants of the Northwestern Hawaiian Islands", + "Extinct animals of Madagascar", + "Non-prehistoric animals of Madagascar", + "Non-prehistoric animals of Africa", + "African animals extinct in Madagascar", + "Modern (Holocene) African fauna lost from Madagascar", + "Books published by Hutchinson (German-language)", + "Books based on actual events", + "Non-fiction books based on real events", + "Historical novels based on true stories", + "Biographical books based on real people", + "DC Comics adapted films", + "Superhero films", + "Films based on comic books", + "1950s films", + "Potatoes", + "Crops originating from Paraguay", + "Crops native to South America", + "Andean root and tuber crops", + "World War I", + "Documentary films", + "World War I documentary films", + "War documentary films", + "Historical documentary films", + "Fantasy novels", + "1980s fantasy novels", + "LGBT-related novels", + "LGBT-related fantasy novels", + "1980s LGBT-related novels", + "Harriet Beecher Stowe adaptations", + "Films based on works by Harriet Beecher Stowe", + "Parody films", + "1930s films", + "1930s parody films", + "1930s films based on literature", + "Birds of Canada", + "Birds of South America", + "Fauna of South America", + "Fauna of the Amazon", + "Flora of Zambia", + "Flora of Tanzania", + "Flora of Zambia and Tanzania", + "Flora of Democratic Republic of the Congo", + "Plants of Dominica", + "Flora of Dominica", + "Plants of Barbados", + "Flora of Barbados", + "Plants of the Lesser Antilles", + "Procellariiformes", + "Late Cretaceous dinosaurs", + "Cretaceous birds", + "Late Cretaceous fossils", + "Prehistoric Procellariiformes", + "Films set in the Dutch Golden Age", + "Dutch biographical drama films", + "Biographical films about Rembrandt", + "Prehistoric reptiles of North America", + "Birds of Panama", + "Bird species described in 1865", + "Books published in 2015", + "Novels published in 2015", + "Fiction about racism", + "Novels about racism", + "Books about racism", + "American science fiction novels", + "Science fiction novels set in Europe", + "Fiction not based on actual events", + "American novels not based on actual events", + "Spy novels", + "Espionage fiction set in North America", + "Military-themed spy novels", + "Spy novels involving the armed forces", + "Cold War spy novels in North America", + "Contemporary espionage thrillers set in North America", + "British historical novels", + "Historical novels by British authors", + "G. P. Putnam's Sons books", + "Historical novels published by G. P. Putnam's Sons", + "Novels published in 2005", + "German-language novels published in 2005", + "Novels adapted into plays", + "Stage adaptations of novels", + "Novels by Daniel Kehlmann", + "Beetles of North Africa", + "Beetles of the Maghreb", + "Beetles of Algeria", + "Beetles of Tunisia", + "Beetles of Morocco", + "Beetles of Libya", + "Beetles of Egypt", + "Beetles of Africa", + "Beetles not found in Europe", + "Comedy films", + "1979 films", + "1970s comedy films", + "Films about the arts", + "Comedy films about the arts", + "Flora of Chile", + "Magnoliid genera", + "Flora of Chile that are Magnoliid genera", + "Children's books", + "Children's novels", + "Children's fiction set on ships", + "Novels set on ships", + "Children's seafaring adventure novels", + "Horror films", + "Horror films by country", + "Serbian films", + "Serbian horror films", + "Religious fiction", + "Religious fiction about death", + "Christian fiction about death", + "Spiritual themes of the afterlife in fiction", + "Novels about death and faith", + "Faith-based coping with death in fiction", + "Birds described in 1957", + "Endemic birds of Panama", + "Insects of Afghanistan", + "Afghan arthropods", + "Insects of Central Asia", + "Insects of South-Central Asia", + "Endemic insects of Afghanistan", + "Pinnipeds of Africa", + "Pinnipeds of Oceania", + "Monachines", + "Pinnipeds of the Southern Hemisphere", + "Films set in Ni\u0161", + "Films set in Serbia", + "Films set in the Balkans", + "Novels set in Bahia", + "Brazilian crime novels", + "Films set in Samarkand", + "Films set in Uzbekistan", + "Films based on A Tale of Two Cities", + "Novels by Ann Radcliffe", + "Novels published in 1789", + "Fauna of the Caribbean", + "Fauna of East Asia", + "Fantasy novels published in 1991", + "Fantasy novels by fictional universe", + "1991 novels by fictional universe", + "Fantasy literature organized by setting or universe", + "Novels set in shared fictional universes", + "Books about extraterrestrial life", + "Science fiction novels about extraterrestrial life", + "1982 novels", + "1980s science fiction novels", + "Cultural geography", + "Non-psychological cultural geography", + "Human geography (non-psychological focus)", + "Books about cultural landscapes", + "Books about spatial aspects of culture", + "Books on cultural regions and place identity (non-psychological)", + "Flora of Pakistan", + "Flora of India", + "Flora of Southeast Asia", + "Endemic fauna of New Zealand", + "Cenozoic animals of Oceania", + "Books about New Brunswick", + "Non-fiction books about New Brunswick", + "History books about New Brunswick", + "Travel guides to New Brunswick", + "Canadian provincial studies books", + "Books set in New Brunswick", + "Aquatic carnivorous plants", + "Carnivorous plants of North America", + "Aquatic plants of North America", + "Freshwater carnivorous plants", + "Bog and wetland carnivorous plants", + "Gliding reptiles", + "Gliding reptiles of Malaysia", + "Gliding reptiles of South Asia", + "Reptiles of Malaysia", + "Reptiles of South Asia", + "Mammals of Lesotho", + "Mammals of Southern Africa", + "Books published in 1552", + "Books published in 1559", + "Danish black-and-white films", + "Black-and-white speculative fiction films", + "Films based on speculative fiction books", + "Danish films based on books", + "Danish speculative fiction films", + "Prehistoric toothed whales", + "Non-Miocene prehistoric toothed whales", + "Prehistoric toothed whales by geologic period", + "Eocene toothed whales", + "Oligocene toothed whales", + "Pliocene toothed whales", + "Novels about poverty", + "Fiction about economic hardship", + "Fiction about social inequality", + "Fiction about working-class life", + "Novels not set in the 1930s", + "Rediscovered Japanese films", + "Japanese films", + "Rediscovered films", + "1938 documentary films", + "1930s documentary films", + "Documentary films about Kentucky", + "Documentary films about U.S. states", + "Birds by year of description", + "Birds described in 1961", + "Bird taxa introduced in 1961", + "Films set in Asia", + "Films about psychic powers", + "Non-science fiction films", + "Fantasy films set in Asia", + "Supernatural drama films set in Asia", + "2010s books", + "2010s non-fiction books", + "German-language non-fiction books", + "Non-fiction books published in Germany", + "German-language books", + "Books by decade of publication", + "Books published in 1974", + "Nonfiction books about the American Revolution", + "Historical books about the American Revolution", + "Books about United States history", + "Flora of Maryland", + "Plants of the Mid-Atlantic United States", + "Flora of the Eastern United States", + "Flora of the United States", + "Fauna of Mauritius", + "Fauna of East Africa", + "Birds of Oceania", + "Japanese LGBT novels", + "LGBT novels", + "Shueisha novels", + "Novels by Yukio Mishima", + "Japanese novels", + "Flora of Bermuda", + "Trees of Bermuda", + "Holocaust films", + "Legal drama films", + "Courtroom films", + "Revenge films", + "War crimes trial films", + "Films about Holocaust survivors", + "Plum cultigens", + "Food plant cultivars", + "Maize varieties", + "Monotypic angiosperm genera", + "Monotypic angiosperm families", + "Edible plants", + "Edible angiosperms", + "Plants of the United States", + "2000s films", + "Nonlinear narrative films", + "American sports films", + "Sports films released in the 2000s", + "Children's history books", + "Children's history books by non-American authors", + "Children's history books published outside the United States", + "Children's history books about non-American history", + "Children's history books excluding American history", + "Plants of Great Britain", + "Plants of the United Kingdom", + "Flora of Great Britain and Ireland", + "Plants of North America", + "Plants common to Europe and North America", + "Novels published in 1908", + "British novels", + "Fantasy novels published in 1908", + "British novels published in 1908", + "Pliocene reptiles of North America", + "Fauna of Svalbard", + "Birds of Greenland", + "Birds of Saint Lucia", + "Birds of Dominica", + "Birds of Guadeloupe", + "Birds of the Lesser Antilles", + "Birds of the Caribbean", + "Flora of Eastern Asia", + "Flora of New Zealand", + "Novels by Stephen King", + "1996 novels", + "Stephen King novels published in the 1990s", + "Extinct Hemiptera", + "Extinct insects", + "Fossil Hemiptera", + "Extinct true bugs", + "2010s documentary films", + "Documentary films set in New York City", + "Documentary films about urban studies", + "Spanish science fiction comedy films", + "Spanish science fiction films", + "Spanish comedy films", + "2000s British animated films", + "British animated films", + "2000s animated films", + "2010s novels", + "Novels about technology", + "Novels about non-computing technology", + "21st-century novels", + "1981 children's novels", + "British children's novels", + "1980s British children's novels", + "1981 British novels", + "Children's fiction novels", + "British fiction novels", + "Birds described in 1872", + "Bird species described in the 19th century", + "Birds not found in Asia", + "Birds by year of formal description", + "Non-Asian bird taxa", + "Late Devonian plants", + "Mississippian plants", + "Paleozoic plants", + "Mammals of Guadeloupe", + "Novels set in Nanjing", + "Novels set in Hebei", + "Novels set in Jiangsu", + "Novels set in China", + "Marine animals of Canada", + "Marine animals of the Eastern United States", + "Marine animals of the North Atlantic Ocean", + "Marine fauna shared by Canada and the Eastern United States", + "Czech thriller drama films", + "Belgian mystery films", + "German animated science fiction films", + "Green algae", + "Orders of Chlorophyta", + "Orders of Charophyta", + "Taxonomic orders of green plants", + "Algal taxonomy", + "Prehistoric turtles of Asia", + "Pleistocene reptiles of Asia", + "Miocene reptiles of Asia", + "Prehistoric reptiles of Asia", + "Insects of the Late Cretaceous", + "Insects of the Cretaceous", + "Fossil insects", + "Prehistoric insects", + "Late Cretaceous fauna", + "Birds of Africa", + "Birds of Western Asia", + "Birds of Africa and Western Asia", + "Prehistoric European reptiles", + "Holarctic birds", + "Birds of Bolivia", + "Birds of the Guianas", + "American books", + "American religious books", + "Books based on the Bible", + "Christian-themed books", + "Books about Judaism", + "Birds of the Himalayas", + "Birds described in 1859", + "19th-century bird species descriptions", + "Asian mountain bird species", + "Books published in 1839", + "19th-century non-fiction books", + "1830s non-fiction books", + "Birds of the Cerrado", + "Birds of the Atlantic Ocean", + "Seabirds of the Atlantic Ocean", + "Birds of Central America", + "Speculative fiction novels", + "Spanish-language novels", + "Speculative fiction novels in Spanish", + "Speculative fiction novels from the 2000s", + "Spanish-language novels from the 2000s", + "American action thriller films", + "British drama films", + "Aviation films", + "Action thriller films about aviation", + "Drama films about aviation", + "Amphibians of Nicaragua", + "Amphibians of Central America", + "Amphibians of Honduras", + "Books about Islamic fundamentalism", + "Books about Islamic movements", + "Non-fiction books about political Islam", + "Books about Islamic extremism", + "Books about Islamism and society", + "Orchids of Peru", + "Flora of Peru", + "Orchids of South America", + "Flora of South America", + "Flora of Ecuador", + "Marsupials of Oceania", + "Fauna of New South Wales", + "Mammals of South Australia", + "Books about African-American history", + "Non-fiction books about African Americans", + "Non-fiction books about African-American history", + "Books adapted into films", + "Non-fiction books adapted into films", + "Books about African-American history adapted into films", + "Non-fiction African-American history books adapted into films", + "Czech films", + "Czech drama films", + "Czech coming-of-age films", + "Czech coming-of-age drama films", + "Czech war comedy films", + "Coming-of-age films", + "War comedy films", + "Fauna of the Australasian realm", + "Fauna of New Guinea", + "Passeriformes of New Guinea", + "Australasian realm Passeriformes", + "Birds of New Guinea", + "Neotropical realm flora", + "Flora of the Northeastern United States", + "Flora of Canada", + "Novels set in Vietnam", + "Non-war novels set in Vietnam", + "Vietnamese contemporary life novels", + "Vietnamese family saga novels", + "Vietnamese historical novels not focused on war", + "Literary fiction set in Vietnam", + "Novels about everyday life in Vietnam", + "1991 novels", + "Novels set in Iceland", + "Garden plants of North America", + "Garden plants of the United States", + "Flora of the Mid-Atlantic United States", + "Flora of the North-Central United States", + "Paranormal novels", + "American vampire novels", + "Contemporary fantasy novels", + "Indian sports films", + "Indian films about sports other than cricket", + "Indian films about football (soccer)", + "Indian films about hockey", + "Indian films about wrestling", + "Indian films about boxing", + "Indian films about athletics and running", + "Indian films about kabaddi", + "Indian biographical sports films excluding cricket", + "Fiction novels", + "Novels published in 1982", + "Novels set in England", + "Fiction set in England", + "Adventure films", + "Films set in the Southwestern United States", + "Films set in the United States", + "Films not set in California", + "Urban guerrilla warfare handbooks", + "Guerrilla warfare manuals", + "Insurgency and guerrilla tactics training guides", + "AK Press publications", + "AK Press books on radical politics and activism", + "Crime parody films", + "1980s films", + "Films based on mythology", + "Parody films based on mythology", + "1980s crime films", + "Nigerian romantic drama films", + "Nigerian drama films", + "Nigerian romance films", + "Films produced in Nigeria", + "Romantic drama films", + "Books by Eric S. Raymond", + "Books about Unix", + "Books about Unix operating system", + "Books about Unix history and culture", + "Fabales genera", + "Fabales genera used as forage", + "Fabales genera that are angiosperms", + "Forage plants", + "Forage legumes", + "Angiosperm genera", + "Birds of Chile", + "Birds of Peru", + "Fauna of the Guianas", + "Irish action films", + "Films shot in Gauteng", + "South African science fiction action films", + "Films set in the Middle Ages", + "Fantasy comedy films", + "American fantasy-comedy films", + "Children's book series", + "Children's novellas", + "Novella-length children's fiction", + "Series of novellas for children", + "Extinct animals of Cuba", + "Extinct animals of Jamaica", + "Extinct animals of the Caribbean", + "Extinct animals by country", + "Irish slasher films", + "Irish supernatural horror films", + "Swedish comedy horror films", + "Flora of Grenada", + "Flora of Saint Kitts and Nevis", + "Flora of Martinique", + "Flora of the Lesser Antilles", + "Flora of the Caribbean", + "Marine fauna of North Africa", + "Marine fauna by region", + "Fauna of North Africa", + "Marine fauna not in the Palearctic realm", + "Palearctic fauna", + "Cactus subfamily Opuntioideae", + "Opuntioideae genera", + "Opuntioideae species", + "Prickly pear cacti (Opuntia)", + "Cholla cacti (Cylindropuntia)", + "Tephrocactus and related opuntioids", + "American drama films", + "1950s drama films", + "1950s American films", + "Adventure drama films", + "Transport-themed films", + "Indian crime films", + "Indian heist films", + "Indian films about theft", + "Indian films with nonlinear narrative", + "Fauna of Southeast Asia", + "Insects of Indonesia", + "Lepidoptera of New Guinea", + "Insects of Southeast Asia", + "Lepidoptera of Indonesia", + "Lepidoptera of Southeast Asia", + "Volleyball films", + "Team sports films", + "Beach volleyball in film", + "Extinct animals", + "Extinct birds", + "Birds described in 1860", + "Animals described in 1860", + "Israeli films", + "Israeli sequel films", + "Films based on autobiographical novels", + "Autobiographical novels adapted into films", + "Orchids of Indonesia", + "Orchids of Malaysia", + "Orchids of Southeast Asia", + "Orchids of Thailand", + "Antarctic flora", + "Plants of Antarctica", + "Terrestrial plants of Antarctica", + "Native Antarctic plant species", + "Flora of subantarctic islands", + "2012 films", + "Fantasy films", + "Israeli documentary films", + "Israeli fantasy films", + "2010s Israeli films", + "Films about ageing", + "Hispanic and Latino American films", + "Psephotellus", + "Platycercini", + "Broad-tailed parrots", + "Canadian television shows", + "Canadian period television series", + "Television shows set in antiquity", + "Historical television series set in ancient times", + "Canadian historical television series", + "Ming dynasty novels", + "Chinese historical novels", + "Historical novels set in imperial China", + "Malayalam-language films", + "Malayalam thriller films", + "Malayalam drama films", + "Malayalam thriller drama films", + "Films remade in other languages", + "Malayalam films remade in other languages", + "Films based on novellas", + "Films not about disability", + "Films based on literary works", + "Films based on short fiction", + "1910 films", + "Silent films from 1910", + "Films set in New York (state)", + "1910s films", + "Silent crime drama films", + "Non-American films", + "European crime drama films", + "Asian crime drama films", + "Documentary films about nature", + "Documentary films about animals", + "Documentary films about marine life", + "Documentary films about biology", + "Debut fiction books", + "1980 fiction books", + "1980 debut novels", + "1980s debut fiction", + "Debut books by year", + "Chinese-language novels", + "Chinese-language romance novels", + "Chinese-language novels about marriage", + "Chinese-language contemporary fiction about relationships", + "Chinese-language family drama novels", + "North American films", + "1970s films", + "1970s biographical films", + "1970s drama films", + "Documentary films about Afghanistan", + "Documentary films about jihadism in Afghanistan", + "Beetles of Europe", + "Animals of Aruba", + "Mammals of Aruba", + "Birds of Aruba", + "Reptiles of Aruba", + "Amphibians of Aruba", + "Fish of Aruba", + "Invertebrates of Aruba", + "Endemic fauna of Aruba", + "Fauna of the ABC islands (Aruba, Bonaire, Cura\u00e7ao)", + "Indian novels", + "Novels by Bankim Chandra Chattopadhyay", + "Plays based on novels", + "Adaptations of Indian literature", + "Flora of the Prince Edward Islands", + "Flora of the Kerguelen Islands", + "Cushion plants", + "Extinct animals of Australia", + "Extinct animals of South Australia", + "Vertebrates of Western Australia", + "Mammals of Western Australia", + "Flora of Oaxaca", + "Flora of southern South America", + "Flora of Mexico", + "British sports films", + "Silent or non-verbal sports films", + "British silent films", + "Sports films not about horse racing", + "Non-dialogue-driven sports films", + "British films by sport other than horse racing", + "Dutch crime comedy films", + "Dutch romantic comedy films", + "Dutch comedy films", + "Crime comedy films by country", + "Romantic comedy films by country", + "Novels set in Manitoba", + "Novels set in Canada", + "Books published in 2001", + "Books published by Bloomsbury Publishing", + "Non-fiction books published by Bloomsbury in 2001", + "Films based on works by Stephen King", + "Non-American films based on works by Stephen King", + "Non-horror films based on works by Stephen King", + "American films based on works by Stephen King", + "American horror films based on works by Stephen King", + "Animals of Hispaniola", + "Animals extinct in North America", + "Extinct animals of North America that occur on Hispaniola", + "Non-arthropod animals of Hispaniola", + "Non-fiction mathematics books", + "Mathematics books published in 2012", + "2012 non-fiction books", + "21st-century mathematics books", + "Birds described in 1970", + "Books about genocide", + "Books about mass atrocities and ethnic cleansing", + "Books about crimes against humanity", + "Books about human rights abuses", + "Books about peace and conflict studies (excluding war-focused works)", + "Trees of Papuasia", + "Trees of Melanesia", + "Mammals of Tonga", + "Mammals of New Caledonia", + "Rodents of Pakistan", + "Books published in 1760", + "Fantasy novels published in the 1760s", + "Birds described in 1940", + "Birds discovered in the 1940s", + "Birds documented in 1940 scientific literature", + "Bird species first recorded in 1940", + "Bird taxa named in 1940", + "Novels by Robert B. Parker", + "Novels set in Massachusetts", + "Novels not set in Massachusetts", + "Crime novels by Robert B. Parker", + "Mystery novels by Robert B. Parker", + "History books about the Balkans", + "History books about Turkey", + "History books about Southeast Europe", + "History books about the Ottoman Empire", + "History books about modern Balkan history", + "History books about modern Turkish history", + "Rodents of Malaysia", + "Rodents endemic to Malaysia", + "Rodents of Indonesia", + "Crocodilians of South America", + "Crocodiles of South America", + "Alligators of South America", + "Caimans of South America", + "Reptiles of South America", + "Crops of Paraguay", + "Agriculture in Paraguay", + "Cash crops in Paraguay", + "Food crops in Paraguay", + "Crops of South America", + "Teen romance films", + "Romance films about teenagers", + "Films shot in the United Kingdom", + "Drama films", + "2007 films", + "Indigenous cinema", + "Non-Indian Indigenous films", + "Indigenous drama films released in 2007", + "Children's animated films", + "American animated films", + "Historical animated films", + "Animated films set in the 1870s", + "19th-century period animated films", + "American children's films", + "Endemic fauna of the Virgin Islands", + "Endemic fauna of the United States Virgin Islands", + "Endemic fauna of the British Virgin Islands", + "Amphibians of the Virgin Islands", + "Amphibians of the Caribbean", + "Trees of Central America", + "Trees of Mexico and Central America", + "Monotypic eudicot genera", + "2009 Indian novels", + "Indian historical novels in English", + "Indian English-language novels", + "Historical novels in English", + "Vampire films", + "2003 films", + "Black comedy films", + "2003 black comedy films", + "Vampire comedy films", + "Non-American children's films", + "Children's films shot in Oceania", + "Children's films shot in Australia", + "Children's films shot in New Zealand", + "Children's films shot in the Pacific Islands", + "Children's films by country of production", + "Children's films excluding American productions", + "Flora of Polynesia", + "Freshwater plants", + "Flora of Europe", + "Films about canines", + "Films about wolves", + "Films about dogs", + "Films set in forests", + "Films not based on fairy tales", + "Films based on works by Bill Finger", + "Non-animated films based on works by Bill Finger", + "Non-superhero films based on works by Bill Finger", + "Non-American films based on works by Bill Finger", + "Animated films based on works by Bill Finger", + "American animated superhero films based on works by Bill Finger", + "Novels about diseases", + "Novels about disorders", + "Novels about disasters", + "Fictional disaster novels", + "Fictional disease outbreak novels", + "Novels about medical conditions", + "Novels about psychological disorders", + "Novels with fictional epidemics", + "Novels with fictional natural disasters", + "Novels NOT based on actual events", + "Podicipediformes", + "Birds described in 1959", + "Fish of Southeast Asia", + "Fish of Indonesia", + "Mammals of the Atlantic Ocean", + "Mammals of Colombia", + "Mammals of Brazil", + "Italian supernatural horror films", + "Italian horror cinema", + "Non-folklore-based horror films", + "Supernatural horror films without folklore elements", + "Carnivorans of Asia", + "Fauna of Northeast Asia", + "Fauna of Oceania", + "Freshwater fish of New Guinea", + "Flora of Indo-China", + "Flora of Indonesia", + "Films from Hong Kong", + "Films about revenge", + "Films about games", + "Documentary films about public opinion", + "Documentary films about politicians", + "Documentary films about politics outside the United States", + "Non-American political documentary films", + "Documentary films about public opinion of politicians", + "Trees of Guerrero", + "Trees of Hidalgo (state)", + "Trees of the Rio Grande valleys", + "Trees of northeastern Mexico and the Rio Grande region", + "Flora of Madagascar", + "Endemic flora of Madagascar", + "Magnoliales genera", + "Magnoliales", + "Plant genera found in Madagascar", + "2014 novels", + "Non-American novels", + "History books about Romania", + "History books about the Byzantine Empire", + "Books by John Julius Norwich", + "Western comedy films", + "1990s films", + "1990s Western comedy films", + "Military fiction", + "1990s novels", + "Non-science fiction speculative fiction", + "Alternate history novels", + "Fantasy novels about the military", + "1970s science fiction novels", + "Science fiction novels set in outer space", + "Non-American science fiction novels", + "Non-American speculative fiction novels", + "1970s non-American science fiction novels set in outer space", + "1992 films", + "Independent films", + "1990s independent films", + "Marine crocodylomorphs", + "Non-prehistoric crocodylomorphs", + "Marine reptiles", + "The Chronicles of Narnia", + "Christian children's books", + "Rodents of Cambodia", + "Rodents of Southeast Asia", + "Rodents of Indochina", + "Mammals of Cambodia", + "Rodent biodiversity in Cambodia", + "Children's fiction books", + "Children's books published by Harper & Brothers", + "English-language children's fiction", + "Harper & Brothers English-language publications", + "Harper & Brothers children's fiction in English", + "1993 books", + "1990s children's non-fiction books", + "Extinct birds of subantarctic islands", + "Extinct animals of Mauritius", + "Birds described in 2014", + "Trading films", + "Films about financial markets", + "Films about stock trading", + "Films about commodity trading", + "Films about investment banking", + "Films set on islands", + "Invertebrates of North America", + "Fauna of islands in the Atlantic Ocean", + "Marine fauna of Africa", + "Trees of the Pacific Ocean region", + "Trees of Australia", + "Trees of the Ryukyu Islands", + "Trees of Oceania", + "Trees of East Asia", + "Historical novels", + "Novels from Hungary", + "Hungarian literature", + "Historical novels set in Hungary", + "Flora of Manchuria", + "Flora of Eastern Europe", + "Books by Feng Menglong", + "Books by Ming dynasty authors", + "Chinese comedy novels", + "Butterflies of Africa", + "Fauna of Asia", + "Invertebrates of Europe", + "Sea lions of North America", + "Marine mammals of North America", + "Sea lions of the Pacific Ocean", + "Pinnipeds of North America", + "Plants in Hinduism", + "Plants in the Bible", + "Plants in Abrahamic religions", + "Plants in religion", + "Sacred plants", + "Ritual plants in religious traditions", + "Birds of Mexico", + "Fauna of Nicaragua", + "Birds that occur in both Mexico and the Guianas", + "Birds that occur in both Mexico and Nicaragua", + "Birds that occur in Mexico, the Guianas, and Nicaragua", + "Lepidoptera of Papua New Guinea", + "Butterflies of Papua New Guinea", + "Moths of Papua New Guinea", + "Endemic Lepidoptera of Papua New Guinea", + "Lepidoptera of Oceania", + "Bryophyta of New Zealand", + "Bryophyta of Australia", + "Bryophyta of Australasia", + "Bryophytes of Oceania", + "Spy films", + "Thriller films", + "1960s films", + "Films about politicians", + "Documentary films about politics", + "Documentary films excluding American politics", + "American musical films", + "American comedy-drama films", + "1940 films", + "1940 comedy-drama films", + "1940 musical films", + "1940 American films", + "1940s American films", + "Marsupials of Argentina", + "Marsupials of South America", + "Mammals of Argentina", + "Musical films released in 1932", + "Non-comedy musical films", + "1932 films by genre", + "Musicals of the early 1930s", + "Novels by William Hope Hodgson", + "1917 debut novels", + "1912 fantasy novels", + "Novels by Ernest Raymond", + "British war novels", + "Birds of North America", + "Fauna of Europe", + "Birds that occur in both North America and Europe", + "Birds that occur in both North America and the Oceanian realm", + "Birds that occur in both Europe and the Oceanian realm", + "Flora of Alberta", + "Birds of the Middle East", + "Birds of Tibet", + "Birds of Asia", + "Crops originating from Chile", + "Crops originating from New Zealand", + "Crops originating from South America", + "Crops originating from Oceania", + "Novels set in Henan", + "Novels by Jin Yong", + "French fantasy novels", + "Novels published in 1831", + "Fantasy novels from the 1740s", + "Megapodiidae", + "Megapodes", + "Bird families", + "Ground-dwelling birds", + "Gamebirds", + "Galliformes", + "Birds of the Nicobar Islands", + "Birds of India", + "Birds described in 1998", + "Birds described in the 1990s", + "Buddy comedy films", + "Films from the 1930s", + "American films of the 1930s", + "Black-and-white comedy films", + "Horror films based on urban legends", + "Films about urban legends", + "Supernatural horror films", + "Slasher films based on legends", + "Books about economic history", + "Books about the economic history of Oceania", + "Books about the economic history of the Pacific Islands", + "Books about the economic history of Australia and New Zealand", + "Economic history books with a regional focus", + "Books about colonial and postcolonial economic history in Oceania", + "Barbets", + "Birds described in 1965", + "Endemic birds of Zambia", + "Amphibians", + "Amphibians of Cambodia", + "Amphibians of Thailand", + "Flora of the Sonoran Desert", + "Flora of the Chihuahuan Desert", + "Flora of the Sonoran Desert AND Flora of the Chihuahuan Desert", + "Flora of the California desert regions", + "Films set in 1816", + "Films set in the 1810s", + "Historical films set in the 19th century", + "Dinosaur wading birds", + "Non-shorebird wading birds", + "Basal avian dinosaurs exhibiting wading behavior", + "Theropod dinosaurs with wading adaptations", + "Fossil evidence of wading behavior in birds", + "Wading ecology in Mesozoic birds", + "American action films", + "Action films based on fantasy novels", + "Films based on fantasy novels", + "Sequel films", + "American sequel films", + "Cacti of Nuevo Le\u00f3n", + "Cacti of Mexico", + "Cacti of North America", + "Cacti of Northeastern Mexico", + "Flora of Nuevo Le\u00f3n", + "Films set in Germany", + "Films set in West Germany", + "Films set in the 28th century", + "Films set in 2030", + "2000 computer-animated films", + "Best Musical or Comedy Picture Golden Globe winners", + "21st-century films", + "Films about food and drink", + "Miocene reptiles of Europe", + "Miocene reptiles", + "Reptiles of Europe", + "Oligocene turtles", + "Pleistocene turtles", + "Cenozoic turtles", + "Fossil reptiles of Europe", + "Fauna of Peru", + "Animals described in 1868", + "Animated superhero films", + "Animated films from the 2010s", + "Superhero films from the 2010s", + "Non-American animated films", + "Non-American superhero films", + "Novels set in North America", + "Novels about the paranormal", + "Paranormal fiction that is not horror", + "Supernatural fiction set in North America", + "Urban fantasy novels set in North America", + "Films based on Chinese novels", + "Films based on novels about revolutions", + "Films about revolutions in China", + "Chinese-language films based on literature", + "Historical revolution films based on books", + "Books about Mahatma Gandhi", + "Biographies of Mahatma Gandhi", + "Autobiographies by Mahatma Gandhi", + "Non-fiction books about Indian independence leaders", + "Books about Indian political history focusing on Gandhi", + "Gardening books", + "Books about plants and horticulture", + "Books published in 1670", + "17th-century books", + "History of gardening literature", + "British children's books", + "Children's books set in England", + "Children's books about friendship", + "British children's books about friendship", + "British children's books set in England", + "1993 novels", + "1993 novels from Australia", + "Australian novels", + "David Malouf novels", + "Novels by David Malouf", + "German-language novels", + "Novels from 2007", + "21st-century German novels", + "Plants mentioned in the Bible", + "Plants in the Old Testament", + "Plants in the New Testament", + "Biblical flora", + "Symbolic plants in biblical texts", + "Crime novels set in Paris", + "Crime fiction set in France", + "Non-detective protagonists in crime novels", + "German magic realism novels", + "German novels published in 1985", + "Flora of Angola", + "Plants used in traditional African medicine", + "Medicinal plants of Zambia", + "Medicinal plants of Angola", + "Plants native to both Zambia and Angola", + "1927 novels", + "1920s British novels", + "1920s speculative fiction novels", + "British speculative fiction novels", + "Medicinal plants", + "Medicinal plants of South America", + "Plants of South America", + "Asterid genera", + "Medicinal Asterid genera", + "Medicinal plants that are Asterid genera", + "1950s children's adventure films", + "Children's adventure films", + "Films shot in Bristol", + "British films", + "American novels", + "Novels about society", + "Social commentary in fiction", + "Novels first published in 1993", + "American novels published in 1993", + "Books by Terrance Dicks", + "Works authored by Terrance Dicks", + "Novels by Terrance Dicks", + "Children's books by Terrance Dicks", + "Doctor Who books by Terrance Dicks", + "Books about Oceania", + "Books about Oceania published in the 2010s", + "Books about the Pacific Islands", + "Books about Melanesia", + "Books about Micronesia", + "Books about Polynesia", + "Books about Oceania excluding Australia", + "Non-Australian authors writing about Oceania", + "Fauna of Madagascar", + "Insects of Madagascar", + "Insects of Africa", + "Lepidoptera of Africa", + "Endemic flora of Australia", + "Endemic flora of Malaysia", + "Endemic flora of Fiji", + "Novels featuring demons", + "Fantasy novels with demons", + "Urban fantasy novels with demons", + "Supernatural fiction involving demons", + "Non-horror speculative fiction", + "Paranormal fiction without horror focus", + "Musical comedy films", + "Czech musical comedy films", + "Czechoslovak musical comedy films", + "Czechoslovak films", + "Vultures of North America", + "Vultures of South America", + "Vultures of the Americas", + "X-Men films", + "Doctor Dolittle films", + "Films set in 1845", + "American romance films", + "American films about mental disorders", + "Romance films about mental disorders", + "Romance films that are not drama films", + "American films that are not drama films", + "Science fiction action films", + "Space opera films", + "Science fiction action Space opera films", + "Films about abuse", + "Science fiction films about abuse", + "Action films about abuse", + "South Korean spy action films", + "South Korean science fiction thriller films", + "Films about the National Intelligence Service (South Korea)", + "Trees of the Cayman Islands", + "Trees of China", + "Trees of Korea", + "Flora of Korea", + "East Asian temperate trees", + "Deciduous trees of East Asia", + "Evergreen trees of East Asia", + "Neogene mammals", + "Neogene mammals of North America", + "Neogene mammals of South America", + "Mammals of North America", + "1926 novels", + "1926 books", + "Russian novels", + "Russian children's books", + "Trees of Martinique", + "Trees of French Guiana", + "Palms of Martinique", + "Palms of French Guiana", + "Vertebrate animals of Rwanda", + "Birds of Rwanda", + "Reptiles of Rwanda", + "Amphibians of Rwanda", + "Fish of Rwanda", + "Mammals of Rwanda", + "Sub-Saharan African mammals", + "Ordovician invertebrates", + "Cambrian sponges", + "Silurian echinoderms", + "Action adventure films", + "Historical adventure films", + "Turkish films", + "Historical fantasy films", + "Polish erotic drama films", + "Polish erotic films", + "Polish drama films", + "Icelandic science fiction films", + "Icelandic films", + "Swiss thriller drama films", + "Swiss thriller films", + "Swiss drama films", + "Novels set in the 1810s", + "Historical novels set in the 19th century", + "Novels excluding military themes", + "Novels excluding war fiction", + "Mammals of Uganda", + "Mammals of East Africa", + "Fauna of Uganda", + "Mammals of Africa", + "2004 thriller drama films", + "2000s historical thriller films", + "Plant species of Quintana Roo", + "Plant species of Mexico by state", + "Plant species of the Netherlands Antilles", + "Plant species of the Southwest Caribbean", + "Plant species of the Caribbean", + "Flora of the Gambia", + "Plants of the Gambia", + "Flora of West Africa", + "Plants of West Africa", + "Flora by country in Africa", + "Science fiction films", + "2010s science fiction films", + "Science fiction films about computing", + "Science fiction films about artificial intelligence", + "Science fiction films about virtual reality", + "Non-cyberpunk science fiction films", + "Films about computer hackers", + "Australasian realm flora", + "Trees of the Philippines", + "Flora of Taiwan", + "Fish of Central Asia", + "Freshwater fish of Central Asia", + "Fish native to Central Asia only", + "Fish of Asia", + "Fish of Europe", + "American adventure films", + "American crime films", + "Adventure crime films", + "Films set in 1944", + "American films set in the 1940s", + "Mexican silent films", + "Silent films by country: Mexico", + "Films about the Dreyfus affair", + "Historical films about the Dreyfus affair", + "1890s drama films", + "Drama films by decade: 1890s", + "Aquatic plants of the United States", + "Grasses of the United States", + "Halophytes", + "Halophytic aquatic plants", + "Halophytic grasses", + "1980s speculative fiction novels", + "1980s novels", + "Science fiction novels", + "Maritime history books", + "Turkish non-fiction books", + "Novels published in 1790", + "British novels published in 1826", + "Endemic fauna of the Azores", + "Endemic animals of the Azores", + "Endemic birds of the Azores", + "Birds described in 1954", + "Taxa described in 1954", + "Books from 1816", + "Gothic novels", + "Novels from Scotland", + "Scottish literature", + "Domesticated plants", + "Domesticated plants of the Great Lakes region", + "Domesticated plants of the Midwestern United States", + "Domesticated plants of the Northeastern United States", + "Domesticated plants of North America", + "Hindi-language films", + "Hindi-language action films", + "Hindi-language crime films", + "Action crime films", + "Films set outside India", + "American teen films", + "Teen sports films", + "Teen musicals", + "Insects of the Solomon Islands", + "Insects of Western New Guinea", + "Insects of Melanesia", + "1920s novels", + "Novels set in New York", + "Novels about marriage", + "Orchids of Argentina", + "Orchids of French Guiana", + "Trees of \u00celes des Saintes", + "Trees of the French Antilles", + "Trees of Quintana Roo", + "Trees of the Yucat\u00e1n Peninsula", + "Trees of the Lesser Antilles", + "Novels published in 1997", + "Novels by Edna O'Brien", + "Films based on plays", + "Western genre films", + "Non-American western genre films", + "Non-American films based on plays", + "Plays adapted into western genre films", + "Films excluding American Western genre", + "Trees of the Windward Islands", + "Vertebrates of Rwanda", + "Critically endangered vertebrates", + "Critically endangered animals of Rwanda", + "IUCN critically endangered species", + "Rwandan fauna", + "Films set in Lebanon", + "Non-spy films set in Lebanon", + "Films set in the Middle East", + "Lebanese cinema", + "Films about Lebanon that are not about espionage", + "Documentary films about science", + "1940s documentary films", + "Color documentary films", + "Documentary films about women", + "Documentary films about women in Africa", + "African documentary films", + "Rwandan documentary films", + "French novels", + "Novels published in 2019", + "French-language literature", + "21st-century French novels", + "Oceanian realm flora", + "Flora of Oceania", + "Flora of Cambodia", + "Paleotropical flora", + "Science fiction war novels", + "Science fiction sequel novels", + "Sequel novels about war and conflict", + "Military science fiction novels", + "Trees of the Bahamas", + "Trees of the Caribbean", + "Trees of island ecosystems", + "Aquatic animals", + "Aquatic animals of South America", + "Aquatic animals of Victoria (Australia)", + "Freshwater animals of Australia", + "Books by Tahir Shah", + "Travel books by Tahir Shah", + "Non-fiction books by Tahir Shah", + "Fiction books by Tahir Shah", + "Holarctic fauna", + "North American desert fauna", + "Vertebrates of Belize", + "Rosaceae genera", + "Flora of Mongolia", + "Rosaceae genera that occur in Mongolia", + "Flora of the Western United States", + "Apiaceae genera", + "Flora of the United States that are also Flora of the Western United States", + "Flora of the United States that are also Apiaceae genera", + "Flora of the Western United States that are also Apiaceae genera", + "Flora of the United States that are both Flora of the Western United States and Apiaceae genera", + "Czech coming-of-age comedy films", + "Czech comedy films", + "Films based on Henry IV (play)", + "Shakespeare adaptation films", + "1966 comedy-drama films", + "1960s comedy-drama films", + "Novels about adultery", + "Novels set in New England", + "Novels about marital infidelity", + "American novels about adultery", + "American novels set in New England", + "Parasitic plants", + "Parasitic plants of the United States", + "Parasitic plants of the Western United States", + "Parasitic plants of Utah", + "Flora of Utah", + "Films shot in Santa Monica California", + "Films shot in Los Angeles County California", + "Films shot in California", + "Films shot in the United States", + "1990s superhero films", + "American superhero films", + "Arecaceae", + "Arecaceae by region", + "Arecaceae of Indo-China", + "Trees of Indo-China", + "Demon fiction", + "Demon novels", + "Novels based on television series", + "Novels not based on television series", + "Supernatural novels", + "Horror novels about demons", + "Black comedy films about filmmaking", + "Black comedy films about the film industry", + "Non-American black comedy films", + "Non-English-language black comedy films", + "Teen horror films", + "1980s horror films", + "Horror films about teenagers", + "Horror films not about serial killers", + "Telugu-language films", + "Bhojpuri-language films", + "Telugu-language films that are remakes of Bhojpuri-language films", + "Indian film remakes", + "Cross-language remakes in Indian cinema", + "Trees of the North-Central United States", + "Trees of the Midwestern United States", + "Trees of the Great Plains region", + "Trees of the Southeastern United States", + "1992 animated films", + "Children's films", + "Animated comedy films", + "Musical films", + "Animated musical films", + "Reptiles of Taiwan", + "Endemic reptiles of Taiwan", + "Reptiles of Taiwan not in the Palearctic ecozone", + "Non-Palearctic reptiles", + "Novels of Russia", + "1994 novels", + "1990s Russian novels", + "Animated films", + "Animated films about animals", + "2010s animated films", + "2010s children's films", + "2010s fantasy films", + "2010s comedy films", + "Highly drought-tolerant flowering plants", + "Poales plants", + "Orchids of Honduras", + "Orchids of Suriname", + "Orchids of Guyana", + "Orchids of Central America", + "Birds of the Pitcairn Islands", + "Birds of the Tuamotus", + "Birds of Henderson Island", + "Birds of the South Pacific", + "Plants endemic to Algeria", + "Plants endemic to Morocco", + "Monotypic Amaryllidaceae species", + "Orchids of Bali", + "Textbooks", + "Astronomy textbooks", + "Introductory astronomy textbooks", + "Advanced astronomy textbooks", + "Undergraduate astronomy textbooks", + "Graduate-level astronomy textbooks", + "Endemic flora of Western New Guinea", + "Endemic plants of New Guinea", + "Flora of Western New Guinea", + "Flora of New Guinea", + "Orchids of Myanmar", + "Flora of Myanmar", + "Orchids of India", + "Flora of Guam", + "Flora of the Northern Mariana Islands", + "Carnivorous plants of the Pacific", + "Russian spy films", + "Spy films shot in Belarus", + "Russian-language spy films", + "Russian spy films shot in Belarus", + "Endemic flora of Peninsular Malaysia", + "Flora of Peninsular Malaysia that are not Trees of Malaya", + "Non-tree endemic plants of Peninsular Malaysia", + "Endemic plants of Peninsular Malaysia excluding Trees of Malaya", + "Films set in 1820", + "Films set in 1808", + "Films about the French invasion of Russia", + "Films set during the Napoleonic Wars", + "Flora of New Caledonia", + "Pinnipeds of Antarctica", + "Pinnipeds of South America", + "Marine fauna of Antarctica", + "Novels about Noah's Ark", + "Novels about biblical floods", + "Novels about natural disaster floods", + "1945 speculative fiction novels", + "Amphibians of Laos", + "Amphibians of mainland Southeast Asia", + "Amphibians of Indochina", + "Books published by HarperCollins", + "Novels adapted into television series", + "Novels about travel", + "Cathartidae", + "Pliocene birds", + "Cathartidae from the Pliocene", + "Books about mythology", + "Books about London", + "Books about urban mythology", + "Books about British folklore", + "Books on myths set in cities", + "Novels set in Asia", + "Fiction about writers", + "Non-biographical novels about writers", + "Asian literature", + "Novels set in Asian countries", + "Insects of Cuba", + "Non-lepidopteran insects of Cuba", + "Insects of the Caribbean", + "Insects by country", + "Lepidoptera", + "Mockumentary films", + "Mockumentary musical films", + "1980s mockumentary films", + "1980s musical films", + "Palearctic flora", + "World War II prisoner of war films", + "World War II films", + "Prisoner of war films", + "Films about prisoners of war in World War II", + "European Film Award winners", + "European Film Awards for Best Film", + "European Film Award\u2013winning war films", + "Fictional works set in Vietnam", + "Historical fiction set in Vietnam", + "Flora of Palau", + "Reptiles of China", + "Reptiles in Taiwan but not in China", + "Freshwater fish of Asia", + "Marine fauna of Asia", + "Marine fauna of Western Australia", + "Marine fauna of the Indian Ocean", + "Marine animals of the Indo-Pacific region", + "Flora of Jiangsu", + "Trees of Manitoba", + "Trees of Subarctic America", + "Birds of West Africa", + "Apodidae", + "Swifts of West Africa", + "Non-romantic comedy films", + "Comedy films about remarriage", + "Films about remarriage", + "Marital relationship comedies", + "Flora of Alabama", + "Flora of New Mexico", + "Plants of the Southwestern United States", + "Flowers of Singapore", + "Plants of Singapore", + "Plants of Brunei", + "Flora of Singapore", + "Fauna of Antarctica", + "Fauna of South Georgia and the South Sandwich Islands", + "Fauna of South Georgia", + "Fauna of the South Sandwich Islands", + "Books published in the 1950s", + "Non-Australian books about Oceania", + "Endemic fauna of Saint Lucia", + "Endemic animals of the Lesser Antilles", + "Endemic animals of the Caribbean", + "Fauna of Saint Lucia", + "Superhero crossovers", + "Crossover films", + "Action films", + "Books about sexuality", + "Social science books", + "Fictional books", + "1965 books", + "1960s social science books on sexuality", + "Mammals of Azerbaijan", + "Microorganisms that grow at low water activity levels", + "Xerophilic microorganisms", + "Osmophilic microorganisms", + "Food spoilage microorganisms tolerant to low water activity", + "Fungi that grow at low water activity", + "Bacteria that grow at low water activity", + "Extinct animals of South America", + "Reptiles of North America", + "Extinct reptiles", + "Extinct reptiles of South America", + "Middle Jurassic plesiosaurs", + "Plesiosaurs of the Jurassic", + "Plesiosaurs of the Middle Jurassic in Europe", + "Middle Jurassic marine reptiles of Europe", + "European plesiosaurs", + "Moths of Seychelles", + "Moths of Madagascar", + "Moths of Africa", + "Endemic moths of Seychelles", + "Novels set in New Mexico", + "Novels from the 1980s", + "American literature from the 1980s", + "Films set in Libya", + "Films set in Libya not in 1942", + "Films by setting and year", + "Rodents of Bangladesh", + "Rodents of Singapore", + "Plants of Melanesia", + "Plants of Java", + "Plants of Indonesia", + "Plants of Cambodia", + "Flora of the Pacific Islands", + "Pinnipeds of Australia", + "Pinnipeds", + "Marine mammals of the Southern Ocean", + "Novels about French prostitution", + "French novels about prostitution", + "1948 French novels", + "Novels by Jean Genet", + "French-language novels", + "Mid-20th-century French novels", + "Devonian animals", + "Late Devonian animals", + "Paleozoic animals", + "Extinct animals of the Devonian period", + "Devonian fauna of Oceania", + "Late Devonian fauna of Oceania", + "Fossil taxa of Oceania", + "Endemic flora of Ivory Coast", + "Endemic flora of West Africa", + "Endemic flora of tropical Africa", + "Plants endemic to Australia", + "Plants in the family Boryaceae", + "Boryaceae", + "Plants in the order Poales", + "Poales", + "Birds of South China", + "Birds of Vietnam", + "Birds of China", + "Birds of Southeast Asia", + "Birds of Yunnan", + "Mammals of Paraguay", + "Novels about diseases and disorders", + "Novels set on islands", + "Novels set outside the United Kingdom", + "Birds described in 1991", + "Birds of the Western Province (Solomon Islands)", + "Ming dynasty works", + "Chinese comedy works", + "Novels set in Kaifeng, China", + "Flora of Malaysia", + "Flora of Nepal", + "Flora of Sudan", + "Plant species common to Malaysia and Nepal", + "Plant species common to Malaysia and Sudan", + "Plant species common to Nepal and Sudan", + "Plant species found in Malaysia, Nepal, and Sudan", + "1933 documentary films", + "Documentary films about volcanoes", + "Films shot in Guadeloupe", + "Insects of Europe", + "Flora of the Holarctic region", + "Plants present in both China and Sudan", + "Plants present in both China and the Holarctic region", + "Plants present in both Sudan and the Holarctic region", + "American magic realism novels", + "Magic realism novels by American authors", + "Magic realism novels set outside North America", + "Novels set outside North America", + "Magic realism novels", + "Mystery films produced in Belgium", + "Works by Frank Wedekind", + "Plays written by Frank Wedekind", + "Literary works by Frank Wedekind", + "Birds of Cuba", + "Songbirds", + "Passerine birds of Cuba", + "Endemic birds of Cuba", + "Flowering plants of Switzerland", + "Flora of Switzerland", + "Alpine flowering plants", + "European flowering plants", + "Children's science fiction novels", + "Science fiction novels set in the United Kingdom", + "Science fiction novels about the United Kingdom", + "Science fiction novels for children published in the United Kingdom", + "Trees of Western Canada", + "Trees of Canada", + "War films", + "1940s films", + "Czech war films", + "Rosales genera", + "Rosales genera of Europe", + "Rosales genera native to Europe", + "Rosales genera introduced in Europe", + "Plants of Southwestern Europe", + "Plants of Spain", + "Plants of Portugal", + "Plants of Italy", + "Plants of Germany", + "Plants of France", + "Books from 1625", + "Books from the 1620s", + "Early modern literature", + "Books published in the 17th century", + "Medicinal plants of Southwestern Europe", + "Medicinal plants of Bulgaria", + "Herbal medicinal plants native to Europe", + "Plants with traditional medicinal use in Europe", + "Quaternary prehistoric birds", + "Prehistoric birds of South America", + "Quaternary animals of South America", + "Extinct animals of North America", + "Prehistoric animals of North America", + "Plants of the Southern United States", + "Plants of the North-Central United States", + "Plants found in both the Southern and North-Central United States", + "Plants of Canada", + "Trees of the Southern United States", + "Trees of Eastern Australia", + "Trees native to both North America and Australia", + "1985 novels", + "Speculative fiction novels that are not science fiction", + "Sexploitation films", + "Erotic exploitation cinema", + "Films released in 2001", + "Exploitation films by year", + "Plants of Heard Island", + "Plants of McDonald Island", + "Plants of Heard Island and McDonald Islands", + "Plants of the Crozet Islands", + "Plants of French Southern and Antarctic Lands", + "Action comedy films", + "1930s comedy films", + "1930s war films", + "1930s action films", + "Drama films about alcohol", + "Films about alcoholism", + "1950s films about alcohol", + "Depictions of women in film", + "Films about women", + "1950s drama films about alcohol", + "1950s drama films with depictions of women", + "Flora of the Savage Islands", + "Flora of Western Sahara", + "Trees of the Arabian Peninsula", + "Musical comedy-drama films", + "1976 comedy-drama films", + "Parastacidae", + "Parastacidae outside Australia", + "Freshwater crayfish", + "Non-Australian Parastacidae species", + "Crustaceans by geographic distribution", + "1913 lost films", + "1913 films", + "1913 drama films", + "LGBT novels from the 1900s", + "Novels from the 1900s", + "Novels by Colette", + "LGBT literature", + "1974 novels", + "1974 American novels", + "American novels about society", + "Social commentary in American literature", + "20th-century American social novels", + "Books published in Malaysia", + "Books set in Malaysia", + "Books written by Malaysian authors", + "Malay-language books", + "Malaysian literature", + "1960s romance films", + "1960s musical films", + "Garden plants of South America", + "Garden plants of Ecuador", + "Ornamental plants of South America", + "Ornamental plants of Ecuador", + "Israeli literature", + "Israeli books not in Hebrew", + "Israeli books in English", + "Israeli books in Arabic", + "Israeli books in Russian", + "Israeli books translated from Hebrew", + "Israeli authors writing in foreign languages", + "Fish of El Salvador", + "Freshwater fish of El Salvador", + "Marine fish of El Salvador", + "Endemic fish of El Salvador", + "Commercially important fish species of El Salvador", + "Eocene fish", + "Eocene fish of Asia", + "Oligocene fish of Asia", + "Fossil fish of Asia", + "Novels set during the Protestant Reformation", + "Novels published in 1799", + "Novels by Charles Brockden Brown", + "Orchids of R\u00e9union", + "Orchids of Mauritius", + "Orchids of the Mascarene Islands", + "Plants of Pennsylvania", + "Flora of Pennsylvania", + "Plants of the Northeastern United States", + "Fiction books published in 1983", + "Epistolary novels", + "Epistolary novels published in 1983", + "Pornographic horror films", + "European pornographic horror films", + "Asian pornographic horror films", + "Latin American pornographic horror films", + "History books about war", + "History books about families", + "History books about war and family relationships", + "History books about the impact of war on civilians", + "History books about military history", + "History books about social history of war", + "Canadian films", + "Canadian drama films", + "Canadian adventure films", + "1990s drama films", + "1990s adventure films", + "Crime books", + "Crime books about the arts", + "Crime books not about film", + "Crime fiction", + "Nonfiction crime books about the arts", + "Flora of Northwestern Mexico", + "Cisuralian animals", + "Paleozoic insects of Asia", + "Carboniferous animals of Asia", + "Oligocene birds of Australia", + "Neogene birds of Australia", + "Paleogene reptiles of Australia", + "Fossil birds of Australia", + "Fossil reptiles of Australia", + "Irish novels published in 1939", + "Irish literature of the 1930s", + "Western films", + "1970s musical films", + "1970s Western films", + "Books published in 1981", + "Books published by Ace Books", + "Science fiction books published in 1981", + "Fantasy books published in 1981", + "Ace Books science fiction titles", + "Ace Books fantasy titles", + "1932 musical films", + "Musical films that are not comedies", + "1930s musical films", + "Amphibians of the United States Virgin Islands", + "Fauna of the United States Virgin Islands", + "Fauna of the British Virgin Islands", + "1990s comedy films", + "1990s coming-of-age films", + "Films by country of origin excluding the United States", + "Japanese alternate history", + "Alternate history anime", + "Alternate history films", + "Alternate history television series", + "Films set in 1866", + "Japanese films set in the 19th century", + "Novels by Michael Gerard Bauer", + "Books that won the CBCA Children's Book of the Year Award", + "Australian novels published in 1994", + "Comedy-crime films", + "Holiday-themed films", + "Christmas films", + "2005 films", + "Urban survival films", + "Survival films set in urban environments", + "Films set in the year 2040", + "DC Animated Universe films", + "Fauna of the Babuyan Islands", + "Animals of the Babuyan Islands", + "Gallirallus", + "Species in the genus Gallirallus", + "Rails in the genus Gallirallus", + "Birds described in 1841", + "Orchids of the Philippines", + "Orchids of Bangladesh", + "Orchids of East Asia", + "Orchids of South Asia", + "French-language fantasy novels", + "Fantasy novels by year of publication", + "2000s fantasy novels", + "2000s French-language novels", + "Novels about literature", + "Novels about writers and writing", + "Fiction about books and reading", + "Metafiction about literature", + "Campus novels focused on literary themes", + "Fiction about literary criticism and theory", + "Fiction centered on publishing and the book industry", + "Postmodern literary fiction", + "Eocene reptiles", + "Eocene birds", + "Oligocene animals of South America", + "Books published by Weidenfeld & Nicolson", + "Weidenfeld & Nicolson books about Paris", + "Weidenfeld & Nicolson books set in Paris", + "Books about Paris", + "Books set in Paris", + "Flora of Oklahoma", + "Flora of the South-Central United States", + "Flora of Tamaulipas", + "Freshwater fauna of Borneo", + "Endemic animals of Borneo", + "Freshwater animals of Indonesia", + "Freshwater animals of Malaysia", + "Endemic freshwater animals of Southeast Asia", + "Novels by Thomas Pynchon", + "Fiction about Nazis", + "Paleocene animals of Europe", + "Paleocene animals of North America", + "Paleocene animals", + "Cenozoic animals of Europe", + "Cenozoic animals of North America", + "Economics textbooks", + "Introductory economics textbooks", + "Microeconomics textbooks", + "Macroeconomics textbooks", + "University-level economics textbooks", + "High school economics textbooks", + "Plants of Belarus", + "Flora of Belarus", + "Plants of Eastern Europe", + "Australian novels from 1930", + "Australian novels by year", + "Novels by Henry Handel Richardson", + "Australian literature", + "Vietnamese films", + "Vietnamese films based on literature", + "Films based on Vietnamese literature", + "Vietnamese films not set in 1948", + "Novels published in 1856", + "19th-century novels", + "Victorian-era literature", + "Fiction books by year of publication", + "Mammals of Jamaica", + "Endemic mammals of Jamaica", + "Terrestrial mammals of Jamaica", + "Marine mammals of Jamaica", + "Introduced mammals of Jamaica", + "Angiosperms of Manchuria", + "Angiosperms of Northeast China", + "Flowering plants of Manchuria", + "Endemic fauna of Guadeloupe", + "Endemic mammals of Guadeloupe", + "Endemic fauna of the Lesser Antilles", + "Fauna of Guadeloupe", + "Books about the British Empire", + "Books about British colonial history", + "Books about British imperialism", + "Books about the history of the United Kingdom overseas territories", + "Books about the British Raj excluding Pakistan", + "Trees of Azerbaijan", + "Trees of Iran", + "Endemic flora of Iran", + "War films based on actual events", + "1990s war films", + "Films about antisemitism", + "War films about antisemitism", + "LGBT-related films", + "War films about LGBT issues", + "Films based on actual events about antisemitism and LGBT", + "1983 speculative fiction novels", + "Speculative fiction novels by year of publication", + "1983 novels", + "1983 American novels", + "Books about religious extremism", + "Books about modern Islamism", + "Books on political Islam", + "Non-crime books", + "Flora of the Zanzibar Archipelago", + "Plants of the Zanzibar Archipelago", + "Flora of Mauritius", + "Indian Ocean island flora", + "Native plants of California", + "Food plants for birds", + "Berry-producing native plants of California", + "Seed-producing native plants of California", + "Nectar-producing native plants of California", + "Fruit-producing native plants of California", + "Reptiles of Cambodia", + "Reptiles of India", + "Welsh novels", + "Novels by decade", + "British novels of the 1980s", + "Biographical novels", + "Novels published in 1979", + "American biographical novels", + "1970s American novels", + "Ara genus parrots", + "Macaws (Ara)", + "Birds of the United States Virgin Islands", + "Birds of the Virgin Islands", + "French alternate history films", + "Canadian animated science fiction films", + "Fauna of Western Asia", + "Fauna of Eastern Asia", + "Fauna of Western Asia but not of Central Asia", + "Fauna of Eastern Asia but not of Central Asia", + "Trees native to the Northwestern United States", + "Flora of Central America", + "Nearctic realm flora", + "Fiction set in Vietnam", + "Non-historical novels", + "Contemporary novels set in Vietnam", + "Books published by Barrie & Jenkins", + "Fiction books published by Barrie & Jenkins", + "Nonfiction books published by Barrie & Jenkins", + "Books by P. G. Wodehouse", + "Books about Georg Wilhelm Friedrich Hegel", + "Books by Judith Butler", + "Books about German idealism", + "Books about continental philosophy", + "Animals of Mexico", + "Animals of Brazil", + "Animals of Mexico and Brazil", + "Novels set in York", + "Fiction set in York", + "Books published in 1759", + "18th-century books", + "Crops originating from Uruguay", + "Crops of the Southern Cone of South America", + "South American domesticated plants", + "Fauna of Halmahera", + "Birds of Halmahera", + "Fauna of the Maluku Islands", + "Birds of the Maluku Islands", + "Fauna of Indonesia", + "Birds of Indonesia", + "Books from the 1310s", + "14th-century books", + "Medieval literature by decade", + "Works published in the 1310s", + "Non-fiction history books", + "1990s books", + "History books about historical eras", + "Non-military history books", + "Holarctic flora", + "Trees of Nepal", + "Garden plants", + "Garden plants native to Asia", + "Garden plants native to Australasia", + "Garden plants native to Malesia", + "Plants with native ranges spanning Asia and Australasia", + "Plants with native ranges spanning Asia and Malesia", + "Plants with native ranges spanning Australasia and Malesia", + "Monotypic Asparagaceae genera", + "Monotypic genera in the Asparagaceae family", + "Genera in Asparagaceae with a single species", + "1742 books", + "Novels by Henry Fielding", + "French satirical novels", + "Novels by Farley Mowat", + "Debut novels published in 1952", + "Novels published in 1952", + "Felids of North America", + "Felids of South America", + "Wild cats of the Americas", + "Native felid species in the Americas", + "Large cats of the Americas", + "Small wild cats of the Americas", + "2012 novels", + "English-language novels", + "Books about Japan", + "Books about Tokyo", + "Non-Japanese books about Japan", + "Non-Japanese books about Tokyo", + "Books about Japan written in non-Japanese languages", + "Cave beetles", + "Cave beetles of Europe", + "Cave beetles of Slovenia", + "Cave animals of Slovenia", + "Cave fauna", + "Animals of Slovenia", + "Fauna of Slovenia", + "Magic realist novels", + "Canadian magic realism", + "Canadian Gothic fiction", + "Books about political Islam", + "Books about conservative Islamic movements", + "Books about Islamic revivalism", + "Books about Islam and modernity", + "1960s science novels", + "1960s science fiction novels", + "1960s non-medical science novels", + "Science-themed novels excluding medical topics", + "Birds of Kolombangara", + "British science fiction comedy-drama films", + "Canadian science fiction drama films", + "2000s science fiction comedy-drama films", + "Science fiction comedy-drama films", + "Science fiction drama films", + "Children's novels set on islands", + "Political novels set on islands", + "Crops of Europe", + "Agriculture in Europe", + "Food crops grown in Europe", + "Cereal crops in Europe", + "Industrial and cash crops in Europe", + "Garden plants of Eastern Canada", + "Garden plants of Canada", + "Garden plants of the Northeastern United States", + "Novels by William Gaddis", + "Poseidon Press novels", + "Epic films", + "Epic films about Christianity", + "Religious epic films", + "Biblical epic films", + "Films about Christianity set outside Israel", + "Films about Christianity not set in Israel", + "Endemic birds of Vietnam", + "Endemic fauna of Vietnam", + "Endemic fauna that are birds", + "Monotypic Cucurbitaceae genera", + "Monotypic Cucurbitales genera", + "Plant taxa originating from Canada", + "Romance films", + "Romance films from New Zealand", + "Films by country of origin: New Zealand", + "New Zealand cinema", + "Bats of North America", + "Bats of Mexico", + "Bats of Central America", + "Evacuation films", + "Films about Dunkirk evacuation", + "World War II evacuation films", + "Films about the Royal Air Force", + "World War II aviation films", + "Films adapted into comics", + "Comics based on films", + "Films set in Japan", + "Comics set in Japan", + "Japanese cinema", + "Japanese comics (manga)", + "Books about Chinese politics", + "Books about the politics of the People's Republic of China", + "Books about the Chinese Communist Party", + "Books about Chinese government and political system", + "Books about modern Chinese political history", + "Books about Chinese foreign policy", + "Books about Chinese political leaders", + "Reptiles of Trinidad and Tobago", + "Reptiles of Venezuela", + "Books from Cuba", + "Cuban literature", + "Books by Cuban authors", + "Books published in Cuba", + "Trees of Guatemala", + "Tree species native to both Mexico and Guatemala", + "Tree species whose ranges span the Western United States, Mexico, and Guatemala", + "Trees of Saskatchewan", + "Trees of the Canadian Prairies", + "20th-century films", + "Films set in Uttar Pradesh", + "Films set in the British Empire", + "American fantasy films", + "Fantasy films set in Europe", + "Fantasy films shot in Italy", + "American films shot in Italy", + "American films set in Europe", + "Fantasy films shot in Atlanta", + "Fantasy films shot in Berlin", + "Films shot in Atlanta, Georgia", + "Films shot in Berlin", + "Endemic flora of Croatia", + "Endemic plants of the Balkans", + "Endemic flora of Europe", + "Flora of Croatia", + "Animals of the Ordovician", + "Animals of the Early Ordovician", + "Mammals of Bolivia", + "Mammals of Venezuela", + "Mammals of Guyana", + "Nearctic realm plants", + "Plants of Sinaloa", + "Flora of the Marshall Islands", + "Plants of Micronesia", + "Italian crime films", + "Crime films by country of origin: Italy", + "Crime films set in the 1970s", + "Films set in the 1970s", + "Italian films by decade: 1970s", + "Oligocene animals of Oceania", + "Paleogene birds of Oceania", + "Suliformes of Oceania", + "Oligocene animals", + "Paleogene birds", + "Suliformes", + "Animated short films", + "Portuguese animated films", + "Portuguese-language films", + "Short films by country", + "Novels published in 2017", + "LGBT Irish novels", + "Novels set in the Gambia", + "Novels by J.L. Carr", + "Novels set in Africa", + "20th-century British novels", + "Insects of South America", + "Invertebrates of Venezuela", + "Lepidoptera of Brazil", + "Birds of Sub-Saharan Africa", + "Birds of Madagascar", + "Wading birds", + "Wading birds of Sub-Saharan Africa", + "Wading birds of Madagascar", + "Fauna of the Chihuahuan Desert", + "Animals of the Chihuahuan Desert", + "Birds of the Sierra Madre del Sur", + "Avifauna of the Sierra Madre del Sur", + "Orchids of Panama", + "Films set in Nizhny Novgorod", + "Russian comedy thriller films", + "Slasher films", + "Backwoods horror films", + "Non-American horror films", + "Non-American slasher films", + "Common fish names", + "Fish by common name", + "List of common names of fish", + "Fish species and their common names", + "Fish common names vs scientific names", + "Quaternary mammals of Africa", + "Pleistocene mammals of Asia", + "Pleistocene animals of North America", + "Mammal taxa present in Africa and Asia during the Pleistocene", + "Mammal taxa present in Africa and North America during the Pleistocene", + "Cosmopolitan Pleistocene mammal species found on three continents", + "Children's books from the 1940s", + "Children's travel books", + "Books set on ships", + "Comedy films from Georgia (country)", + "Comedy films based on works by Mikhail Zoshchenko", + "Books about Asian history", + "Books about Islamic studies", + "Books about the history of Islam in Asia", + "Books about Islamic civilization in Asia", + "Books about religion in Asian history", + "2007 novels", + "2007 American novels", + "Novels by American authors", + "21st-century American novels", + "Non-comedy films", + "1932 films", + "1948 debut novels", + "Debut novels published in 1948", + "Works by Ruth Park", + "Novels by Ruth Park", + "Books published in 1948", + "Animals of the United Kingdom", + "Quaternary animals of Europe", + "Extinct birds of Europe", + "1961 non-fiction books", + "Books about ethnic groups", + "Books about murder", + "Fauna of Metropolitan France", + "Endemic fauna of Metropolitan France", + "Fish of Metropolitan France", + "Endemic fish of Metropolitan France", + "Freshwater fish of France", + "Endemic freshwater fish of France", + "Marine fish of Metropolitan France", + "Endemic marine fish of Metropolitan France", + "1558 books", + "1554 books", + "1555 books", + "Poikilohydric plants", + "Desiccation-tolerant plants", + "Plants that equilibrate water content with the environment", + "Non-vascular poikilohydric plants (e.g., mosses, liverworts)", + "Vascular poikilohydric plants", + "Drought-adapted plants", + "Xerophytic plants", + "Crustaceans of the United States", + "Marine crustaceans of the United States", + "Brackish-water crustaceans of the United States", + "Non-freshwater crustaceans", + "Trees of Eastern Canada", + "Trees of the Northeastern United States", + "Trees native to Eastern North America", + "Flora of Indomalesia", + "Salt-tolerant plants of Indomalesia", + "Flora of Russia", + "South American Oligocene animals", + "Oligocene animals by continent", + "Storklike birds", + "New World vultures", + "Novels based on the Odyssey", + "Novels based on Homeric epics", + "Novels based on Ulysses (novel)", + "Novels inspired by Ulysses (novel)", + "Novels by James Joyce", + "Modernist novels related to James Joyce", + "Films released in 1912", + "Silent films from the 1910s", + "Films set in England", + "British historical setting in film", + "Debut novels published in 1979", + "Novels written by Haruki Murakami", + "Japanese novels published in 1982", + "Plants of Eastern Canada", + "Flora of Eastern Canada", + "Flora of the United Kingdom", + "Plants found in both Eastern Canada and the UK", + "Italian paranormal films", + "Paranormal courtroom films", + "Italian courtroom films", + "Paranormal films set in courtrooms", + "Italian films", + "Plants of East Timor", + "Mammals of Angola", + "Fauna of Angola", + "Fauna of Southern Africa", + "Novels by Sarah Weeks", + "Children's novels by Sarah Weeks", + "Young adult novels by Sarah Weeks", + "Works by Sarah Weeks", + "Psychological thriller films", + "Western (genre) films", + "Paleognathae", + "Flightless birds", + "Paleognathae that retain flight", + "Flighted ratites", + "Tinamous", + "Horror novels", + "Non-erotic horror fiction", + "Horror novels about sexuality", + "Horror novels exploring sexual identity", + "Horror novels with sexual themes but no erotica", + "Freshwater fish of Malaysia", + "Freshwater fish of Southeast Asia", + "Freshwater fish by country", + "Insects of the Canary Islands", + "Insects of Macaronesia", + "Insects native to both Africa and the Canary Islands", + "Arthropods of Africa", + "Crustaceans of Africa", + "Marine crustaceans of Africa", + "Terrestrial arthropods of Africa", + "Action films about security", + "Action films about surveillance", + "Action films about bullying", + "American films about security and surveillance", + "American films about bullying", + "Oligocene reptiles", + "Miocene turtles", + "Oligocene animals of Europe", + "Miocene animals of Europe", + "Fossil turtles of Europe", + "Fish of the Sea of Azov", + "Fish of the Black Sea basin", + "Brackish water fish species", + "Marine fish of Eastern Europe", + "Animals of Brunei", + "Animals of Melanesia", + "Fauna of the Pacific", + "Films set in the 1570s", + "Films about the Aztec Triple Alliance", + "Films set in ancient Mesopotamia", + "Films shot in Tasmania", + "Films set in Madhya Pradesh", + "2018 Western films", + "Books about military personnel", + "Fiction about soldiers without murder themes", + "Non-violent military-themed literature", + "Biographies of military personnel without murder", + "Military life narratives with no homicide plot elements", + "History books about the Russian Revolution", + "History books about Anarchism", + "Novels by Marlon James", + "Works by Marlon James", + "Jamaican novelists", + "Contemporary literary novels", + "21st-century novels in English", + "Prehistoric animals of Europe", + "Prehistoric animals of Africa", + "Prehistoric animals not from the Miocene", + "Prehistoric vertebrates of Europe", + "Prehistoric vertebrates of Africa", + "Aquatic reptiles", + "Extant aquatic reptiles", + "Freshwater reptiles", + "Reptiles excluding dinosaurs and other prehistoric taxa", + "Novels published by HarperCollins", + "Novels published in 1936", + "HarperCollins novels of the 1930s", + "English-language novels published in 1936", + "Films about friendship", + "Films about insects", + "Films about crickets", + "Films about animals on Earth", + "Friendship-themed films involving animals or insects", + "Birds of East Africa", + "Birds described in 1869", + "Fauna of Africa", + "Flora of Belgium", + "Plants of Belgium", + "Native plants of Belgium", + "Flora of Western Europe", + "European temperate flora", + "Children's alternate history novels", + "Novels about totalitarianism", + "Children's novels about totalitarianism", + "Polish animated fantasy films", + "Hungarian independent films", + "Austrian comedy-drama films", + "Novels by Val McDermid", + "Works by Val McDermid", + "Crime novels by Val McDermid", + "Scottish crime fiction authors", + "British mystery novels", + "Crime films", + "Films released in 1976", + "1970s crime films", + "Novels set in ancient China", + "Novels set in the Ming dynasty", + "Novels set in Shaanxi", + "Historical novels set in China", + "Dinosaurs of North America", + "Wading birds of North America", + "Fauna of North America excluding the Caribbean", + "Dinosaurs", + "French novels published in 1920", + "French novels published in 1923", + "LGBT novels from the 1920s", + "Romantic films", + "Romantic films from the 1930s", + "Non-drama romantic films", + "Romantic comedy films", + "Films about security", + "Films about surveillance", + "Films about law enforcement", + "Flora of French Guiana", + "Flora of Brazil", + "Flora of northern South America", + "Religious studies in fiction", + "Religious speculative fiction", + "2000s novels", + "Religious-themed speculative fiction from the 2000s", + "1960s dance films", + "Spanish dance films", + "Flamenco films", + "Trees of Cuba", + "Trees of the Dominican Republic", + "Trees of the Greater Antilles", + "Cenozoic birds", + "Birds by geologic period", + "Birds not found in New Zealand", + "Birds by geographic distribution", + "Endemic flora of Samoa", + "Avant-garde films", + "Experimental films", + "Silent films", + "Short films from the 1910s", + "Plants of Guam", + "Plants of Palau", + "Carnivorous plants of the Pacific Ocean", + "Pacific islands flora", + "Novels about nobility", + "Novels featuring aristocracy or royalty", + "Non-historical fiction novels", + "Novels not classified as historical fiction", + "Fauna of the Pantanal", + "Birds of the Pantanal", + "Birds described in 1820", + "Marine mammals", + "Marine mammals found in South America", + "Non-cetacean marine mammals", + "Sea otters and marine mustelids of South America", + "Marine mammals excluding cetaceans", + "Flora of the Cook Islands tropical region", + "Flora of the central Pacific Ocean islands", + "Birds of Eurasia", + "Birds described in 1874", + "Soviet films", + "Black-and-white films", + "Films based on works by Fyodor Dostoyevsky", + "Soviet black-and-white films", + "Soviet films based on works by Fyodor Dostoyevsky", + "Films based on works by Sheridan Le Fanu", + "Films based on Gothic literature", + "Films based on Irish literature", + "Endemic fauna of Ontario", + "Endemic fauna of Canada", + "Fauna of Ontario", + "Endemic animals by Canadian province", + "Endemic species in the Great Lakes region", + "Fish of the Western American coast", + "Fish of the Pacific coast of the United States", + "Fish of Colombia", + "Fish of the Gulf of California", + "Marine fish of the Eastern Pacific", + "1960s drama films", + "Films about violence", + "Films about crime and violence", + "Films about legal drama", + "Independent films shot in Europe", + "1831 novels", + "Novels by Benjamin Disraeli", + "Books about military marriage", + "Books about military spouses and relationships", + "Books about the impact of deployment on marriage", + "Books about military family life", + "Books about marriage in the armed forces", + "Books published in 1704", + "Early 18th-century books", + "Books by year of publication", + "Films made in Mauritania", + "Films shot in Mauritania", + "Mauritanian cinema", + "Films produced by Mauritanian studios", + "Horror books", + "Books published in 1897", + "Novels published in 1897", + "19th-century horror literature", + "1960s non-fiction books", + "Non-fiction books about the Holocaust", + "History books about the Holocaust", + "Books about World War II atrocities", + "Books about Nazi concentration and extermination camps", + "Fictional works about writers", + "Novels featuring authors as protagonists", + "Non-autobiographical novels", + "Flora of Armenia", + "Flora of Azerbaijan", + "Plants by country in the Caucasus region", + "Endemic flora of Armenia", + "Flora of Western Canada", + "Books about crowd psychology", + "American non-fiction books", + "American psychology books", + "Books about social psychology", + "Books about mass behavior", + "Books about collective behavior", + "Pliocene reptiles", + "Atlantic auks", + "Auks of the Atlantic Ocean", + "Sulidae", + "Birds of family Sulidae", + "Invertebrates of South America", + "Freshwater invertebrates", + "Freshwater invertebrates of South America", + "Birds described in 2004", + "Species described in 2004", + "Bird taxonomy by year of description", + "Trees of New Guinea", + "Trees of Papua New Guinea", + "Trees of Western New Guinea", + "Pantropical trees", + "Flora of the tropics", + "1964 fiction books", + "Fiction books published in 1964", + "Books about China", + "Fiction books about China", + "Films set in Miyagi Prefecture", + "Films set in the Marshall Islands", + "Films set in Fukuoka Prefecture", + "Films set in Oceania", + "Ferns of Asia", + "Ferns of the Southwestern Pacific", + "Ferns of Oceania", + "Ferns of the Pacific Islands", + "Pteridophytes of Asia", + "Pteridophytes of the Southwestern Pacific", + "1988 science fiction films", + "Films based on works by Isaac Asimov", + "2000 thriller films", + "2000 drama films", + "Novels by Robert B. Parker set outside New England", + "Animals from India", + "Animals from South India", + "Non-avian animals from India", + "Non-avian animals from South India", + "Moths of Mauritius", + "Moths of Asia", + "2020s films", + "Films about seafaring", + "Films about maritime accidents", + "Films about maritime incidents", + "Disaster films from the 2020s", + "Films set at sea", + "Edible palms", + "Edible acai species", + "Edible fruits from palm trees", + "Edible nuts from palm trees", + "Edible palm hearts", + "Fauna of Korea", + "Arthropods of Korea", + "Fauna of Vietnam", + "Arthropods of Vietnam", + "Arthropods that occur in both Korea and Vietnam", + "Novels not about disasters", + "Fiction not about disasters", + "Vietnam War novels", + "Post-war Vietnamese literature", + "Kidnapping films", + "Kidnapping films set in the United Kingdom", + "British kidnapping films", + "Crime films set in the United Kingdom", + "British crime thriller films involving kidnapping", + "Angiosperms", + "Endemic flora of Tasmania", + "Angiosperms endemic to Tasmania", + "Novels set in the 1550s", + "Historical novels set in the 16th century", + "French novels published in 2001", + "French children's novels", + "French children's novels from 1877", + "19th-century French children's novels", + "Children's novels published in 1877", + "French literature of 1877", + "Plants of Haiti", + "Plants endemic to Haiti", + "Native plants of Hispaniola", + "Plants of the Dominican Republic", + "Russian science fiction horror films", + "Russian science fiction drama films", + "2020s science fiction comedy-drama films", + "Flora of the Maldives", + "Flora of the Coral Sea Islands Territory", + "Crops originating from Pakistan", + "Religious horror films", + "2008 films", + "2000s horror films", + "2000s religious horror films", + "Books published in 1971", + "Books by Scottish authors", + "British war films", + "Films shot in the Republic of Ireland", + "British films shot in the Republic of Ireland", + "British war films based on actual events", + "Extinct animals from the Quaternary period", + "Quaternary period fossils", + "Extinct birds from Europe", + "Prehistoric European birds", + "Novels about alien visitations", + "Science fiction novels about first contact", + "Novels with peaceful alien encounters", + "Novels with non-apocalyptic alien interactions", + "Novels about aliens visiting Earth without global catastrophe", + "Flora of Quintana Roo", + "Flora of the Southwest Caribbean", + "Cenozoic mammals of Asia", + "Extinct Cenozoic mammals of North America", + "Cenozoic mammals that occur in both Asia and North America", + "Grasses of Punjab", + "Grasses of India", + "Grasses of Pakistan", + "Crops originating from India", + "Crops originating from the Indian subcontinent", + "Novels about homelessness", + "Novels about the Troubles (Northern Ireland)", + "Novels about political conflict in Northern Ireland", + "Novels about social marginalization and poverty", + "Novels by Jean Giono", + "French novels published in 1951", + "Sociological books", + "Books published by Hachette Book Group", + "Books not published by Little, Brown and Company", + "Endemic orchids of Australia", + "Endemic orchids of Malesia", + "Orchids of Australia", + "Orchids of Malesia", + "Plants of the Savage Islands", + "Plants of Western Sahara", + "Arboreal flora of the Arabian Peninsula", + "Films based on Uncle Vanya", + "Adaptations of Anton Chekhov plays", + "Russian-language film adaptations of stage plays", + "Miocene mammals of Europe", + "Odd-toed ungulates", + "Miocene odd-toed ungulates", + "Miocene perissodactyls of Europe", + "Philippine teen romance films", + "Philippine coming-of-age films", + "Philippine films shot in Pampanga", + "2016 novels", + "Speculative fiction novels published in 2016", + "2016 non-American speculative fiction novels", + "Bats of Western New Guinea", + "Bats of New Guinea", + "Mammals of Western New Guinea", + "Mammals of New Guinea", + "Bats of Indonesia", + "Bats of Melanesia", + "Books by C. L. R. James", + "Works authored by C. L. R. James", + "History books about Haiti", + "Books about the Haitian Revolution", + "Historical studies of the Haitian Revolution", + "Nonfiction about Haitian history", + "Fauna of Biliran", + "Fauna of Camiguin", + "Birds described in 2006", + "Ericales genera", + "Plants that are both edible and in order Ericales", + "Food plants within Ericales", + "Taxonomic genera in Ericales with edible species", + "1980 novels", + "War novels", + "Novels about war", + "Novels about armed conflict", + "Novels about political conflict", + "1923 novels", + "1923 novels from France", + "Prostitution in literature", + "French prostitution novels", + "Books published in 1785", + "Books about Donald Trump", + "Political books about Donald Trump", + "Biographies of Donald Trump", + "Books about Donald Trump published before 2010", + "Books about Donald Trump published after 2019", + "History books about famine", + "History books about the Qing dynasty", + "History books about the French colonial empire", + "Ecuadorian novels", + "Novels by Ecuadorian authors", + "Novels set in Ecuador", + "Spanish-language novels from Ecuador", + "Fantasy novels published in the 1740s", + "Books published in 1747", + "Novels written by Denis Diderot", + "Films based on works by Knut Hamsun", + "Films about Knut Hamsun", + "Norwegian films", + "Films based on Norwegian novels", + "1858 novels", + "Fish of Egypt", + "Freshwater fish of Egypt", + "Marine fish of Egypt", + "Fish of the Nile River", + "Fish of the Mediterranean Sea", + "Fish of the Red Sea", + "Moths of Australia", + "Moths of Indonesia", + "Moths of Australasia", + "1931 short films", + "Short films about children", + "Black-and-white short films", + "American short films", + "Silent short films", + "Invertebrates of Malaysia", + "Invertebrates of Vietnam", + "Invertebrates of Northeast Asia", + "Invertebrates of Asia", + "History books about Hinduism", + "Books about Hindutva", + "Books about the history of Hinduism and Hindutva", + "Religious history books on Hinduism", + "Political ideology books on Hindutva", + "Trees of Dominica", + "1980s comedy films", + "1980s thriller films", + "Buddy cop films", + "Police comedy films", + "Police thriller films", + "Satirical novels", + "Novels published in 1934", + "1934 French novels", + "Novels published in 1759", + "1759 French novels", + "Flora of Nigeria", + "Flora of Ivory Coast", + "Flora of Ghana", + "Films set in music venues", + "Plants of the Northern Mariana Islands", + "Flora of the Northern Mariana Islands by island", + "Endemic flora of the Northern Mariana Islands", + "Films set in Khyber Pakhtunkhwa", + "Pakistani action war films", + "Films shot in Khyber Pakhtunkhwa", + "Pakistani war cinema", + "Pakistani action films", + "Birds of Mongolia", + "Non-Palearctic birds", + "Birds of East Asia", + "Birds of Central Asia", + "Mongolian bird fauna outside the Palearctic region", + "Brazilian fantasy comedy films", + "Portuguese science fiction films", + "LGBT-related science fiction comedy films", + "Mammals of Hawaii", + "Otariinae", + "2020s drama films", + "Films shot in Cleveland, Ohio", + "Films shot in Ohio", + "Flora of the Southern United States", + "Flora of Ontario", + "Novels published in 1814", + "19th-century British novels", + "Regency-era British literature", + "Novels set in hell", + "Fantasy novels set in the afterlife", + "Horror novels set in hell", + "Religious or theological fiction about hell", + "Supernatural novels featuring hell as a primary setting", + "Teen films", + "Non-English-language Canadian films", + "French-language Canadian films", + "Multilingual Canadian films", + "Independent American teen films", + "1990s American films", + "1990s teen films", + "Books about California", + "Books not about Los Angeles", + "Books about U.S. states", + "Books by major U.S. publishers", + "Classical war films", + "War films set outside of Lazio", + "Italian war films", + "Historical war films", + "Films set in Lazio", + "Neogene mammals of Africa", + "African Odd-toed ungulates", + "Tropical fruit", + "Tropical fruit that is also a cactus", + "Cacti that produce edible tropical fruit", + "Mammals of Europe", + "Neogene animals of Africa", + "Horseshoe Canyon fauna", + "Animals of Horseshoe Canyon", + "Wildlife of Horseshoe Canyon", + "Fauna of canyon ecosystems in Utah", + "Fauna of Canyonlands National Park region", + "Greek films", + "Greek black-and-white films", + "Greek drama films", + "Pleistocene animals", + "Pleistocene animals of Oceania", + "Pleistocene animals of Australia", + "Pleistocene animals of New Guinea", + "Pleistocene animals of New Zealand", + "Pleistocene animals of Pacific Islands", + "Argentine historical drama films", + "Historical drama films produced in Argentina", + "Films set in 1817", + "Period films set in the 1810s", + "History books about religion", + "Non-fiction books about religion", + "2000s non-fiction books", + "2000s history books", + "History books about Christianity", + "Cenozoic birds of Asia", + "Cenozoic birds of Africa", + "Struthioniformes", + "Novels by Ayn Rand", + "Books by Ayn Rand", + "Science fiction novels published in 1938", + "Biographical drama films", + "1930s drama films", + "1930s biographical films", + "Non-historical biographical films", + "Plants of Afghanistan", + "Plants of Israel", + "Vascular plants of Afghanistan", + "Vascular plants of Israel", + "Flora of Afghanistan", + "Flora of Israel", + "Native plants of Afghanistan", + "Native plants of Israel", + "Angiosperms of Europe", + "Angiosperms of France", + "Plant genera of France", + "Novels set in the 1900s", + "Fiction set in the 20th century", + "Novels set in the early 1900s (1900\u20131909)", + "Novels set in the 1900s but excluding historical fiction", + "Buddy films", + "Buddy films about mental health", + "Buddy films about psychological conditions", + "Buddy films about the film industry", + "Buddy films set in Hollywood", + "Buddy films about actors and filmmaking", + "Books published in 2000", + "Books about Europe", + "French novels published in 1991", + "Novels by Jean Raspail", + "Books published by \u00c9ditions Robert Laffont", + "Plants of the Neotropical realm", + "Plants of Oceania", + "Plants of Oceania excluding Australasia", + "Non-Australasian plants in the Oceanian realm", + "Romanian films", + "Romanian crime films", + "Romanian thriller films", + "Romanian crime thriller films", + "Romanian independent films", + "Animals of Dinagat Islands", + "Animals of Camiguin", + "Fauna of Dinagat Islands", + "Endemic animals of Dinagat Islands", + "Endemic animals of Camiguin", + "Fauna of the Philippines", + "Endemic plants of Bermuda", + "Trees of Atlantic islands", + "Flora of North Atlantic islands", + "Birds of Scandinavia", + "Birds of Europe", + "Birds of the Arctic", + "Spanish romantic thriller films", + "French romantic thriller films", + "French crime comedy-drama films", + "Polish films", + "Polish crime films", + "Polish films about organized crime", + "Gangster films by country", + "Mafia films by country", + "Endangered amphibians", + "Endangered animals", + "Amphibians of North America", + "Endangered species of North America", + "Cephalopods of North America", + "Cretaceous cephalopods", + "Late Cretaceous cephalopods", + "Mesozoic cephalopods", + "Fossil cephalopods of North America", + "Pinnipeds of the Arctic Ocean", + "Pinnipeds of Asia", + "Pinnipeds by continent", + "Pinnipeds by ocean region", + "Monotypic Caryophyllales", + "Monotypic Caryophyllales of South America", + "Monotypic Caryophyllales of western South America", + "Caryophyllales of western South America", + "Science fiction adventure films", + "2010s adventure films", + "Science fiction films by country", + "Non-American science fiction films", + "Bird species described in 1854", + "Bird species described in the 1850s", + "Birds of the Western United States", + "Birds of the United States", + "19th-century bird discoveries", + "Comedy films set in Florence", + "Films set in Florence", + "Italian comedy films", + "Films set in Pittsburgh", + "LGBT-related romance films", + "American LGBT-related films", + "American romantic drama films", + "American romantic comedy films", + "Austrian erotic novels", + "Erotic novels from Austria", + "Austrian literature by genre", + "Erotic literature by country of origin", + "German-language erotic fiction", + "20th-century Austrian erotic novels", + "21st-century Austrian erotic novels", + "1980s non-fiction books", + "Non-fiction books about popular culture", + "Books about popular culture", + "Books about creativity", + "1980s books", + "Indian films remade in other languages", + "Indian films without item numbers", + "1980s animated superhero films", + "South Korean fantasy adventure films", + "American children's animated space adventure films", + "Kunzea (genus)", + "Flora of Australia", + "Kunzea species not native to Australia", + "Non-floral uses of Kunzea (e.g., essential oils, timber)", + "Kunzea in regions outside Australia", + "Novels set in the Mediterranean Sea", + "Novels set in the Mediterranean islands", + "Non-fiction books about Soviet repression", + "Books about political repression in the Soviet Union", + "Belarusian non-fiction books", + "Belarusian books", + "Indian thriller films", + "Indian drama films", + "Films about child abduction", + "Films about kidnapping", + "Indian films about crime involving children", + "Extinct plants of New Zealand", + "Fossil plants of New Zealand", + "Ordovician plants", + "Ordovician fossil flora", + "Plants known only from the fossil record", + "African-American films", + "Comedy-drama films", + "American fantasy comedy-drama films", + "African-American comedy-drama films", + "African-American fantasy films", + "Novels by Jonathan Kellerman", + "Works by Jonathan Kellerman", + "Psychological thriller novels", + "Alex Delaware novel series", + "Birds of the Sierra Madre Oriental", + "Birds of the Sierra Madre Occidental", + "Birds of northeastern Mexico", + "Birds of northwestern Mexico", + "Endemic birds of the Sierra Madre Oriental", + "Endemic birds of the Sierra Madre Occidental", + "Novels set in 1770", + "Historical novels set in the 1770s", + "Fiction set in the 18th century", + "Novels about daily life in 1770", + "Novels about culture and society in 1770", + "Novels about science or exploration in 1770", + "Novels about romance in 1770", + "Novels about politics in 1770 (excluding war)", + "Novels about commerce and trade in 1770", + "Novels about art and philosophy in 1770", + "Flora of Morelos", + "Flora of Tlaxcala", + "Films set in the Edo period", + "Samurai films", + "Non-samurai films", + "Japanese historical films", + "Period films set in Japan", + "Trees of South America", + "Flora of Sri Lanka", + "Flora of North Korea", + "Orchids of Sichuan", + "Flora of Sichuan", + "Holarctic flora of Sri Lanka", + "Plants of Gabon", + "Endemic plants of Gabon", + "Flora of Gabon", + "Trees of the North Central United States", + "Romantic thriller films", + "2000s romantic thriller films", + "Non-Indian films", + "Political books", + "Books critical of Christianity", + "Political books critical of Christianity", + "Non-fiction books based on actual events", + "Books about real political events involving religion", + "Books about the political influence of Christianity", + "Books critiquing Christian involvement in politics", + "Novels about Vietnam", + "Novels with non-military themes", + "Novels about civilian life in Vietnam", + "Military fiction set in Vietnam", + "Books by Monique Wittig", + "Books published by Les \u00c9ditions de Minuit", + "Buddy films set in South Korea", + "Films set in South Korea", + "Proteaceae", + "Proteaceae genera", + "Proteaceae of South America", + "Proteaceae of Argentina", + "Plant genera of Argentina", + "German spy comedy films", + "American spy comedy-drama films", + "2000s mystery comedy-drama films", + "Lost Canadian films", + "Lost films produced in Canada", + "Documentary films about law enforcement in Canada", + "Canadian documentary films about policing", + "Documentary films about the Royal Canadian Mounted Police", + "Documentary films about Canadian criminal justice system", + "Novels set in Kaifeng", + "Novels set in Chongqing", + "Birds of the Venezuelan Andes", + "Birds of Venezuela", + "Andean bird species in Venezuela", + "Birds of the Andes", + "Endemic fauna of Japan", + "Invertebrates of Japan", + "Non-moth invertebrates of Asia", + "Non-moth endemic invertebrates of Japan", + "Biographical crime films", + "Italian-language films", + "Films about bandits", + "Historical criminal figures in film", + "Plants of Mississippi", + "Books from 1562", + "Books from 1566", + "Books from 1574", + "Epistemology books", + "Philosophy books", + "Academic texts on theory of knowledge", + "Introductory epistemology textbooks", + "Advanced epistemology monographs", + "Trees of Northwestern Mexico", + "Flora of the Southwestern United States", + "Flora of Northern Mexico", + "Plants of the Chihuahuan Desert", + "Native trees of Northwestern Mexico", + "Books by Icelandic authors", + "Books from Iceland", + "Books about Iceland", + "Hoverfly genera", + "Large hoverflies", + "Broad-bodied hoverflies", + "Dramatic coloration in hoverflies", + "French novels published in 1919", + "Novels about World War II", + "Non-science fiction alternate history novels", + "World War II alternate history novels", + "Historical novels with alternate World War II outcomes", + "Historical novels published in 1961", + "Novels published in 1961", + "Birds of Myanmar", + "Animals of Biliran", + "Animals of the Philippines", + "Flora of the Crozet Islands", + "Flora of Gough Island", + "Subantarctic island flora", + "Trees of South Africa", + "Trees of the south-central Pacific", + "Tree species native to South Africa and present in the south-central Pacific", + "Introduced South African tree species in the south-central Pacific", + "Native tree flora of South Africa", + "Native tree flora of the south-central Pacific islands", + "Trees of Alaska", + "Trees of the Northwestern United States and Canada", + "Trees of Peninsular Malaysia", + "Flora of Borneo", + "Monotypic Asparagales genera", + "Asparagales genera native to Mexico", + "Monotypic plant genera in Asparagales that occur in Mexico", + "Plants from the Ordovician period", + "Fossil plants documented only from fossils", + "Extinct fossil plants", + "Endemic flora of Costa Rica", + "Plants of Costa Rica", + "Endemic flora of Central America", + "Documentary films about education", + "Documentary films about intellectual disability", + "Documentary films about disability", + "Documentary films about special education", + "Books about military history", + "Books about soldiers", + "Books about armed forces", + "Books about warfare", + "Doctor Who novels", + "Seventh Doctor novels", + "Virgin New Adventures novels", + "BBC Books Doctor Who novels", + "Films based on children's books", + "Films featuring shapeshifting", + "Films about non-Leporidae animals", + "Films without rabbits or hares", + "Endemic birds of Myanmar", + "Endemic birds of Southeast Asia", + "Endemic fauna of Myanmar", + "1991 speculative fiction novels", + "1991 science fiction novels", + "Novels about education", + "Adult novels about education", + "Non-children's novels", + "Birds described in 1855", + "19th-century bird taxa", + "Neotropical birds", + "South American birds", + "Superhero comedy films", + "Superhero short films", + "Comedy short films", + "1940s short films", + "Novels set in South America", + "Novels set in Australia and Oceania", + "Disaster books", + "Books about disasters in London", + "Books about disasters not related to war", + "Non-war disaster literature", + "Films about criminals", + "Films about criminals in performing arts", + "Films about crime in the entertainment industry", + "Films with criminal protagonists in show business", + "Films about performers committing crimes", + "Films about criminals that do not involve stalking", + "Films about crime that excludes stalking themes", + "Flora of Laos", + "Social science fiction films", + "DC Comics-based films", + "Social science fiction films based on DC Comics", + "Lepidoptera of Europe", + "Moths of Comoros", + "Children's historical fiction books", + "Non-American children's books", + "Non-American historical fiction", + "Children's literature by country (excluding United States)", + "International children's historical novels", + "Trees of Malaya", + "Books by year", + "Books from 1726", + "Medicinal plants of Venezuela", + "Medicinal plants of Suriname", + "Cisuralian animals of North America", + "Pennsylvanian animals of North America", + "Paleozoic animals of North America", + "Early Cretaceous plants", + "Paleocene plants", + "Luxembourgian films", + "Luxembourgian LGBT-related films", + "Films set in Slovakia", + "Perennial plants", + "Perennial plants of Spain", + "Flora of Spain", + "Garden perennials suitable for Spanish climate", + "English-language drama films", + "Multilingual drama films", + "Bulgarian drama films", + "English-language Bulgarian films", + "Multilingual Bulgarian films", + "Historical romance novels", + "Historical romance novels published by Random House", + "Historical romance novels set in the 2nd millennium", + "Romance novels set in the 2nd millennium", + "Novels published by Random House in the 2nd millennium", + "Satirical films", + "Satirical adventure films", + "Films shot in Hertfordshire", + "Films shot in England", + "British comedy films", + "Flora of Heilongjiang", + "Novels set in Yorkshire", + "Novels about London", + "Novels set in Yorkshire but thematically focused on London", + "Extinct Caribbean animals", + "Extinct animals of the Lesser Antilles", + "Extinct animals of the Bahamas", + "Extinct animals of the Caribbean islands excluding the Greater Antilles", + "Novels set in Brunei", + "Fiction set in Brunei", + "Novels by setting", + "Southeast Asian setting in literature", + "Flora of \u00celes des Saintes", + "Films set in Otaru", + "Films set in Hokkaido Prefecture", + "Films set in Aomori Prefecture", + "Films set in the Tohoku region of Japan", + "Japanese alternate history films", + "Alternate history films set in Japan", + "Neognathae", + "Fauna of Seychelles", + "Neognathae that are fauna of Seychelles", + "African-American historical novels", + "American historical novels", + "Historical novels set in Virginia", + "Novels set in Virginia", + "Historical fiction about African-American history in Virginia", + "Plants of Arizona", + "Flora of Arizona", + "Flora of the Klamath Mountains", + "Plants of the Klamath Mountains", + "Flora of the North American Desert", + "Plants of the North American Desert", + "Mystery novels about death", + "Crime novels set in Asia", + "Mystery novels set in Asia", + "Asian crime fiction", + "Loranthaceae of western South America", + "Loranthaceae of South America excluding Peru", + "Trees of North America", + "Trees of western South America", + "Animals of Montserrat", + "Birds of Saint Kitts and Nevis", + "Trees of Botswana", + "Trees of Southern Africa", + "Ballantine Books", + "Dystopian novels", + "Ballantine Books dystopian novels", + "Ballantine Books about legendary creatures", + "Pliocene mammals", + "Extinct mammals of Asia", + "Trees of Guanajuato", + "Films set in Bahrain", + "Bodybuilding", + "Plants of Aguascalientes", + "Flora of Aguascalientes", + "Plants of Mexico", + "Birds of Panay", + "Fauna of Marinduque", + "Birds of the Philippines", + "Books about apartheid", + "Books about racial segregation", + "Books about South African history", + "Books about human rights in South Africa", + "Books about civil resistance in South Africa", + "Non-fiction books about genocide", + "History books about genocide", + "Books about genocide published in 2019", + "Non-fiction books published in 2019", + "Books first published in 1945", + "Books published by Alfred A. Knopf", + "Books published by Alfred A. Knopf in 1945", + "Books of the 2nd millennium", + "Flora of Kenya", + "Flora of Papuasia", + "Flora of Malesia", + "Plant species occurring in both Africa and Papuasia", + "Plant species occurring in both Africa and Malesia", + "Afrotropical realm fauna", + "Fauna of Argentina", + "Species native to the Afrotropical realm", + "Species native to Argentina", + "Faunal overlap between Afrotropical realm and Argentina", + "Film theory books", + "Books about film theory", + "Books from North Korea", + "North Korean books", + "Books published in North Korea", + "Birds described in 1758", + "Taxa named by Carl Linnaeus", + "Prehistoric animals of Asia", + "Holocene fauna of New Caledonia", + "Extant mammals of New Caledonia", + "Extant birds of New Caledonia", + "Extant reptiles of New Caledonia", + "Extant amphibians of New Caledonia", + "Extant freshwater fish of New Caledonia", + "Extant invertebrates of New Caledonia", + "Endemic fauna of New Caledonia", + "Introduced fauna of New Caledonia", + "Island fauna of the southwest Pacific", + "Holocene vertebrates of New Caledonia", + "Holocene invertebrates of New Caledonia", + "Flora of the Democratic Republic of the Congo", + "Monotypic Poaceae genera", + "Poaceae genera", + "Flora of Africa", + "Science fantasy films", + "Films that are not children's films", + "Animated science fantasy films", + "Flora of Peninsular Malaysia", + "Endemic flora (general)", + "Trees of Malesia", + "Potato varieties", + "Crops originating from Colombia", + "Military treatises", + "Books written in Latin", + "Classical Latin literature", + "Military history in Latin", + "Films set in 2007", + "Films about presidents", + "Political films", + "Films about heads of state", + "Films set in the 2000s", + "2013 films", + "Films released in 2013 about Catholic nuns", + "Films featuring Catholic nuns", + "Religious-themed films", + "Christianity in film", + "Catholicism in film", + "2015 novels", + "2010s American novels", + "American LGBT novels", + "LGBT novels published in 2015", + "American literature", + "Insects of Iceland", + "Insects of the Middle East", + "Insects that are also moths", + "Asian moths occurring in both Iceland and the Middle East", + "Plants that are bird food", + "Books from 1937", + "Fiction books from 1937", + "Books about North America", + "Fiction books about North America", + "Books set in Canada", + "Fiction books set in Canada", + "Endemic flora of Russia", + "Endemic plants of Russia", + "Plants of Russia", + "Birds of the Peruvian Andes", + "Birds described in 1845", + "Fauna of the Andes", + "Flora of Belize", + "Trees of the Eastern United States", + "Snakes of Asia", + "Reptiles of the Philippines", + "Plant species endemic to Ghana", + "1858 British novels", + "1872 fantasy novels", + "1872 novels", + "Novels by George MacDonald", + "Works by George MacDonald", + "Birds of the Cayman Islands", + "Birds of the British Virgin Islands", + "Endemic flora of Ethiopia", + "Trees of Ethiopia", + "Non-fiction books about social psychology", + "Plants of Bangladesh", + "Plants of South Africa", + "Plants of Taiwan", + "1970s erotic drama films", + "French erotic drama films", + "Erotic drama films about the Solar System", + "Films about the Solar System", + "1970s French films", + "Plants of the Pitcairn Islands", + "Plants of Niue", + "Plants of the South Pacific islands", + "Diptera of Asia", + "Diptera by continent", + "Invertebrates by continent", + "Diptera of Europe", + "Seals of South America", + "Fish of Antarctica", + "Marine mammals of South America", + "Marine fish of Antarctica", + "Prehistoric arthropods", + "Fossil arthropods of Australia", + "Prehistoric animals of Australia", + "Australian arthropods", + "Paleozoic arthropods of Australia", + "Mesozoic arthropods of Australia", + "Cenozoic arthropods of Australia", + "2011 books", + "Children's non-fiction books from 2011", + "Endemic flora of the United States by state", + "Flora of Washington (state) outside the Cascade Range", + "Flora of the Cascade Range", + "1932 science fiction novels", + "Chinese science fiction novels", + "Non-war novels", + "Novels set in the Napoleonic era", + "Novels set in the Regency era", + "Novels published in 1929", + "Science fiction novels published in 1929", + "20th-century science fiction novels", + "Documentary films about Canada", + "Documentary films shot in the United States", + "Documentary films shot in Mississippi", + "Documentary films about Canada not shot in Canada", + "Mesozoic fish", + "Mesozoic fish of Asia", + "Prehistoric fish of Asia", + "Mesozoic vertebrates of Asia", + "Flora of Ethiopia", + "Monotypic plant genera", + "Flora of the Arabian Peninsula", + "German historical fantasy films", + "Historical horror films", + "1920s historical horror films", + "Plants used in traditional M\u0101ori medicine", + "Medicinal plants of New Zealand", + "Crops originating from Argentina", + "Crops of Argentina", + "Crops from New Zealand", + "Crops of New Zealand", + "Carnivorous plants", + "Carnivorous plants of Liberia", + "Carnivorous plants of West Africa", + "Paleotropical carnivorous plants", + "German psychological drama films", + "French psychological horror films", + "Danish nonlinear narrative films", + "Erotic films", + "Films set on beaches", + "Coming-of-age sex comedies", + "Mammals of New Zealand", + "Mammals of Grenada", + "Introduced mammals of Hawaii", + "Marine fauna of the Mediterranean Sea", + "Fauna of the Mediterranean Sea adjacent to North Africa", + "Fauna of the African coasts", + "Non-Atlantic marine fauna", + "Fauna of the Bahamas", + "Bats of South America", + "Non-fiction books published in 1785", + "Books about French prostitution", + "Flora of Colombia", + "Flora of Venezuela", + "Flora of the Guianas", + "Flora of northern Brazil", + "Flora of Guatemala", + "Flora of Honduras", + "Mesozoic cephalopods of North America", + "Mesozoic cephalopods of Asia", + "Mesozoic invertebrates of North America", + "Mesozoic invertebrates of Asia", + "Trees of Morocco", + "Trees of North Africa", + "Endemic trees of Morocco", + "Mediterranean trees", + "Plants of Saint Kitts and Nevis", + "Plants of Saint Kitts", + "Plants of Nevis", + "Plants of Grenada", + "Vulnerable species", + "Vulnerable mammals", + "Vulnerable marine mammals", + "Marine mammals of the Atlantic Ocean", + "Dystopian novels in English", + "English-language science fiction novels", + "Dystopian novels not focused on disasters", + "Dystopian novels about totalitarian societies", + "Dystopian novels about surveillance states", + "Dystopian novels about social control", + "Dystopian novels about oppressive governments", + "French novels set in the Atlantic Ocean", + "Novels set in the Atlantic Ocean", + "French social science books", + "Social science books that are also novels", + "French novels that are also social science books", + "Hispanic and Latino American novels", + "Novels by Hispanic and Latino American authors", + "Novels not set in the United States", + "Hispanic and Latino American novels set outside the United States", + "Science fiction films from Switzerland", + "Science fiction films from Iceland", + "Science fiction thriller films", + "Science fiction thriller films from Germany", + "Fiction books based on Doctor Who", + "Books based on television series", + "1998 books", + "1990s fiction books", + "Science fiction books based on Doctor Who", + "Books about prostitution in France", + "Books set in French brothels", + "Nonfiction books on sex work in France", + "Fiction about French prostitutes", + "Books set in the year 1785", + "Books written in 1785", + "Gymnosperms", + "Non-coniferous gymnosperms", + "Cycads", + "Ginkgoales", + "Ginkgo biloba", + "Gnetophytes", + "Gnetum", + "Welwitschia", + "Ephedra", + "Brazilian short documentary films", + "Short documentary films by country of origin", + "Films shot in Rio Grande do Sul", + "Films set or produced in the state of Rio Grande do Sul", + "Brazilian documentary films", + "19th-century German-language books", + "1850s books", + "Books about society", + "German-language social science books", + "Brazilian fantasy films", + "Fantasy films produced in Brazil", + "Films shot in Amazonas (Brazil)", + "Spirituality books", + "Books published in 1996", + "1990s non-fiction books", + "Non-fiction Science books about spirituality", + "1936 films", + "1930s Czechoslovak films", + "1954 films", + "1954 drama films", + "1954 crime films", + "Films about murderers", + "Films about serial killers", + "Films about contract killers", + "Films about homicide investigations", + "Films about criminal psychology", + "Science films", + "Films about bears", + "Science films about bears", + "Science films shot in Hertfordshire", + "Films about animals", + "British science films", + "Birds of Tonga", + "Fauna of Niue", + "Mammals of American Samoa", + "Mammals of Dominica", + "Trees of the West Indies", + "Flora of Malaya", + "Animals of S\u00e3o Vicente, Cape Verde", + "Animals of Santo Ant\u00e3o, Cape Verde", + "Animals of Cape Verde", + "Films based on crime novels", + "Films based on Indian crime novels", + "Films about organised crime", + "Films about organised crime in India", + "Indian gangster films", + "Vulnerable fauna of Oceania", + "Plants of Madagascar", + "Plants of Myanmar", + "Plants common to Madagascar and Myanmar", + "Flora of western South America", + "Eudicot genera", + "Flora of western South America that are Eudicot genera", + "Flora of the Southwestern United States that are Eudicot genera", + "Plant taxa present in both western South America and the Southwestern United States", + "Eudicot genera occurring in both western South America and the Southwestern United States", + "1997 anime films", + "Anime films released in the 1990s", + "Slayer-themed horror films", + "Monotypic Polygonaceae genera", + "Monotypic genera in Polygonaceae family", + "Polygonaceae taxonomy", + "Orchids of Eastern Asia", + "Orchids of Asia", + "Flora of the Bahamas", + "Angiosperms of the Bahamas", + "Monotypic plant genera in the Caribbean", + "Kirtland fauna", + "Late Cretaceous dinosaur fauna of North America", + "Campanian-age vertebrate assemblages", + "Nonfiction books about military personnel", + "Fiction books featuring military personnel", + "Biographies of military personnel", + "Memoirs of military personnel", + "History books about military organizations", + "Books about veterans", + "Books about military life", + "Teen drama films", + "Films about abortion", + "Teen pregnancy in film", + "Trees of Zacatecas", + "Flora of Zacatecas", + "Native trees of Mexico", + "Dutch films", + "Adventure films by country of origin", + "Films produced in the Netherlands", + "Films shot in Alberta", + "American films shot in Canada", + "Trees of the State of Mexico", + "Flora of central Mexico", + "2014 films", + "Films released in 2014", + "Films about the afterlife", + "Films about life after death", + "Supernatural drama films", + "Religious or spiritual-themed films", + "Birds of Montserrat", + "German novels by year of publication", + "Films set in Buckinghamshire", + "Films set in the United Kingdom", + "Caudiciform plants", + "Succulent caudex plants", + "Xerophytic ornamental plants", + "Films about magical girls", + "Magical girl genre films", + "Anime films about magical girls", + "Live-action films about magical girls", + "Animals of Europe", + "Animals of Europe from the Quaternary period", + "Quaternary period fauna", + "Reptiles of North America from the Pliocene period", + "Pliocene period reptiles", + "Indian comedy films", + "Indian non-romantic comedy films", + "Non-romantic comedy films shot in Ooty", + "Indian films shot in Ooty", + "Comedy films shot in Ooty", + "Parasitic flowering plants", + "Australasian flowering plants", + "Parasitic plants of Australasia", + "Parasitic angiosperms", + "Parasitic plants of Australia and New Zealand", + "Books", + "Canadian books", + "Books about writers", + "Books about authors", + "Canadian literature", + "Literature about writers", + "North American books", + "Fauna of Canada", + "Books about Los Angeles, California", + "Books about American LGBT people", + "Books about LGBT culture in the United States", + "Books set in Los Angeles, California", + "Non-fiction books about Los Angeles and LGBT issues in the United States", + "Fiction books featuring American LGBT characters in Los Angeles", + "Futuristic films", + "Science fiction war films", + "Films about the United States Marine Corps", + "Plants of the Coral Sea Islands Territory", + "Plants of the Maldives", + "1980s children's novels", + "American children's novels", + "1980s American novels", + "English-language children's literature", + "Endemic flora of Mozambique", + "Endemic plants of Mozambique", + "Flora of Mozambique", + "Native birds of the Southeastern United States", + "Birds of the Southeastern United States", + "Native birds of the United States", + "Rosid genera", + "Rosid genera naturalized in Washington (state)", + "Rosid genera native to Washington (state)", + "Flora of the Society Islands", + "Flora of the Marquesas Islands", + "Flora of French Polynesia", + "Endemic flora of the Society Islands", + "Endemic flora of the Marquesas Islands", + "Books about bacon", + "Books published by Andrews McMeel Publishing", + "Coming-of-age drama films", + "Israeli coming-of-age drama films", + "Science books about cultural geography", + "Cultural geography books", + "Science books not about psychology", + "Non-psychology science books", + "Triassic animals of Europe", + "Mesozoic animals of Africa", + "Endemic plants of the Caucasus region", + "Endemic flora of Western Asia", + "2010 documentary films", + "Supernatural documentary films", + "2010 films", + "Flora of Veracruz", + "Flora of Panama", + "Plant species shared between Veracruz and Panama", + "Plant species shared between Veracruz and Belize", + "Plant species shared among Veracruz, Panama, and Belize", + "Fauna of China", + "Mammals of Malaysia", + "Fauna of Cambodia", + "Birds of Grenada", + "Endemic fauna of Grenada", + "Birds of Martinique", + "Endemic fauna of Caribbean islands", + "Children's books published in the 1960s", + "Books published by Grosset & Dunlap", + "Children's books published by Grosset & Dunlap", + "1960s American children's literature", + "Plants of Liberia", + "Endemic plants of Liberia", + "Flora of Liberia", + "Plants of Ivory Coast", + "Novels by Philip Reeve", + "Works by Philip Reeve", + "British science fiction novels", + "British young adult novels", + "Steampunk novels", + "Post-apocalyptic novels", + "Jewish American fiction", + "Jewish American novels", + "2004 novels", + "2000s American novels", + "American Jewish literature", + "Orchids of Vietnam", + "Endemic orchids of Vietnam", + "Endemic flora of Vietnam", + "Orchids of Indochina", + "Novels set in Paraguay", + "1759 books", + "Science fiction novel trilogies", + "Novel series", + "Dystopian fiction", + "Novel series about dystopian societies", + "High fantasy novels", + "Novels that are not high fantasy", + "Flora of Costa Rica", + "Brassicaceae genera", + "Brassicaceae genera present in Costa Rica", + "Flora of Costa Rica that belong to Brassicaceae", + "Books about geography", + "Books about cultural geography", + "Books about human geography", + "Books about urban studies", + "Books about cities", + "Neogene animals of North America", + "Prehistoric animals of Oceania", + "Fantasy adventure films", + "Films shot in South America", + "Films shot on location in South America", + "Non-fiction books on cultural geography", + "Non-fiction science books", + "Books on cultural landscapes", + "Books on human geography", + "Academic texts in geography and science", + "Interdisciplinary works between geography and science", + "Excluding books about creativity", + "Exclude creativity in cultural geography and science topics", + "Philippine films", + "Multilingual films", + "Philippine films by language", + "Tagalog-language films", + "English-language Philippine films", + "Lost Indian films", + "Indian films in color", + "Indian films not in black and white", + "Graphic novels", + "Graphic novels published in 2011", + "Comics from 2011", + "Birds of Sulawesi", + "Books about whaling", + "Novels about whaling", + "Non-fiction books about whaling", + "Historical accounts of whaling", + "Whaling in literature", + "Algae of Hawaii", + "Marine algae of Hawaii", + "Freshwater algae of Hawaii", + "Algae of the Pacific Ocean islands", + "Flora of the Western Indian Ocean", + "Flora of the Indian Ocean islands", + "Flora of South Asia", + "Flora of the Indian Ocean bioregion", + "Films set in the 1420s", + "Films set in the year 1805", + "Films set on the Gal\u00e1pagos Islands", + "Comedy novels set in China", + "Novels set in the Song dynasty", + "Historical novels set in the Song dynasty", + "Novels by Adeline Yen Mah", + "Works by Adeline Yen Mah", + "The Godfather novels", + "Works about the Sicilian Mafia", + "Italian novellas", + "Experimental Polish avant-garde films", + "Polish avant-garde cinema", + "1971 war films", + "War films from the early 1970s", + "Engineering books", + "Books about engineering disciplines", + "Books about technology", + "Shorebirds", + "Non-Neognathae birds", + "Paleognathae birds", + "Puberty in film", + "Books about Yemen", + "Books about Syria", + "French novels published in 1970", + "Books about Israel", + "Books about the Holocaust", + "Books about ideologies", + "Czech thriller films", + "French haunted house films", + "French horror films", + "Haunted house films", + "Historical fantasy novels", + "Novels set in a secondary world with historical elements", + "Fantasy novels inspired by real historical periods", + "Atlantic puffins", + "Birds described in 1763", + "World War II history books", + "Late modern period history books", + "Books published in 1944", + "History books published in 1944", + "Novels by Douglas Cooper (Canadian writer)", + "Bibliography of Douglas Cooper (Canadian writer)", + "Novels by Douglas Cooper (art historian)", + "Bibliography of Douglas Cooper (art historian)", + "Works by authors named Douglas Cooper", + "Birds of islands of the Atlantic Ocean", + "Birds of Atlantic islands", + "Birds of Belize", + "Islands of the Atlantic Ocean", + "Atlantic Ocean", + "1981 films", + "Films released in the 1980s", + "Films based on books", + "Films based on non-fiction books", + "Films from 1934", + "1930s horror films", + "Black-and-white horror films", + "Debut novels", + "Novels first published in 1957", + "Debut novels by year", + "Non-science films", + "Non-fantasy films", + "Films about bats", + "Narrative feature films about bats", + "Documentary films about bats", + "Birds of Guam", + "Birds of the Northern Mariana Islands", + "Birds of Micronesia", + "Birds of the Mariana Islands archipelago", + "Cyberpunk films", + "Science fiction films of the 2010s", + "Dystopian science fiction films", + "Japanese science fiction comedy drama films", + "Japanese science fiction mystery drama films", + "Japanese science fiction films", + "Japanese comedy drama films", + "Japanese mystery drama films", + "Birds of Costa Rica", + "Birds of Ecuador", + "South Korean films", + "South Korean coming-of-age films", + "South Korean comedy films", + "South Korean coming-of-age comedy films", + "Single-species plant genera", + "Plants of Hidalgo (state), Mexico", + "Flora of Hidalgo (state), Mexico", + "Endemic flora of Hidalgo (state), Mexico", + "Flora of Montana", + "Plants found in both Europe and Montana", + "Native flora of Europe", + "Native flora of Montana", + "Pennsylvanian animals", + "Carboniferous of Asia", + "Paleozoic animals of Asia", + "Trees of Algeria", + "Lepidoptera of Asia", + "1960 fantasy novels", + "Fantasy novels published in 1960", + "Novels by Michael Ende", + "Works by Michael Ende", + "1973 German novels", + "German-language novels published in 1973", + "Plants with common names", + "Lists of plant common names", + "Sacred trees in Hinduism", + "Sacred plants in Hinduism", + "Plants in Hindu religious traditions", + "1913 American novels", + "American novels published in 1913", + "Novels by James Branch Cabell", + "Works by James Branch Cabell", + "Early 20th-century American novels", + "Films shot in Oregon", + "Films based on science fiction works", + "Films based on novels or short stories", + "Films based on comic books or graphic novels", + "Australian animated films", + "Australian films about dinosaurs", + "2000s Australian films", + "Australian travel books", + "Travel books about Australia", + "Travel books by Australian authors", + "Australian travel literature", + "Non-fiction travel guides to Australia", + "Brazilian graphic novels", + "Comics from Brazil", + "Portuguese-language graphic novels", + "Novels about war set in France", + "Novels about crime set in France", + "Birds of Indochina", + "Birds of Laos", + "19th-century descriptions of birds", + "Birds described in 1877", + "Historical ornithological works on Indochina", + "Romanian silent films", + "Pre-sound era films", + "Endemic fauna of Navassa Island", + "Endemic animals of Caribbean islands", + "Endemic fauna of United States Minor Outlying Islands", + "Endemic fauna of uninhabited Caribbean islands", + "Fauna of Tibet", + "Arthropods of Asia", + "Fish of Macaronesia", + "Fish of the Atlantic Ocean", + "Marine fish of Macaronesia", + "Marine fish of the Atlantic Ocean", + "Flora of Southwestern Europe", + "Flora of Germany", + "Plant species occurring in both Southwestern Europe and Germany", + "Fauna of Fiji", + "Fauna of Palau", + "Animals that occur in both Fiji and Palau", + "2006 films", + "2000s teen comedy films", + "American television films", + "American teen comedy films", + "Comedy television films", + "Teen television films", + "Carboniferous amphibians", + "Carboniferous animals of North America", + "Paleozoic amphibians", + "Pennsylvanian amphibians", + "Works set in the Edo period", + "Television series set in the Edo period", + "Manga and anime set in the Edo period", + "Video games set in the Edo period", + "Films of 1964", + "1960s independent films", + "American independent films of 1964", + "Non-studio-produced films", + "Grasses of Canada", + "Grasses of California", + "Grasses of desert regions in California", + "Grasses of North America", + "Adventure novels published in the United States", + "Adventure books by American authors", + "Adventure books published by Hachette Book Group", + "Flora of Zanzibar", + "Flora of the Philippines", + "Transport films", + "American Western (genre) films", + "Rail transport films", + "Birds of Hawaii", + "Boreal forest trees", + "Afrotropical flora", + "Flora of Sierra Leone", + "Flora of Italy", + "Films based on Chinese romance novels", + "Chinese-language films", + "Non-drama films", + "Romantic films that are not dramas", + "Genre-filtered adaptations (excluding drama)", + "Flora of the Oceanian realm", + "Domesticated plants native to Oceania", + "Domesticated plants cultivated in Oceania", + "Books about Leporidae", + "Non-illustrated books", + "Scientific monographs on rabbits and hares", + "Field guides to rabbits and hares without illustrations", + "Text-only zoological works on Lagomorpha", + "Vulnerable fauna of China", + "Vulnerable fauna", + "Mammals of Southeast Asia", + "Vulnerable mammals of China", + "Vulnerable mammals of Southeast Asia", + "Dutch war drama films", + "Birds observed in 2006", + "Quaternary birds", + "Fossil birds of Oceania", + "Extant birds of Oceania", + "Non-native birds of the Western United States", + "Prehistoric reptiles of South America", + "Mesozoic reptiles of South America", + "Paleozoic reptiles of South America", + "Non-avian dinosaurs of South America", + "Plesiosaurs of South America", + "Pterosaurs of South America", + "Cenozoic reptiles of South America (excluding birds)", + "Fossil reptiles of South America", + "Holarctic plants", + "Holarctic plants in Sri Lanka", + "Plants not found in Southeast Asia", + "Hummingbirds of the Bolivian Andes", + "Hummingbirds of Bolivia", + "Hummingbirds of the Andes", + "Hummingbirds of South America", + "Hummingbirds of North America", + "Hummingbirds of Central America", + "Hummingbirds of the Americas", + "Fish of Bolivia", + "Freshwater fish of Bolivia", + "Endemic fish of Bolivia", + "Fish of Brazil", + "Flora of Unguja", + "Flora of Pemba Island", + "Flora of East African coastal islands", + "Teen comedy-drama films", + "2010s teen films", + "2010s comedy-drama films", + "Non-American teen comedy-drama films", + "Monotypic asterid genera", + "Garden plants of Asia", + "Mammals of Queensland", + "Mammals of New South Wales", + "Australian marsupials", + "Australian native mammals", + "Horror war films", + "Monster films", + "Pregnancy films", + "Drama films about pregnancy", + "Drama films about addiction", + "Flora of Austria", + "Flora of Bulgaria", + "Flora of the Caucasus", + "Plants of Central Europe", + "Plants of the Caucasus region", + "Novels set in elementary schools", + "Novels set in primary schools", + "School setting novels (primary/elementary)", + "Oligocene plants", + "Endemic birds of Cape Verde", + "Endemic fauna of Cape Verde", + "Birds of S\u00e3o Vicente, Cape Verde", + "Fauna of S\u00e3o Vicente, Cape Verde", + "Films shot in Spain", + "Films set in India", + "Films shot in Spain AND set in India", + "Middle Jurassic reptiles of South America", + "Jurassic reptiles of South America", + "Middle Jurassic tetrapods of South America", + "Jurassic tetrapods of South America", + "Middle Jurassic animals of South America", + "Jurassic animals of South America", + "Invertebrates of the Southeastern United States", + "Fauna of the Southeastern United States", + "Austrian animated films", + "Animated films of Austria", + "2000s adventure thriller films", + "Adventure thriller films released in the 2000s", + "Fauna of Montserrat", + "Fauna of Saint Kitts and Nevis", + "Novels set in Manhattan", + "Novels set in New York City", + "2010 books", + "Monotypic plant genera of Europe", + "Monotypic plant genera of Northern Europe", + "Plant genera of Northern Europe", + "1931 films", + "Musical films from 1931", + "Flora of Albania", + "Flora of Yugoslavia", + "Books published by Little, Brown and Company", + "Little, Brown and Company books about cities", + "Little, Brown and Company books about United States cities", + "Little, Brown and Company books about international cities", + "Books about cities not located in California", + "Books about Brunei", + "Books about Malaysia", + "Historical books about the Qing dynasty", + "Supernatural films", + "Films shot in South Carolina", + "Trees of Suriname", + "Flora of Portugal", + "Asterales", + "Asterales genera", + "Palearctic flora of Portugal", + "Asterales of Portugal", + "Flora of the Desventuradas Islands", + "Plants of the Desventuradas Islands", + "Endemic flora of the Desventuradas Islands", + "Flora of the Chilean Pacific Islands", + "Flora of Shanxi", + "Endemic flora of Gabon", + "Monotypic magnoliid genera", + "Magnoliids", + "Dutch historical drama films", + "Dutch drama films", + "Historical drama films", + "Dutch-language films", + "Films about organized crime", + "Films set in Turkey", + "Mafia films", + "Films about gangs", + "Bats of India", + "Bats of South Asia", + "Fauna of India", + "English-language Taiwanese films", + "Taiwanese supernatural horror films", + "Tai chi films", + "Endemic fauna of Guangxi", + "Endemic animals of Guangxi", + "Endemic fauna of China", + "Fauna of Guangxi", + "Endemic species of Guangxi", + "Butterflies of Asia", + "Butterflies of Eurasia", + "Butterflies of the Old World", + "Butterflies of Europe", + "Children's fantasy films", + "Children's films about outer space", + "Fantasy films about outer space", + "2010s films about outer space", + "Novels by Mark Clapham", + "Books by Mark Clapham", + "Doctor Who novels by Mark Clapham", + "Torchwood novels by Mark Clapham", + "Fiction by Mark Clapham", + "Endemic fauna of Albania", + "Endemic animals of the Balkans", + "Endemic fauna of Europe", + "Collaborative non-fiction books", + "Non-fiction books about countries", + "Non-fiction books about countries outside North America", + "Books about countries by multiple authors", + "Terrestrial orchids", + "Epiphytic orchids", + "1993 films", + "Drama films about sexuality", + "Erotic films about sexuality", + "Films about the Battle of the Somme", + "World War I films", + "War films set on the Western Front (World War I)", + "Succulent plants", + "Succulent plants of Mexico", + "Non-cactoideae succulent plants", + "Cactoideae", + "Films about the Haitian Revolution", + "Historical films about slave revolts", + "Films set in Saint-Domingue (colonial Haiti)", + "Films about Caribbean revolutions", + "Films about the Atlantic slave trade and abolition", + "American spy films", + "American films about mental health", + "Spy films about mental health", + "Drama films about mental health", + "Plants of Kazakhstan", + "Plants of Europe", + "Plant genera that are both Fabales genera and Palearctic flora", + "Mystery thriller films", + "1990s mystery thriller films", + "Mystery films", + "American thriller films", + "Swiss novels adapted into television shows", + "Novels written by Swiss authors that were adapted into TV series", + "Novels set on uninhabited islands", + "Fiction about survival on uninhabited islands", + "1988 films", + "Asian films", + "Law enforcement films", + "Films based on \u2018Around the World in Eighty Days\u2019", + "Films set in Sylhet", + "Films based on works by Jules Verne", + "Canadian novels published in 1971", + "Canadian novels published in 1980", + "Novels by Mordecai Richler", + "Animals found in Santo Ant\u00e3o, Cape Verde", + "Native birds of Cape Verde", + "Birds of Cape Verde", + "Biographical documentary films", + "Documentary crime films", + "Documentary war films", + "Crime war films", + "Biographical documentary crime war films", + "Films about genocide", + "Flora of Oregon", + "Trees of the South-Central United States", + "Endemic fauna of Sudan", + "Endemic mammals of Sudan", + "Endemic birds of Sudan", + "Endemic reptiles of Sudan", + "Endemic amphibians of Sudan", + "Endemic invertebrates of Sudan", + "Endemic fauna of North Africa", + "Endemic fauna of the Sahel region", + "Anseriformes", + "Paleogene animals of Antarctica", + "Quaternary birds of Oceania", + "Gothic novels set in Europe", + "Novels set in continental Europe", + "Novels by Sonya Hartnett", + "Works by Sonya Hartnett", + "Young adult novels by Sonya Hartnett", + "Flora of Moldova", + "Films set in psychiatric hospitals", + "1779 books", + "1770s books", + "Books published in the 1770s", + "Plant common names", + "Religious plants in Hinduism", + "Ordovician animals", + "Ordovician animals of Central America", + "Ordovician animals of South America", + "Paleozoic animals of Central America", + "Paleozoic animals of South America", + "Books by Georges Simenon", + "Standalone novels by Georges Simenon", + "Non-series works by Georges Simenon", + "Maigret series by Georges Simenon", + "Other series by Georges Simenon", + "1835 non-fiction books", + "Vampire romance novels", + "Paranormal vampire romance novels", + "Non-contemporary fantasy novels", + "Historical fantasy romance novels", + "Urban fantasy romance novels", + "Gothic romance novels", + "Books about economics", + "Books about creativity and economics", + "Books about individuals' creative processes in economic contexts", + "Books about economic theory of innovation and creativity", + "Books about behavioral economics and creativity", + "Books about creativity and economics excluding company case studies", + "Books about creativity and economics excluding corporate management topics", + "Extant rhinoceros species", + "Rhinoceroses by conservation status", + "HarperCollins children\u2019s books", + "1970s children\u2019s books", + "Posthumously published books", + "Children\u2019s books published posthumously", + "HarperCollins publications from the 1970s", + "Birds of the Turks and Caicos Islands", + "Birds of the Bahamas", + "Native birds of the Bahamas", + "Fiber plants of Southeast Asia", + "Fiber plants", + "Flora of tropical Asia", + "Economic plants used for fiber", + "2004 German novels", + "Novels by year of publication", + "German literature", + "Novels published in 1985", + "Canadian novels published in 1985", + "Novels by Robertson Davies", + "Films about kings", + "Films featuring monarchs", + "Films about royalty", + "Films based on works by William Shakespeare", + "Desert plants", + "Medicinal plants used in traditional Native American medicine", + "Plants used in Indigenous North American ethnobotany", + "Desert flora of North America excluding the Sonoran Desert", + "Plants of the Mojave Desert", + "Plants of the Great Basin Desert", + "Swedish science fiction drama films", + "German nonlinear narrative films", + "1925 Russian novels", + "Novels by Ivan Bunin", + "Paleogene birds of Asia", + "Mammals of Samoa", + "Mammals of Polynesia", + "Mammals of Melanesia", + "Mammals of the Pacific Islands", + "Drama television films", + "Television films released in 1992", + "Drama television films released in 1992", + "Television films based on actual events", + "Drama television films based on actual events", + "Plants of the Arctic", + "Plants of the Caucasus", + "Plants common to Arctic and United Kingdom", + "Plants common to Arctic and Caucasus", + "Plants common to United Kingdom and Caucasus", + "Books published by Duell Sloan and Pearce", + "Novels published by Duell Sloan and Pearce", + "Works by Ana\u00efs Nin", + "Novels by Ana\u00efs Nin", + "Eocene fish of Europe", + "Eocene fish of Eurasia", + "Paleogene fish of Europe", + "Paleogene fish of Asia", + "Israeli animated films", + "French animated films", + "1990s animated films", + "1990s French films", + "Books about Africa", + "Books about the Cold War", + "Books about Africa and the Cold War", + "Non-social-psychological books", + "Political history books about Africa", + "Military history books about Africa", + "International relations books about Africa during the Cold War", + "1985 films", + "Films set in Texas", + "Novels by Thea von Harbou", + "Novellas by Stefan Zweig", + "1925 German-language novels", + "Late Jurassic plesiosaurs", + "European marine reptiles of the Late Jurassic", + "Jurassic plesiosaurs of Europe", + "Late Jurassic fossils of Europe", + "Fiction books published by Doubleday", + "Books published in 1964", + "Books published by Doubleday", + "English-language films", + "Portuguese films", + "Spanish-language films", + "Animated Spanish-language science fiction films", + "Pleistocene reptiles", + "Pleistocene fauna of Asia", + "Fossil turtles of Asia", + "Asian prehistoric reptiles", + "2010 non-fiction books", + "Non-fiction books about sexuality", + "Non-fiction books not related to LGBT topics", + "Books about human sexuality", + "Sexuality studies literature", + "2010 publications on sex and relationships", + "Fauna of South India", + "Endangered birds", + "Endangered birds of North America", + "Endangered birds of the United States", + "Endangered birds of Canada", + "Birds listed as endangered in 1893", + "Bird species described in 1893", + "Historical conservation status of birds in North America", + "Plants native to both North and South America", + "Children's books from Ireland", + "Irish children's literature", + "Books published in 1916", + "Books published by O'Brien Press", + "Ornamental plants", + "Ornamental plants native to the Pacific region", + "Plants of the Pacific Ocean islands", + "Plants of the Pacific Rim", + "Plants of Peru", + "Plants of Nigeria", + "Plants native to both the Americas and Africa", + "Cosmopolitan plant species", + "Historical novels set in the early 20th century", + "Fictional narratives not based on real events", + "Novels not based on real historical events", + "Erotic drama films", + "Australian films", + "Australian erotic drama films", + "Flora of the Nearctic realm", + "Flora by biogeographic realm", + "Flora by geographic region", + "Fauna of Uzbekistan", + "Fauna of Turkmenistan", + "Amphibians of Mongolia", + "Novels from 1934", + "Novels set during World War I", + "British novels from 1934", + "British novels set during World War I", + "Books published in 1702", + "Books from the 1700s", + "Works published in the 18th century", + "Endemic flora of Trinidad and Tobago", + "Endemic plants of Trinidad and Tobago", + "Monotypic Dioscoreales genera", + "Monotypic genera in the order Dioscoreales", + "Indian mystery films", + "Indian action films", + "Novels set in the 1940s", + "Novels published in the 1990s", + "Novels published by Delacorte Press", + "Trees of the Western Indian Ocean", + "Trees of the Indian Ocean islands", + "Trees of the Indian Ocean coastal regions", + "1944 films", + "British adventure films", + "Novels about terrorism", + "Novels set in Israel", + "Novels about terrorism set in Israel", + "Novels about Middle East conflicts", + "Mammals", + "Mammals that are Cetaceans", + "Non-Miocene mammals", + "Animals of South America", + "Non-mammal animals of South America", + "Eocene animals", + "Non-mammal animals from the Eocene period", + "South American animals from the Eocene period", + "Children's non-fiction books", + "2002 children's books", + "2002 non-fiction books", + "Books published in 2002", + "Extinct animals of Mexico", + "Extinct carnivorans of Mexico", + "Extinct carnivorans", + "Flora of Algeria", + "Trees of Washington (state)", + "Trees of Oregon", + "Trees of Idaho", + "Trees of the United States not present in Canada", + "Senegalese documentary films", + "Senegalese short documentary films", + "Mauritanian films", + "1929 films", + "Silent and early sound films", + "Films set in the Victorian era", + "Period drama films", + "Fantasy films from Austria", + "Animated fantasy films", + "Animated fantasy films from Germany", + "German fantasy films", + "Endemic flora of Peninsular Malaysia that are part of the Flora of Malaya", + "Flora of Malaya excluding Trees of Malaya", + "Endemic non-tree flora of Peninsular Malaysia", + "Falconiformes sensu lato", + "Fauna of northern South America", + "Plants of the Cook Islands", + "Plants of the Line Islands", + "Native plants of the Cook Islands", + "Flora of the Cook Islands", + "Meropidae", + "Birds described in 1793", + "Film franchises", + "Film franchises about murderers", + "Film franchises about serial killers", + "Crime film franchises", + "Horror film franchises", + "Thriller film franchises", + "Films about murderers that are not about stalking", + "Novels set in Tucson, Arizona", + "Novels by David Foster Wallace", + "Speculative fiction films", + "1980s Romance films", + "1980s speculative fiction films", + "Trees of Colombia", + "Trees of Brazil", + "Trees of Venezuela", + "Books published by New American Library", + "New American Library nonfiction books about the military", + "New American Library war novels", + "New American Library books about World War II", + "New American Library books about the Vietnam War", + "New American Library books about soldiers and military life", + "New American Library books about military history", + "Films set in Ankara", + "Films set in capital cities", + "Turkish-language films", + "Novels about demons", + "Fantasy novels about demons", + "Non\u2011American demon fiction", + "Non\u2011vampire supernatural novels", + "Novels featuring peaceful alien encounters", + "Novels featuring non-violent alien contact", + "Novels about aliens visiting Earth excluding war themes", + "Novels about alien visitations excluding military conflict", + "Novels about alien visitations excluding war and conflict", + "South Korean political comedy films", + "Indian political comedy-drama films", + "Flora of Puerto Rico", + "Flora of Puerto Rico that are also Flora of Central America", + "Flora of Puerto Rico that are also Flora of Ecuador", + "Flora of Central America that are also Flora of Ecuador", + "Flora of Puerto Rico that are also both Flora of Central America and Ecuador", + "American business films", + "Business films", + "Films shot in Italy", + "Novels set in Norway", + "Non-Norwegian novels set in Norway", + "Novels by country of author", + "Norwegian literature", + "Fauna of Masbate", + "Birds of Masbate", + "Fauna of the Bicol Region", + "Birds of Mindoro", + "Fauna of Mindoro", + "Birds of Mimaropa", + "Paleogene amphibians of Europe", + "Amphibians of Asia", + "Films shot in Siberia", + "Films shot in Russia", + "Czech historical comedy films", + "Historical comedy films", + "2015 drama films", + "Drama films about astronomy", + "Drama films about industry and business", + "Films about astronomy", + "Films about industry and business", + "Historical films released in the 1930s", + "Historical films set in the United States", + "1930s historical films set in the Southwestern United States", + "Films based on Cuban novels", + "Films based on novels by Cuban authors", + "Cuban literature adaptations", + "Spanish-language films based on novels", + "Latin American novel-based films", + "Documentary films about elections", + "Documentary films not about American politics", + "Bats of the Philippines", + "Bats of Asia", + "Bats of Oceania", + "Flora of Saint Vincent and the Grenadines", + "Speculative fiction novels published in 1991", + "Non-American speculative fiction", + "Speculative fiction novels by non-American authors", + "Hedgehogs", + "Erinaceidae", + "Gymnures", + "Prehistoric arthropods of Asia", + "Vulnerable fishes", + "Vulnerable fishes of South Asia", + "Vulnerable fishes of Asia", + "Endemic fishes of Asia", + "Endemic fishes of South Asia", + "Films set in Tochigi Prefecture", + "Films set in Gunma Prefecture", + "Films set in Atami", + "Films set in Shizuoka Prefecture", + "Japanese films by setting", + "Anime films", + "Anime films from the 1910s", + "Documentary films from 1938", + "Japanese films that were rediscovered", + "Silent sports films", + "Silent films about British sports", + "Silent films not about livestock", + "Science fiction novels published in 1940", + "Novels published in 1940", + "Science fiction comedy films", + "1953 films", + "American science fiction films", + "American comedy films", + "Trees of the Great Lakes region", + "Flora of the Great Lakes region", + "Films released in 1903", + "Spanish silent short films", + "BTS (South Korean band)", + "Films featuring BTS", + "Documentary films about BTS", + "Concert films featuring BTS", + "K-pop music films", + "Novels by Ion Idriess", + "Australian adventure novels", + "Australian historical novels", + "Books about Australian exploration", + "Prehistoric toothed whales from the Miocene", + "Prehistoric toothed whales not from the Miocene", + "Prehistoric Eocene toothed whales", + "Prehistoric Oligocene toothed whales", + "Prehistoric Pliocene toothed whales", + "Prehistoric Paleogene toothed whales", + "Films set in Jakarta", + "English-language Indonesian films", + "South African biographical drama films", + "Psychological horror films", + "2000s psychological horror films", + "Horror films about murder", + "Horror films about widowhood", + "Novels set during wartime", + "Novels set in prisons", + "Novels set in Poland", + "War novels set in prisons", + "Shrubs used in traditional Native American medicine", + "Medicinal shrubs used by Indigenous peoples of North America", + "Native American ethnobotanical shrubs", + "North American medicinal plants used by Native American tribes", + "Shrubs used in traditional Indigenous herbal medicine in North America", + "Television films in Dutch", + "Bosnian genocide films", + "Siege of Sarajevo documentary films", + "Oceanian realm flora that are Apiaceae genera", + "Oceanian realm flora that are Pantropical", + "Apiaceae genera that are Pantropical flora", + "Oceanian realm flora that are both Apiaceae genera and Pantropical flora", + "Books about monarchs", + "Books about royalty", + "Books about kings and queens", + "Books about European monarchs (excluding France)", + "Books about non-European monarchs", + "Historical biographies of monarchs", + "History books on monarchies", + "Books about royal dynasties (excluding France)" + ], + "clusters": { + "0": [ + "Flora of Niue", + "Flora of Sinaloa", + "Flora of North America", + "Flora of Northeastern Mexico", + "Flora of the Netherlands Antilles", + "Endemic flora of the United States", + "Endemic flora of Washington (state)", + "Flora of Washington (state)", + "Flora of the Northwestern United States", + "Flora of British Columbia", + "Flora of Finland", + "Flora of Northern Europe", + "Flora of Maryland", + "Flora of the Eastern United States", + "Flora of the United States", + "Flora of Great Britain and Ireland", + "Flora of New Zealand", + "Neotropical realm flora", + "Flora of the Northeastern United States", + "Flora of Canada", + "Flora of the Mid-Atlantic United States", + "Flora of the North-Central United States", + "Flora of Grenada", + "Flora of Saint Kitts and Nevis", + "Flora of Oaxaca", + "Flora of Mexico", + "Flora of Europe", + "Flora of Eastern Europe", + "Flora of Alberta", + "Flora of the Sonoran Desert", + "Flora of the Chihuahuan Desert", + "Flora of the Sonoran Desert AND Flora of the Chihuahuan Desert", + "Flora of the California desert regions", + "Flora of Nuevo Le\u00f3n", + "Biblical flora", + "Endemic flora of Australia", + "Australasian realm flora", + "Paleotropical flora", + "Flora of the Western United States", + "Flora of the United States that are also Flora of the Western United States", + "Flora of the United States that are also Apiaceae genera", + "Flora of the Western United States that are also Apiaceae genera", + "Flora of the United States that are both Flora of the Western United States and Apiaceae genera", + "Flora of Utah", + "Flora of New Caledonia", + "Palearctic flora", + "Flora of Palau", + "Flora of Alabama", + "Flora of New Mexico", + "Flora of the Holarctic region", + "Flora of Switzerland", + "Flora of Pennsylvania", + "Flora of Northwestern Mexico", + "Flora of Oklahoma", + "Flora of the South-Central United States", + "Flora of Tamaulipas", + "Flora of Belarus", + "Flora of Central America", + "Nearctic realm flora", + "Holarctic flora", + "Endemic flora of Croatia", + "Endemic flora of Europe", + "Flora of Croatia", + "Flora of Indomalesia", + "Flora of Russia", + "Flora of Eastern Canada", + "Flora of the United Kingdom", + "Flora of Belgium", + "Flora of Western Europe", + "European temperate flora", + "Flora of Brazil", + "Flora of Armenia", + "Flora of Azerbaijan", + "Endemic flora of Armenia", + "Flora of Western Canada", + "Flora of the tropics", + "Endemic flora of Tasmania", + "Flora of Quintana Roo", + "Flora of the Southern United States", + "Flora of Ontario", + "Flora of Israel", + "Flora of Australia", + "Flora of Morelos", + "Flora of Tlaxcala", + "Flora of the Southwestern United States", + "Flora of Northern Mexico", + "Flora of Spain", + "Flora of \u00celes des Saintes", + "Flora of Arizona", + "Flora of the Klamath Mountains", + "Flora of the North American Desert", + "Flora of Aguascalientes", + "Flora of Malesia", + "Endemic flora (general)", + "Endemic flora of Russia", + "Flora of Belize", + "Endemic flora of the United States by state", + "Flora of Washington (state) outside the Cascade Range", + "Flora of the Cascade Range", + "Flora of northern Brazil", + "Flora of the Southwestern United States that are Eudicot genera", + "Flora of Zacatecas", + "Flora of central Mexico", + "Flora of Veracruz", + "Flora of Hidalgo (state), Mexico", + "Endemic flora of Hidalgo (state), Mexico", + "Flora of Montana", + "Native flora of Europe", + "Native flora of Montana", + "Flora of Southwestern Europe", + "Flora of Germany", + "Flora of Italy", + "Flora of Unguja", + "Flora of Austria", + "Flora of Bulgaria", + "Flora of the Caucasus", + "Flora of Albania", + "Flora of Yugoslavia", + "Flora of Portugal", + "Palearctic flora of Portugal", + "Flora of Oregon", + "Flora of Moldova", + "Desert flora of North America excluding the Sonoran Desert", + "Flora of the Nearctic realm", + "Flora by biogeographic realm", + "Flora by geographic region", + "Flora of Saint Vincent and the Grenadines", + "Flora of the Great Lakes region" + ], + "1": [ + "Novels by Ernst J\u00fcnger", + "Works by Ernst J\u00fcnger", + "Novels by Miyuki Miyabe", + "Works by Miyuki Miyabe", + "Novels by Dave Eggers", + "Short story collections by Dave Eggers", + "Novels by Aleksey Pisemsky", + "Works by Aleksey Pisemsky", + "Novels by Kenneth Oppel", + "Harriet Beecher Stowe adaptations", + "Fiction about racism", + "Novels about racism", + "Novels by Daniel Kehlmann", + "Novels set in Bahia", + "Novels by Ann Radcliffe", + "Novels about poverty", + "Fiction about economic hardship", + "Fiction about social inequality", + "Fiction about working-class life", + "Shueisha novels", + "Novels by Stephen King", + "Novels set in Hebei", + "Novels by Bankim Chandra Chattopadhyay", + "Plays based on novels", + "Novels by Robert B. Parker", + "Crime novels by Robert B. Parker", + "Mystery novels by Robert B. Parker", + "Novels about diseases", + "Novels about disorders", + "Novels about medical conditions", + "Novels about psychological disorders", + "Novels by William Hope Hodgson", + "Novels by Ernest Raymond", + "David Malouf novels", + "Novels by David Malouf", + "Novels about society", + "Works authored by Terrance Dicks", + "Novels by Terrance Dicks", + "Doctor Who books by Terrance Dicks", + "Novels about marriage", + "Novels by Edna O'Brien", + "Novels about adultery", + "Novels about marital infidelity", + "Novels about Noah's Ark", + "Novels about biblical floods", + "Novels about natural disaster floods", + "Novels by Jean Genet", + "Novels about diseases and disorders", + "Works by Frank Wedekind", + "Plays written by Frank Wedekind", + "Literary works by Frank Wedekind", + "Novels by Colette", + "Novels by Michael Gerard Bauer", + "Metafiction about literature", + "Novels by Thomas Pynchon", + "Novels by Henry Handel Richardson", + "Fiction books published by Barrie & Jenkins", + "Books by Judith Butler", + "Novels by Henry Fielding", + "Novels by Farley Mowat", + "Novels by William Gaddis", + "Poseidon Press novels", + "Novels by J.L. Carr", + "Works by Ruth Park", + "Novels by Ruth Park", + "Novels based on the Odyssey", + "Novels based on Ulysses (novel)", + "Novels inspired by Ulysses (novel)", + "Novels by James Joyce", + "Novels written by Haruki Murakami", + "Novels by Sarah Weeks", + "Young adult novels by Sarah Weeks", + "Works by Sarah Weeks", + "Novels by Marlon James", + "Works by Marlon James", + "Novels about totalitarianism", + "Novels by Val McDermid", + "Works by Val McDermid", + "Crime novels by Val McDermid", + "Novels set in Shaanxi", + "Novels by Benjamin Disraeli", + "Novels about homelessness", + "Novels about social marginalization and poverty", + "Novels by Jean Giono", + "Works authored by C. L. R. James", + "Novels written by Denis Diderot", + "Novels by Ayn Rand", + "Novels by Jean Raspail", + "Novels by Jonathan Kellerman", + "Works by Jonathan Kellerman", + "Alex Delaware novel series", + "Doctor Who novels", + "Seventh Doctor novels", + "Virgin New Adventures novels", + "BBC Books Doctor Who novels", + "Novels about education", + "Adult novels about education", + "Ballantine Books dystopian novels", + "Novels by George MacDonald", + "Works by George MacDonald", + "Dystopian novels about totalitarian societies", + "Dystopian novels about social control", + "Dystopian novels about oppressive governments", + "Books about writers", + "Novels by Philip Reeve", + "Works by Philip Reeve", + "Novel series", + "Novel series about dystopian societies", + "Graphic novels", + "Novels about whaling", + "Works by Adeline Yen Mah", + "The Godfather novels", + "Works about the Sicilian Mafia", + "Novels by Douglas Cooper (art historian)", + "Works by authors named Douglas Cooper", + "Novels by Michael Ende", + "Works by Michael Ende", + "Novels by James Branch Cabell", + "Works by James Branch Cabell", + "Novels by Mark Clapham", + "Doctor Who novels by Mark Clapham", + "Torchwood novels by Mark Clapham", + "Fiction by Mark Clapham", + "Fiction about survival on uninhabited islands", + "Novels by Mordecai Richler", + "Novels by Sonya Hartnett", + "Works by Sonya Hartnett", + "Young adult novels by Sonya Hartnett", + "Standalone novels by Georges Simenon", + "Non-series works by Georges Simenon", + "Maigret series by Georges Simenon", + "Other series by Georges Simenon", + "Novels by Robertson Davies", + "Novels by Ivan Bunin", + "Novels published by Duell Sloan and Pearce", + "Works by Ana\u00efs Nin", + "Novels by Ana\u00efs Nin", + "Novels by Thea von Harbou", + "Novellas by Stefan Zweig", + "Novels by David Foster Wallace", + "Novels by Ion Idriess" + ], + "2": [ + "Spanish action comedy films", + "Coming-of-age comedy films", + "Dance and coming-of-age comedy hybrid films", + "Canadian-filmed coming-of-age comedies", + "Parody films", + "Comedy films", + "1970s comedy films", + "Comedy films about the arts", + "Spanish science fiction comedy films", + "Spanish comedy films", + "Fantasy comedy films", + "American fantasy-comedy films", + "Dutch crime comedy films", + "Dutch romantic comedy films", + "Dutch comedy films", + "Romantic comedy films by country", + "Black comedy films", + "2003 black comedy films", + "Vampire comedy films", + "Western comedy films", + "1990s Western comedy films", + "American comedy-drama films", + "Non-comedy musical films", + "Buddy comedy films", + "Black-and-white comedy films", + "Best Musical or Comedy Picture Golden Globe winners", + "Musical comedy films", + "1966 comedy-drama films", + "1960s comedy-drama films", + "Black comedy films about filmmaking", + "Black comedy films about the film industry", + "Non-American black comedy films", + "Non-English-language black comedy films", + "Animated comedy films", + "2010s comedy films", + "Non-romantic comedy films", + "Comedy films about remarriage", + "Marital relationship comedies", + "Chinese comedy works", + "Action comedy films", + "Musical comedy-drama films", + "1976 comedy-drama films", + "Musical films that are not comedies", + "1990s comedy films", + "British science fiction comedy-drama films", + "2000s science fiction comedy-drama films", + "Science fiction comedy-drama films", + "Comedy films from Georgia (country)", + "Comedy films based on works by Mikhail Zoshchenko", + "Non-comedy films", + "Austrian comedy-drama films", + "Romantic comedy films", + "2020s science fiction comedy-drama films", + "1980s comedy films", + "Brazilian fantasy comedy films", + "LGBT-related science fiction comedy films", + "Comedy films set in Florence", + "Italian comedy films", + "American romantic comedy films", + "Comedy-drama films", + "American fantasy comedy-drama films", + "African-American comedy-drama films", + "American spy comedy-drama films", + "2000s mystery comedy-drama films", + "Superhero comedy films", + "Comedy short films", + "Satirical films", + "British comedy films", + "Coming-of-age sex comedies", + "Indian comedy films", + "Indian non-romantic comedy films", + "Non-romantic comedy films shot in Ooty", + "Comedy films shot in Ooty", + "Japanese science fiction comedy drama films", + "Japanese comedy drama films", + "South Korean comedy films", + "South Korean coming-of-age comedy films", + "2000s teen comedy films", + "American teen comedy films", + "Comedy television films", + "Teen comedy-drama films", + "2010s comedy-drama films", + "Non-American teen comedy-drama films", + "South Korean political comedy films", + "Indian political comedy-drama films", + "Historical comedy films", + "Science fiction comedy films", + "American comedy films" + ], + "3": [ + "Pantropical flora of Liberia", + "Aquatic plants of Liberia", + "Endemic flora of Algeria", + "Endemic flora of Morocco", + "Endemic plants of North Africa", + "Flora of Zambia", + "Flora of Tanzania", + "Flora of Zambia and Tanzania", + "Flora of Democratic Republic of the Congo", + "Flora of Barbados", + "Flora of Martinique", + "Flora of Madagascar", + "Endemic flora of Madagascar", + "Plant genera found in Madagascar", + "Flora of Angola", + "Plants used in traditional African medicine", + "Medicinal plants of Zambia", + "Medicinal plants of Angola", + "Plants native to both Zambia and Angola", + "Flora of the Gambia", + "Plants of the Gambia", + "Flora of West Africa", + "Plants of West Africa", + "Flora by country in Africa", + "Plants endemic to Algeria", + "Plants endemic to Morocco", + "Endemic flora of Western New Guinea", + "Endemic plants of New Guinea", + "Flora of Western New Guinea", + "Flora of New Guinea", + "Endemic flora of Ivory Coast", + "Endemic flora of West Africa", + "Endemic flora of tropical Africa", + "Flora of Sudan", + "Plant species common to Nepal and Sudan", + "Plants present in both China and Sudan", + "Plants present in both Sudan and the Holarctic region", + "Flora of Western Sahara", + "Flora of the Zanzibar Archipelago", + "Plants of the Zanzibar Archipelago", + "Flora of Mauritius", + "Plants of Western Sahara", + "Flora of Nigeria", + "Flora of Ivory Coast", + "Flora of Ghana", + "Plants of Gabon", + "Endemic plants of Gabon", + "Flora of Gabon", + "Native tree flora of South Africa", + "Flora of Kenya", + "Plant species occurring in both Africa and Papuasia", + "Plant species occurring in both Africa and Malesia", + "Flora of the Democratic Republic of the Congo", + "Flora of Africa", + "Plant species endemic to Ghana", + "Endemic flora of Ethiopia", + "Plants of South Africa", + "Flora of Ethiopia", + "Carnivorous plants of Liberia", + "Carnivorous plants of West Africa", + "Plants of Madagascar", + "Plants common to Madagascar and Myanmar", + "Endemic flora of Mozambique", + "Endemic plants of Mozambique", + "Flora of Mozambique", + "Plants of Liberia", + "Endemic plants of Liberia", + "Flora of Liberia", + "Plants of Ivory Coast", + "Flora of Zanzibar", + "Afrotropical flora", + "Flora of Sierra Leone", + "Flora of East African coastal islands", + "Endemic flora of Gabon", + "Plants of Nigeria", + "Flora of Algeria" + ], + "4": [ + "Trees of the Western United States", + "Trees of the Northwestern United States", + "Trees of the United States", + "Trees of Mexico", + "Trees of Tabasco", + "Trees of Campeche", + "Trees of Guadeloupe", + "Trees of Bermuda", + "Trees of Papuasia", + "Trees of Melanesia", + "Trees of Central America", + "Trees of Mexico and Central America", + "Trees of Guerrero", + "Trees of Hidalgo (state)", + "Trees of the Rio Grande valleys", + "Trees of northeastern Mexico and the Rio Grande region", + "Trees of the Pacific Ocean region", + "Trees of Australia", + "Trees of the Ryukyu Islands", + "Trees of Oceania", + "Trees of East Asia", + "Trees of the Cayman Islands", + "Trees of China", + "Trees of Korea", + "East Asian temperate trees", + "Deciduous trees of East Asia", + "Evergreen trees of East Asia", + "Trees of Martinique", + "Trees of French Guiana", + "Trees of the Philippines", + "Trees of \u00celes des Saintes", + "Trees of the French Antilles", + "Trees of Quintana Roo", + "Trees of the Yucat\u00e1n Peninsula", + "Trees of the Lesser Antilles", + "Trees of the Windward Islands", + "Trees of the Bahamas", + "Trees of the Caribbean", + "Trees of Indo-China", + "Trees of the North-Central United States", + "Trees of the Midwestern United States", + "Trees of the Great Plains region", + "Trees of the Southeastern United States", + "Trees of Manitoba", + "Trees of Subarctic America", + "Trees of Western Canada", + "Trees of Canada", + "Trees of the Southern United States", + "Trees of Eastern Australia", + "Trees native to both North America and Australia", + "Trees of the Arabian Peninsula", + "Trees of Azerbaijan", + "Trees of Iran", + "Trees native to the Northwestern United States", + "Trees of Nepal", + "Trees of Guatemala", + "Tree species native to both Mexico and Guatemala", + "Tree species whose ranges span the Western United States, Mexico, and Guatemala", + "Trees of Saskatchewan", + "Trees of the Canadian Prairies", + "Trees of Eastern Canada", + "Trees of the Northeastern United States", + "Trees native to Eastern North America", + "Trees of Cuba", + "Trees of the Dominican Republic", + "Trees of the Greater Antilles", + "Trees of New Guinea", + "Trees of Papua New Guinea", + "Trees of Western New Guinea", + "Pantropical trees", + "Trees of Dominica", + "Trees of Atlantic islands", + "Trees of South America", + "Trees of the North Central United States", + "Trees of Northwestern Mexico", + "Native trees of Northwestern Mexico", + "Trees of South Africa", + "Trees of the south-central Pacific", + "Tree species native to South Africa and present in the south-central Pacific", + "Introduced South African tree species in the south-central Pacific", + "Trees of Alaska", + "Trees of the Northwestern United States and Canada", + "Trees of Peninsular Malaysia", + "Trees of Malaya", + "Trees of North America", + "Trees of western South America", + "Trees of Botswana", + "Trees of Southern Africa", + "Trees of Guanajuato", + "Trees of Malesia", + "Trees of the Eastern United States", + "Trees of Ethiopia", + "Trees of Morocco", + "Trees of North Africa", + "Endemic trees of Morocco", + "Mediterranean trees", + "Trees of the West Indies", + "Trees of Zacatecas", + "Native trees of Mexico", + "Trees of the State of Mexico", + "Trees of Algeria", + "Sacred trees in Hinduism", + "Boreal forest trees", + "Trees of Suriname", + "Trees of the South-Central United States", + "Trees of the Western Indian Ocean", + "Trees of the Indian Ocean islands", + "Trees of the Indian Ocean coastal regions", + "Trees of Washington (state)", + "Trees of Oregon", + "Trees of Idaho", + "Trees of the United States not present in Canada", + "Trees of Colombia", + "Trees of Brazil", + "Trees of Venezuela", + "Trees of the Great Lakes region" + ], + "5": [ + "Fauna of the Oceanian realm", + "Paleozoic animals of Oceania", + "Pinnipeds of Oceania", + "Cenozoic animals of Oceania", + "Marsupials of Oceania", + "Fauna of New South Wales", + "Fauna of the Australasian realm", + "Passeriformes of New Guinea", + "Australasian realm Passeriformes", + "Extinct animals of Australia", + "Extinct animals of South Australia", + "Vertebrates of Western Australia", + "Fauna of Oceania", + "Bryophyta of New Zealand", + "Bryophyta of Australia", + "Bryophyta of Australasia", + "Bryophytes of Oceania", + "Crops originating from Oceania", + "Books about the economic history of Oceania", + "Books about Oceania excluding Australia", + "Non-Australian authors writing about Oceania", + "Aquatic animals of Victoria (Australia)", + "Freshwater animals of Australia", + "Marine fauna of Western Australia", + "Non-Australian books about Oceania", + "Pinnipeds of Australia", + "Devonian fauna of Oceania", + "Late Devonian fauna of Oceania", + "Fossil taxa of Oceania", + "Plants endemic to Australia", + "Parastacidae outside Australia", + "Non-Australian Parastacidae species", + "Oligocene birds of Australia", + "Neogene birds of Australia", + "Fossil birds of Australia", + "Oligocene animals of Oceania", + "Paleogene birds of Oceania", + "Suliformes of Oceania", + "Ferns of Oceania", + "Angiosperms endemic to Tasmania", + "Pleistocene animals of Oceania", + "Pleistocene animals of Australia", + "Plants of Oceania", + "Plants of Oceania excluding Australasia", + "Non-Australasian plants in the Oceanian realm", + "Kunzea species not native to Australia", + "Kunzea in regions outside Australia", + "Extinct plants of New Zealand", + "Fossil plants of New Zealand", + "Fossil arthropods of Australia", + "Prehistoric animals of Australia", + "Australian arthropods", + "Paleozoic arthropods of Australia", + "Mesozoic arthropods of Australia", + "Cenozoic arthropods of Australia", + "Vulnerable fauna of Oceania", + "Parasitic plants of Australasia", + "Parasitic plants of Australia and New Zealand", + "Prehistoric animals of Oceania", + "Domesticated plants native to Oceania", + "Fossil birds of Oceania", + "Extant birds of Oceania", + "Australian marsupials", + "Quaternary birds of Oceania", + "Bats of Oceania" + ], + "6": [ + "Films from the 1900s", + "Action films set in 1948", + "Films set in 1948", + "1940s crime films", + "1940s Indian films", + "1946 films", + "1946 musical films", + "Films set in the 1850s", + "1950s films", + "1930s films", + "1930s parody films", + "1930s films based on literature", + "1938 documentary films", + "1930s documentary films", + "1950s drama films", + "1950s American films", + "1910 films", + "Silent films from 1910", + "1910s films", + "1970s films", + "1970s biographical films", + "1970s drama films", + "1960s films", + "1940 films", + "1940 comedy-drama films", + "1940 musical films", + "1940 American films", + "1940s American films", + "Musical films released in 1932", + "1932 films by genre", + "Musicals of the early 1930s", + "Films from the 1930s", + "American films of the 1930s", + "Films set in the 28th century", + "Films set in 1944", + "American films set in the 1940s", + "1890s drama films", + "Drama films by decade: 1890s", + "1940s documentary films", + "1940s films", + "1930s comedy films", + "1930s war films", + "1930s action films", + "1950s films about alcohol", + "1950s drama films about alcohol", + "1950s drama films with depictions of women", + "1913 lost films", + "1913 films", + "1913 drama films", + "1960s romance films", + "1960s musical films", + "1970s musical films", + "1970s Western films", + "1932 musical films", + "1930s musical films", + "20th-century films", + "Films set in the 1970s", + "Italian films by decade: 1970s", + "1932 films", + "Films released in 1912", + "Silent films from the 1910s", + "Films released in 1976", + "Romantic films from the 1930s", + "1960s dance films", + "Short films from the 1910s", + "1960s drama films", + "1931 short films", + "1930s drama films", + "1930s biographical films", + "1940s short films", + "1970s French films", + "1936 films", + "1930s Czechoslovak films", + "1954 films", + "1954 drama films", + "Films from 1934", + "1930s horror films", + "Films of 1964", + "1960s independent films", + "American independent films of 1964", + "1931 films", + "Musical films from 1931", + "1944 films", + "1929 films", + "Historical films released in the 1930s", + "1930s historical films set in the Southwestern United States", + "Anime films from the 1910s", + "Documentary films from 1938", + "1953 films", + "Films released in 1903" + ], + "7": [ + "Paleozoic cephalopods of Asia", + "Late Cretaceous dinosaurs", + "Late Cretaceous fossils", + "Prehistoric Procellariiformes", + "Fossil Hemiptera", + "Paleozoic plants", + "Insects of the Late Cretaceous", + "Insects of the Cretaceous", + "Fossil insects", + "Late Cretaceous fauna", + "Palearctic fauna", + "Non-prehistoric crocodylomorphs", + "Cambrian sponges", + "Middle Jurassic plesiosaurs", + "Plesiosaurs of the Jurassic", + "Plesiosaurs of the Middle Jurassic in Europe", + "European plesiosaurs", + "Paleognathae", + "Paleognathae that retain flight", + "Dinosaurs of North America", + "Dinosaurs", + "Quaternary period fossils", + "Cephalopods of North America", + "Cretaceous cephalopods", + "Late Cretaceous cephalopods", + "Mesozoic cephalopods", + "Fossil cephalopods of North America", + "Ordovician fossil flora", + "Plants known only from the fossil record", + "Fossil plants documented only from fossils", + "Extinct fossil plants", + "Early Cretaceous plants", + "Paleocene plants", + "Prehistoric arthropods", + "Mesozoic cephalopods of North America", + "Mesozoic cephalopods of Asia", + "Late Cretaceous dinosaur fauna of North America", + "Carboniferous of Asia", + "Middle Jurassic tetrapods of South America", + "Jurassic tetrapods of South America", + "Late Jurassic plesiosaurs", + "Jurassic plesiosaurs of Europe", + "Late Jurassic fossils of Europe" + ], + "8": [ + "1999 Japanese novels", + "Japanese novels published in 1999", + "Japanese novels of the late 1990s", + "History books about Asia", + "Novels by Yukio Mishima", + "Japanese novels", + "Novels set in Nanjing", + "Novels set in Jiangsu", + "Novels set in China", + "Vietnamese contemporary life novels", + "Vietnamese family saga novels", + "Ming dynasty novels", + "Chinese historical novels", + "Historical novels set in imperial China", + "Chinese-language novels", + "Chinese-language romance novels", + "Chinese-language novels about marriage", + "Chinese-language contemporary fiction about relationships", + "Chinese-language family drama novels", + "Books by Feng Menglong", + "Books by Ming dynasty authors", + "Chinese comedy novels", + "Novels set in Henan", + "Novels by Jin Yong", + "Films based on Chinese novels", + "Books about Polynesia", + "Books by Tahir Shah", + "Non-fiction books by Tahir Shah", + "Fiction books by Tahir Shah", + "Novels set in Asia", + "Asian literature", + "Novels set in Asian countries", + "Ming dynasty works", + "Novels set in Kaifeng, China", + "Books published in Malaysia", + "Books set in Malaysia", + "Books written by Malaysian authors", + "Malay-language books", + "Malaysian literature", + "Japanese alternate history", + "Books about Japan", + "Books about Tokyo", + "Non-Japanese books about Japan", + "Non-Japanese books about Tokyo", + "Books about Japan written in non-Japanese languages", + "Comics set in Japan", + "Japanese comics (manga)", + "Books about Chinese politics", + "Books about the politics of the People's Republic of China", + "Books about the Chinese Communist Party", + "Books about Chinese government and political system", + "Books about modern Chinese political history", + "Books about Chinese foreign policy", + "Books about Chinese political leaders", + "Books about Asian history", + "Books about religion in Asian history", + "Japanese novels published in 1982", + "Novels set in ancient China", + "Novels set in the Ming dynasty", + "Historical novels set in China", + "Books about China", + "Fiction books about China", + "History books about the Qing dynasty", + "Novels set in Kaifeng", + "Novels set in Chongqing", + "Novels set in Brunei", + "Fiction set in Brunei", + "Southeast Asian setting in literature", + "Crime novels set in Asia", + "Mystery novels set in Asia", + "Asian crime fiction", + "Books from North Korea", + "North Korean books", + "Books published in North Korea", + "Chinese science fiction novels", + "Comedy novels set in China", + "Novels set in the Song dynasty", + "Historical novels set in the Song dynasty", + "Novels by Adeline Yen Mah", + "Historical ornithological works on Indochina", + "Films based on Chinese romance novels", + "Books about Brunei", + "Books about Malaysia", + "Historical books about the Qing dynasty" + ], + "9": [ + "German novels", + "20th-century German novels", + "Crime novels", + "Historical crime novels", + "Novels set in the Middle Ages", + "Novels set in Europe", + "Novels set in Italy", + "Political ideology in literature", + "Novels set in Ontario", + "Canadian fiction", + "Novels", + "Political novels", + "Novels set in Russia", + "Russian political fiction", + "Political novels by setting", + "Political novels by genre", + "American crime novels", + "Russian novels of the 19th century", + "1997 Irish novels", + "Irish novels", + "Canadian novels", + "1930s novels", + "Period dramas set in the 19th century", + "Historical novels based on true stories", + "Spy novels", + "Espionage fiction set in North America", + "Contemporary espionage thrillers set in North America", + "British historical novels", + "Historical novels by British authors", + "Novels adapted into plays", + "Stage adaptations of novels", + "Novels set on ships", + "Brazilian crime novels", + "Novels not set in the 1930s", + "British novels", + "British novels published in 1908", + "21st-century novels", + "British fiction novels", + "Spanish-language novels", + "Speculative fiction novels in Spanish", + "Spanish-language novels from the 2000s", + "Novels set in Iceland", + "Novels set in England", + "Fiction set in England", + "Indian novels", + "Adaptations of Indian literature", + "Novels set in Manitoba", + "Novels set in Canada", + "Novels set in Massachusetts", + "Novels not set in Massachusetts", + "Indian historical novels in English", + "Indian English-language novels", + "Historical novels in English", + "Non-American novels", + "Alternate history novels", + "Historical novels", + "Novels from Hungary", + "Hungarian literature", + "Historical novels set in Hungary", + "Novels set in North America", + "Australian novels", + "German-language novels", + "21st-century German novels", + "1927 novels", + "1920s British novels", + "American novels", + "1926 novels", + "Russian novels", + "Historical novels set in the 19th century", + "Novels from Scotland", + "Scottish literature", + "1920s novels", + "Novels set in New York", + "Novels set in New England", + "American novels about adultery", + "American novels set in New England", + "Novels based on television series", + "Novels of Russia", + "1990s Russian novels", + "Novels adapted into television series", + "Novels about travel", + "Novels set in New Mexico", + "American literature from the 1980s", + "Novels set on islands", + "Novels set outside the United Kingdom", + "Novels set outside North America", + "Early modern literature", + "Novels from the 1900s", + "American novels about society", + "Social commentary in American literature", + "20th-century American social novels", + "Israeli authors writing in foreign languages", + "Epistolary novels", + "Irish novels published in 1939", + "Irish literature of the 1930s", + "Novels about literature", + "Novels about writers and writing", + "Campus novels focused on literary themes", + "Fiction about literary criticism and theory", + "Postmodern literary fiction", + "Australian novels from 1930", + "Australian literature", + "19th-century novels", + "Victorian-era literature", + "Welsh novels", + "Biographical novels", + "American biographical novels", + "1970s American novels", + "Non-historical novels", + "Novels set in York", + "Fiction set in York", + "Medieval literature by decade", + "English-language novels", + "Political novels set on islands", + "Cuban literature", + "Novels set in the Gambia", + "Novels set in Africa", + "20th-century British novels", + "2007 American novels", + "Novels by American authors", + "21st-century American novels", + "Modernist novels related to James Joyce", + "Jamaican novelists", + "Contemporary literary novels", + "21st-century novels in English", + "English-language novels published in 1936", + "Scottish crime fiction authors", + "British mystery novels", + "Novels about nobility", + "Novels featuring aristocracy or royalty", + "Fictional works about writers", + "Novels featuring authors as protagonists", + "Novels by Robert B. Parker set outside New England", + "Novels about the Troubles (Northern Ireland)", + "Novels about political conflict in Northern Ireland", + "1923 novels", + "Ecuadorian novels", + "Novels by Ecuadorian authors", + "Novels set in Ecuador", + "Spanish-language novels from Ecuador", + "Satirical novels", + "19th-century British novels", + "Regency-era British literature", + "Novels set in the 1900s", + "Fiction set in the 20th century", + "Novels set in the early 1900s (1900\u20131909)", + "Novels set in the 1900s but excluding historical fiction", + "Austrian literature by genre", + "Novels set in the Mediterranean Sea", + "Novels set in the Mediterranean islands", + "Novels set in South America", + "Novels set in Australia and Oceania", + "Historical romance novels", + "Historical romance novels published by Random House", + "Historical romance novels set in the 2nd millennium", + "Romance novels set in the 2nd millennium", + "Novels published by Random House in the 2nd millennium", + "Novels set in Yorkshire", + "Novels about London", + "Novels set in Yorkshire but thematically focused on London", + "Novels by setting", + "African-American historical novels", + "American historical novels", + "Historical novels set in Virginia", + "Novels set in Virginia", + "Classical Latin literature", + "American literature", + "Fiction books about North America", + "Fiction books set in Canada", + "Novels set in the Regency era", + "Dystopian novels in English", + "Novels set in the Atlantic Ocean", + "Hispanic and Latino American novels", + "Novels by Hispanic and Latino American authors", + "Novels not set in the United States", + "Hispanic and Latino American novels set outside the United States", + "Canadian literature", + "Literature about writers", + "British young adult novels", + "Steampunk novels", + "Jewish American fiction", + "Jewish American novels", + "2000s American novels", + "American Jewish literature", + "Novels set in Paraguay", + "Italian novellas", + "Novels set in a secondary world with historical elements", + "Novels by Douglas Cooper (Canadian writer)", + "1913 American novels", + "American novels published in 1913", + "Early 20th-century American novels", + "Australian travel literature", + "Brazilian graphic novels", + "Portuguese-language graphic novels", + "Adventure novels published in the United States", + "Novels set in Manhattan", + "Novels set in New York City", + "Swiss novels adapted into television shows", + "Novels written by Swiss authors that were adapted into TV series", + "Novels set on uninhabited islands", + "Novels set in continental Europe", + "German literature", + "1925 Russian novels", + "1925 German-language novels", + "Historical novels set in the early 20th century", + "Novels from 1934", + "British novels from 1934", + "Novels set in the 1940s", + "Novels published by Delacorte Press", + "Novels about terrorism", + "Novels set in Israel", + "Novels set in Tucson, Arizona", + "Novels set in Norway", + "Non-Norwegian novels set in Norway", + "Novels by country of author", + "Norwegian literature", + "Cuban literature adaptations", + "Australian adventure novels", + "Australian historical novels", + "Novels set in prisons", + "Novels set in Poland" + ], + "10": [ + "Endemic birds of Oman", + "Birds called robin", + "European robin (Erithacus rubecula)", + "American robin (Turdus migratorius)", + "Robin species in the family Turdidae", + "Robin species in the family Muscicapidae", + "Birds associated with honey hunting", + "Bird species that guide humans or animals to bee hives", + "Vultures", + "Birds of Canada", + "Birds of South America", + "Cretaceous birds", + "Birds of Panama", + "Endemic birds of Panama", + "Birds of Oceania", + "Birds of Greenland", + "Birds of Saint Lucia", + "Birds of Dominica", + "Birds of Guadeloupe", + "Birds of the Lesser Antilles", + "Birds of the Caribbean", + "Birds not found in Asia", + "Non-Asian bird taxa", + "Birds of Africa", + "Birds of Western Asia", + "Birds of Africa and Western Asia", + "Holarctic birds", + "Birds of Bolivia", + "Birds of the Guianas", + "Birds of the Himalayas", + "Asian mountain bird species", + "Birds of the Cerrado", + "Birds of the Atlantic Ocean", + "Seabirds of the Atlantic Ocean", + "Birds of Central America", + "Birds of New Guinea", + "Birds of Chile", + "Birds of Peru", + "Extinct birds", + "Broad-tailed parrots", + "Birds of Aruba", + "Extinct birds of subantarctic islands", + "Birds of Mexico", + "Birds that occur in both Mexico and the Guianas", + "Birds that occur in both Mexico and Nicaragua", + "Birds that occur in Mexico, the Guianas, and Nicaragua", + "Birds of North America", + "Birds that occur in both North America and Europe", + "Birds that occur in both North America and the Oceanian realm", + "Birds that occur in both Europe and the Oceanian realm", + "Birds of the Middle East", + "Birds of Tibet", + "Birds of Asia", + "Bird families", + "Ground-dwelling birds", + "Gamebirds", + "Birds of the Nicobar Islands", + "Birds of India", + "Barbets", + "Endemic birds of Zambia", + "Dinosaur wading birds", + "Non-shorebird wading birds", + "Fossil evidence of wading behavior in birds", + "Wading ecology in Mesozoic birds", + "Vultures of North America", + "Vultures of South America", + "Vultures of the Americas", + "Birds of Rwanda", + "Endemic birds of the Azores", + "Birds of the Pitcairn Islands", + "Birds of the Tuamotus", + "Birds of Henderson Island", + "Birds of the South Pacific", + "Pliocene birds", + "Birds of West Africa", + "Swifts of West Africa", + "Birds of South China", + "Birds of Vietnam", + "Birds of China", + "Birds of Southeast Asia", + "Birds of Yunnan", + "Birds of the Western Province (Solomon Islands)", + "Birds of Cuba", + "Songbirds", + "Passerine birds of Cuba", + "Endemic birds of Cuba", + "Prehistoric birds of South America", + "Eocene birds", + "Food plants for birds", + "Ara genus parrots", + "Birds of the United States Virgin Islands", + "Birds of the Virgin Islands", + "Birds of Halmahera", + "Birds of the Maluku Islands", + "Birds of Indonesia", + "Birds of Kolombangara", + "Endemic birds of Vietnam", + "Endemic fauna that are birds", + "Paleogene birds", + "Birds of Sub-Saharan Africa", + "Birds of Madagascar", + "Wading birds", + "Wading birds of Sub-Saharan Africa", + "Wading birds of Madagascar", + "Birds of the Sierra Madre del Sur", + "Extinct birds of Europe", + "Storklike birds", + "New World vultures", + "Flightless birds", + "Birds of East Africa", + "Wading birds of North America", + "Cenozoic birds", + "Birds not found in New Zealand", + "Birds by geographic distribution", + "Birds of the Pantanal", + "Birds of Eurasia", + "Birds of family Sulidae", + "Extinct birds from Europe", + "Odd-toed ungulates", + "Birds of Mongolia", + "Non-Palearctic birds", + "Birds of East Asia", + "Birds of Central Asia", + "African Odd-toed ungulates", + "Cenozoic birds of Asia", + "Cenozoic birds of Africa", + "Birds of Scandinavia", + "Birds of Europe", + "Birds of the Arctic", + "Birds of the Western United States", + "Birds of the United States", + "Birds of the Sierra Madre Oriental", + "Birds of the Sierra Madre Occidental", + "Birds of northeastern Mexico", + "Birds of northwestern Mexico", + "Endemic birds of the Sierra Madre Oriental", + "Endemic birds of the Sierra Madre Occidental", + "Birds of the Venezuelan Andes", + "Birds of Venezuela", + "Andean bird species in Venezuela", + "Birds of the Andes", + "Large hoverflies", + "Broad-bodied hoverflies", + "Dramatic coloration in hoverflies", + "Birds of Myanmar", + "Endemic birds of Myanmar", + "Endemic birds of Southeast Asia", + "Neotropical birds", + "South American birds", + "Birds of Saint Kitts and Nevis", + "Birds of Panay", + "Birds of the Philippines", + "Extant birds of New Caledonia", + "Plants that are bird food", + "Birds of the Peruvian Andes", + "Birds of the Cayman Islands", + "Birds of the British Virgin Islands", + "Birds of Tonga", + "Birds of Montserrat", + "Native birds of the Southeastern United States", + "Birds of the Southeastern United States", + "Native birds of the United States", + "Birds of Grenada", + "Birds of Martinique", + "Birds of Sulawesi", + "Shorebirds", + "Non-Neognathae birds", + "Paleognathae birds", + "Birds of islands of the Atlantic Ocean", + "Birds of Atlantic islands", + "Birds of Belize", + "Birds of Guam", + "Birds of the Northern Mariana Islands", + "Birds of Micronesia", + "Birds of the Mariana Islands archipelago", + "Birds of Costa Rica", + "Birds of Ecuador", + "Birds of Indochina", + "Birds of Laos", + "Birds of Hawaii", + "Field guides to rabbits and hares without illustrations", + "Quaternary birds", + "Non-native birds of the Western United States", + "Hummingbirds of the Bolivian Andes", + "Hummingbirds of Bolivia", + "Hummingbirds of the Andes", + "Hummingbirds of South America", + "Hummingbirds of North America", + "Hummingbirds of Central America", + "Hummingbirds of the Americas", + "Endemic birds of Cape Verde", + "Birds of S\u00e3o Vicente, Cape Verde", + "Native birds of Cape Verde", + "Birds of Cape Verde", + "Endemic birds of Sudan", + "Birds of the Turks and Caicos Islands", + "Birds of the Bahamas", + "Native birds of the Bahamas", + "Paleogene birds of Asia", + "Endangered birds", + "Endangered birds of North America", + "Endangered birds of the United States", + "Endangered birds of Canada", + "Birds of Masbate", + "Birds of Mindoro", + "Birds of Mimaropa" + ], + "11": [ + "Bird species described in 1865", + "Birds described in 1957", + "Birds by year of description", + "Birds described in 1961", + "Bird taxa introduced in 1961", + "Birds described in 1872", + "Bird species described in the 19th century", + "Birds by year of formal description", + "Birds described in 1859", + "19th-century bird species descriptions", + "Birds described in 1860", + "Birds described in 1970", + "Birds described in 1940", + "Birds discovered in the 1940s", + "Birds documented in 1940 scientific literature", + "Bird species first recorded in 1940", + "Bird taxa named in 1940", + "Birds described in 1959", + "Birds described in 2014", + "Birds described in 1998", + "Birds described in the 1990s", + "Birds described in 1965", + "Birds described in 1954", + "Birds described in 1991", + "Quaternary prehistoric birds", + "Birds described in 1841", + "Birds described in 1869", + "Birds by geologic period", + "Birds described in 1820", + "Birds described in 1874", + "Birds described in 2004", + "Bird taxonomy by year of description", + "Prehistoric European birds", + "Birds described in 2006", + "Bird species described in 1854", + "Bird species described in the 1850s", + "19th-century bird discoveries", + "Birds described in 1855", + "19th-century bird taxa", + "Birds described in 1758", + "Birds described in 1845", + "Birds described in 1763", + "19th-century descriptions of birds", + "Birds described in 1877", + "Birds observed in 2006", + "Birds listed as endangered in 1893", + "Bird species described in 1893", + "Historical conservation status of birds in North America", + "Birds described in 1793" + ], + "12": [ + "Spanish animated science fiction films", + "Animated short films based on comics", + "Films based on DC Comics", + "Live-action films based on DC Comics", + "Films based on Batman comics", + "Non-animated films based on comic books", + "1989 animated films", + "American children's animated films", + "Animated films about social issues", + "Jungle adventure films", + "Adventure sequel films", + "Adventure film franchises set in jungles", + "Adventure films that are not Tarzan films", + "DC Comics adapted films", + "Superhero films", + "Films based on comic books", + "2000s British animated films", + "British animated films", + "2000s animated films", + "German animated science fiction films", + "Adventure films", + "Adventure drama films", + "Children's animated films", + "American animated films", + "Historical animated films", + "Animated films set in the 1870s", + "19th-century period animated films", + "Non-animated films based on works by Bill Finger", + "Animated films based on works by Bill Finger", + "American animated superhero films based on works by Bill Finger", + "2000 computer-animated films", + "Animated superhero films", + "Animated films from the 2010s", + "Superhero films from the 2010s", + "Non-American animated films", + "1950s children's adventure films", + "Children's adventure films", + "Action adventure films", + "Historical adventure films", + "1990s superhero films", + "1992 animated films", + "Animated musical films", + "Animated films", + "Animated films about animals", + "2010s animated films", + "Superhero crossovers", + "Canadian adventure films", + "1990s adventure films", + "DC Animated Universe films", + "Canadian animated science fiction films", + "Films adapted into comics", + "Comics based on films", + "Animated short films", + "Portuguese animated films", + "Films about insects", + "Films about animals on Earth", + "Friendship-themed films involving animals or insects", + "Science fiction adventure films", + "2010s adventure films", + "1980s animated superhero films", + "American children's animated space adventure films", + "Films without rabbits or hares", + "Superhero short films", + "DC Comics-based films", + "Social science fiction films based on DC Comics", + "Satirical adventure films", + "Animated science fantasy films", + "Adventure films by country of origin", + "Anime films about magical girls", + "Fantasy adventure films", + "Comics from 2011", + "Films about bats", + "Narrative feature films about bats", + "Films based on comic books or graphic novels", + "Australian animated films", + "Australian films about dinosaurs", + "Comics from Brazil", + "Austrian animated films", + "Animated films of Austria", + "2000s adventure thriller films", + "Adventure thriller films released in the 2000s", + "Israeli animated films", + "French animated films", + "1990s animated films", + "Animated Spanish-language science fiction films", + "British adventure films", + "Animated fantasy films", + "Animated fantasy films from Germany" + ], + "13": [ + "Bulgarian short films", + "Bulgarian animated films", + "Films based on works by Alexander Ostrovsky", + "Russian films based on plays", + "Films based on works by Russian playwrights", + "Danish films", + "Danish sequel films", + "Finnish films", + "Finnish sequel films", + "Nordic sequel films", + "Films set in the Dutch Golden Age", + "Dutch biographical drama films", + "Serbian films", + "Films set in Serbia", + "Films set in the Balkans", + "Danish black-and-white films", + "Danish films based on books", + "Danish speculative fiction films", + "Czech thriller drama films", + "Belgian mystery films", + "Czech films", + "Czech drama films", + "Czech coming-of-age films", + "Czech coming-of-age drama films", + "Czech war comedy films", + "Swedish comedy horror films", + "Films set in Germany", + "Films set in West Germany", + "Czech musical comedy films", + "Czechoslovak musical comedy films", + "Czechoslovak films", + "Turkish films", + "Polish erotic drama films", + "Polish erotic films", + "Polish drama films", + "Icelandic science fiction films", + "Icelandic films", + "Swiss thriller drama films", + "Swiss thriller films", + "Swiss drama films", + "Czech coming-of-age comedy films", + "Czech comedy films", + "Russian spy films", + "Russian-language spy films", + "Films about the French invasion of Russia", + "European Film Award winners", + "European Film Awards for Best Film", + "Mystery films produced in Belgium", + "Czech war films", + "French alternate history films", + "Fantasy films set in Europe", + "Fantasy films shot in Berlin", + "Portuguese-language films", + "Russian comedy thriller films", + "Italian courtroom films", + "Italian films", + "Polish animated fantasy films", + "Hungarian independent films", + "Soviet films", + "Films based on works by Fyodor Dostoyevsky", + "Soviet black-and-white films", + "Soviet films based on works by Fyodor Dostoyevsky", + "Films based on Irish literature", + "Russian science fiction drama films", + "Adaptations of Anton Chekhov plays", + "Russian-language film adaptations of stage plays", + "Films based on works by Knut Hamsun", + "Films about Knut Hamsun", + "Norwegian films", + "Films based on Norwegian novels", + "Portuguese science fiction films", + "Greek films", + "Greek drama films", + "Romanian films", + "Romanian thriller films", + "Romanian independent films", + "French romantic thriller films", + "Polish films", + "German spy comedy films", + "Italian-language films", + "Luxembourgian films", + "Luxembourgian LGBT-related films", + "Films set in Slovakia", + "English-language drama films", + "Multilingual drama films", + "Bulgarian drama films", + "English-language Bulgarian films", + "Multilingual Bulgarian films", + "French erotic drama films", + "German historical fantasy films", + "German psychological drama films", + "Danish nonlinear narrative films", + "Science fiction films from Switzerland", + "Science fiction films from Iceland", + "Science fiction thriller films from Germany", + "Dutch films", + "Films produced in the Netherlands", + "Multilingual films", + "Experimental Polish avant-garde films", + "Polish avant-garde cinema", + "Czech thriller films", + "Romanian silent films", + "Dutch historical drama films", + "Dutch drama films", + "Dutch-language films", + "Swedish science fiction drama films", + "German nonlinear narrative films", + "English-language films", + "Portuguese films", + "Spanish-language films", + "Fantasy films from Austria", + "German fantasy films", + "Turkish-language films", + "Czech historical comedy films", + "Spanish-language films based on novels", + "Television films in Dutch", + "Bosnian genocide films" + ], + "14": [ + "Moths of the Oceanian realm", + "Moths of Japan", + "Honeyguides (family Indicatoridae)", + "Birds that eat beeswax and insect larvae in bee nests", + "Insects of West Africa", + "Insects of Cape Verde", + "Insects of West Africa that are also found in Cape Verde", + "Moths of Guadeloupe", + "Insects of Guadeloupe", + "Beetles of North Africa", + "Beetles of the Maghreb", + "Beetles of Algeria", + "Beetles of Tunisia", + "Beetles of Morocco", + "Beetles of Libya", + "Beetles of Egypt", + "Beetles of Africa", + "Beetles not found in Europe", + "Insects of Afghanistan", + "Afghan arthropods", + "Insects of Central Asia", + "Insects of South-Central Asia", + "Endemic insects of Afghanistan", + "Extinct Hemiptera", + "Extinct insects", + "Extinct true bugs", + "Prehistoric insects", + "Insects of Indonesia", + "Lepidoptera of New Guinea", + "Insects of Southeast Asia", + "Lepidoptera of Indonesia", + "Lepidoptera of Southeast Asia", + "Beetles of Europe", + "Butterflies of Africa", + "Lepidoptera of Papua New Guinea", + "Butterflies of Papua New Guinea", + "Moths of Papua New Guinea", + "Endemic Lepidoptera of Papua New Guinea", + "Lepidoptera of Oceania", + "Insects of Madagascar", + "Insects of Africa", + "Lepidoptera of Africa", + "Insects of the Solomon Islands", + "Insects of Western New Guinea", + "Insects of Melanesia", + "Insects of Cuba", + "Non-lepidopteran insects of Cuba", + "Insects of the Caribbean", + "Insects by country", + "Lepidoptera", + "Apodidae", + "Moths of Seychelles", + "Moths of Madagascar", + "Moths of Africa", + "Endemic moths of Seychelles", + "Insects of Europe", + "Paleozoic insects of Asia", + "Cave beetles", + "Cave beetles of Europe", + "Cave beetles of Slovenia", + "Insects of South America", + "Lepidoptera of Brazil", + "Insects of the Canary Islands", + "Insects of Macaronesia", + "Insects native to both Africa and the Canary Islands", + "Arthropods of Africa", + "Sulidae", + "Moths of Mauritius", + "Moths of Asia", + "Bats of Melanesia", + "Moths of Australia", + "Moths of Indonesia", + "Moths of Australasia", + "Non-moth invertebrates of Asia", + "Non-moth endemic invertebrates of Japan", + "Lepidoptera of Europe", + "Moths of Comoros", + "Insects of Iceland", + "Insects of the Middle East", + "Insects that are also moths", + "Asian moths occurring in both Iceland and the Middle East", + "Diptera of Asia", + "Diptera by continent", + "Diptera of Europe", + "Lepidoptera of Asia", + "Butterflies of Asia", + "Butterflies of Eurasia", + "Butterflies of the Old World", + "Butterflies of Europe", + "Meropidae" + ], + "15": [ + "Prehistoric mammals", + "Cetaceans that are prehistoric mammals", + "Miocene mammals", + "Animals of the Palearctic realm", + "Late Ordovician animals", + "Non-prehistoric animals of Madagascar", + "Non-prehistoric animals of Africa", + "Prehistoric toothed whales", + "Non-Miocene prehistoric toothed whales", + "Prehistoric toothed whales by geologic period", + "Eocene toothed whales", + "Oligocene toothed whales", + "Pliocene toothed whales", + "Extinct animals", + "Animals described in 1860", + "Animals described in 1868", + "Cathartidae from the Pliocene", + "Devonian animals", + "Late Devonian animals", + "Paleozoic animals", + "Extinct animals of the Devonian period", + "Paleocene animals of Europe", + "Paleocene animals of North America", + "Paleocene animals", + "Cenozoic animals of Europe", + "Animals of the Ordovician", + "Animals of the Early Ordovician", + "Oligocene animals", + "Quaternary mammals of Africa", + "Mammal taxa present in Africa and Asia during the Pleistocene", + "Mammal taxa present in Africa and North America during the Pleistocene", + "Cosmopolitan Pleistocene mammal species found on three continents", + "Quaternary animals of Europe", + "Oligocene animals by continent", + "Oligocene animals of Europe", + "Miocene animals of Europe", + "Prehistoric animals of Europe", + "Prehistoric animals of Africa", + "Prehistoric animals not from the Miocene", + "Prehistoric vertebrates of Europe", + "Prehistoric vertebrates of Africa", + "Extinct animals from the Quaternary period", + "Miocene mammals of Europe", + "Miocene odd-toed ungulates", + "Miocene perissodactyls of Europe", + "Pleistocene animals", + "Pleistocene animals of New Guinea", + "Pleistocene animals of New Zealand", + "Pleistocene animals of Pacific Islands", + "Pliocene mammals", + "Holocene vertebrates of New Caledonia", + "Campanian-age vertebrate assemblages", + "Animals of Europe", + "Animals of Europe from the Quaternary period", + "Quaternary period fauna", + "Triassic animals of Europe", + "Historical accounts of whaling", + "Paleogene animals of Antarctica", + "Ordovician animals", + "Extant rhinoceros species", + "Eocene fish of Europe", + "Eocene fish of Eurasia", + "Non-Miocene mammals", + "Eocene animals", + "Non-mammal animals from the Eocene period", + "South American animals from the Eocene period", + "Prehistoric toothed whales from the Miocene", + "Prehistoric toothed whales not from the Miocene", + "Prehistoric Eocene toothed whales", + "Prehistoric Oligocene toothed whales", + "Prehistoric Pliocene toothed whales", + "Prehistoric Paleogene toothed whales" + ], + "16": [ + "Fauna of Mexico", + "Fauna of the Great Lakes region (North America)", + "Fauna of the Eastern United States", + "Species occurring in both Mexico and the Great Lakes region", + "Species occurring in both Mexico and the Eastern United States", + "Species shared among Mexico, the Great Lakes region, and the Eastern United States", + "Western American coastal fauna", + "Coastal fauna of western North America", + "Freshwater animals of South America", + "Freshwater animals found in both Africa and South America", + "Transcontinental freshwater species (Africa and South America)", + "Extinct animals of Peru", + "Extinct animals of Madagascar", + "African animals extinct in Madagascar", + "Fauna of South America", + "Fauna of the Caribbean", + "Fauna of the Guianas", + "Extinct animals of Cuba", + "Extinct animals of Jamaica", + "Extinct animals of the Caribbean", + "Extinct animals by country", + "Animals of Hispaniola", + "Animals extinct in North America", + "Extinct animals of North America that occur on Hispaniola", + "Non-arthropod animals of Hispaniola", + "Crocodilians of South America", + "Crocodiles of South America", + "Alligators of South America", + "Caimans of South America", + "Invertebrates of North America", + "Fauna of Nicaragua", + "Marsupials of South America", + "Fauna of Peru", + "Endemic animals of the Azores", + "Aquatic animals of South America", + "North American desert fauna", + "Pinnipeds of South America", + "Endemic animals of the Lesser Antilles", + "Endemic animals of the Caribbean", + "Extinct animals of South America", + "Quaternary animals of South America", + "Extinct animals of North America", + "Prehistoric animals of North America", + "Oligocene animals of South America", + "Cenozoic animals of North America", + "Animals of Mexico", + "Animals of Brazil", + "Animals of Mexico and Brazil", + "Felids of North America", + "Felids of South America", + "Wild cats of the Americas", + "Native felid species in the Americas", + "Large cats of the Americas", + "Small wild cats of the Americas", + "Invertebrates of Venezuela", + "Animals of the Chihuahuan Desert", + "Avifauna of the Sierra Madre del Sur", + "Pleistocene animals of North America", + "South American Oligocene animals", + "Fauna of North America excluding the Caribbean", + "Marine mammals found in South America", + "Sea otters and marine mustelids of South America", + "Invertebrates of South America", + "Freshwater invertebrates of South America", + "Animals of Horseshoe Canyon", + "Wildlife of Horseshoe Canyon", + "Endangered species of North America", + "Cisuralian animals of North America", + "Pennsylvanian animals of North America", + "Paleozoic animals of North America", + "Extinct Caribbean animals", + "Extinct animals of the Lesser Antilles", + "Extinct animals of the Bahamas", + "Extinct animals of the Caribbean islands excluding the Greater Antilles", + "Animals of Montserrat", + "Fauna of Argentina", + "Species native to the Afrotropical realm", + "Species native to Argentina", + "Faunal overlap between Afrotropical realm and Argentina", + "Fauna of the Andes", + "Seals of South America", + "Mesozoic invertebrates of North America", + "Animals of S\u00e3o Vicente, Cape Verde", + "Animals of Santo Ant\u00e3o, Cape Verde", + "Animals of Cape Verde", + "Neogene animals of North America", + "Endemic animals of Caribbean islands", + "Carboniferous animals of North America", + "Text-only zoological works on Lagomorpha", + "Non-avian dinosaurs of South America", + "Plesiosaurs of South America", + "Pterosaurs of South America", + "Fauna of S\u00e3o Vicente, Cape Verde", + "Middle Jurassic animals of South America", + "Jurassic animals of South America", + "Invertebrates of the Southeastern United States", + "Fauna of the Southeastern United States", + "Animals found in Santo Ant\u00e3o, Cape Verde", + "Ordovician animals of Central America", + "Ordovician animals of South America", + "Paleozoic animals of Central America", + "Paleozoic animals of South America", + "Animals of South America", + "Non-mammal animals of South America", + "Extinct animals of Mexico", + "Extinct carnivorans of Mexico", + "Extinct carnivorans", + "Fauna of northern South America" + ], + "17": [ + "Monotypic Amaryllidaceae genera", + "Species-rich vs monotypic genera in Amaryllidaceae", + "Angiosperms by geographic region", + "Procellariiformes", + "Magnoliid genera", + "Monachines", + "Plum cultigens", + "Monotypic angiosperm genera", + "Monotypic angiosperm families", + "Edible angiosperms", + "Orders of Chlorophyta", + "Orders of Charophyta", + "Algal taxonomy", + "Fabales genera", + "Fabales genera used as forage", + "Fabales genera that are angiosperms", + "Angiosperm genera", + "Cactus subfamily Opuntioideae", + "Opuntioideae genera", + "Opuntioideae species", + "Prickly pear cacti (Opuntia)", + "Cholla cacti (Cylindropuntia)", + "Psephotellus", + "Platycercini", + "Monotypic eudicot genera", + "Podicipediformes", + "Magnoliales genera", + "Magnoliales", + "Galliformes", + "Asterid genera", + "Medicinal Asterid genera", + "Silurian echinoderms", + "Taxa described in 1954", + "Rosaceae genera", + "Rosaceae genera that occur in Mongolia", + "Apiaceae genera", + "Parasitic plants", + "Arecaceae", + "Arecaceae by region", + "Poales plants", + "Monotypic Amaryllidaceae species", + "Xerophilic microorganisms", + "Osmophilic microorganisms", + "Plants in the order Poales", + "Poales", + "Rosales genera", + "Rosales genera of Europe", + "Rosales genera native to Europe", + "Rosales genera introduced in Europe", + "Gallirallus", + "Species in the genus Gallirallus", + "Rails in the genus Gallirallus", + "Angiosperms of Manchuria", + "Angiosperms of Northeast China", + "Monotypic Asparagaceae genera", + "Monotypic genera in the Asparagaceae family", + "Genera in Asparagaceae with a single species", + "Monotypic Cucurbitaceae genera", + "Monotypic Cucurbitales genera", + "Suliformes", + "Poikilohydric plants", + "Tinamous", + "Angiosperms", + "Ericales genera", + "Taxonomic genera in Ericales with edible species", + "Otariinae", + "Struthioniformes", + "Angiosperms of Europe", + "Angiosperms of France", + "Monotypic Caryophyllales", + "Kunzea (genus)", + "Ordovician plants", + "Proteaceae", + "Proteaceae genera", + "Hoverfly genera", + "Monotypic Asparagales genera", + "Asparagales genera native to Mexico", + "Monotypic plant genera in Asparagales that occur in Mexico", + "Plants from the Ordovician period", + "Neognathae", + "Bodybuilding", + "Taxa named by Carl Linnaeus", + "Monotypic Poaceae genera", + "Poaceae genera", + "Monotypic plant genera", + "Gymnosperms", + "Non-coniferous gymnosperms", + "Cycads", + "Ginkgoales", + "Ginkgo biloba", + "Gnetum", + "Welwitschia", + "Ephedra", + "Eudicot genera", + "Eudicot genera occurring in both western South America and the Southwestern United States", + "Monotypic Polygonaceae genera", + "Monotypic genera in Polygonaceae family", + "Polygonaceae taxonomy", + "Parasitic flowering plants", + "Parasitic angiosperms", + "Rosid genera", + "Rosid genera naturalized in Washington (state)", + "Rosid genera native to Washington (state)", + "Brassicaceae genera", + "Single-species plant genera", + "Holarctic plants", + "Monotypic asterid genera", + "Monotypic plant genera of Europe", + "Monotypic plant genera of Northern Europe", + "Asterales", + "Asterales genera", + "Asterales of Portugal", + "Monotypic magnoliid genera", + "Magnoliids", + "Cactoideae", + "Plant genera that are both Fabales genera and Palearctic flora", + "Anseriformes", + "Monotypic Dioscoreales genera", + "Monotypic genera in the order Dioscoreales", + "Falconiformes sensu lato", + "Gymnures" + ], + "18": [ + "Plants of the Netherlands Antilles", + "Drought-tolerant crops", + "Plants used in Native American cuisine", + "Crops used in Native American cuisine", + "Medicinal shrubs", + "Shrubs used in traditional medicine", + "Shrubs with pharmacological properties", + "Shrubs containing medicinal secondary metabolites", + "Herbal remedy shrubs", + "Plants occurring in both Japan and Finland", + "Stoloniferous crops", + "Potatoes", + "Andean root and tuber crops", + "Food plant cultivars", + "Maize varieties", + "Edible plants", + "Plants of Great Britain", + "Plants of the United Kingdom", + "Forage plants", + "Forage legumes", + "Cushion plants", + "Plants in Hinduism", + "Plants in the Bible", + "Plants in Abrahamic religions", + "Plants in religion", + "Sacred plants", + "Ritual plants in religious traditions", + "Crops originating from New Zealand", + "Books about plants and horticulture", + "History of gardening literature", + "Plants mentioned in the Bible", + "Plants in the Old Testament", + "Plants in the New Testament", + "Symbolic plants in biblical texts", + "Medicinal plants", + "Medicinal plants that are Asterid genera", + "Domesticated plants", + "Plants of Singapore", + "Plants of Melanesia", + "Plants of Java", + "Plants of Indonesia", + "Plants of Cambodia", + "Plants in the family Boryaceae", + "Boryaceae", + "Plants present in both China and the Holarctic region", + "Flowering plants of Switzerland", + "European flowering plants", + "Plants of Southwestern Europe", + "Plants of Spain", + "Plants of Portugal", + "Plants of Italy", + "Plants of Germany", + "Plants of France", + "Medicinal plants of Southwestern Europe", + "Medicinal plants of Bulgaria", + "Herbal medicinal plants native to Europe", + "Plants with traditional medicinal use in Europe", + "Plants of Belarus", + "Plants of Eastern Europe", + "Flowering plants of Manchuria", + "Garden plants", + "Garden plants native to Asia", + "Garden plants native to Australasia", + "Plants with native ranges spanning Asia and Australasia", + "Plants with native ranges spanning Asia and Malesia", + "Crops of Europe", + "Agriculture in Europe", + "Food crops grown in Europe", + "Cereal crops in Europe", + "Industrial and cash crops in Europe", + "Endemic plants of the Balkans", + "Nearctic realm plants", + "Plants of Sinaloa", + "Salt-tolerant plants of Indomalesia", + "Plants of East Timor", + "Plants of Belgium", + "Native plants of Belgium", + "Plants of Palau", + "Plants by country in the Caucasus region", + "Edible palms", + "Edible acai species", + "Edible fruits from palm trees", + "Edible nuts from palm trees", + "Edible palm hearts", + "Crops originating from Pakistan", + "Grasses of Punjab", + "Grasses of India", + "Grasses of Pakistan", + "Crops originating from India", + "Crops originating from the Indian subcontinent", + "Plants that are both edible and in order Ericales", + "Food plants within Ericales", + "Plants of Afghanistan", + "Plants of Israel", + "Vascular plants of Afghanistan", + "Vascular plants of Israel", + "Native plants of Afghanistan", + "Native plants of Israel", + "Plant genera of France", + "Non-floral uses of Kunzea (e.g., essential oils, timber)", + "Medicinal plants of Suriname", + "Perennial plants of Spain", + "Potato varieties", + "Endemic plants of Russia", + "Plants of Russia", + "Plants of Bangladesh", + "Plants of Taiwan", + "Plants of Niue", + "Plants used in traditional M\u0101ori medicine", + "Medicinal plants of New Zealand", + "Crops from New Zealand", + "Crops of New Zealand", + "Plants of Saint Kitts and Nevis", + "Plants of Saint Kitts", + "Plants of Nevis", + "Xerophytic ornamental plants", + "Australasian flowering plants", + "Endemic plants of the Caucasus region", + "Plants with common names", + "Lists of plant common names", + "Sacred plants in Hinduism", + "Plants in Hindu religious traditions", + "Plant species occurring in both Southwestern Europe and Germany", + "Domesticated plants cultivated in Oceania", + "Holarctic plants in Sri Lanka", + "Garden plants of Asia", + "Plants of Central Europe", + "Plants of the Caucasus region", + "Oligocene plants", + "Plant genera of Northern Europe", + "Plants of Kazakhstan", + "Plants of Europe", + "Plant common names", + "Religious plants in Hinduism", + "Fiber plants", + "Economic plants used for fiber", + "Medicinal plants used in traditional Native American medicine", + "Plants of the Mojave Desert", + "Plants of the Caucasus", + "Plants common to Arctic and Caucasus", + "Plants common to United Kingdom and Caucasus", + "Ornamental plants", + "Shrubs used in traditional Native American medicine" + ], + "19": [ + "American rock music films", + "1989 American films", + "Canadian-filmed dance movies", + "American films", + "American neo-noir films", + "2010s American films", + "2010s American neo-noir films", + "American sports films", + "American action thriller films", + "Books about African-American history adapted into films", + "Non-fiction African-American history books adapted into films", + "Films set in the Southwestern United States", + "Films set in the United States", + "American drama films", + "Hispanic and Latino American films", + "Non-American films", + "North American films", + "Non-American films based on works by Stephen King", + "American films based on works by Stephen King", + "American children's films", + "Non-American children's films", + "Children's films excluding American productions", + "Non-American films based on works by Bill Finger", + "American musical films", + "American action films", + "American sequel films", + "Non-American superhero films", + "American romance films", + "American films about mental disorders", + "American films that are not drama films", + "American adventure films", + "Mexican silent films", + "Silent films by country: Mexico", + "American teen films", + "Western genre films", + "Non-American western genre films", + "Non-American films based on plays", + "Plays adapted into western genre films", + "Films excluding American Western genre", + "American superhero films", + "Canadian films", + "Canadian drama films", + "Western films", + "Films by country of origin excluding the United States", + "Canadian science fiction drama films", + "American fantasy films", + "American films set in Europe", + "Fantasy films shot in Atlanta", + "Non-American slasher films", + "Western (genre) films", + "American films about bullying", + "Films about the Aztec Triple Alliance", + "2018 Western films", + "American short films", + "Non-English-language Canadian films", + "French-language Canadian films", + "Multilingual Canadian films", + "Independent American teen films", + "1990s American films", + "Science fiction films by country", + "Non-American science fiction films", + "American LGBT-related films", + "American romantic drama films", + "African-American films", + "African-American fantasy films", + "Lost Canadian films", + "Lost films produced in Canada", + "American films shot in Canada", + "American television films", + "American Western (genre) films", + "Films about Caribbean revolutions", + "Films about the Atlantic slave trade and abolition", + "American spy films", + "American films about mental health", + "Films set in Texas", + "Australian films", + "American business films", + "Historical films set in the United States", + "Films based on Cuban novels", + "Films based on novels by Cuban authors", + "Latin American novel-based films", + "American science fiction films" + ], + "20": [ + "Historical films", + "Lost films", + "Felix the Cat films", + "Political thriller films", + "Films based on stage plays", + "Historical epic films", + "Social issues films", + "Films about families", + "2021 films", + "Films based on works by Bob Kane", + "1999 films", + "Professional wrestling films", + "Sports films about women", + "Period action films", + "1989 films", + "Children's films about social issues", + "Biographical films", + "Biographical films released in 2015", + "Sports films", + "Dance films", + "2010s films", + "Neo-noir films", + "Films based on works by Harriet Beecher Stowe", + "Biographical films about Rembrandt", + "1979 films", + "Films about the arts", + "Films based on A Tale of Two Cities", + "Black-and-white speculative fiction films", + "Films about psychic powers", + "Non-science fiction films", + "Courtroom films", + "2000s films", + "Nonlinear narrative films", + "Sports films released in the 2000s", + "Spanish science fiction films", + "British drama films", + "Aviation films", + "Action thriller films about aviation", + "Drama films about aviation", + "Books adapted into films", + "Coming-of-age films", + "1980s films", + "Films based on mythology", + "Parody films based on mythology", + "Nigerian romantic drama films", + "Nigerian romance films", + "Romantic drama films", + "Irish action films", + "South African science fiction action films", + "Irish slasher films", + "Transport-themed films", + "Volleyball films", + "Team sports films", + "Beach volleyball in film", + "Israeli films", + "Israeli sequel films", + "Films based on autobiographical novels", + "2012 films", + "Fantasy films", + "Israeli fantasy films", + "2010s Israeli films", + "Films about ageing", + "Films based on novellas", + "Films not about disability", + "Films based on literary works", + "Films based on short fiction", + "British sports films", + "Silent or non-verbal sports films", + "British silent films", + "Sports films not about horse racing", + "Non-dialogue-driven sports films", + "British films by sport other than horse racing", + "Films based on works by Stephen King", + "Teen romance films", + "Romance films about teenagers", + "Drama films", + "2007 films", + "2003 films", + "Films about canines", + "Films about wolves", + "Films about dogs", + "Films not based on fairy tales", + "Films based on works by Bill Finger", + "Non-superhero films based on works by Bill Finger", + "Films about games", + "1990s films", + "1992 films", + "Independent films", + "1990s independent films", + "The Chronicles of Narnia", + "Trading films", + "Films about financial markets", + "Films about stock trading", + "Films about commodity trading", + "Films about investment banking", + "Films about urban legends", + "Slasher films based on legends", + "Action films based on fantasy novels", + "Sequel films", + "21st-century films", + "Films about food and drink", + "Films based on novels about revolutions", + "Historical revolution films based on books", + "British films", + "X-Men films", + "Doctor Dolittle films", + "Romance films about mental disorders", + "Romance films that are not drama films", + "Science fiction action films", + "Space opera films", + "Science fiction action Space opera films", + "Historical fantasy films", + "2004 thriller drama films", + "2000s historical thriller films", + "Science fiction films", + "2010s science fiction films", + "Science fiction films about computing", + "Science fiction films about artificial intelligence", + "Science fiction films about virtual reality", + "Non-cyberpunk science fiction films", + "Films about the Dreyfus affair", + "Historical films about the Dreyfus affair", + "Teen sports films", + "Teen musicals", + "Films based on plays", + "Films about Lebanon that are not about espionage", + "Films based on Henry IV (play)", + "Shakespeare adaptation films", + "Children's films", + "Musical films", + "2010s children's films", + "2010s fantasy films", + "Mockumentary musical films", + "1980s mockumentary films", + "1980s musical films", + "Films about remarriage", + "Crossover films", + "Action films", + "Sexploitation films", + "Films released in 2001", + "Drama films about alcohol", + "Films about alcoholism", + "Depictions of women in film", + "Films about women", + "1990s drama films", + "1990s coming-of-age films", + "Alternate history films", + "Holiday-themed films", + "Christmas films", + "2005 films", + "Urban survival films", + "Films about antisemitism", + "Films based on actual events about antisemitism and LGBT", + "Science fiction drama films", + "Epic films", + "Epic films about Christianity", + "Religious epic films", + "Biblical epic films", + "Films about Christianity set outside Israel", + "Films about Christianity not set in Israel", + "Romance films", + "Romance films from New Zealand", + "Evacuation films", + "Slasher films", + "Action films about bullying", + "Films about friendship", + "Romantic films", + "Non-drama romantic films", + "Spanish dance films", + "Flamenco films", + "Avant-garde films", + "Experimental films", + "Silent films", + "Films based on works by Sheridan Le Fanu", + "1988 science fiction films", + "Films based on works by Isaac Asimov", + "2000 drama films", + "2020s films", + "Films about seafaring", + "Disaster films from the 2020s", + "2008 films", + "Short films about children", + "Silent short films", + "2020s drama films", + "Teen films", + "1990s teen films", + "Biographical drama films", + "Non-historical biographical films", + "Buddy films", + "Buddy films about mental health", + "Buddy films about psychological conditions", + "Buddy films about the film industry", + "Buddy films set in Hollywood", + "Buddy films about actors and filmmaking", + "Films about child abduction", + "2000s romantic thriller films", + "Films featuring shapeshifting", + "Social science fiction films", + "Film theory books", + "Books about film theory", + "Science fantasy films", + "Films that are not children's films", + "Films set in 2007", + "Films about presidents", + "Political films", + "Films about heads of state", + "Films set in the 2000s", + "2013 films", + "Films released in 2013 about Catholic nuns", + "Films featuring Catholic nuns", + "Religious-themed films", + "Christianity in film", + "Catholicism in film", + "Erotic drama films about the Solar System", + "Films about the Solar System", + "Science films", + "Films about bears", + "Films about animals", + "British science films", + "Teen drama films", + "Films about abortion", + "Teen pregnancy in film", + "2014 films", + "Films released in 2014", + "Films about life after death", + "Religious or spiritual-themed films", + "Films about magical girls", + "Magical girl genre films", + "Live-action films about magical girls", + "Futuristic films", + "Coming-of-age drama films", + "Israeli coming-of-age drama films", + "2010 films", + "Puberty in film", + "1981 films", + "Films released in the 1980s", + "Films based on books", + "Films based on non-fiction books", + "Non-science films", + "Non-fantasy films", + "Cyberpunk films", + "Science fiction films of the 2010s", + "Dystopian science fiction films", + "Films based on science fiction works", + "Films based on novels or short stories", + "2000s Australian films", + "Pre-sound era films", + "2006 films", + "Teen television films", + "Non-drama films", + "Romantic films that are not dramas", + "Genre-filtered adaptations (excluding drama)", + "2010s teen films", + "Pregnancy films", + "Drama films about pregnancy", + "Drama films about addiction", + "Historical drama films", + "Children's fantasy films", + "Children's films about outer space", + "Fantasy films about outer space", + "2010s films about outer space", + "1993 films", + "Films about the Haitian Revolution", + "Historical films about slave revolts", + "Drama films about mental health", + "1988 films", + "Films based on works by Jules Verne", + "Films about kings", + "Films featuring monarchs", + "Films about royalty", + "Drama television films", + "Television films released in 1992", + "Drama television films released in 1992", + "Drama television films based on actual events", + "1990s French films", + "1985 films", + "Silent and early sound films", + "Period drama films", + "Film franchises", + "Speculative fiction films", + "1980s Romance films", + "1980s speculative fiction films", + "Business films", + "2015 drama films", + "Drama films about astronomy", + "Drama films about industry and business", + "Films about astronomy", + "Films about industry and business", + "Silent sports films", + "Silent films about British sports", + "Silent films not about livestock", + "Spanish silent short films", + "Films featuring BTS", + "Concert films featuring BTS", + "South African biographical drama films" + ], + "21": [ + "Pantropical flora", + "Plant species of Colombia", + "Plant species of Central America", + "Plant species of northern South America", + "Caribbean flora", + "Plants originating from Bolivia", + "Crops originating from Bolivia", + "Crops originating from Paraguay", + "Crops native to South America", + "Plants of Dominica", + "Flora of Dominica", + "Plants of Barbados", + "Plants of the Lesser Antilles", + "Flora of Chile", + "Flora of Chile that are Magnoliid genera", + "Flora of Peru", + "Flora of South America", + "Flora of Ecuador", + "Flora of the Lesser Antilles", + "Flora of the Caribbean", + "Flora of southern South America", + "Crops of Paraguay", + "Agriculture in Paraguay", + "Cash crops in Paraguay", + "Food crops in Paraguay", + "Crops of South America", + "Crops originating from Chile", + "Crops originating from South America", + "Cacti of Nuevo Le\u00f3n", + "Cacti of Mexico", + "Cacti of Northeastern Mexico", + "Medicinal plants of South America", + "Plants of South America", + "Palms of French Guiana", + "Plant species of Quintana Roo", + "Plant species of Mexico by state", + "Plant species of the Netherlands Antilles", + "Plant species of the Southwest Caribbean", + "Plant species of the Caribbean", + "Garden plants of South America", + "Garden plants of Ecuador", + "Ornamental plants of South America", + "Ornamental plants of Ecuador", + "Crops originating from Uruguay", + "Crops of the Southern Cone of South America", + "South American domesticated plants", + "Flora of French Guiana", + "Flora of northern South America", + "Plants of Haiti", + "Plants endemic to Haiti", + "Native plants of Hispaniola", + "Plants of the Dominican Republic", + "Flora of the Southwest Caribbean", + "Tropical fruit", + "Tropical fruit that is also a cactus", + "Cacti that produce edible tropical fruit", + "Plants of the Neotropical realm", + "Proteaceae of South America", + "Proteaceae of Argentina", + "Plant genera of Argentina", + "Endemic flora of Costa Rica", + "Plants of Costa Rica", + "Endemic flora of Central America", + "Medicinal plants of Venezuela", + "Garden perennials suitable for Spanish climate", + "Loranthaceae of western South America", + "Loranthaceae of South America excluding Peru", + "Plants of Mexico", + "Crops originating from Colombia", + "Crops originating from Argentina", + "Crops of Argentina", + "Flora of Colombia", + "Flora of Venezuela", + "Flora of the Guianas", + "Flora of Guatemala", + "Flora of Honduras", + "Plants of Grenada", + "Flora of western South America", + "Flora of western South America that are Eudicot genera", + "Plant taxa present in both western South America and the Southwestern United States", + "Monotypic plant genera in the Caribbean", + "Flora of Panama", + "Plant species shared between Veracruz and Panama", + "Plant species shared between Veracruz and Belize", + "Plant species shared among Veracruz, Panama, and Belize", + "Flora of Costa Rica", + "Brassicaceae genera present in Costa Rica", + "Flora of Costa Rica that belong to Brassicaceae", + "Plants of Hidalgo (state), Mexico", + "Succulent plants of Mexico", + "Plants native to both North and South America", + "Plants of Peru", + "Endemic flora of Trinidad and Tobago", + "Endemic plants of Trinidad and Tobago", + "Flora of Puerto Rico", + "Flora of Puerto Rico that are also Flora of Central America", + "Flora of Puerto Rico that are also Flora of Ecuador", + "Flora of Central America that are also Flora of Ecuador", + "Flora of Puerto Rico that are also both Flora of Central America and Ecuador", + "Medicinal shrubs used by Indigenous peoples of North America", + "Shrubs used in traditional Indigenous herbal medicine in North America", + "Apiaceae genera that are Pantropical flora" + ], + "22": [ + "Novels set in Paris", + "Novels set in France", + "French fantasy novels", + "Crime novels set in Paris", + "Crime fiction set in France", + "French novels", + "French-language literature", + "21st-century French novels", + "Novels about French prostitution", + "French novels about prostitution", + "1948 French novels", + "French-language novels", + "Mid-20th-century French novels", + "French-language fantasy novels", + "2000s French-language novels", + "Weidenfeld & Nicolson books about Paris", + "Weidenfeld & Nicolson books set in Paris", + "Books about Paris", + "Books set in Paris", + "French satirical novels", + "French novels published in 1920", + "French novels published in 1923", + "French novels published in 2001", + "French children's novels", + "French children's novels from 1877", + "19th-century French children's novels", + "French literature of 1877", + "French novels published in 1951", + "1923 novels from France", + "French prostitution novels", + "History books about the French colonial empire", + "1934 French novels", + "1759 French novels", + "French novels published in 1991", + "Books published by Les \u00c9ditions de Minuit", + "French novels published in 1919", + "Novels set in the Napoleonic era", + "Books about French prostitution", + "French novels set in the Atlantic Ocean", + "French social science books", + "French novels that are also social science books", + "Books about prostitution in France", + "Books set in French brothels", + "Nonfiction books on sex work in France", + "Fiction about French prostitutes", + "French novels published in 1970", + "Novels about war set in France", + "Novels about crime set in France" + ], + "23": [ + "English-language books", + "Books about the United Kingdom", + "Books in English", + "Books published by Constable & Robinson", + "Books not about Europe", + "Books about the Oedipus complex", + "Headline Publishing Group books", + "Books published in 1947", + "Books by Dave Eggers", + "Books published by McSweeney's (Dave Eggers)", + "History books", + "1990s history books", + "Books of India", + "Indian books", + "1959 books", + "20th-century Indian books", + "Books about elections outside North America", + "Bibliography of Aleksey Pisemsky", + "1936 books", + "Books published by Hutchinson (German-language)", + "Books based on actual events", + "Biographical books based on real people", + "G. P. Putnam's Sons books", + "Historical novels published by G. P. Putnam's Sons", + "Books about New Brunswick", + "Non-fiction books about New Brunswick", + "History books about New Brunswick", + "Travel guides to New Brunswick", + "Canadian provincial studies books", + "Books set in New Brunswick", + "German-language non-fiction books", + "Non-fiction books published in Germany", + "German-language books", + "Nonfiction books about the American Revolution", + "Historical books about the American Revolution", + "Books about United States history", + "American books", + "Books about African-American history", + "Non-fiction books about African Americans", + "Non-fiction books about African-American history", + "AK Press publications", + "Books by Eric S. Raymond", + "Books published by Bloomsbury Publishing", + "Mathematics books published in 2012", + "History books about Southeast Europe", + "Books by John Julius Norwich", + "Harper & Brothers English-language publications", + "Books about the economic history of the Pacific Islands", + "Books about the economic history of Australia and New Zealand", + "Books about colonial and postcolonial economic history in Oceania", + "Biographies of Mahatma Gandhi", + "Autobiographies by Mahatma Gandhi", + "Books by Terrance Dicks", + "Books about Oceania", + "Books about Oceania published in the 2010s", + "Books about the Pacific Islands", + "1926 books", + "Maritime history books", + "Travel books by Tahir Shah", + "Books published by HarperCollins", + "Books about London", + "Books about British folklore", + "Books published in the 1950s", + "1965 books", + "Novels by Charles Brockden Brown", + "History books about families", + "Crime books", + "Crime books about the arts", + "Nonfiction crime books about the arts", + "Books published by Ace Books", + "Books published by Weidenfeld & Nicolson", + "Books about the British Empire", + "Books about British colonial history", + "Books about British imperialism", + "Books about the history of the United Kingdom overseas territories", + "Non-crime books", + "Books published by Barrie & Jenkins", + "Nonfiction books published by Barrie & Jenkins", + "Books by P. G. Wodehouse", + "Books about Georg Wilhelm Friedrich Hegel", + "Books from the 1310s", + "Non-fiction history books", + "History books about historical eras", + "Books from Cuba", + "Books by Cuban authors", + "Books published in Cuba", + "Books set on ships", + "Books published in 1948", + "Novels published by HarperCollins", + "HarperCollins novels of the 1930s", + "1964 fiction books", + "Books by Scottish authors", + "Books published by Hachette Book Group", + "Books not published by Little, Brown and Company", + "Books by C. L. R. James", + "History books about Haiti", + "Books about the Haitian Revolution", + "Historical studies of the Haitian Revolution", + "Nonfiction about Haitian history", + "Books about Donald Trump", + "Biographies of Donald Trump", + "Books about Donald Trump published before 2010", + "Books about Donald Trump published after 2019", + "Books about California", + "Books not about Los Angeles", + "Books by major U.S. publishers", + "2000s history books", + "Books by Ayn Rand", + "Books about Europe", + "Books published by \u00c9ditions Robert Laffont", + "Belarusian non-fiction books", + "Belarusian books", + "Books by Monique Wittig", + "Books by Icelandic authors", + "Books from Iceland", + "Books about Iceland", + "Disaster books", + "Books about disasters in London", + "Books by year", + "Historical fiction about African-American history in Virginia", + "Ballantine Books", + "Ballantine Books about legendary creatures", + "Books about racial segregation", + "Books about South African history", + "Books first published in 1945", + "Books published by Alfred A. Knopf", + "Books published by Alfred A. Knopf in 1945", + "Books of the 2nd millennium", + "Books written in Latin", + "Books from 1937", + "Fiction books from 1937", + "Books about North America", + "Books set in Canada", + "Books based on television series", + "19th-century German-language books", + "Books", + "Canadian books", + "Books about authors", + "North American books", + "Books about Los Angeles, California", + "Books set in Los Angeles, California", + "Books about bacon", + "Books published by Andrews McMeel Publishing", + "Books published by Grosset & Dunlap", + "Books about cities", + "Books about whaling", + "Non-fiction books about whaling", + "Late modern period history books", + "Books published in 1944", + "History books published in 1944", + "Bibliography of Douglas Cooper (Canadian writer)", + "Bibliography of Douglas Cooper (art historian)", + "Australian travel books", + "Travel books about Australia", + "Travel books by Australian authors", + "Non-fiction travel guides to Australia", + "Adventure books by American authors", + "Adventure books published by Hachette Book Group", + "Books about Leporidae", + "Non-illustrated books", + "Books published by Little, Brown and Company", + "Little, Brown and Company books about cities", + "Little, Brown and Company books about United States cities", + "Little, Brown and Company books about international cities", + "Books about cities not located in California", + "Books by Mark Clapham", + "Non-fiction books about countries", + "Non-fiction books about countries outside North America", + "Books about countries by multiple authors", + "Books by Georges Simenon", + "Posthumously published books", + "HarperCollins publications from the 1970s", + "Books published by Duell Sloan and Pearce", + "Books about Africa", + "Books published in 1964", + "Books published by Doubleday", + "Books published in 1916", + "Books published by O'Brien Press", + "Books published by New American Library", + "Books about Australian exploration", + "Books about monarchs", + "Books about royalty", + "Books about kings and queens", + "Books about European monarchs (excluding France)", + "Books about non-European monarchs", + "Historical biographies of monarchs", + "History books on monarchies", + "Books about royal dynasties (excluding France)" + ], + "24": [ + "Anti-fascist books", + "Books about fascism", + "Non-fiction books about elections", + "Books about politics and government", + "Books about democracy and electoral systems", + "Books about comparative politics", + "Books about international elections", + "Books about racism", + "American religious books", + "Books based on the Bible", + "Christian-themed books", + "Books about Judaism", + "Books about Islamic fundamentalism", + "Books about Islamic movements", + "Non-fiction books about political Islam", + "Books about Islamic extremism", + "Books about Islamism and society", + "AK Press books on radical politics and activism", + "Books about genocide", + "Books about mass atrocities and ethnic cleansing", + "Books about crimes against humanity", + "Books about human rights abuses", + "History books about the Balkans", + "History books about Turkey", + "History books about the Ottoman Empire", + "History books about modern Balkan history", + "History books about modern Turkish history", + "History books about Romania", + "History books about the Byzantine Empire", + "Books about Mahatma Gandhi", + "Non-fiction books about Indian independence leaders", + "Books about Indian political history focusing on Gandhi", + "Turkish non-fiction books", + "Israeli literature", + "Israeli books not in Hebrew", + "Israeli books in English", + "Israeli books in Arabic", + "Israeli books in Russian", + "Israeli books translated from Hebrew", + "Books about the British Raj excluding Pakistan", + "Books about religious extremism", + "Books about modern Islamism", + "Books on political Islam", + "Books about German idealism", + "Books about political Islam", + "Books about conservative Islamic movements", + "Books about Islamic revivalism", + "Books about Islam and modernity", + "Books about Islamic studies", + "Books about the history of Islam in Asia", + "Books about Islamic civilization in Asia", + "Books about ethnic groups", + "Books about murder", + "History books about the Russian Revolution", + "History books about Anarchism", + "Non-fiction books about the Holocaust", + "History books about the Holocaust", + "Books about World War II atrocities", + "Books about Nazi concentration and extermination camps", + "Political books about Donald Trump", + "History books about famine", + "History books about Hinduism", + "Books about Hindutva", + "Books about the history of Hinduism and Hindutva", + "Religious history books on Hinduism", + "Political ideology books on Hindutva", + "History books about religion", + "Non-fiction books about religion", + "History books about Christianity", + "Non-fiction books about Soviet repression", + "Books about political repression in the Soviet Union", + "Political books", + "Books critical of Christianity", + "Political books critical of Christianity", + "Books about real political events involving religion", + "Books about the political influence of Christianity", + "Books critiquing Christian involvement in politics", + "Books about apartheid", + "Books about human rights in South Africa", + "Books about civil resistance in South Africa", + "Non-fiction books about genocide", + "History books about genocide", + "Books about genocide published in 2019", + "Spirituality books", + "Non-fiction Science books about spirituality", + "Books about Yemen", + "Books about Syria", + "Books about Israel", + "Books about the Holocaust", + "Books about ideologies", + "Political history books about Africa", + "Novels about terrorism set in Israel" + ], + "25": [ + "Orchids of Guizhou", + "Orchids of China", + "Orchids of Peru", + "Orchids of South America", + "Orchids of Indonesia", + "Orchids of Malaysia", + "Orchids of Southeast Asia", + "Orchids of Thailand", + "Orchids of Argentina", + "Orchids of French Guiana", + "Orchids of Honduras", + "Orchids of Suriname", + "Orchids of Guyana", + "Orchids of Central America", + "Orchids of Bali", + "Orchids of Myanmar", + "Orchids of India", + "Orchids of R\u00e9union", + "Orchids of Mauritius", + "Orchids of the Mascarene Islands", + "Orchids of the Philippines", + "Orchids of Bangladesh", + "Orchids of East Asia", + "Orchids of South Asia", + "Orchids of Panama", + "Endemic orchids of Australia", + "Endemic orchids of Malesia", + "Orchids of Australia", + "Orchids of Malesia", + "Orchids of Sichuan", + "Orchids of Eastern Asia", + "Orchids of Asia", + "Orchids of Vietnam", + "Endemic orchids of Vietnam", + "Orchids of Indochina", + "Terrestrial orchids", + "Epiphytic orchids" + ], + "26": [ + "British supernatural films", + "British horror films", + "British ghost films", + "Supernatural films set in hospitals", + "Supernatural thriller films", + "Thriller films with supernatural elements", + "Indian supernatural thriller films", + "Telugu-language supernatural thriller films", + "Horror films", + "Horror films by country", + "Serbian horror films", + "Irish supernatural horror films", + "Non-horror films based on works by Stephen King", + "American horror films based on works by Stephen King", + "Vampire films", + "Italian supernatural horror films", + "Italian horror cinema", + "Non-folklore-based horror films", + "Supernatural horror films without folklore elements", + "Thriller films", + "Horror films based on urban legends", + "Supernatural horror films", + "Paranormal fiction that is not horror", + "Non-horror speculative fiction", + "Paranormal fiction without horror focus", + "Teen horror films", + "1980s horror films", + "Horror films about teenagers", + "Horror films not about serial killers", + "Pornographic horror films", + "European pornographic horror films", + "Asian pornographic horror films", + "Latin American pornographic horror films", + "Backwoods horror films", + "Non-American horror films", + "Italian paranormal films", + "Paranormal courtroom films", + "Paranormal films set in courtrooms", + "Psychological thriller films", + "Films based on Gothic literature", + "Horror books", + "19th-century horror literature", + "2000 thriller films", + "Russian science fiction horror films", + "Religious horror films", + "2000s horror films", + "2000s religious horror films", + "1980s thriller films", + "Spanish romantic thriller films", + "Romantic thriller films", + "Historical horror films", + "1920s historical horror films", + "French psychological horror films", + "Science fiction thriller films", + "Slayer-themed horror films", + "Films about the afterlife", + "Supernatural drama films", + "Supernatural documentary films", + "French haunted house films", + "French horror films", + "Haunted house films", + "Black-and-white horror films", + "Horror war films", + "Monster films", + "Supernatural films", + "Taiwanese supernatural horror films", + "Mystery thriller films", + "1990s mystery thriller films", + "Mystery films", + "American thriller films", + "Films set in psychiatric hospitals", + "Horror film franchises", + "Thriller film franchises", + "Psychological horror films", + "2000s psychological horror films", + "Horror films about murder", + "Horror films about widowhood" + ], + "27": [ + "Endemic reptiles of Oman", + "Eocene reptiles of South America", + "Prehistoric reptiles of North America", + "Gliding reptiles", + "Gliding reptiles of Malaysia", + "Gliding reptiles of South Asia", + "Reptiles of Malaysia", + "Reptiles of South Asia", + "Pliocene reptiles of North America", + "Prehistoric turtles of Asia", + "Pleistocene reptiles of Asia", + "Miocene reptiles of Asia", + "Prehistoric reptiles of Asia", + "Prehistoric European reptiles", + "Reptiles of Aruba", + "Reptiles of South America", + "Marine reptiles", + "Basal avian dinosaurs exhibiting wading behavior", + "Theropod dinosaurs with wading adaptations", + "Miocene reptiles of Europe", + "Miocene reptiles", + "Reptiles of Europe", + "Oligocene turtles", + "Pleistocene turtles", + "Cenozoic turtles", + "Fossil reptiles of Europe", + "Reptiles of Rwanda", + "Reptiles of Taiwan", + "Endemic reptiles of Taiwan", + "Reptiles of Taiwan not in the Palearctic ecozone", + "Non-Palearctic reptiles", + "Reptiles of China", + "Reptiles in Taiwan but not in China", + "Reptiles of North America", + "Extinct reptiles", + "Extinct reptiles of South America", + "Middle Jurassic marine reptiles of Europe", + "Paleogene reptiles of Australia", + "Fossil reptiles of Australia", + "Eocene reptiles", + "Reptiles of Cambodia", + "Reptiles of India", + "Reptiles of Trinidad and Tobago", + "Reptiles of Venezuela", + "Oligocene reptiles", + "Miocene turtles", + "Fossil turtles of Europe", + "Aquatic reptiles", + "Extant aquatic reptiles", + "Freshwater reptiles", + "Reptiles excluding dinosaurs and other prehistoric taxa", + "Pliocene reptiles", + "Extant reptiles of New Caledonia", + "Reptiles of the Philippines", + "Reptiles of North America from the Pliocene period", + "Pliocene period reptiles", + "Prehistoric reptiles of South America", + "Mesozoic reptiles of South America", + "Paleozoic reptiles of South America", + "Cenozoic reptiles of South America (excluding birds)", + "Fossil reptiles of South America", + "Middle Jurassic reptiles of South America", + "Jurassic reptiles of South America", + "Endemic reptiles of Sudan", + "European marine reptiles of the Late Jurassic", + "Pleistocene reptiles", + "Fossil turtles of Asia", + "Asian prehistoric reptiles" + ], + "28": [ + "Argentine films", + "Argentine lost films", + "Films set in hospitals", + "Films set in France", + "Films set in medieval England", + "Films set in multiple European countries", + "Films shot in Europe", + "Medieval period films", + "Films shot in Ontario", + "Films shot in Visakhapatnam", + "Films shot in Hyderabad and surrounding regions", + "Films set in 1853", + "Films set in 1857", + "Films set in Ni\u0161", + "Films set in Samarkand", + "Rediscovered films", + "Films not set in California", + "Films produced in Nigeria", + "Films shot in Gauteng", + "Films set in the Middle Ages", + "Television shows set in antiquity", + "Films set in New York (state)", + "Films shot in the United Kingdom", + "Children's films shot in Oceania", + "Children's films shot in Australia", + "Children's films shot in New Zealand", + "Children's films shot in the Pacific Islands", + "Children's films by country of production", + "Films set in forests", + "Films set on islands", + "Films set in 1816", + "Films set in the 1810s", + "Historical films set in the 19th century", + "Films set in 2030", + "Films shot in Bristol", + "Films set in 1845", + "Films set in Lebanon", + "Non-spy films set in Lebanon", + "Films set in the Middle East", + "Lebanese cinema", + "Films shot in Santa Monica California", + "Films shot in Los Angeles County California", + "Films shot in California", + "Films shot in the United States", + "Spy films shot in Belarus", + "Russian spy films shot in Belarus", + "Films set in 1820", + "Films set in 1808", + "Films set during the Napoleonic Wars", + "Mockumentary films", + "Films set in Libya", + "Films set in Libya not in 1942", + "Films by setting and year", + "Films shot in Guadeloupe", + "Films set in 1866", + "Survival films set in urban environments", + "Films set in the year 2040", + "Films by country of origin: New Zealand", + "New Zealand cinema", + "Films set in the British Empire", + "Fantasy films shot in Italy", + "American films shot in Italy", + "Films shot in Atlanta, Georgia", + "Films shot in Berlin", + "Short films by country", + "Films set in Nizhny Novgorod", + "Films set in England", + "British historical setting in film", + "Films set in the 1570s", + "Films set in ancient Mesopotamia", + "Films shot in Tasmania", + "Black-and-white films", + "Independent films shot in Europe", + "Films made in Mauritania", + "Films shot in Mauritania", + "Mauritanian cinema", + "Films produced by Mauritanian studios", + "Films set in Miyagi Prefecture", + "Films set in the Marshall Islands", + "Films set in Fukuoka Prefecture", + "Films set in Oceania", + "Films set at sea", + "Films shot in the Republic of Ireland", + "British films shot in the Republic of Ireland", + "Black-and-white short films", + "Films set in music venues", + "Films shot in Khyber Pakhtunkhwa", + "Films shot in Cleveland, Ohio", + "Films shot in Ohio", + "Films set in Lazio", + "Greek black-and-white films", + "Argentine historical drama films", + "Historical drama films produced in Argentina", + "Films set in 1817", + "Period films set in the 1810s", + "Films set in Florence", + "Films set in Pittsburgh", + "Films about non-Leporidae animals", + "Films shot in Hertfordshire", + "Films shot in England", + "Films set in Aomori Prefecture", + "Films set in Bahrain", + "Films set on beaches", + "Films shot in Rio Grande do Sul", + "Films set or produced in the state of Rio Grande do Sul", + "Films shot in Amazonas (Brazil)", + "Science films shot in Hertfordshire", + "Films shot in Alberta", + "Films set in Buckinghamshire", + "Films set in the United Kingdom", + "Films shot in South America", + "Films shot on location in South America", + "Films set in the 1420s", + "Films set in the year 1805", + "Films set on the Gal\u00e1pagos Islands", + "Films shot in Oregon", + "Non-studio-produced films", + "Transport films", + "Rail transport films", + "Films shot in Spain", + "Films shot in Spain AND set in India", + "Films shot in South Carolina", + "Films set in Turkey", + "Films set in Saint-Domingue (colonial Haiti)", + "Films based on \u2018Around the World in Eighty Days\u2019", + "Films set in Sylhet", + "Films based on works by William Shakespeare", + "Mauritanian films", + "Films set in the Victorian era", + "Films set in Ankara", + "Films set in capital cities", + "Films shot in Italy", + "Films shot in Siberia", + "Films shot in Russia", + "Films set in Tochigi Prefecture", + "Films set in Gunma Prefecture", + "Films set in Atami", + "Films set in Shizuoka Prefecture" + ], + "29": [ + "2021 documentary films", + "Rock music documentary films", + "American documentary films", + "Documentary films", + "Historical documentary films", + "Documentary films about Kentucky", + "Documentary films about U.S. states", + "2010s documentary films", + "Documentary films set in New York City", + "Documentary films about urban studies", + "Israeli documentary films", + "Canadian television shows", + "Canadian period television series", + "Historical television series set in ancient times", + "Canadian historical television series", + "Documentary films about nature", + "Documentary films about animals", + "Documentary films about marine life", + "Documentary films about biology", + "Documentary films about Afghanistan", + "Documentary films about public opinion", + "Documentary films about politicians", + "Documentary films about politics outside the United States", + "Non-American political documentary films", + "Documentary films about public opinion of politicians", + "Films about politicians", + "Documentary films about politics", + "Documentary films excluding American politics", + "Documentary films about science", + "Color documentary films", + "Documentary films about women", + "Documentary films about women in Africa", + "African documentary films", + "Rwandan documentary films", + "1933 documentary films", + "Documentary films about volcanoes", + "Alternate history television series", + "Documentary films about law enforcement in Canada", + "Canadian documentary films about policing", + "Documentary films about the Royal Canadian Mounted Police", + "Documentary films about education", + "Documentary films about intellectual disability", + "Documentary films about disability", + "Documentary films about special education", + "Documentary films about Canada", + "Documentary films shot in the United States", + "Documentary films shot in Mississippi", + "Documentary films about Canada not shot in Canada", + "Brazilian short documentary films", + "Short documentary films by country of origin", + "Brazilian documentary films", + "Science films about bears", + "2010 documentary films", + "Documentary films about bats", + "Biographical documentary films", + "Television films based on actual events", + "Senegalese documentary films", + "Senegalese short documentary films", + "Documentary films about elections", + "Documentary films not about American politics", + "Documentary films about BTS" + ], + "30": [ + "Endemic amphibians of Oman", + "Amphibians of Nicaragua", + "Amphibians of Central America", + "Amphibians of Honduras", + "Amphibians of Aruba", + "Amphibians of the Virgin Islands", + "Amphibians of the Caribbean", + "Amphibians", + "Amphibians of Cambodia", + "Amphibians of Thailand", + "Amphibians of Rwanda", + "Amphibians of Laos", + "Amphibians of mainland Southeast Asia", + "Amphibians of Indochina", + "Amphibians of the United States Virgin Islands", + "Endangered amphibians", + "Amphibians of North America", + "Extant amphibians of New Caledonia", + "Carboniferous amphibians", + "Paleozoic amphibians", + "Pennsylvanian amphibians", + "Endemic amphibians of Sudan", + "Amphibians of Mongolia", + "Paleogene amphibians of Europe", + "Amphibians of Asia" + ], + "31": [ + "Flora of Guizhou", + "Flora of Jiangxi", + "Flora of China", + "Flora of Brunei", + "Flora of East Timor", + "Flora of Brunei or East Timor", + "Flora of Japan", + "Flora of East Asia", + "Plants endemic to Nihoa", + "Flora of Pakistan", + "Flora of India", + "Flora of Southeast Asia", + "Flora of Eastern Asia", + "Flora of Indo-China", + "Flora of Indonesia", + "Flora of Manchuria", + "Endemic flora of Malaysia", + "Flora of Korea", + "Flora of Taiwan", + "Oceanian realm flora", + "Flora of Oceania", + "Flora of Cambodia", + "Flora of Mongolia", + "Arecaceae of Indo-China", + "Flora of Myanmar", + "Flora of Guam", + "Endemic flora of Peninsular Malaysia", + "Flora of Peninsular Malaysia that are not Trees of Malaya", + "Non-tree endemic plants of Peninsular Malaysia", + "Endemic plants of Peninsular Malaysia excluding Trees of Malaya", + "Flora of Jiangsu", + "Flowers of Singapore", + "Plants of Brunei", + "Flora of Singapore", + "Flora of Malaysia", + "Flora of Nepal", + "Plant species common to Malaysia and Nepal", + "Plant species common to Malaysia and Sudan", + "Plant species found in Malaysia, Nepal, and Sudan", + "Endemic flora of Iran", + "Ferns of Asia", + "Pteridophytes of Asia", + "Flora of the Maldives", + "Arboreal flora of the Arabian Peninsula", + "Flora of Afghanistan", + "Flora of Sri Lanka", + "Flora of North Korea", + "Flora of Sichuan", + "Holarctic flora of Sri Lanka", + "Flora of Borneo", + "Flora of Laos", + "Flora of Heilongjiang", + "Flora of Papuasia", + "Flora of Peninsular Malaysia", + "Flora of the Arabian Peninsula", + "Flora of Malaya", + "Plants of Myanmar", + "Endemic flora of Western Asia", + "Endemic flora of Vietnam", + "Flora of the Western Indian Ocean", + "Flora of South Asia", + "Flora of the Indian Ocean bioregion", + "Flora of the Philippines", + "Flora of the Oceanian realm", + "Plants not found in Southeast Asia", + "Flora of Shanxi", + "Fiber plants of Southeast Asia", + "Flora of tropical Asia", + "Endemic flora of Peninsular Malaysia that are part of the Flora of Malaya", + "Flora of Malaya excluding Trees of Malaya", + "Endemic non-tree flora of Peninsular Malaysia", + "Oceanian realm flora that are Apiaceae genera", + "Oceanian realm flora that are both Apiaceae genera and Pantropical flora" + ], + "32": [ + "Books published in 1560", + "Books published in 1564", + "Books published in 1574", + "16th-century books", + "Novels published in 1789", + "Books published in 1552", + "Books published in 1559", + "Books published in 1839", + "1830s non-fiction books", + "Books published in 1760", + "Fantasy novels published in the 1760s", + "Novels published in 1831", + "Fantasy novels from the 1740s", + "Books published in 1670", + "17th-century books", + "Novels set in the 1810s", + "Novels published in 1790", + "British novels published in 1826", + "Books from 1816", + "Books from 1625", + "Books from the 1620s", + "Books published in the 17th century", + "Novels set during the Protestant Reformation", + "Novels published in 1799", + "Novels published in 1856", + "Books published in 1759", + "18th-century books", + "14th-century books", + "Works published in the 1310s", + "1742 books", + "1558 books", + "1554 books", + "1555 books", + "1831 novels", + "Books published in 1704", + "Early 18th-century books", + "Books published in 1897", + "Novels published in 1897", + "Novels set in the 1550s", + "Historical novels set in the 16th century", + "Books published in 1785", + "Fantasy novels published in the 1740s", + "Books published in 1747", + "1858 novels", + "Novels published in 1759", + "Novels published in 1814", + "Novels set in 1770", + "Historical novels set in the 1770s", + "Fiction set in the 18th century", + "Novels about daily life in 1770", + "Novels about culture and society in 1770", + "Novels about science or exploration in 1770", + "Novels about romance in 1770", + "Novels about politics in 1770 (excluding war)", + "Novels about commerce and trade in 1770", + "Novels about art and philosophy in 1770", + "Books from 1562", + "Books from 1566", + "Books from 1574", + "Books from 1726", + "1858 British novels", + "1872 novels", + "Non-fiction books published in 1785", + "Books set in the year 1785", + "Books written in 1785", + "1850s books", + "1759 books", + "1779 books", + "1770s books", + "Books published in the 1770s", + "1835 non-fiction books", + "Books published in 1702", + "Books from the 1700s", + "Works published in the 18th century" + ], + "33": [ + "Cetaceans", + "Pinnipeds of Africa", + "Pinnipeds of the Southern Hemisphere", + "Marine animals of Canada", + "Marine animals of the Eastern United States", + "Marine animals of the North Atlantic Ocean", + "Marine fauna shared by Canada and the Eastern United States", + "Marine fauna by region", + "Marine fauna not in the Palearctic realm", + "Tephrocactus and related opuntioids", + "Mammals of the Atlantic Ocean", + "Marine crocodylomorphs", + "Fauna of islands in the Atlantic Ocean", + "Sea lions of North America", + "Marine mammals of North America", + "Sea lions of the Pacific Ocean", + "Pinnipeds of North America", + "Megapodiidae", + "Megapodes", + "Palms of Martinique", + "Pinnipeds of Antarctica", + "Marine fauna of Antarctica", + "Pinnipeds", + "Marine mammals of the Southern Ocean", + "Parastacidae", + "Crustaceans by geographic distribution", + "Macaws (Ara)", + "Crustaceans of the United States", + "Marine crustaceans of the United States", + "Brackish-water crustaceans of the United States", + "Non-freshwater crustaceans", + "Crustaceans of Africa", + "Marine crustaceans of Africa", + "Marine mammals", + "Non-cetacean marine mammals", + "Marine mammals excluding cetaceans", + "Atlantic auks", + "Auks of the Atlantic Ocean", + "Pinnipeds of the Arctic Ocean", + "Pinnipeds by continent", + "Pinnipeds by ocean region", + "Marine fauna of the Mediterranean Sea", + "Non-Atlantic marine fauna", + "Vulnerable marine mammals", + "Marine mammals of the Atlantic Ocean", + "Whaling in literature", + "Atlantic puffins", + "Islands of the Atlantic Ocean", + "Atlantic Ocean", + "Marine fish of the Atlantic Ocean", + "Hedgehogs", + "Erinaceidae" + ], + "34": [ + "Children's books", + "Children's novels", + "Children's fiction set on ships", + "Children's seafaring adventure novels", + "Children's history books", + "Children's history books by non-American authors", + "Children's history books published outside the United States", + "Children's history books about non-American history", + "Children's history books excluding American history", + "1981 children's novels", + "British children's novels", + "1980s British children's novels", + "Children's fiction novels", + "Children's book series", + "Children's novellas", + "Novella-length children's fiction", + "Series of novellas for children", + "Christian children's books", + "Children's fiction books", + "Children's books published by Harper & Brothers", + "English-language children's fiction", + "Harper & Brothers children's fiction in English", + "1990s children's non-fiction books", + "British children's books", + "Children's books set in England", + "Children's books about friendship", + "British children's books about friendship", + "British children's books set in England", + "Children's books by Terrance Dicks", + "Russian children's books", + "Children's science fiction novels", + "Science fiction novels for children published in the United Kingdom", + "Books that won the CBCA Children's Book of the Year Award", + "Children's novels set on islands", + "Children's books from the 1940s", + "Children's travel books", + "Children's novels by Sarah Weeks", + "Children's alternate history novels", + "Children's novels about totalitarianism", + "Children's novels published in 1877", + "Films based on children's books", + "Non-children's novels", + "Children's historical fiction books", + "Non-American children's books", + "Children's literature by country (excluding United States)", + "International children's historical novels", + "Children's non-fiction books from 2011", + "1980s children's novels", + "American children's novels", + "English-language children's literature", + "Children's books published in the 1960s", + "Children's books published by Grosset & Dunlap", + "1960s American children's literature", + "Novels set in elementary schools", + "Novels set in primary schools", + "School setting novels (primary/elementary)", + "HarperCollins children\u2019s books", + "1970s children\u2019s books", + "Children\u2019s books published posthumously", + "Children's books from Ireland", + "Irish children's literature", + "Children's non-fiction books", + "2002 children's books" + ], + "35": [ + "Psychoanalytic theory books", + "Science books", + "Linguistics books", + "Academic books", + "Books about science of language", + "Books about extraterrestrial life", + "Cultural geography", + "Non-psychological cultural geography", + "Human geography (non-psychological focus)", + "Books about cultural landscapes", + "Books about spatial aspects of culture", + "Books on cultural regions and place identity (non-psychological)", + "Books about Unix", + "Books about Unix operating system", + "Books about Unix history and culture", + "21st-century mathematics books", + "Books about economic history", + "Economic history books with a regional focus", + "Gardening books", + "Books about Melanesia", + "Books about Micronesia", + "Textbooks", + "Astronomy textbooks", + "Introductory astronomy textbooks", + "Advanced astronomy textbooks", + "Undergraduate astronomy textbooks", + "Graduate-level astronomy textbooks", + "Social science books", + "Economics textbooks", + "Introductory economics textbooks", + "Microeconomics textbooks", + "Macroeconomics textbooks", + "University-level economics textbooks", + "High school economics textbooks", + "Books about continental philosophy", + "Books about crowd psychology", + "American psychology books", + "Books about social psychology", + "Books about mass behavior", + "Books about collective behavior", + "Sociological books", + "Books about U.S. states", + "Books about popular culture", + "Books about creativity", + "Epistemology books", + "Philosophy books", + "Academic texts on theory of knowledge", + "Introductory epistemology textbooks", + "Advanced epistemology monographs", + "Non-fiction books about social psychology", + "Social science books that are also novels", + "Books about society", + "German-language social science books", + "Science books about cultural geography", + "Cultural geography books", + "Science books not about psychology", + "Non-psychology science books", + "Books about geography", + "Books about cultural geography", + "Books about human geography", + "Books about urban studies", + "Non-fiction books on cultural geography", + "Books on cultural landscapes", + "Books on human geography", + "Academic texts in geography and science", + "Interdisciplinary works between geography and science", + "Excluding books about creativity", + "Exclude creativity in cultural geography and science topics", + "Engineering books", + "Books about engineering disciplines", + "Books about technology", + "Books about economics", + "Books about creativity and economics", + "Books about individuals' creative processes in economic contexts", + "Books about economic theory of innovation and creativity", + "Books about behavioral economics and creativity", + "Books about creativity and economics excluding company case studies", + "Books about creativity and economics excluding corporate management topics", + "Non-social-psychological books" + ], + "36": [ + "Fauna of Japan", + "Animals of Indonesia", + "Animals of Borneo", + "Rodents of China", + "Rodents of Borneo", + "Rodents of Asia", + "Fauna of East Asia", + "Fauna of Southeast Asia", + "Rodents of Malaysia", + "Rodents endemic to Malaysia", + "Rodents of Indonesia", + "Carnivorans of Asia", + "Fauna of Northeast Asia", + "Rodents of Cambodia", + "Rodents of Southeast Asia", + "Rodents of Indochina", + "Rodent biodiversity in Cambodia", + "Fauna of Asia", + "Marine fauna of Asia", + "Marine animals of the Indo-Pacific region", + "Rodents of Singapore", + "Carboniferous animals of Asia", + "Fauna of the Babuyan Islands", + "Animals of the Babuyan Islands", + "Freshwater fauna of Borneo", + "Endemic animals of Borneo", + "Freshwater animals of Indonesia", + "Freshwater animals of Malaysia", + "Endemic freshwater animals of Southeast Asia", + "Fauna of Western Asia", + "Fauna of Eastern Asia", + "Fauna of Western Asia but not of Central Asia", + "Fauna of Eastern Asia but not of Central Asia", + "Fauna of Indonesia", + "Endemic fauna of Vietnam", + "Animals of Brunei", + "Animals of Melanesia", + "Fauna of the Pacific", + "Animals from India", + "Animals from South India", + "Fauna of Korea", + "Arthropods of Korea", + "Fauna of Vietnam", + "Arthropods of Vietnam", + "Arthropods that occur in both Korea and Vietnam", + "Invertebrates of Malaysia", + "Invertebrates of Vietnam", + "Invertebrates of Northeast Asia", + "Invertebrates of Asia", + "Mongolian bird fauna outside the Palearctic region", + "Fauna of the Philippines", + "Pinnipeds of Asia", + "Endemic fauna of Japan", + "Invertebrates of Japan", + "Animals of the Philippines", + "Endemic fauna of Myanmar", + "Prehistoric animals of Asia", + "Snakes of Asia", + "Mesozoic vertebrates of Asia", + "Mesozoic invertebrates of Asia", + "Fauna of China", + "Fauna of Cambodia", + "Paleozoic animals of Asia", + "Fauna of Tibet", + "Arthropods of Asia", + "Vulnerable fauna of China", + "Endemic fauna of Guangxi", + "Endemic animals of Guangxi", + "Endemic fauna of China", + "Fauna of Guangxi", + "Endemic species of Guangxi", + "Pleistocene fauna of Asia", + "Fauna of Uzbekistan", + "Fauna of Turkmenistan", + "Prehistoric arthropods of Asia" + ], + "37": [ + "Freshwater animals", + "Freshwater animals of Africa", + "Fish of Aruba", + "Fish of Southeast Asia", + "Fish of Indonesia", + "Freshwater fish of New Guinea", + "Fish of Rwanda", + "Fish of Central Asia", + "Freshwater fish of Central Asia", + "Fish native to Central Asia only", + "Fish of Asia", + "Fish of Europe", + "Aquatic animals", + "Freshwater fish of Asia", + "Freshwater crayfish", + "Fish of El Salvador", + "Freshwater fish of El Salvador", + "Marine fish of El Salvador", + "Endemic fish of El Salvador", + "Commercially important fish species of El Salvador", + "Eocene fish", + "Eocene fish of Asia", + "Oligocene fish of Asia", + "Fossil fish of Asia", + "Common fish names", + "Fish by common name", + "List of common names of fish", + "Fish species and their common names", + "Fish common names vs scientific names", + "Fish of Metropolitan France", + "Endemic fish of Metropolitan France", + "Freshwater fish of France", + "Endemic freshwater fish of France", + "Marine fish of Metropolitan France", + "Endemic marine fish of Metropolitan France", + "Freshwater fish of Malaysia", + "Freshwater fish of Southeast Asia", + "Freshwater fish by country", + "Fish of the Sea of Azov", + "Fish of the Black Sea basin", + "Brackish water fish species", + "Marine fish of Eastern Europe", + "Fish of the Western American coast", + "Fish of the Pacific coast of the United States", + "Fish of Colombia", + "Fish of the Gulf of California", + "Marine fish of the Eastern Pacific", + "Freshwater invertebrates", + "Fish of Egypt", + "Freshwater fish of Egypt", + "Marine fish of Egypt", + "Fish of the Nile River", + "Fish of the Mediterranean Sea", + "Fish of the Red Sea", + "Extant freshwater fish of New Caledonia", + "Fish of Antarctica", + "Marine fish of Antarctica", + "Mesozoic fish", + "Mesozoic fish of Asia", + "Prehistoric fish of Asia", + "Fish of Macaronesia", + "Fish of the Atlantic Ocean", + "Marine fish of Macaronesia", + "Fish of Bolivia", + "Freshwater fish of Bolivia", + "Endemic fish of Bolivia", + "Fish of Brazil", + "Paleogene fish of Europe", + "Paleogene fish of Asia", + "Vulnerable fishes", + "Vulnerable fishes of South Asia", + "Vulnerable fishes of Asia", + "Endemic fishes of Asia", + "Endemic fishes of South Asia" + ], + "38": [ + "Endemic animals of Oman", + "Endemic invertebrates of Oman", + "Fauna of Oman", + "Arthropods of Guadeloupe", + "Modern (Holocene) African fauna lost from Madagascar", + "Fauna of the Amazon", + "Endemic fauna of New Zealand", + "Fauna of Mauritius", + "Fauna of East Africa", + "Fauna of Svalbard", + "Fauna of New Guinea", + "Marine fauna of North Africa", + "Fauna of North Africa", + "Invertebrates of Aruba", + "Endemic fauna of Aruba", + "Fauna of the ABC islands (Aruba, Bonaire, Cura\u00e7ao)", + "Endemic fauna of the Virgin Islands", + "Endemic fauna of the United States Virgin Islands", + "Endemic fauna of the British Virgin Islands", + "Extinct animals of Mauritius", + "Marine fauna of Africa", + "Invertebrates of Europe", + "Fauna of Europe", + "Fauna of Madagascar", + "Ordovician invertebrates", + "Fauna of Uganda", + "Endemic fauna of the Azores", + "IUCN critically endangered species", + "Rwandan fauna", + "Holarctic fauna", + "Cathartidae", + "Marine fauna of the Indian Ocean", + "Fauna of Antarctica", + "Fauna of South Georgia and the South Sandwich Islands", + "Fauna of South Georgia", + "Fauna of the South Sandwich Islands", + "Endemic fauna of Saint Lucia", + "Fauna of Saint Lucia", + "Fauna of the United States Virgin Islands", + "Fauna of the British Virgin Islands", + "Endemic fauna of Guadeloupe", + "Endemic fauna of the Lesser Antilles", + "Fauna of Guadeloupe", + "Fauna of Halmahera", + "Fauna of the Maluku Islands", + "Cave animals of Slovenia", + "Cave fauna", + "Animals of Slovenia", + "Fauna of Slovenia", + "Fauna of the Chihuahuan Desert", + "Fauna of Metropolitan France", + "Endemic fauna of Metropolitan France", + "Fauna of Angola", + "Fauna of Southern Africa", + "Terrestrial arthropods of Africa", + "Fauna of Africa", + "Fauna of the Pantanal", + "Endemic fauna of Ontario", + "Endemic fauna of Canada", + "Fauna of Ontario", + "Endemic animals by Canadian province", + "Endemic species in the Great Lakes region", + "Species described in 2004", + "Fauna of Biliran", + "Fauna of Camiguin", + "Horseshoe Canyon fauna", + "Fauna of canyon ecosystems in Utah", + "Fauna of Canyonlands National Park region", + "Animals of Dinagat Islands", + "Animals of Camiguin", + "Fauna of Dinagat Islands", + "Endemic animals of Dinagat Islands", + "Endemic animals of Camiguin", + "Animals of Biliran", + "Fauna of Seychelles", + "Neognathae that are fauna of Seychelles", + "Fauna of Marinduque", + "Afrotropical realm fauna", + "Holocene fauna of New Caledonia", + "Extant invertebrates of New Caledonia", + "Endemic fauna of New Caledonia", + "Introduced fauna of New Caledonia", + "Holocene invertebrates of New Caledonia", + "Invertebrates by continent", + "Fauna of the Mediterranean Sea adjacent to North Africa", + "Fauna of the African coasts", + "Fauna of the Bahamas", + "Vulnerable species", + "Fauna of Niue", + "Kirtland fauna", + "Fauna of Canada", + "Mesozoic animals of Africa", + "Endemic fauna of Grenada", + "Endemic fauna of Caribbean islands", + "Endemic fauna of Navassa Island", + "Endemic fauna of United States Minor Outlying Islands", + "Endemic fauna of uninhabited Caribbean islands", + "Fauna of Fiji", + "Fauna of Palau", + "Animals that occur in both Fiji and Palau", + "Vulnerable fauna", + "Endemic fauna of Cape Verde", + "Fauna of Montserrat", + "Fauna of Saint Kitts and Nevis", + "Fauna of India", + "Endemic fauna of Albania", + "Endemic animals of the Balkans", + "Endemic fauna of Europe", + "Endemic fauna of Sudan", + "Endemic invertebrates of Sudan", + "Endemic fauna of North Africa", + "Endemic fauna of the Sahel region", + "Fauna of South India", + "Fauna of Masbate", + "Fauna of the Bicol Region", + "Fauna of Mindoro" + ], + "39": [ + "Women in combat sports", + "Military books", + "Military history books", + "1990s military history books", + "Military-themed spy novels", + "Spy novels involving the armed forces", + "Cold War spy novels in North America", + "Novels set in Vietnam", + "Non-war novels set in Vietnam", + "Vietnamese historical novels not focused on war", + "Literary fiction set in Vietnam", + "Novels about everyday life in Vietnam", + "Urban guerrilla warfare handbooks", + "Guerrilla warfare manuals", + "Insurgency and guerrilla tactics training guides", + "Books about peace and conflict studies (excluding war-focused works)", + "Military fiction", + "Fantasy novels about the military", + "British war novels", + "Novels excluding military themes", + "Novels excluding war fiction", + "Science fiction war novels", + "Sequel novels about war and conflict", + "Military science fiction novels", + "Fictional works set in Vietnam", + "Historical fiction set in Vietnam", + "History books about war", + "History books about war and family relationships", + "History books about the impact of war on civilians", + "History books about military history", + "History books about social history of war", + "Fiction set in Vietnam", + "Contemporary novels set in Vietnam", + "Non-military history books", + "Books about military personnel", + "Fiction about soldiers without murder themes", + "Non-violent military-themed literature", + "Biographies of military personnel without murder", + "Military life narratives with no homicide plot elements", + "Books about military marriage", + "Books about military spouses and relationships", + "Books about the impact of deployment on marriage", + "Books about military family life", + "Books about marriage in the armed forces", + "Vietnam War novels", + "Post-war Vietnamese literature", + "War novels", + "Novels about war", + "Novels about armed conflict", + "Novels about political conflict", + "Novels about Vietnam", + "Novels with non-military themes", + "Novels about civilian life in Vietnam", + "Military fiction set in Vietnam", + "Novels about World War II", + "World War II alternate history novels", + "Historical novels with alternate World War II outcomes", + "Books about military history", + "Books about soldiers", + "Books about armed forces", + "Books about warfare", + "Books about disasters not related to war", + "Non-war disaster literature", + "Military treatises", + "Military history in Latin", + "Non-war novels", + "Nonfiction books about military personnel", + "Fiction books featuring military personnel", + "Biographies of military personnel", + "Memoirs of military personnel", + "History books about military organizations", + "Books about veterans", + "Books about military life", + "World War II history books", + "Books about the Cold War", + "Books about Africa and the Cold War", + "Military history books about Africa", + "International relations books about Africa during the Cold War", + "Novels set during World War I", + "British novels set during World War I", + "Novels about Middle East conflicts", + "New American Library nonfiction books about the military", + "New American Library war novels", + "New American Library books about World War II", + "New American Library books about the Vietnam War", + "New American Library books about soldiers and military life", + "New American Library books about military history", + "Novels about aliens visiting Earth excluding war themes", + "Novels about alien visitations excluding military conflict", + "Novels about alien visitations excluding war and conflict", + "Novels set during wartime", + "War novels set in prisons" + ], + "40": [ + "Space Battleship Yamato films", + "Dutch war films", + "Swiss war films", + "War films from 1945", + "Biographical films about military leaders", + "War films released in 2015", + "Biographical war films", + "World War I", + "World War I documentary films", + "War documentary films", + "Holocaust films", + "War crimes trial films", + "Films about Holocaust survivors", + "War comedy films", + "Documentary films about jihadism in Afghanistan", + "World War II prisoner of war films", + "World War II films", + "Prisoner of war films", + "Films about prisoners of war in World War II", + "European Film Award\u2013winning war films", + "War films", + "War films based on actual events", + "1990s war films", + "War films about antisemitism", + "War films about LGBT issues", + "Films about Dunkirk evacuation", + "World War II evacuation films", + "Films about the Royal Air Force", + "World War II aviation films", + "Films about maritime accidents", + "Films about maritime incidents", + "British war films", + "British war films based on actual events", + "Pakistani action war films", + "Pakistani war cinema", + "Classical war films", + "War films set outside of Lazio", + "Italian war films", + "Historical war films", + "Science fiction war films", + "Films about the United States Marine Corps", + "1971 war films", + "War films from the early 1970s", + "Dutch war drama films", + "Films about the Battle of the Somme", + "World War I films", + "War films set on the Western Front (World War I)", + "Documentary war films", + "Films about genocide", + "Siege of Sarajevo documentary films" + ], + "41": [ + "Endemic mammals of Oman", + "Mammals of South America", + "Coastal mammals of South America", + "Mammals of the Americas", + "Mammals of Barbados", + "Mammals of Antigua and Barbuda", + "Mammals of the Lesser Antilles", + "Mammals of the Caribbean", + "Mammals of Bhutan", + "Mammals of South Asia", + "Mammals of the Indian subcontinent", + "Mammals of East Asia", + "Mammals of China", + "Mammals of Borneo", + "Mammals of Asia", + "Mammals of Lesotho", + "Mammals of Southern Africa", + "Mammals of Guadeloupe", + "Mammals of South Australia", + "Animals of Aruba", + "Mammals of Aruba", + "Mammals of Western Australia", + "Mammals of Tonga", + "Mammals of New Caledonia", + "Rodents of Pakistan", + "Mammals of Colombia", + "Mammals of Brazil", + "Mammals of Cambodia", + "Marsupials of Argentina", + "Mammals of Argentina", + "Neogene mammals", + "Neogene mammals of North America", + "Neogene mammals of South America", + "Mammals of North America", + "Vertebrate animals of Rwanda", + "Mammals of Rwanda", + "Sub-Saharan African mammals", + "Mammals of Uganda", + "Mammals of East Africa", + "Mammals of Africa", + "Vertebrates of Rwanda", + "Critically endangered vertebrates", + "Critically endangered animals of Rwanda", + "Vertebrates of Belize", + "Mammals of Azerbaijan", + "Rodents of Bangladesh", + "Mammals of Paraguay", + "Cisuralian animals", + "Mammals of Jamaica", + "Endemic mammals of Jamaica", + "Terrestrial mammals of Jamaica", + "Marine mammals of Jamaica", + "Introduced mammals of Jamaica", + "Endemic mammals of Guadeloupe", + "Bats of North America", + "Bats of Mexico", + "Bats of Central America", + "Mammals of Bolivia", + "Mammals of Venezuela", + "Mammals of Guyana", + "Pleistocene mammals of Asia", + "Animals of the United Kingdom", + "Mammals of Angola", + "Flighted ratites", + "Non-avian animals from India", + "Non-avian animals from South India", + "Cenozoic mammals of Asia", + "Extinct Cenozoic mammals of North America", + "Cenozoic mammals that occur in both Asia and North America", + "Bats of Western New Guinea", + "Bats of New Guinea", + "Mammals of Western New Guinea", + "Mammals of New Guinea", + "Bats of Indonesia", + "Mammals of Hawaii", + "Neogene mammals of Africa", + "Mammals of Europe", + "Neogene animals of Africa", + "Endangered animals", + "Extinct mammals of Asia", + "Extant mammals of New Caledonia", + "Marine mammals of South America", + "Mammals of New Zealand", + "Mammals of Grenada", + "Introduced mammals of Hawaii", + "Bats of South America", + "Vulnerable mammals", + "Mammals of American Samoa", + "Mammals of Dominica", + "Mammals of Malaysia", + "Pennsylvanian animals", + "Scientific monographs on rabbits and hares", + "Mammals of Southeast Asia", + "Vulnerable mammals of China", + "Vulnerable mammals of Southeast Asia", + "Mammals of Queensland", + "Mammals of New South Wales", + "Australian native mammals", + "Bats of India", + "Bats of South Asia", + "Endemic mammals of Sudan", + "Rhinoceroses by conservation status", + "Mammals of Samoa", + "Mammals of Polynesia", + "Mammals of Melanesia", + "Mammals of the Pacific Islands", + "Mammals", + "Mammals that are Cetaceans", + "Bats of the Philippines", + "Bats of Asia" + ], + "42": [ + "Crime thriller films", + "Bangladeshi crime thriller films", + "British crime films", + "Crime films set in England", + "Crime drama films", + "American crime drama films", + "2010s crime drama films", + "2010s American crime drama films", + "Legal drama films", + "Revenge films", + "Crime parody films", + "1980s crime films", + "Indian crime films", + "Indian films about theft", + "Silent crime drama films", + "European crime drama films", + "Asian crime drama films", + "Crime comedy films by country", + "Films about revenge", + "Spy films", + "Non-detective protagonists in crime novels", + "Films about abuse", + "Science fiction films about abuse", + "Action films about abuse", + "Films about computer hackers", + "American crime films", + "Adventure crime films", + "Hindi-language crime films", + "Action crime films", + "Exploitation films by year", + "Crime books not about film", + "Crime fiction", + "Comedy-crime films", + "Italian crime films", + "Crime films by country of origin: Italy", + "Crime films set in the 1970s", + "Action films about security", + "Action films about surveillance", + "American films about security and surveillance", + "Crime films", + "1970s crime films", + "Films about security", + "Films about surveillance", + "Films about law enforcement", + "Films about violence", + "Films about crime and violence", + "Films about legal drama", + "Kidnapping films", + "Kidnapping films set in the United Kingdom", + "British kidnapping films", + "Crime films set in the United Kingdom", + "British crime thriller films involving kidnapping", + "Buddy cop films", + "Police comedy films", + "Police thriller films", + "Romanian crime films", + "Romanian crime thriller films", + "French crime comedy-drama films", + "Polish crime films", + "Polish films about organized crime", + "Gangster films by country", + "Mafia films by country", + "Films about kidnapping", + "Indian films about crime involving children", + "Documentary films about Canadian criminal justice system", + "Biographical crime films", + "Films about bandits", + "Historical criminal figures in film", + "Films about criminals", + "Films about criminals in performing arts", + "Films about crime in the entertainment industry", + "Films with criminal protagonists in show business", + "Films about performers committing crimes", + "Films about criminals that do not involve stalking", + "Films about crime that excludes stalking themes", + "1954 crime films", + "Films about murderers", + "Films about serial killers", + "Films about contract killers", + "Films about homicide investigations", + "Films about criminal psychology", + "Films based on crime novels", + "Films based on Indian crime novels", + "Films about organised crime", + "Films about organised crime in India", + "Films about organized crime", + "Mafia films", + "Films about gangs", + "Spy films about mental health", + "Law enforcement films", + "Documentary crime films", + "Crime war films", + "Biographical documentary crime war films", + "Film franchises about murderers", + "Film franchises about serial killers", + "Crime film franchises", + "Films about murderers that are not about stalking" + ], + "43": [ + "Anime films from 1978", + "Anime films from 1980", + "Films set in Dhaka", + "Bangladeshi films", + "Bangladeshi political thriller films", + "Martial arts films", + "Hong Kong action films", + "Hong Kong films", + "Chinese-language action films", + "Cricket films", + "Cricket films set outside India", + "Cricket films set in the United Kingdom", + "Cricket films set in Australia", + "Cricket films set in the Caribbean", + "Jungle films that are sequels", + "Indian films", + "Indian musical films", + "Films shot in Andhra Pradesh", + "Indian films by shooting location", + "Films set in Uzbekistan", + "Rediscovered Japanese films", + "Japanese films", + "Films set in Asia", + "Fantasy films set in Asia", + "Supernatural drama films set in Asia", + "Indian sports films", + "Indian films about sports other than cricket", + "Indian films about football (soccer)", + "Indian films about hockey", + "Indian films about wrestling", + "Indian films about boxing", + "Indian films about athletics and running", + "Indian films about kabaddi", + "Indian biographical sports films excluding cricket", + "Nigerian drama films", + "Indian heist films", + "Indian films with nonlinear narrative", + "Malayalam-language films", + "Malayalam thriller films", + "Malayalam drama films", + "Malayalam thriller drama films", + "Films remade in other languages", + "Malayalam films remade in other languages", + "Indigenous cinema", + "Non-Indian Indigenous films", + "Indigenous drama films released in 2007", + "Films from Hong Kong", + "Films about revolutions in China", + "Chinese-language films based on literature", + "South Korean spy action films", + "South Korean science fiction thriller films", + "Films about the National Intelligence Service (South Korea)", + "Hindi-language films", + "Hindi-language action films", + "Films set outside India", + "Telugu-language films", + "Bhojpuri-language films", + "Telugu-language films that are remakes of Bhojpuri-language films", + "Indian film remakes", + "Cross-language remakes in Indian cinema", + "Alternate history anime", + "Japanese films set in the 19th century", + "Vietnamese films", + "Vietnamese films based on literature", + "Films based on Vietnamese literature", + "Vietnamese films not set in 1948", + "Films set in Japan", + "Japanese cinema", + "Films set in Uttar Pradesh", + "Films set in Madhya Pradesh", + "Films about crickets", + "Films based on Uncle Vanya", + "Philippine teen romance films", + "Philippine coming-of-age films", + "Philippine films shot in Pampanga", + "Films set in Khyber Pakhtunkhwa", + "Pakistani action films", + "Indian films remade in other languages", + "Indian films without item numbers", + "South Korean fantasy adventure films", + "Indian thriller films", + "Indian drama films", + "Films set in the Edo period", + "Samurai films", + "Non-samurai films", + "Japanese historical films", + "Period films set in Japan", + "Non-Indian films", + "Buddy films set in South Korea", + "Films set in South Korea", + "Films set in Otaru", + "Films set in Hokkaido Prefecture", + "Films set in the Tohoku region of Japan", + "Japanese alternate history films", + "Alternate history films set in Japan", + "Brazilian fantasy films", + "Fantasy films produced in Brazil", + "Indian gangster films", + "1997 anime films", + "Anime films released in the 1990s", + "Indian films shot in Ooty", + "Philippine films", + "Philippine films by language", + "Tagalog-language films", + "English-language Philippine films", + "Lost Indian films", + "Indian films in color", + "Indian films not in black and white", + "Japanese science fiction mystery drama films", + "Japanese science fiction films", + "Japanese mystery drama films", + "South Korean films", + "South Korean coming-of-age films", + "Works set in the Edo period", + "Television series set in the Edo period", + "Manga and anime set in the Edo period", + "Video games set in the Edo period", + "Chinese-language films", + "Films set in India", + "English-language Taiwanese films", + "Tai chi films", + "Asian films", + "Indian mystery films", + "Indian action films", + "Japanese films by setting", + "Anime films", + "Japanese films that were rediscovered", + "BTS (South Korean band)", + "K-pop music films", + "Films set in Jakarta", + "English-language Indonesian films" + ], + "44": [ + "Flora of the Line Islands", + "Flora of the Pitcairn Islands", + "Plants of the Cayman Islands", + "Flora of the Cayman Islands", + "Flora of the Solomon Islands (archipelago)", + "Angiosperms of the Solomon Islands (archipelago)", + "Flora of the Solomon Islands", + "Extinct plants of Hawaii", + "Endemic plants of Hawaii", + "Plants of the Northwestern Hawaiian Islands", + "Flora of Bermuda", + "Antarctic flora", + "Flora of subantarctic islands", + "Flora of the Prince Edward Islands", + "Flora of the Kerguelen Islands", + "Flora of Polynesia", + "Endemic flora of Fiji", + "Trees of island ecosystems", + "Flora of the Northern Mariana Islands", + "Carnivorous plants of the Pacific", + "Flora of the Pacific Islands", + "Plants of Heard Island", + "Plants of McDonald Island", + "Plants of Heard Island and McDonald Islands", + "Plants of the Crozet Islands", + "Flora of the Savage Islands", + "Indian Ocean island flora", + "Flora of the Marshall Islands", + "Plants of Micronesia", + "Endemic flora of Samoa", + "Carnivorous plants of the Pacific Ocean", + "Pacific islands flora", + "Flora of the Cook Islands tropical region", + "Flora of the central Pacific Ocean islands", + "Ferns of the Southwestern Pacific", + "Ferns of the Pacific Islands", + "Pteridophytes of the Southwestern Pacific", + "Flora of the Coral Sea Islands Territory", + "Plants of the Savage Islands", + "Plants of the Northern Mariana Islands", + "Flora of the Northern Mariana Islands by island", + "Endemic flora of the Northern Mariana Islands", + "Endemic plants of Bermuda", + "Flora of North Atlantic islands", + "Flora of the Crozet Islands", + "Flora of Gough Island", + "Subantarctic island flora", + "Native tree flora of the south-central Pacific islands", + "Island fauna of the southwest Pacific", + "Plants of the Pitcairn Islands", + "Plants of the South Pacific islands", + "Flora of the Bahamas", + "Angiosperms of the Bahamas", + "Plants of the Coral Sea Islands Territory", + "Plants of the Maldives", + "Flora of the Society Islands", + "Flora of the Marquesas Islands", + "Flora of French Polynesia", + "Endemic flora of the Society Islands", + "Endemic flora of the Marquesas Islands", + "Algae of Hawaii", + "Marine algae of Hawaii", + "Freshwater algae of Hawaii", + "Algae of the Pacific Ocean islands", + "Flora of the Indian Ocean islands", + "Flora of Pemba Island", + "Flora of the Desventuradas Islands", + "Plants of the Desventuradas Islands", + "Endemic flora of the Desventuradas Islands", + "Flora of the Chilean Pacific Islands", + "Ornamental plants native to the Pacific region", + "Plants of the Pacific Ocean islands", + "Plants of the Pacific Rim", + "Plants of the Cook Islands", + "Plants of the Line Islands", + "Native plants of the Cook Islands", + "Flora of the Cook Islands", + "Oceanian realm flora that are Pantropical" + ], + "45": [ + "2000 books", + "Books published in the 2000s", + "Books published in the year 2000", + "1999 novels", + "Books published in 1999", + "Novels by Headline Publishing Group", + "Books published in the 1990s", + "1990 novels", + "1990 American novels", + "1997 novels", + "1997 Canadian novels", + "Books published in 2015", + "Novels published in 2015", + "Novels published in 2005", + "German-language novels published in 2005", + "Fantasy novels published in 1991", + "1991 novels by fictional universe", + "1982 novels", + "2010s books", + "Books by decade of publication", + "Books published in 1974", + "Novels published in 1908", + "1996 novels", + "Stephen King novels published in the 1990s", + "2010s novels", + "1981 British novels", + "1991 novels", + "Novels published in 1982", + "Debut fiction books", + "1980 fiction books", + "1980 debut novels", + "1980s debut fiction", + "Debut books by year", + "Books published in 2001", + "2009 Indian novels", + "2014 novels", + "1990s novels", + "1993 books", + "1917 debut novels", + "1993 novels", + "1993 novels from Australia", + "Novels from 2007", + "German novels published in 1985", + "Novels first published in 1993", + "American novels published in 1993", + "1980s novels", + "Novels published in 1997", + "Novels published in 2019", + "1994 novels", + "Novels from the 1980s", + "1985 novels", + "1974 novels", + "1974 American novels", + "Fiction books published in 1983", + "Epistolary novels published in 1983", + "Books published in 1981", + "Science fiction books published in 1981", + "Fantasy books published in 1981", + "Australian novels published in 1994", + "Fantasy novels by year of publication", + "Australian novels by year", + "Fiction books by year of publication", + "1983 novels", + "1983 American novels", + "Novels by decade", + "British novels of the 1980s", + "Novels published in 1979", + "1990s books", + "Debut novels published in 1952", + "Novels published in 1952", + "2012 novels", + "Novels published in 2017", + "2007 novels", + "1948 debut novels", + "Debut novels published in 1948", + "Debut novels published in 1979", + "Novels published in 1936", + "2000s novels", + "Books by year of publication", + "Fiction books published in 1964", + "Books published in 1971", + "2016 novels", + "1980 novels", + "Novels published in 1934", + "Books published in 2000", + "1980s books", + "Historical novels published in 1961", + "Novels published in 1961", + "2015 novels", + "2010s American novels", + "2011 books", + "Novels published in 1929", + "1998 books", + "1990s fiction books", + "Books published in 1996", + "German novels by year of publication", + "1980s American novels", + "2004 novels", + "Graphic novels published in 2011", + "Debut novels", + "Novels first published in 1957", + "Debut novels by year", + "1973 German novels", + "German-language novels published in 1973", + "2010 books", + "Canadian novels published in 1971", + "Canadian novels published in 1980", + "2004 German novels", + "Novels by year of publication", + "Novels published in 1985", + "Canadian novels published in 1985", + "Novels published in the 1990s", + "Books published in 2002", + "Novels published in 1940" + ], + "46": [ + "LGBT-related novels", + "LGBT-related fantasy novels", + "1980s LGBT-related novels", + "Japanese LGBT novels", + "LGBT novels", + "Books about sexuality", + "1960s social science books on sexuality", + "Erotic exploitation cinema", + "LGBT novels from the 1900s", + "LGBT literature", + "LGBT-related films", + "LGBT Irish novels", + "Non-erotic horror fiction", + "Horror novels about sexuality", + "Horror novels exploring sexual identity", + "Horror novels with sexual themes but no erotica", + "LGBT novels from the 1920s", + "Prostitution in literature", + "LGBT-related romance films", + "Austrian erotic novels", + "Erotic novels from Austria", + "Erotic literature by country of origin", + "German-language erotic fiction", + "20th-century Austrian erotic novels", + "21st-century Austrian erotic novels", + "American LGBT novels", + "LGBT novels published in 2015", + "1970s erotic drama films", + "Erotic films", + "Books about American LGBT people", + "Books about LGBT culture in the United States", + "Non-fiction books about Los Angeles and LGBT issues in the United States", + "Fiction books featuring American LGBT characters in Los Angeles", + "Drama films about sexuality", + "Erotic films about sexuality", + "Non-fiction books about sexuality", + "Non-fiction books not related to LGBT topics", + "Books about human sexuality", + "Sexuality studies literature", + "2010 publications on sex and relationships", + "Erotic drama films", + "Australian erotic drama films" + ], + "47": [ + "Aquatic plants", + "Aquatic pantropical plants", + "Drought-tolerant plants", + "Plants of the Southeastern United States", + "Crops of the Southeastern United States", + "Edible native plants of the Southeastern United States", + "Stoloniferous plants", + "Aquatic carnivorous plants", + "Carnivorous plants of North America", + "Aquatic plants of North America", + "Freshwater carnivorous plants", + "Bog and wetland carnivorous plants", + "Plants of the Mid-Atlantic United States", + "Plants of the United States", + "Plants of North America", + "Plants common to Europe and North America", + "Late Devonian plants", + "Mississippian plants", + "Green algae", + "Taxonomic orders of green plants", + "Garden plants of North America", + "Garden plants of the United States", + "Plants of Antarctica", + "Terrestrial plants of Antarctica", + "Native Antarctic plant species", + "Freshwater plants", + "Cacti of North America", + "Aquatic plants of the United States", + "Grasses of the United States", + "Halophytes", + "Halophytic aquatic plants", + "Halophytic grasses", + "Domesticated plants of the Great Lakes region", + "Domesticated plants of the Midwestern United States", + "Domesticated plants of the Northeastern United States", + "Domesticated plants of North America", + "Parasitic plants of the United States", + "Parasitic plants of the Western United States", + "Parasitic plants of Utah", + "Highly drought-tolerant flowering plants", + "Plants of the Southwestern United States", + "Microorganisms that grow at low water activity levels", + "Food spoilage microorganisms tolerant to low water activity", + "Fungi that grow at low water activity", + "Bacteria that grow at low water activity", + "Alpine flowering plants", + "Plants of the Southern United States", + "Plants of the North-Central United States", + "Plants found in both the Southern and North-Central United States", + "Plants of Canada", + "Plants of French Southern and Antarctic Lands", + "Plants of Pennsylvania", + "Plants of the Northeastern United States", + "Native plants of California", + "Berry-producing native plants of California", + "Seed-producing native plants of California", + "Nectar-producing native plants of California", + "Fruit-producing native plants of California", + "Garden plants native to Malesia", + "Plants with native ranges spanning Australasia and Malesia", + "Garden plants of Eastern Canada", + "Garden plants of Canada", + "Garden plants of the Northeastern United States", + "Plant taxa originating from Canada", + "Desiccation-tolerant plants", + "Plants that equilibrate water content with the environment", + "Non-vascular poikilohydric plants (e.g., mosses, liverworts)", + "Vascular poikilohydric plants", + "Drought-adapted plants", + "Xerophytic plants", + "Plants of Eastern Canada", + "Plants found in both Eastern Canada and the UK", + "Plants of Guam", + "Monotypic Caryophyllales of South America", + "Monotypic Caryophyllales of western South America", + "Caryophyllales of western South America", + "Plants of Mississippi", + "Plants of the Chihuahuan Desert", + "Perennial plants", + "Plants of Arizona", + "Plants of the Klamath Mountains", + "Plants of the North American Desert", + "Plants of Aguascalientes", + "Carnivorous plants", + "Paleotropical carnivorous plants", + "Gnetophytes", + "Caudiciform plants", + "Succulent caudex plants", + "Plants found in both Europe and Montana", + "Grasses of Canada", + "Grasses of California", + "Grasses of desert regions in California", + "Grasses of North America", + "Succulent plants", + "Non-cactoideae succulent plants", + "Desert plants", + "Plants used in Indigenous North American ethnobotany", + "Plants of the Great Basin Desert", + "Plants of the Arctic", + "Plants common to Arctic and United Kingdom", + "Plants native to both the Americas and Africa", + "Cosmopolitan plant species", + "Native American ethnobotanical shrubs", + "North American medicinal plants used by Native American tribes" + ], + "48": [ + "Fiction books", + "Non-fiction books", + "Non-speculative political novels", + "Non-fiction books by Dave Eggers", + "Non-fiction books based on real events", + "American science fiction novels", + "Science fiction novels set in Europe", + "Fiction not based on actual events", + "American novels not based on actual events", + "Religious fiction", + "Novels set in shared fictional universes", + "Science fiction novels about extraterrestrial life", + "1980s science fiction novels", + "Films based on speculative fiction books", + "2010s non-fiction books", + "Novels about technology", + "Novels about non-computing technology", + "19th-century non-fiction books", + "Speculative fiction novels", + "Speculative fiction novels from the 2000s", + "Non-fiction books adapted into films", + "Fiction novels", + "Autobiographical novels adapted into films", + "Non-fiction books published by Bloomsbury in 2001", + "Non-fiction mathematics books", + "2012 non-fiction books", + "Novels about disasters", + "Fictional disaster novels", + "Fictional disease outbreak novels", + "Novels with fictional epidemics", + "Novels with fictional natural disasters", + "Novels NOT based on actual events", + "Non-science fiction speculative fiction", + "1970s science fiction novels", + "Science fiction novels set in outer space", + "Non-American science fiction novels", + "Non-American speculative fiction novels", + "1970s non-American science fiction novels set in outer space", + "1920s speculative fiction novels", + "British speculative fiction novels", + "Social commentary in fiction", + "1980s speculative fiction novels", + "Science fiction novels", + "Science fiction sequel novels", + "Novels not based on television series", + "1945 speculative fiction novels", + "Fiction about writers", + "Non-biographical novels about writers", + "Fictional books", + "Science fiction novels set in the United Kingdom", + "Science fiction novels about the United Kingdom", + "Speculative fiction novels that are not science fiction", + "Ace Books science fiction titles", + "Fiction about books and reading", + "Fiction centered on publishing and the book industry", + "Fiction about Nazis", + "1983 speculative fiction novels", + "Speculative fiction novels by year of publication", + "1960s science novels", + "1960s science fiction novels", + "1960s non-medical science novels", + "Science-themed novels excluding medical topics", + "1961 non-fiction books", + "Religious studies in fiction", + "Religious speculative fiction", + "Religious-themed speculative fiction from the 2000s", + "Non-historical fiction novels", + "Novels not classified as historical fiction", + "1960s non-fiction books", + "Non-autobiographical novels", + "American non-fiction books", + "Novels not about disasters", + "Fiction not about disasters", + "Novels about alien visitations", + "Science fiction novels about first contact", + "Novels with peaceful alien encounters", + "Novels with non-apocalyptic alien interactions", + "Novels about aliens visiting Earth without global catastrophe", + "Speculative fiction novels published in 2016", + "2016 non-American speculative fiction novels", + "2000s non-fiction books", + "Science fiction novels published in 1938", + "1980s non-fiction books", + "Non-fiction books about popular culture", + "Non-fiction books based on actual events", + "Non-science fiction alternate history novels", + "1991 speculative fiction novels", + "1991 science fiction novels", + "Non-American historical fiction", + "Dystopian novels", + "Non-fiction books published in 2019", + "1932 science fiction novels", + "Science fiction novels published in 1929", + "20th-century science fiction novels", + "English-language science fiction novels", + "Dystopian novels not focused on disasters", + "Dystopian novels about surveillance states", + "Fiction books based on Doctor Who", + "Science fiction books based on Doctor Who", + "1990s non-fiction books", + "British science fiction novels", + "Post-apocalyptic novels", + "Science fiction novel trilogies", + "Dystopian fiction", + "Non-fiction science books", + "Collaborative non-fiction books", + "Fiction books published by Doubleday", + "2010 non-fiction books", + "Fictional narratives not based on real events", + "Novels not based on real historical events", + "2002 non-fiction books", + "Novels featuring peaceful alien encounters", + "Novels featuring non-violent alien contact", + "Speculative fiction novels published in 1991", + "Non-American speculative fiction", + "Speculative fiction novels by non-American authors", + "Science fiction novels published in 1940" + ], + "49": [ + "Novels about legendary creatures", + "Novels featuring legendary or mythological beings as central characters", + "Paranormal romance novels", + "Novels that are both about legendary creatures and paranormal romance", + "Novels that are not contemporary fantasy", + "Filtering out contemporary fantasy genre from paranormal romance with legendary creatures", + "Fantasy novels", + "1980s fantasy novels", + "Religious fiction about death", + "Christian fiction about death", + "Spiritual themes of the afterlife in fiction", + "Novels about death and faith", + "Faith-based coping with death in fiction", + "Fantasy novels by fictional universe", + "Fantasy literature organized by setting or universe", + "Fantasy novels published in 1908", + "Paranormal novels", + "American vampire novels", + "Contemporary fantasy novels", + "1912 fantasy novels", + "Films based on fantasy novels", + "Novels about the paranormal", + "Supernatural fiction set in North America", + "Urban fantasy novels set in North America", + "German magic realism novels", + "Novels featuring demons", + "Fantasy novels with demons", + "Urban fantasy novels with demons", + "Supernatural fiction involving demons", + "Gothic novels", + "Demon fiction", + "Demon novels", + "Supernatural novels", + "Horror novels about demons", + "Books about mythology", + "Books about urban mythology", + "Books on myths set in cities", + "American magic realism novels", + "Magic realism novels by American authors", + "Magic realism novels set outside North America", + "Magic realism novels", + "Ace Books fantasy titles", + "2000s fantasy novels", + "Magic realist novels", + "Canadian magic realism", + "Canadian Gothic fiction", + "Novels based on Homeric epics", + "Horror novels", + "Novels set in hell", + "Fantasy novels set in the afterlife", + "Horror novels set in hell", + "Religious or theological fiction about hell", + "Supernatural novels featuring hell as a primary setting", + "Psychological thriller novels", + "Mystery novels about death", + "1872 fantasy novels", + "High fantasy novels", + "Novels that are not high fantasy", + "Historical fantasy novels", + "Fantasy novels inspired by real historical periods", + "1960 fantasy novels", + "Fantasy novels published in 1960", + "Gothic novels set in Europe", + "Vampire romance novels", + "Paranormal vampire romance novels", + "Non-contemporary fantasy novels", + "Historical fantasy romance novels", + "Urban fantasy romance novels", + "Gothic romance novels", + "Novels about demons", + "Fantasy novels about demons", + "Non\u2011American demon fiction", + "Non\u2011vampire supernatural novels" + ] + }, + "cluster_centroids": { + "0": "plant location", + "1": "novel theme", + "2": "film genre", + "3": "plant location", + "4": "tree location", + "5": "organism biogeographic_distribution", + "6": "film decade", + "7": "organism geological-period", + "8": "book region", + "9": "novel classification", + "10": "bird classification", + "11": "bird year-of-description", + "12": "film genre", + "13": "film nationality", + "14": "insect biogeography", + "15": "animal geologic period", + "16": "animal location", + "17": "organism taxonomy", + "18": "plant usage", + "19": "film nationality", + "20": "film classification", + "21": "plant location", + "22": "book nationality", + "23": "book attribute", + "24": "book subject", + "25": "orchid habitat", + "26": "film genre", + "27": "reptile time-period", + "28": "film setting", + "29": "documentary film theme", + "30": "amphibian location", + "31": "plant location", + "32": "book time-period", + "33": "animal geographic-distribution", + "34": "children's book genre", + "35": "book subject", + "36": "animal location", + "37": "fish classification", + "38": "animal biogeography", + "39": "book military-theme", + "40": "war film genre", + "41": "mammal location", + "42": "crime film theme", + "43": "film attribute", + "44": "plant location", + "45": "book publication-year", + "46": "publication sexuality", + "47": "plant habitat", + "48": "book genre", + "49": "novel genre" + }, + "final_concepts": [ + "plant location", + "novel theme", + "film genre", + "tree location", + "organism biogeographic_distribution", + "film decade", + "organism geological-period", + "book region", + "novel classification", + "bird classification", + "bird year-of-description", + "film nationality", + "insect biogeography", + "animal geologic period", + "animal location", + "organism taxonomy", + "plant usage", + "film classification", + "book nationality", + "book attribute", + "book subject", + "orchid habitat", + "reptile time-period", + "film setting", + "documentary film theme", + "amphibian location", + "book time-period", + "animal geographic-distribution", + "children's book genre", + "fish classification", + "animal biogeography", + "book military-theme", + "war film genre", + "mammal location", + "crime film theme", + "film attribute", + "book publication-year", + "publication sexuality", + "plant habitat", + "book genre", + "novel genre" + ] +} \ No newline at end of file