From 914c085cacdbff7a8356505298d66203903dc712 Mon Sep 17 00:00:00 2001 From: OusmBlueNinja <89956790+OusmBlueNinja@users.noreply.github.com> Date: Wed, 2 Apr 2025 14:26:37 -0500 Subject: [PATCH] bad --- app.py | 222 +- test.py | 107 +- top_movies.json | 96832 +++++++++++++++++++++++++++++++++++++++++++++- 3 files changed, 94981 insertions(+), 2180 deletions(-) diff --git a/app.py b/app.py index 2f94e9d..f38ba6c 100644 --- a/app.py +++ b/app.py @@ -2,6 +2,7 @@ from flask import Flask, request, render_template, redirect, url_for, session import json import numpy as np import random +import math from sklearn.feature_extraction.text import TfidfVectorizer from sklearn.metrics.pairwise import cosine_similarity @@ -12,67 +13,141 @@ app.secret_key = 'your_secret_key_here' # Replace with a secure key in producti with open('top_movies.json', 'r', encoding='utf-8') as f: movies = json.load(f) -# Assign a unique ID and preprocess features for each movie +# Preprocess each movie for i, movie in enumerate(movies): - movie['id'] = i # Unique id for each movie - # Combine genres and tags into a feature string (could add description etc.) + movie['id'] = i # Unique ID + # Combine genres and tags into one feature string. movie['features'] = ' '.join(movie.get('genres', [])) + ' ' + ' '.join(movie.get('tags', [])) - # Ensure numeric values for year and runtime if possible: + # Ensure numeric values for year and runtime: try: movie['year_num'] = int(movie.get('year', '0')) except: movie['year_num'] = 0 try: - # runtime might be a number already or a string; if string, try to convert. movie['runtime_num'] = float(movie.get('runtime')) if movie.get('runtime') else 0 except: movie['runtime_num'] = 0 + # Ensure vote_count is numeric. + try: + count = movie.get('vote_count', 0) + if isinstance(count, str): + count = count.replace(',', '') + if 'M' in count: + count = float(count.replace('M', '')) * 1e6 + else: + count = int(count) + movie['vote_count'] = int(count) + except: + movie['vote_count'] = 0 # Build the TF‑IDF vectorizer on movie features. vectorizer = TfidfVectorizer(stop_words='english') movie_features = [movie['features'] for movie in movies] movie_vectors = vectorizer.fit_transform(movie_features) -# Precompute overall ranges for numeric features across the dataset. +# Precompute overall ranges for numeric features. years = [m['year_num'] for m in movies if m['year_num'] > 0] runtimes = [m['runtime_num'] for m in movies if m['runtime_num'] > 0] +max_vote = max([m['vote_count'] for m in movies]) if movies else 1 + min_year, max_year = (min(years), max(years)) if years else (0, 1) min_runtime, max_runtime = (min(runtimes), max(runtimes)) if runtimes else (0, 1) year_range = max_year - min_year if max_year != min_year else 1 runtime_range = max_runtime - min_runtime if max_runtime != min_runtime else 1 +rating_range = 10.0 # Assuming ratings are on a 0–10 scale -def get_diverse_movies(num=10): +def get_predicted_movies(num=10): """ - Pick up to `num` movies that have not been shown yet, trying to cover different genres. + Return up to `num` movies that haven't been shown yet. + Uses the user's past ratings to predict which unseen movies they might like. + If no ratings exist, falls back to random selection. """ asked = session.get('asked_movies', []) available = [m for m in movies if m['id'] not in asked] if not available: return [] - selected = [] - # List of desired genres to cover - desired_genres = ["Action", "Adventure", "Comedy", "Drama", "Horror", - "Romance", "Sci-Fi", "Thriller", "Animation", "Documentary"] - # Try to pick one movie per desired genre. - for genre in desired_genres: - for m in available: - if genre in m.get('genres', []) and m not in selected: - selected.append(m) - break - if len(selected) >= num: - break - # If we still need more movies, fill the remainder randomly. - if len(selected) < num: - remaining = [m for m in available if m not in selected] - random.shuffle(remaining) - selected.extend(remaining[:(num - len(selected))]) - return selected[:num] + rated = session.get('rated_movies', {}) + # Fallback to random selection if there are no like/dislike ratings. + if not rated or not any(r in ['like', 'dislike'] for r in rated.values()): + random.shuffle(available) + return available[:num] + + # Build prediction profiles. + liked_ids = [int(mid) for mid, rating in rated.items() if rating == 'like'] + disliked_ids = [int(mid) for mid, rating in rated.items() if rating == 'dislike'] + + if liked_ids: + liked_profile = np.asarray(movie_vectors[liked_ids].mean(axis=0)) + else: + liked_profile = np.zeros((1, movie_vectors.shape[1])) + if disliked_ids: + disliked_profile = np.asarray(movie_vectors[disliked_ids].mean(axis=0)) + else: + disliked_profile = np.zeros((1, movie_vectors.shape[1])) + + # Compute numeric averages for liked movies. + liked_years = [movies[i]['year_num'] for i in liked_ids if movies[i]['year_num'] > 0] + liked_runtimes = [movies[i]['runtime_num'] for i in liked_ids if movies[i]['runtime_num'] > 0] + liked_ratings = [movies[i].get('imdb_rating', 0) for i in liked_ids if movies[i].get('imdb_rating', 0)] + + avg_year = np.mean(liked_years) if liked_years else None + avg_runtime = np.mean(liked_runtimes) if liked_runtimes else None + avg_rating = np.mean(liked_ratings) if liked_ratings else None + + predictions = [] + # Tunable weights. + w_text = 0.5 + w_year = 0.1 + w_runtime = 0.1 + w_rating = 0.15 + w_popularity = 0.15 + + for movie in available: + i = movie['id'] + # TEXT SIMILARITY. + movie_vector = movie_vectors[i].toarray() + like_sim = cosine_similarity(movie_vector, liked_profile)[0][0] if np.linalg.norm(liked_profile) != 0 else 0 + dislike_sim = cosine_similarity(movie_vector, disliked_profile)[0][0] if np.linalg.norm(disliked_profile) != 0 else 0 + text_score = like_sim - dislike_sim + + # YEAR SIMILARITY. + year_score = 0 + if avg_year is not None and movie['year_num'] > 0: + diff_year = abs(movie['year_num'] - avg_year) + year_score = 1 - (diff_year / year_range) + + # RUNTIME SIMILARITY. + runtime_score = 0 + if avg_runtime is not None and movie['runtime_num'] > 0: + diff_runtime = abs(movie['runtime_num'] - avg_runtime) + runtime_score = 1 - (diff_runtime / runtime_range) + + # RATING SIMILARITY. + rating_score = 0 + movie_rating = movie.get('imdb_rating', 0) + if avg_rating is not None and movie_rating: + diff_rating = abs(movie_rating - avg_rating) + rating_score = 1 - (diff_rating / rating_range) + + # POPULARITY SCORE. + popularity_score = 0 + if movie['vote_count'] > 0: + popularity_score = math.log(movie['vote_count'] + 1) / math.log(max_vote + 1) + + # Final prediction score. + final_score = (w_text * text_score + + w_year * year_score + + w_runtime * runtime_score + + w_rating * rating_score + + w_popularity * popularity_score) + predictions.append((movie, final_score)) + + predictions.sort(key=lambda x: x[1], reverse=True) + return [pred[0] for pred in predictions[:num]] def enough_info(): """ - Determines whether we have collected enough ratings. - In this example, we require that the user has given a 'like' or 'dislike' - to at least 3 movies. + Check if the user has rated at least 3 movies (like/dislike). """ rated = session.get('rated_movies', {}) count = sum(1 for rating in rated.values() if rating in ['like', 'dislike']) @@ -80,15 +155,13 @@ def enough_info(): @app.route('/') def home(): - # Initialize session variables session.setdefault('rated_movies', {}) # {movie_id: rating} - session.setdefault('asked_movies', []) # list of movie ids already asked + session.setdefault('asked_movies', []) # list of movie IDs already shown return redirect(url_for('questionnaire')) @app.route('/questionnaire', methods=['GET', 'POST']) def questionnaire(): if request.method == 'POST': - # Process ratings from the current round. current_ids = request.form.getlist("movie_id") for movie_id in current_ids: rating = request.form.get(f"rating_{movie_id}") @@ -101,25 +174,34 @@ def questionnaire(): else: return redirect(url_for('questionnaire')) else: - selected_movies = get_diverse_movies(num=10) + # Use prediction to select movies for the questionnaire. + selected_movies = get_predicted_movies(num=10) if not selected_movies: return redirect(url_for('recommend')) return render_template('questionnaire.html', movies=selected_movies) def advanced_recommendations(): """ - Build an advanced recommendation score for movies not rated by the user. + Compute an advanced hybrid recommendation score on unseen movies. + Only movies not already shown (asked) are considered. Combines: - 1. Text similarity (from TF-IDF features on genres/tags). - 2. Year similarity: movies with similar release years to liked movies. - 3. Runtime similarity: movies with similar runtime to liked movies. - The final score is a weighted sum of these signals. + 1. Text similarity (TF‑IDF) between liked/disliked profiles. + 2. Year similarity. + 3. Runtime similarity. + 4. Rating similarity. + 5. Popularity (log-scaled vote count). + Returns the top 20 recommendations. """ rated = session.get('rated_movies', {}) + asked = set(session.get('asked_movies', [])) + # Only consider movies that haven't been shown to the user. + available = [m for m in movies if m['id'] not in asked] + if not available: + available = movies # Fallback if all movies have been shown. + liked_ids = [int(mid) for mid, rating in rated.items() if rating == 'like'] disliked_ids = [int(mid) for mid, rating in rated.items() if rating == 'dislike'] - - # Build text profiles for liked/disliked movies. + if liked_ids: liked_profile = np.asarray(movie_vectors[liked_ids].mean(axis=0)) else: @@ -128,49 +210,57 @@ def advanced_recommendations(): disliked_profile = np.asarray(movie_vectors[disliked_ids].mean(axis=0)) else: disliked_profile = np.zeros((1, movie_vectors.shape[1])) - - # Compute numeric averages for liked movies (for year and runtime). + liked_years = [movies[i]['year_num'] for i in liked_ids if movies[i]['year_num'] > 0] liked_runtimes = [movies[i]['runtime_num'] for i in liked_ids if movies[i]['runtime_num'] > 0] + liked_ratings = [movies[i].get('imdb_rating', 0) for i in liked_ids if movies[i].get('imdb_rating', 0)] avg_year = np.mean(liked_years) if liked_years else None avg_runtime = np.mean(liked_runtimes) if liked_runtimes else None - + avg_rating = np.mean(liked_ratings) if liked_ratings else None + recommendations = [] - # Weights for each component – adjust these to tune the algorithm. - w_text = 0.70 - w_year = 0.15 - w_runtime = 0.15 - - for i, movie in enumerate(movies): - movie_id = str(movie['id']) - if rated.get(movie_id, "not seen") != "not seen": - continue # Skip movies already rated. - - # TEXT SIMILARITY: difference between similarity to liked and disliked profiles. + w_text = 0.5 + w_year = 0.1 + w_runtime = 0.1 + w_rating = 0.15 + w_popularity = 0.15 + + for movie in available: + i = movie['id'] movie_vector = movie_vectors[i].toarray() like_sim = cosine_similarity(movie_vector, liked_profile)[0][0] if np.linalg.norm(liked_profile) != 0 else 0 dislike_sim = cosine_similarity(movie_vector, disliked_profile)[0][0] if np.linalg.norm(disliked_profile) != 0 else 0 text_score = like_sim - dislike_sim - - # NUMERIC SIMILARITY for Year. + year_score = 0 if avg_year is not None and movie['year_num'] > 0: diff_year = abs(movie['year_num'] - avg_year) - year_score = 1 - (diff_year / year_range) # normalized similarity (1 means identical) - - # NUMERIC SIMILARITY for Runtime. + year_score = 1 - (diff_year / year_range) + runtime_score = 0 if avg_runtime is not None and movie['runtime_num'] > 0: diff_runtime = abs(movie['runtime_num'] - avg_runtime) runtime_score = 1 - (diff_runtime / runtime_range) - - # Final combined score. - final_score = w_text * text_score + w_year * year_score + w_runtime * runtime_score + + rating_score = 0 + movie_rating = movie.get('imdb_rating', 0) + if avg_rating is not None and movie_rating: + diff_rating = abs(movie_rating - avg_rating) + rating_score = 1 - (diff_rating / rating_range) + + popularity_score = 0 + if movie['vote_count'] > 0: + popularity_score = math.log(movie['vote_count'] + 1) / math.log(max_vote + 1) + + final_score = (w_text * text_score + + w_year * year_score + + w_runtime * runtime_score + + w_rating * rating_score + + w_popularity * popularity_score) recommendations.append((movie, final_score)) - - # Sort recommendations by final score in descending order. + recommendations.sort(key=lambda x: x[1], reverse=True) - return recommendations + return recommendations[:20] @app.route('/recommend') def recommend(): @@ -179,3 +269,5 @@ def recommend(): if __name__ == '__main__': app.run(debug=True) + + diff --git a/test.py b/test.py index 0739df5..3d1258a 100644 --- a/test.py +++ b/test.py @@ -2,6 +2,7 @@ import requests import json import time from tqdm import tqdm # progress bar library +import concurrent.futures # Replace with your actual TMDb API key api_key = "96f3424d6fe55c2982e6e094416607f5" @@ -60,11 +61,55 @@ def get_movie_keywords(movie_id): print(f"Exception while fetching keywords for movie {movie_id}: {e}") return keywords +def process_movie(movie, page, idx, results_per_page): + """ + Processes a single movie record: + - Computes its ranking, + - Extracts basic information, + - Fetches additional details and keywords. + """ + ranking = (page - 1) * results_per_page + idx + 1 + movie_id = movie.get("id") + title = movie.get("title") + release_date = movie.get("release_date", "") + year = release_date.split("-")[0] if release_date else None + vote_average = movie.get("vote_average") + vote_count = movie.get("vote_count") + overview = movie.get("overview") + poster_path = movie.get("poster_path") + poster = f"https://image.tmdb.org/t/p/w500{poster_path}" if poster_path else None + tmdb_url = f"https://www.themoviedb.org/movie/{movie_id}" + + # Get additional details and keywords. + details = get_movie_details_tmdb(movie_id) + runtime = details.get("runtime") + genres = details.get("genres", []) + + tags = get_movie_keywords(movie_id) + + movie_data = { + "ranking": ranking, + "title": title, + "year": year, + "runtime": runtime, + "content_rating": None, # Not available via TMDb by default. + "metascore": None, # Not applicable. + "imdb_rating": vote_average, # Using TMDb's vote average. + "vote_count": vote_count, + "description": overview, + "poster": poster, + "url": tmdb_url, + "genres": genres, + "tags": tags + } + # Brief sleep to help throttle requests + time.sleep(0.2) + return movie_data + def get_top_movies(): """ - Uses the TMDb API to retrieve top rated movies, then iterates through all pages. - For each movie, additional details and keywords are fetched. - After processing each page, the current movies list is saved to a JSON file. + Uses the TMDb API to retrieve top-rated movies and processes them concurrently. + After processing each page, the current list of movies is written to a JSON file. """ movies = [] base_url = "https://api.themoviedb.org/3/movie/top_rated" @@ -91,47 +136,21 @@ def get_top_movies(): continue data = response.json() results = data.get("results", []) - for idx, movie in enumerate(results): - # Ranking is computed by overall order. - ranking = (page - 1) * len(results) + idx + 1 - movie_id = movie.get("id") - title = movie.get("title") - release_date = movie.get("release_date", "") - year = release_date.split("-")[0] if release_date else None - vote_average = movie.get("vote_average") - vote_count = movie.get("vote_count") - overview = movie.get("overview") - poster_path = movie.get("poster_path") - poster = f"https://image.tmdb.org/t/p/w500{poster_path}" if poster_path else None - tmdb_url = f"https://www.themoviedb.org/movie/{movie_id}" - - # Get additional details: runtime and genres. - details = get_movie_details_tmdb(movie_id) - runtime = details.get("runtime") - genres = details.get("genres", []) - - # Get keywords (tags). - tags = get_movie_keywords(movie_id) - - movie_data = { - "ranking": ranking, - "title": title, - "year": year, - "runtime": runtime, - "content_rating": None, # Not available via TMDb by default. - "metascore": None, # Not applicable. - "imdb_rating": vote_average, # Using TMDb's vote average. - "vote_count": vote_count, - "description": overview, - "poster": poster, - "url": tmdb_url, - "genres": genres, - "tags": tags - } - movies.append(movie_data) - # Pause a bit between detail requests to be courteous. - time.sleep(0.2) - # After processing each page, write the current movies list to the JSON file. + results_per_page = len(results) + + # Process each movie concurrently using a thread pool. + with concurrent.futures.ThreadPoolExecutor(max_workers=100) as executor: + futures = [] + for idx, movie in enumerate(results): + futures.append(executor.submit(process_movie, movie, page, idx, results_per_page)) + # Collect results as they complete. + for future in concurrent.futures.as_completed(futures): + try: + movie_data = future.result() + movies.append(movie_data) + except Exception as e: + print(f"Error processing movie: {e}") + # Write movies to JSON file incrementally after each page. write_movies(movies) # Pause between pages. time.sleep(0.5) diff --git a/top_movies.json b/top_movies.json index 20a482e..5e4d5cf 100644 --- a/top_movies.json +++ b/top_movies.json @@ -36,55 +36,6 @@ "admiring" ] }, - { - "ranking": 2, - "title": "The Godfather", - "year": "1972", - "runtime": 175, - "content_rating": null, - "metascore": null, - "imdb_rating": 8.686, - "vote_count": 21256, - "description": "Spanning the years 1945 to 1955, a chronicle of the fictional Italian-American Corleone crime family. When organized crime family patriarch, Vito Corleone barely survives an attempt on his life, his youngest son, Michael steps in to take care of the would-be killers, launching a campaign of bloody revenge.", - "poster": "https://image.tmdb.org/t/p/w500/3bhkrj58Vtu7enYsRolD1fZdja1.jpg", - "url": "https://www.themoviedb.org/movie/238", - "genres": [ - "Drama", - "Crime" - ], - "tags": [ - "based on novel or book", - "loss of loved one", - "love at first sight", - "italy", - "symbolism", - "patriarch", - "europe", - "organized crime", - "mafia", - "religion", - "lawyer", - "revenge motive", - "crime family", - "sicilian mafia", - "religious hypocrisy", - "macabre", - "gun violence", - "rise to power", - "dead horse", - "gang violence", - "aggressive", - "1940s", - "1950s", - "mafia war", - "vindictive", - "suspenseful", - "tense", - "admiring", - "audacious", - "commanding" - ] - }, { "ranking": 3, "title": "The Godfather Part II", @@ -136,6 +87,124 @@ "tragic" ] }, + { + "ranking": 5, + "title": "12 Angry Men", + "year": "1957", + "runtime": 97, + "content_rating": null, + "metascore": null, + "imdb_rating": 8.5, + "vote_count": 9033, + "description": "The defense and the prosecution have rested and the jury is filing into the jury room to decide if a young Spanish-American is guilty or innocent of murdering his father. What begins as an open and shut case soon becomes a mini-drama of each of the jurors' prejudices and preconceptions about the trial, the accused, and each other.", + "poster": "https://image.tmdb.org/t/p/w500/ow3wq89wM8qd5X7hWKxiRfsFf9C.jpg", + "url": "https://www.themoviedb.org/movie/389", + "genres": [ + "Drama" + ], + "tags": [ + "death penalty", + "anonymity", + "court case", + "court", + "judge", + "jurors", + "father murder", + "class", + "heat", + "innocence", + "puerto rico", + "based on play or musical", + "black and white", + "courtroom", + "hostile", + "courtroom drama", + "cautionary", + "callous", + "persidangan", + "sidang" + ] + }, + { + "ranking": 2, + "title": "The Godfather", + "year": "1972", + "runtime": 175, + "content_rating": null, + "metascore": null, + "imdb_rating": 8.686, + "vote_count": 21256, + "description": "Spanning the years 1945 to 1955, a chronicle of the fictional Italian-American Corleone crime family. When organized crime family patriarch, Vito Corleone barely survives an attempt on his life, his youngest son, Michael steps in to take care of the would-be killers, launching a campaign of bloody revenge.", + "poster": "https://image.tmdb.org/t/p/w500/3bhkrj58Vtu7enYsRolD1fZdja1.jpg", + "url": "https://www.themoviedb.org/movie/238", + "genres": [ + "Drama", + "Crime" + ], + "tags": [ + "based on novel or book", + "loss of loved one", + "love at first sight", + "italy", + "symbolism", + "patriarch", + "europe", + "organized crime", + "mafia", + "religion", + "lawyer", + "revenge motive", + "crime family", + "sicilian mafia", + "religious hypocrisy", + "macabre", + "gun violence", + "rise to power", + "dead horse", + "gang violence", + "aggressive", + "1940s", + "1950s", + "mafia war", + "vindictive", + "suspenseful", + "tense", + "admiring", + "audacious", + "commanding" + ] + }, + { + "ranking": 6, + "title": "Spirited Away", + "year": "2001", + "runtime": 125, + "content_rating": null, + "metascore": null, + "imdb_rating": 8.537, + "vote_count": 16982, + "description": "A young girl, Chihiro, becomes trapped in a strange new world of spirits. When her parents undergo a mysterious transformation, she must call upon the courage she never knew she had to free her family.", + "poster": "https://image.tmdb.org/t/p/w500/39wmItIWsg5sZMyRUHLkWBcuVCM.jpg", + "url": "https://www.themoviedb.org/movie/129", + "genres": [ + "Animation", + "Family", + "Fantasy" + ], + "tags": [ + "witch", + "parent child relationship", + "darkness", + "bath house", + "magic", + "spirit", + "parallel world", + "amusement park", + "youkai", + "japanese mythology", + "anime" + ] + }, { "ranking": 4, "title": "Schindler's List", @@ -183,112 +252,39 @@ ] }, { - "ranking": 5, - "title": "12 Angry Men", - "year": "1957", - "runtime": 97, + "ranking": 10, + "title": "Parasite", + "year": "2019", + "runtime": 133, "content_rating": null, "metascore": null, - "imdb_rating": 8.5, - "vote_count": 9033, - "description": "The defense and the prosecution have rested and the jury is filing into the jury room to decide if a young Spanish-American is guilty or innocent of murdering his father. What begins as an open and shut case soon becomes a mini-drama of each of the jurors' prejudices and preconceptions about the trial, the accused, and each other.", - "poster": "https://image.tmdb.org/t/p/w500/ow3wq89wM8qd5X7hWKxiRfsFf9C.jpg", - "url": "https://www.themoviedb.org/movie/389", + "imdb_rating": 8.501, + "vote_count": 18877, + "description": "All unemployed, Ki-taek's family takes peculiar interest in the wealthy and glamorous Parks for their livelihood until they get entangled in an unexpected incident.", + "poster": "https://image.tmdb.org/t/p/w500/7IiTTgloJzvGI1TAYymCfbfl3vT.jpg", + "url": "https://www.themoviedb.org/movie/496243", "genres": [ + "Comedy", + "Thriller", "Drama" ], "tags": [ - "death penalty", - "anonymity", - "court case", - "court", - "judge", - "jurors", - "father murder", - "class", - "heat", - "innocence", - "puerto rico", - "based on play or musical", - "black and white", - "courtroom", - "hostile", - "courtroom drama", - "cautionary", - "callous", - "persidangan", - "sidang" - ] - }, - { - "ranking": 6, - "title": "Spirited Away", - "year": "2001", - "runtime": 125, - "content_rating": null, - "metascore": null, - "imdb_rating": 8.537, - "vote_count": 16982, - "description": "A young girl, Chihiro, becomes trapped in a strange new world of spirits. When her parents undergo a mysterious transformation, she must call upon the courage she never knew she had to free her family.", - "poster": "https://image.tmdb.org/t/p/w500/39wmItIWsg5sZMyRUHLkWBcuVCM.jpg", - "url": "https://www.themoviedb.org/movie/129", - "genres": [ - "Animation", - "Family", - "Fantasy" - ], - "tags": [ - "witch", - "parent child relationship", - "darkness", - "bath house", - "magic", - "spirit", - "parallel world", - "amusement park", - "youkai", - "japanese mythology", - "anime" - ] - }, - { - "ranking": 7, - "title": "The Dark Knight", - "year": "2008", - "runtime": 152, - "content_rating": null, - "metascore": null, - "imdb_rating": 8.519, - "vote_count": 33642, - "description": "Batman raises the stakes in his war on crime. With the help of Lt. Jim Gordon and District Attorney Harvey Dent, Batman sets out to dismantle the remaining criminal organizations that plague the streets. The partnership proves to be effective, but they soon find themselves prey to a reign of chaos unleashed by a rising criminal mastermind known to the terrified citizens of Gotham as the Joker.", - "poster": "https://image.tmdb.org/t/p/w500/qJ2tW6WMUDux911r6m7haRef0WH.jpg", - "url": "https://www.themoviedb.org/movie/155", - "genres": [ - "Drama", - "Action", - "Crime", - "Thriller" - ], - "tags": [ - "joker", - "sadism", - "chaos", - "secret identity", - "crime fighter", - "superhero", - "anti hero", - "scarecrow", - "based on comic", - "vigilante", - "organized crime", - "tragic hero", - "anti villain", - "criminal mastermind", - "district attorney", - "super power", - "super villain", - "neo-noir", - "bold" + "dark comedy", + "private lessons", + "birthday party", + "con artist", + "working class", + "psychological thriller", + "class differences", + "housekeeper", + "tutor", + "family", + "crime family", + "unemployed", + "wealthy family", + "south korea", + "relaxed", + "seoul, south korea" ] }, { @@ -366,39 +362,43 @@ ] }, { - "ranking": 10, - "title": "Parasite", - "year": "2019", - "runtime": 133, + "ranking": 7, + "title": "The Dark Knight", + "year": "2008", + "runtime": 152, "content_rating": null, "metascore": null, - "imdb_rating": 8.501, - "vote_count": 18877, - "description": "All unemployed, Ki-taek's family takes peculiar interest in the wealthy and glamorous Parks for their livelihood until they get entangled in an unexpected incident.", - "poster": "https://image.tmdb.org/t/p/w500/7IiTTgloJzvGI1TAYymCfbfl3vT.jpg", - "url": "https://www.themoviedb.org/movie/496243", + "imdb_rating": 8.519, + "vote_count": 33642, + "description": "Batman raises the stakes in his war on crime. With the help of Lt. Jim Gordon and District Attorney Harvey Dent, Batman sets out to dismantle the remaining criminal organizations that plague the streets. The partnership proves to be effective, but they soon find themselves prey to a reign of chaos unleashed by a rising criminal mastermind known to the terrified citizens of Gotham as the Joker.", + "poster": "https://image.tmdb.org/t/p/w500/qJ2tW6WMUDux911r6m7haRef0WH.jpg", + "url": "https://www.themoviedb.org/movie/155", "genres": [ - "Comedy", - "Thriller", - "Drama" + "Drama", + "Action", + "Crime", + "Thriller" ], "tags": [ - "dark comedy", - "private lessons", - "birthday party", - "con artist", - "working class", - "psychological thriller", - "class differences", - "housekeeper", - "tutor", - "family", - "crime family", - "unemployed", - "wealthy family", - "south korea", - "relaxed", - "seoul, south korea" + "joker", + "sadism", + "chaos", + "secret identity", + "crime fighter", + "superhero", + "anti hero", + "scarecrow", + "based on comic", + "vigilante", + "organized crime", + "tragic hero", + "anti villain", + "criminal mastermind", + "district attorney", + "super power", + "super villain", + "neo-noir", + "bold" ] }, { @@ -441,42 +441,90 @@ ] }, { - "ranking": 12, - "title": "Your Name.", - "year": "2016", - "runtime": 106, + "ranking": 14, + "title": "Forrest Gump", + "year": "1994", + "runtime": 142, "content_rating": null, "metascore": null, - "imdb_rating": 8.484, - "vote_count": 11685, - "description": "High schoolers Mitsuha and Taki are complete strangers living separate lives. But one night, they suddenly switch places. Mitsuha wakes up in Taki’s body, and he in hers. This bizarre occurrence continues to happen randomly, and the two must adjust their lives around each other.", - "poster": "https://image.tmdb.org/t/p/w500/q719jXXEzOoYaps6babgKnONONX.jpg", - "url": "https://www.themoviedb.org/movie/372058", + "imdb_rating": 8.5, + "vote_count": 28036, + "description": "A man with a low IQ has accomplished great things in his life and been present during significant historic events—in each case, far exceeding what anyone imagined he could do. But despite all he has achieved, his one true love eludes him.", + "poster": "https://image.tmdb.org/t/p/w500/arw2vcBveWOVZr6pxd9XTd1TdQa.jpg", + "url": "https://www.themoviedb.org/movie/13", "genres": [ - "Animation", - "Romance", - "Drama" + "Comedy", + "Drama", + "Romance" ], "tags": [ - "high school", - "race against time", - "dreams", - "afterlife", - "natural disaster", - "supernatural", - "time travel", - "comet", - "romance", - "tragedy", - "school", - "body-swap", - "high school student", - "nonlinear timeline", - "star crossed lovers", - "anime", - "japanese high school", - "admiring", - "compassionate" + "new year's eve", + "vietnam war", + "vietnam veteran", + "mentally disabled", + "friendship", + "usa president", + "washington dc, usa", + "post-traumatic stress disorder (ptsd)", + "waitress", + "based on novel or book", + "hippie", + "single parent", + "parent child relationship", + "optimism", + "1970s", + "drug addiction", + "autism", + "alabama", + "black panther party", + "bus stop", + "family relationships", + "chameleon", + "single mother", + "military", + "anti war protest", + "1960s", + "college american football", + "mother son relationship", + "america", + "feel-good" + ] + }, + { + "ranking": 16, + "title": "GoodFellas", + "year": "1990", + "runtime": 145, + "content_rating": null, + "metascore": null, + "imdb_rating": 8.5, + "vote_count": 13237, + "description": "The true story of Henry Hill, a half-Irish, half-Sicilian Brooklyn kid who is adopted by neighbourhood gangsters at an early age and climbs the ranks of a Mafia family under the guidance of Jimmy Conway.", + "poster": "https://image.tmdb.org/t/p/w500/aKuFiU82s5ISJpGZp7YkIr3kCUd.jpg", + "url": "https://www.themoviedb.org/movie/769", + "genres": [ + "Drama", + "Crime" + ], + "tags": [ + "prison", + "florida", + "new york city", + "based on novel or book", + "gangster", + "mass murder", + "drug trafficking", + "1970s", + "irish-american", + "gore", + "biography", + "based on true story", + "murder", + "organized crime", + "mafia", + "brooklyn, new york city", + "crime epic", + "tampa, florida" ] }, { @@ -544,53 +592,159 @@ ] }, { - "ranking": 14, - "title": "Forrest Gump", - "year": "1994", - "runtime": 142, + "ranking": 17, + "title": "Seven Samurai", + "year": "1954", + "runtime": 207, "content_rating": null, "metascore": null, "imdb_rating": 8.5, - "vote_count": 28036, - "description": "A man with a low IQ has accomplished great things in his life and been present during significant historic events—in each case, far exceeding what anyone imagined he could do. But despite all he has achieved, his one true love eludes him.", - "poster": "https://image.tmdb.org/t/p/w500/arw2vcBveWOVZr6pxd9XTd1TdQa.jpg", - "url": "https://www.themoviedb.org/movie/13", + "vote_count": 3846, + "description": "A samurai answers a village's request for protection after he falls on hard times. The town needs protection from bandits, so the samurai gathers six others to help him teach the people how to defend themselves, and the villagers provide the soldiers with food.", + "poster": "https://image.tmdb.org/t/p/w500/8OKmBV5BUFzmozIC3pPWKHy17kx.jpg", + "url": "https://www.themoviedb.org/movie/346", "genres": [ - "Comedy", - "Drama", - "Romance" + "Action", + "Drama" ], "tags": [ - "new year's eve", - "vietnam war", - "vietnam veteran", - "mentally disabled", - "friendship", - "usa president", - "washington dc, usa", - "post-traumatic stress disorder (ptsd)", - "waitress", - "based on novel or book", - "hippie", - "single parent", - "parent child relationship", - "optimism", - "1970s", - "drug addiction", - "autism", - "alabama", - "black panther party", - "bus stop", - "family relationships", - "chameleon", - "single mother", - "military", - "anti war protest", - "1960s", - "college american football", - "mother son relationship", - "america", - "feel-good" + "epic", + "martial arts", + "japan", + "samurai", + "sword", + "peasant", + "village", + "looting", + "rice", + "fencing", + "moral ambiguity", + "black and white", + "battle", + "bandit", + "practice", + "criterion", + "jidaigeki", + "16th century", + "plunder", + "bushi" + ] + }, + { + "ranking": 12, + "title": "Your Name.", + "year": "2016", + "runtime": 106, + "content_rating": null, + "metascore": null, + "imdb_rating": 8.484, + "vote_count": 11685, + "description": "High schoolers Mitsuha and Taki are complete strangers living separate lives. But one night, they suddenly switch places. Mitsuha wakes up in Taki’s body, and he in hers. This bizarre occurrence continues to happen randomly, and the two must adjust their lives around each other.", + "poster": "https://image.tmdb.org/t/p/w500/q719jXXEzOoYaps6babgKnONONX.jpg", + "url": "https://www.themoviedb.org/movie/372058", + "genres": [ + "Animation", + "Romance", + "Drama" + ], + "tags": [ + "high school", + "race against time", + "dreams", + "afterlife", + "natural disaster", + "supernatural", + "time travel", + "comet", + "romance", + "tragedy", + "school", + "body-swap", + "high school student", + "nonlinear timeline", + "star crossed lovers", + "anime", + "japanese high school", + "admiring", + "compassionate" + ] + }, + { + "ranking": 20, + "title": "Life Is Beautiful", + "year": "1997", + "runtime": 116, + "content_rating": null, + "metascore": null, + "imdb_rating": 8.448, + "vote_count": 13275, + "description": "A touching story of an Italian book seller of Jewish ancestry who lives in his own little fairy tale. His creative and happy life would come to an abrupt halt when his entire family is deported to a concentration camp during World War II. While locked up he tries to convince his son that the whole thing is just a game.", + "poster": "https://image.tmdb.org/t/p/w500/74hLDKjD5aGYOotO6esUVaeISa2.jpg", + "url": "https://www.themoviedb.org/movie/637", + "genres": [ + "Comedy", + "Drama" + ], + "tags": [ + "dying and death", + "bookshop", + "love of one's life", + "nazi", + "self sacrifice", + "loss of loved one", + "italy", + "riddle", + "mass murder", + "concentration camp", + "fascism", + "holocaust (shoah)", + "world war ii", + "deportation", + "jew persecution", + "story teller", + "riding a bicycle", + "national socialism", + "dark comedy", + "charade", + "concentration camp prisoner", + "romcom", + "reflective", + "dark", + "war", + "nazi germany", + "admiring" + ] + }, + { + "ranking": 19, + "title": "Grave of the Fireflies", + "year": "1988", + "runtime": 89, + "content_rating": null, + "metascore": null, + "imdb_rating": 8.45, + "vote_count": 5813, + "description": "In the final months of World War II, 14-year-old Seita and his sister Setsuko are orphaned when their mother is killed during an air raid in Kobe, Japan. After a falling out with their aunt, they move into an abandoned bomb shelter. With no surviving relatives and their emergency rations depleted, Seita and Setsuko struggle to survive.", + "poster": "https://image.tmdb.org/t/p/w500/k9tv1rXZbOhH7eiCk378x61kNQ1.jpg", + "url": "https://www.themoviedb.org/movie/12477", + "genres": [ + "Animation", + "Drama", + "War" + ], + "tags": [ + "sibling relationship", + "hunger", + "world war ii", + "wartime", + "shelter", + "adult animation", + "semi autobiographical", + "anti war", + "anime", + "grim", + "orphan siblings", + "children in wartime" ] }, { @@ -631,82 +785,6 @@ "confederate gold" ] }, - { - "ranking": 16, - "title": "GoodFellas", - "year": "1990", - "runtime": 145, - "content_rating": null, - "metascore": null, - "imdb_rating": 8.5, - "vote_count": 13237, - "description": "The true story of Henry Hill, a half-Irish, half-Sicilian Brooklyn kid who is adopted by neighbourhood gangsters at an early age and climbs the ranks of a Mafia family under the guidance of Jimmy Conway.", - "poster": "https://image.tmdb.org/t/p/w500/aKuFiU82s5ISJpGZp7YkIr3kCUd.jpg", - "url": "https://www.themoviedb.org/movie/769", - "genres": [ - "Drama", - "Crime" - ], - "tags": [ - "prison", - "florida", - "new york city", - "based on novel or book", - "gangster", - "mass murder", - "drug trafficking", - "1970s", - "irish-american", - "gore", - "biography", - "based on true story", - "murder", - "organized crime", - "mafia", - "brooklyn, new york city", - "crime epic", - "tampa, florida" - ] - }, - { - "ranking": 17, - "title": "Seven Samurai", - "year": "1954", - "runtime": 207, - "content_rating": null, - "metascore": null, - "imdb_rating": 8.5, - "vote_count": 3846, - "description": "A samurai answers a village's request for protection after he falls on hard times. The town needs protection from bandits, so the samurai gathers six others to help him teach the people how to defend themselves, and the villagers provide the soldiers with food.", - "poster": "https://image.tmdb.org/t/p/w500/8OKmBV5BUFzmozIC3pPWKHy17kx.jpg", - "url": "https://www.themoviedb.org/movie/346", - "genres": [ - "Action", - "Drama" - ], - "tags": [ - "epic", - "martial arts", - "japan", - "samurai", - "sword", - "peasant", - "village", - "looting", - "rice", - "fencing", - "moral ambiguity", - "black and white", - "battle", - "bandit", - "practice", - "criterion", - "jidaigeki", - "16th century", - "plunder", - "bushi" - ] - }, { "ranking": 18, "title": "Interstellar", @@ -758,84 +836,6 @@ "amused" ] }, - { - "ranking": 19, - "title": "Grave of the Fireflies", - "year": "1988", - "runtime": 89, - "content_rating": null, - "metascore": null, - "imdb_rating": 8.45, - "vote_count": 5813, - "description": "In the final months of World War II, 14-year-old Seita and his sister Setsuko are orphaned when their mother is killed during an air raid in Kobe, Japan. After a falling out with their aunt, they move into an abandoned bomb shelter. With no surviving relatives and their emergency rations depleted, Seita and Setsuko struggle to survive.", - "poster": "https://image.tmdb.org/t/p/w500/k9tv1rXZbOhH7eiCk378x61kNQ1.jpg", - "url": "https://www.themoviedb.org/movie/12477", - "genres": [ - "Animation", - "Drama", - "War" - ], - "tags": [ - "sibling relationship", - "hunger", - "world war ii", - "wartime", - "shelter", - "adult animation", - "semi autobiographical", - "anti war", - "anime", - "grim", - "orphan siblings", - "children in wartime" - ] - }, - { - "ranking": 20, - "title": "Life Is Beautiful", - "year": "1997", - "runtime": 116, - "content_rating": null, - "metascore": null, - "imdb_rating": 8.448, - "vote_count": 13275, - "description": "A touching story of an Italian book seller of Jewish ancestry who lives in his own little fairy tale. His creative and happy life would come to an abrupt halt when his entire family is deported to a concentration camp during World War II. While locked up he tries to convince his son that the whole thing is just a game.", - "poster": "https://image.tmdb.org/t/p/w500/74hLDKjD5aGYOotO6esUVaeISa2.jpg", - "url": "https://www.themoviedb.org/movie/637", - "genres": [ - "Comedy", - "Drama" - ], - "tags": [ - "dying and death", - "bookshop", - "love of one's life", - "nazi", - "self sacrifice", - "loss of loved one", - "italy", - "riddle", - "mass murder", - "concentration camp", - "fascism", - "holocaust (shoah)", - "world war ii", - "deportation", - "jew persecution", - "story teller", - "riding a bicycle", - "national socialism", - "dark comedy", - "charade", - "concentration camp prisoner", - "romcom", - "reflective", - "dark", - "war", - "nazi germany", - "admiring" - ] - }, { "ranking": 21, "title": "Cinema Paradiso", @@ -870,127 +870,6 @@ "compassionate" ] }, - { - "ranking": 22, - "title": "Fight Club", - "year": "1999", - "runtime": 139, - "content_rating": null, - "metascore": null, - "imdb_rating": 8.438, - "vote_count": 30086, - "description": "A ticking-time-bomb insomniac and a slippery soap salesman channel primal male aggression into a shocking new form of therapy. Their concept catches on, with underground \"fight clubs\" forming in every town, until an eccentric gets in the way and ignites an out-of-control spiral toward oblivion.", - "poster": "https://image.tmdb.org/t/p/w500/pB8BM7pdSp6B6Ih7QZ4DrQ3PmJK.jpg", - "url": "https://www.themoviedb.org/movie/550", - "genres": [ - "Drama" - ], - "tags": [ - "dual identity", - "rage and hate", - "based on novel or book", - "nihilism", - "fight", - "support group", - "dystopia", - "insomnia", - "alter ego", - "breaking the fourth wall", - "split personality", - "quitting a job", - "dissociative identity disorder", - "self destructiveness" - ] - }, - { - "ranking": 23, - "title": "City of God", - "year": "2002", - "runtime": 129, - "content_rating": null, - "metascore": null, - "imdb_rating": 8.428, - "vote_count": 7574, - "description": "In the poverty-stricken favelas of Rio de Janeiro in the 1970s, two young men choose different paths. Rocket is a budding photographer who documents the increasing drug-related violence of his neighborhood, while José “Zé” Pequeno is an ambitious drug dealer diving into a dangerous life of crime.", - "poster": "https://image.tmdb.org/t/p/w500/k7eYdWvhYQyRQoU2TB2A2Xu2TfD.jpg", - "url": "https://www.themoviedb.org/movie/598", - "genres": [ - "Drama", - "Crime" - ], - "tags": [ - "street gang", - "photographer", - "gangster", - "rio de janeiro", - "gang war", - "ghetto", - "coming of age", - "introspective", - "brazilian cinema", - "critical", - "tense", - "conceited", - "sincere", - "based on real events" - ] - }, - { - "ranking": 24, - "title": "Psycho", - "year": "1960", - "runtime": 109, - "content_rating": null, - "metascore": null, - "imdb_rating": 8.423, - "vote_count": 10284, - "description": "When larcenous real estate clerk Marion Crane goes on the lam with a wad of cash and hopes of starting a new life, she ends up at the notorious Bates Motel, where manager Norman Bates cares for his housebound mother.", - "poster": "https://image.tmdb.org/t/p/w500/yz4QVqPx3h1hD1DfqqQkCq3rmxW.jpg", - "url": "https://www.themoviedb.org/movie/539", - "genres": [ - "Horror", - "Thriller", - "Mystery" - ], - "tags": [ - "hotel", - "clerk", - "shower", - "arizona", - "motel", - "halloween", - "stolen money", - "taxidermy", - "money", - "secretary", - "psychological thriller", - "black and white", - "corpse", - "murderer", - "theft", - "mental illness", - "private detective", - "missing person", - "psycho", - "voyeurism", - "voyeur", - "oedipus complex", - "double identity", - "abusive mother", - "dual personality", - "proto-slasher", - "multiple personality disorder", - "mother son relationship", - "birds", - "anxious", - "dramatic", - "woman on the run", - "corruptibility", - "confused identities", - "human vulnerabilities", - "man with female alter ego" - ] - }, { "ranking": 25, "title": "Impossible Things", @@ -1063,6 +942,39 @@ "trolls" ] }, + { + "ranking": 23, + "title": "City of God", + "year": "2002", + "runtime": 129, + "content_rating": null, + "metascore": null, + "imdb_rating": 8.428, + "vote_count": 7574, + "description": "In the poverty-stricken favelas of Rio de Janeiro in the 1970s, two young men choose different paths. Rocket is a budding photographer who documents the increasing drug-related violence of his neighborhood, while José “Zé” Pequeno is an ambitious drug dealer diving into a dangerous life of crime.", + "poster": "https://image.tmdb.org/t/p/w500/k7eYdWvhYQyRQoU2TB2A2Xu2TfD.jpg", + "url": "https://www.themoviedb.org/movie/598", + "genres": [ + "Drama", + "Crime" + ], + "tags": [ + "street gang", + "photographer", + "gangster", + "rio de janeiro", + "gang war", + "ghetto", + "coming of age", + "introspective", + "brazilian cinema", + "critical", + "tense", + "conceited", + "sincere", + "based on real events" + ] + }, { "ranking": 27, "title": "A Dog's Will", @@ -1085,6 +997,94 @@ "brazilian cinema" ] }, + { + "ranking": 22, + "title": "Fight Club", + "year": "1999", + "runtime": 139, + "content_rating": null, + "metascore": null, + "imdb_rating": 8.438, + "vote_count": 30086, + "description": "A ticking-time-bomb insomniac and a slippery soap salesman channel primal male aggression into a shocking new form of therapy. Their concept catches on, with underground \"fight clubs\" forming in every town, until an eccentric gets in the way and ignites an out-of-control spiral toward oblivion.", + "poster": "https://image.tmdb.org/t/p/w500/pB8BM7pdSp6B6Ih7QZ4DrQ3PmJK.jpg", + "url": "https://www.themoviedb.org/movie/550", + "genres": [ + "Drama" + ], + "tags": [ + "dual identity", + "rage and hate", + "based on novel or book", + "nihilism", + "fight", + "support group", + "dystopia", + "insomnia", + "alter ego", + "breaking the fourth wall", + "split personality", + "quitting a job", + "dissociative identity disorder", + "self destructiveness" + ] + }, + { + "ranking": 24, + "title": "Psycho", + "year": "1960", + "runtime": 109, + "content_rating": null, + "metascore": null, + "imdb_rating": 8.423, + "vote_count": 10284, + "description": "When larcenous real estate clerk Marion Crane goes on the lam with a wad of cash and hopes of starting a new life, she ends up at the notorious Bates Motel, where manager Norman Bates cares for his housebound mother.", + "poster": "https://image.tmdb.org/t/p/w500/yz4QVqPx3h1hD1DfqqQkCq3rmxW.jpg", + "url": "https://www.themoviedb.org/movie/539", + "genres": [ + "Horror", + "Thriller", + "Mystery" + ], + "tags": [ + "hotel", + "clerk", + "shower", + "arizona", + "motel", + "halloween", + "stolen money", + "taxidermy", + "money", + "secretary", + "psychological thriller", + "black and white", + "corpse", + "murderer", + "theft", + "mental illness", + "private detective", + "missing person", + "psycho", + "voyeurism", + "voyeur", + "oedipus complex", + "double identity", + "abusive mother", + "dual personality", + "proto-slasher", + "multiple personality disorder", + "mother son relationship", + "birds", + "anxious", + "dramatic", + "woman on the run", + "corruptibility", + "confused identities", + "human vulnerabilities", + "man with female alter ego" + ] + }, { "ranking": 28, "title": "Harakiri", @@ -1124,6 +1124,103 @@ "excited" ] }, + { + "ranking": 40, + "title": "The Pianist", + "year": "2002", + "runtime": 150, + "content_rating": null, + "metascore": null, + "imdb_rating": 8.379, + "vote_count": 9436, + "description": "The true story of pianist Władysław Szpilman's experiences in Warsaw during the Nazi occupation. When the Jews of the city find themselves forced into a ghetto, Szpilman finds work playing in a café; and when his family is deported in 1942, he stays behind, works for a while as a laborer, and eventually goes into hiding in the ruins of the war-torn city.", + "poster": "https://image.tmdb.org/t/p/w500/2hFvxCCWrTmCYwfy7yum0GKRi3Y.jpg", + "url": "https://www.themoviedb.org/movie/423", + "genres": [ + "Drama", + "War" + ], + "tags": [ + "concert", + "nazi", + "resistance", + "warsaw ghetto", + "polish resistance", + "homeland", + "holocaust (shoah)", + "hunger", + "world war ii", + "prisoner of war", + "ghetto", + "deportation", + "jew persecution", + "liberation", + "biography", + "survival", + "based on memoir or autobiography", + "pianist", + "poland" + ] + }, + { + "ranking": 39, + "title": "Gabriel's Inferno: Part II", + "year": "2020", + "runtime": 106, + "content_rating": null, + "metascore": null, + "imdb_rating": 8.381, + "vote_count": 1520, + "description": "Professor Gabriel Emerson finally learns the truth about Julia Mitchell's identity, but his realization comes a moment too late. Julia is done waiting for the well-respected Dante specialist to remember her and wants nothing more to do with him. Can Gabriel win back her heart before she finds love in another's arms?", + "poster": "https://image.tmdb.org/t/p/w500/x5o8cLZfEXMoZczTYWLrUo1P7UJ.jpg", + "url": "https://www.themoviedb.org/movie/724089", + "genres": [ + "Romance", + "Drama" + ], + "tags": [ + "based on novel or book" + ] + }, + { + "ranking": 38, + "title": "A Silent Voice: The Movie", + "year": "2016", + "runtime": 129, + "content_rating": null, + "metascore": null, + "imdb_rating": 8.382, + "vote_count": 4067, + "description": "Shouya Ishida starts bullying the new girl in class, Shouko Nishimiya, because she is deaf. But as the teasing continues, the rest of the class starts to turn on Shouya for his lack of compassion. When they leave elementary school, Shouko and Shouya do not speak to each other again... until an older, wiser Shouya, tormented by his past behaviour, decides he must see Shouko once more. He wants to atone for his sins, but is it already too late...?", + "poster": "https://image.tmdb.org/t/p/w500/tuFaWiqX0TXoWu7DGNcmX3UW7sT.jpg", + "url": "https://www.themoviedb.org/movie/378064", + "genres": [ + "Animation", + "Drama", + "Romance" + ], + "tags": [ + "high school", + "friendship", + "suicide", + "suicide attempt", + "deaf", + "bullying", + "coming of age", + "school", + "based on manga", + "adult animation", + "woman director", + "sign languages", + "shounen", + "anime", + "social anxiety", + "japanese high school", + "japanese school", + "serious", + "depressing" + ] + }, { "ranking": 29, "title": "One Flew Over the Cuckoo's Nest", @@ -1155,67 +1252,38 @@ ] }, { - "ranking": 30, - "title": "Once Upon a Time in America", - "year": "1984", - "runtime": 229, + "ranking": 36, + "title": "The Empire Strikes Back", + "year": "1980", + "runtime": 124, "content_rating": null, "metascore": null, - "imdb_rating": 8.4, - "vote_count": 5554, - "description": "A former Prohibition-era Jewish gangster returns to the Lower East Side of Manhattan over thirty years later, where he once again must confront the ghosts and regrets of his old life.", - "poster": "https://image.tmdb.org/t/p/w500/i0enkzsL5dPeneWnjl1fCWm6L7k.jpg", - "url": "https://www.themoviedb.org/movie/311", + "imdb_rating": 8.391, + "vote_count": 17287, + "description": "The epic saga continues as Luke Skywalker, in hopes of defeating the evil Galactic Empire, learns the ways of the Jedi from aging master Yoda. But Darth Vader is more determined than ever to capture Luke. Meanwhile, rebel leader Princess Leia, cocky Han Solo, Chewbacca, and droids C-3PO and R2-D2 are thrown into various stages of capture, betrayal and despair.", + "poster": "https://image.tmdb.org/t/p/w500/nNAeTmF4CtdSgMDplXTDPOpYzsX.jpg", + "url": "https://www.themoviedb.org/movie/1891", "genres": [ - "Drama", - "Crime" + "Adventure", + "Action", + "Science Fiction" ], "tags": [ - "epic", - "new york city", - "regret", - "lovesickness", - "rape", - "life and death", - "sexual abuse", - "street gang", - "corruption", - "based on novel or book", - "prohibition era", - "gangster", - "sadistic", - "money laundering", - "opium", - "mafia boss", - "murder", - "memory", - "jewish american", - "torture", - "brooklyn bridge", - "childhood friends", - "1920s", - "1960s", - "1930s" + "rebellion", + "android", + "spacecraft", + "asteroid", + "rebel", + "space battle", + "snowstorm", + "space colony", + "swamp", + "space opera", + "nostalgic", + "artic", + "excited" ] }, - { - "ranking": 31, - "title": "Gabriel's Inferno", - "year": "2020", - "runtime": 122, - "content_rating": null, - "metascore": null, - "imdb_rating": 8.411, - "vote_count": 2418, - "description": "An intriguing and sinful exploration of seduction, forbidden love, and redemption, Gabriel's Inferno is a captivating and wildly passionate tale of one man's escape from his own personal hell as he tries to earn the impossible--forgiveness and love.", - "poster": "https://image.tmdb.org/t/p/w500/yXRoyYzIo17HfANn07oXYdyBy4h.jpg", - "url": "https://www.themoviedb.org/movie/696374", - "genres": [ - "Romance", - "Drama" - ], - "tags": [] - }, { "ranking": 32, "title": "The Lord of the Rings: The Two Towers", @@ -1273,29 +1341,92 @@ ] }, { - "ranking": 33, - "title": "Counterattack", - "year": "2025", + "ranking": 37, + "title": "Primal: Tales of Savagery", + "year": "2019", "runtime": 85, "content_rating": null, "metascore": null, - "imdb_rating": 8.4, - "vote_count": 579, - "description": "When a hostage rescue mission creates a new enemy, Capt. Guerrero and his elite soldiers must face an ambush by a criminal group.", - "poster": "https://image.tmdb.org/t/p/w500/8JK8VD6FUP1Ylke6KE7gWpW7heG.jpg", - "url": "https://www.themoviedb.org/movie/1356039", + "imdb_rating": 8.383, + "vote_count": 330, + "description": "Genndy Tartakovsky's Primal: Tales of Savagery features a caveman and a dinosaur on the brink of extinction. Bonded by tragedy, this unlikely friendship becomes the only hope of survival.", + "poster": "https://image.tmdb.org/t/p/w500/9NBBkdxH0TjQEBSN2AzeE1sgsF9.jpg", + "url": "https://www.themoviedb.org/movie/704264", "genres": [ "Action", "Adventure", - "Thriller" + "Animation", + "Drama" + ], + "tags": [] + }, + { + "ranking": 35, + "title": "Spider-Man: Into the Spider-Verse", + "year": "2018", + "runtime": 117, + "content_rating": null, + "metascore": null, + "imdb_rating": 8.4, + "vote_count": 16019, + "description": "Struggling to find his place in the world while juggling school and family, Brooklyn teenager Miles Morales is unexpectedly bitten by a radioactive spider and develops unfathomable powers just like the one and only Spider-Man. While wrestling with the implications of his new abilities, Miles discovers a super collider created by the madman Wilson \"Kingpin\" Fisk, causing others from across the Spider-Verse to be inadvertently transported to his dimension.", + "poster": "https://image.tmdb.org/t/p/w500/iiZZdoQBEYBv6id8su7ImL0oCbD.jpg", + "url": "https://www.themoviedb.org/movie/324857", + "genres": [ + "Animation", + "Action", + "Adventure", + "Science Fiction" ], "tags": [ - "mexico", - "usa–mexico border", - "special forces", - "military", - "narcos", - "murcielagos" + "superhero", + "based on comic", + "aftercreditsstinger", + "alternate universe" + ] + }, + { + "ranking": 30, + "title": "Once Upon a Time in America", + "year": "1984", + "runtime": 229, + "content_rating": null, + "metascore": null, + "imdb_rating": 8.4, + "vote_count": 5554, + "description": "A former Prohibition-era Jewish gangster returns to the Lower East Side of Manhattan over thirty years later, where he once again must confront the ghosts and regrets of his old life.", + "poster": "https://image.tmdb.org/t/p/w500/i0enkzsL5dPeneWnjl1fCWm6L7k.jpg", + "url": "https://www.themoviedb.org/movie/311", + "genres": [ + "Drama", + "Crime" + ], + "tags": [ + "epic", + "new york city", + "regret", + "lovesickness", + "rape", + "life and death", + "sexual abuse", + "street gang", + "corruption", + "based on novel or book", + "prohibition era", + "gangster", + "sadistic", + "money laundering", + "opium", + "mafia boss", + "murder", + "memory", + "jewish american", + "torture", + "brooklyn bridge", + "childhood friends", + "1920s", + "1960s", + "1930s" ] }, { @@ -1335,179 +1466,48 @@ ] }, { - "ranking": 35, - "title": "Spider-Man: Into the Spider-Verse", - "year": "2018", - "runtime": 117, - "content_rating": null, - "metascore": null, - "imdb_rating": 8.4, - "vote_count": 16019, - "description": "Struggling to find his place in the world while juggling school and family, Brooklyn teenager Miles Morales is unexpectedly bitten by a radioactive spider and develops unfathomable powers just like the one and only Spider-Man. While wrestling with the implications of his new abilities, Miles discovers a super collider created by the madman Wilson \"Kingpin\" Fisk, causing others from across the Spider-Verse to be inadvertently transported to his dimension.", - "poster": "https://image.tmdb.org/t/p/w500/iiZZdoQBEYBv6id8su7ImL0oCbD.jpg", - "url": "https://www.themoviedb.org/movie/324857", - "genres": [ - "Animation", - "Action", - "Adventure", - "Science Fiction" - ], - "tags": [ - "superhero", - "based on comic", - "aftercreditsstinger", - "alternate universe" - ] - }, - { - "ranking": 36, - "title": "The Empire Strikes Back", - "year": "1980", - "runtime": 124, - "content_rating": null, - "metascore": null, - "imdb_rating": 8.391, - "vote_count": 17287, - "description": "The epic saga continues as Luke Skywalker, in hopes of defeating the evil Galactic Empire, learns the ways of the Jedi from aging master Yoda. But Darth Vader is more determined than ever to capture Luke. Meanwhile, rebel leader Princess Leia, cocky Han Solo, Chewbacca, and droids C-3PO and R2-D2 are thrown into various stages of capture, betrayal and despair.", - "poster": "https://image.tmdb.org/t/p/w500/nNAeTmF4CtdSgMDplXTDPOpYzsX.jpg", - "url": "https://www.themoviedb.org/movie/1891", - "genres": [ - "Adventure", - "Action", - "Science Fiction" - ], - "tags": [ - "rebellion", - "android", - "spacecraft", - "asteroid", - "rebel", - "space battle", - "snowstorm", - "space colony", - "swamp", - "space opera", - "nostalgic", - "artic", - "excited" - ] - }, - { - "ranking": 37, - "title": "Primal: Tales of Savagery", - "year": "2019", + "ranking": 33, + "title": "Counterattack", + "year": "2025", "runtime": 85, "content_rating": null, "metascore": null, - "imdb_rating": 8.383, - "vote_count": 330, - "description": "Genndy Tartakovsky's Primal: Tales of Savagery features a caveman and a dinosaur on the brink of extinction. Bonded by tragedy, this unlikely friendship becomes the only hope of survival.", - "poster": "https://image.tmdb.org/t/p/w500/9NBBkdxH0TjQEBSN2AzeE1sgsF9.jpg", - "url": "https://www.themoviedb.org/movie/704264", + "imdb_rating": 8.4, + "vote_count": 579, + "description": "When a hostage rescue mission creates a new enemy, Capt. Guerrero and his elite soldiers must face an ambush by a criminal group.", + "poster": "https://image.tmdb.org/t/p/w500/8JK8VD6FUP1Ylke6KE7gWpW7heG.jpg", + "url": "https://www.themoviedb.org/movie/1356039", "genres": [ "Action", "Adventure", - "Animation", - "Drama" - ], - "tags": [] - }, - { - "ranking": 38, - "title": "A Silent Voice: The Movie", - "year": "2016", - "runtime": 129, - "content_rating": null, - "metascore": null, - "imdb_rating": 8.382, - "vote_count": 4067, - "description": "Shouya Ishida starts bullying the new girl in class, Shouko Nishimiya, because she is deaf. But as the teasing continues, the rest of the class starts to turn on Shouya for his lack of compassion. When they leave elementary school, Shouko and Shouya do not speak to each other again... until an older, wiser Shouya, tormented by his past behaviour, decides he must see Shouko once more. He wants to atone for his sins, but is it already too late...?", - "poster": "https://image.tmdb.org/t/p/w500/tuFaWiqX0TXoWu7DGNcmX3UW7sT.jpg", - "url": "https://www.themoviedb.org/movie/378064", - "genres": [ - "Animation", - "Drama", - "Romance" + "Thriller" ], "tags": [ - "high school", - "friendship", - "suicide", - "suicide attempt", - "deaf", - "bullying", - "coming of age", - "school", - "based on manga", - "adult animation", - "woman director", - "sign languages", - "shounen", - "anime", - "social anxiety", - "japanese high school", - "japanese school", - "serious", - "depressing" + "mexico", + "usa–mexico border", + "special forces", + "military", + "narcos", + "murcielagos" ] }, { - "ranking": 39, - "title": "Gabriel's Inferno: Part II", + "ranking": 31, + "title": "Gabriel's Inferno", "year": "2020", - "runtime": 106, + "runtime": 122, "content_rating": null, "metascore": null, - "imdb_rating": 8.381, - "vote_count": 1520, - "description": "Professor Gabriel Emerson finally learns the truth about Julia Mitchell's identity, but his realization comes a moment too late. Julia is done waiting for the well-respected Dante specialist to remember her and wants nothing more to do with him. Can Gabriel win back her heart before she finds love in another's arms?", - "poster": "https://image.tmdb.org/t/p/w500/x5o8cLZfEXMoZczTYWLrUo1P7UJ.jpg", - "url": "https://www.themoviedb.org/movie/724089", + "imdb_rating": 8.411, + "vote_count": 2418, + "description": "An intriguing and sinful exploration of seduction, forbidden love, and redemption, Gabriel's Inferno is a captivating and wildly passionate tale of one man's escape from his own personal hell as he tries to earn the impossible--forgiveness and love.", + "poster": "https://image.tmdb.org/t/p/w500/yXRoyYzIo17HfANn07oXYdyBy4h.jpg", + "url": "https://www.themoviedb.org/movie/696374", "genres": [ "Romance", "Drama" ], - "tags": [ - "based on novel or book" - ] - }, - { - "ranking": 40, - "title": "The Pianist", - "year": "2002", - "runtime": 150, - "content_rating": null, - "metascore": null, - "imdb_rating": 8.379, - "vote_count": 9436, - "description": "The true story of pianist Władysław Szpilman's experiences in Warsaw during the Nazi occupation. When the Jews of the city find themselves forced into a ghetto, Szpilman finds work playing in a café; and when his family is deported in 1942, he stays behind, works for a while as a laborer, and eventually goes into hiding in the ruins of the war-torn city.", - "poster": "https://image.tmdb.org/t/p/w500/2hFvxCCWrTmCYwfy7yum0GKRi3Y.jpg", - "url": "https://www.themoviedb.org/movie/423", - "genres": [ - "Drama", - "War" - ], - "tags": [ - "concert", - "nazi", - "resistance", - "warsaw ghetto", - "polish resistance", - "homeland", - "holocaust (shoah)", - "hunger", - "world war ii", - "prisoner of war", - "ghetto", - "deportation", - "jew persecution", - "liberation", - "biography", - "survival", - "based on memoir or autobiography", - "pianist", - "poland" - ] + "tags": [] }, { "ranking": 41, @@ -1527,6 +1527,129 @@ ], "tags": [] }, + { + "ranking": 44, + "title": "Se7en", + "year": "1995", + "runtime": 127, + "content_rating": null, + "metascore": null, + "imdb_rating": 8.375, + "vote_count": 21566, + "description": "Two homicide detectives are on a desperate hunt for a serial killer whose crimes are based on the \"seven deadly sins\" in this dark and haunting film that takes viewers from the tortured remains of one victim to the next. The seasoned Det. Somerset researches each sin in an effort to get inside the killer's mind, while his novice partner, Mills, scoffs at his efforts to unravel the case.", + "poster": "https://image.tmdb.org/t/p/w500/191nKfP0ehp3uIvWqgPbFmI4lv9.jpg", + "url": "https://www.themoviedb.org/movie/807", + "genres": [ + "Crime", + "Mystery", + "Thriller" + ], + "tags": [ + "rage and hate", + "police", + "s.w.a.t.", + "sadism", + "self-fulfilling prophecy", + "psychopath", + "detective", + "investigation", + "insomnia", + "murder", + "serial killer", + "religion", + "shootout", + "corpse", + "macabre", + "seven deadly sins", + "depravity", + "neo-noir", + "sinister", + "ambiguous", + "ominous", + "seven: los siete pecados capitales" + ] + }, + { + "ranking": 51, + "title": "American History X", + "year": "1998", + "runtime": 119, + "content_rating": null, + "metascore": null, + "imdb_rating": 8.3, + "vote_count": 11796, + "description": "Derek Vineyard is paroled after serving 3 years in prison for killing two African-American men. Through his brother, Danny Vineyard's narration, we learn that before going to prison, Derek was a skinhead and the leader of a violent white supremacist gang that committed acts of racial crime throughout L.A. and his actions greatly influenced Danny. Reformed and fresh out of prison, Derek severs contact with the gang and becomes determined to keep Danny from going down the same violent path as he did.", + "poster": "https://image.tmdb.org/t/p/w500/euypWkaYFOLW3e5rLIcTAjWnhhT.jpg", + "url": "https://www.themoviedb.org/movie/73", + "genres": [ + "Drama" + ], + "tags": [ + "prison", + "neo-nazism", + "rape", + "skinhead", + "sibling relationship", + "swastika", + "nazi", + "brother", + "fascism", + "tragedy", + "jail", + "school", + "los angeles, california", + "family", + "xenophobia", + "interracial friendship", + "nazism", + "disturbed", + "violence", + "crime", + "distressing" + ] + }, + { + "ranking": 49, + "title": "The Silence of the Lambs", + "year": "1991", + "runtime": 119, + "content_rating": null, + "metascore": null, + "imdb_rating": 8.345, + "vote_count": 16700, + "description": "Clarice Starling is a top student at the FBI's training academy. Jack Crawford wants Clarice to interview Dr. Hannibal Lecter, a brilliant psychiatrist who is also a violent psychopath, serving life behind bars for various acts of murder and cannibalism. Crawford believes that Lecter may have insight into a case and that Starling, as an attractive young woman, may be just the bait to draw him out.", + "poster": "https://image.tmdb.org/t/p/w500/uS9m8OBk1A8eM9I042bx8XXpqAq.jpg", + "url": "https://www.themoviedb.org/movie/274", + "genres": [ + "Crime", + "Drama", + "Thriller" + ], + "tags": [ + "based on novel or book", + "kidnapping", + "psychopath", + "fbi", + "scientific study", + "murder", + "serial killer", + "psychological thriller", + "brutality", + "cannibal", + "psychiatrist", + "moth", + "virginia", + "disturbed", + "neo-noir", + "twisted", + "skinning", + "past history", + "suspenseful", + "foreboding", + "ominous", + "psychological profiling" + ] + }, { "ranking": 42, "title": "Hope", @@ -1588,48 +1711,6 @@ "drummer" ] }, - { - "ranking": 44, - "title": "Se7en", - "year": "1995", - "runtime": 127, - "content_rating": null, - "metascore": null, - "imdb_rating": 8.375, - "vote_count": 21566, - "description": "Two homicide detectives are on a desperate hunt for a serial killer whose crimes are based on the \"seven deadly sins\" in this dark and haunting film that takes viewers from the tortured remains of one victim to the next. The seasoned Det. Somerset researches each sin in an effort to get inside the killer's mind, while his novice partner, Mills, scoffs at his efforts to unravel the case.", - "poster": "https://image.tmdb.org/t/p/w500/191nKfP0ehp3uIvWqgPbFmI4lv9.jpg", - "url": "https://www.themoviedb.org/movie/807", - "genres": [ - "Crime", - "Mystery", - "Thriller" - ], - "tags": [ - "rage and hate", - "police", - "s.w.a.t.", - "sadism", - "self-fulfilling prophecy", - "psychopath", - "detective", - "investigation", - "insomnia", - "murder", - "serial killer", - "religion", - "shootout", - "corpse", - "macabre", - "seven deadly sins", - "depravity", - "neo-noir", - "sinister", - "ambiguous", - "ominous", - "seven: los siete pecados capitales" - ] - }, { "ranking": 45, "title": "Radical", @@ -1652,47 +1733,6 @@ "inspirational" ] }, - { - "ranking": 46, - "title": "Inception", - "year": "2010", - "runtime": 148, - "content_rating": null, - "metascore": null, - "imdb_rating": 8.4, - "vote_count": 37273, - "description": "Cobb, a skilled thief who commits corporate espionage by infiltrating the subconscious of his targets is offered a chance to regain his old life as payment for a task considered to be impossible: \"inception\", the implantation of another person's idea into a target's subconscious.", - "poster": "https://image.tmdb.org/t/p/w500/ljsZTbVsrQSqZgWeep2B1QiDKuh.jpg", - "url": "https://www.themoviedb.org/movie/27205", - "genres": [ - "Action", - "Science Fiction", - "Adventure" - ], - "tags": [ - "rescue", - "mission", - "dreams", - "airplane", - "paris, france", - "virtual reality", - "kidnapping", - "philosophy", - "spy", - "allegory", - "manipulation", - "car crash", - "heist", - "memory", - "architecture", - "los angeles, california", - "dream world", - "subconscious", - "awestruck", - "complicated", - "powerful" - ] - }, { "ranking": 47, "title": "Rear Window", @@ -1733,79 +1773,6 @@ "admiring" ] }, - { - "ranking": 48, - "title": "The Legend of Hei", - "year": "2019", - "runtime": 102, - "content_rating": null, - "metascore": null, - "imdb_rating": 8.3, - "vote_count": 381, - "description": "When cat spirit Luo Xiaohei's home is deforested by humans, he must find a new one. He runs into a group of other spirit creatures who take him under their wing with dreams of reconquering the land they say is rightfully theirs. However, they run into a human known as Wuxian who separates Luo Xiaohei from the other spirits and the two go on a journey, with the cat spirit learning to control his abilities as well as forming his own thoughts on whether or not he should ally with the spirits or the humans.", - "poster": "https://image.tmdb.org/t/p/w500/aLv87NgRJUPkQ6sVLP72IisDdt4.jpg", - "url": "https://www.themoviedb.org/movie/620249", - "genres": [ - "Animation", - "Fantasy", - "Action" - ], - "tags": [ - "monster", - "magic", - "cat", - "shapeshifting", - "dilemma", - "betrayal", - "animals", - "environmental", - "journey", - "anime", - "wandering" - ] - }, - { - "ranking": 49, - "title": "The Silence of the Lambs", - "year": "1991", - "runtime": 119, - "content_rating": null, - "metascore": null, - "imdb_rating": 8.345, - "vote_count": 16700, - "description": "Clarice Starling is a top student at the FBI's training academy. Jack Crawford wants Clarice to interview Dr. Hannibal Lecter, a brilliant psychiatrist who is also a violent psychopath, serving life behind bars for various acts of murder and cannibalism. Crawford believes that Lecter may have insight into a case and that Starling, as an attractive young woman, may be just the bait to draw him out.", - "poster": "https://image.tmdb.org/t/p/w500/uS9m8OBk1A8eM9I042bx8XXpqAq.jpg", - "url": "https://www.themoviedb.org/movie/274", - "genres": [ - "Crime", - "Drama", - "Thriller" - ], - "tags": [ - "based on novel or book", - "kidnapping", - "psychopath", - "fbi", - "scientific study", - "murder", - "serial killer", - "psychological thriller", - "brutality", - "cannibal", - "psychiatrist", - "moth", - "virginia", - "disturbed", - "neo-noir", - "twisted", - "skinning", - "past history", - "suspenseful", - "foreboding", - "ominous", - "psychological profiling" - ] - }, { "ranking": 50, "title": "Spider-Man: Across the Spider-Verse", @@ -1862,245 +1829,75 @@ ] }, { - "ranking": 51, - "title": "American History X", - "year": "1998", - "runtime": 119, - "content_rating": null, - "metascore": null, - "imdb_rating": 8.3, - "vote_count": 11796, - "description": "Derek Vineyard is paroled after serving 3 years in prison for killing two African-American men. Through his brother, Danny Vineyard's narration, we learn that before going to prison, Derek was a skinhead and the leader of a violent white supremacist gang that committed acts of racial crime throughout L.A. and his actions greatly influenced Danny. Reformed and fresh out of prison, Derek severs contact with the gang and becomes determined to keep Danny from going down the same violent path as he did.", - "poster": "https://image.tmdb.org/t/p/w500/euypWkaYFOLW3e5rLIcTAjWnhhT.jpg", - "url": "https://www.themoviedb.org/movie/73", - "genres": [ - "Drama" - ], - "tags": [ - "prison", - "neo-nazism", - "rape", - "skinhead", - "sibling relationship", - "swastika", - "nazi", - "brother", - "fascism", - "tragedy", - "jail", - "school", - "los angeles, california", - "family", - "xenophobia", - "interracial friendship", - "nazism", - "disturbed", - "violence", - "crime", - "distressing" - ] - }, - { - "ranking": 52, - "title": "High and Low", - "year": "1963", - "runtime": 142, - "content_rating": null, - "metascore": null, - "imdb_rating": 8.3, - "vote_count": 957, - "description": "In the midst of an attempt to take over his company, a powerhouse executive is hit with a huge ransom demand when his chauffeur's son is kidnapped by mistake.", - "poster": "https://image.tmdb.org/t/p/w500/tgNjemQPG96uIezpiUiXFcer5ga.jpg", - "url": "https://www.themoviedb.org/movie/12493", - "genres": [ - "Drama", - "Crime", - "Mystery", - "Thriller" - ], - "tags": [ - "chauffeur", - "police", - "ransom", - "manager", - "kidnapping", - "blackmail", - "baby-snatching", - "film noir", - "shoe", - "japanese noir", - "emaciation", - "shōwa era (1926-89)" - ] - }, - { - "ranking": 53, - "title": "Lucy Shimmers and the Prince of Peace", - "year": "2020", - "runtime": 87, - "content_rating": null, - "metascore": null, - "imdb_rating": 8.337, - "vote_count": 303, - "description": "Second chances start when a hardened criminal crosses paths with a precocious little girl who is helped by an angel to change hearts during the holiday season.", - "poster": "https://image.tmdb.org/t/p/w500/yfnJ5qIYx7q33fY4jqv9Pu95RSg.jpg", - "url": "https://www.themoviedb.org/movie/770156", - "genres": [ - "Drama", - "Family" - ], - "tags": [ - "faith", - "peace", - "prince", - "christmas", - "jesus christ", - "christian faith" - ] - }, - { - "ranking": 54, - "title": "The Wild Robot", - "year": "2024", + "ranking": 48, + "title": "The Legend of Hei", + "year": "2019", "runtime": 102, "content_rating": null, "metascore": null, "imdb_rating": 8.3, - "vote_count": 4625, - "description": "After a shipwreck, an intelligent robot called Roz is stranded on an uninhabited island. To survive the harsh environment, Roz bonds with the island's animals and cares for an orphaned baby goose.", - "poster": "https://image.tmdb.org/t/p/w500/wTnV3PCVW5O92JMrFvvrRcV39RU.jpg", - "url": "https://www.themoviedb.org/movie/1184918", + "vote_count": 381, + "description": "When cat spirit Luo Xiaohei's home is deforested by humans, he must find a new one. He runs into a group of other spirit creatures who take him under their wing with dreams of reconquering the land they say is rightfully theirs. However, they run into a human known as Wuxian who separates Luo Xiaohei from the other spirits and the two go on a journey, with the cat spirit learning to control his abilities as well as forming his own thoughts on whether or not he should ally with the spirits or the humans.", + "poster": "https://image.tmdb.org/t/p/w500/aLv87NgRJUPkQ6sVLP72IisDdt4.jpg", + "url": "https://www.themoviedb.org/movie/620249", "genres": [ "Animation", - "Science Fiction", - "Family" - ], - "tags": [ - "villain", - "robot", - "based on children's book", - "female villain", - "aftercreditsstinger", - "duringcreditsstinger", - "adopted son", - "complex", - "mischievous", - "playful", - "kids", - "traditional parenting", - "euphoric", - "exhilarated", - "optimistic" - ] - }, - { - "ranking": 55, - "title": "Princess Mononoke", - "year": "1997", - "runtime": 134, - "content_rating": null, - "metascore": null, - "imdb_rating": 8.3, - "vote_count": 8246, - "description": "Ashitaka, a prince of the disappearing Emishi people, is cursed by a demonized boar god and must journey to the west to find a cure. Along the way, he encounters San, a young human woman fighting to protect the forest, and Lady Eboshi, who is trying to destroy it. Ashitaka must find a way to bring balance to this conflict.", - "poster": "https://image.tmdb.org/t/p/w500/cMYCDADoLKLbB83g4WnJegaZimC.jpg", - "url": "https://www.themoviedb.org/movie/128", - "genres": [ - "Adventure", "Fantasy", - "Animation" + "Action" ], "tags": [ - "friendship", - "human vs nature", - "wolf", - "fight", - "wild boar", - "territory", - "leprosy", - "feral child", - "decapitation", - "rural area", - "historical fiction", - "spirit", - "demon", - "nature", - "environmentalism", - "adult animation", - "deforestation", + "monster", + "magic", + "cat", + "shapeshifting", + "dilemma", + "betrayal", + "animals", + "environmental", + "journey", "anime", - "industrialization", - "fantasy", - "adventure" + "wandering" ] }, { - "ranking": 56, - "title": "Dou kyu sei – Classmates", - "year": "2016", - "runtime": 61, + "ranking": 46, + "title": "Inception", + "year": "2010", + "runtime": 148, "content_rating": null, "metascore": null, - "imdb_rating": 8.332, - "vote_count": 401, - "description": "Rihito Sajo, an honor student with a perfect score on the entrance exam and Hikaru Kusakabe, in a band and popular among girls, would have never crossed paths. Until one day they started talking at the practice for their school’s upcoming chorus festival. After school, the two meet regularly, as Hikaru helps Rihito to improve his singing skills. While they listen to each other’s voice and harmonize, their hearts start to beat together.", - "poster": "https://image.tmdb.org/t/p/w500/cIfRCA5wEvj9tApca4UDUagQEiM.jpg", - "url": "https://www.themoviedb.org/movie/372754", + "imdb_rating": 8.4, + "vote_count": 37273, + "description": "Cobb, a skilled thief who commits corporate espionage by infiltrating the subconscious of his targets is offered a chance to regain his old life as payment for a task considered to be impossible: \"inception\", the implantation of another person's idea into a target's subconscious.", + "poster": "https://image.tmdb.org/t/p/w500/ljsZTbVsrQSqZgWeep2B1QiDKuh.jpg", + "url": "https://www.themoviedb.org/movie/27205", "genres": [ - "Romance", - "Animation" + "Action", + "Science Fiction", + "Adventure" ], "tags": [ - "high school", - "boys' choir", - "coming of age", - "slice of life", - "based on manga", - "anime", - "gay theme", - "boys' love (bl)" - ] - }, - { - "ranking": 57, - "title": "Ikiru", - "year": "1952", - "runtime": 143, - "content_rating": null, - "metascore": null, - "imdb_rating": 8.3, - "vote_count": 1187, - "description": "Kanji Watanabe is a middle-aged man who has worked in the same monotonous bureaucratic position for decades. Learning he has cancer, he starts to look for the meaning of his life.", - "poster": "https://image.tmdb.org/t/p/w500/dgNTS4EQDDVfkzJI5msKuHu2Ei3.jpg", - "url": "https://www.themoviedb.org/movie/3782", - "genres": [ - "Drama" - ], - "tags": [ - "dying and death", - "japan", - "bureaucracy", - "age difference", - "praise", - "office", - "night life", - "sense of life", - "playground", - "obsequies", - "swing", - "loneliness", - "office politics", - "infatuation", - "wake", - "public works", - "bureaucrat", - "thoughts of retirement", - "terminal cancer", - "city park", - "civil servant", - "monotonous life", - "accomplishments", - "office gossip" + "rescue", + "mission", + "dreams", + "airplane", + "paris, france", + "virtual reality", + "kidnapping", + "philosophy", + "spy", + "allegory", + "manipulation", + "car crash", + "heist", + "memory", + "architecture", + "los angeles, california", + "dream world", + "subconscious", + "awestruck", + "complicated", + "powerful" ] }, { @@ -2177,6 +1974,91 @@ "anime" ] }, + { + "ranking": 52, + "title": "High and Low", + "year": "1963", + "runtime": 142, + "content_rating": null, + "metascore": null, + "imdb_rating": 8.3, + "vote_count": 957, + "description": "In the midst of an attempt to take over his company, a powerhouse executive is hit with a huge ransom demand when his chauffeur's son is kidnapped by mistake.", + "poster": "https://image.tmdb.org/t/p/w500/tgNjemQPG96uIezpiUiXFcer5ga.jpg", + "url": "https://www.themoviedb.org/movie/12493", + "genres": [ + "Drama", + "Crime", + "Mystery", + "Thriller" + ], + "tags": [ + "chauffeur", + "police", + "ransom", + "manager", + "kidnapping", + "blackmail", + "baby-snatching", + "film noir", + "shoe", + "japanese noir", + "emaciation", + "shōwa era (1926-89)" + ] + }, + { + "ranking": 53, + "title": "Lucy Shimmers and the Prince of Peace", + "year": "2020", + "runtime": 87, + "content_rating": null, + "metascore": null, + "imdb_rating": 8.337, + "vote_count": 303, + "description": "Second chances start when a hardened criminal crosses paths with a precocious little girl who is helped by an angel to change hearts during the holiday season.", + "poster": "https://image.tmdb.org/t/p/w500/yfnJ5qIYx7q33fY4jqv9Pu95RSg.jpg", + "url": "https://www.themoviedb.org/movie/770156", + "genres": [ + "Drama", + "Family" + ], + "tags": [ + "faith", + "peace", + "prince", + "christmas", + "jesus christ", + "christian faith" + ] + }, + { + "ranking": 56, + "title": "Dou kyu sei – Classmates", + "year": "2016", + "runtime": 61, + "content_rating": null, + "metascore": null, + "imdb_rating": 8.332, + "vote_count": 401, + "description": "Rihito Sajo, an honor student with a perfect score on the entrance exam and Hikaru Kusakabe, in a band and popular among girls, would have never crossed paths. Until one day they started talking at the practice for their school’s upcoming chorus festival. After school, the two meet regularly, as Hikaru helps Rihito to improve his singing skills. While they listen to each other’s voice and harmonize, their hearts start to beat together.", + "poster": "https://image.tmdb.org/t/p/w500/cIfRCA5wEvj9tApca4UDUagQEiM.jpg", + "url": "https://www.themoviedb.org/movie/372754", + "genres": [ + "Romance", + "Animation" + ], + "tags": [ + "high school", + "boys' choir", + "coming of age", + "slice of life", + "based on manga", + "anime", + "gay theme", + "boys' love (bl)" + ] + }, { "ranking": 60, "title": "A Brighter Summer Day", @@ -2215,112 +2097,121 @@ ] }, { - "ranking": 61, - "title": "Dead Poets Society", - "year": "1989", - "runtime": 128, + "ranking": 55, + "title": "Princess Mononoke", + "year": "1997", + "runtime": 134, "content_rating": null, "metascore": null, - "imdb_rating": 8.302, - "vote_count": 11570, - "description": "At an elite, old-fashioned boarding school in New England, a passionate English teacher inspires his students to rebel against convention and seize the potential of every day, courting the disdain of the stern headmaster.", - "poster": "https://image.tmdb.org/t/p/w500/hmGAF5NDoYB6S39UONevjHCESOI.jpg", - "url": "https://www.themoviedb.org/movie/207", + "imdb_rating": 8.3, + "vote_count": 8246, + "description": "Ashitaka, a prince of the disappearing Emishi people, is cursed by a demonized boar god and must journey to the west to find a cure. Along the way, he encounters San, a young human woman fighting to protect the forest, and Lady Eboshi, who is trying to destroy it. Ashitaka must find a way to bring balance to this conflict.", + "poster": "https://image.tmdb.org/t/p/w500/cMYCDADoLKLbB83g4WnJegaZimC.jpg", + "url": "https://www.themoviedb.org/movie/128", + "genres": [ + "Adventure", + "Fantasy", + "Animation" + ], + "tags": [ + "friendship", + "human vs nature", + "wolf", + "fight", + "wild boar", + "territory", + "leprosy", + "feral child", + "decapitation", + "rural area", + "historical fiction", + "spirit", + "demon", + "nature", + "environmentalism", + "adult animation", + "deforestation", + "anime", + "industrialization", + "fantasy", + "adventure" + ] + }, + { + "ranking": 54, + "title": "The Wild Robot", + "year": "2024", + "runtime": 102, + "content_rating": null, + "metascore": null, + "imdb_rating": 8.3, + "vote_count": 4625, + "description": "After a shipwreck, an intelligent robot called Roz is stranded on an uninhabited island. To survive the harsh environment, Roz bonds with the island's animals and cares for an orphaned baby goose.", + "poster": "https://image.tmdb.org/t/p/w500/wTnV3PCVW5O92JMrFvvrRcV39RU.jpg", + "url": "https://www.themoviedb.org/movie/1184918", + "genres": [ + "Animation", + "Science Fiction", + "Family" + ], + "tags": [ + "villain", + "robot", + "based on children's book", + "female villain", + "aftercreditsstinger", + "duringcreditsstinger", + "adopted son", + "complex", + "mischievous", + "playful", + "kids", + "traditional parenting", + "euphoric", + "exhilarated", + "optimistic" + ] + }, + { + "ranking": 57, + "title": "Ikiru", + "year": "1952", + "runtime": 143, + "content_rating": null, + "metascore": null, + "imdb_rating": 8.3, + "vote_count": 1187, + "description": "Kanji Watanabe is a middle-aged man who has worked in the same monotonous bureaucratic position for decades. Learning he has cancer, he starts to look for the meaning of his life.", + "poster": "https://image.tmdb.org/t/p/w500/dgNTS4EQDDVfkzJI5msKuHu2Ei3.jpg", + "url": "https://www.themoviedb.org/movie/3782", "genres": [ "Drama" ], "tags": [ - "individual", - "friendship", - "philosophy", - "poetry", - "literature", - "professor", - "based on true story", - "coming of age", - "teacher", - "school play", - "new england", - "vermont", - "schoolteacher", - "preparatory school", - "1950s", - "teenager" - ] - }, - { - "ranking": 62, - "title": "Léon: The Professional", - "year": "1994", - "runtime": 111, - "content_rating": null, - "metascore": null, - "imdb_rating": 8.3, - "vote_count": 15109, - "description": "Léon, the top hit man in New York, has earned a rep as an effective \"cleaner\". But when his next-door neighbors are wiped out by a loose-cannon DEA agent, he becomes the unwilling custodian of 12-year-old Mathilda. Before long, Mathilda's thoughts turn to revenge, and she considers following in Léon's footsteps.", - "poster": "https://image.tmdb.org/t/p/w500/yI6X2cCM5YPJtxMhUd3dPGqDAhw.jpg", - "url": "https://www.themoviedb.org/movie/101", - "genres": [ - "Crime", - "Drama", - "Action" - ], - "tags": [ - "hotel room", - "new york city", - "immigrant", - "assassin", - "police brutality", - "corruption", - "s.w.a.t.", - "hitman", - "loss of loved one", - "training", - "revenge", - "murder", + "dying and death", + "japan", + "bureaucracy", + "age difference", + "praise", + "office", + "night life", + "sense of life", + "playground", + "obsequies", + "swing", "loneliness", - "neighbor", - "tragic love", - "city life", - "neo-noir", - "complex relationship", - "suspenseful" - ] - }, - { - "ranking": 63, - "title": "The Great Dictator", - "year": "1940", - "runtime": 125, - "content_rating": null, - "metascore": null, - "imdb_rating": 8.301, - "vote_count": 3431, - "description": "Dictator Adenoid Hynkel tries to expand his empire while a poor Jewish barber tries to avoid persecution from Hynkel's regime.", - "poster": "https://image.tmdb.org/t/p/w500/nhMXB8GTdswYMCL9nepDZymJCOr.jpg", - "url": "https://www.themoviedb.org/movie/914", - "genres": [ - "Comedy", - "War" - ], - "tags": [ - "amnesia", - "nazi", - "hairdresser", - "propaganda", - "world war i", - "dictator", - "jewish ghetto", - "fascism", - "world war ii", - "national socialism", - "national socialist party", - "satire", - "speech", - "black and white", - "barbershop", - "anti war", - "fictitious country" + "office politics", + "infatuation", + "wake", + "public works", + "bureaucrat", + "thoughts of retirement", + "terminal cancer", + "city park", + "civil servant", + "monotonous life", + "accomplishments", + "office gossip" ] }, { @@ -2404,6 +2295,76 @@ "baffled" ] }, + { + "ranking": 61, + "title": "Dead Poets Society", + "year": "1989", + "runtime": 128, + "content_rating": null, + "metascore": null, + "imdb_rating": 8.302, + "vote_count": 11570, + "description": "At an elite, old-fashioned boarding school in New England, a passionate English teacher inspires his students to rebel against convention and seize the potential of every day, courting the disdain of the stern headmaster.", + "poster": "https://image.tmdb.org/t/p/w500/hmGAF5NDoYB6S39UONevjHCESOI.jpg", + "url": "https://www.themoviedb.org/movie/207", + "genres": [ + "Drama" + ], + "tags": [ + "individual", + "friendship", + "philosophy", + "poetry", + "literature", + "professor", + "based on true story", + "coming of age", + "teacher", + "school play", + "new england", + "vermont", + "schoolteacher", + "preparatory school", + "1950s", + "teenager" + ] + }, + { + "ranking": 63, + "title": "The Great Dictator", + "year": "1940", + "runtime": 125, + "content_rating": null, + "metascore": null, + "imdb_rating": 8.301, + "vote_count": 3431, + "description": "Dictator Adenoid Hynkel tries to expand his empire while a poor Jewish barber tries to avoid persecution from Hynkel's regime.", + "poster": "https://image.tmdb.org/t/p/w500/nhMXB8GTdswYMCL9nepDZymJCOr.jpg", + "url": "https://www.themoviedb.org/movie/914", + "genres": [ + "Comedy", + "War" + ], + "tags": [ + "amnesia", + "nazi", + "hairdresser", + "propaganda", + "world war i", + "dictator", + "jewish ghetto", + "fascism", + "world war ii", + "national socialism", + "national socialist party", + "satire", + "speech", + "black and white", + "barbershop", + "anti war", + "fictitious country" + ] + }, { "ranking": 66, "title": "Josee, the Tiger and the Fish", @@ -2433,32 +2394,6 @@ "comforting" ] }, - { - "ranking": 67, - "title": "Dedicated to my ex", - "year": "2019", - "runtime": 94, - "content_rating": null, - "metascore": null, - "imdb_rating": 8.295, - "vote_count": 504, - "description": "The film tells the story of Ariel, a 21-year-old who decides to form a rock band to compete for a prize of ten thousand dollars in a musical band contest, this as a last option when trying to get money to save their relationship and reunite with his ex-girlfriend, which breaks due to the trip she must make to Finland for an internship. Ariel with her friend Ortega, decides to make a casting to find the other members of the band, although they do not know nothing about music, thus forming a band with members that have diverse and opposite personalities.", - "poster": "https://image.tmdb.org/t/p/w500/xc4bTXVwYNXi10jG9dwcaYt5IpU.jpg", - "url": "https://www.themoviedb.org/movie/644479", - "genres": [ - "Drama", - "Comedy" - ], - "tags": [ - "fame", - "rock band", - "heartbreak", - "sketch comedy", - "ecuador", - "white lie", - "band competition" - ] - }, { "ranking": 68, "title": "Given", @@ -2492,6 +2427,105 @@ "band" ] }, + { + "ranking": 62, + "title": "Léon: The Professional", + "year": "1994", + "runtime": 111, + "content_rating": null, + "metascore": null, + "imdb_rating": 8.3, + "vote_count": 15109, + "description": "Léon, the top hit man in New York, has earned a rep as an effective \"cleaner\". But when his next-door neighbors are wiped out by a loose-cannon DEA agent, he becomes the unwilling custodian of 12-year-old Mathilda. Before long, Mathilda's thoughts turn to revenge, and she considers following in Léon's footsteps.", + "poster": "https://image.tmdb.org/t/p/w500/yI6X2cCM5YPJtxMhUd3dPGqDAhw.jpg", + "url": "https://www.themoviedb.org/movie/101", + "genres": [ + "Crime", + "Drama", + "Action" + ], + "tags": [ + "hotel room", + "new york city", + "immigrant", + "assassin", + "police brutality", + "corruption", + "s.w.a.t.", + "hitman", + "loss of loved one", + "training", + "revenge", + "murder", + "loneliness", + "neighbor", + "tragic love", + "city life", + "neo-noir", + "complex relationship", + "suspenseful" + ] + }, + { + "ranking": 67, + "title": "Dedicated to my ex", + "year": "2019", + "runtime": 94, + "content_rating": null, + "metascore": null, + "imdb_rating": 8.295, + "vote_count": 504, + "description": "The film tells the story of Ariel, a 21-year-old who decides to form a rock band to compete for a prize of ten thousand dollars in a musical band contest, this as a last option when trying to get money to save their relationship and reunite with his ex-girlfriend, which breaks due to the trip she must make to Finland for an internship. Ariel with her friend Ortega, decides to make a casting to find the other members of the band, although they do not know nothing about music, thus forming a band with members that have diverse and opposite personalities.", + "poster": "https://image.tmdb.org/t/p/w500/xc4bTXVwYNXi10jG9dwcaYt5IpU.jpg", + "url": "https://www.themoviedb.org/movie/644479", + "genres": [ + "Drama", + "Comedy" + ], + "tags": [ + "fame", + "rock band", + "heartbreak", + "sketch comedy", + "ecuador", + "white lie", + "band competition" + ] + }, + { + "ranking": 71, + "title": "Once Upon a Time in the West", + "year": "1968", + "runtime": 166, + "content_rating": null, + "metascore": null, + "imdb_rating": 8.3, + "vote_count": 4471, + "description": "As the railroad builders advance unstoppably through the Arizona desert on their way to the sea, Jill arrives in the small town of Flagstone with the intention of starting a new life.", + "poster": "https://image.tmdb.org/t/p/w500/qbYgqOczabWNn2XKwgMtVrntD6P.jpg", + "url": "https://www.themoviedb.org/movie/335", + "genres": [ + "Drama", + "Western" + ], + "tags": [ + "small town", + "loss of loved one", + "harmonica", + "wedding party", + "spaghetti western", + "arizona territory", + "intercontintental railroad", + "outlaw gang", + "water pump", + "mysterious character", + "boom town", + "railroad company", + "hope for a new life", + "railroad construction", + "preserved film" + ] + }, { "ranking": 69, "title": "We All Loved Each Other So Much", @@ -2543,37 +2577,126 @@ ] }, { - "ranking": 71, - "title": "Once Upon a Time in the West", - "year": "1968", - "runtime": 166, + "ranking": 74, + "title": "Neon Genesis Evangelion: The End of Evangelion", + "year": "1997", + "runtime": 87, + "content_rating": null, + "metascore": null, + "imdb_rating": 8.278, + "vote_count": 1662, + "description": "SEELE orders an all-out attack on NERV, aiming to destroy the Evas before Gendo can advance his own plans for the Human Instrumentality Project. Shinji is pushed to the limits of his sanity as he is forced to decide the fate of humanity. An alternate ending to the television series \"Neon Genesis Evangelion\", which aired from 1995 to 1996 and whose final two episodes were controversial for their atypically abstract direction.", + "poster": "https://image.tmdb.org/t/p/w500/j6G24dqI4WgUtChhWjfnI4lnmiK.jpg", + "url": "https://www.themoviedb.org/movie/18491", + "genres": [ + "Animation", + "Science Fiction", + "Action", + "Drama" + ], + "tags": [ + "philosophy", + "insanity", + "post-apocalyptic future", + "futuristic", + "end of the world", + "mecha", + "avant-garde", + "meaningless existence", + "rebirth", + "anime", + "psychological terror", + "based on tv series", + "existential horror", + "alternate ending", + "experimental surrealism" + ] + }, + { + "ranking": 76, + "title": "Apocalypse Now", + "year": "1979", + "runtime": 147, + "content_rating": null, + "metascore": null, + "imdb_rating": 8.274, + "vote_count": 8433, + "description": "At the height of the Vietnam war, Captain Benjamin Willard is sent on a dangerous mission that, officially, \"does not exist, nor will it ever exist.\" His goal is to locate - and eliminate - a mysterious Green Beret Colonel named Walter Kurtz, who has been leading his personal army on illegal guerrilla missions into enemy territory.", + "poster": "https://image.tmdb.org/t/p/w500/gQB8Y5RCMkv2zwzFHbUJX3kAhvA.jpg", + "url": "https://www.themoviedb.org/movie/28", + "genres": [ + "Drama", + "War" + ], + "tags": [ + "guerrilla warfare", + "epic", + "vietnam war", + "journalist", + "mission", + "vietnam", + "vietcong", + "central intelligence agency (cia)", + "cambodia", + "army", + "drug abuse", + "based on novel or book", + "secret mission", + "insanity", + "surrealism", + "tribe", + "green beret", + "jungle", + "descent into madness", + "brutality", + "riverboat", + "military", + "macabre", + "anti war", + "absurd", + "awestruck", + "commanding", + "distressing" + ] + }, + { + "ranking": 75, + "title": "It's a Wonderful Life", + "year": "1946", + "runtime": 130, "content_rating": null, "metascore": null, "imdb_rating": 8.3, - "vote_count": 4471, - "description": "As the railroad builders advance unstoppably through the Arizona desert on their way to the sea, Jill arrives in the small town of Flagstone with the intention of starting a new life.", - "poster": "https://image.tmdb.org/t/p/w500/qbYgqOczabWNn2XKwgMtVrntD6P.jpg", - "url": "https://www.themoviedb.org/movie/335", + "vote_count": 4460, + "description": "A holiday favourite for generations... George Bailey has spent his entire life giving to the people of Bedford Falls. All that prevents rich skinflint Mr. Potter from taking over the entire town is George's modest building and loan company. But on Christmas Eve the business's $8,000 is lost and George's troubles begin.", + "poster": "https://image.tmdb.org/t/p/w500/bSqt9rhDZx1Q7UZ86dBPKdNomp2.jpg", + "url": "https://www.themoviedb.org/movie/1585", "genres": [ "Drama", - "Western" + "Family", + "Fantasy" ], "tags": [ "small town", - "loss of loved one", - "harmonica", - "wedding party", - "spaghetti western", - "arizona territory", - "intercontintental railroad", - "outlaw gang", - "water pump", - "mysterious character", - "boom town", - "railroad company", - "hope for a new life", - "railroad construction", - "preserved film" + "angel", + "suicide attempt", + "holiday", + "bank", + "great depression", + "family business ", + "nervous breakdown", + "old house", + "newlywed", + "magic realism", + "told in flashback", + "alternative reality", + "guardian angel", + "high school dance", + "christmas", + "sentimental", + "cheerful", + "optimistic", + "xmas eve" ] }, { @@ -2631,158 +2754,27 @@ ] }, { - "ranking": 74, - "title": "Neon Genesis Evangelion: The End of Evangelion", - "year": "1997", - "runtime": 87, + "ranking": 80, + "title": "Miracle in Cell No. 7", + "year": "2019", + "runtime": 132, "content_rating": null, "metascore": null, - "imdb_rating": 8.278, - "vote_count": 1662, - "description": "SEELE orders an all-out attack on NERV, aiming to destroy the Evas before Gendo can advance his own plans for the Human Instrumentality Project. Shinji is pushed to the limits of his sanity as he is forced to decide the fate of humanity. An alternate ending to the television series \"Neon Genesis Evangelion\", which aired from 1995 to 1996 and whose final two episodes were controversial for their atypically abstract direction.", - "poster": "https://image.tmdb.org/t/p/w500/j6G24dqI4WgUtChhWjfnI4lnmiK.jpg", - "url": "https://www.themoviedb.org/movie/18491", + "imdb_rating": 8.257, + "vote_count": 4441, + "description": "Separated from his daughter, a father with an intellectual disability must prove his innocence when he is jailed for the death of a commander's child.", + "poster": "https://image.tmdb.org/t/p/w500/bOth4QmNyEkalwahfPCfiXjNh1r.jpg", + "url": "https://www.themoviedb.org/movie/637920", "genres": [ - "Animation", - "Science Fiction", - "Action", "Drama" ], "tags": [ - "philosophy", - "insanity", - "post-apocalyptic future", - "futuristic", - "end of the world", - "mecha", - "avant-garde", - "meaningless existence", - "rebirth", - "anime", - "psychological terror", - "based on tv series", - "existential horror", - "alternate ending", - "experimental surrealism" - ] - }, - { - "ranking": 75, - "title": "It's a Wonderful Life", - "year": "1946", - "runtime": 130, - "content_rating": null, - "metascore": null, - "imdb_rating": 8.3, - "vote_count": 4460, - "description": "A holiday favourite for generations... George Bailey has spent his entire life giving to the people of Bedford Falls. All that prevents rich skinflint Mr. Potter from taking over the entire town is George's modest building and loan company. But on Christmas Eve the business's $8,000 is lost and George's troubles begin.", - "poster": "https://image.tmdb.org/t/p/w500/bSqt9rhDZx1Q7UZ86dBPKdNomp2.jpg", - "url": "https://www.themoviedb.org/movie/1585", - "genres": [ - "Drama", - "Family", - "Fantasy" - ], - "tags": [ - "small town", - "angel", - "suicide attempt", - "holiday", - "bank", - "great depression", - "family business ", - "nervous breakdown", - "old house", - "newlywed", - "magic realism", - "told in flashback", - "alternative reality", - "guardian angel", - "high school dance", - "christmas", - "sentimental", - "cheerful", - "optimistic", - "xmas eve" - ] - }, - { - "ranking": 76, - "title": "Apocalypse Now", - "year": "1979", - "runtime": 147, - "content_rating": null, - "metascore": null, - "imdb_rating": 8.274, - "vote_count": 8433, - "description": "At the height of the Vietnam war, Captain Benjamin Willard is sent on a dangerous mission that, officially, \"does not exist, nor will it ever exist.\" His goal is to locate - and eliminate - a mysterious Green Beret Colonel named Walter Kurtz, who has been leading his personal army on illegal guerrilla missions into enemy territory.", - "poster": "https://image.tmdb.org/t/p/w500/gQB8Y5RCMkv2zwzFHbUJX3kAhvA.jpg", - "url": "https://www.themoviedb.org/movie/28", - "genres": [ - "Drama", - "War" - ], - "tags": [ - "guerrilla warfare", - "epic", - "vietnam war", - "journalist", - "mission", - "vietnam", - "vietcong", - "central intelligence agency (cia)", - "cambodia", - "army", - "drug abuse", - "based on novel or book", - "secret mission", - "insanity", - "surrealism", - "tribe", - "green beret", - "jungle", - "descent into madness", - "brutality", - "riverboat", - "military", - "macabre", - "anti war", - "absurd", - "awestruck", - "commanding", - "distressing" - ] - }, - { - "ranking": 77, - "title": "The Intouchables", - "year": "2011", - "runtime": 113, - "content_rating": null, - "metascore": null, - "imdb_rating": 8.272, - "vote_count": 17516, - "description": "A true story of two men who should never have met – a quadriplegic aristocrat who was injured in a paragliding accident and a young man from the projects.", - "poster": "https://image.tmdb.org/t/p/w500/8nuNWYGtB2joxgIb9e1smdhtsf2.jpg", - "url": "https://www.themoviedb.org/movie/77338", - "genres": [ - "Drama", - "Comedy" - ], - "tags": [ - "friendship", - "male friendship", - "based on true story", - "masseuse", - "aristocrat", - "paragliding", - "interracial friendship", - "unlikely friendship", - "duringcreditsstinger", - "quadriplegic", - "quadriplegia", - "feel good", - "intouchables" + "parent child relationship", + "prison cell", + "remake", + "wrongful imprisonment", + "based on movie", + "mentally challenged" ] }, { @@ -2822,6 +2814,38 @@ "comforting" ] }, + { + "ranking": 77, + "title": "The Intouchables", + "year": "2011", + "runtime": 113, + "content_rating": null, + "metascore": null, + "imdb_rating": 8.272, + "vote_count": 17516, + "description": "A true story of two men who should never have met – a quadriplegic aristocrat who was injured in a paragliding accident and a young man from the projects.", + "poster": "https://image.tmdb.org/t/p/w500/8nuNWYGtB2joxgIb9e1smdhtsf2.jpg", + "url": "https://www.themoviedb.org/movie/77338", + "genres": [ + "Drama", + "Comedy" + ], + "tags": [ + "friendship", + "male friendship", + "based on true story", + "masseuse", + "aristocrat", + "paragliding", + "interracial friendship", + "unlikely friendship", + "duringcreditsstinger", + "quadriplegic", + "quadriplegia", + "feel good", + "intouchables" + ] + }, { "ranking": 79, "title": "Paths of Glory", @@ -2859,27 +2883,32 @@ ] }, { - "ranking": 80, - "title": "Miracle in Cell No. 7", - "year": "2019", - "runtime": 132, + "ranking": 84, + "title": "Violet Evergarden: The Movie", + "year": "2020", + "runtime": 140, "content_rating": null, "metascore": null, - "imdb_rating": 8.257, - "vote_count": 4441, - "description": "Separated from his daughter, a father with an intellectual disability must prove his innocence when he is jailed for the death of a commander's child.", - "poster": "https://image.tmdb.org/t/p/w500/bOth4QmNyEkalwahfPCfiXjNh1r.jpg", - "url": "https://www.themoviedb.org/movie/637920", + "imdb_rating": 8.253, + "vote_count": 434, + "description": "As the world moves on from the war and technological advances bring changes to her life, Violet still hopes to see her lost commanding officer again.", + "poster": "https://image.tmdb.org/t/p/w500/A9R6bukzzRmOzxvDQsXdQpeNm8l.jpg", + "url": "https://www.themoviedb.org/movie/533514", "genres": [ + "Animation", + "Fantasy", + "Romance", "Drama" ], "tags": [ - "parent child relationship", - "prison cell", - "remake", - "wrongful imprisonment", - "based on movie", - "mentally challenged" + "sequel", + "slice of life", + "steampunk", + "doll", + "military", + "anime", + "letters", + "based on light novel" ] }, { @@ -2907,49 +2936,6 @@ "fondling" ] }, - { - "ranking": 82, - "title": "The Lion King", - "year": "1994", - "runtime": 89, - "content_rating": null, - "metascore": null, - "imdb_rating": 8.3, - "vote_count": 18643, - "description": "Young lion prince Simba, eager to one day become king of the Pride Lands, grows up under the watchful eye of his father Mufasa; all the while his villainous uncle Scar conspires to take the throne for himself. Amid betrayal and tragedy, Simba must confront his past and find his rightful place in the Circle of Life.", - "poster": "https://image.tmdb.org/t/p/w500/sKCr78MXSLixwmZ8DyJLrpMsd15.jpg", - "url": "https://www.themoviedb.org/movie/8587", - "genres": [ - "Family", - "Animation", - "Drama" - ], - "tags": [ - "father murder", - "loss of loved one", - "africa", - "lion", - "cartoon", - "manipulation", - "villain", - "redemption", - "musical", - "uncle", - "murder", - "warthog", - "shaman", - "king", - "scar", - "family", - "hyena", - "meerkat", - "nature", - "mandrill", - "inspirational", - "comforting", - "powerful" - ] - }, { "ranking": 83, "title": "Flow", @@ -2996,35 +2982,6 @@ "bencana" ] }, - { - "ranking": 84, - "title": "Violet Evergarden: The Movie", - "year": "2020", - "runtime": 140, - "content_rating": null, - "metascore": null, - "imdb_rating": 8.253, - "vote_count": 434, - "description": "As the world moves on from the war and technological advances bring changes to her life, Violet still hopes to see her lost commanding officer again.", - "poster": "https://image.tmdb.org/t/p/w500/A9R6bukzzRmOzxvDQsXdQpeNm8l.jpg", - "url": "https://www.themoviedb.org/movie/533514", - "genres": [ - "Animation", - "Fantasy", - "Romance", - "Drama" - ], - "tags": [ - "sequel", - "slice of life", - "steampunk", - "doll", - "military", - "anime", - "letters", - "based on light novel" - ] - }, { "ranking": 85, "title": "Clouds", @@ -3049,6 +3006,84 @@ "aspiring musician" ] }, + { + "ranking": 82, + "title": "The Lion King", + "year": "1994", + "runtime": 89, + "content_rating": null, + "metascore": null, + "imdb_rating": 8.3, + "vote_count": 18643, + "description": "Young lion prince Simba, eager to one day become king of the Pride Lands, grows up under the watchful eye of his father Mufasa; all the while his villainous uncle Scar conspires to take the throne for himself. Amid betrayal and tragedy, Simba must confront his past and find his rightful place in the Circle of Life.", + "poster": "https://image.tmdb.org/t/p/w500/sKCr78MXSLixwmZ8DyJLrpMsd15.jpg", + "url": "https://www.themoviedb.org/movie/8587", + "genres": [ + "Family", + "Animation", + "Drama" + ], + "tags": [ + "father murder", + "loss of loved one", + "africa", + "lion", + "cartoon", + "manipulation", + "villain", + "redemption", + "musical", + "uncle", + "murder", + "warthog", + "shaman", + "king", + "scar", + "family", + "hyena", + "meerkat", + "nature", + "mandrill", + "inspirational", + "comforting", + "powerful" + ] + }, + { + "ranking": 95, + "title": "Avengers: Endgame", + "year": "2019", + "runtime": 181, + "content_rating": null, + "metascore": null, + "imdb_rating": 8.238, + "vote_count": 26191, + "description": "After the devastating events of Avengers: Infinity War, the universe is in ruins due to the efforts of the Mad Titan, Thanos. With the help of remaining allies, the Avengers must assemble once more in order to undo Thanos' actions and restore order to the universe once and for all, no matter what consequences may be in store.", + "poster": "https://image.tmdb.org/t/p/w500/ulzhLuWrPK07P1YkdWQLZnQh1JL.jpg", + "url": "https://www.themoviedb.org/movie/299534", + "genres": [ + "Adventure", + "Science Fiction", + "Action" + ], + "tags": [ + "superhero", + "time travel", + "space travel", + "time machine", + "based on comic", + "sequel", + "alien invasion", + "superhero team", + "marvel cinematic universe (mcu)", + "alternate timeline", + "father daughter relationship", + "sister sister relationship", + "awestruck", + "powerful", + "vibrant" + ] + }, { "ranking": 86, "title": "Le Trou", @@ -3078,6 +3113,113 @@ "neo-noir" ] }, + { + "ranking": 90, + "title": "Life in a Year", + "year": "2020", + "runtime": 107, + "content_rating": null, + "metascore": null, + "imdb_rating": 8.2, + "vote_count": 1905, + "description": "A 17 year old finds out that his girlfriend is dying, so he sets out to give her an entire life, in the last year she has left.", + "poster": "https://image.tmdb.org/t/p/w500/bP7u19opmHXYeTCUwGjlLldmUMc.jpg", + "url": "https://www.themoviedb.org/movie/447362", + "genres": [ + "Drama", + "Romance" + ], + "tags": [] + }, + { + "ranking": 89, + "title": "Taylor Swift: Reputation Stadium Tour", + "year": "2018", + "runtime": 125, + "content_rating": null, + "metascore": null, + "imdb_rating": 8.244, + "vote_count": 401, + "description": "Taylor Swift takes the stage in Dallas for the Reputation Stadium Tour and celebrates a monumental night of music, memories and visual magic.", + "poster": "https://image.tmdb.org/t/p/w500/u6oXUTtOuJRPdUgUuPAVVJPSKCo.jpg", + "url": "https://www.themoviedb.org/movie/568332", + "genres": [ + "Music" + ], + "tags": [ + "concert", + "live performance", + "concert film" + ] + }, + { + "ranking": 94, + "title": "Come and See", + "year": "1985", + "runtime": 142, + "content_rating": null, + "metascore": null, + "imdb_rating": 8.236, + "vote_count": 1566, + "description": "The invasion of a village in Byelorussia by German forces sends young Florya into the forest to join the weary Resistance fighters, against his family's wishes. There he meets a girl, Glasha, who accompanies him back to his village. On returning home, Florya finds his family and fellow peasants massacred. His continued survival amidst the brutal debris of war becomes increasingly nightmarish, a battle between despair and hope.", + "poster": "https://image.tmdb.org/t/p/w500/qNbMsKVzigERgJUbwf8pKyZogpb.jpg", + "url": "https://www.themoviedb.org/movie/25237", + "genres": [ + "Drama", + "War" + ], + "tags": [ + "nazi", + "war crimes", + "insanity", + "world war ii", + "surrealism", + "wehrmacht", + "teenage girl", + "atrocity", + "genocide", + "russian army", + "mine field", + "horrors of war", + "premature aging", + "byelorussia", + "children in wartime", + "depressing" + ] + }, + { + "ranking": 96, + "title": "Avengers: Infinity War", + "year": "2018", + "runtime": 149, + "content_rating": null, + "metascore": null, + "imdb_rating": 8.236, + "vote_count": 30368, + "description": "As the Avengers and their allies have continued to protect the world from threats too large for any one hero to handle, a new danger has emerged from the cosmic shadows: Thanos. A despot of intergalactic infamy, his goal is to collect all six Infinity Stones, artifacts of unimaginable power, and use them to inflict his twisted will on all of reality. Everything the Avengers have fought for has led up to this moment - the fate of Earth and existence itself has never been more uncertain.", + "poster": "https://image.tmdb.org/t/p/w500/7WsyChQLEftFiDOVTGkv3hFpyyt.jpg", + "url": "https://www.themoviedb.org/movie/299536", + "genres": [ + "Adventure", + "Action", + "Science Fiction" + ], + "tags": [ + "sacrifice", + "magic", + "superhero", + "based on comic", + "space", + "battlefield", + "genocide", + "magical object", + "super power", + "superhero team", + "aftercreditsstinger", + "marvel cinematic universe (mcu)", + "cosmic" + ] + }, { "ranking": 87, "title": "Oldboy", @@ -3133,6 +3275,38 @@ "tragic" ] }, + { + "ranking": 97, + "title": "Green Book", + "year": "2018", + "runtime": 130, + "content_rating": null, + "metascore": null, + "imdb_rating": 8.234, + "vote_count": 11909, + "description": "Tony Lip, a bouncer in 1962, is hired to drive pianist Don Shirley on a tour through the Deep South in the days when African Americans, forced to find alternate accommodations and services due to segregation laws below the Mason-Dixon Line, relied on a guide called The Negro Motorist Green Book.", + "poster": "https://image.tmdb.org/t/p/w500/7BsvSuDQuoqhWmU2fL7W2GOcZHU.jpg", + "url": "https://www.themoviedb.org/movie/490132", + "genres": [ + "Drama", + "History" + ], + "tags": [ + "friendship", + "southern usa", + "road trip", + "racism", + "pianist", + "driver", + "lgbt", + "road movie", + "music tour", + "1960s", + "roadtrip", + "gay theme", + "feel good" + ] + }, { "ranking": 88, "title": "Rascal Does Not Dream of a Dreaming Girl", @@ -3167,43 +3341,39 @@ ] }, { - "ranking": 89, - "title": "Taylor Swift: Reputation Stadium Tour", - "year": "2018", - "runtime": 125, - "content_rating": null, - "metascore": null, - "imdb_rating": 8.244, - "vote_count": 401, - "description": "Taylor Swift takes the stage in Dallas for the Reputation Stadium Tour and celebrates a monumental night of music, memories and visual magic.", - "poster": "https://image.tmdb.org/t/p/w500/u6oXUTtOuJRPdUgUuPAVVJPSKCo.jpg", - "url": "https://www.themoviedb.org/movie/568332", - "genres": [ - "Music" - ], - "tags": [ - "concert", - "live performance", - "concert film" - ] - }, - { - "ranking": 90, - "title": "Life in a Year", - "year": "2020", - "runtime": 107, + "ranking": 98, + "title": "The Boy, the Mole, the Fox and the Horse", + "year": "2022", + "runtime": 35, "content_rating": null, "metascore": null, "imdb_rating": 8.2, - "vote_count": 1905, - "description": "A 17 year old finds out that his girlfriend is dying, so he sets out to give her an entire life, in the last year she has left.", - "poster": "https://image.tmdb.org/t/p/w500/bP7u19opmHXYeTCUwGjlLldmUMc.jpg", - "url": "https://www.themoviedb.org/movie/447362", + "vote_count": 614, + "description": "The unlikely friendship of a boy, a mole, a fox and a horse traveling together in the boy's search for home.", + "poster": "https://image.tmdb.org/t/p/w500/aBBJRyS17TIrdXih3uSYvPAR3Ua.jpg", + "url": "https://www.themoviedb.org/movie/995133", "genres": [ - "Drama", - "Romance" + "Animation", + "Family", + "Adventure", + "Fantasy" ], - "tags": [] + "tags": [ + "friendship", + "hope", + "fox", + "horse", + "based on children's book", + "kindness", + "family", + "candid", + "hand drawn animation", + "short film", + "courage", + "appreciative", + "dignified", + "hopeful" + ] }, { "ranking": 91, @@ -3243,34 +3413,6 @@ "adoring" ] }, - { - "ranking": 92, - "title": "I Want to Eat Your Pancreas", - "year": "2018", - "runtime": 108, - "content_rating": null, - "metascore": null, - "imdb_rating": 8.2, - "vote_count": 1597, - "description": "After his classmate and crush is diagnosed with a pancreatic disease, an average high schooler sets out to make the most of her final days.", - "poster": "https://image.tmdb.org/t/p/w500/qDWA7fB4cZ4sBP6YgwlxvraDHi7.jpg", - "url": "https://www.themoviedb.org/movie/504253", - "genres": [ - "Animation", - "Drama", - "Romance" - ], - "tags": [ - "based on novel or book", - "terminal illness", - "tragedy", - "hospital", - "shocking", - "anime", - "depressing", - "melodramatic" - ] - }, { "ranking": 93, "title": "Five Feet Apart", @@ -3305,173 +3447,63 @@ ] }, { - "ranking": 94, - "title": "Come and See", - "year": "1985", - "runtime": 142, - "content_rating": null, - "metascore": null, - "imdb_rating": 8.236, - "vote_count": 1566, - "description": "The invasion of a village in Byelorussia by German forces sends young Florya into the forest to join the weary Resistance fighters, against his family's wishes. There he meets a girl, Glasha, who accompanies him back to his village. On returning home, Florya finds his family and fellow peasants massacred. His continued survival amidst the brutal debris of war becomes increasingly nightmarish, a battle between despair and hope.", - "poster": "https://image.tmdb.org/t/p/w500/qNbMsKVzigERgJUbwf8pKyZogpb.jpg", - "url": "https://www.themoviedb.org/movie/25237", - "genres": [ - "Drama", - "War" - ], - "tags": [ - "nazi", - "war crimes", - "insanity", - "world war ii", - "surrealism", - "wehrmacht", - "teenage girl", - "atrocity", - "genocide", - "russian army", - "mine field", - "horrors of war", - "premature aging", - "byelorussia", - "children in wartime", - "depressing" - ] - }, - { - "ranking": 95, - "title": "Avengers: Endgame", - "year": "2019", - "runtime": 181, - "content_rating": null, - "metascore": null, - "imdb_rating": 8.238, - "vote_count": 26191, - "description": "After the devastating events of Avengers: Infinity War, the universe is in ruins due to the efforts of the Mad Titan, Thanos. With the help of remaining allies, the Avengers must assemble once more in order to undo Thanos' actions and restore order to the universe once and for all, no matter what consequences may be in store.", - "poster": "https://image.tmdb.org/t/p/w500/ulzhLuWrPK07P1YkdWQLZnQh1JL.jpg", - "url": "https://www.themoviedb.org/movie/299534", - "genres": [ - "Adventure", - "Science Fiction", - "Action" - ], - "tags": [ - "superhero", - "time travel", - "space travel", - "time machine", - "based on comic", - "sequel", - "alien invasion", - "superhero team", - "marvel cinematic universe (mcu)", - "alternate timeline", - "father daughter relationship", - "sister sister relationship", - "awestruck", - "powerful", - "vibrant" - ] - }, - { - "ranking": 96, - "title": "Avengers: Infinity War", + "ranking": 92, + "title": "I Want to Eat Your Pancreas", "year": "2018", - "runtime": 149, - "content_rating": null, - "metascore": null, - "imdb_rating": 8.236, - "vote_count": 30368, - "description": "As the Avengers and their allies have continued to protect the world from threats too large for any one hero to handle, a new danger has emerged from the cosmic shadows: Thanos. A despot of intergalactic infamy, his goal is to collect all six Infinity Stones, artifacts of unimaginable power, and use them to inflict his twisted will on all of reality. Everything the Avengers have fought for has led up to this moment - the fate of Earth and existence itself has never been more uncertain.", - "poster": "https://image.tmdb.org/t/p/w500/7WsyChQLEftFiDOVTGkv3hFpyyt.jpg", - "url": "https://www.themoviedb.org/movie/299536", - "genres": [ - "Adventure", - "Action", - "Science Fiction" - ], - "tags": [ - "sacrifice", - "magic", - "superhero", - "based on comic", - "space", - "battlefield", - "genocide", - "magical object", - "super power", - "superhero team", - "aftercreditsstinger", - "marvel cinematic universe (mcu)", - "cosmic" - ] - }, - { - "ranking": 97, - "title": "Green Book", - "year": "2018", - "runtime": 130, - "content_rating": null, - "metascore": null, - "imdb_rating": 8.234, - "vote_count": 11909, - "description": "Tony Lip, a bouncer in 1962, is hired to drive pianist Don Shirley on a tour through the Deep South in the days when African Americans, forced to find alternate accommodations and services due to segregation laws below the Mason-Dixon Line, relied on a guide called The Negro Motorist Green Book.", - "poster": "https://image.tmdb.org/t/p/w500/7BsvSuDQuoqhWmU2fL7W2GOcZHU.jpg", - "url": "https://www.themoviedb.org/movie/490132", - "genres": [ - "Drama", - "History" - ], - "tags": [ - "friendship", - "southern usa", - "road trip", - "racism", - "pianist", - "driver", - "lgbt", - "road movie", - "music tour", - "1960s", - "roadtrip", - "gay theme", - "feel good" - ] - }, - { - "ranking": 98, - "title": "The Boy, the Mole, the Fox and the Horse", - "year": "2022", - "runtime": 35, + "runtime": 108, "content_rating": null, "metascore": null, "imdb_rating": 8.2, - "vote_count": 614, - "description": "The unlikely friendship of a boy, a mole, a fox and a horse traveling together in the boy's search for home.", - "poster": "https://image.tmdb.org/t/p/w500/aBBJRyS17TIrdXih3uSYvPAR3Ua.jpg", - "url": "https://www.themoviedb.org/movie/995133", + "vote_count": 1597, + "description": "After his classmate and crush is diagnosed with a pancreatic disease, an average high schooler sets out to make the most of her final days.", + "poster": "https://image.tmdb.org/t/p/w500/qDWA7fB4cZ4sBP6YgwlxvraDHi7.jpg", + "url": "https://www.themoviedb.org/movie/504253", "genres": [ "Animation", - "Family", - "Adventure", - "Fantasy" + "Drama", + "Romance" ], "tags": [ - "friendship", - "hope", - "fox", - "horse", - "based on children's book", - "kindness", - "family", - "candid", - "hand drawn animation", - "short film", - "courage", - "appreciative", - "dignified", - "hopeful" + "based on novel or book", + "terminal illness", + "tragedy", + "hospital", + "shocking", + "anime", + "depressing", + "melodramatic" + ] + }, + { + "ranking": 100, + "title": "Mommy", + "year": "2014", + "runtime": 138, + "content_rating": null, + "metascore": null, + "imdb_rating": 8.233, + "vote_count": 2744, + "description": "A peculiar neighbor offers hope to a recent widow who is struggling to raise a teenager who is unpredictable and, sometimes, violent.", + "poster": "https://image.tmdb.org/t/p/w500/3zyQtPg3avKprmJP2gBiYgyWUQC.jpg", + "url": "https://www.themoviedb.org/movie/265177", + "genres": [ + "Drama" + ], + "tags": [ + "canada", + "parent child relationship", + "karaoke", + "quebec", + "dysfunctional family", + "coming of age", + "single mother", + "juvenile delinquent", + "mental illness", + "dream sequence", + "institutionalization", + "oedipus complex", + "behavioral disorders", + "mother son relationship" ] }, { @@ -3506,35 +3538,26 @@ ] }, { - "ranking": 100, - "title": "Mommy", - "year": "2014", - "runtime": 138, + "ranking": 104, + "title": "Il Sorpasso", + "year": "1962", + "runtime": 105, "content_rating": null, "metascore": null, - "imdb_rating": 8.233, - "vote_count": 2744, - "description": "A peculiar neighbor offers hope to a recent widow who is struggling to raise a teenager who is unpredictable and, sometimes, violent.", - "poster": "https://image.tmdb.org/t/p/w500/3zyQtPg3avKprmJP2gBiYgyWUQC.jpg", - "url": "https://www.themoviedb.org/movie/265177", + "imdb_rating": 8.224, + "vote_count": 784, + "description": "Roberto, a shy law student in Rome, meets Bruno, a forty-year-old exuberant, capricious man, who takes him for a drive through the Roman and Tuscany countries in the summer. When their journey starts to blend into their daily lives though, the pair’s newfound friendship is tested.", + "poster": "https://image.tmdb.org/t/p/w500/4h1ckrJQVcQYjeOkqS8i9BqZ9MI.jpg", + "url": "https://www.themoviedb.org/movie/24188", "genres": [ - "Drama" + "Drama", + "Comedy" ], "tags": [ - "canada", - "parent child relationship", - "karaoke", - "quebec", - "dysfunctional family", - "coming of age", - "single mother", - "juvenile delinquent", - "mental illness", - "dream sequence", - "institutionalization", - "oedipus complex", - "behavioral disorders", - "mother son relationship" + "italian", + "summer", + "seaside", + "road movie" ] }, { @@ -3581,109 +3604,6 @@ "duringcreditsstinger" ] }, - { - "ranking": 103, - "title": "Woman in the Dunes", - "year": "1964", - "runtime": 147, - "content_rating": null, - "metascore": null, - "imdb_rating": 8.2, - "vote_count": 463, - "description": "A vacationing entomologist suffers extreme physical and psychological trauma after being taken captive by the residents of a poor seaside village and made to live with a woman whose life task is shoveling sand for them.", - "poster": "https://image.tmdb.org/t/p/w500/f0JpsMQ9oEjKBD66Ky3qK3z7LGT.jpg", - "url": "https://www.themoviedb.org/movie/16672", - "genres": [ - "Drama", - "Thriller" - ], - "tags": [ - "based on novel or book", - "insect", - "sand", - "art house", - "water shortage", - "psychological thriller", - "black and white", - "held captive", - "skin", - "trapped", - "missing person", - "sexual torture", - "sand dune", - "erotic photography", - "water pump", - "japanese new wave", - "slave labor", - "entomologist", - "escape attempt", - "sand pit", - "forced labor", - "texture", - "avant garde", - "disappeared", - "barbaric behavior" - ] - }, - { - "ranking": 104, - "title": "Il Sorpasso", - "year": "1962", - "runtime": 105, - "content_rating": null, - "metascore": null, - "imdb_rating": 8.224, - "vote_count": 784, - "description": "Roberto, a shy law student in Rome, meets Bruno, a forty-year-old exuberant, capricious man, who takes him for a drive through the Roman and Tuscany countries in the summer. When their journey starts to blend into their daily lives though, the pair’s newfound friendship is tested.", - "poster": "https://image.tmdb.org/t/p/w500/4h1ckrJQVcQYjeOkqS8i9BqZ9MI.jpg", - "url": "https://www.themoviedb.org/movie/24188", - "genres": [ - "Drama", - "Comedy" - ], - "tags": [ - "italian", - "summer", - "seaside", - "road movie" - ] - }, - { - "ranking": 105, - "title": "Wolf Children", - "year": "2012", - "runtime": 117, - "content_rating": null, - "metascore": null, - "imdb_rating": 8.2, - "vote_count": 2314, - "description": "After her werewolf lover unexpectedly dies in an accident, a woman must find a way to raise the son and daughter that she had with him. However, their inheritance of their father's traits prove to be a challenge for her.", - "poster": "https://image.tmdb.org/t/p/w500/3Nllh6JgcrFdtOn6iFOWHudNInd.jpg", - "url": "https://www.themoviedb.org/movie/110420", - "genres": [ - "Animation", - "Family", - "Drama", - "Fantasy" - ], - "tags": [ - "wolf", - "forest", - "death of father", - "growing up", - "rural area", - "werewolf", - "single mother", - "adult animation", - "werewolf child", - "farming community", - "farming", - "anime", - "mother son relationship", - "mother daughter relationship", - "brother sister relationship" - ] - }, { "ranking": 106, "title": "The Matrix", @@ -3755,6 +3675,86 @@ "disrespectful" ] }, + { + "ranking": 105, + "title": "Wolf Children", + "year": "2012", + "runtime": 117, + "content_rating": null, + "metascore": null, + "imdb_rating": 8.2, + "vote_count": 2314, + "description": "After her werewolf lover unexpectedly dies in an accident, a woman must find a way to raise the son and daughter that she had with him. However, their inheritance of their father's traits prove to be a challenge for her.", + "poster": "https://image.tmdb.org/t/p/w500/3Nllh6JgcrFdtOn6iFOWHudNInd.jpg", + "url": "https://www.themoviedb.org/movie/110420", + "genres": [ + "Animation", + "Family", + "Drama", + "Fantasy" + ], + "tags": [ + "wolf", + "forest", + "death of father", + "growing up", + "rural area", + "werewolf", + "single mother", + "adult animation", + "werewolf child", + "farming community", + "farming", + "anime", + "mother son relationship", + "mother daughter relationship", + "brother sister relationship" + ] + }, + { + "ranking": 103, + "title": "Woman in the Dunes", + "year": "1964", + "runtime": 147, + "content_rating": null, + "metascore": null, + "imdb_rating": 8.2, + "vote_count": 463, + "description": "A vacationing entomologist suffers extreme physical and psychological trauma after being taken captive by the residents of a poor seaside village and made to live with a woman whose life task is shoveling sand for them.", + "poster": "https://image.tmdb.org/t/p/w500/f0JpsMQ9oEjKBD66Ky3qK3z7LGT.jpg", + "url": "https://www.themoviedb.org/movie/16672", + "genres": [ + "Drama", + "Thriller" + ], + "tags": [ + "based on novel or book", + "insect", + "sand", + "art house", + "water shortage", + "psychological thriller", + "black and white", + "held captive", + "skin", + "trapped", + "missing person", + "sexual torture", + "sand dune", + "erotic photography", + "water pump", + "japanese new wave", + "slave labor", + "entomologist", + "escape attempt", + "sand pit", + "forced labor", + "texture", + "avant garde", + "disappeared", + "barbaric behavior" + ] + }, { "ranking": 108, "title": "Saving Private Ryan", @@ -3799,6 +3799,61 @@ "massive casualties" ] }, + { + "ranking": 111, + "title": "Wolfwalkers", + "year": "2020", + "runtime": 103, + "content_rating": null, + "metascore": null, + "imdb_rating": 8.216, + "vote_count": 1232, + "description": "In a time of superstition and magic, when wolves are seen as demonic and nature an evil to be tamed, a young apprentice hunter comes to Ireland with her father to wipe out the last pack. But when she saves a wild native girl, their friendship leads her to discover the world of the Wolfwalkers and transform her into the very thing her father is tasked to destroy.", + "poster": "https://image.tmdb.org/t/p/w500/ehAKuE48okTuonq6TpsNQj8vFTC.jpg", + "url": "https://www.themoviedb.org/movie/441130", + "genres": [ + "Animation", + "Family", + "Adventure", + "Fantasy" + ], + "tags": [ + "friendship", + "wolf", + "magic", + "fairy tale", + "shapeshifting", + "wolf's lair", + "feral child", + "forest", + "woods", + "female protagonist", + "ireland", + "family", + "folklore", + "werewolf child", + "curious", + "calm", + "healer", + "reflective", + "wolves", + "irish folklore", + "hand drawn animation", + "father daughter relationship", + "mother daughter relationship", + "serene", + "fantasy", + "1600s", + "enchanted forest", + "admiring", + "adoring", + "comforting", + "compassionate", + "enchant", + "excited", + "gentle" + ] + }, { "ranking": 109, "title": "Gladiator", @@ -3875,97 +3930,6 @@ "familiar" ] }, - { - "ranking": 111, - "title": "Wolfwalkers", - "year": "2020", - "runtime": 103, - "content_rating": null, - "metascore": null, - "imdb_rating": 8.216, - "vote_count": 1232, - "description": "In a time of superstition and magic, when wolves are seen as demonic and nature an evil to be tamed, a young apprentice hunter comes to Ireland with her father to wipe out the last pack. But when she saves a wild native girl, their friendship leads her to discover the world of the Wolfwalkers and transform her into the very thing her father is tasked to destroy.", - "poster": "https://image.tmdb.org/t/p/w500/ehAKuE48okTuonq6TpsNQj8vFTC.jpg", - "url": "https://www.themoviedb.org/movie/441130", - "genres": [ - "Animation", - "Family", - "Adventure", - "Fantasy" - ], - "tags": [ - "friendship", - "wolf", - "magic", - "fairy tale", - "shapeshifting", - "wolf's lair", - "feral child", - "forest", - "woods", - "female protagonist", - "ireland", - "family", - "folklore", - "werewolf child", - "curious", - "calm", - "healer", - "reflective", - "wolves", - "irish folklore", - "hand drawn animation", - "father daughter relationship", - "mother daughter relationship", - "serene", - "fantasy", - "1600s", - "enchanted forest", - "admiring", - "adoring", - "comforting", - "compassionate", - "enchant", - "excited", - "gentle" - ] - }, - { - "ranking": 112, - "title": "Inglourious Basterds", - "year": "2009", - "runtime": 153, - "content_rating": null, - "metascore": null, - "imdb_rating": 8.2, - "vote_count": 22706, - "description": "In Nazi-occupied France during World War II, a group of Jewish-American soldiers known as \"The Basterds\" are chosen specifically to spread fear throughout the Third Reich by scalping and brutally killing Nazis. The Basterds, lead by Lt. Aldo Raine soon cross paths with a French-Jewish teenage girl who runs a movie theater in Paris which is targeted by the soldiers.", - "poster": "https://image.tmdb.org/t/p/w500/7sfbEnaARXDDhKm0CZ7D7uc2sbo.jpg", - "url": "https://www.themoviedb.org/movie/16869", - "genres": [ - "Drama", - "Thriller", - "War" - ], - "tags": [ - "guerrilla warfare", - "swastika", - "paris, france", - "nazi", - "self sacrifice", - "sadism", - "dynamite", - "mexican standoff", - "world war ii", - "jew persecution", - "masochism", - "anti-semitism", - "german occupation of france", - "british politics", - "revisionist history", - "adolf hitler" - ] - }, { "ranking": 113, "title": "The Handmaiden", @@ -4007,35 +3971,110 @@ ] }, { - "ranking": 114, - "title": "Witness for the Prosecution", - "year": "1957", - "runtime": 116, + "ranking": 119, + "title": "Star Wars", + "year": "1977", + "runtime": 121, "content_rating": null, "metascore": null, "imdb_rating": 8.2, - "vote_count": 1460, - "description": "An ailing famous barrister agrees to defend a man in a sensational murder trial where his self-possessed wife's unconvincing testimony confuses him.", - "poster": "https://image.tmdb.org/t/p/w500/mM5Cad2ESBprh6ucPnMzMfI34Cu.jpg", - "url": "https://www.themoviedb.org/movie/37257", + "vote_count": 21015, + "description": "Princess Leia is captured and held hostage by the evil Imperial forces in their effort to take over the galactic Empire. Venturesome Luke Skywalker and dashing captain Han Solo team together with the loveable robot duo R2-D2 and C-3PO to rescue the beautiful princess and restore peace and justice in the Empire.", + "poster": "https://image.tmdb.org/t/p/w500/6FfCtAuVAW8XJjZ7eWeLibRLWTw.jpg", + "url": "https://www.themoviedb.org/movie/11", "genres": [ - "Drama", - "Mystery", - "Crime" + "Adventure", + "Action", + "Science Fiction" + ], + "tags": [ + "empire", + "galaxy", + "rebellion", + "android", + "hermit", + "smuggling (contraband)", + "freedom", + "rebel", + "rescue mission", + "space", + "planet", + "desert", + "super power", + "oppression", + "space opera", + "wizard", + "totalitarianism" + ] + }, + { + "ranking": 117, + "title": "The Help", + "year": "2011", + "runtime": 146, + "content_rating": null, + "metascore": null, + "imdb_rating": 8.2, + "vote_count": 8476, + "description": "Aibileen Clark is a middle-aged African-American maid who has spent her life raising white children and has recently lost her only son; Minny Jackson is an African-American maid who has often offended her employers despite her family's struggles with money and her desperate need for jobs; and Eugenia \"Skeeter\" Phelan is a young white woman who has recently moved back home after graduating college to find out her childhood maid has mysteriously disappeared. These three stories intertwine to explain how life in Jackson, Mississippi revolves around \"the help\"; yet they are always kept at a certain distance because of racial lines.", + "poster": "https://image.tmdb.org/t/p/w500/3kmfoWWEc9Vtyuaf9v5VipRgdjx.jpg", + "url": "https://www.themoviedb.org/movie/50014", + "genres": [ + "Drama" ], "tags": [ "based on novel or book", - "nurse", - "widow", - "cigarette", - "alibi", - "letter", - "trial", - "murder", - "lawyer", - "courtroom", - "murder mystery", - "tiki culture" + "mississippi river", + "exploitation", + "racial segregation", + "racism", + "writer", + "maid", + "moral courage", + "ressentiment", + "southern belle", + "racial issues", + "1960s", + "newspaper columnist", + "desperate", + "cautionary", + "authoritarian" + ] + }, + { + "ranking": 112, + "title": "Inglourious Basterds", + "year": "2009", + "runtime": 153, + "content_rating": null, + "metascore": null, + "imdb_rating": 8.2, + "vote_count": 22706, + "description": "In Nazi-occupied France during World War II, a group of Jewish-American soldiers known as \"The Basterds\" are chosen specifically to spread fear throughout the Third Reich by scalping and brutally killing Nazis. The Basterds, lead by Lt. Aldo Raine soon cross paths with a French-Jewish teenage girl who runs a movie theater in Paris which is targeted by the soldiers.", + "poster": "https://image.tmdb.org/t/p/w500/7sfbEnaARXDDhKm0CZ7D7uc2sbo.jpg", + "url": "https://www.themoviedb.org/movie/16869", + "genres": [ + "Drama", + "Thriller", + "War" + ], + "tags": [ + "guerrilla warfare", + "swastika", + "paris, france", + "nazi", + "self sacrifice", + "sadism", + "dynamite", + "mexican standoff", + "world war ii", + "jew persecution", + "masochism", + "anti-semitism", + "german occupation of france", + "british politics", + "revisionist history", + "adolf hitler" ] }, { @@ -4120,6 +4159,41 @@ "antagonistic" ] }, + { + "ranking": 118, + "title": "Coco", + "year": "2017", + "runtime": 105, + "content_rating": null, + "metascore": null, + "imdb_rating": 8.204, + "vote_count": 19858, + "description": "Despite his family’s baffling generations-old ban on music, Miguel dreams of becoming an accomplished musician like his idol, Ernesto de la Cruz. Desperate to prove his talent, Miguel finds himself in the stunning and colorful Land of the Dead following a mysterious chain of events. Along the way, he meets charming trickster Hector, and together, they set off on an extraordinary journey to unlock the real story behind Miguel's family history.", + "poster": "https://image.tmdb.org/t/p/w500/gGEsBPAijhVUFoiNpgZXqRVWJt2.jpg", + "url": "https://www.themoviedb.org/movie/354912", + "genres": [ + "Family", + "Animation", + "Music", + "Adventure" + ], + "tags": [ + "skeleton", + "mexico", + "guitar", + "afterlife", + "musician", + "holiday", + "villain", + "singer", + "murderer", + "life after death", + "child", + "day of the dead", + "music", + "boy" + ] + }, { "ranking": 116, "title": "Demon Slayer -Kimetsu no Yaiba- The Movie: Mugen Train", @@ -4160,112 +4234,6 @@ "taisho period" ] }, - { - "ranking": 117, - "title": "The Help", - "year": "2011", - "runtime": 146, - "content_rating": null, - "metascore": null, - "imdb_rating": 8.2, - "vote_count": 8476, - "description": "Aibileen Clark is a middle-aged African-American maid who has spent her life raising white children and has recently lost her only son; Minny Jackson is an African-American maid who has often offended her employers despite her family's struggles with money and her desperate need for jobs; and Eugenia \"Skeeter\" Phelan is a young white woman who has recently moved back home after graduating college to find out her childhood maid has mysteriously disappeared. These three stories intertwine to explain how life in Jackson, Mississippi revolves around \"the help\"; yet they are always kept at a certain distance because of racial lines.", - "poster": "https://image.tmdb.org/t/p/w500/3kmfoWWEc9Vtyuaf9v5VipRgdjx.jpg", - "url": "https://www.themoviedb.org/movie/50014", - "genres": [ - "Drama" - ], - "tags": [ - "based on novel or book", - "mississippi river", - "exploitation", - "racial segregation", - "racism", - "writer", - "maid", - "moral courage", - "ressentiment", - "southern belle", - "racial issues", - "1960s", - "newspaper columnist", - "desperate", - "cautionary", - "authoritarian" - ] - }, - { - "ranking": 118, - "title": "Coco", - "year": "2017", - "runtime": 105, - "content_rating": null, - "metascore": null, - "imdb_rating": 8.204, - "vote_count": 19858, - "description": "Despite his family’s baffling generations-old ban on music, Miguel dreams of becoming an accomplished musician like his idol, Ernesto de la Cruz. Desperate to prove his talent, Miguel finds himself in the stunning and colorful Land of the Dead following a mysterious chain of events. Along the way, he meets charming trickster Hector, and together, they set off on an extraordinary journey to unlock the real story behind Miguel's family history.", - "poster": "https://image.tmdb.org/t/p/w500/gGEsBPAijhVUFoiNpgZXqRVWJt2.jpg", - "url": "https://www.themoviedb.org/movie/354912", - "genres": [ - "Family", - "Animation", - "Music", - "Adventure" - ], - "tags": [ - "skeleton", - "mexico", - "guitar", - "afterlife", - "musician", - "holiday", - "villain", - "singer", - "murderer", - "life after death", - "child", - "day of the dead", - "music", - "boy" - ] - }, - { - "ranking": 119, - "title": "Star Wars", - "year": "1977", - "runtime": 121, - "content_rating": null, - "metascore": null, - "imdb_rating": 8.2, - "vote_count": 21015, - "description": "Princess Leia is captured and held hostage by the evil Imperial forces in their effort to take over the galactic Empire. Venturesome Luke Skywalker and dashing captain Han Solo team together with the loveable robot duo R2-D2 and C-3PO to rescue the beautiful princess and restore peace and justice in the Empire.", - "poster": "https://image.tmdb.org/t/p/w500/6FfCtAuVAW8XJjZ7eWeLibRLWTw.jpg", - "url": "https://www.themoviedb.org/movie/11", - "genres": [ - "Adventure", - "Action", - "Science Fiction" - ], - "tags": [ - "empire", - "galaxy", - "rebellion", - "android", - "hermit", - "smuggling (contraband)", - "freedom", - "rebel", - "rescue mission", - "space", - "planet", - "desert", - "super power", - "oppression", - "space opera", - "wizard", - "totalitarianism" - ] - }, { "ranking": 120, "title": "The Prestige", @@ -4314,5 +4282,92727 @@ "tense", "mind-blowing" ] + }, + { + "ranking": 114, + "title": "Witness for the Prosecution", + "year": "1957", + "runtime": 116, + "content_rating": null, + "metascore": null, + "imdb_rating": 8.2, + "vote_count": 1460, + "description": "An ailing famous barrister agrees to defend a man in a sensational murder trial where his self-possessed wife's unconvincing testimony confuses him.", + "poster": "https://image.tmdb.org/t/p/w500/mM5Cad2ESBprh6ucPnMzMfI34Cu.jpg", + "url": "https://www.themoviedb.org/movie/37257", + "genres": [ + "Drama", + "Mystery", + "Crime" + ], + "tags": [ + "based on novel or book", + "nurse", + "widow", + "cigarette", + "alibi", + "letter", + "trial", + "murder", + "lawyer", + "courtroom", + "murder mystery", + "tiki culture" + ] + }, + { + "ranking": 121, + "title": "The Art of Racing in the Rain", + "year": "2019", + "runtime": 109, + "content_rating": null, + "metascore": null, + "imdb_rating": 8.201, + "vote_count": 1517, + "description": "A family dog – with a near-human soul and a philosopher's mind – evaluates his life through the lessons learned by his human owner, a race-car driver.", + "poster": "https://image.tmdb.org/t/p/w500/mi5VN4ww0JZgRFJIaPxxTGKjUg7.jpg", + "url": "https://www.themoviedb.org/movie/522924", + "genres": [ + "Drama", + "Romance" + ], + "tags": [ + "friendship", + "washington dc, usa", + "based on novel or book", + "car race", + "sports", + "reincarnation", + "race car driver", + "dog", + "animals", + "pets", + "father daughter relationship", + "animal narrator" + ] + }, + { + "ranking": 123, + "title": "Ultraman: Rising", + "year": "2024", + "runtime": 117, + "content_rating": null, + "metascore": null, + "imdb_rating": 8.199, + "vote_count": 316, + "description": "A star athlete reluctantly returns home to take over his father's duties as Ultraman, shielding Tokyo from giant monsters as he becomes a legendary hero.", + "poster": "https://image.tmdb.org/t/p/w500/cYaThZqtLuBThBcrV6YRLLwL8F5.jpg", + "url": "https://www.themoviedb.org/movie/829402", + "genres": [ + "Animation", + "Science Fiction", + "Family", + "Action" + ], + "tags": [ + "hero", + "superhero", + "villain", + "baseball player", + "kaiju", + "duringcreditsstinger", + "supervillain", + "kyodai hero", + "3d animation", + "ultraman", + "henshin heroes" + ] + }, + { + "ranking": 122, + "title": "Shutter Island", + "year": "2010", + "runtime": 138, + "content_rating": null, + "metascore": null, + "imdb_rating": 8.201, + "vote_count": 24383, + "description": "World War II soldier-turned-U.S. Marshal Teddy Daniels investigates the disappearance of a patient from a hospital for the criminally insane, but his efforts are compromised by troubling visions and a mysterious doctor.", + "poster": "https://image.tmdb.org/t/p/w500/nrmXQ0zcZUL8jFLrakWc90IR8z9.jpg", + "url": "https://www.themoviedb.org/movie/11324", + "genres": [ + "Drama", + "Thriller", + "Mystery" + ], + "tags": [ + "island", + "based on novel or book", + "hurricane", + "investigation", + "u.s. marshal", + "conspiracy theory", + "psychiatric hospital", + "psychological thriller", + "whodunit", + "neo-noir", + "1950s", + "complex", + "dreary", + "tense", + "baffled" + ] + }, + { + "ranking": 128, + "title": "Doctor Who: The Day of the Doctor", + "year": "2013", + "runtime": 77, + "content_rating": null, + "metascore": null, + "imdb_rating": 8.2, + "vote_count": 750, + "description": "In 2013, something terrible is awakening in London's National Gallery; in 1562, a murderous plot is afoot in Elizabethan England; and somewhere in space an ancient battle reaches its devastating conclusion. All of reality is at stake as the Doctor's own dangerous past comes back to haunt him.", + "poster": "https://image.tmdb.org/t/p/w500/yxLra5R61s5J4M5L3mqOY42K5md.jpg", + "url": "https://www.themoviedb.org/movie/313106", + "genres": [ + "Science Fiction", + "Adventure" + ], + "tags": [ + "time travel", + "time machine", + "alien", + "tv special", + "war", + "crossover" + ] + }, + { + "ranking": 124, + "title": "My Mom Is a Character 3", + "year": "2019", + "runtime": 111, + "content_rating": null, + "metascore": null, + "imdb_rating": 8.199, + "vote_count": 478, + "description": "Dona Hermínia will have to rediscover and reinvent herself because her children are forming new families. This supermom will have to deal with a new life scenario: Marcelina is pregnant and Juliano is getting married.", + "poster": "https://image.tmdb.org/t/p/w500/zw77BFPGJ73Lig8GwRzYj1XHq53.jpg", + "url": "https://www.themoviedb.org/movie/620683", + "genres": [ + "Comedy" + ], + "tags": [] + }, + { + "ranking": 129, + "title": "Maquia: When the Promised Flower Blooms", + "year": "2018", + "runtime": 115, + "content_rating": null, + "metascore": null, + "imdb_rating": 8.188, + "vote_count": 643, + "description": "Maquia is a member of a special race called the Iorph who can live for hundreds of years. However, Maquia has always felt lonely despite being surrounded by her people, as she was orphaned from a young age. She daydreams about the outside world, but dares not travel from her home due to the warnings of the clan's chief. One day the kingdom of Mezarte invades her homeland. They already have what is left of the giant dragons, the Renato, under their control, and now their king wishes to add the immortality to his bloodline. They ravage the Iorph homeland and kill most of its inhabitants. Caught in the midst of the attack, Maquia is carried off by one of the Renato. It soon dies, and she is left deserted in a forest, now truly alone save for the cries of a single baby off in the distance. Maquia finds the baby in a destroyed village and decides to raise him as her own, naming him Ariel. Although she knows nothing of the human world, how to raise a child that ages much faster than her.", + "poster": "https://image.tmdb.org/t/p/w500/dtYkdgDAAMrAPm1cCW89FcqNSRq.jpg", + "url": "https://www.themoviedb.org/movie/476292", + "genres": [ + "Animation", + "Fantasy", + "Drama", + "Adventure" + ], + "tags": [ + "family relationships", + "coming of age", + "tragedy", + "dragon", + "military", + "anime", + "high fantasy", + "josei", + "family life", + "time skip" + ] + }, + { + "ranking": 127, + "title": "Hacksaw Ridge", + "year": "2016", + "runtime": 139, + "content_rating": null, + "metascore": null, + "imdb_rating": 8.193, + "vote_count": 14010, + "description": "WWII American Army Medic Desmond T. Doss, who served during the Battle of Okinawa, refuses to kill people and becomes the first Conscientious Objector in American history to receive the Congressional Medal of Honor.", + "poster": "https://image.tmdb.org/t/p/w500/jhWbYeUNOA5zAb6ufK6pXQFXqTX.jpg", + "url": "https://www.themoviedb.org/movie/324786", + "genres": [ + "Drama", + "History", + "War" + ], + "tags": [ + "japan", + "hero", + "world war ii", + "abusive father", + "affectation", + "pacifism", + "bible", + "gore", + "vegetarian", + "biography", + "based on true story", + "okinawa", + "conscientious objector", + "religion", + "soldier", + "alcoholic", + "war hero", + "pacifist", + "medic", + "us military", + "battle of okinawa", + "congressional medal of honor", + "amused", + "combat medic", + "weaponless", + "seventh-day adventists" + ] + }, + { + "ranking": 126, + "title": "Michael Jackson's Thriller", + "year": "1983", + "runtime": 14, + "content_rating": null, + "metascore": null, + "imdb_rating": 8.2, + "vote_count": 697, + "description": "A night at the movies turns into a nightmare when Michael and his date are attacked by a horde of bloody-thirsty zombies. On top of the success of the Thriller album and Michael Jackson's electrifying performance at Motown 25, the short film/music video for \"Thriller\" established Jackson as an international superstar and global phenomenon. Thriller is credited for transforming music videos into a serious art form, breaking down racial barriers in popular entertainment, popularizing the making-of documentary format and creating a home video market. The success transformed Jackson into a dominant force in global pop culture. In 2009, it became the first music video inducted into the United States National Film Registry by the Library of Congress as \"culturally, historically or aesthetically significant\". \"Thriller\" was also Jackson's seventh and final U.S. Hot 100 Top 10 hit from the Thriller album. It was the first album in history to have seven U.S. Top 10s.", + "poster": "https://image.tmdb.org/t/p/w500/dYHGoPMkZMVuBA4EydmDQMo1EEv.jpg", + "url": "https://www.themoviedb.org/movie/92060", + "genres": [ + "Horror", + "Music", + "Mystery" + ], + "tags": [ + "dancing", + "date", + "narration", + "music video", + "zombie", + "werewolf", + "graveyard", + "zombies" + ] + }, + { + "ranking": 125, + "title": "The Apartment", + "year": "1960", + "runtime": 125, + "content_rating": null, + "metascore": null, + "imdb_rating": 8.198, + "vote_count": 2393, + "description": "Bud Baxter is a minor clerk in a huge New York insurance company, until he discovers a quick way to climb the corporate ladder. He lends out his apartment to the executives as a place to take their mistresses. Although he often has to deal with the aftermath of their visits, one night he's left with a major problem to solve.", + "poster": "https://image.tmdb.org/t/p/w500/hhSRt1KKfRT0yEhEtRW3qp31JFU.jpg", + "url": "https://www.themoviedb.org/movie/284", + "genres": [ + "Comedy", + "Drama", + "Romance" + ], + "tags": [ + "new year's eve", + "new york city", + "lovesickness", + "clerk", + "winter", + "age difference", + "suicide attempt", + "office", + "flat", + "spaghetti", + "tennis racket", + "romcom", + "black and white", + "extramarital affair", + "christmas" + ] + }, + { + "ranking": 135, + "title": "20th Century Girl", + "year": "2022", + "runtime": 119, + "content_rating": null, + "metascore": null, + "imdb_rating": 8.2, + "vote_count": 721, + "description": "In 1999, a teen girl keeps close tabs on a boy in school on behalf of her deeply smitten best friend – then she gets swept up in a love story of her own.", + "poster": "https://image.tmdb.org/t/p/w500/dbhk3PV7TmaL0FcelsArLFW0rRO.jpg", + "url": "https://www.themoviedb.org/movie/851644", + "genres": [ + "Romance", + "Drama" + ], + "tags": [ + "coming of age", + "teenage girl", + "first love", + "city life", + "coming out of habits", + "fresh city", + "dreaming of a girl" + ] + }, + { + "ranking": 131, + "title": "The Seventh Seal", + "year": "1957", + "runtime": 96, + "content_rating": null, + "metascore": null, + "imdb_rating": 8.185, + "vote_count": 3068, + "description": "When disillusioned Swedish knight Antonius Block returns home from the Crusades to find his country in the grips of the Black Death, he challenges Death to a chess match for his life. Tormented by the belief that God does not exist, Block sets off on a journey, meeting up with traveling players Jof and his wife, Mia, and becoming determined to evade Death long enough to commit one redemptive act while he still lives.", + "poster": "https://image.tmdb.org/t/p/w500/wcZ21zrOsy0b52AfAF50XpTiv75.jpg", + "url": "https://www.themoviedb.org/movie/490", + "genres": [ + "Fantasy", + "Drama" + ], + "tags": [ + "witch", + "dying and death", + "blacksmith", + "chess", + "countryside", + "allegory", + "crusade", + "artist", + "juggler", + "witch burning", + "last judgment", + "symbolism", + "sense of life", + "matter of life and death", + "grim reaper", + "black and white", + "demon", + "belief in god", + "middle ages (476-1453)", + "meaning of life", + "virgin mary", + "black death", + "playing chess", + "death personified", + "death incarnate", + "life teacher", + "metaphysical", + "14th century", + "seeking a god", + "relaxed", + "metaphysical drama", + "metaphysics, mysticism, kabbalah, spiritism", + "the virgin mary" + ] + }, + { + "ranking": 134, + "title": "Bicycle Thieves", + "year": "1948", + "runtime": 89, + "content_rating": null, + "metascore": null, + "imdb_rating": 8.2, + "vote_count": 2466, + "description": "Unemployed Antonio is elated when he finally finds work hanging posters around war-torn Rome. However on his first day, his bicycle—essential to his work—gets stolen. His job is doomed unless he can find the thief. With the help of his son, Antonio combs the city, becoming desperate for justice.", + "poster": "https://image.tmdb.org/t/p/w500/abmxGiCV04NQj4jngbSQTGLgiC1.jpg", + "url": "https://www.themoviedb.org/movie/5156", + "genres": [ + "Drama" + ], + "tags": [ + "rome, italy", + "italian", + "society", + "riding a bicycle", + "search", + "poster", + "thief", + "stolen bicycle", + "madame", + "unemployment", + "realism", + "neo realism", + "italian neo realism" + ] + }, + { + "ranking": 140, + "title": "Investigation of a Citizen Above Suspicion", + "year": "1970", + "runtime": 111, + "content_rating": null, + "metascore": null, + "imdb_rating": 8.2, + "vote_count": 806, + "description": "Rome, Italy. After committing a heinous crime, a senior police officer exposes evidence incriminating him because his moral commitment prevents him from circumventing the law and the social order it protects.", + "poster": "https://image.tmdb.org/t/p/w500/vPTZwlq1IC4o1DCsEZEl2uGljzm.jpg", + "url": "https://www.themoviedb.org/movie/26451", + "genres": [ + "Drama", + "Thriller" + ], + "tags": [ + "police brutality", + "rome, italy", + "black humor", + "social satire", + "sexual sadism", + "masochist", + "crime investigation", + "political repression", + "power abuse", + "kafkaesque" + ] + }, + { + "ranking": 130, + "title": "A Clockwork Orange", + "year": "1971", + "runtime": 137, + "content_rating": null, + "metascore": null, + "imdb_rating": 8.188, + "vote_count": 13098, + "description": "In a near-future Britain, young Alexander DeLarge and his pals get their kicks beating and raping anyone they please. When not destroying the lives of others, Alex swoons to the music of Beethoven. The state, eager to crack down on juvenile crime, gives an incarcerated Alex the option to undergo an invasive procedure that'll rob him of all personal agency. In a time when conscience is a commodity, can Alex change his tune?", + "poster": "https://image.tmdb.org/t/p/w500/4sHeTAp65WrSSuc05nRBKddhBxO.jpg", + "url": "https://www.themoviedb.org/movie/185", + "genres": [ + "Science Fiction", + "Crime" + ], + "tags": [ + "london, england", + "robbery", + "street gang", + "great britain", + "based on novel or book", + "nihilism", + "parent child relationship", + "society", + "sexuality", + "social worker", + "psychopath", + "dystopia", + "dark comedy", + "satire", + "beating", + "juvenile delinquent", + "home invasion", + "sex crime", + "speculative", + "futuristic society", + "philosophical", + "ultraviolence", + "social decay", + "dreary", + "cautionary", + "critical", + "tense", + "intense", + "audacious", + "mean spirited" + ] + }, + { + "ranking": 137, + "title": "Memento", + "year": "2000", + "runtime": 113, + "content_rating": null, + "metascore": null, + "imdb_rating": 8.2, + "vote_count": 15186, + "description": "Leonard Shelby is tracking down the man who raped and murdered his wife. The difficulty of locating his wife's killer, however, is compounded by the fact that he suffers from a rare, untreatable form of short-term memory loss. Although he can recall details of life before his accident, Leonard cannot remember what happened fifteen minutes ago, where he's going, or why.", + "poster": "https://image.tmdb.org/t/p/w500/fKTPH2WvH8nHTXeBYBVhawtRqtR.jpg", + "url": "https://www.themoviedb.org/movie/77", + "genres": [ + "Mystery", + "Thriller" + ], + "tags": [ + "drug dealer", + "amnesia", + "insulin", + "tattoo", + "waitress", + "insurance salesman", + "motel", + "manipulation", + "flashback", + "confusion", + "revenge", + "murder", + "memory loss", + "memory", + "psychological thriller", + "whodunit", + "los angeles, california", + "polaroid", + "based on short story", + "nonlinear timeline", + "individuality", + "phone call", + "neo-noir", + "somber", + "reverse chronology", + "dreary", + "vindictive", + "remember", + "suspenseful", + "tense" + ] + }, + { + "ranking": 133, + "title": "Top Gun: Maverick", + "year": "2022", + "runtime": 131, + "content_rating": null, + "metascore": null, + "imdb_rating": 8.181, + "vote_count": 9697, + "description": "After more than thirty years of service as one of the Navy’s top aviators, and dodging the advancement in rank that would ground him, Pete “Maverick” Mitchell finds himself training a detachment of TOP GUN graduates for a specialized mission the likes of which no living pilot has ever seen.", + "poster": "https://image.tmdb.org/t/p/w500/62HCnUTziyWcpDaBO2i1DX17ljH.jpg", + "url": "https://www.themoviedb.org/movie/361743", + "genres": [ + "Action", + "Drama" + ], + "tags": [ + "fighter pilot", + "u.s. navy", + "sequel", + "nuclear weapons", + "military", + "aircraft carrier", + "naval aviation", + "war", + "admiring", + "audacious", + "earnest" + ] + }, + { + "ranking": 138, + "title": "The Usual Suspects", + "year": "1995", + "runtime": 106, + "content_rating": null, + "metascore": null, + "imdb_rating": 8.2, + "vote_count": 10618, + "description": "Held in an L.A. interrogation room, Verbal Kint attempts to convince the feds that a mythic crime lord, Keyser Soze, not only exists, but was also responsible for drawing him and his four partners into a multi-million dollar heist that ended with an explosion in San Pedro harbor – leaving few survivors. Verbal lures his interrogators with an incredible story of the crime lord's almost supernatural prowess.", + "poster": "https://image.tmdb.org/t/p/w500/rWbsxdwF9qQzpTPCLmDfVnVqTK1.jpg", + "url": "https://www.themoviedb.org/movie/629", + "genres": [ + "Drama", + "Crime", + "Thriller" + ], + "tags": [ + "new york city", + "robbery", + "affectation", + "relatives", + "heist", + "flashback", + "police corruption", + "whodunit", + "los angeles, california", + "theft", + "criminal", + "criminal mastermind", + "cargo ship", + "mind game", + "shocking", + "neo-noir", + "mystery villain", + "suspenseful", + "incredulous" + ] + }, + { + "ranking": 136, + "title": "Tokyo Story", + "year": "1953", + "runtime": 137, + "content_rating": null, + "metascore": null, + "imdb_rating": 8.179, + "vote_count": 1096, + "description": "The elderly Shukishi and his wife, Tomi, take the long journey from their small seaside village to visit their adult children in Tokyo. Their elder son, Koichi, a doctor, and their daughter, Shige, a hairdresser, don't have much time to spend with their aged parents, and so it falls to Noriko, the widow of their younger son who was killed in the war, to keep her in-laws company.", + "poster": "https://image.tmdb.org/t/p/w500/g2YbTYKpY7N2yDSk7BfXZ18I5QV.jpg", + "url": "https://www.themoviedb.org/movie/18148", + "genres": [ + "Drama" + ], + "tags": [ + "fish", + "beach", + "dreams", + "baby", + "coma", + "parent child relationship", + "peace", + "boat", + "cake", + "office", + "baseball", + "classroom", + "class", + "lantern", + "lie", + "marriage", + "tea", + "ambition", + "retirement", + "swing", + "family relationships", + "teacher", + "old man", + "honor", + "school", + "tokyo, japan", + "black and white", + "complicated relationships", + "interpersonal relationships", + "shōwa era (1926-89)" + ] + }, + { + "ranking": 139, + "title": "Innocent Voices", + "year": "2005", + "runtime": 120, + "content_rating": null, + "metascore": null, + "imdb_rating": 8.2, + "vote_count": 496, + "description": "A young boy, attempting to have a normal childhood in 1980s El Salvador, is caught up in a dramatic fight for his life when he desperately tries to avoid the war that is raging all around him.", + "poster": "https://image.tmdb.org/t/p/w500/hvwB4LdMCLzqXsk5ZjR77vzPkGk.jpg", + "url": "https://www.themoviedb.org/movie/20941", + "genres": [ + "Drama", + "War" + ], + "tags": [ + "guerrilla warfare", + "el salvador", + "young boy", + "catholic priest", + "child soldier", + "1980s", + "children in wartime" + ] + }, + { + "ranking": 132, + "title": "Django Unchained", + "year": "2012", + "runtime": 165, + "content_rating": null, + "metascore": null, + "imdb_rating": 8.183, + "vote_count": 26621, + "description": "With the help of a German bounty hunter, a freed slave sets out to rescue his wife from a brutal Mississippi plantation owner.", + "poster": "https://image.tmdb.org/t/p/w500/bV0rWoiRo7pHUTQkh6Oio6irlXO.jpg", + "url": "https://www.themoviedb.org/movie/68718", + "genres": [ + "Drama", + "Western" + ], + "tags": [ + "rescue", + "friendship", + "bounty hunter", + "texas", + "slavery", + "plantation", + "rivalry", + "revenge", + "shootout", + "racism", + "kindness", + "dentist", + "django", + "slave trade", + "aftercreditsstinger", + "black slave", + "agreement", + "19th century", + "chattanooga", + "german", + "cotton plantation", + "plantation owner", + "old west", + "western", + "1850s", + "mississippi" + ] + }, + { + "ranking": 141, + "title": "Black Clover: Sword of the Wizard King", + "year": "2023", + "runtime": 113, + "content_rating": null, + "metascore": null, + "imdb_rating": 8.166, + "vote_count": 302, + "description": "As a lionhearted boy who can't wield magic strives for the title of Wizard King, four banished Wizard Kings of yore return to crush the Clover Kingdom.", + "poster": "https://image.tmdb.org/t/p/w500/9YEGawvjaRgnyW6QVcUhFJPFDco.jpg", + "url": "https://www.themoviedb.org/movie/812225", + "genres": [ + "Animation", + "Fantasy", + "Action", + "Adventure" + ], + "tags": [ + "magic", + "based on manga", + "demon", + "wizard", + "shounen", + "anime" + ] + }, + { + "ranking": 143, + "title": "Hamilton", + "year": "2020", + "runtime": 160, + "content_rating": null, + "metascore": null, + "imdb_rating": 8.165, + "vote_count": 1470, + "description": "Presenting the tale of American founding father Alexander Hamilton, this filmed version of the original Broadway smash hit is the story of America then, told by America now.", + "poster": "https://image.tmdb.org/t/p/w500/h1B7tW0t399VDjAcWJh8m87469b.jpg", + "url": "https://www.themoviedb.org/movie/556574", + "genres": [ + "History", + "Drama" + ], + "tags": [ + "adultery", + "corruption", + "upper class", + "presidential election", + "musical", + "biography", + "stage show", + "based on play or musical", + "18th century", + "broadway musical", + "pistol duel", + "revolutionary war", + "founding fathers", + "stage musical", + "filmed play", + "live theatre", + "filmed theater" + ] + }, + { + "ranking": 142, + "title": "Persona", + "year": "1966", + "runtime": 83, + "content_rating": null, + "metascore": null, + "imdb_rating": 8.2, + "vote_count": 2216, + "description": "A young nurse, Alma, is put in charge of Elisabeth Vogler: an actress who is seemingly healthy in all respects, but will not talk. As they spend time together, Alma speaks to Elisabeth constantly, never receiving any answer.", + "poster": "https://image.tmdb.org/t/p/w500/cl0HEZT8UfzLqaMrYTvGNHOfPYj.jpg", + "url": "https://www.themoviedb.org/movie/797", + "genres": [ + "Drama" + ], + "tags": [ + "dreams", + "nurse", + "confession", + "identity crisis", + "mental breakdown", + "betrayal", + "mute", + "patient", + "psychiatry", + "submerged", + "mysterious", + "institution", + "dual personality", + "stage actress", + "duality", + "dissociative identities", + "empathetic" + ] + }, + { + "ranking": 144, + "title": "The Kid", + "year": "1921", + "runtime": 68, + "content_rating": null, + "metascore": null, + "imdb_rating": 8.2, + "vote_count": 2147, + "description": "A tramp cares for a boy after he's abandoned as a newborn by his mother. Later the mother has a change of heart and aches to be reunited with her son.", + "poster": "https://image.tmdb.org/t/p/w500/drgMcyTsySQBnUPGaBThCHGdlWT.jpg", + "url": "https://www.themoviedb.org/movie/10098", + "genres": [ + "Comedy", + "Drama" + ], + "tags": [ + "angel", + "suicide attempt", + "fistfight", + "slapstick comedy", + "black and white", + "class differences", + "foundling", + "silent film", + "dream sequence", + "semi autobiographical", + "car theft", + "little tramp", + "illegitimate child", + "unwed mother", + "abandoned baby", + "out of wedlock child", + "raised like own child", + "good deed doer" + ] + }, + { + "ranking": 147, + "title": "Vertigo", + "year": "1958", + "runtime": 128, + "content_rating": null, + "metascore": null, + "imdb_rating": 8.2, + "vote_count": 5865, + "description": "A retired San Francisco detective suffering from acrophobia investigates the strange activities of an old friend's wife, all the while becoming dangerously obsessed with her.", + "poster": "https://image.tmdb.org/t/p/w500/15uOEfqBNTVtDUT7hGBVCka0rZz.jpg", + "url": "https://www.themoviedb.org/movie/426", + "genres": [ + "Mystery", + "Romance", + "Thriller" + ], + "tags": [ + "plan", + "love of one's life", + "sense of guilt", + "san francisco, california", + "suicide attempt", + "obsession", + "bachelor", + "detective", + "necklace", + "vertigo", + "museum", + "painting", + "insurance fraud", + "film noir", + "golden gate bridge", + "psychological thriller", + "rescue from drowning", + "neo-noir", + "fear of heights", + "color film noir", + "awestruck" + ] + }, + { + "ranking": 145, + "title": "Alien", + "year": "1979", + "runtime": 117, + "content_rating": null, + "metascore": null, + "imdb_rating": 8.2, + "vote_count": 15163, + "description": "During its return to the earth, commercial spaceship Nostromo intercepts a distress signal from a distant planet. When a three-member team of the crew discovers a chamber containing thousands of eggs on the planet, a creature inside one of the eggs attacks an explorer. The entire crew is unaware of the impending nightmare set to descend upon them when the alien parasite planted inside its unfortunate host is birthed.", + "poster": "https://image.tmdb.org/t/p/w500/vfrQk5IPloGg1v9Rzbh2Eg3VGyM.jpg", + "url": "https://www.themoviedb.org/movie/348", + "genres": [ + "Horror", + "Science Fiction" + ], + "tags": [ + "android", + "spacecraft", + "space marine", + "biology", + "dystopia", + "countdown", + "space suit", + "beheading", + "space travel", + "cowardice", + "alien", + "space", + "female protagonist", + "parasite", + "space opera", + "cosmos", + "xenomorph" + ] + }, + { + "ranking": 150, + "title": "My Hero Academia: Heroes Rising", + "year": "2019", + "runtime": 104, + "content_rating": null, + "metascore": null, + "imdb_rating": 8.157, + "vote_count": 1186, + "description": "Class 1-A visits Nabu Island where they finally get to do some real hero work. The place is so peaceful that it's more like a vacation... until they're attacked by a villain with an unfathomable Quirk! His power is eerily familiar, and it looks like Shigaraki had a hand in the plan. But with All Might retired and citizens' lives on the line, there's no time for questions. Deku and his friends are the next generation of heroes, and they're the island's only hope.", + "poster": "https://image.tmdb.org/t/p/w500/kpWsIkfXrnQ1pmR79qAHHq7DPxc.jpg", + "url": "https://www.themoviedb.org/movie/592350", + "genres": [ + "Animation", + "Action", + "Fantasy", + "Adventure" + ], + "tags": [ + "japan", + "hero", + "superhero", + "fighting", + "super power", + "adult animation", + "shounen", + "anime" + ] + }, + { + "ranking": 148, + "title": "The Departed", + "year": "2006", + "runtime": 151, + "content_rating": null, + "metascore": null, + "imdb_rating": 8.2, + "vote_count": 15211, + "description": "To take down South Boston's Irish Mafia, the police send in one of their own to infiltrate the underworld, not realizing the syndicate has done likewise. While an undercover cop curries favor with the mob kingpin, a career criminal rises through the police ranks. But both sides soon discover there's a mole among them.", + "poster": "https://image.tmdb.org/t/p/w500/nT97ifVT2J1yMQmeq20Qblg61T.jpg", + "url": "https://www.themoviedb.org/movie/1422", + "genres": [ + "Drama", + "Thriller", + "Crime" + ], + "tags": [ + "police", + "undercover", + "boston, massachusetts", + "gangster", + "irish-american", + "crime boss", + "friends", + "remake", + "mobster", + "organized crime", + "mafia", + "undercover cop", + "mole", + "state police", + "police training", + "realtor", + "desperate", + "dreary", + "frightened" + ] + }, + { + "ranking": 146, + "title": "Scarface", + "year": "1983", + "runtime": 169, + "content_rating": null, + "metascore": null, + "imdb_rating": 8.161, + "vote_count": 12125, + "description": "After getting a green card in exchange for assassinating a Cuban government official, Tony Montana stakes a claim on the drug trade in Miami. Viciously murdering anyone who stands in his way, Tony eventually becomes the biggest drug lord in the state, controlling nearly all the cocaine that comes through Miami. But increased pressure from the police, wars with Colombian drug cartels and his own drug-fueled paranoia serve to fuel the flames of his eventual downfall.", + "poster": "https://image.tmdb.org/t/p/w500/iQ5ztdjvteGeboxtmRdXEChJOHh.jpg", + "url": "https://www.themoviedb.org/movie/111", + "genres": [ + "Action", + "Crime", + "Drama" + ], + "tags": [ + "corruption", + "sibling relationship", + "miami, florida", + "cuba", + "loss of loved one", + "gangster", + "cocaine", + "rise and fall", + "remake", + "drug cartel", + "mafia", + "drug lord", + "cynical", + "bitterness", + "rise to power", + "miami beach", + "cuban refugees", + "drug war", + "cautionary", + "grand", + "audacious", + "bold", + "tragic" + ] + }, + { + "ranking": 149, + "title": "Good Will Hunting", + "year": "1997", + "runtime": 127, + "content_rating": null, + "metascore": null, + "imdb_rating": 8.2, + "vote_count": 12697, + "description": "Headstrong yet aimless, Will Hunting has a genius-level IQ but chooses to work as a janitor at MIT. When he secretly solves highly difficult graduate-level math problems, his talents are discovered by Professor Gerald Lambeau, who decides to help the misguided youth reach his potential. When Will is arrested for attacking a police officer, Professor Lambeau makes a deal to get leniency for him if he gets court-ordered therapy. Eventually, therapist Dr. Sean Maguire helps Will confront the demons that are holding him back.", + "poster": "https://image.tmdb.org/t/p/w500/z2FnLKpFi1HPO7BEJxdkv6hpJSU.jpg", + "url": "https://www.themoviedb.org/movie/489", + "genres": [ + "Drama" + ], + "tags": [ + "boston, massachusetts", + "mathematics", + "genius", + "male friendship", + "flashback", + "psychologist", + "janitor", + "dating", + "courtroom", + "group of friends", + "southie", + "college professor", + "prodigy", + "math genius", + "foster kid", + "fear of change", + "abused as a child", + "massachusetts institute of technology (mit)", + "math professor" + ] + }, + { + "ranking": 153, + "title": "Steven Universe: The Movie", + "year": "2019", + "runtime": 82, + "content_rating": null, + "metascore": null, + "imdb_rating": 8.2, + "vote_count": 793, + "description": "Two years after bringing peace to the galaxy, Steven Universe sees his past come back to haunt him in the form of a deranged Gem who wants to destroy the Earth.", + "poster": "https://image.tmdb.org/t/p/w500/8mRgpubxHqnqvENK4Bei30xMDvy.jpg", + "url": "https://www.themoviedb.org/movie/537061", + "genres": [ + "TV Movie", + "Adventure", + "Animation", + "Comedy", + "Fantasy", + "Music", + "Science Fiction", + "Action", + "Drama" + ], + "tags": [ + "musical", + "memory loss", + "abandonment", + "vengeance", + "abandonment issues" + ] + }, + { + "ranking": 151, + "title": "Casablanca", + "year": "1943", + "runtime": 102, + "content_rating": null, + "metascore": null, + "imdb_rating": 8.157, + "vote_count": 5577, + "description": "In Casablanca, Morocco in December 1941, a cynical American expatriate meets a former lover, with unforeseen complications.", + "poster": "https://image.tmdb.org/t/p/w500/5K7cOHoay2mZusSLezBOY0Qxh8a.jpg", + "url": "https://www.themoviedb.org/movie/289", + "genres": [ + "Drama", + "Romance" + ], + "tags": [ + "corruption", + "nazi", + "escape", + "love triangle", + "resistance", + "spy", + "patriotism", + "casablanca, morocco", + "vichy regime", + "visa", + "nationalism", + "world war ii", + "morocco", + "film noir", + "war" + ] + }, + { + "ranking": 154, + "title": "Dune: Part Two", + "year": "2024", + "runtime": 167, + "content_rating": null, + "metascore": null, + "imdb_rating": 8.149, + "vote_count": 6486, + "description": "Follow the mythic journey of Paul Atreides as he unites with Chani and the Fremen while on a path of revenge against the conspirators who destroyed his family. Facing a choice between the love of his life and the fate of the known universe, Paul endeavors to prevent a terrible future only he can foresee.", + "poster": "https://image.tmdb.org/t/p/w500/6izwz7rsy95ARzTR3poZ8H6c5pp.jpg", + "url": "https://www.themoviedb.org/movie/693134", + "genres": [ + "Science Fiction", + "Adventure" + ], + "tags": [ + "epic", + "based on novel or book", + "fight", + "politics", + "sandstorm", + "sand", + "spice", + "chosen one", + "cult", + "sequel", + "romance", + "tragedy", + "distant future", + "tragic hero", + "creature", + "planet", + "desert", + "destiny", + "giant worm", + "space opera", + "sand dune", + "allegorical", + "messiah", + "fall from grace", + "shocking", + "domineering", + "vengeance", + "vindictive", + "cautionary", + "religious allegory", + "giant creature", + "power", + "grand", + "violence", + "suspenseful", + "intense", + "ambiguous", + "antagonistic", + "audacious", + "awestruck", + "bold", + "exuberant", + "foreboding", + "melodramatic" + ] + }, + { + "ranking": 152, + "title": "Capernaum", + "year": "2018", + "runtime": 126, + "content_rating": null, + "metascore": null, + "imdb_rating": 8.2, + "vote_count": 1761, + "description": "After running away from his negligent parents, committing a violent crime and being sentenced to five years in jail, a hardened, streetwise 12-year-old Lebanese boy sues his parents in protest of the life they have given him.", + "poster": "https://image.tmdb.org/t/p/w500/mFnfTVADj8yOxwzprYOmTPselk8.jpg", + "url": "https://www.themoviedb.org/movie/517814", + "genres": [ + "Drama" + ], + "tags": [ + "child abuse", + "slum", + "refugee", + "neglect", + "child bride", + "lawsuit", + "undocumented immigrant", + "poverty", + "life in the slums", + "slum dwellers" + ] + }, + { + "ranking": 157, + "title": "Togo", + "year": "2019", + "runtime": 113, + "content_rating": null, + "metascore": null, + "imdb_rating": 8.145, + "vote_count": 2074, + "description": "The untold true story set in the winter of 1925 that takes you across the treacherous terrain of the Alaskan tundra for an exhilarating and uplifting adventure that will test the strength, courage and determination of one man, Leonhard Seppala, and his lead sled dog, Togo.", + "poster": "https://image.tmdb.org/t/p/w500/wX0QD36a80hxulcizz7tyahYOF8.jpg", + "url": "https://www.themoviedb.org/movie/606856", + "genres": [ + "Adventure", + "Family" + ], + "tags": [ + "snowstorm", + "husky", + "based on true story", + "puppy", + "alaska", + "snow", + "historical", + "dog", + "sled dogs", + "run", + "1920s", + "pets" + ] + }, + { + "ranking": 155, + "title": "Piper", + "year": "2016", + "runtime": 6, + "content_rating": null, + "metascore": null, + "imdb_rating": 8.147, + "vote_count": 1652, + "description": "A mother bird tries to teach her little one how to find food by herself. In the process, she encounters a traumatic experience that she must overcome in order to survive.", + "poster": "https://image.tmdb.org/t/p/w500/rfEkkVzmrMYqGezNLl02mVyJCP2.jpg", + "url": "https://www.themoviedb.org/movie/399106", + "genres": [ + "Family", + "Animation" + ], + "tags": [ + "fear", + "short film" + ] + }, + { + "ranking": 160, + "title": "The Shop Around the Corner", + "year": "1940", + "runtime": 99, + "content_rating": null, + "metascore": null, + "imdb_rating": 8.141, + "vote_count": 745, + "description": "Two employees at a gift shop can barely stand one another, without realising that they are falling in love through the post as each other's anonymous pen pal.", + "poster": "https://image.tmdb.org/t/p/w500/dZ1aEzGYRiqJwPfjS6VL7wUkHmF.jpg", + "url": "https://www.themoviedb.org/movie/20334", + "genres": [ + "Comedy", + "Drama", + "Romance" + ], + "tags": [ + "salesclerk", + "secret love", + "lovesickness", + "budapest, hungary", + "anonymous letter", + "man woman relationship", + "pen pals", + "love", + "co-workers relationship", + "music box", + "bickering", + "gift shop", + "holiday season", + "christmas", + "parfumerie" + ] + }, + { + "ranking": 156, + "title": "The Truman Show", + "year": "1998", + "runtime": 103, + "content_rating": null, + "metascore": null, + "imdb_rating": 8.146, + "vote_count": 18747, + "description": "Every second of every day, from the moment he was born, for the last thirty years, Truman Burbank has been the unwitting star of the longest running, most popular documentary-soap opera in history. The picture-perfect town of Seahaven that he calls home is actually a gigantic soundstage. Truman's friends and family - everyone he meets, in fact - are actors. He lives every moment under the unblinking gaze of thousands of hidden TV cameras.", + "poster": "https://image.tmdb.org/t/p/w500/vuza0WqY239yBXOadKlGwJsZJFE.jpg", + "url": "https://www.themoviedb.org/movie/37165", + "genres": [ + "Comedy", + "Drama" + ], + "tags": [ + "escape", + "paranoia", + "dystopia", + "suspicion", + "video surveillance", + "deception", + "hidden camera", + "simulated reality ", + "television producer", + "tv show in film", + "questioning", + "make believe", + "reflective", + "actor", + "tv show", + "dignified", + "allegory of the cave" + ] + }, + { + "ranking": 158, + "title": "Scenes from a Marriage", + "year": "1974", + "runtime": 169, + "content_rating": null, + "metascore": null, + "imdb_rating": 8.1, + "vote_count": 361, + "description": "Johan and Marianne are married and seem to have it all. Their happiness, however, is a façade for a troubled relationship, which becomes even rockier when Johan admits that he's having an affair. Before long, the spouses separate and move towards finalizing their divorce, but they make attempts at reconciling. Even as they pursue other relationships, Johan and Marianne realize that they have a significant bond, but also many issues that hinder that connection.", + "poster": "https://image.tmdb.org/t/p/w500/ArKEdvJesIktFX8OAhcdKAOLl6I.jpg", + "url": "https://www.themoviedb.org/movie/133919", + "genres": [ + "Drama", + "Romance" + ], + "tags": [ + "midlife crisis", + "marriage", + "loneliness", + "forty something", + "love affair", + "divorce", + "couple", + "humiliation", + "selfishness", + "ex-husband ex-wife relationship", + "marital separation", + "cognac" + ] + }, + { + "ranking": 159, + "title": "Singin' in the Rain", + "year": "1952", + "runtime": 103, + "content_rating": null, + "metascore": null, + "imdb_rating": 8.1, + "vote_count": 3210, + "description": "In 1927 Hollywood, a silent film production company and cast make a difficult transition to sound.", + "poster": "https://image.tmdb.org/t/p/w500/w03EiJVHP8Un77boQeE7hg9DVdU.jpg", + "url": "https://www.themoviedb.org/movie/872", + "genres": [ + "Comedy", + "Romance" + ], + "tags": [ + "fan", + "musical", + "partner", + "film in film", + "hollywood", + "broadway", + "dancing in the street", + "burlesque", + "audience", + "chorus girl", + "diction coach", + "pearl necklace", + "flapper", + "silent film star", + "squeaky voice", + "christmas", + "1920s", + "old hollywood", + "provocative", + "sentimental", + "amused", + "exuberant" + ] + }, + { + "ranking": 167, + "title": "Taxi Driver", + "year": "1976", + "runtime": 114, + "content_rating": null, + "metascore": null, + "imdb_rating": 8.1, + "vote_count": 12558, + "description": "A mentally unstable Vietnam War veteran works as a night-time taxi driver in New York City where the perceived decadence and sleaze feed his urge for violent action.", + "poster": "https://image.tmdb.org/t/p/w500/ekstpH614fwDX8DUln1a2Opz0N8.jpg", + "url": "https://www.themoviedb.org/movie/103", + "genres": [ + "Crime", + "Drama" + ], + "tags": [ + "drug dealer", + "vietnam veteran", + "new york city", + "taxi", + "pornography", + "obsession", + "taxi driver", + "pimp", + "firearm", + "politician", + "alienation", + "junk food", + "misanthrophy", + "vigilante", + "cynical", + "illegal prostitution", + "character study", + "loner", + "manhattan, new york city", + "meditative", + "neo-noir", + "child prostitution", + "complex", + "new hollywood", + "dreary", + "cautionary", + "drives", + "provocative", + "antagonistic", + "audacious", + "callous" + ] + }, + { + "ranking": 169, + "title": "Silenced", + "year": "2011", + "runtime": 125, + "content_rating": null, + "metascore": null, + "imdb_rating": 8.132, + "vote_count": 665, + "description": "Based on actual events that took place at Gwangju Inhwa School for the hearing-impaired, where young deaf students were the victims of repeated sexual assaults by faculty members over a period of five years in the early 2000s.", + "poster": "https://image.tmdb.org/t/p/w500/mbMp0oIFmYnw0i5gzRoKt8cH5ve.jpg", + "url": "https://www.themoviedb.org/movie/81481", + "genres": [ + "Drama" + ], + "tags": [ + "child abuse", + "rape", + "based on novel or book", + "deaf", + "based on true story", + "teacher student relationship", + "disability", + "sex crime", + "south korea" + ] + }, + { + "ranking": 168, + "title": "Central Station", + "year": "1998", + "runtime": 110, + "content_rating": null, + "metascore": null, + "imdb_rating": 8.1, + "vote_count": 944, + "description": "An emotional journey of a former school teacher, who writes letters for illiterate people, and a young boy, whose mother has just died, as they search for the father he never knew.", + "poster": "https://image.tmdb.org/t/p/w500/zJvp7XjQ2LhPbDVYhFXyucs40vR.jpg", + "url": "https://www.themoviedb.org/movie/666", + "genres": [ + "Drama" + ], + "tags": [ + "rio de janeiro", + "letter", + "wilderness", + "teacher", + "orphan", + "railroad", + "alcoholic", + "missing parent", + "long lost relative", + "realism", + "child trafficking", + "death of parent", + "road movie", + "bus station", + "lost child", + "unwanted child", + "truck stop", + "woman and child", + "lonely woman", + "train station", + "brazilian cinema", + "letter writer" + ] + }, + { + "ranking": 165, + "title": "8½", + "year": "1963", + "runtime": 139, + "content_rating": null, + "metascore": null, + "imdb_rating": 8.1, + "vote_count": 2326, + "description": "Guido Anselmi, a film director, finds himself creatively barren at the peak of his career. Urged by his doctors to rest, Anselmi heads for a luxurious resort, but a sorry group gathers—his producer, staff, actors, wife, mistress, and relatives—each one begging him to get on with the show. In retreat from their dependency, he fantasizes about past women and dreams of his childhood.", + "poster": "https://image.tmdb.org/t/p/w500/2cPK4xKtccKmYsCSpaFGWnfEsZX.jpg", + "url": "https://www.themoviedb.org/movie/422", + "genres": [ + "Drama" + ], + "tags": [ + "dying and death", + "adultery", + "depression", + "individual", + "unsociability", + "screenplay", + "suicide attempt", + "missile", + "scapegoat", + "movie business", + "allegory", + "difficult childhood", + "creative crisis", + "kurort", + "black and white", + "extramarital affair", + "existence", + "semi autobiographical", + "complex", + "lighthearted", + "ambiguous", + "compassionate" + ] + }, + { + "ranking": 175, + "title": "Better Days", + "year": "2019", + "runtime": 135, + "content_rating": null, + "metascore": null, + "imdb_rating": 8.123, + "vote_count": 481, + "description": "A bullied teenage girl forms an unlikely friendship with a mysterious young man who protects her from her assailants, while she copes with the pressures of her final examinations.", + "poster": "https://image.tmdb.org/t/p/w500/csVZ2ZQCj98XdZoCuW1aixMYJ0W.jpg", + "url": "https://www.themoviedb.org/movie/575813", + "genres": [ + "Drama", + "Crime", + "Romance" + ], + "tags": [ + "bullying", + "bully victim" + ] + }, + { + "ranking": 164, + "title": "Jujutsu Kaisen 0", + "year": "2021", + "runtime": 105, + "content_rating": null, + "metascore": null, + "imdb_rating": 8.1, + "vote_count": 1465, + "description": "Yuta Okkotsu is a nervous high school student who is suffering from a serious problem—his childhood friend Rika has turned into a curse and won't leave him alone. Since Rika is no ordinary curse, his plight is noticed by Satoru Gojo, a teacher at Jujutsu High, a school where fledgling exorcists learn how to combat curses. Gojo convinces Yuta to enroll, but can he learn enough in time to confront the curse that haunts him?", + "poster": "https://image.tmdb.org/t/p/w500/23oJaeBh0FDk2mQ2P240PU9Xxfh.jpg", + "url": "https://www.themoviedb.org/movie/810693", + "genres": [ + "Animation", + "Action", + "Fantasy" + ], + "tags": [ + "supernatural", + "exorcism", + "paranormal", + "prequel", + "tragedy", + "curse", + "based on manga", + "spirit", + "demon", + "school life", + "shounen", + "anime" + ] + }, + { + "ranking": 163, + "title": "Joker", + "year": "2019", + "runtime": 122, + "content_rating": null, + "metascore": null, + "imdb_rating": 8.139, + "vote_count": 26292, + "description": "During the 1980s, a failed stand-up comedian is driven insane and turns to a life of crime and chaos in Gotham City while becoming an infamous psychopathic crime figure.", + "poster": "https://image.tmdb.org/t/p/w500/udDclJoHjfjb8Ekgsd4FDteOkCU.jpg", + "url": "https://www.themoviedb.org/movie/475557", + "genres": [ + "Crime", + "Thriller", + "Drama" + ], + "tags": [ + "dreams", + "street gang", + "society", + "psychopath", + "clown", + "villain", + "based on comic", + "murder", + "psychological thriller", + "criminal mastermind", + "mental illness", + "anarchy", + "character study", + "clown makeup", + "subway train", + "social realism", + "supervillain", + "tv host", + "1980s", + "mother son relationship", + "origin story", + "falling into madness", + "frightened", + "pretentious" + ] + }, + { + "ranking": 162, + "title": "My Friends", + "year": "1975", + "runtime": 140, + "content_rating": null, + "metascore": null, + "imdb_rating": 8.14, + "vote_count": 706, + "description": "Four inseparable friends try to face their midlife crisis with daytrips and pranks at the expense of their families and the people around them.", + "poster": "https://image.tmdb.org/t/p/w500/8Pm8SLjq2UHCwisd56ipHtzvZI1.jpg", + "url": "https://www.themoviedb.org/movie/20914", + "genres": [ + "Comedy" + ], + "tags": [ + "joke", + "male friendship", + "tuscany, italy", + "goliardia" + ] + }, + { + "ranking": 170, + "title": "Bound by Honor", + "year": "1993", + "runtime": 180, + "content_rating": null, + "metascore": null, + "imdb_rating": 8.1, + "vote_count": 1410, + "description": "Based on the true life experiences of poet Jimmy Santiago Baca, the film focuses on half-brothers Paco and Cruz, and their bi-racial cousin Miklo. It opens in 1972, as the three are members of an East L.A. gang known as the \"Vatos Locos\", and the story focuses on how a violent crime and the influence of narcotics alter their lives. Miklo is incarcerated and sent to San Quentin, where he makes a \"home\" for himself. Cruz becomes an exceptional artist, but a heroin addiction overcomes him with tragic results. Paco becomes a cop and an enemy to his \"carnal\", Miklo.", + "poster": "https://image.tmdb.org/t/p/w500/gvP6R6juhe2IpCG7QGDgjyUvm0g.jpg", + "url": "https://www.themoviedb.org/movie/9702", + "genres": [ + "Crime", + "Action", + "Drama", + "Thriller" + ], + "tags": [ + "street gang", + "ghetto", + "juvenile prison", + "artist", + "jail", + "east los angeles", + "youth gang", + "hood", + "gang", + "racism", + "drugs", + "mexican american", + "police shootout", + "cholo", + "lowrider" + ] + }, + { + "ranking": 174, + "title": "Zack Snyder's Justice League", + "year": "2021", + "runtime": 242, + "content_rating": null, + "metascore": null, + "imdb_rating": 8.1, + "vote_count": 10174, + "description": "Determined to ensure Superman's ultimate sacrifice was not in vain, Bruce Wayne aligns forces with Diana Prince with plans to recruit a team of metahumans to protect the world from an approaching threat of catastrophic proportions.", + "poster": "https://image.tmdb.org/t/p/w500/tnAuB8q5vv7Ax9UAEje5Xi4BXik.jpg", + "url": "https://www.themoviedb.org/movie/791373", + "genres": [ + "Action", + "Adventure", + "Fantasy" + ], + "tags": [ + "saving the world", + "superhero", + "resurrection", + "based on comic", + "superhero team", + "planet invasion", + "action hero", + "dc extended universe (dceu)", + "superhero teamup" + ] + }, + { + "ranking": 166, + "title": "There's Still Tomorrow", + "year": "2023", + "runtime": 118, + "content_rating": null, + "metascore": null, + "imdb_rating": 8.137, + "vote_count": 1344, + "description": "In postwar Rome, a working-class woman dreams of a better future for herself and her daughter while facing abuse at the hands of her domineering husband. When a mysterious letter arrives, she discovers the courage to change the circumstances of her life.", + "poster": "https://image.tmdb.org/t/p/w500/4Hi7yjiQjokEDStT1MOj5rPgRfW.jpg", + "url": "https://www.themoviedb.org/movie/1026227", + "genres": [ + "Drama", + "Comedy", + "History" + ], + "tags": [ + "woman director", + "female empowerment", + "1940s", + "abusive husband", + "women empowerment", + "historical comedy", + "pastiche", + "post-war italy", + "female director" + ] + }, + { + "ranking": 177, + "title": "Reservoir Dogs", + "year": "1992", + "runtime": 99, + "content_rating": null, + "metascore": null, + "imdb_rating": 8.1, + "vote_count": 14544, + "description": "A botched robbery indicates a police informant, and the pressure mounts in the aftermath at a warehouse. Crime begets violence as the survivors -- veteran Mr. White, newcomer Mr. Orange, psychopathic parolee Mr. Blonde, bickering weasel Mr. Pink and Nice Guy Eddie -- unravel.", + "poster": "https://image.tmdb.org/t/p/w500/xi8Iu6qyTfyZVDVy60raIOYJJmk.jpg", + "url": "https://www.themoviedb.org/movie/500", + "genres": [ + "Crime", + "Thriller" + ], + "tags": [ + "escape", + "jewelry", + "psychopath", + "traitor", + "heist", + "thief", + "betrayal", + "plan gone wrong", + "gang", + "nonlinear timeline", + "warehouse", + "told in flashback", + "heist gone wrong", + "botched robbery", + "foreshadowing", + "rendezvous", + "iconic", + "uneasy alliance", + "rag tag group", + "based on short" + ] + }, + { + "ranking": 173, + "title": "Stalker", + "year": "1979", + "runtime": 162, + "content_rating": null, + "metascore": null, + "imdb_rating": 8.1, + "vote_count": 2250, + "description": "Near a gray and unnamed city is the Zone, a place guarded by barbed wire and soldiers, and where the normal laws of physics are victim to frequent anomalies. A stalker guides two men into the Zone, specifically to an area in which deep-seated desires are granted.", + "poster": "https://image.tmdb.org/t/p/w500/npvwT8SxBPNqX7MAE9yYMuGCZcB.jpg", + "url": "https://www.themoviedb.org/movie/1398", + "genres": [ + "Science Fiction", + "Drama" + ], + "tags": [ + "based on novel or book", + "guard", + "wish", + "stalker", + "alien", + "strugatsky", + "writer", + "soldier", + "existentialism", + "mysterious", + "zone", + "beautifully filmed" + ] + }, + { + "ranking": 178, + "title": "Terminator 2: Judgment Day", + "year": "1991", + "runtime": 137, + "content_rating": null, + "metascore": null, + "imdb_rating": 8.1, + "vote_count": 13200, + "description": "Set ten years after the events of the original, James Cameron’s classic sci-fi action flick tells the story of a second attempt to get rid of rebellion leader John Connor, this time targeting the boy himself. However, the rebellion has sent a reprogrammed terminator to protect Connor.", + "poster": "https://image.tmdb.org/t/p/w500/5M0j0B18abtBI5gi2RhfjjurTqb.jpg", + "url": "https://www.themoviedb.org/movie/280", + "genres": [ + "Action", + "Thriller", + "Science Fiction" + ], + "tags": [ + "man vs machine", + "cyborg", + "shotgun", + "dystopia", + "moral ambiguity", + "post-apocalyptic future", + "villain", + "time travel", + "mental institution", + "juvenile delinquent", + "fictional war", + "urban setting", + "troubled teen", + "morphing", + "nuclear weapons", + "shape shifter", + "savior", + "catch phrase", + "aggressive", + "action hero", + "complex", + "good versus evil", + "sinister", + "depressing", + "commanding", + "compassionate", + "exhilarated" + ] + }, + { + "ranking": 179, + "title": "Call Me by Your Name", + "year": "2017", + "runtime": 132, + "content_rating": null, + "metascore": null, + "imdb_rating": 8.1, + "vote_count": 12254, + "description": "In 1980s Italy, a relationship begins between seventeen-year-old teenage Elio and the older adult man hired as his father's research assistant.", + "poster": "https://image.tmdb.org/t/p/w500/gXiE0WveDnT0n5J4sW9TMxXF4oT.jpg", + "url": "https://www.themoviedb.org/movie/398818", + "genres": [ + "Romance", + "Drama" + ], + "tags": [ + "based on novel or book", + "upper class", + "italy", + "swimming pool", + "coming of age", + "love", + "breaking the fourth wall", + "summer", + "teenage boy", + "masturbation", + "first love", + "lgbt", + "jewish family", + "1980s", + "peach", + "gay theme" + ] + }, + { + "ranking": 172, + "title": "Full Metal Jacket", + "year": "1987", + "runtime": 117, + "content_rating": null, + "metascore": null, + "imdb_rating": 8.126, + "vote_count": 10738, + "description": "A pragmatic U.S. Marine observes the dehumanizing effects the U.S.-Vietnam War has on his fellow recruits from their brutal boot camp training to the bloody street fighting in Hue.", + "poster": "https://image.tmdb.org/t/p/w500/kMKyx1k8hWWscYFnPbnxxN4Eqo4.jpg", + "url": "https://www.themoviedb.org/movie/600", + "genres": [ + "Drama", + "War" + ], + "tags": [ + "rescue", + "sniper", + "vietnam war", + "suicide", + "vietnam", + "helicopter", + "army", + "prostitute", + "based on novel or book", + "propaganda", + "war correspondent", + "journalism", + "recruit", + "infantry", + "war photographer", + "boot camp", + "jungle", + "sergeant", + "racism", + "genocide", + "fighting", + "platoon", + "combat", + "cynical", + "discipline", + "u.s. marine", + "obstacle course", + "military", + "anti war", + "mass grave", + "blanket party", + "soldiers", + "cautionary", + "war", + "provocative", + "critical", + "tense", + "audacious", + "bold", + "disapproving", + "frustrated", + "harsh", + "scathing" + ] + }, + { + "ranking": 171, + "title": "Wild Strawberries", + "year": "1957", + "runtime": 91, + "content_rating": null, + "metascore": null, + "imdb_rating": 8.1, + "vote_count": 1668, + "description": "Crotchety retired doctor Isak Borg travels from Stockholm to Lund, Sweden, with his pregnant and unhappy daughter-in-law, Marianne, in order to receive an honorary degree from his alma mater. Along the way, they encounter a series of hitchhikers, each of whom causes the elderly doctor to muse upon the pleasures and failures of his own life. These include the vivacious young Sara, a dead ringer for the doctor's own first love.", + "poster": "https://image.tmdb.org/t/p/w500/iyTD2QnySNMPUPE3IedZQipSWfz.jpg", + "url": "https://www.themoviedb.org/movie/614", + "genres": [ + "Drama" + ], + "tags": [ + "adultery", + "dreams", + "nightmare", + "faith", + "identity", + "professor", + "journey in the past", + "aging", + "road trip", + "child", + "acceptance" + ] + }, + { + "ranking": 161, + "title": "Violet Evergarden: Eternity and the Auto Memory Doll", + "year": "2019", + "runtime": 91, + "content_rating": null, + "metascore": null, + "imdb_rating": 8.14, + "vote_count": 390, + "description": "Isabella, the daughter of the noble York family, is enrolled in an all-girls academy to be groomed into a dame worthy of nobility. However, she has given up on her future, seeing the prestigious school as nothing more than a prison from the outside world. Her family notices her struggling in her lessons and decides to hire Violet Evergarden to personally tutor her under the guise of a handmaiden. At first, Isabella treats Violet coldly. Violet seems to be able to do everything perfectly, leading Isabella to assume that she was born with a silver spoon. After some time, Isabella begins to realize that Violet has had her own struggles and starts to open up to her. Isabella soon reveals that she has lost contact with her beloved younger sister, whom she yearns to see again. Having experienced the power of words through her past clientele, Violet asks if Isabella wishes to write a letter to Taylor. Will Violet be able to help Isabella convey her feelings to her long-lost sister?", + "poster": "https://image.tmdb.org/t/p/w500/zjaSw6Ok0MhXjrruPrA27VHyUYC.jpg", + "url": "https://www.themoviedb.org/movie/610892", + "genres": [ + "Drama", + "Fantasy", + "Animation" + ], + "tags": [ + "friendship", + "work", + "writing", + "letter", + "one-sided love", + "slice of life", + "steampunk", + "post war", + "seinen", + "anime", + "letters", + "girls love", + "based on light novel" + ] + }, + { + "ranking": 180, + "title": "Dr. Strangelove or: How I Learned to Stop Worrying and Love the Bomb", + "year": "1964", + "runtime": 95, + "content_rating": null, + "metascore": null, + "imdb_rating": 8.117, + "vote_count": 5739, + "description": "After the insane General Jack D. Ripper initiates a nuclear strike on the Soviet Union, a war room full of politicians, generals and a Russian diplomat all frantically try to stop the nuclear strike.", + "poster": "https://image.tmdb.org/t/p/w500/6x7MzQ6BOMlRzam1StcmPO9v61g.jpg", + "url": "https://www.themoviedb.org/movie/935", + "genres": [ + "Comedy", + "War" + ], + "tags": [ + "usa president", + "general", + "cold war", + "strategic air command", + "dark comedy", + "nuclear missile", + "satire", + "black and white", + "cynical", + "war room", + "bomber pilot", + "nuclear weapons", + "ex-nazi", + "anti war", + "doomsday device", + "meditative", + "absurdism", + "satirical", + "playful", + "critical", + "hilarious", + "audacious", + "farcical", + "sardonic" + ] + }, + { + "ranking": 176, + "title": "Wonder", + "year": "2017", + "runtime": 113, + "content_rating": null, + "metascore": null, + "imdb_rating": 8.1, + "vote_count": 7956, + "description": "The story of August Pullman – a boy with facial differences – who enters fifth grade, attending a mainstream elementary school for the first time.", + "poster": "https://image.tmdb.org/t/p/w500/sONh3LYGFcVDTy8pm1tbSOB13Li.jpg", + "url": "https://www.themoviedb.org/movie/406997", + "genres": [ + "Drama", + "Family" + ], + "tags": [ + "exclusion", + "bullying", + "coney island", + "prejudice", + "school", + "based on children's book", + "family", + "physical disability", + "treacher collins syndrome", + "relaxed", + "melodramatic" + ] + }, + { + "ranking": 181, + "title": "Double Indemnity", + "year": "1944", + "runtime": 107, + "content_rating": null, + "metascore": null, + "imdb_rating": 8.117, + "vote_count": 1850, + "description": "A rich woman and a calculating insurance agent plot to kill her unsuspecting husband after he signs a double indemnity policy.", + "poster": "https://image.tmdb.org/t/p/w500/rVNYZZgfhwqVMMWlBmxOfWqnwCj.jpg", + "url": "https://www.themoviedb.org/movie/996", + "genres": [ + "Crime", + "Thriller" + ], + "tags": [ + "insurance fraud", + "femme fatale", + "film noir", + "murder", + "life insurance", + "black and white", + "insurance agent", + "insurance policy", + "duplicity", + "murder plot", + "scheming wife" + ] + }, + { + "ranking": 200, + "title": "WALL·E", + "year": "2008", + "runtime": 98, + "content_rating": null, + "metascore": null, + "imdb_rating": 8.097, + "vote_count": 19104, + "description": "What if mankind had to leave Earth and somebody forgot to turn the last robot off? After hundreds of years doing what he was built for, WALL•E discovers a new purpose in life when he meets a sleek search robot named EVE. EVE comes to realize that WALL•E has inadvertently stumbled upon the key to the planet's future, and races back to space to report to the humans. Meanwhile, WALL•E chases EVE across the galaxy and sets into motion one of the most imaginative adventures ever brought to the big screen.", + "poster": "https://image.tmdb.org/t/p/w500/hbhFnRzzg6ZDmm8YAmxBnQpQIPh.jpg", + "url": "https://www.themoviedb.org/movie/10681", + "genres": [ + "Animation", + "Family", + "Science Fiction" + ], + "tags": [ + "garbage", + "dystopia", + "space travel", + "distant future", + "loneliness", + "robot", + "aftercreditsstinger", + "duringcreditsstinger" + ] + }, + { + "ranking": 182, + "title": "Red Beard", + "year": "1965", + "runtime": 185, + "content_rating": null, + "metascore": null, + "imdb_rating": 8.116, + "vote_count": 374, + "description": "Aspiring to an easy job as personal physician to a wealthy family, Noboru Yasumoto is disappointed when his first post after medical school takes him to a small country clinic under the gruff doctor Red Beard. Yasumoto rebels in numerous ways, but Red Beard proves a wise and patient teacher. He gradually introduces his student to the unglamorous side of the profession, ultimately assigning him to care for a prostitute rescued from a local brothel.", + "poster": "https://image.tmdb.org/t/p/w500/fo800fRcWtl3Zhs6tPHfXP4KBak.jpg", + "url": "https://www.themoviedb.org/movie/3780", + "genres": [ + "Drama" + ], + "tags": [ + "uniform", + "career", + "small town", + "japan", + "brothel", + "heal", + "lunatic asylum", + "rural area", + "clinic", + "doctor", + "psychiatrist", + "intern", + "jidaigeki", + "edo period" + ] + }, + { + "ranking": 183, + "title": "The Father", + "year": "2020", + "runtime": 97, + "content_rating": null, + "metascore": null, + "imdb_rating": 8.115, + "vote_count": 3286, + "description": "A man refuses all assistance from his daughter as he ages and, as he tries to make sense of his changing circumstances, he begins to doubt his loved ones, his own mind and even the fabric of his reality.", + "poster": "https://image.tmdb.org/t/p/w500/xxHNaCMycynHMKdEZHHQCzaPbZl.jpg", + "url": "https://www.themoviedb.org/movie/600354", + "genres": [ + "Drama" + ], + "tags": [ + "london, england", + "loss of sense of reality", + "flat", + "dementia", + "mistaken identity", + "alzheimer's disease", + "based on play or musical", + "old man", + "memory loss", + "elderly man", + "father daughter relationship", + "fading memories", + "family caregiving" + ] + }, + { + "ranking": 184, + "title": "Portrait of a Lady on Fire", + "year": "2019", + "runtime": 121, + "content_rating": null, + "metascore": null, + "imdb_rating": 8.1, + "vote_count": 2652, + "description": "On an isolated island in Brittany at the end of the eighteenth century, a female painter is obliged to paint a wedding portrait of a young woman.", + "poster": "https://image.tmdb.org/t/p/w500/2LquGwEhbg3soxSCs9VNyh5VJd9.jpg", + "url": "https://www.themoviedb.org/movie/531428", + "genres": [ + "Drama", + "Romance", + "History" + ], + "tags": [ + "island", + "fire", + "beach", + "arranged marriage", + "classical music", + "painting", + "painter", + "greek mythology", + "lesbian relationship", + "person on fire", + "period drama", + "lesbian sex", + "portrait", + "lgbt", + "18th century", + "woman director", + "abortion", + "portrait drawing", + "posing for a portrait", + "women gathering", + "women in film", + "walk", + "painting lesson", + "symphony orchestra", + "lesbian", + "serene", + "serious", + "woman falls in love", + "vivaldi", + "women" + ] + }, + { + "ranking": 189, + "title": "In the Mood for Love", + "year": "2000", + "runtime": 99, + "content_rating": null, + "metascore": null, + "imdb_rating": 8.1, + "vote_count": 2876, + "description": "In 1962 Hong Kong, two neighbors form a strong bond after both suspect extramarital activities of their spouses.", + "poster": "https://image.tmdb.org/t/p/w500/iYypPT4bhqXfq1b6EnmxvRt6b2Y.jpg", + "url": "https://www.themoviedb.org/movie/843", + "genres": [ + "Drama", + "Romance" + ], + "tags": [ + "adultery", + "newspaper", + "secret love", + "martial arts", + "lovesickness", + "husband wife relationship", + "shanghai, china", + "marriage crisis", + "married couple", + "singapore", + "deceived husband", + "forbidden love", + "neighbor", + "author", + "hong kong", + "extramarital affair", + "1960s", + "awestruck" + ] + }, + { + "ranking": 188, + "title": "“The Shorts” by Aldo, Giovanni and Giacomo", + "year": "1996", + "runtime": 120, + "content_rating": null, + "metascore": null, + "imdb_rating": 8.1, + "vote_count": 350, + "description": "I Corti (\"Shorts\") by Aldo, Giovanni & Giacomo was the first stage show of the comedy trio, with the participation of Marina Massironi. It was recorded live at the Teatro Nuovo in Ferrara on 28 and 29 March 1996. Produced by Agidi, with the theatre direction of Arturo Brachetti.", + "poster": "https://image.tmdb.org/t/p/w500/y3hEulMYSTQuvmI5jBTyWrcvJQX.jpg", + "url": "https://www.themoviedb.org/movie/38288", + "genres": [ + "Comedy" + ], + "tags": [] + }, + { + "ranking": 191, + "title": "The Great War", + "year": "1959", + "runtime": 137, + "content_rating": null, + "metascore": null, + "imdb_rating": 8.1, + "vote_count": 346, + "description": "Italy, 1916. Oreste Jacovacci and Giovanni Busacca are called, as all the Italian youths, to serve the army in the WWI. They both try in every way to avoid serving the army.", + "poster": "https://image.tmdb.org/t/p/w500/aDvKsUb5y7GMNMz2HHNtuGww5t8.jpg", + "url": "https://www.themoviedb.org/movie/55823", + "genres": [ + "Comedy", + "War", + "Drama" + ], + "tags": [ + "world war i", + "1910s", + "war" + ] + }, + { + "ranking": 190, + "title": "The Hate U Give", + "year": "2018", + "runtime": 133, + "content_rating": null, + "metascore": null, + "imdb_rating": 8.105, + "vote_count": 2147, + "description": "Raised in a poverty-stricken slum, a 16-year-old girl named Starr now attends a suburban prep school. After she witnesses a police officer shoot her unarmed best friend, she's torn between her two very different worlds as she tries to speak her truth.", + "poster": "https://image.tmdb.org/t/p/w500/2icwBom0t5nmOuZI9FVXF3gkMK0.jpg", + "url": "https://www.themoviedb.org/movie/470044", + "genres": [ + "Crime", + "Drama" + ], + "tags": [ + "high school", + "based on novel or book", + "trauma", + "protest", + "riot", + "teenage girl", + "racism", + "police officer", + "blunt", + "preparatory school", + "racial profiling", + "generation z", + "based on young adult novel" + ] + }, + { + "ranking": 185, + "title": "Lock, Stock and Two Smoking Barrels", + "year": "1998", + "runtime": 105, + "content_rating": null, + "metascore": null, + "imdb_rating": 8.115, + "vote_count": 6722, + "description": "A card shark and his unwillingly-enlisted friends need to make a lot of cash quick after losing a sketchy poker match. To do this they decide to pull a heist on a small-time gang who happen to be operating out of the flat next door.", + "poster": "https://image.tmdb.org/t/p/w500/wt2TRBmFmBn5M5MBcPTwovlREaB.jpg", + "url": "https://www.themoviedb.org/movie/100", + "genres": [ + "Comedy", + "Crime" + ], + "tags": [ + "ambush", + "joint", + "alcohol", + "shotgun", + "tea", + "machismo", + "rifle", + "cocktail", + "pot smoking", + "marijuana", + "hatchet", + "antique", + "cardsharp", + "anger", + "carjacking", + "piano", + "strip show", + "high stakes" + ] + }, + { + "ranking": 194, + "title": "Green Snake", + "year": "2021", + "runtime": 131, + "content_rating": null, + "metascore": null, + "imdb_rating": 8.1, + "vote_count": 317, + "description": "While trying to free her sister from Fahai's clutches, Xiao Qing winds up in a dystopian city and meets a mysterious man who can't recall his past life.", + "poster": "https://image.tmdb.org/t/p/w500/1zs5zsQDP5KuWwxIg9EUULLFEV.jpg", + "url": "https://www.themoviedb.org/movie/795607", + "genres": [ + "Animation", + "Fantasy", + "Action", + "Adventure" + ], + "tags": [ + "3d animation", + "white snake", + "donghua" + ] + }, + { + "ranking": 193, + "title": "Palmer", + "year": "2021", + "runtime": 110, + "content_rating": null, + "metascore": null, + "imdb_rating": 8.1, + "vote_count": 1673, + "description": "After 12 years in prison, former high school football star Eddie Palmer returns home to put his life back together—and forms an unlikely bond with Sam, an outcast boy from a troubled home. But Eddie's past threatens to ruin his new life and family.", + "poster": "https://image.tmdb.org/t/p/w500/xSDdRAjxKAGi8fUBLOqSrBhJmF0.jpg", + "url": "https://www.themoviedb.org/movie/458220", + "genres": [ + "Drama" + ], + "tags": [ + "small town", + "homophobia", + "young boy", + "ex-con", + "house trailer", + "bullied", + "irresponsible parent", + "adult child friendship", + "guardianship", + "drug addict" + ] + }, + { + "ranking": 186, + "title": "Metropolis", + "year": "1927", + "runtime": 153, + "content_rating": null, + "metascore": null, + "imdb_rating": 8.1, + "vote_count": 2831, + "description": "In a futuristic city sharply divided between the rich and the poor, the son of the city's mastermind meets a prophet who predicts the coming of a savior to mediate their differences.", + "poster": "https://image.tmdb.org/t/p/w500/vZIJxGnjcswPCAa52jhbl01FQkV.jpg", + "url": "https://www.themoviedb.org/movie/19", + "genres": [ + "Drama", + "Science Fiction" + ], + "tags": [ + "future", + "metropolis", + "class society", + "man vs machine", + "underground world", + "tower of babel", + "based on novel or book", + "inventor", + "dystopia", + "delirium", + "mad scientist", + "prophet", + "steampunk", + "grim reaper", + "robot", + "destruction", + "silent film", + "nostalgic", + "expressionism", + "seven deadly sins", + "depravity", + "mob justice", + "downtrodden", + "saviour", + "social unrest", + "german expressionism", + "mediator", + "cautionary", + "grand", + "dramatic", + "suspenseful" + ] + }, + { + "ranking": 197, + "title": "The Invisible Guest", + "year": "2017", + "runtime": 107, + "content_rating": null, + "metascore": null, + "imdb_rating": 8.1, + "vote_count": 4624, + "description": "Barcelona, Spain. Adrián Doria, a young and successful businessman accused of murder, meets one night with Virginia Goodman, an expert interrogation lawyer, in order to devise a defense strategy.", + "poster": "https://image.tmdb.org/t/p/w500/fptnZJbLzKUHeNlYrAynbyoL5YJ.jpg", + "url": "https://www.themoviedb.org/movie/411088", + "genres": [ + "Drama", + "Mystery", + "Thriller" + ], + "tags": [ + "barcelona, spain", + "businessman", + "falsely accused", + "manipulative lover", + "unreliable narrator", + "grieving father", + "accused of murder", + "mountain resort", + "locked room mystery" + ] + }, + { + "ranking": 187, + "title": "Soul", + "year": "2020", + "runtime": 101, + "content_rating": null, + "metascore": null, + "imdb_rating": 8.111, + "vote_count": 10691, + "description": "Joe Gardner is a middle school teacher with a love for jazz music. After a successful audition at the Half Note Club, he suddenly gets into an accident that separates his soul from his body and is transported to the You Seminar, a center in which souls develop and gain passions before being transported to a newborn child. Joe must enlist help from the other souls-in-training, like 22, a soul who has spent eons in the You Seminar, in order to get back to Earth.", + "poster": "https://image.tmdb.org/t/p/w500/pEz5aROvfy5FBW1OTlrDO3VryWO.jpg", + "url": "https://www.themoviedb.org/movie/508442", + "genres": [ + "Animation", + "Family", + "Comedy", + "Fantasy" + ], + "tags": [ + "new york city", + "jazz", + "musician", + "cat", + "self-discovery", + "jazz singer or musician", + "teacher", + "aftercreditsstinger", + "duringcreditsstinger", + "life after death", + "thoughtful" + ] + }, + { + "ranking": 199, + "title": "Transformers One", + "year": "2024", + "runtime": 104, + "content_rating": null, + "metascore": null, + "imdb_rating": 8.1, + "vote_count": 1170, + "description": "The untold origin story of Optimus Prime and Megatron, better known as sworn enemies, but once were friends bonded like brothers who changed the fate of Cybertron forever.", + "poster": "https://image.tmdb.org/t/p/w500/iRCgqpdVE4wyLQvGYU3ZP7pAtUc.jpg", + "url": "https://www.themoviedb.org/movie/698687", + "genres": [ + "Animation", + "Science Fiction", + "Adventure", + "Family" + ], + "tags": [ + "based on toy", + "giant robot", + "aftercreditsstinger", + "duringcreditsstinger", + "buddy movie", + "brothers-in-arms relationship", + "origin story", + "inspirational", + "friends to enemies", + "alien robot", + "suspenseful", + "cheerful", + "exhilarated" + ] + }, + { + "ranking": 196, + "title": "The Best of Youth", + "year": "2003", + "runtime": 367, + "content_rating": null, + "metascore": null, + "imdb_rating": 8.1, + "vote_count": 548, + "description": "After a fateful encounter in the summer of 1966, the lifepaths of two brothers from a middle-class Roman family diverge, intersecting with some of the most significant events of postwar Italian history in the following decades.", + "poster": "https://image.tmdb.org/t/p/w500/jKFeWrVshmFj8uG056O4tT5ZNTE.jpg", + "url": "https://www.themoviedb.org/movie/11659", + "genres": [ + "Drama", + "History", + "Romance" + ], + "tags": [ + "society", + "loss of loved one", + "sicily, italy", + "political activism", + "cultural revolution", + "florence, italy", + "turin", + "brother against brother", + "family reunion", + "family conflict", + "post world war ii", + "years of lead", + "family saga", + "lost youth", + "may 68", + "spanning generations", + "tangentopoli" + ] + }, + { + "ranking": 192, + "title": "Big Deal on Madonna Street", + "year": "1958", + "runtime": 106, + "content_rating": null, + "metascore": null, + "imdb_rating": 8.1, + "vote_count": 717, + "description": "Best friends Peppe and Mario are thieves, but they're not very good at it. Still, Peppe thinks that he's finally devised a master heist that will make them rich. With the help of some fellow criminals, he plans to dig a tunnel from a rented apartment to the pawnshop next door, where they can rob the safe. But his plan is far from foolproof, and the fact that no one in the group has any experience digging tunnels proves to be the least of their problems.", + "poster": "https://image.tmdb.org/t/p/w500/f5OxD8Nl0pR3DcYHtYhHRfpsmjl.jpg", + "url": "https://www.themoviedb.org/movie/24382", + "genres": [ + "Comedy", + "Crime" + ], + "tags": [ + "boxer", + "heist", + "burglary", + "safecracker", + "tunnel" + ] + }, + { + "ranking": 195, + "title": "Mortal Kombat Legends: Scorpion's Revenge", + "year": "2020", + "runtime": 80, + "content_rating": null, + "metascore": null, + "imdb_rating": 8.101, + "vote_count": 1393, + "description": "After the vicious slaughter of his family by stone-cold mercenary Sub-Zero, Hanzo Hasashi is exiled to the torturous Netherrealm. There, in exchange for his servitude to the sinister Quan Chi, he’s given a chance to avenge his family – and is resurrected as Scorpion, a lost soul bent on revenge. Back on Earthrealm, Lord Raiden gathers a team of elite warriors – Shaolin monk Liu Kang, Special Forces officer Sonya Blade and action star Johnny Cage – an unlikely band of heroes with one chance to save humanity. To do this, they must defeat Shang Tsung’s horde of Outworld gladiators and reign over the Mortal Kombat tournament.", + "poster": "https://image.tmdb.org/t/p/w500/4VlXER3FImHeFuUjBShFamhIp9M.jpg", + "url": "https://www.themoviedb.org/movie/664767", + "genres": [ + "Animation", + "Action", + "Fantasy" + ], + "tags": [ + "magic", + "ninja fighter", + "revenge", + "sorcerer", + "tournament", + "shaolin monk", + "fighting", + "based on video game", + "adult animation", + "god of thunder" + ] + }, + { + "ranking": 198, + "title": "Prisoners", + "year": "2013", + "runtime": 153, + "content_rating": null, + "metascore": null, + "imdb_rating": 8.1, + "vote_count": 12073, + "description": "Keller Dover is facing every parent’s worst nightmare. His six-year-old daughter, Anna, is missing, together with her young friend, Joy, and as minutes turn to hours, panic sets in. The only lead is a dilapidated RV that had earlier been parked on their street.", + "poster": "https://image.tmdb.org/t/p/w500/uhviyknTT5cEQXbn6vWIqfM4vGm.jpg", + "url": "https://www.themoviedb.org/movie/146233", + "genres": [ + "Drama", + "Thriller", + "Crime" + ], + "tags": [ + "pennsylvania, usa", + "kidnapping", + "hostage", + "detective", + "maze", + "symbolism", + "investigation", + "georgia", + "beating", + "god", + "revenge", + "vigilante", + "rural area", + "crime scene", + "brutality", + "candlelight vigil", + "aggressive", + "animal cruelty", + "neo-noir", + "sex offender", + "child abduction" + ] + }, + { + "ranking": 201, + "title": "WALL·E", + "year": "2008", + "runtime": 98, + "content_rating": null, + "metascore": null, + "imdb_rating": 8.097, + "vote_count": 19104, + "description": "What if mankind had to leave Earth and somebody forgot to turn the last robot off? After hundreds of years doing what he was built for, WALL•E discovers a new purpose in life when he meets a sleek search robot named EVE. EVE comes to realize that WALL•E has inadvertently stumbled upon the key to the planet's future, and races back to space to report to the humans. Meanwhile, WALL•E chases EVE across the galaxy and sets into motion one of the most imaginative adventures ever brought to the big screen.", + "poster": "https://image.tmdb.org/t/p/w500/hbhFnRzzg6ZDmm8YAmxBnQpQIPh.jpg", + "url": "https://www.themoviedb.org/movie/10681", + "genres": [ + "Animation", + "Family", + "Science Fiction" + ], + "tags": [ + "garbage", + "dystopia", + "space travel", + "distant future", + "loneliness", + "robot", + "aftercreditsstinger", + "duringcreditsstinger" + ] + }, + { + "ranking": 202, + "title": "Purple Hearts", + "year": "2022", + "runtime": 122, + "content_rating": null, + "metascore": null, + "imdb_rating": 8.096, + "vote_count": 2639, + "description": "An aspiring musician agrees to a marriage of convenience with a soon-to-deploy Marine, but a tragedy soon turns their fake relationship all too real.", + "poster": "https://image.tmdb.org/t/p/w500/4JyNWkryifWbWXJyxcWh3pVya6N.jpg", + "url": "https://www.themoviedb.org/movie/762975", + "genres": [ + "Romance", + "Drama" + ], + "tags": [ + "military life", + "romantic", + "assertive" + ] + }, + { + "ranking": 205, + "title": "The Hunt", + "year": "2012", + "runtime": 116, + "content_rating": null, + "metascore": null, + "imdb_rating": 8.093, + "vote_count": 4313, + "description": "A teacher lives a lonely life, all the while struggling over his son’s custody. His life slowly gets better as he finds love and receives good news from his son, but his new luck is about to be brutally shattered by an innocent little lie.", + "poster": "https://image.tmdb.org/t/p/w500/jkixsXzRh28q3PCqFoWcf7unghT.jpg", + "url": "https://www.themoviedb.org/movie/103663", + "genres": [ + "Drama" + ], + "tags": [ + "pedophilia", + "parent child relationship", + "lie", + "father", + "kindergarten", + "teacher", + "tragedy", + "school", + "pedophile", + "divorce", + "psychological drama", + "drama" + ] + }, + { + "ranking": 204, + "title": "Paris, Texas", + "year": "1984", + "runtime": 145, + "content_rating": null, + "metascore": null, + "imdb_rating": 8.1, + "vote_count": 1937, + "description": "A man wanders out of the desert not knowing who he is. His brother finds him, and helps to pull his memory back of the life he led before he walked out on his family and disappeared four years earlier.", + "poster": "https://image.tmdb.org/t/p/w500/mYYdCi54E2xVbUxCr03tMookv9Z.jpg", + "url": "https://www.themoviedb.org/movie/655", + "genres": [ + "Drama" + ], + "tags": [ + "van", + "regret", + "sibling relationship", + "texas", + "peep show", + "redemption", + "mute", + "los angeles, california", + "on the road", + "desert", + "family", + "modern-day western", + "neo-western", + "new german cinema", + "fugue state" + ] + }, + { + "ranking": 203, + "title": "The Tale of The Princess Kaguya", + "year": "2013", + "runtime": 137, + "content_rating": null, + "metascore": null, + "imdb_rating": 8.095, + "vote_count": 1819, + "description": "Found inside a shining stalk of bamboo by an old bamboo cutter and his wife, a tiny girl grows rapidly into an exquisite young lady. The mysterious young princess enthrals all who encounter her. But, ultimately, she must confront her fate.", + "poster": "https://image.tmdb.org/t/p/w500/mWRQNlWXYYfd2z4FRm99MsgHgiA.jpg", + "url": "https://www.themoviedb.org/movie/149871", + "genres": [ + "Animation", + "Drama", + "Fantasy" + ], + "tags": [ + "princess", + "historical", + "japanese woman", + "based on fairy tale", + "japanese folklore", + "bamboo", + "anime", + "fantasy", + "kaguya", + "approving", + "princesa" + ] + }, + { + "ranking": 207, + "title": "Some Like It Hot", + "year": "1959", + "runtime": 122, + "content_rating": null, + "metascore": null, + "imdb_rating": 8.1, + "vote_count": 3558, + "description": "Two musicians witness a mob hit and struggle to find a way out of the city before they are found by the gangsters. Their only opportunity is to join an all-girl band as they leave on a tour. To make their getaway they must first disguise themselves as women, then keep their identities secret and deal with the problems this brings - such as an attractive bandmate and a very determined suitor.", + "poster": "https://image.tmdb.org/t/p/w500/hVIKyTK13AvOGv7ICmJjK44DTzp.jpg", + "url": "https://www.themoviedb.org/movie/239", + "genres": [ + "Comedy", + "Romance", + "Crime" + ], + "tags": [ + "chicago, illinois", + "florida", + "transvestism", + "musician", + "witness", + "fake identity", + "deception", + "mafia", + "cross dressing", + "black and white", + "train", + "buddy", + "screwball comedy", + "spats", + "all girl band", + "st. valentine's day massacre", + "valentine's day", + "dressing", + "sex comedy", + "double identity", + "south florida" + ] + }, + { + "ranking": 209, + "title": "Sansho the Bailiff", + "year": "1954", + "runtime": 124, + "content_rating": null, + "metascore": null, + "imdb_rating": 8.1, + "vote_count": 385, + "description": "In medieval Japan, a woman and her children journey to find the family's patriarch, who was exiled years earlier.", + "poster": "https://image.tmdb.org/t/p/w500/cOBsWxFtEoqXIPx4JZP5E7g1WEo.jpg", + "url": "https://www.themoviedb.org/movie/20532", + "genres": [ + "Drama" + ], + "tags": [ + "governor", + "japan", + "courtesan", + "exile", + "banishment", + "prostitution", + "compassion", + "based on short story", + "decree", + "mercy", + "feudal japan", + "11th century", + "ancient japan" + ] + }, + { + "ranking": 211, + "title": "Children of Paradise", + "year": "1945", + "runtime": 190, + "content_rating": null, + "metascore": null, + "imdb_rating": 8.088, + "vote_count": 421, + "description": "In a chaotic 19th-century Paris teeming with aristocrats, thieves, psychics, and courtesans, theater mime Baptiste is in love with the mysterious actress Garance. But Garance, in turn, is loved by three other men: pretentious actor Frederick, conniving thief Lacenaire, and Count Edouard of Montray.", + "poster": "https://image.tmdb.org/t/p/w500/yiy9stl1jjVhW44ypkWMFDT8Ix3.jpg", + "url": "https://www.themoviedb.org/movie/2457", + "genres": [ + "Drama", + "Romance" + ], + "tags": [ + "pantomime", + "anarchist", + "count", + "love", + "thief", + "murder", + "mime", + "false accusations", + "hoodlum" + ] + }, + { + "ranking": 217, + "title": "New Gods: Nezha Reborn", + "year": "2021", + "runtime": 116, + "content_rating": null, + "metascore": null, + "imdb_rating": 8.075, + "vote_count": 453, + "description": "While living as an ordinary deliveryman and motor racing fan, Nezha encounters old nemeses and must rediscover his powers to protect his loved ones.", + "poster": "https://image.tmdb.org/t/p/w500/np4ScPY04HESKBbpexwstKsipKe.jpg", + "url": "https://www.themoviedb.org/movie/663558", + "genres": [ + "Animation", + "Action", + "Fantasy" + ], + "tags": [ + "based on novel or book", + "reincarnation", + "dragon", + "xianxia", + "3d animation", + "feng shen yanyi", + "nezha character", + "nezha", + "donghua" + ] + }, + { + "ranking": 214, + "title": "Das Boot", + "year": "1981", + "runtime": 150, + "content_rating": null, + "metascore": null, + "imdb_rating": 8.082, + "vote_count": 2275, + "description": "A German submarine hunts allied ships during the Second World War, but it soon becomes the hunted. The crew tries to survive below the surface, while stretching both the boat and themselves to their limits.", + "poster": "https://image.tmdb.org/t/p/w500/u8FhQPncOAkwcei2OI9orPWhV6K.jpg", + "url": "https://www.themoviedb.org/movie/387", + "genres": [ + "Drama", + "History", + "War" + ], + "tags": [ + "based on novel or book", + "submarine", + "war correspondent", + "atlantic ocean", + "gibraltar", + "world war ii", + "duty", + "suicide mission", + "drinking", + "sailor", + "convoy", + "destroyer", + "naval warfare", + "naval battle", + "battle of the atlantic", + "german u-boat fleet", + "confined spaces" + ] + }, + { + "ranking": 219, + "title": "Along with the Gods: The Two Worlds", + "year": "2017", + "runtime": 139, + "content_rating": null, + "metascore": null, + "imdb_rating": 8.1, + "vote_count": 1077, + "description": "Having died unexpectedly, firefighter Ja-hong is taken to the afterlife by 3 afterlife guardians. Only when he passes 7 trials over 49 days and proves he was innocent in human life, he’s able to reincarnate, and his 3 afterlife guardians are by his side to defend him in trial.", + "poster": "https://image.tmdb.org/t/p/w500/gJSvIsI6oQfFim0PGyuuiCYfqKs.jpg", + "url": "https://www.themoviedb.org/movie/397567", + "genres": [ + "Action", + "Adventure", + "Drama", + "Fantasy", + "Thriller" + ], + "tags": [ + "afterlife", + "hell", + "trial", + "based on comic", + "god", + "grim reaper", + "bromance", + "myth", + "based on webcomic or webtoon" + ] + }, + { + "ranking": 220, + "title": "Far from the Tree", + "year": "2021", + "runtime": 7, + "content_rating": null, + "metascore": null, + "imdb_rating": 8.074, + "vote_count": 378, + "description": "On an idyllic beach in the Pacific Northwest, curiosity gets the better of a young raccoon whose frustrated parent attempts to keep them both safe.", + "poster": "https://image.tmdb.org/t/p/w500/b3NhrYsr1X5r7zgjJDRMNOqXZS9.jpg", + "url": "https://www.themoviedb.org/movie/831827", + "genres": [ + "Animation", + "Family" + ], + "tags": [ + "short film" + ] + }, + { + "ranking": 213, + "title": "Miraculous World: New York, United HeroeZ", + "year": "2020", + "runtime": 61, + "content_rating": null, + "metascore": null, + "imdb_rating": 8.084, + "vote_count": 1104, + "description": "Marinette’s class is headed to New York, the city of superheroes, for French-American Friendship Week. The whole class is there...except Adrien, whose father refuses to let him go!", + "poster": "https://image.tmdb.org/t/p/w500/9YbyvcrHmY2SVbdfXpb8mC4Fy0g.jpg", + "url": "https://www.themoviedb.org/movie/755812", + "genres": [ + "Animation", + "TV Movie", + "Fantasy", + "Action" + ], + "tags": [ + "new york city", + "superhero", + "الدعسوقة" + ] + }, + { + "ranking": 216, + "title": "M", + "year": "1931", + "runtime": 111, + "content_rating": null, + "metascore": null, + "imdb_rating": 8.1, + "vote_count": 2237, + "description": "In this classic German thriller, Hans Beckert, a serial killer who preys on children, becomes the focus of a massive Berlin police manhunt. Beckert's heinous crimes are so repellant and disruptive to city life that he is even targeted by others in the seedy underworld network. With both cops and criminals in pursuit, the murderer soon realizes that people are on his trail, sending him into a tense, panicked attempt to escape justice.", + "poster": "https://image.tmdb.org/t/p/w500/bTdZk3q2DWpBRnLiaaItKFWOVhI.jpg", + "url": "https://www.themoviedb.org/movie/832", + "genres": [ + "Drama", + "Thriller", + "Crime" + ], + "tags": [ + "berlin, germany", + "germany", + "psychopath", + "detective inspector", + "child murder", + "investigation", + "organized crime", + "serial killer", + "black and white", + "criminal", + "pre-code", + "psycho", + "expressionism", + "criterion", + "german expressionism", + "crime" + ] + }, + { + "ranking": 218, + "title": "Along with the Gods: The Last 49 Days", + "year": "2018", + "runtime": 141, + "content_rating": null, + "metascore": null, + "imdb_rating": 8.1, + "vote_count": 684, + "description": "As the deceased soul Ja-hong and his three afterlife guardians prepare for their remaining trials for reincarnation, the guardians soon come face to face with the truth of their tragic time on Earth 1,000 years earlier.", + "poster": "https://image.tmdb.org/t/p/w500/9BnqBHFGDv3WlCPB2qQwzAWdy7y.jpg", + "url": "https://www.themoviedb.org/movie/518068", + "genres": [ + "Action", + "Adventure", + "Fantasy", + "Thriller" + ], + "tags": [ + "afterlife", + "hell", + "trial", + "based on comic", + "god", + "grim reaper", + "myth", + "goryeo dynasty", + "based on webcomic or webtoon" + ] + }, + { + "ranking": 212, + "title": "Harry Potter and the Deathly Hallows: Part 2", + "year": "2011", + "runtime": 130, + "content_rating": null, + "metascore": null, + "imdb_rating": 8.087, + "vote_count": 20920, + "description": "Harry, Ron and Hermione continue their quest to vanquish the evil Voldemort once and for all. Just as things begin to look hopeless for the young wizards, Harry discovers a trio of magical objects that endow him with powers to rival Voldemort's formidable skills.", + "poster": "https://image.tmdb.org/t/p/w500/c54HpQmuwXjHq2C9wmoACjxoom3.jpg", + "url": "https://www.themoviedb.org/movie/12445", + "genres": [ + "Fantasy", + "Adventure" + ], + "tags": [ + "witch", + "dying and death", + "saving the world", + "self sacrifice", + "magic", + "school of witchcraft", + "sorcerer", + "school", + "battle", + "ghost", + "wizard", + "teenage hero", + "mysterious", + "christmas", + "based on young adult novel", + "good versus evil" + ] + }, + { + "ranking": 208, + "title": "Eternal Sunshine of the Spotless Mind", + "year": "2004", + "runtime": 108, + "content_rating": null, + "metascore": null, + "imdb_rating": 8.092, + "vote_count": 15339, + "description": "Joel Barish, heartbroken that his girlfriend underwent a procedure to erase him from her memory, decides to do the same. However, as he watches his memories of her fade away, he realises that he still loves her, and may be too late to correct his mistake.", + "poster": "https://image.tmdb.org/t/p/w500/5MwkWH9tYHv3mV9OdYTMR5qreIz.jpg", + "url": "https://www.themoviedb.org/movie/38", + "genres": [ + "Science Fiction", + "Drama", + "Romance" + ], + "tags": [ + "new york city", + "regret", + "jealousy", + "deja vu", + "amnesia", + "dreams", + "operation", + "relationship problems", + "love", + "memory", + "brainwashing", + "relationship", + "heartbreak", + "nonlinear timeline", + "2000s", + "memory manipulation", + "joyful" + ] + }, + { + "ranking": 210, + "title": "La Haine", + "year": "1995", + "runtime": 98, + "content_rating": null, + "metascore": null, + "imdb_rating": 8.1, + "vote_count": 4163, + "description": "After a chaotic night of rioting in a marginal suburb of Paris, three young friends, Vinz, Hubert and Saïd, wander around unoccupied waiting for news about the state of health of a mutual friend who has been seriously injured when confronting the police.", + "poster": "https://image.tmdb.org/t/p/w500/iH8saz6s0Z8SPPrKaMI2KrRzTED.jpg", + "url": "https://www.themoviedb.org/movie/406", + "genres": [ + "Drama" + ], + "tags": [ + "neo-nazism", + "police brutality", + "hip-hop", + "paris, france", + "socially deprived family", + "breakdance", + "ghetto", + "male friendship", + "racism", + "xenophobia", + "day in a life", + "aggressive", + "paris suburb" + ] + }, + { + "ranking": 215, + "title": "All About Eve", + "year": "1950", + "runtime": 139, + "content_rating": null, + "metascore": null, + "imdb_rating": 8.081, + "vote_count": 1567, + "description": "From the moment she glimpses her idol at the stage door, Eve Harrington is determined to take the reins of power away from the great actress Margo Channing. Eve maneuvers her way into Margo's Broadway role, becomes a sensation and even causes turmoil in the lives of Margo's director boyfriend, her playwright and his wife. Only the cynical drama critic sees through Eve, admiring her audacity and perfect pattern of deceit.", + "poster": "https://image.tmdb.org/t/p/w500/qU5QzNDrsusmuqKW6FsSvHYoIEQ.jpg", + "url": "https://www.themoviedb.org/movie/705", + "genres": [ + "Drama" + ], + "tags": [ + "playwright", + "hollywood", + "black and white", + "relationship", + "insecurity", + "broadway", + "based on short story", + "broadway star", + "manipulative woman", + "stage struck", + "preserved film", + "homewrecker" + ] + }, + { + "ranking": 206, + "title": "Yojimbo", + "year": "1961", + "runtime": 110, + "content_rating": null, + "metascore": null, + "imdb_rating": 8.093, + "vote_count": 1502, + "description": "A nameless ronin, or samurai with no master, enters a small village in feudal Japan where two rival businessmen are struggling for control of the local gambling trade. Taking the name Sanjuro Kuwabatake, the ronin convinces both silk merchant Tazaemon and sake merchant Tokuemon to hire him as a personal bodyguard, then artfully sets in motion a full-scale gang war between the two ambitious and unscrupulous men.", + "poster": "https://image.tmdb.org/t/p/w500/tN7kYPjRhDolpui9sc9Eq9n5b2O.jpg", + "url": "https://www.themoviedb.org/movie/11878", + "genres": [ + "Drama", + "Thriller" + ], + "tags": [ + "japan", + "samurai", + "swordplay", + "gambling", + "sword", + "bodyguard", + "black and white", + "fighting", + "family", + "intrigue", + "ronin", + "criterion", + "jidaigeki", + "revolver", + "edo period", + "feudal japan", + "19th century", + "business rivalry", + "middleman", + "asian western", + "rivals", + "pitting ones enemy's against each other" + ] + }, + { + "ranking": 224, + "title": "My Neighbor Totoro", + "year": "1988", + "runtime": 86, + "content_rating": null, + "metascore": null, + "imdb_rating": 8.1, + "vote_count": 8161, + "description": "Two sisters move to the country with their father in order to be closer to their hospitalized mother, and discover the surrounding trees are inhabited by Totoros, magical spirits of the forest. When the youngest runs away from home, the older sister seeks help from the spirits to find her.", + "poster": "https://image.tmdb.org/t/p/w500/rtGDOeG9LzoerkDGZF9dnVeLppL.jpg", + "url": "https://www.themoviedb.org/movie/8392", + "genres": [ + "Fantasy", + "Animation", + "Family" + ], + "tags": [ + "mother", + "sibling relationship", + "village", + "leave", + "rural area", + "hospital", + "new neighbor", + "new home", + "super power", + "magical creature", + "anime", + "admiring" + ] + }, + { + "ranking": 223, + "title": "KONOSUBA – God's blessing on this wonderful world! Legend of Crimson", + "year": "2019", + "runtime": 90, + "content_rating": null, + "metascore": null, + "imdb_rating": 8.1, + "vote_count": 558, + "description": "It is not strange that the Demon Lord's forces fear the Crimson Demons, the clan from which Megumin and Yunyun originate. Even if the Demon Lord's generals attack their village, the Crimson Demons can just easily brush them off with their supreme mastery of advanced and overpowered magic. When Yunyun receives a seemingly serious letter regarding a potential disaster coming to her hometown, she immediately informs Kazuma Satou and the rest of his party. After a series of wacky misunderstandings, it turns out to be a mere prank by her fellow demon who wants to be an author. Even so, Megumin becomes worried about her family and sets out toward the Crimson Demons' village with the gang. There, Kazuma and the others decide to sightsee the wonders of Megumin's birthplace. However, they soon come to realize that the nonsense threat they received might have been more than just a joke.", + "poster": "https://image.tmdb.org/t/p/w500/fv5BgcfkpWh3V6Pb1qVlXESBOdl.jpg", + "url": "https://www.themoviedb.org/movie/532067", + "genres": [ + "Animation", + "Adventure", + "Comedy", + "Fantasy" + ], + "tags": [ + "based on novel or book", + "magic", + "supernatural", + "parody", + "sequel", + "parallel world", + "fantasy world", + "seinen", + "anime", + "deity", + "isekai", + "based on light novel" + ] + }, + { + "ranking": 226, + "title": "Prayers for Bobby", + "year": "2009", + "runtime": 89, + "content_rating": null, + "metascore": null, + "imdb_rating": 8.1, + "vote_count": 590, + "description": "Bobby Griffith was his mother's favorite son, the perfect all-American boy growing up under deeply religious influences in Walnut Creek, California. Bobby was also gay. Struggling with a conflict no one knew of, much less understood, Bobby finally came out to his family.", + "poster": "https://image.tmdb.org/t/p/w500/1viFwXluAettogGDsTrSUUg29lZ.jpg", + "url": "https://www.themoviedb.org/movie/21634", + "genres": [ + "Drama", + "History", + "TV Movie" + ], + "tags": [ + "coming out", + "suicide", + "based on novel or book", + "parent child relationship", + "homophobia", + "christianity", + "intolerance", + "based on true story", + "grief", + "male homosexuality", + "religion", + "tragic event", + "lgbt", + "death of son", + "teen suicide", + "lgbt activist", + "religious intolerance", + "death of a loved one", + "gay theme" + ] + }, + { + "ranking": 225, + "title": "Rashomon", + "year": "1950", + "runtime": 88, + "content_rating": null, + "metascore": null, + "imdb_rating": 8.1, + "vote_count": 2284, + "description": "Brimming with action while incisively examining the nature of truth, \"Rashomon\" is perhaps the finest film ever to investigate the philosophy of justice. Through an ingenious use of camera and flashbacks, Kurosawa reveals the complexities of human nature as four people recount different versions of the story of a man's murder and the rape of his wife.", + "poster": "https://image.tmdb.org/t/p/w500/vL7Xw04nFMHwnvXRFCmYYAzMUvY.jpg", + "url": "https://www.themoviedb.org/movie/548", + "genres": [ + "Crime", + "Drama", + "Mystery" + ], + "tags": [ + "dying and death", + "japan", + "samurai", + "rape", + "court case", + "court", + "truth", + "rain", + "woodcutter", + "subjectivity", + "medium", + "sunlight", + "criminal", + "based on short story", + "multiple perspectives", + "jidaigeki", + "philosophical", + "heian period", + "preserved film" + ] + }, + { + "ranking": 222, + "title": "There Will Be Blood", + "year": "2007", + "runtime": 158, + "content_rating": null, + "metascore": null, + "imdb_rating": 8.1, + "vote_count": 6777, + "description": "Ruthless silver miner, turned oil prospector, Daniel Plainview, moves to oil-rich California. Using his son to project a trustworthy, family-man image, Plainview cons local landowners into selling him their valuable properties for a pittance. However, local preacher Eli Sunday suspects Plainview's motives and intentions, starting a slow-burning feud that threatens both their lives.", + "poster": "https://image.tmdb.org/t/p/w500/nuZDiX8okojcwkStdaMjA9LUQAT.jpg", + "url": "https://www.themoviedb.org/movie/7345", + "genres": [ + "Drama" + ], + "tags": [ + "california", + "petrol", + "sibling relationship", + "based on novel or book", + "capitalism", + "pastor", + "deaf-mute", + "greed", + "american dream", + "narcissism", + "fanatic", + "father", + "baptism", + "misanthrophy", + "money", + "oil", + "religion", + "impostor", + "church", + "alcoholic", + "oil industry", + "child abandonment", + "character study", + "zealot", + "bowling alley", + "sign languages", + "oil field", + "turn of the century", + "19th century", + "adopted son", + "1900s", + "personality change", + "pipeline", + "20th century", + "1890s" + ] + }, + { + "ranking": 221, + "title": "La Dolce Vita", + "year": "1960", + "runtime": 176, + "content_rating": null, + "metascore": null, + "imdb_rating": 8.1, + "vote_count": 1897, + "description": "Episodic journey of journalist Marcello who struggles to find his place in the world, torn between the allure of Rome's elite social scene and the stifling domesticity offered by his girlfriend, all the while searching for a way to become a serious writer.", + "poster": "https://image.tmdb.org/t/p/w500/skFeWHHBwbQNfXep9OEdrQPJKoS.jpg", + "url": "https://www.themoviedb.org/movie/439", + "genres": [ + "Comedy", + "Drama" + ], + "tags": [ + "dying and death", + "sea", + "newspaper", + "lovesickness", + "sunrise", + "unsociability", + "rome, italy", + "photographer", + "loss of loved one", + "sadness", + "night life", + "fountain", + "melancholy", + "cowardliness", + "cynical", + "ghost" + ] + }, + { + "ranking": 227, + "title": "Pride & Prejudice", + "year": "2005", + "runtime": 129, + "content_rating": null, + "metascore": null, + "imdb_rating": 8.069, + "vote_count": 8186, + "description": "A story of love and life among the landed English gentry during the Georgian era. Mr. Bennet is a gentleman living in Hertfordshire with his overbearing wife and five daughters, but if he dies their house will be inherited by a distant cousin whom they have never met, so the family's future happiness and security is dependent on the daughters making good marriages.", + "poster": "https://image.tmdb.org/t/p/w500/sGjIvtVvTlWnia2zfJfHz81pZ9Q.jpg", + "url": "https://www.themoviedb.org/movie/4348", + "genres": [ + "Drama", + "Romance" + ], + "tags": [ + "based on novel or book", + "england", + "bachelor", + "family relationships", + "suitor", + "prejudice", + "period drama", + "pride", + "18th century", + "opposites attract", + "gentleman", + "georgian or regency era", + "1790s", + "sisters" + ] + }, + { + "ranking": 231, + "title": "A Special Day", + "year": "1977", + "runtime": 106, + "content_rating": null, + "metascore": null, + "imdb_rating": 8.1, + "vote_count": 676, + "description": "Two neighbours — a persecuted journalist and a resigned housewife — forge a strong bond on the day of Adolf Hitler's historic 1938 visit to Rome.", + "poster": "https://image.tmdb.org/t/p/w500/jzRn7N1mFowkQ5IkUkfWoxXJtYU.jpg", + "url": "https://www.themoviedb.org/movie/42229", + "genres": [ + "Drama", + "Romance" + ], + "tags": [ + "rome, italy", + "fascism", + "housewife", + "benito mussolini", + "male homosexuality", + "neighbor", + "1930s", + "gay theme" + ] + }, + { + "ranking": 232, + "title": "A Taxi Driver", + "year": "2017", + "runtime": 138, + "content_rating": null, + "metascore": null, + "imdb_rating": 8.1, + "vote_count": 1032, + "description": "May, 1980. Man-seob is a taxi driver in Seoul who lives from hand to mouth, raising his young daughter alone. One day, he hears that there is a foreigner who will pay big money for a drive down to Gwangju city. Not knowing that he’s a German journalist with a hidden agenda, Man-seob takes the job.", + "poster": "https://image.tmdb.org/t/p/w500/iXVaWbxmyPk4KZGZk5GGDGFieMX.jpg", + "url": "https://www.themoviedb.org/movie/437068", + "genres": [ + "Action", + "Drama", + "History" + ], + "tags": [ + "taxi", + "taxi driver", + "protest", + "based on true story", + "democracy", + "historical event", + "1980s", + "gwangju uprising", + "gwangju", + "democratization movement", + "south korea", + "excited" + ] + }, + { + "ranking": 229, + "title": "Sherlock Jr.", + "year": "1924", + "runtime": 45, + "content_rating": null, + "metascore": null, + "imdb_rating": 8.1, + "vote_count": 1023, + "description": "A film projectionist longs to be a detective, and puts his meagre skills to work when he is framed by a rival for stealing his girlfriend's father's pocketwatch.", + "poster": "https://image.tmdb.org/t/p/w500/1G9r3rqtbFAQuyWKOZm4Y5J5s7Q.jpg", + "url": "https://www.themoviedb.org/movie/992", + "genres": [ + "Action", + "Comedy", + "Mystery" + ], + "tags": [ + "pickpocket", + "amateur detective", + "slapstick comedy", + "jungle", + "black and white", + "motorcycle", + "false accusations", + "silent film", + "projectionist", + "booby trap", + "handkerchief", + "magnifying glass", + "railyard", + "banana peel", + "pearls" + ] + }, + { + "ranking": 237, + "title": "To Live", + "year": "1994", + "runtime": 133, + "content_rating": null, + "metascore": null, + "imdb_rating": 8.1, + "vote_count": 326, + "description": "Fugui and Jiazhen endure tumultuous events in China as their personal fortunes move from wealthy landownership to peasantry. Addicted to gambling, Fugui loses everything. In the years that follow he is pressed into both the nationalist and communist armies, while Jiazhen is forced into menial work.", + "poster": "https://image.tmdb.org/t/p/w500/bv0qREWTw8TPAtgt22ELp1UlKVl.jpg", + "url": "https://www.themoviedb.org/movie/31439", + "genres": [ + "Drama", + "Romance", + "War" + ], + "tags": [ + "epic", + "child abuse", + "china", + "gambling", + "gambling debt", + "cultural revolution", + "chinese civil war", + "shadow puppet", + "1940s", + "1950s", + "1960s" + ] + }, + { + "ranking": 236, + "title": "Believe Me: The Abduction of Lisa McVey", + "year": "2018", + "runtime": 98, + "content_rating": null, + "metascore": null, + "imdb_rating": 8.1, + "vote_count": 635, + "description": "On the night she plans on taking her own life, 17-year-old 'Lisa McVey' is kidnapped and finds herself fighting to stay alive and manages to be a victim of rape. She manages to talk her attacker into releasing her, but when she returns home, no one believes her story except for one detective, who suspects she was abducted by a serial killer. Based on horrifying true events.", + "poster": "https://image.tmdb.org/t/p/w500/qbJEzCzEKDHPZDiRvSSBiYEKaAH.jpg", + "url": "https://www.themoviedb.org/movie/550776", + "genres": [ + "Drama", + "TV Movie", + "Crime" + ], + "tags": [ + "suicide", + "sexual abuse", + "kidnapping", + "detective", + "based on true story", + "serial killer", + "murderer", + "held captive", + "sole survivor", + "police force", + "sexual assault", + "donut shop", + "abduction", + "re-creation", + "teenager", + "survivor" + ] + }, + { + "ranking": 235, + "title": "Guillermo del Toro's Pinocchio", + "year": "2022", + "runtime": 117, + "content_rating": null, + "metascore": null, + "imdb_rating": 8.1, + "vote_count": 3022, + "description": "During the rise of fascism in Mussolini's Italy, a wooden boy brought magically to life struggles to live up to his father's expectations.", + "poster": "https://image.tmdb.org/t/p/w500/vx1u0uwxdlhV2MUzj4VlcMB0N6m.jpg", + "url": "https://www.themoviedb.org/movie/555604", + "genres": [ + "Animation", + "Fantasy", + "Drama", + "Adventure", + "Family", + "Music" + ], + "tags": [ + "based on novel or book", + "italy", + "fascism", + "greed", + "woodcutter", + "musical", + "puppet", + "benito mussolini", + "stop motion", + "dark fantasy", + "duringcreditsstinger", + "1940s", + "wooden dummy", + "live action remake" + ] + }, + { + "ranking": 239, + "title": "A Dog's Journey", + "year": "2019", + "runtime": 109, + "content_rating": null, + "metascore": null, + "imdb_rating": 8.1, + "vote_count": 1544, + "description": "A dog finds the meaning of his own existence through the lives of the humans he meets.", + "poster": "https://image.tmdb.org/t/p/w500/wquJChp0NpoqthYdE3YjXNNxvVC.jpg", + "url": "https://www.themoviedb.org/movie/522518", + "genres": [ + "Family", + "Adventure", + "Drama" + ], + "tags": [ + "reincarnation", + "sequel", + "growing up", + "dog", + "animal shelter", + "pets" + ] + }, + { + "ranking": 233, + "title": "The Thing", + "year": "1982", + "runtime": 109, + "content_rating": null, + "metascore": null, + "imdb_rating": 8.1, + "vote_count": 7206, + "description": "In the winter of 1982, a twelve-man research team at a remote Antarctic research station discovers an alien buried in the snow for over 100,000 years. Soon unfrozen, the form-changing creature wreaks havoc, creates terror... and becomes one of them.", + "poster": "https://image.tmdb.org/t/p/w500/tzGY49kseSE9QAKk47uuDGwnSCu.jpg", + "url": "https://www.themoviedb.org/movie/1091", + "genres": [ + "Horror", + "Mystery", + "Science Fiction" + ], + "tags": [ + "spacecraft", + "helicopter", + "space marine", + "based on novel or book", + "isolation", + "mutation", + "paranoia", + "grave", + "snowstorm", + "research station", + "alien life-form", + "alien", + "remake", + "survival", + "creature", + "helicopter pilot", + "antarctica", + "shape shifting alien", + "alien infection", + "survival horror", + "sled dogs", + "alien monster", + "calm", + "alien parasites", + "wolves", + "isolated place", + "uncertainty", + "blood test", + "body horror", + "ambiguity", + "provocative", + "suspenseful", + "critical", + "intense", + "disgusted", + "antarctic" + ] + }, + { + "ranking": 240, + "title": "Ran", + "year": "1985", + "runtime": 160, + "content_rating": null, + "metascore": null, + "imdb_rating": 8.1, + "vote_count": 1597, + "description": "With Ran, legendary director Akira Kurosawa reimagines Shakespeare's King Lear as a singular historical epic set in sixteenth-century Japan. Majestic in scope, the film is Kurosawa's late-life masterpiece, a profound examination of the folly of war and the crumbling of one family under the weight of betrayal, greed, and the insatiable thirst for power.", + "poster": "https://image.tmdb.org/t/p/w500/iYQcDhuHrdPOHLUUxXaFChFrc97.jpg", + "url": "https://www.themoviedb.org/movie/11645", + "genres": [ + "Action", + "Drama", + "History" + ], + "tags": [ + "epic", + "assassination", + "kingdom", + "gun", + "greed", + "castle", + "heir to the throne", + "revenge", + "descent into madness", + "seppuku", + "inheritance fight", + "ruins", + "jidaigeki", + "king lear", + "feudal japan", + "black widow", + "hopelessness" + ] + }, + { + "ranking": 234, + "title": "2001: A Space Odyssey", + "year": "1968", + "runtime": 149, + "content_rating": null, + "metascore": null, + "imdb_rating": 8.1, + "vote_count": 11755, + "description": "Humanity finds a mysterious object buried beneath the lunar surface and sets off to find its origins with the help of HAL 9000, the world's most advanced super computer.", + "poster": "https://image.tmdb.org/t/p/w500/ve72VxNqjGM69Uky4WTo2bK6rfq.jpg", + "url": "https://www.themoviedb.org/movie/62", + "genres": [ + "Science Fiction", + "Mystery", + "Adventure" + ], + "tags": [ + "man vs machine", + "moon", + "jupiter", + "artificial intelligence (a.i.)", + "based on novel or book", + "technology", + "super computer", + "space travel", + "space mission", + "moon base", + "astronaut", + "evolution", + "monolith", + "space station", + "space opera", + "philosophical", + "complex", + "2000s", + "dreary", + "grand", + "ai rebellion", + "tense", + "audacious", + "baffled", + "excited" + ] + }, + { + "ranking": 230, + "title": "Oppenheimer", + "year": "2023", + "runtime": 181, + "content_rating": null, + "metascore": null, + "imdb_rating": 8.1, + "vote_count": 10039, + "description": "The story of J. Robert Oppenheimer's role in the development of the atomic bomb during World War II.", + "poster": "https://image.tmdb.org/t/p/w500/8Gxv8gSFCU0XGDykEGv7zR1n2ua.jpg", + "url": "https://www.themoviedb.org/movie/872585", + "genres": [ + "Drama", + "History" + ], + "tags": [ + "husband wife relationship", + "based on novel or book", + "atomic bomb", + "patriotism", + "new mexico", + "world war ii", + "atomic bomb test", + "physics", + "biography", + "based on true story", + "interrogation", + "guilt", + "historical event", + "nuclear weapons", + "communism", + "red scare", + "mccarthyism", + "top secret project", + "moral dilemma", + "usa politics", + "1940s", + "antisemitism", + "20th century", + "manhattan project", + "los alamos" + ] + }, + { + "ranking": 238, + "title": "Memories of Murder", + "year": "2003", + "runtime": 131, + "content_rating": null, + "metascore": null, + "imdb_rating": 8.06, + "vote_count": 3975, + "description": "During the late 1980s, two detectives in a South Korean province attempt to solve the nation's first series of rape-and-murder cases.", + "poster": "https://image.tmdb.org/t/p/w500/jcgUjx1QcupGzjntTVlnQ15lHqy.jpg", + "url": "https://www.themoviedb.org/movie/11423", + "genres": [ + "Crime", + "Drama", + "Thriller" + ], + "tags": [ + "assassin", + "police brutality", + "rape", + "corruption", + "police", + "detective", + "investigation", + "grave", + "victim", + "based on true story", + "based on play or musical", + "murder", + "serial killer", + "torture", + "brutality", + "killer", + "neo-noir", + "1980s", + "south korea" + ] + }, + { + "ranking": 228, + "title": "Three Billboards Outside Ebbing, Missouri", + "year": "2017", + "runtime": 115, + "content_rating": null, + "metascore": null, + "imdb_rating": 8.068, + "vote_count": 10270, + "description": "After seven months have passed without a culprit in her daughter's murder case, Mildred Hayes makes a bold move, painting three signs leading into her town with a controversial message directed at Bill Willoughby, the town's revered chief of police. When his second-in-command Officer Jason Dixon, an immature mother's boy with a penchant for violence, gets involved, the battle between Mildred and Ebbing's law enforcement is only exacerbated.", + "poster": "https://image.tmdb.org/t/p/w500/uGMM9ZObmPUFrGqcbFMVyv8L1lU.jpg", + "url": "https://www.themoviedb.org/movie/359940", + "genres": [ + "Crime", + "Drama" + ], + "tags": [ + "small town", + "suicide", + "police brutality", + "rape", + "missouri", + "dark comedy", + "alcoholism", + "murder", + "arson", + "cancer", + "teenage girl", + "police corruption", + "racism", + "anger", + "billboard", + "guilty conscience", + "molotov cocktail", + "pool hall" + ] + }, + { + "ranking": 241, + "title": "Hidden Figures", + "year": "2016", + "runtime": 127, + "content_rating": null, + "metascore": null, + "imdb_rating": 8.1, + "vote_count": 9892, + "description": "The untold story of Katherine G. Johnson, Dorothy Vaughan and Mary Jackson – brilliant African-American women working at NASA and serving as the brains behind one of the greatest operations in history – the launch of astronaut John Glenn into orbit. The visionary trio crossed all gender and race lines to inspire generations to dream big.", + "poster": "https://image.tmdb.org/t/p/w500/9lfz2W2uGjyow3am00rsPJ8iOyq.jpg", + "url": "https://www.themoviedb.org/movie/381284", + "genres": [ + "Drama", + "History" + ], + "tags": [ + "nasa", + "mathematics", + "sexism", + "biography", + "racial segregation", + "racism", + "historical fiction", + "scientist", + "space race", + "discrimination", + "1960s", + "space program", + "african american history", + "apologetic", + "arrogant", + "authoritarian", + "callous", + "condescending", + "disrespectful", + "earnest", + "frustrated" + ] + }, + { + "ranking": 242, + "title": "Elite Squad", + "year": "2007", + "runtime": 115, + "content_rating": null, + "metascore": null, + "imdb_rating": 8.1, + "vote_count": 2471, + "description": "In 1997, before the visit of the pope to Rio de Janeiro, Captain Nascimento from BOPE (Special Police Operations Battalion) is assigned to eliminate the risks of the drug dealers in a dangerous slum nearby where the pope intends to be lodged.", + "poster": "https://image.tmdb.org/t/p/w500/lwIXz785N2fXi8hsBr1IXciFlkM.jpg", + "url": "https://www.themoviedb.org/movie/7347", + "genres": [ + "Drama", + "Action", + "Crime" + ], + "tags": [ + "drug dealer", + "police brutality", + "slum", + "war on drugs", + "drug trafficking", + "rio de janeiro", + "torturing police", + "special forces", + "law enforcement", + "brazilian cinema", + "admiring" + ] + }, + { + "ranking": 243, + "title": "The Young and the Damned", + "year": "1950", + "runtime": 82, + "content_rating": null, + "metascore": null, + "imdb_rating": 8.1, + "vote_count": 492, + "description": "A group of juvenile delinquents live a violent life in the infamous slums of Mexico City; among them Pedro, whose morality is gradually corrupted and destroyed by the others.", + "poster": "https://image.tmdb.org/t/p/w500/cDCvmYoyqFg4CuSMtGMvCpfOIEw.jpg", + "url": "https://www.themoviedb.org/movie/800", + "genres": [ + "Drama", + "Crime" + ], + "tags": [ + "mexico city, mexico", + "slum", + "approved school ", + "homelessness", + "juvenile delinquent", + "rebellious youth", + "older woman younger man relationship" + ] + }, + { + "ranking": 248, + "title": "The Grand Budapest Hotel", + "year": "2014", + "runtime": 100, + "content_rating": null, + "metascore": null, + "imdb_rating": 8.0, + "vote_count": 15070, + "description": "The Grand Budapest Hotel tells of a legendary concierge at a famous European hotel between the wars and his friendship with a young employee who becomes his trusted protégé. The story involves the theft and recovery of a priceless Renaissance painting, the battle for an enormous family fortune and the slow and then sudden upheavals that transformed Europe during the first half of the 20th century.", + "poster": "https://image.tmdb.org/t/p/w500/eWdyYQreja6JGCzqHWXpWHDrrPo.jpg", + "url": "https://www.themoviedb.org/movie/120467", + "genres": [ + "Comedy", + "Drama" + ], + "tags": [ + "hotel", + "painting", + "wartime", + "affectation", + "eastern europe", + "author", + "gunfight", + "theft", + "bellboy", + "mentor protégé relationship", + "european", + "hotel lobby", + "renaissance painting", + "1960s", + "1930s", + "ironic", + "complex", + "loving", + "joyous", + "admiring", + "adoring", + "celebratory", + "cheerful", + "comforting", + "conceited", + "euphoric", + "forceful", + "joyful" + ] + }, + { + "ranking": 244, + "title": "Me Against You: Mr. S's Vendetta", + "year": "2020", + "runtime": 64, + "content_rating": null, + "metascore": null, + "imdb_rating": 8.0, + "vote_count": 468, + "description": "A young couple who makes popular YouTube videos for children sets out to win an award, but an evil mastermind stands in the way of their success.", + "poster": "https://image.tmdb.org/t/p/w500/sfeQTIRkJjWt8IPDSBcPqkrcaas.jpg", + "url": "https://www.themoviedb.org/movie/640344", + "genres": [ + "Family", + "Fantasy" + ], + "tags": [] + }, + { + "ranking": 253, + "title": "My Name Is Khan", + "year": "2010", + "runtime": 165, + "content_rating": null, + "metascore": null, + "imdb_rating": 8.0, + "vote_count": 1339, + "description": "Rizwan Khan, a Muslim from the Borivali section of Mumbai, has Asperger's syndrome. He marries a Hindu single mother, Mandira, in San Francisco. After 9/11, Rizwan is detained by authorities at LAX who treat him as a terrorist because of his condition and his race.", + "poster": "https://image.tmdb.org/t/p/w500/5Y36lCiNyyV71mjq6LavgiggbhT.jpg", + "url": "https://www.themoviedb.org/movie/26022", + "genres": [ + "Drama", + "Romance" + ], + "tags": [ + "autism", + "mumbai (bombay), india", + "based on true story", + "prejudice", + "religion", + "disability", + "asperger's syndrome", + "asian american", + "bollywood" + ] + }, + { + "ranking": 254, + "title": "The Lives of Others", + "year": "2006", + "runtime": 137, + "content_rating": null, + "metascore": null, + "imdb_rating": 8.0, + "vote_count": 3761, + "description": "In 1983 East Berlin, dedicated Stasi officer Gerd Wiesler begins spying on a famous playwright and his actress-lover Christa-Maria. Wiesler becomes unexpectedly sympathetic to the couple, and faces conflicting loyalties when his superior takes a liking to Christa-Maria.", + "poster": "https://image.tmdb.org/t/p/w500/cVUDMnskSc01rdbyH0tLATTJUdP.jpg", + "url": "https://www.themoviedb.org/movie/582", + "genres": [ + "Drama", + "Thriller" + ], + "tags": [ + "berlin, germany", + "government", + "corruption", + "espionage", + "germany", + "berlin wall", + "german democratic republic", + "cold war", + "blackmail", + "stasi", + "soviet union", + "freedom of speech", + "house search", + "artists' life", + "interrogation", + "surveillance", + "heartbreak", + "east germany", + "communism", + "corrupt agent", + "political corruption", + "political thriller", + "surveillance state", + "persecuted writer", + "systemic corruption", + "suspenseful", + "noble sacrifice", + "corrupt government" + ] + }, + { + "ranking": 256, + "title": "On My Skin", + "year": "2018", + "runtime": 100, + "content_rating": null, + "metascore": null, + "imdb_rating": 8.0, + "vote_count": 1859, + "description": "The incredible true story behind the most controversial Italian court cases in recent years. Stefano Cucchi was arrested for a minor crime and mysteriously found dead during his detention. In one week's time, a family is changed forever.", + "poster": "https://image.tmdb.org/t/p/w500/rwPgE6fLxuJmPWi8fFjgENJMAjr.jpg", + "url": "https://www.themoviedb.org/movie/538362", + "genres": [ + "Drama" + ], + "tags": [ + "biography" + ] + }, + { + "ranking": 250, + "title": "Ayla: The Daughter of War", + "year": "2017", + "runtime": 124, + "content_rating": null, + "metascore": null, + "imdb_rating": 8.0, + "vote_count": 367, + "description": "In 1950, amidst the ravages of the Korean War, Sergeant Süleyman stumbles upon a a half-frozen little girl, with no parents and no help in sight and he risks his own life to save her, smuggling her into his army base and out of harm’s way.", + "poster": "https://image.tmdb.org/t/p/w500/8RELLU0RK9hRIteLzHFZ0dK8YSi.jpg", + "url": "https://www.themoviedb.org/movie/472454", + "genres": [ + "Drama", + "War", + "History" + ], + "tags": [ + "foster parents", + "korean war (1950-53)", + "turkish army", + "orphan", + "foster care", + "korean girl", + "korean child", + "turkish soldier", + "korean laws" + ] + }, + { + "ranking": 247, + "title": "Bo Burnham: Make Happy", + "year": "2016", + "runtime": 60, + "content_rating": null, + "metascore": null, + "imdb_rating": 8.0, + "vote_count": 387, + "description": "Combining his trademark wit and self-deprecating humor with original music, Bo Burnham offers up his unique twist on life in this stand-up special about life, death, sexuality, hypocrisy, mental illness and Pringles cans.", + "poster": "https://image.tmdb.org/t/p/w500/dqHTk96sbQI2En5HJIsgelWi5Cv.jpg", + "url": "https://www.themoviedb.org/movie/400608", + "genres": [ + "Comedy", + "Music" + ], + "tags": [ + "stand-up comedy", + "musical comedy" + ] + }, + { + "ranking": 251, + "title": "Paper Lives", + "year": "2021", + "runtime": 96, + "content_rating": null, + "metascore": null, + "imdb_rating": 8.0, + "vote_count": 383, + "description": "In the streets of Istanbul, ailing waste warehouse worker Mehmet takes a small boy under his wing and must soon confront his own traumatic childhood.", + "poster": "https://image.tmdb.org/t/p/w500/cmru6N6Hnw2pJwuo1ctH1CxKqKZ.jpg", + "url": "https://www.themoviedb.org/movie/785534", + "genres": [ + "Drama" + ], + "tags": [] + }, + { + "ranking": 252, + "title": "The Second Mother", + "year": "2015", + "runtime": 112, + "content_rating": null, + "metascore": null, + "imdb_rating": 8.037, + "vote_count": 736, + "description": "After leaving her daughter Jessica in a small town in Pernambuco to be raised by relatives, Val spends the next 13 years working as a nanny to Fabinho in São Paulo. She has financial stability but has to live with the guilt of having not raised Jessica herself. As Fabinho’s university entrance exams approach, Jessica reappears in her life and seems to want to give her mother a second chance. However, Jessica has not been raised to be a servant and her very existence will turn Val’s routine on its head. With precision and humour, the subtle and powerful forces that keep rigid class structures in place and how the youth may just be the ones to shake it all up.", + "poster": "https://image.tmdb.org/t/p/w500/u1tDQun2iJAzersd94S8P47WEOL.jpg", + "url": "https://www.themoviedb.org/movie/310569", + "genres": [ + "Drama" + ], + "tags": [ + "parent child relationship", + "architecture", + "class differences", + "housekeeper", + "woman director" + ] + }, + { + "ranking": 258, + "title": "The Sting", + "year": "1973", + "runtime": 129, + "content_rating": null, + "metascore": null, + "imdb_rating": 8.0, + "vote_count": 2681, + "description": "A novice con man teams up with an acknowledged master to avenge the murder of a mutual friend by pulling off the ultimate big con and swindling a fortune from a big-time mobster.", + "poster": "https://image.tmdb.org/t/p/w500/ckmYng37zey8INYf6d10cVgIG93.jpg", + "url": "https://www.themoviedb.org/movie/9277", + "genres": [ + "Comedy", + "Crime", + "Drama" + ], + "tags": [ + "bet", + "chicago, illinois", + "repayment", + "horse race", + "con man", + "mafia boss", + "heist", + "caper", + "ragtime", + "off track betting", + "sting operation", + "alley", + "1930s", + "mischievous", + "cautionary" + ] + }, + { + "ranking": 249, + "title": "Judgment at Nuremberg", + "year": "1961", + "runtime": 191, + "content_rating": null, + "metascore": null, + "imdb_rating": 8.0, + "vote_count": 822, + "description": "In 1947, four German judges who served on the bench during the Nazi regime face a military tribunal to answer charges of crimes against humanity. Chief Justice Haywood hears evidence and testimony not only from lead defendant Ernst Janning and his defense attorney Hans Rolfe, but also from the widow of a Nazi general, an idealistic U.S. Army captain and reluctant witness Irene Wallner.", + "poster": "https://image.tmdb.org/t/p/w500/b6vYatvui1EXeFYfpDX4rcbueuP.jpg", + "url": "https://www.themoviedb.org/movie/821", + "genres": [ + "Drama", + "History" + ], + "tags": [ + "right and justice", + "nazi", + "court case", + "judge", + "concentration camp", + "world war ii", + "national socialism", + "national socialist party", + "nuremberg trials", + "trial", + "nuremberg, germany", + "courtroom drama" + ] + }, + { + "ranking": 259, + "title": "The Wages of Fear", + "year": "1953", + "runtime": 153, + "content_rating": null, + "metascore": null, + "imdb_rating": 8.0, + "vote_count": 976, + "description": "In a run-down South American town, four men are paid to drive trucks loaded with nitroglycerin into the jungle through to the oil field. Friendships are tested and rivalries develop as they embark upon the perilous journey.", + "poster": "https://image.tmdb.org/t/p/w500/dZyZSosIlWcpQkV0f7pXcrV2TQV.jpg", + "url": "https://www.themoviedb.org/movie/204", + "genres": [ + "Drama", + "Thriller", + "Adventure" + ], + "tags": [ + "petrol", + "fire", + "life and death", + "based on novel or book", + "unsociability", + "central and south america", + "capitalism", + "venezuela", + "tanker", + "dynamite", + "male friendship", + "nitroglycerin", + "truck", + "oil", + "central america", + "on the road", + "south america", + "driver", + "desperation" + ] + }, + { + "ranking": 257, + "title": "The Wolf of Wall Street", + "year": "2013", + "runtime": 180, + "content_rating": null, + "metascore": null, + "imdb_rating": 8.0, + "vote_count": 24452, + "description": "A New York stockbroker refuses to cooperate in a large securities fraud case involving corruption on Wall Street, corporate banking world and mob infiltration. Based on Jordan Belfort's autobiography.", + "poster": "https://image.tmdb.org/t/p/w500/kW9LmvYHAaS9iA0tHmZVq8hQYoq.jpg", + "url": "https://www.themoviedb.org/movie/106646", + "genres": [ + "Crime", + "Drama", + "Comedy" + ], + "tags": [ + "corruption", + "based on novel or book", + "drug addiction", + "anti hero", + "con man", + "fraud", + "wall street", + "based on true story", + "rise and fall", + "con artist", + "money", + "stockbroker", + "wealthy", + "drugs", + "cynical", + "stripping", + "hedonism", + "decadence", + "taunting", + "corrupt", + "shocking", + "1980s", + "sharemarket fraud", + "desire for fame", + "financial market", + "fame-seeking", + "black monday", + "cautionary", + "hilarious", + "audacious", + "callous", + "disrespectful", + "sarcastic", + "based on real person" + ] + }, + { + "ranking": 260, + "title": "The 400 Blows", + "year": "1959", + "runtime": 99, + "content_rating": null, + "metascore": null, + "imdb_rating": 8.0, + "vote_count": 2176, + "description": "For young Parisian boy Antoine Doinel, life is one difficult situation after another. Surrounded by inconsiderate adults, including his neglectful parents, Antoine spends his days with his best friend, Rene, trying to plan for a better life. When one of their schemes goes awry, Antoine ends up in trouble with the law, leading to even more conflicts with unsympathetic authority figures.", + "poster": "https://image.tmdb.org/t/p/w500/12PuU23kkDLvTd0nb8hMlE3oShB.jpg", + "url": "https://www.themoviedb.org/movie/147", + "genres": [ + "Drama" + ], + "tags": [ + "paris, france", + "delinquent", + "coming of age", + "fingerprint", + "semi autobiographical", + "skipping school", + "mugshot", + "strict teacher", + "montmartre, paris" + ] + }, + { + "ranking": 245, + "title": "Lion", + "year": "2016", + "runtime": 118, + "content_rating": null, + "metascore": null, + "imdb_rating": 8.0, + "vote_count": 6663, + "description": "A five-year-old Indian boy gets lost on the streets of Calcutta, thousands of kilometers from home. He survives many challenges before being adopted by a couple in Australia; 25 years later, he sets out to find his lost family.", + "poster": "https://image.tmdb.org/t/p/w500/iBGRbLvg6kVc7wbS8wDdVHq6otm.jpg", + "url": "https://www.themoviedb.org/movie/334543", + "genres": [ + "Drama" + ], + "tags": [ + "australia", + "based on novel or book", + "adoption", + "affectation", + "biography", + "based on true story", + "india", + "missing child", + "long lost relative", + "tasmania", + "street child", + "dramatic", + "familiar" + ] + }, + { + "ranking": 246, + "title": "The Elephant Man", + "year": "1980", + "runtime": 124, + "content_rating": null, + "metascore": null, + "imdb_rating": 8.0, + "vote_count": 3604, + "description": "A Victorian surgeon rescues a heavily disfigured man being mistreated by his \"owner\" as a side-show freak. Behind his monstrous façade, there is revealed a person of great intelligence and sensitivity. Based on the true story of Joseph Merrick (called John Merrick in the film), a severely deformed man in 19th century London.", + "poster": "https://image.tmdb.org/t/p/w500/rk2lKgEtjF9HO9N2UFMRc2cMGdj.jpg", + "url": "https://www.themoviedb.org/movie/1955", + "genres": [ + "Drama", + "History" + ], + "tags": [ + "exploitation", + "biography", + "based on true story", + "hospital", + "curiosity", + "sideshow", + "disfigurement", + "deformed", + "physical deformity", + "freak", + "19th century", + "dignity" + ] + }, + { + "ranking": 255, + "title": "The Count of Monte Cristo", + "year": "2024", + "runtime": 178, + "content_rating": null, + "metascore": null, + "imdb_rating": 8.0, + "vote_count": 1522, + "description": "Edmond Dantes becomes the target of a sinister plot and is arrested on his wedding day for a crime he did not commit. After 14 years in the island prison of Château d’If, he manages a daring escape. Now rich beyond his dreams, he assumes the identity of the Count of Monte-Cristo and exacts his revenge on the three men who betrayed him.", + "poster": "https://image.tmdb.org/t/p/w500/sAT1P3FGhtJ68anUyJScnMu8t1l.jpg", + "url": "https://www.themoviedb.org/movie/1084736", + "genres": [ + "Action", + "Adventure", + "Drama" + ], + "tags": [ + "based on novel or book", + "count", + "revenge", + "wrongful conviction", + "angry", + "suspenseful" + ] + }, + { + "ranking": 262, + "title": "Rocco and His Brothers", + "year": "1960", + "runtime": 178, + "content_rating": null, + "metascore": null, + "imdb_rating": 8.023, + "vote_count": 606, + "description": "When a impoverished widow’s family moves to the big city, two of her five sons become romantic rivals with deadly results.", + "poster": "https://image.tmdb.org/t/p/w500/pngL8AraChIDOiWnKF2o3S9kJzJ.jpg", + "url": "https://www.themoviedb.org/movie/8422", + "genres": [ + "Drama", + "Romance" + ], + "tags": [ + "work", + "prostitute", + "sibling relationship", + "parent child relationship", + "widow", + "milan", + "boxer", + "love", + "murder", + "working class", + "illegal prostitution", + "matriarch" + ] + }, + { + "ranking": 261, + "title": "Bo Burnham: Inside", + "year": "2021", + "runtime": 87, + "content_rating": null, + "metascore": null, + "imdb_rating": 8.0, + "vote_count": 520, + "description": "Stuck in COVID-19 lockdown, US comedian and musician Bo Burnham attempts to stay sane and happy by writing, shooting and performing a one-man comedy special.", + "poster": "https://image.tmdb.org/t/p/w500/ku1UvTWYvhFQbSesOD6zteY7bXT.jpg", + "url": "https://www.themoviedb.org/movie/823754", + "genres": [ + "Comedy", + "Drama" + ], + "tags": [ + "quarantine", + "stand-up comedy", + "breaking the fourth wall", + "youtube", + "mental illness", + "sketch comedy", + "pandemic", + "internet culture", + "musical comedy", + "covid-19", + "one man crew", + "facetime" + ] + }, + { + "ranking": 266, + "title": "Veinteañera, divorciada y fantástica", + "year": "2020", + "runtime": 93, + "content_rating": null, + "metascore": null, + "imdb_rating": 8.018, + "vote_count": 388, + "description": "Regina, our young protagonist, always dreamed of getting married. And she did it - but the dream lasted much less than she thought and now she has to face life in a very funny way as a divorcee.", + "poster": "https://image.tmdb.org/t/p/w500/oSbCdDI0SAAOdywGe0YVO2iDdV9.jpg", + "url": "https://www.themoviedb.org/movie/610461", + "genres": [ + "Comedy" + ], + "tags": [] + }, + { + "ranking": 263, + "title": "Amadeus", + "year": "1984", + "runtime": 160, + "content_rating": null, + "metascore": null, + "imdb_rating": 8.0, + "vote_count": 4359, + "description": "Disciplined Italian composer Antonio Salieri becomes consumed by jealousy and resentment towards the hedonistic and remarkably talented young Viennese composer Wolfgang Amadeus Mozart.", + "poster": "https://image.tmdb.org/t/p/w500/1n5VUlCqgmVax1adxGZm8oCFaKc.jpg", + "url": "https://www.themoviedb.org/movie/279", + "genres": [ + "History", + "Music", + "Drama" + ], + "tags": [ + "opera", + "composer", + "musician", + "marriage crisis", + "italy", + "talent", + "emperor", + "austria", + "based on play or musical", + "mozart", + "god", + "murder", + "vienna, austria", + "envy", + "18th century" + ] + }, + { + "ranking": 267, + "title": "For a Few Dollars More", + "year": "1965", + "runtime": 132, + "content_rating": null, + "metascore": null, + "imdb_rating": 8.018, + "vote_count": 4082, + "description": "Two bounty hunters both pursue the brutal and sadistic bandit, El Indio, who has a large bounty on his head.", + "poster": "https://image.tmdb.org/t/p/w500/ooqASvA7qxlTVKL3KwOzBwy57Dh.jpg", + "url": "https://www.themoviedb.org/movie/938", + "genres": [ + "Western" + ], + "tags": [ + "bounty hunter", + "pot smoking", + "rural area", + "spaghetti western", + "right hand man", + "piano" + ] + }, + { + "ranking": 271, + "title": "Rome, Open City", + "year": "1945", + "runtime": 103, + "content_rating": null, + "metascore": null, + "imdb_rating": 8.015, + "vote_count": 896, + "description": "In WWII-era Rome, underground resistance leader Manfredi attempts to evade the Gestapo by enlisting the help of Pina, the fiancée of a fellow member of the resistance, and Don Pietro, the priest due to oversee her marriage. But it’s not long before the Nazis and the local police find him.", + "poster": "https://image.tmdb.org/t/p/w500/ijGV4v8JxgbNzgEhqKdzHdaZn8a.jpg", + "url": "https://www.themoviedb.org/movie/307", + "genres": [ + "Drama", + "War" + ], + "tags": [ + "nazi", + "rome, italy", + "resistance", + "fascism", + "drug addiction", + "curfew", + "desertion", + "neo realism", + "italian neo realism" + ] + }, + { + "ranking": 273, + "title": "Toto, Peppino, and the Hussy", + "year": "1956", + "runtime": 101, + "content_rating": null, + "metascore": null, + "imdb_rating": 8.014, + "vote_count": 355, + "description": "Antonio, Peppino and Lucia are three brothers who live in the country near Naples. Lucia's son, Gianni, goes to Naples to study medicine, but there he knows a ballet dancer. They fall in love and, when she goes to Milan, Gianni follows her. Informed of this and afraid that their nephew will stop studying, the three Caponi brothers leave for Milan to persuade Gianni to come back and continue studying and abandon the \"Malafemmina\" (bad girl).", + "poster": "https://image.tmdb.org/t/p/w500/rHsc35TLPliJAvbnmu8dvddiu96.jpg", + "url": "https://www.themoviedb.org/movie/55960", + "genres": [ + "Comedy", + "Romance" + ], + "tags": [] + }, + { + "ranking": 268, + "title": "How to Train Your Dragon: Homecoming", + "year": "2019", + "runtime": 22, + "content_rating": null, + "metascore": null, + "imdb_rating": 8.0, + "vote_count": 995, + "description": "It's been ten years since the dragons moved to the Hidden World, and even though Toothless doesn't live in New Berk anymore, Hiccup continues the holiday traditions he once shared with his best friend. But the Vikings of New Berk were beginning to forget about their friendship with dragons. Hiccup, Astrid, and Gobber know just what to do to keep the dragons in the villagers' hearts. And across the sea, the dragons have a plan of their own...", + "poster": "https://image.tmdb.org/t/p/w500/kXj2Qrfm994yLeuADqbOieU1mUH.jpg", + "url": "https://www.themoviedb.org/movie/638507", + "genres": [ + "Animation", + "Fantasy", + "Adventure", + "Action", + "Family" + ], + "tags": [ + "dragon", + "short film", + "adoring" + ] + }, + { + "ranking": 264, + "title": "Dial M for Murder", + "year": "1954", + "runtime": 105, + "content_rating": null, + "metascore": null, + "imdb_rating": 8.021, + "vote_count": 2652, + "description": "An ex-tennis pro carries out a plot to have his wealthy wife murdered after discovering she is having an affair, and assumes she will soon leave him for the other man anyway.", + "poster": "https://image.tmdb.org/t/p/w500/2gDCAgl2iBQNuJuk6p2xtuS1ewg.jpg", + "url": "https://www.themoviedb.org/movie/521", + "genres": [ + "Thriller", + "Crime", + "Drama", + "Mystery" + ], + "tags": [ + "adultery", + "london, england", + "jealousy", + "blackmail", + "detective", + "tennis player", + "marriage", + "letter", + "love", + "murder", + "theft", + "husband", + "murder plot", + "crime fiction writer", + "keys" + ] + }, + { + "ranking": 270, + "title": "Robot Dreams", + "year": "2023", + "runtime": 102, + "content_rating": null, + "metascore": null, + "imdb_rating": 8.0, + "vote_count": 640, + "description": "A lonely dog's friendship with his robot companion takes a sad turn when an unexpected malfunction forces him to abandon Robot at the beach. Will Dog ever meet Robot again?", + "poster": "https://image.tmdb.org/t/p/w500/ds402Qq09ybgBcXKiQNTZfzsP5o.jpg", + "url": "https://www.themoviedb.org/movie/838240", + "genres": [ + "Animation", + "Drama", + "Comedy", + "Science Fiction" + ], + "tags": [ + "friendship", + "based on comic", + "bromance", + "summer", + "robot", + "silent film", + "adult animation" + ] + }, + { + "ranking": 276, + "title": "Look Back", + "year": "2024", + "runtime": 58, + "content_rating": null, + "metascore": null, + "imdb_rating": 8.0, + "vote_count": 321, + "description": "Popular, outgoing Fujino is celebrated by her classmates for her funny comics in the class newspaper. One day, her teacher asks her to share the space with Kyomoto, a truant recluse whose beautiful artwork sparks a competitive fervor in Fujino. What starts as jealousy transforms when Fujino realizes their shared passion for drawing.", + "poster": "https://image.tmdb.org/t/p/w500/4f2EcNkp1Mvp9wE5w7HKxcmACWg.jpg", + "url": "https://www.themoviedb.org/movie/1244492", + "genres": [ + "Animation", + "Drama" + ], + "tags": [ + "friendship", + "friends", + "slice of life", + "school", + "based on manga", + "shounen", + "anime", + "mangaka", + "manga artist" + ] + }, + { + "ranking": 275, + "title": "Late Spring", + "year": "1949", + "runtime": 110, + "content_rating": null, + "metascore": null, + "imdb_rating": 8.0, + "vote_count": 433, + "description": "Noriko is perfectly happy living at home with her widowed father, Shukichi, and has no plans to marry -- that is, until her aunt Masa convinces Shukichi that unless he marries off his 27-year-old daughter soon, she will likely remain alone for the rest of her life. When Noriko resists Masa's matchmaking, Shukichi is forced to deceive his daughter and sacrifice his own happiness to do what he believes is right.", + "poster": "https://image.tmdb.org/t/p/w500/iNtRSY2AGjW1VDXDR79bKsNUdus.jpg", + "url": "https://www.themoviedb.org/movie/20530", + "genres": [ + "Drama" + ], + "tags": [ + "post world war ii", + "serene" + ] + }, + { + "ranking": 269, + "title": "Scooby-Doo! and Kiss: Rock and Roll Mystery", + "year": "2015", + "runtime": 79, + "content_rating": null, + "metascore": null, + "imdb_rating": 8.0, + "vote_count": 326, + "description": "Get ready to Rock! Scooby-Doo and the Mystery Inc. Gang team up with the one and only KISS in this all-new, out-of-this-world adventure! We join the Gang at KISS World – the all-things-KISS theme park, as they investigate a series of strange hauntings. With help from KISS, they discover that the Crimson Witch has returned to summon The Destroyer from the alternate dimension of Kissteria! The evil duos ghastly plan, to destroy the earth! Can the Gang's cunning and KISS's power of rock save the day?!", + "poster": "https://image.tmdb.org/t/p/w500/nTkQZPXZl9yx3tfPS9TSDZBdhHC.jpg", + "url": "https://www.themoviedb.org/movie/347688", + "genres": [ + "Family", + "Animation", + "Comedy", + "Mystery" + ], + "tags": [] + }, + { + "ranking": 265, + "title": "Flipped", + "year": "2010", + "runtime": 89, + "content_rating": null, + "metascore": null, + "imdb_rating": 8.0, + "vote_count": 3083, + "description": "When Juli meets Bryce in the second grade, she knows it's true love. After spending six years trying to convince Bryce the same, she's ready to give up - until he starts to reconsider.", + "poster": "https://image.tmdb.org/t/p/w500/6zDYFigohwncqFL00MKbFV01dWb.jpg", + "url": "https://www.themoviedb.org/movie/43949", + "genres": [ + "Romance", + "Drama" + ], + "tags": [ + "based on novel or book", + "shyness", + "family relationships", + "unrequited love", + "neighbor", + "teenage boy", + "first crush", + "young love", + "opposites attract", + "multiple perspectives", + "1950s", + "1960s", + "based on young adult novel" + ] + }, + { + "ranking": 278, + "title": "Jojo Rabbit", + "year": "2019", + "runtime": 108, + "content_rating": null, + "metascore": null, + "imdb_rating": 8.011, + "vote_count": 9739, + "description": "A World War II satire that follows a lonely German boy whose world view is turned upside down when he discovers his single mother is hiding a young Jewish girl in their attic. Aided only by his idiotic imaginary friend, Adolf Hitler, Jojo must confront his blind nationalism.", + "poster": "https://image.tmdb.org/t/p/w500/7GsM4mtM0worCtIVeiQt28HieeN.jpg", + "url": "https://www.themoviedb.org/movie/515001", + "genres": [ + "Comedy", + "War", + "Drama" + ], + "tags": [ + "based on novel or book", + "world war ii", + "jew persecution", + "affectation", + "satire", + "imaginary friend", + "hitler youth", + "single mother", + "nazism", + "1940s", + "satirical", + "child protagonist", + "adolf hitler", + "children in wartime", + "lighthearted" + ] + }, + { + "ranking": 277, + "title": "Beyond the Universe", + "year": "2022", + "runtime": 126, + "content_rating": null, + "metascore": null, + "imdb_rating": 8.0, + "vote_count": 325, + "description": "While waiting for a kidney transplant, a young pianist finds an unexpected connection with her doctor — and the courage to fulfill her musical dreams.", + "poster": "https://image.tmdb.org/t/p/w500/AlAP6WRSBuf5cP8OgpHTF45BPUp.jpg", + "url": "https://www.themoviedb.org/movie/962232", + "genres": [ + "Romance", + "Drama" + ], + "tags": [] + }, + { + "ranking": 272, + "title": "Requiem for a Dream", + "year": "2000", + "runtime": 102, + "content_rating": null, + "metascore": null, + "imdb_rating": 8.015, + "vote_count": 10189, + "description": "The drug-induced utopias of four Coney Island residents are shattered when their addictions run deep.", + "poster": "https://image.tmdb.org/t/p/w500/nOd6vjEmzCT0k4VYqsA2hwyi87C.jpg", + "url": "https://www.themoviedb.org/movie/641", + "genres": [ + "Crime", + "Drama" + ], + "tags": [ + "drug dealer", + "corruption", + "drug abuse", + "unsociability", + "degradation", + "insanity", + "heroin", + "drug addiction", + "junkie", + "hallucination", + "speed", + "diet", + "orderly", + "surrealism", + "illusion", + "fondling", + "drug use", + "grief", + "drug pusher", + "marijuana", + "chain gang", + "postmodern", + "drug trade", + "psychiatrist", + "drugged", + "illegal prostitution", + "blunt", + "gay parent", + "subculture", + "bitterness", + "hatred", + "industrial music", + "force feeding", + "decadence", + "marijuana joint", + "boyfriend girlfriend relationship", + "heroin addict", + "prescription drug abuse", + "eating disorder", + "heroin addiction", + "voyeurism", + "brunette", + "sign languages", + "shock", + "narcotics", + "hospitalization", + "incarceration", + "gay theme", + "lesbian", + "cautionary tale", + "methamphetamine", + "drug addict", + "moral corruption", + "psychological drama", + "split screen" + ] + }, + { + "ranking": 279, + "title": "Harry Potter and the Prisoner of Azkaban", + "year": "2004", + "runtime": 141, + "content_rating": null, + "metascore": null, + "imdb_rating": 8.0, + "vote_count": 22004, + "description": "Year three at Hogwarts means new fun and challenges as Harry learns the delicate art of approaching a Hippogriff, transforming shape-shifting Boggarts into hilarity and even turning back time. But the term also brings danger: soul-sucking Dementors hover over the school, an ally of the accursed He-Who-Cannot-Be-Named lurks within the castle walls, and fearsome wizard Sirius Black escapes Azkaban. And Harry will confront them all.", + "poster": "https://image.tmdb.org/t/p/w500/aWxwnYoe8p2d2fcxOqtvAtJ72Rw.jpg", + "url": "https://www.themoviedb.org/movie/673", + "genres": [ + "Adventure", + "Fantasy" + ], + "tags": [ + "witch", + "school friend", + "friendship", + "flying", + "magic", + "bus", + "traitor", + "child hero", + "school of witchcraft", + "black magic", + "time travel", + "school", + "best friend", + "werewolf", + "muggle", + "ghost", + "wizard", + "aftercreditsstinger", + "magical creature", + "night bus", + "teenage life", + "christmas", + "school class", + "based on young adult novel", + "magic spell" + ] + }, + { + "ranking": 274, + "title": "Song of the Sea", + "year": "2014", + "runtime": 94, + "content_rating": null, + "metascore": null, + "imdb_rating": 8.0, + "vote_count": 1450, + "description": "The story of the last Seal Child’s journey home. After their mother’s disappearance, Ben and Saoirse are sent to live with Granny in the city. When they resolve to return to their home by the sea, their journey becomes a race against time as they are drawn into a world Ben knows only from his mother’s folktales. But this is no bedtime story; these fairy folk have been in our world far too long. It soon becomes clear to Ben that Saoirse is the key to their survival.", + "poster": "https://image.tmdb.org/t/p/w500/16LQC6zpqB0l74mVWb93a2oMFnX.jpg", + "url": "https://www.themoviedb.org/movie/110416", + "genres": [ + "Family", + "Animation", + "Fantasy" + ], + "tags": [ + "fairy tale", + "lighthouse", + "folk music", + "lighthouse keeper ", + "ireland", + "swimming", + "dog", + "seal (animal)", + "irishman", + "folklore", + "selkie", + "irish music", + "underwater cave", + "irish folklore", + "irish" + ] + }, + { + "ranking": 280, + "title": "Gifted", + "year": "2017", + "runtime": 101, + "content_rating": null, + "metascore": null, + "imdb_rating": 8.0, + "vote_count": 5631, + "description": "Frank, a single man raising his child prodigy niece Mary, is drawn into a custody battle with his mother.", + "poster": "https://image.tmdb.org/t/p/w500/7YB2YrMwIm1g8FyZtlvmVDfRnAT.jpg", + "url": "https://www.themoviedb.org/movie/400928", + "genres": [ + "Drama", + "Comedy" + ], + "tags": [ + "cat", + "mathematics", + "intellectually gifted", + "child prodigy", + "teacher", + "school", + "prize", + "child custody", + "legal drama", + "gifted children", + "custody hearing" + ] + }, + { + "ranking": 283, + "title": "All Your Faces", + "year": "2023", + "runtime": 115, + "content_rating": null, + "metascore": null, + "imdb_rating": 8.007, + "vote_count": 594, + "description": "Since 2014, France's restorative justice programmes have offered a safe space for supervised dialogue between offenders and victims. Grégoire, Nawelle, and Sabine, victims of heists and violent robberies, agree to join one of these discussion groups alongside offenders Nassim, Issa, and Thomas, all convicted of violent robberies. Meanwhile Chloé, a victim of childhood sexual abuse, prepares for dialogue with her own agressor after learning he has moved back into town.", + "poster": "https://image.tmdb.org/t/p/w500/zIgyDGsmIyMAf0ppg7QKTuIM1He.jpg", + "url": "https://www.themoviedb.org/movie/1000492", + "genres": [ + "Drama" + ], + "tags": [ + "melancholy", + "complex" + ] + }, + { + "ranking": 281, + "title": "Hachi: A Dog's Tale", + "year": "2009", + "runtime": 93, + "content_rating": null, + "metascore": null, + "imdb_rating": 8.0, + "vote_count": 6795, + "description": "A drama based on the true story of a college professor's bond with the abandoned dog he takes into his home.", + "poster": "https://image.tmdb.org/t/p/w500/lsy3aEsEfYIHdLRk4dontZ4s85h.jpg", + "url": "https://www.themoviedb.org/movie/28178", + "genres": [ + "Drama", + "Family" + ], + "tags": [ + "friendship", + "loyalty", + "pet", + "human animal relationship", + "family relationships", + "friends", + "dog", + "newspaper reporter", + "family dog", + "waiting", + "pets", + "dramatic", + "gentle" + ] + }, + { + "ranking": 285, + "title": "Barry Lyndon", + "year": "1975", + "runtime": 185, + "content_rating": null, + "metascore": null, + "imdb_rating": 8.0, + "vote_count": 2894, + "description": "An Irish rogue uses his cunning and wit to work his way up the social classes of 18th century England, transforming himself from the humble Redmond Barry into the noble Barry Lyndon.", + "poster": "https://image.tmdb.org/t/p/w500/dOJtBSyI30wWc08UmyEKLsu4Rfk.jpg", + "url": "https://www.themoviedb.org/movie/3175", + "genres": [ + "Drama", + "Romance", + "War", + "History" + ], + "tags": [ + "based on novel or book", + "gambling", + "desertion", + "fencing", + "palace", + "british army", + "opportunist", + "wealth", + "debt", + "duel", + "ireland", + "british soldier", + "18th century", + "card playing", + "pistol duel", + "seven years war", + "nobility", + "prussia", + "cautionary" + ] + }, + { + "ranking": 284, + "title": "Room", + "year": "2015", + "runtime": 118, + "content_rating": null, + "metascore": null, + "imdb_rating": 8.0, + "vote_count": 9291, + "description": "Held captive for 7 years in an enclosed space, a woman and her young son finally gain their freedom, allowing the boy to experience the outside world for the first time.", + "poster": "https://image.tmdb.org/t/p/w500/pCURNjeomWbMSdiP64gj8NVVHTQ.jpg", + "url": "https://www.themoviedb.org/movie/264644", + "genres": [ + "Drama", + "Thriller" + ], + "tags": [ + "based on novel or book", + "escape", + "isolation", + "carpet", + "kidnapping", + "imprisonment", + "grandparents", + "hospital", + "dog", + "captive", + "children's perspectives", + "skylight", + "complex", + "mother son relationship", + "depressing" + ] + }, + { + "ranking": 290, + "title": "Tae Guk Gi: The Brotherhood of War", + "year": "2004", + "runtime": 148, + "content_rating": null, + "metascore": null, + "imdb_rating": 8.0, + "vote_count": 701, + "description": "When two brothers are forced to fight in the Korean War, the elder decides to take the riskiest missions if it will help shield the younger from battle.", + "poster": "https://image.tmdb.org/t/p/w500/vyG8qpimh3XSlxc6OmPq8LJRJl.jpg", + "url": "https://www.themoviedb.org/movie/11658", + "genres": [ + "Action", + "Adventure", + "Drama", + "History", + "War" + ], + "tags": [ + "brotherhood", + "korean war (1950-53)", + "archaeologist", + "air raid", + "pyre", + "brother brother relationship", + "korean army", + "south korea", + "inter-korean relations", + "한국전쟁" + ] + }, + { + "ranking": 299, + "title": "Sound of Freedom", + "year": "2023", + "runtime": 131, + "content_rating": null, + "metascore": null, + "imdb_rating": 8.0, + "vote_count": 2505, + "description": "The story of Tim Ballard, a former US government agent, who quits his job in order to devote his life to rescuing children from global sex traffickers.", + "poster": "https://image.tmdb.org/t/p/w500/qA5kPYZA7FkVvqcEfJRoOy4kpHg.jpg", + "url": "https://www.themoviedb.org/movie/678512", + "genres": [ + "Action", + "Drama" + ], + "tags": [ + "kidnapping", + "human trafficking", + "based on true story", + "child kidnapping", + "aggressive", + "zealous", + "lost children", + "children in danger", + "colombia", + "appreciative", + "awestruck" + ] + }, + { + "ranking": 296, + "title": "Cruella", + "year": "2021", + "runtime": 134, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.996, + "vote_count": 9517, + "description": "In 1970s London amidst the punk rock revolution, a young grifter named Estella is determined to make a name for herself with her designs. She befriends a pair of young thieves who appreciate her appetite for mischief, and together they are able to build a life for themselves on the London streets. One day, Estella’s flair for fashion catches the eye of the Baroness von Hellman, a fashion legend who is devastatingly chic and terrifyingly haute. But their relationship sets in motion a course of events and revelations that will cause Estella to embrace her wicked side and become the raucous, fashionable and revenge-bent Cruella.", + "poster": "https://image.tmdb.org/t/p/w500/wToO8opxkGwKgSfJ1JK8tGvkG6U.jpg", + "url": "https://www.themoviedb.org/movie/337404", + "genres": [ + "Comedy", + "Crime", + "Adventure" + ], + "tags": [ + "1970s", + "anti hero", + "villain", + "punk rock", + "fashion designer", + "fashion", + "origin story", + "live action remake" + ] + }, + { + "ranking": 291, + "title": "3 Idiots", + "year": "2009", + "runtime": 171, + "content_rating": null, + "metascore": null, + "imdb_rating": 8.0, + "vote_count": 2449, + "description": "Rascal. Joker. Dreamer. Genius... You've never met a college student quite like \"Rancho.\" From the moment he arrives at India's most prestigious university, Rancho's outlandish schemes turn the campus upside down—along with the lives of his two newfound best friends. Together, they make life miserable for \"Virus,\" the school’s uptight and heartless dean. But when Rancho catches the eye of the dean's daughter, Virus sets his sights on flunking out the \"3 idiots\" once and for all.", + "poster": "https://image.tmdb.org/t/p/w500/66A9MqXOyVFCssoloscw79z8Tew.jpg", + "url": "https://www.themoviedb.org/movie/20453", + "genres": [ + "Drama", + "Comedy" + ], + "tags": [ + "suicide", + "suicide attempt", + "professor", + "college", + "middle class", + "slapstick comedy", + "coming of age", + "teacher", + "friends", + "engineering", + "university", + "subjective camera", + "smart kid", + "poor kid", + "brilliant", + "student", + "pregnant", + "bollywood", + "delhi" + ] + }, + { + "ranking": 287, + "title": "Ford v Ferrari", + "year": "2019", + "runtime": 153, + "content_rating": null, + "metascore": null, + "imdb_rating": 8.0, + "vote_count": 8220, + "description": "American car designer Carroll Shelby and the British-born driver Ken Miles work together to battle corporate interference, the laws of physics, and their own personal demons to build a revolutionary race car for Ford Motor Company and take on the dominating race cars of Enzo Ferrari at the 24 Hours of Le Mans in France in 1966.", + "poster": "https://image.tmdb.org/t/p/w500/dR1Ju50iudrOh3YgfwkAU1g2HZe.jpg", + "url": "https://www.themoviedb.org/movie/359724", + "genres": [ + "Drama", + "Action", + "History" + ], + "tags": [ + "based on novel or book", + "car race", + "sports", + "car mechanic", + "biography", + "based on true story", + "le mans", + "racing", + "race car driver", + "aggressive", + "1960s", + "powerful" + ] + }, + { + "ranking": 288, + "title": "Society of the Snow", + "year": "2023", + "runtime": 144, + "content_rating": null, + "metascore": null, + "imdb_rating": 8.0, + "vote_count": 3118, + "description": "On October 13, 1972, Uruguayan Air Force Flight 571, chartered to take a rugby team to Chile, crashes into a glacier in the heart of the Andes.", + "poster": "https://image.tmdb.org/t/p/w500/2e853FDVSIso600RqAMunPxiZjq.jpg", + "url": "https://www.themoviedb.org/movie/906126", + "genres": [ + "Drama", + "History" + ], + "tags": [ + "rescue", + "friendship", + "based on novel or book", + "prayer", + "1970s", + "based on true story", + "rugby", + "uruguay", + "struggle for survival", + "mountain climbing", + "andes mountains", + "historical drama", + "plane crash", + "cannibalism" + ] + }, + { + "ranking": 289, + "title": "Love Exposure", + "year": "2009", + "runtime": 237, + "content_rating": null, + "metascore": null, + "imdb_rating": 8.0, + "vote_count": 459, + "description": "The story of a teenage boy named Yu, who falls for Yoko, a girl he runs into while working as an \"up-skirt\" photographer in an offshoot of the porn industry. His attempts to woo her are complicated by a spot of cross-dressing – which convinces Yoko that she is lesbian – dalliances with kung-fu and crime, and a constant struggle with the guilt that's a legacy of his Catholic upbringing.", + "poster": "https://image.tmdb.org/t/p/w500/3QSGUdzG374H7pOxIdKNBpeLEUk.jpg", + "url": "https://www.themoviedb.org/movie/28422", + "genres": [ + "Action", + "Comedy", + "Drama", + "Romance" + ], + "tags": [ + "transvestite", + "underwear", + "cult", + "love", + "tough girl", + "japanese girl hero" + ] + }, + { + "ranking": 298, + "title": "The Imitation Game", + "year": "2014", + "runtime": 113, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.995, + "vote_count": 17258, + "description": "Based on the real life story of legendary cryptanalyst Alan Turing, the film portrays the nail-biting race against time by Turing and his brilliant team of code-breakers at Britain's top-secret Government Code and Cypher School at Bletchley Park, during the darkest days of World War II.", + "poster": "https://image.tmdb.org/t/p/w500/zSqJ1qFq8NXFfi7JeIYMlzyR0dx.jpg", + "url": "https://www.themoviedb.org/movie/205596", + "genres": [ + "History", + "Drama", + "Thriller", + "War" + ], + "tags": [ + "england", + "homophobia", + "world war ii", + "mathematician", + "genius", + "biography", + "male homosexuality", + "code breaking", + "lgbt", + "logician", + "cryptography", + "math genius", + "gay theme", + "codes", + "intense", + "amused", + "assertive", + "commanding" + ] + }, + { + "ranking": 295, + "title": "Love, Simon", + "year": "2018", + "runtime": 110, + "content_rating": null, + "metascore": null, + "imdb_rating": 8.0, + "vote_count": 6081, + "description": "Everyone deserves a great love story, but for 17-year-old Simon Spier, it's a little more complicated. He hasn't told his family or friends that he's gay, and he doesn't know the identity of the anonymous classmate that he's fallen for online.", + "poster": "https://image.tmdb.org/t/p/w500/snIsqVPmlu4LPjvToHpDotxa7Eh.jpg", + "url": "https://www.themoviedb.org/movie/449176", + "genres": [ + "Comedy", + "Drama", + "Romance" + ], + "tags": [ + "coming out", + "sexual identity", + "high school", + "based on novel or book", + "sexuality", + "class", + "coming of age", + "bully", + "love", + "teen movie", + "male homosexuality", + "lgbt", + "lgbt teen", + "based on young adult novel", + "gay theme", + "boys' love (bl)" + ] + }, + { + "ranking": 297, + "title": "Lawrence of Arabia", + "year": "1962", + "runtime": 228, + "content_rating": null, + "metascore": null, + "imdb_rating": 8.0, + "vote_count": 3100, + "description": "The story of British officer T.E. Lawrence's mission to aid the Arab tribes in their revolt against the Ottoman Empire during the First World War. Lawrence becomes a flamboyant, messianic figure in the cause of Arab unity but his psychological instability threatens to undermine his achievements.", + "poster": "https://image.tmdb.org/t/p/w500/AiAm0EtDvyGqNpVoieRw4u65vD1.jpg", + "url": "https://www.themoviedb.org/movie/947", + "genres": [ + "Adventure", + "History", + "War" + ], + "tags": [ + "epic", + "cairo", + "world war i", + "arabian", + "horse", + "jerusalem", + "british army", + "british empire", + "damascus", + "camel", + "based on true story", + "historical fiction", + "quicksand", + "desert", + "arab", + "thoughtful", + "ottoman empire", + "provocative" + ] + }, + { + "ranking": 300, + "title": "Kill Bill: The Whole Bloody Affair", + "year": "2011", + "runtime": 247, + "content_rating": null, + "metascore": null, + "imdb_rating": 8.0, + "vote_count": 1039, + "description": "An assassin is shot and almost killed by her ruthless employer, Bill, and other members of their assassination circle – but she lives to plot her vengeance.", + "poster": "https://image.tmdb.org/t/p/w500/nxbv9TPXrIpRKB5xQh6atWXAkPM.jpg", + "url": "https://www.themoviedb.org/movie/414419", + "genres": [ + "Action", + "Crime", + "Thriller" + ], + "tags": [ + "martial arts", + "kung fu", + "sword", + "martial law", + "revenge", + "wedding", + "aggressive", + "absurd", + "audacious" + ] + }, + { + "ranking": 294, + "title": "Casino", + "year": "1995", + "runtime": 179, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.997, + "vote_count": 5995, + "description": "In early-1970s Las Vegas, Sam \"Ace\" Rothstein gets tapped by his bosses to head the Tangiers Casino. At first, he's a great success in the job, but over the years, problems with his loose-cannon enforcer Nicky Santoro, his ex-hustler wife Ginger, her con-artist ex Lester Diamond and a handful of corrupt politicians put Sam in ever-increasing danger.", + "poster": "https://image.tmdb.org/t/p/w500/gziIkUSnYuj9ChCi8qOu2ZunpSC.jpg", + "url": "https://www.themoviedb.org/movie/524", + "genres": [ + "Crime", + "Drama" + ], + "tags": [ + "drug abuse", + "casino", + "based on novel or book", + "poker", + "italian american", + "gambling", + "1970s", + "fbi", + "pimp", + "greed", + "cocaine", + "overdose", + "marriage", + "car bomb", + "rise and fall", + "money", + "murder", + "organized crime", + "mafia", + "jewish american", + "las vegas", + "desert", + "cynical", + "safe deposit box", + "aggressive", + "1980s", + "dreary", + "dramatic", + "suspenseful", + "audacious", + "brutal violence", + "fbi surveillance" + ] + }, + { + "ranking": 293, + "title": "Black Beauty", + "year": "2020", + "runtime": 110, + "content_rating": null, + "metascore": null, + "imdb_rating": 8.0, + "vote_count": 340, + "description": "Born free in the American West, Black Beauty is a horse rounded up and brought to Birtwick Stables, where she meets spirited teenager Jo Green. The two forge a bond that carries Beauty through the different chapters, challenges and adventures.", + "poster": "https://image.tmdb.org/t/p/w500/5ZjMNJJabwBEnGVQoR2yoMEL9um.jpg", + "url": "https://www.themoviedb.org/movie/526702", + "genres": [ + "Drama" + ], + "tags": [ + "narration", + "teenager horse relationship" + ] + }, + { + "ranking": 282, + "title": "American Beauty", + "year": "1999", + "runtime": 122, + "content_rating": null, + "metascore": null, + "imdb_rating": 8.008, + "vote_count": 12279, + "description": "Lester Burnham, a depressed suburban father in a mid-life crisis, decides to turn his hectic life around after developing an infatuation with his daughter's attractive friend.", + "poster": "https://image.tmdb.org/t/p/w500/s5PXkDqS8W3K4wCPNZBzf10zycw.jpg", + "url": "https://www.themoviedb.org/movie/14", + "genres": [ + "Drama" + ], + "tags": [ + "estate agent", + "adultery", + "coming out", + "first time", + "virgin", + "cheating", + "parent child relationship", + "age difference", + "midlife crisis", + "cheerleader", + "dark comedy", + "rose", + "satire", + "dysfunctional family", + "suburbia", + "coming of age", + "sexual fantasy", + "dysfunctional marriage", + "marijuana", + "loneliness", + "love affair", + "exercise", + "extramarital affair", + "realtor", + "quitting a job", + "voyeur", + "neighborhood", + "retired army man", + "closeted homosexual", + "singing in a car", + "gay theme", + "existential", + "teenager", + "camcorder" + ] + }, + { + "ranking": 286, + "title": "Weathering with You", + "year": "2019", + "runtime": 112, + "content_rating": null, + "metascore": null, + "imdb_rating": 8.0, + "vote_count": 2374, + "description": "The summer of his high school freshman year, Hodaka runs away from his remote island home to Tokyo, and quickly finds himself pushed to his financial and personal limits. The weather is unusually gloomy and rainy every day, as if taking its cue from his life. After many days of solitude, he finally finds work as a freelance writer for a mysterious occult magazine. Then, one day, Hodaka meets Hina on a busy street corner. This bright and strong-willed girl possesses a strange and wonderful ability: the power to stop the rain and clear the sky.", + "poster": "https://image.tmdb.org/t/p/w500/qgrk7r1fV4IjuoeiGS5HOhXNdLJ.jpg", + "url": "https://www.themoviedb.org/movie/568160", + "genres": [ + "Animation", + "Drama", + "Fantasy", + "Romance" + ], + "tags": [ + "japan", + "magic", + "climate change", + "rain", + "surrealism", + "weather", + "weather manipulation", + "romance", + "slice of life", + "tokyo, japan", + "orphan", + "summer", + "shrine", + "flood", + "japanese mythology", + "anime", + "time skip", + "supernatural power", + "comforting" + ] + }, + { + "ranking": 292, + "title": "Citizen Kane", + "year": "1941", + "runtime": 119, + "content_rating": null, + "metascore": null, + "imdb_rating": 8.0, + "vote_count": 5638, + "description": "Newspaper magnate Charles Foster Kane is taken from his mother as a boy and made the ward of a rich industrialist. As a result, every well-meaning, tyrannical or self-destructive move he makes for the rest of his life appears in some way to be a reaction to that deeply wounding event.", + "poster": "https://image.tmdb.org/t/p/w500/sav0jxhqiH0bPr2vZFU0Kjt2nZL.jpg", + "url": "https://www.themoviedb.org/movie/15", + "genres": [ + "Mystery", + "Drama" + ], + "tags": [ + "media tycoon", + "florida", + "art collector", + "newspaper", + "capitalist", + "journalist", + "sleigh", + "banker", + "american dream", + "failure", + "money", + "black and white", + "told in flashback", + "snowglobes", + "child", + "serious", + "based on real person" + ] + }, + { + "ranking": 305, + "title": "The Passion of Joan of Arc", + "year": "1928", + "runtime": 82, + "content_rating": null, + "metascore": null, + "imdb_rating": 8.0, + "vote_count": 975, + "description": "A classic of the silent age, this film tells the story of the doomed but ultimately canonized 15th-century teenage warrior. On trial for claiming she'd spoken to God, Jeanne d'Arc is subjected to inhumane treatment and scare tactics at the hands of church court officials. Initially bullied into changing her story, Jeanne eventually opts for what she sees as the truth. Her punishment, a famously brutal execution, earns her perpetual martyrdom.", + "poster": "https://image.tmdb.org/t/p/w500/plzI7N52uHhERUZLNSVbGGakFwR.jpg", + "url": "https://www.themoviedb.org/movie/780", + "genres": [ + "Drama", + "History" + ], + "tags": [ + "suffering", + "court case", + "judge", + "sentence", + "woman martyr", + "heresy", + "trial", + "religion", + "torture chamber", + "saint", + "martyrdom", + "dove", + "silent film", + "catholicism", + "martyr", + "joan of arc", + "forgery", + "judiciary", + "15th century", + "burning at stake", + "holy communion", + "bloodletting", + "jeanne d'arc" + ] + }, + { + "ranking": 301, + "title": "Loving Vincent", + "year": "2017", + "runtime": 95, + "content_rating": null, + "metascore": null, + "imdb_rating": 8.0, + "vote_count": 2482, + "description": "A young man arrives at the last hometown of painter Vincent van Gogh to deliver the troubled artist's final letter and ends up investigating his final days there.", + "poster": "https://image.tmdb.org/t/p/w500/56sq57kDm7XgyXBYrgJLumo0Jac.jpg", + "url": "https://www.themoviedb.org/movie/339877", + "genres": [ + "Animation", + "Drama", + "Mystery", + "History" + ], + "tags": [ + "artist", + "investigation", + "letter", + "painter", + "bullying", + "adult animation", + "struggling artist", + "19th century", + "mysterious death", + "controversial artist", + "vincent van gogh" + ] + }, + { + "ranking": 302, + "title": "Paperman", + "year": "2012", + "runtime": 7, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.993, + "vote_count": 1731, + "description": "An urban office worker finds that paper airplanes are instrumental in meeting a girl in ways he never expected.", + "poster": "https://image.tmdb.org/t/p/w500/9tvF744hwTm2Bn9hkDjMfEsysKz.jpg", + "url": "https://www.themoviedb.org/movie/140420", + "genres": [ + "Animation", + "Family", + "Romance" + ], + "tags": [ + "skyscraper", + "black and white", + "paper airplane", + "office romance", + "short film" + ] + }, + { + "ranking": 303, + "title": "Red, White & Royal Blue", + "year": "2023", + "runtime": 121, + "content_rating": null, + "metascore": null, + "imdb_rating": 8.0, + "vote_count": 1350, + "description": "After an altercation between Alex, the president's son, and Britain's Prince Henry at a royal event becomes tabloid fodder, their long-running feud now threatens to drive a wedge in U.S./British relations. When the rivals are forced into a staged truce, their icy relationship begins to thaw and the friction between them sparks something deeper than they ever expected.", + "poster": "https://image.tmdb.org/t/p/w500/ta3ReqbdEcLJM3mcHMzbYFZI8v7.jpg", + "url": "https://www.themoviedb.org/movie/930094", + "genres": [ + "Comedy", + "Romance" + ], + "tags": [ + "based on novel or book", + "politics", + "prince", + "royal family", + "royalty", + "lgbt", + "gay theme", + "gay relationship", + "enemies to lovers", + "lighthearted", + "boys' love (bl)" + ] + }, + { + "ranking": 304, + "title": "The Secret in Their Eyes", + "year": "2009", + "runtime": 130, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.992, + "vote_count": 2600, + "description": "Hoping to put to rest years of unease concerning a past case, retired criminal investigator Benjamín begins writing a novel based on the unsolved mystery of a newlywed’s rape and murder. With the help of a former colleague, judge Irene, he attempts to make sense of the past.", + "poster": "https://image.tmdb.org/t/p/w500/dkeAwfZzwL3WvToydE3CXiY80E0.jpg", + "url": "https://www.themoviedb.org/movie/25376", + "genres": [ + "Mystery", + "Thriller", + "Drama" + ], + "tags": [ + "rape", + "police", + "kidnapping", + "homicide", + "writing", + "investigation", + "partner", + "murder", + "tension", + "argentina", + "justice", + "legal drama", + "secret" + ] + }, + { + "ranking": 307, + "title": "El mesero", + "year": "2021", + "runtime": 86, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.989, + "vote_count": 352, + "description": "A waiter pretends to be an important businessman in order to reach the upper class through his entrepreneurial dreams.", + "poster": "https://image.tmdb.org/t/p/w500/zvGC5jX5wQmU1GgPc0VGZz7Mtcs.jpg", + "url": "https://www.themoviedb.org/movie/678580", + "genres": [ + "Comedy" + ], + "tags": [] + }, + { + "ranking": 306, + "title": "The Deer Hunter", + "year": "1978", + "runtime": 183, + "content_rating": null, + "metascore": null, + "imdb_rating": 8.0, + "vote_count": 3902, + "description": "A group of working-class friends decide to enlist in the Army during the Vietnam War and finds it to be hellish chaos -- not the noble venture they imagined. Before they left, Steven married his pregnant girlfriend -- and Michael and Nick were in love with the same woman. But all three are different men upon their return.", + "poster": "https://image.tmdb.org/t/p/w500/bbGtogDZOg09bm42KIpCXUXICkh.jpg", + "url": "https://www.themoviedb.org/movie/11778", + "genres": [ + "Drama", + "War" + ], + "tags": [ + "vietnam war", + "vietnam veteran", + "small town", + "suicide", + "vietnam", + "post-traumatic stress disorder (ptsd)", + "escape", + "pennsylvania, usa", + "saigon", + "friends", + "russian roulette", + "wedding", + "deer hunting", + "steel worker", + "anti war", + "revolver", + "drunkenness", + "viet cong", + "romantic triangle", + "friends love same woman", + "prisoner of war camp", + "slavic american" + ] + }, + { + "ranking": 309, + "title": "Gran Torino", + "year": "2008", + "runtime": 116, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.989, + "vote_count": 10871, + "description": "Disgruntled Korean War veteran Walt Kowalski sets out to reform his neighbor, Thao Lor, a Hmong teenager who tried to steal Kowalski's prized possession: a 1972 Gran Torino.", + "poster": "https://image.tmdb.org/t/p/w500/zUybYvxWdAJy5hhYovsXtHSWI1l.jpg", + "url": "https://www.themoviedb.org/movie/13223", + "genres": [ + "Drama" + ], + "tags": [ + "rape", + "war veteran", + "gangster", + "immigration", + "old man", + "priest", + "gang", + "detroit, michigan", + "widower", + "hmong" + ] + }, + { + "ranking": 308, + "title": "1917", + "year": "2019", + "runtime": 119, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.989, + "vote_count": 12682, + "description": "At the height of the First World War, two young British soldiers must cross enemy territory and deliver a message that will stop a deadly attack on hundreds of soldiers.", + "poster": "https://image.tmdb.org/t/p/w500/iZf0KyrE25z1sage4SYFLCCrMi9.jpg", + "url": "https://www.themoviedb.org/movie/530915", + "genres": [ + "War", + "History", + "Thriller", + "Drama" + ], + "tags": [ + "race against time", + "world war i", + "british army", + "soldier", + "real time", + "trenches", + "1910s", + "trench warfare", + "no man's land" + ] + }, + { + "ranking": 315, + "title": "Like Stars on Earth", + "year": "2007", + "runtime": 162, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.984, + "vote_count": 1190, + "description": "Ishaan Awasthi is an eight-year-old whose world is filled with wonders that no one else seems to appreciate. Colours, fish, dogs, and kites don't seem important to the adults, who are much more interested in things like homework, marks, and neatness. Ishaan cannot seem to get anything right in class; he is then sent to boarding school, where his life changes forever.", + "poster": "https://image.tmdb.org/t/p/w500/puHRt6Raovm5ujGCdwLWvRv4NHU.jpg", + "url": "https://www.themoviedb.org/movie/7508", + "genres": [ + "Drama" + ], + "tags": [ + "jealousy", + "parent child relationship", + "boarding school", + "painter", + "father", + "dyslexia", + "teacher", + "little boy", + "india", + "childhood", + "teachers and students", + "bollywood" + ] + }, + { + "ranking": 310, + "title": "To Kill a Mockingbird", + "year": "1962", + "runtime": 129, + "content_rating": null, + "metascore": null, + "imdb_rating": 8.0, + "vote_count": 2660, + "description": "Scout Finch, 6, and her older brother Jem live in sleepy Maycomb, Alabama, spending much of their time with their friend Dill and spying on their reclusive and mysterious neighbor, Boo Radley. When Atticus, their widowed father and a respected lawyer, defends a black man named Tom Robinson against fabricated rape charges, the trial and tangent events expose the children to evils of racism and stereotyping.", + "poster": "https://image.tmdb.org/t/p/w500/gZycFUMLx2110dzK3nBNai7gfpM.jpg", + "url": "https://www.themoviedb.org/movie/595", + "genres": [ + "Drama" + ], + "tags": [ + "right and justice", + "rape", + "sibling relationship", + "based on novel or book", + "court case", + "court", + "isolation", + "becoming an adult", + "falsely accused", + "arbitrary law", + "alabama", + "socially deprived family", + "defence", + "tree house", + "farm worker", + "intolerance", + "exclusion", + "trial", + "racism", + "injustice", + "hostile", + "child", + "1930s", + "courtroom drama", + "desperate", + "malicious", + "based on young adult novel", + "dramatic", + "compassionate", + "empathetic" + ] + }, + { + "ranking": 316, + "title": "Ugetsu", + "year": "1953", + "runtime": 96, + "content_rating": null, + "metascore": null, + "imdb_rating": 8.0, + "vote_count": 587, + "description": "In 16th century Japan, peasants Genjuro and Tobei sell their earthenware pots to a group of soldiers in a nearby village, in defiance of a local sage's warning against seeking to profit from warfare. Genjuro's pursuit of both riches and the mysterious Lady Wakasa, as well as Tobei's desire to become a samurai, run the risk of destroying both themselves and their wives, Miyagi and Ohama.", + "poster": "https://image.tmdb.org/t/p/w500/7Kk1ZsrAul2Lg7Pe45XOcUf2ARQ.jpg", + "url": "https://www.themoviedb.org/movie/14696", + "genres": [ + "Fantasy", + "Drama", + "Mystery" + ], + "tags": [ + "japan", + "samurai", + "based on novel or book", + "greed", + "bigamy", + "tragedy", + "rural area", + "black and white", + "ghost", + "jidaigeki", + "sengoku period", + "feudal japan", + "16th century", + "warring states period" + ] + }, + { + "ranking": 312, + "title": "In a Heartbeat", + "year": "2017", + "runtime": 4, + "content_rating": null, + "metascore": null, + "imdb_rating": 8.0, + "vote_count": 997, + "description": "A closeted boy runs the risk of being outed by his own heart after it pops out of his chest to chase down the boy of his dreams.", + "poster": "https://image.tmdb.org/t/p/w500/wJUJROdLOtOzMixkjkx1aaZGSLl.jpg", + "url": "https://www.themoviedb.org/movie/455661", + "genres": [ + "Animation", + "Romance", + "Comedy" + ], + "tags": [ + "love", + "lgbt", + "lgbt teen", + "gay theme", + "short film" + ] + }, + { + "ranking": 311, + "title": "Nights of Cabiria", + "year": "1957", + "runtime": 110, + "content_rating": null, + "metascore": null, + "imdb_rating": 8.0, + "vote_count": 779, + "description": "Rome, 1957. A woman, Cabiria, is robbed and left to drown by her boyfriend, Giorgio. Rescued, she resumes her life and tries her best to find happiness in a cynical world. Even when she thinks her struggles are over and she has found happiness and contentment, things may not be what they seem.", + "poster": "https://image.tmdb.org/t/p/w500/xF4oCG3PLNbcrtPZbqB3BtkIbKg.jpg", + "url": "https://www.themoviedb.org/movie/19426", + "genres": [ + "Drama" + ], + "tags": [ + "rome, italy", + "optimism", + "house", + "poverty", + "prostitution", + "madonna", + "heartbreak", + "rescue from drowning", + "ostia italy", + "shrine", + "hypnotist", + "railway station", + "starving", + "accountant" + ] + }, + { + "ranking": 313, + "title": "Bingo: The King of the Mornings", + "year": "2017", + "runtime": 113, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.986, + "vote_count": 394, + "description": "1980s. Brazilian television exploding in color and auditorium programs not so politically correct. In the middle of this fervor, Augusto Mendes, a young rising actor, seeks his place in the sun. From porn studios to soap operas, he finally finds success and fame when he becomes \"Bingo\", a TV host clown from one of the audience leader TV shows for children. It turns out that behind the rice powder and red nose, nobody knows who he is.", + "poster": "https://image.tmdb.org/t/p/w500/fqIF4ERm1tmBRHZQs32DdIAM9OS.jpg", + "url": "https://www.themoviedb.org/movie/429210", + "genres": [ + "Comedy", + "Drama" + ], + "tags": [ + "clown", + "fame", + "1980s" + ] + }, + { + "ranking": 314, + "title": "Andrei Rublev", + "year": "1966", + "runtime": 183, + "content_rating": null, + "metascore": null, + "imdb_rating": 8.0, + "vote_count": 848, + "description": "An expansive Russian drama, this film focuses on the life of revered religious icon painter Andrei Rublev. Drifting from place to place in a tumultuous era, the peace-seeking monk eventually gains a reputation for his art. But after Rublev witnesses a brutal battle and unintentionally becomes involved, he takes a vow of silence and spends time away from his work. As he begins to ease his troubled soul, he takes steps towards becoming a painter once again.", + "poster": "https://image.tmdb.org/t/p/w500/910xRIUmNJrWH2hkQifBJtoPp5R.jpg", + "url": "https://www.themoviedb.org/movie/895", + "genres": [ + "Drama", + "History" + ], + "tags": [ + "rape", + "christianity", + "monk", + "artist", + "cathedral", + "crucifixion", + "famine", + "painter", + "icon", + "biography", + "tatars", + "teacher", + "bell", + "torture", + "massacre", + "brutality", + "middle ages (476-1453)", + "monastery", + "tartar", + "bell maker", + "15th century", + "religious vow" + ] + }, + { + "ranking": 317, + "title": "The Gold Rush", + "year": "1925", + "runtime": 95, + "content_rating": null, + "metascore": null, + "imdb_rating": 8.0, + "vote_count": 1638, + "description": "A gold prospector in Alaska struggles to survive the elements and win the heart of a dance hall girl.", + "poster": "https://image.tmdb.org/t/p/w500/eQRFo1qwRREYwj47Yoe1PisgOle.jpg", + "url": "https://www.themoviedb.org/movie/962", + "genres": [ + "Adventure", + "Comedy", + "Drama" + ], + "tags": [ + "dance", + "worker", + "gold", + "river", + "thanksgiving", + "gold rush", + "love", + "alaska", + "cabin", + "black and white", + "silent film", + "klondike", + "little tramp", + "dance hall" + ] + }, + { + "ranking": 318, + "title": "North by Northwest", + "year": "1959", + "runtime": 136, + "content_rating": null, + "metascore": null, + "imdb_rating": 8.0, + "vote_count": 4179, + "description": "Advertising man Roger Thornhill is mistaken for a spy, triggering a deadly cross-country chase.", + "poster": "https://image.tmdb.org/t/p/w500/kNOFPQrel9YFCVzI0DF8FnCEpCw.jpg", + "url": "https://www.themoviedb.org/movie/213", + "genres": [ + "Thriller", + "Adventure" + ], + "tags": [ + "new york city", + "assassination", + "undercover agent", + "espionage", + "spy", + "mistaken identity", + "deception", + "romance", + "fugitive", + "on the run", + "advertising", + "framed", + "on the road", + "government agent", + "road movie", + "framed for murder", + "trains", + "cold war era", + "mount rushmore", + "absurd", + "adventure", + "man on the run", + "couple on the run", + "moral relativism", + "awestruck", + "cliché" + ] + }, + { + "ranking": 319, + "title": "Bohemian Rhapsody", + "year": "2018", + "runtime": 135, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.978, + "vote_count": 17054, + "description": "Singer Freddie Mercury, guitarist Brian May, drummer Roger Taylor and bass guitarist John Deacon take the music world by storm when they form the rock 'n' roll band Queen in 1970. Hit songs become instant classics. When Mercury's increasingly wild lifestyle starts to spiral out of control, Queen soon faces its greatest challenge yet – finding a way to keep the band together amid the success and excess.", + "poster": "https://image.tmdb.org/t/p/w500/lHu1wtNaczFPGFDTrjCSzeLPTKN.jpg", + "url": "https://www.themoviedb.org/movie/424694", + "genres": [ + "Music", + "Drama" + ], + "tags": [ + "london, england", + "aids", + "musician", + "1970s", + "biography", + "based on true story", + "singer", + "hiv", + "male homosexuality", + "fame", + "rock band", + "lgbt", + "1980s", + "gay theme" + ] + }, + { + "ranking": 320, + "title": "La Notte", + "year": "1961", + "runtime": 122, + "content_rating": null, + "metascore": null, + "imdb_rating": 8.0, + "vote_count": 689, + "description": "A day in the life of an unfaithful married couple and their steadily deteriorating relationship in Milan.", + "poster": "https://image.tmdb.org/t/p/w500/xkd7wPJSIC76scBRHCFZ85uOH5d.jpg", + "url": "https://www.themoviedb.org/movie/41050", + "genres": [ + "Drama", + "Romance" + ], + "tags": [ + "infidelity", + "milan", + "hospital", + "writer", + "socialite party" + ] + }, + { + "ranking": 322, + "title": "Catch Me If You Can", + "year": "2002", + "runtime": 141, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.978, + "vote_count": 15979, + "description": "A true story about Frank Abagnale Jr. who, before his 19th birthday, successfully conned millions of dollars worth of checks as a Pan Am pilot, doctor, and legal prosecutor. An FBI agent makes it his mission to put him behind bars. But Frank not only eludes capture, he revels in the pursuit.", + "poster": "https://image.tmdb.org/t/p/w500/sdYgEkKCDPWNU6KnoL4qd8xZ4w7.jpg", + "url": "https://www.themoviedb.org/movie/640", + "genres": [ + "Drama", + "Crime" + ], + "tags": [ + "fbi", + "con man", + "biography", + "based on true story", + "con artist", + "attempted jailbreak", + "engagement party", + "mislaid trust", + "christmas", + "bank fraud", + "conman", + "suspenseful", + "fraudster" + ] + }, + { + "ranking": 321, + "title": "Mirror", + "year": "1975", + "runtime": 106, + "content_rating": null, + "metascore": null, + "imdb_rating": 8.0, + "vote_count": 979, + "description": "A dying man in his forties recalls his childhood, his mother, the war and personal moments that tell of and juxtapose pivotal moments in Soviet history with daily life.", + "poster": "https://image.tmdb.org/t/p/w500/mw9azNlZKmZyPlEc57RzHk1ggaB.jpg", + "url": "https://www.themoviedb.org/movie/1396", + "genres": [ + "Drama", + "History" + ], + "tags": [ + "dreams", + "wind", + "poetry", + "world war ii", + "cigarette", + "field", + "spanish civil war (1936-39)", + "nostalgia", + "forest", + "terminal illness", + "flashback", + "dying man", + "avant-garde", + "illness", + "childhood", + "post world war ii", + "dream sequence", + "newsreel footage", + "nostalgic", + "reflection", + "poetry recitation", + "russian history", + "sepia color", + "historical drama", + "memoirs", + "1940s", + "1960s", + "non-narrative", + "somber", + "self reflection", + "1930s", + "reflective", + "portrait of an artist", + "dreamlike", + "russia", + "soviet union history", + "memories", + "stream of consciousness", + "existentialist", + "20th century", + "experimental film", + "pre war soviet union", + "russian poetry", + "nonlinear narrative", + "voice-over", + "nostalgic memory", + "biographical drama", + "the great patriotic war", + "dying poet" + ] + }, + { + "ranking": 327, + "title": "Nobody Knows", + "year": "2004", + "runtime": 141, + "content_rating": null, + "metascore": null, + "imdb_rating": 8.0, + "vote_count": 547, + "description": "In a small Tokyo apartment, twelve-year-old Akira must care for his younger siblings after their mother leaves them and shows no sign of returning.", + "poster": "https://image.tmdb.org/t/p/w500/kDUUdWrbBBVqzSmm27pHFJcTvCU.jpg", + "url": "https://www.themoviedb.org/movie/2517", + "genres": [ + "Drama" + ], + "tags": [ + "japan", + "sibling relationship", + "season", + "loss of loved one", + "family relationships", + "tokyo, japan", + "mother child separation", + "grim", + "kids on their own", + "depressing", + "admiring", + "powerful" + ] + }, + { + "ranking": 329, + "title": "Kitbull", + "year": "2019", + "runtime": 9, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.97, + "vote_count": 371, + "description": "An unlikely connection sparks between two creatures: a fiercely independent stray kitten and a pit bull. Together, they experience friendship for the first time.", + "poster": "https://image.tmdb.org/t/p/w500/mwKO3cZbxipgd9QAPboJVTDLPiN.jpg", + "url": "https://www.themoviedb.org/movie/574074", + "genres": [ + "Animation", + "Family", + "Drama" + ], + "tags": [ + "friendship", + "cat", + "dog", + "animals", + "short film" + ] + }, + { + "ranking": 323, + "title": "Autumn Sonata", + "year": "1978", + "runtime": 93, + "content_rating": null, + "metascore": null, + "imdb_rating": 8.0, + "vote_count": 628, + "description": "After a seven-year absence, Charlotte Andergast travels to Sweden to reunite with her daughter Eva. The pair have a troubled relationship: Charlotte sacrificed the responsibilities of motherhood for a career as a classical pianist. Over an emotional night, the pair reopen the wounds of the past. Charlotte gets another shock when she finds out that her mentally impaired daughter, Helena, is out of the asylum and living with Eva.", + "poster": "https://image.tmdb.org/t/p/w500/6beNbtCXv3GkzHkxkGYf38ib7v8.jpg", + "url": "https://www.themoviedb.org/movie/12761", + "genres": [ + "Drama" + ], + "tags": [ + "loss of loved one", + "marriage", + "pianist", + "invalid", + "mother daughter reunion", + "mother daughter relationship", + "introspective", + "intimate", + "dramatic", + "intense", + "depressing" + ] + }, + { + "ranking": 325, + "title": "Chungking Express", + "year": "1994", + "runtime": 103, + "content_rating": null, + "metascore": null, + "imdb_rating": 8.0, + "vote_count": 1898, + "description": "Two melancholic Hong Kong policemen fall in love: one with a mysterious underworld figure, the other with a beautiful and ethereal server at a late-night restaurant.", + "poster": "https://image.tmdb.org/t/p/w500/43I9DcNoCzpyzK8JCkJYpHqHqGG.jpg", + "url": "https://www.themoviedb.org/movie/11104", + "genres": [ + "Drama", + "Comedy", + "Romance" + ], + "tags": [ + "drug smuggling", + "police", + "ex-girlfriend", + "girlfriend", + "snack bar", + "romance", + "hong kong", + "expiration date", + "flight attendant", + "cleaning" + ] + }, + { + "ranking": 332, + "title": "Toy Story", + "year": "1995", + "runtime": 81, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.968, + "vote_count": 18721, + "description": "Led by Woody, Andy's toys live happily in his room until Andy's birthday brings Buzz Lightyear onto the scene. Afraid of losing his place in Andy's heart, Woody plots against Buzz. But when circumstances separate Buzz and Woody from their owner, the duo eventually learns to put aside their differences.", + "poster": "https://image.tmdb.org/t/p/w500/uXDfjJbdP4ijW5hWSBrPrlKpxab.jpg", + "url": "https://www.themoviedb.org/movie/862", + "genres": [ + "Animation", + "Adventure", + "Family", + "Comedy" + ], + "tags": [ + "rescue", + "friendship", + "mission", + "jealousy", + "villain", + "bullying", + "elementary school", + "rivalry", + "anthropomorphism", + "friends", + "computer animation", + "buddy", + "walkie talkie", + "toy car", + "boy next door", + "new toy", + "neighborhood", + "toy comes to life", + "resourcefulness", + "toys" + ] + }, + { + "ranking": 330, + "title": "Before Sunrise", + "year": "1995", + "runtime": 101, + "content_rating": null, + "metascore": null, + "imdb_rating": 8.0, + "vote_count": 4255, + "description": "A young man and woman meet on a train in Europe, and wind up spending one evening together in Vienna. Unfortunately, both know that this will probably be their only night together.", + "poster": "https://image.tmdb.org/t/p/w500/kf1Jb1c2JAOqjuzA3H4oDM263uB.jpg", + "url": "https://www.themoviedb.org/movie/76", + "genres": [ + "Drama", + "Romance" + ], + "tags": [ + "sunrise", + "talking", + "soulmates", + "walking", + "austria", + "vienna, austria", + "semi autobiographical", + "playful", + "lighthearted", + "cliché" + ] + }, + { + "ranking": 328, + "title": "The Hidden Fortress", + "year": "1958", + "runtime": 139, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.971, + "vote_count": 634, + "description": "In feudal Japan, during a bloody war between clans, two cowardly and greedy peasants, soldiers of a defeated army, stumble upon a mysterious man who guides them to a fortress hidden in the mountains.", + "poster": "https://image.tmdb.org/t/p/w500/1RTp3EZrKg7xj1HJK2x4Rqknnnu.jpg", + "url": "https://www.themoviedb.org/movie/1059", + "genres": [ + "Drama", + "Action", + "Adventure" + ], + "tags": [ + "japan", + "male friendship", + "jidaigeki", + "sengoku period", + "feudal japan", + "16th century", + "mountain fortress" + ] + }, + { + "ranking": 331, + "title": "Kill Bill: Vol. 1", + "year": "2003", + "runtime": 111, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.969, + "vote_count": 17756, + "description": "An assassin is shot by her ruthless employer, Bill, and other members of their assassination circle – but she lives to plot her vengeance.", + "poster": "https://image.tmdb.org/t/p/w500/v7TaX8kXMXs5yFFGR41guUDNcnB.jpg", + "url": "https://www.themoviedb.org/movie/24", + "genres": [ + "Action", + "Crime" + ], + "tags": [ + "martial arts", + "japan", + "kung fu", + "showdown", + "coma", + "sword", + "asia", + "yakuza", + "bride", + "sword fight", + "revenge", + "vigilante", + "female yakuza", + "animated scene", + "wedding", + "samurai sword", + "eye patch", + "retribution", + "somber", + "pessimistic" + ] + }, + { + "ranking": 324, + "title": "Castle in the Sky", + "year": "1986", + "runtime": 125, + "content_rating": null, + "metascore": null, + "imdb_rating": 8.0, + "vote_count": 4304, + "description": "A young boy and a girl with a magic crystal must race against pirates and foreign agents in a search for a legendary floating castle.", + "poster": "https://image.tmdb.org/t/p/w500/41XxSsJc5OrulP0m7TrrUeO2hoz.jpg", + "url": "https://www.themoviedb.org/movie/10515", + "genres": [ + "Adventure", + "Fantasy", + "Animation", + "Action", + "Family" + ], + "tags": [ + "army", + "flying", + "magic", + "mine", + "castle", + "lost civilisation", + "pirate", + "orphan", + "government agent", + "floating", + "pendant", + "blue sky", + "air pirate", + "crystal", + "anime", + "adventure", + "amused" + ] + }, + { + "ranking": 326, + "title": "Love Hurts", + "year": "2002", + "runtime": 104, + "content_rating": null, + "metascore": null, + "imdb_rating": 8.0, + "vote_count": 323, + "description": "Family and friends try to sabotage the budding romance between a young upper class girl and a humble student.", + "poster": "https://image.tmdb.org/t/p/w500/eyhd9wLlyDTGOKl4jmzWy5sa90o.jpg", + "url": "https://www.themoviedb.org/movie/51822", + "genres": [ + "Drama", + "Romance" + ], + "tags": [] + }, + { + "ranking": 340, + "title": "Memoir of a Snail", + "year": "2024", + "runtime": 94, + "content_rating": null, + "metascore": null, + "imdb_rating": 8.0, + "vote_count": 340, + "description": "Forcibly separated from her twin brother when they are orphaned, a melancholic misfit learns how to find confidence within herself amid the clutter of misfortunes and everyday life.", + "poster": "https://image.tmdb.org/t/p/w500/57AgZv1ITeBLShiNdchZ5153evs.jpg", + "url": "https://www.themoviedb.org/movie/1064486", + "genres": [ + "Animation", + "Drama", + "Comedy" + ], + "tags": [ + "difficult childhood", + "death of father", + "stop motion", + "adult animation", + "death in childbirth", + "broken family", + "brother sister relationship", + "snail" + ] + }, + { + "ranking": 336, + "title": "Monster", + "year": "2023", + "runtime": 125, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.967, + "vote_count": 657, + "description": "When a young boy begins behaving strangely, shocking truths emerge as the story unfolds through the eyes of his single mother, a teacher who is believed to be responsible, and the child himself.", + "poster": "https://image.tmdb.org/t/p/w500/kvUJUyUGOhEoiWWNH04IXoExPE2.jpg", + "url": "https://www.themoviedb.org/movie/1050035", + "genres": [ + "Mystery", + "Thriller", + "Drama" + ], + "tags": [ + "friendship", + "japan", + "bullying", + "elementary school", + "coming of age", + "school", + "teacher student relationship", + "childhood", + "lgbt", + "childhood friends", + "multiple perspectives", + "masculinity", + "somber", + "philosophical", + "mother son relationship", + "gay theme", + "kids", + "boys' love (bl)", + "lgbt child", + "adoring", + "elementary schools in japan" + ] + }, + { + "ranking": 334, + "title": "The Red Shoes", + "year": "1948", + "runtime": 133, + "content_rating": null, + "metascore": null, + "imdb_rating": 8.0, + "vote_count": 681, + "description": "In this classic drama, Vicky Page is an aspiring ballerina torn between her dedication to dance and her desire to love. While her imperious instructor, Boris Lermontov, urges to her to forget anything but ballet, Vicky begins to fall for the charming young composer Julian Craster. Eventually Vicky, under great emotional stress, must choose to pursue either her art or her romance, a decision that carries serious consequences.", + "poster": "https://image.tmdb.org/t/p/w500/vPvpBWFWDvEXuQBkoYgA6A89GVp.jpg", + "url": "https://www.themoviedb.org/movie/19542", + "genres": [ + "Drama", + "Romance" + ], + "tags": [ + "dance", + "new love", + "london, england", + "dance performance", + "composer", + "ballet dancer", + "ballet", + "red shoes" + ] + }, + { + "ranking": 337, + "title": "I'm Still Here", + "year": "2024", + "runtime": 138, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.962, + "vote_count": 560, + "description": "In 1971, military dictatorship in Brazil reaches its height. The Paiva family — Rubens, Eunice, and their five children — live in a beachside house in Rio, open to all their friends. One day, Rubens is taken for questioning and does not return.", + "poster": "https://image.tmdb.org/t/p/w500/gZnsMbhCvhzAQlKaVpeFRHYjGyb.jpg", + "url": "https://www.themoviedb.org/movie/1000837", + "genres": [ + "Drama", + "History" + ], + "tags": [ + "mother", + "beach", + "husband wife relationship", + "based on novel or book", + "1970s", + "rio de janeiro", + "based on true story", + "sao paulo, brazil", + "grief", + "female protagonist", + "period drama", + "interrogation", + "seaside", + "missing person", + "military dictatorship", + "family photo", + "injustice", + "historical drama", + "humanity", + "family dynamics", + "missing husband", + "1990s", + "activism", + "mother son relationship", + "mother daughter relationship", + "wonder", + "resilience", + "realistic", + "2010s", + "brazilian cinema", + "independent film", + "adaptation", + "factual", + "political drama", + "apathetic", + "missing father", + "political dissident", + "biographical drama", + "brazilian military dictatorship" + ] + }, + { + "ranking": 335, + "title": "Trainspotting", + "year": "1996", + "runtime": 94, + "content_rating": null, + "metascore": null, + "imdb_rating": 8.0, + "vote_count": 9812, + "description": "Heroin addict Mark Renton stumbles through bad ideas and sobriety attempts with his unreliable friends -- Sick Boy, Begbie, Spud and Tommy. He also has an underage girlfriend, Diane, along for the ride. After cleaning up and moving from Edinburgh to London, Mark finds he can't escape the life he left behind when Begbie shows up at his front door on the lam, and a scheming Sick Boy follows.", + "poster": "https://image.tmdb.org/t/p/w500/1jUC02qsqS2NxBMFarbIhcQtazV.jpg", + "url": "https://www.themoviedb.org/movie/627", + "genres": [ + "Drama", + "Crime" + ], + "tags": [ + "drug dealer", + "friendship", + "london, england", + "based on novel or book", + "scotland", + "heroin", + "drug addiction", + "anti hero", + "junkie", + "nightclub", + "cold turkey", + "dark comedy", + "edinburgh, scotland", + "modern society", + "hallucination", + "surrealism", + "stealing", + "drug rehabilitation", + "drug dealing", + "drugs", + "schoolgirl", + "recovering addict", + "illegal drugs", + "social realism", + "aggressive", + "drug culture", + "irreverent", + "provocative" + ] + }, + { + "ranking": 333, + "title": "Three Men and a Leg", + "year": "1997", + "runtime": 98, + "content_rating": null, + "metascore": null, + "imdb_rating": 8.0, + "vote_count": 2090, + "description": "Friends Aldo, Giovanni, and Giacomo travel from north to south for Giacomo's wedding: the father of the bride, a tyrannical rich man who is both their boss and father-in-law—since Aldo and Giovanni have also married into the family—has entrusted them with a costly piece of modern art, one that looks just like a rather unremarkable wooden leg.", + "poster": "https://image.tmdb.org/t/p/w500/yhgfM1WTHu4Uiwa47FAGmBk4V7x.jpg", + "url": "https://www.themoviedb.org/movie/38286", + "genres": [ + "Comedy" + ], + "tags": [ + "self-discovery", + "male friendship", + "city country contrast", + "wooden leg", + "road movie", + "three wives", + "three guys" + ] + }, + { + "ranking": 339, + "title": "Castaway on the Moon", + "year": "2009", + "runtime": 119, + "content_rating": null, + "metascore": null, + "imdb_rating": 8.0, + "vote_count": 685, + "description": "Mr. Kim is jobless, lost in debt and has been dumped by his girlfriend. He decides to end it all by jumping into the Han River - only to find himself washed up on a small, mid-river island. He soon abandons thoughts of suicide or rescue and begins a new life as a castaway. His antics catch the attention of a young woman whose apartment overlooks the river. Her discovery changes both their lives.", + "poster": "https://image.tmdb.org/t/p/w500/gGzovvmOEyNVUu4WEHtw9wfDsqI.jpg", + "url": "https://www.themoviedb.org/movie/18438", + "genres": [ + "Drama", + "Comedy", + "Romance" + ], + "tags": [ + "isolation", + "suicide attempt", + "loneliness", + "castaway", + "isolated island", + "seoul, south korea", + "han river" + ] + }, + { + "ranking": 338, + "title": "Pink Floyd: The Wall", + "year": "1982", + "runtime": 95, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.96, + "vote_count": 1513, + "description": "A troubled rock star descends into madness in the midst of his physical and social isolation from everyone.", + "poster": "https://image.tmdb.org/t/p/w500/aElHyIdF5jmctFGhlhhaPFsbBJC.jpg", + "url": "https://www.themoviedb.org/movie/12104", + "genres": [ + "Music", + "Drama" + ], + "tags": [ + "rock star", + "berlin wall", + "paranoia", + "wall", + "descent into madness", + "rock musical", + "adult animation" + ] + }, + { + "ranking": 342, + "title": "Flamin' Hot", + "year": "2023", + "runtime": 99, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.956, + "vote_count": 701, + "description": "The inspiring true story of Richard Montañez, the Frito Lay janitor who channeled his Mexican American heritage and upbringing to turn the iconic Flamin' Hot Cheetos into a snack that disrupted the food industry and became a global pop culture phenomenon.", + "poster": "https://image.tmdb.org/t/p/w500/a7KyFMPXj0iY4EoLq1PIGU1WJPw.jpg", + "url": "https://www.themoviedb.org/movie/626332", + "genres": [ + "Drama", + "History" + ], + "tags": [ + "biography", + "based on true story", + "janitor", + "mexican american", + "woman director" + ] + }, + { + "ranking": 344, + "title": "Tel chi el telùn", + "year": "1999", + "runtime": 120, + "content_rating": null, + "metascore": null, + "imdb_rating": 8.0, + "vote_count": 324, + "description": "A comedy show.", + "poster": "https://image.tmdb.org/t/p/w500/428vjrQpsNWSutMkB9Zndp6nIBq.jpg", + "url": "https://www.themoviedb.org/movie/160885", + "genres": [ + "Comedy" + ], + "tags": [ + "cabaret" + ] + }, + { + "ranking": 341, + "title": "Up", + "year": "2009", + "runtime": 96, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.957, + "vote_count": 20533, + "description": "Carl Fredricksen spent his entire life dreaming of exploring the globe and experiencing life to its fullest. But at age 78, life seems to have passed him by, until a twist of fate (and a persistent 8-year old Wilderness Explorer named Russell) gives him a new lease on life.", + "poster": "https://image.tmdb.org/t/p/w500/mFvoEwSfLqbcWwFsDjQebn9bzFe.jpg", + "url": "https://www.themoviedb.org/movie/14160", + "genres": [ + "Animation", + "Comedy", + "Family", + "Adventure" + ], + "tags": [ + "central and south america", + "age difference", + "villain", + "balloon", + "travel", + "dog", + "duringcreditsstinger", + "pets", + "exploring", + "senior", + "sentimental" + ] + }, + { + "ranking": 343, + "title": "The Treasure of the Sierra Madre", + "year": "1948", + "runtime": 126, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.955, + "vote_count": 1227, + "description": "Two jobless Americans convince a prospector to travel to the mountains of Mexico with them in search of gold. But the hostile wilderness, local bandits, and greed all get in the way of their journey.", + "poster": "https://image.tmdb.org/t/p/w500/pWcst7zVbi8Z8W6GFrdNE7HHRxL.jpg", + "url": "https://www.themoviedb.org/movie/3090", + "genres": [ + "Adventure", + "Drama", + "Western" + ], + "tags": [ + "gold", + "mexico", + "based on novel or book", + "greed", + "gold rush", + "gold mine", + "friends", + "money", + "american", + "bandit", + "prospector", + "1920s" + ] + }, + { + "ranking": 360, + "title": "A Man Escaped", + "year": "1956", + "runtime": 101, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.9, + "vote_count": 551, + "description": "A captured French Resistance fighter during World War II engineers a daunting escape from prison.", + "poster": "https://image.tmdb.org/t/p/w500/gkoZ8fFib24zhB2DKpjQ09SK9FU.jpg", + "url": "https://www.themoviedb.org/movie/15244", + "genres": [ + "Drama", + "Thriller" + ], + "tags": [ + "prison", + "nazi", + "escape", + "world war ii", + "rope", + "prison escape", + "escaped convict", + "religion", + "spoon", + "train", + "prison break", + "lyon france" + ] + }, + { + "ranking": 349, + "title": "Jurassic Park", + "year": "1993", + "runtime": 127, + "content_rating": null, + "metascore": null, + "imdb_rating": 8.0, + "vote_count": 16636, + "description": "A wealthy entrepreneur secretly creates a theme park featuring living dinosaurs drawn from prehistoric DNA. Before opening day, he invites a team of experts and his two eager grandchildren to experience the park and help calm anxious investors. However, the park is anything but amusing as the security systems go off-line and the dinosaurs escape.", + "poster": "https://image.tmdb.org/t/p/w500/fjTU1Bgh3KJu4aatZil3sofR2zC.jpg", + "url": "https://www.themoviedb.org/movie/329", + "genres": [ + "Adventure", + "Science Fiction" + ], + "tags": [ + "exotic island", + "island", + "triceratops", + "brontosaurus", + "electric fence", + "dna", + "tyrannosaurus rex", + "paleontology", + "dinosaur", + "amusement park", + "theme park" + ] + }, + { + "ranking": 346, + "title": "The Way He Looks", + "year": "2014", + "runtime": 96, + "content_rating": null, + "metascore": null, + "imdb_rating": 8.0, + "vote_count": 946, + "description": "Leonardo is a blind teenager dealing with an overprotective mother while trying to live a more independent life. To the disappointment of his best friend, Giovana, he plans to go on an exchange program abroad. When Gabriel, a new student in town, arrives at their classroom, new feelings blossom in Leonardo making him question his plans.", + "poster": "https://image.tmdb.org/t/p/w500/vrcExEZLBuEQMpZw9SC47MurzYZ.jpg", + "url": "https://www.themoviedb.org/movie/237791", + "genres": [ + "Drama", + "Romance" + ], + "tags": [ + "friendship", + "sao paulo, brazil", + "coming of age", + "lgbt", + "lgbt teen", + "blindness", + "curious", + "gay theme", + "intimate" + ] + }, + { + "ranking": 345, + "title": "Million Dollar Baby", + "year": "2004", + "runtime": 132, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.954, + "vote_count": 9771, + "description": "Despondent over a painful estrangement from his daughter, trainer Frankie Dunn isn't prepared for boxer Maggie Fitzgerald to enter his life. But Maggie's determined to go pro and to convince Dunn and his cohort to help her.", + "poster": "https://image.tmdb.org/t/p/w500/jcfEqKdWF1zeyvECPqp3mkWLct2.jpg", + "url": "https://www.themoviedb.org/movie/70", + "genres": [ + "Drama" + ], + "tags": [ + "dying and death", + "transporter", + "strong woman", + "stroke of fate", + "advancement", + "sports", + "fight", + "suicide attempt", + "boxer", + "training", + "tragedy", + "female protagonist", + "brutality", + "boxing trainer", + "unlikely friendship", + "female boxing", + "knockout", + "euthanasia", + "determination", + "boxing" + ] + }, + { + "ranking": 352, + "title": "Guardians of the Galaxy Vol. 3", + "year": "2023", + "runtime": 150, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.9, + "vote_count": 7232, + "description": "Peter Quill, still reeling from the loss of Gamora, must rally his team around him to defend the universe along with protecting one of their own. A mission that, if not completed successfully, could quite possibly lead to the end of the Guardians as we know them.", + "poster": "https://image.tmdb.org/t/p/w500/r2J02Z2OpNTctfOSN1Ydgii51I3.jpg", + "url": "https://www.themoviedb.org/movie/447365", + "genres": [ + "Science Fiction", + "Adventure", + "Action", + "Comedy" + ], + "tags": [ + "hero", + "superhero", + "melancholy", + "mad scientist", + "based on comic", + "sequel", + "superhero team", + "space opera", + "raccoon", + "aftercreditsstinger", + "duringcreditsstinger", + "marvel cinematic universe (mcu)", + "hopeless", + "cosmic", + "outer space", + "chosen family", + "lighthearted", + "hilarious", + "cheerful", + "disheartening", + "empathetic", + "enthusiastic", + "euphoric", + "hopeful", + "straightforward", + "sympathetic" + ] + }, + { + "ranking": 353, + "title": "Dersu Uzala", + "year": "1975", + "runtime": 141, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.9, + "vote_count": 557, + "description": "A military explorer meets and befriends a Goldi man in Russia’s unmapped forests. A deep and abiding bond evolves between the two men, one civilized in the usual sense, the other at home in the glacial Siberian woods.", + "poster": "https://image.tmdb.org/t/p/w500/bIOrDQ3Gg68k3qJAnRU7nIZr0BW.jpg", + "url": "https://www.themoviedb.org/movie/9764", + "genres": [ + "Action", + "Adventure", + "Drama" + ], + "tags": [ + "hermit", + "friendship", + "tiger", + "map", + "getting lost", + "fur trapping", + "exploration", + "russian soldier", + "nature", + "siberia", + "1910s" + ] + }, + { + "ranking": 348, + "title": "The Sixth Sense", + "year": "1999", + "runtime": 107, + "content_rating": null, + "metascore": null, + "imdb_rating": 8.0, + "vote_count": 11955, + "description": "Following an unexpected tragedy, child psychologist Malcolm Crowe meets a nine year old boy named Cole Sear, who is hiding a dark secret.", + "poster": "https://image.tmdb.org/t/p/w500/vOyfUXNFSnaTk7Vk5AjpsKTUWsu.jpg", + "url": "https://www.themoviedb.org/movie/745", + "genres": [ + "Mystery", + "Thriller", + "Drama" + ], + "tags": [ + "dying and death", + "child abuse", + "philadelphia, pennsylvania", + "sense of guilt", + "afterlife", + "marriage crisis", + "loss of loved one", + "confidence", + "psychology", + "paranormal phenomena", + "single", + "psychological thriller", + "cowardliness", + "single mother", + "school play", + "ghost", + "child", + "spiritism", + "ghost child", + "supernatural thriller" + ] + }, + { + "ranking": 354, + "title": "The Iron Giant", + "year": "1999", + "runtime": 86, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.948, + "vote_count": 5712, + "description": "In the small town of Rockwell, Maine in October 1957, a giant metal machine befriends a nine-year-old boy and ultimately finds its humanity by unselfishly saving people from their own fears and prejudices.", + "poster": "https://image.tmdb.org/t/p/w500/ct04FCFLPImNG5thcPLRnVsZlmS.jpg", + "url": "https://www.themoviedb.org/movie/10386", + "genres": [ + "Family", + "Animation", + "Science Fiction", + "Adventure" + ], + "tags": [ + "friendship", + "small town", + "based on novel or book", + "self sacrifice", + "cold war", + "villain", + "alien", + "meteorite", + "giant robot", + "autumn", + "fear of unknown", + "1950s", + "mother son relationship", + "awestruck", + "euphoric", + "hopeful" + ] + }, + { + "ranking": 351, + "title": "Nausicaä of the Valley of the Wind", + "year": "1984", + "runtime": 117, + "content_rating": null, + "metascore": null, + "imdb_rating": 8.0, + "vote_count": 3686, + "description": "After a global war, the seaside kingdom known as the Valley of the Wind remains one of the last strongholds on Earth untouched by a poisonous jungle and the powerful insects that guard it. Led by the courageous Princess Nausicaä, the people of the Valley engage in an epic struggle to restore the bond between humanity and Earth.", + "poster": "https://image.tmdb.org/t/p/w500/tcrkfB8SRPQCgwI88hQScua6nxh.jpg", + "url": "https://www.themoviedb.org/movie/81", + "genres": [ + "Adventure", + "Animation", + "Fantasy" + ], + "tags": [ + "future", + "airplane", + "saving the world", + "human vs nature", + "fungus spores ", + "post-apocalyptic future", + "giant insect", + "toxic", + "based on manga", + "ecology", + "anime", + "inspirational", + "adventure" + ] + }, + { + "ranking": 347, + "title": "The General", + "year": "1926", + "runtime": 79, + "content_rating": null, + "metascore": null, + "imdb_rating": 8.0, + "vote_count": 1279, + "description": "During America’s Civil War, Union spies steal engineer Johnny Gray's beloved locomotive, 'The General'—with Johnnie's lady love aboard an attached boxcar—and he single-handedly must do all in his power to both get The General back and to rescue Annabelle.", + "poster": "https://image.tmdb.org/t/p/w500/nIp4gIXogCjfB1QABNsWwa9gSca.jpg", + "url": "https://www.themoviedb.org/movie/961", + "genres": [ + "Action", + "Adventure", + "Comedy", + "War" + ], + "tags": [ + "cannon", + "army", + "general", + "southern usa", + "spy", + "fiancé", + "bridge", + "engineer", + "attack", + "black and white", + "train", + "silent film", + "behind enemy lines", + "american civil war" + ] + }, + { + "ranking": 357, + "title": "Whisper of the Heart", + "year": "1995", + "runtime": 111, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.9, + "vote_count": 2054, + "description": "Shizuku lives a simple life, dominated by her love for stories and writing. One day she notices that all the library books she has have been previously checked out by the same person: 'Seiji Amasawa'.", + "poster": "https://image.tmdb.org/t/p/w500/5FROLD8zpWFs9ja7aYho1uOMJHg.jpg", + "url": "https://www.themoviedb.org/movie/37797", + "genres": [ + "Animation", + "Drama", + "Family" + ], + "tags": [ + "dreams", + "library", + "italy", + "violin", + "writing", + "education", + "love", + "train", + "based on manga", + "cartoon cat", + "high school student", + "nostalgic", + "violin maker", + "grade", + "shoujo", + "anime", + "inspirational", + "japanese junior high schooler", + "whimsical" + ] + }, + { + "ranking": 358, + "title": "The Circus", + "year": "1928", + "runtime": 72, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.9, + "vote_count": 812, + "description": "Charlie, a wandering tramp, becomes a circus handyman - soon the star of the show - and falls in love with the circus owner's stepdaughter.", + "poster": "https://image.tmdb.org/t/p/w500/hWw9HfQmd4Rn1Et4vgZQsEf5tEZ.jpg", + "url": "https://www.themoviedb.org/movie/28978", + "genres": [ + "Comedy", + "Family", + "Romance" + ], + "tags": [ + "circus", + "one-sided love", + "tramp", + "unrequited love", + "black and white", + "silent film", + "employer employee relationship", + "little tramp", + "preserved film" + ] + }, + { + "ranking": 356, + "title": "The Boy and the Beast", + "year": "2015", + "runtime": 119, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.947, + "vote_count": 1502, + "description": "Kyuta, a boy living in Shibuya, and Kumatetsu, a lonesome beast from Jutengai, an imaginary world. One day, Kyuta forays into the imaginary world and, as he's looking for his way back, meets Kumatetsu who becomes his spirit guide. That encounter leads them to many adventures.", + "poster": "https://image.tmdb.org/t/p/w500/kzKJxfIdZ70nsPfKyq7hlYlJwSx.jpg", + "url": "https://www.themoviedb.org/movie/315465", + "genres": [ + "Action", + "Adventure", + "Animation", + "Drama", + "Family", + "Fantasy" + ], + "tags": [ + "japan", + "parent child relationship", + "runaway", + "homelessness", + "training", + "portal", + "coming of age", + "tokyo, japan", + "orphan", + "beast", + "adult animation", + "surrogate father", + "father figure", + "shadow", + "father son reunion", + "succession", + "anime", + "father son relationship", + "disciple", + "shibuya, tokyo", + "adventure" + ] + }, + { + "ranking": 359, + "title": "Ordet", + "year": "1955", + "runtime": 125, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.9, + "vote_count": 375, + "description": "The three sons of devout Danish farmer Morten have widely disparate religious beliefs. Youngest son Anders shares his father's religion, but eldest son Mikkel has lost his faith, while middle child Johannes has become delusional and proclaims that he is Jesus Christ himself. When Mikkel's wife, Inger goes into a difficult childbirth, everyone's beliefs are put to the test.", + "poster": "https://image.tmdb.org/t/p/w500/e3oh96Zrqdaku8DoD10pXZHLZoU.jpg", + "url": "https://www.themoviedb.org/movie/48035", + "genres": [ + "Drama" + ], + "tags": [ + "faith", + "religion", + "religious fundamentalism", + "pregnant wife" + ] + }, + { + "ranking": 350, + "title": "Aliens", + "year": "1986", + "runtime": 137, + "content_rating": null, + "metascore": null, + "imdb_rating": 8.0, + "vote_count": 10027, + "description": "Ripley, the sole survivor of the Nostromo's deadly encounter with the monstrous Alien, returns to Earth after drifting through space in hypersleep for 57 years. Although her story is initially met with skepticism, she agrees to accompany a team of Colonial Marines back to LV-426.", + "poster": "https://image.tmdb.org/t/p/w500/r1x5JGpyqZU8PYhbs4UcrO1Xb6x.jpg", + "url": "https://www.themoviedb.org/movie/679", + "genres": [ + "Action", + "Thriller", + "Science Fiction" + ], + "tags": [ + "android", + "space marine", + "extraterrestrial technology", + "spaceman", + "space travel", + "settler", + "colony", + "cryogenics", + "vacuum", + "space colony", + "warrior woman", + "alien", + "space", + "female protagonist", + "creature", + "desolate", + "female hero", + "shocking", + "aggressive", + "xenomorph", + "desolate planet", + "suspenseful", + "critical", + "hilarious", + "sinister", + "assertive", + "commanding", + "defiant", + "empathetic", + "exhilarated", + "optimistic", + "powerful" + ] + }, + { + "ranking": 355, + "title": "Spider-Man: No Way Home", + "year": "2021", + "runtime": 148, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.947, + "vote_count": 20645, + "description": "Peter Parker is unmasked and no longer able to separate his normal life from the high-stakes of being a super-hero. When he asks for help from Doctor Strange the stakes become even more dangerous, forcing him to discover what it truly means to be Spider-Man.", + "poster": "https://image.tmdb.org/t/p/w500/1g0dhYtq4irTY1GPXvft6k4YLjm.jpg", + "url": "https://www.themoviedb.org/movie/634649", + "genres": [ + "Action", + "Adventure", + "Science Fiction" + ], + "tags": [ + "new york city", + "hero", + "showdown", + "magic", + "loss of loved one", + "secret identity", + "superhero", + "villain", + "portal", + "sequel", + "vigilante", + "superhero team", + "masked vigilante", + "spider web", + "alternative reality", + "aftercreditsstinger", + "duringcreditsstinger", + "marvel cinematic universe (mcu)", + "fight for justice", + "teen superhero", + "superhero teamup", + "returning hero", + "crossover", + "teamwork", + "admiring" + ] + }, + { + "ranking": 361, + "title": "A Man Escaped", + "year": "1956", + "runtime": 101, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.9, + "vote_count": 551, + "description": "A captured French Resistance fighter during World War II engineers a daunting escape from prison.", + "poster": "https://image.tmdb.org/t/p/w500/gkoZ8fFib24zhB2DKpjQ09SK9FU.jpg", + "url": "https://www.themoviedb.org/movie/15244", + "genres": [ + "Drama", + "Thriller" + ], + "tags": [ + "prison", + "nazi", + "escape", + "world war ii", + "rope", + "prison escape", + "escaped convict", + "religion", + "spoon", + "train", + "prison break", + "lyon france" + ] + }, + { + "ranking": 363, + "title": "No Country for Old Men", + "year": "2007", + "runtime": 122, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.944, + "vote_count": 12288, + "description": "Llewelyn Moss stumbles upon dead bodies, $2 million and a hoard of heroin in a Texas desert, but methodical killer Anton Chigurh comes looking for it, with local sheriff Ed Tom Bell hot on his trail. The roles of prey and predator blur as the violent pursuit of money and justice collide.", + "poster": "https://image.tmdb.org/t/p/w500/bj1v6YKF8yHqA489VFfnQvOJpnc.jpg", + "url": "https://www.themoviedb.org/movie/6977", + "genres": [ + "Crime", + "Drama", + "Thriller" + ], + "tags": [ + "vietnam veteran", + "sheriff", + "trailer park", + "based on novel or book", + "hitman", + "psychopath", + "drug trafficking", + "texas", + "motel", + "usa–mexico border", + "drug cartel", + "fate", + "desert", + "modern-day western", + "neo-western", + "tracking device", + "cold blooded killer", + "motel room", + "cartel", + "neo-noir", + "1980s", + "mexican cartel", + "drug deal", + "coin toss", + "human nature", + "captive bolt gun", + "western noir", + "horror western", + "faithful adaptation", + "brisk" + ] + }, + { + "ranking": 364, + "title": "The Cure", + "year": "1995", + "runtime": 97, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.9, + "vote_count": 313, + "description": "Erik, a loner, finds a friend in Dexter, an eleven-year-old boy with AIDS. They vow to find a cure for AIDS together and save Dexter's life in an eventful summer.", + "poster": "https://image.tmdb.org/t/p/w500/3WN1H5NzLOjhY9AP848v8WPc9uu.jpg", + "url": "https://www.themoviedb.org/movie/6715", + "genres": [ + "Drama", + "Family" + ], + "tags": [ + "aids", + "mississippi river", + "minnesota", + "male friendship", + "hiv", + "sick child" + ] + }, + { + "ranking": 365, + "title": "Miracle in Cell No. 7", + "year": "2013", + "runtime": 127, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.9, + "vote_count": 449, + "description": "A story about a mentally ill man wrongfully imprisoned for murder and his relationship with his 6 year old daughter.", + "poster": "https://image.tmdb.org/t/p/w500/6sqbCqk6tFQgO2nsVqnez7xdRLx.jpg", + "url": "https://www.themoviedb.org/movie/158445", + "genres": [ + "Drama", + "Comedy" + ], + "tags": [ + "parent child relationship", + "prison cell", + "wrongful imprisonment", + "mentally challenged" + ] + }, + { + "ranking": 362, + "title": "The Great Escape", + "year": "1963", + "runtime": 173, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.9, + "vote_count": 2604, + "description": "The Nazis, exasperated at the number of escapes from their prison camps by a relatively small number of Allied prisoners, relocate them to a high-security 'escape-proof' camp to sit out the remainder of the war. Undaunted, the prisoners plan one of the most ambitious escape attempts of World War II. Based on a true story.", + "poster": "https://image.tmdb.org/t/p/w500/gBH4H8UMFxl139HaLz6lRuvsel8.jpg", + "url": "https://www.themoviedb.org/movie/5925", + "genres": [ + "Adventure", + "Drama", + "War" + ], + "tags": [ + "prison", + "epic", + "uniform", + "swastika", + "prisoner", + "based on novel or book", + "nazi", + "escape", + "optimism", + "freedom", + "machinegun", + "switzerland", + "shower", + "dystopia", + "baseball", + "world war ii", + "prisoner of war", + "claustrophobia", + "attempt to escape", + "barbed wire", + "based on true story", + "prison guard", + "prison escape", + "tragedy", + "solitary confinement", + "motorcycle", + "alps mountains", + "british officer", + "1940s", + "luftwaffe", + "soldiers" + ] + }, + { + "ranking": 369, + "title": "Akira", + "year": "1988", + "runtime": 124, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.9, + "vote_count": 4356, + "description": "A secret military project endangers Neo-Tokyo when it turns a biker gang member into a rampaging psychic psychopath that only two teenagers and a group of psychics can stop.", + "poster": "https://image.tmdb.org/t/p/w500/neZ0ykEsPqxamsX6o5QNUFILQrz.jpg", + "url": "https://www.themoviedb.org/movie/149", + "genres": [ + "Animation", + "Science Fiction", + "Action" + ], + "tags": [ + "army", + "street gang", + "saving the world", + "total destruction", + "experiment", + "general", + "megacity", + "atomic bomb", + "stadium", + "underground", + "mutation", + "dystopia", + "cyberpunk", + "based on manga", + "motorcycle gang", + "adult animation", + "psychotronic", + "anime", + "philosophical", + "2010s", + "excited", + "vibrant" + ] + }, + { + "ranking": 371, + "title": "Sanjuro", + "year": "1962", + "runtime": 96, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.9, + "vote_count": 633, + "description": "Toshiro Mifune swaggers and snarls to brilliant comic effect in Kurosawa's tightly paced, beautifully composed \"Sanjuro.\" In this companion piece and sequel to \"Yojimbo,\" jaded samurai Sanjuro helps an idealistic group of young warriors weed out their clan's evil influences, and in the process turns their image of a proper samurai on its ear.", + "poster": "https://image.tmdb.org/t/p/w500/zW47oIH3bc3ggmmmzTvKqM4Fqjk.jpg", + "url": "https://www.themoviedb.org/movie/11712", + "genres": [ + "Drama", + "Action", + "Comedy" + ], + "tags": [ + "japan", + "samurai", + "corruption", + "temple", + "fighter", + "black and white", + "criterion", + "jidaigeki", + "edo period", + "feudal japan", + "bakumatsu" + ] + }, + { + "ranking": 373, + "title": "When Marnie Was There", + "year": "2014", + "runtime": 103, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.938, + "vote_count": 1828, + "description": "Upon being sent to live with relatives in the countryside due to an illness, an emotionally distant adolescent girl becomes obsessed with an abandoned mansion and infatuated with a girl who lives there - a girl who may or may not be real.", + "poster": "https://image.tmdb.org/t/p/w500/vug1dvDI1tSa60Z8qjCuUE7ntkO.jpg", + "url": "https://www.themoviedb.org/movie/242828", + "genres": [ + "Animation", + "Drama", + "Family", + "Mystery" + ], + "tags": [ + "friendship", + "based on novel or book", + "imaginary friend", + "flashback", + "photograph", + "calm", + "anime", + "personal diary", + "psychological" + ] + }, + { + "ranking": 374, + "title": "Farewell My Concubine", + "year": "1993", + "runtime": 171, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.9, + "vote_count": 598, + "description": "Two boys meet at an opera training school in Peking in 1924. Their resulting friendship will span nearly 70 years and endure some of the most troublesome times in China's history.", + "poster": "https://image.tmdb.org/t/p/w500/ySf9I93w6kJiaEb2T4zpoQjY8PR.jpg", + "url": "https://www.themoviedb.org/movie/10997", + "genres": [ + "Drama" + ], + "tags": [ + "china", + "society", + "transvestite", + "cultural revolution", + "woman between two men", + "best friend", + "beijing, china", + "lgbt", + "chinese opera", + "female impersonator", + "severed finger" + ] + }, + { + "ranking": 370, + "title": "Blade Runner", + "year": "1982", + "runtime": 118, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.9, + "vote_count": 14028, + "description": "In the smog-choked dystopian Los Angeles of 2019, blade runner Rick Deckard is called out of retirement to terminate a quartet of replicants who have escaped to Earth seeking their creator for a way to extend their short life spans.", + "poster": "https://image.tmdb.org/t/p/w500/tiohuF3xwkMbqYef0FguQVzfvcr.jpg", + "url": "https://www.themoviedb.org/movie/78", + "genres": [ + "Science Fiction", + "Drama", + "Thriller" + ], + "tags": [ + "android", + "flying car", + "bounty hunter", + "artificial intelligence (a.i.)", + "genetics", + "based on novel or book", + "dystopia", + "melancholy", + "futuristic", + "fugitive", + "cyberpunk", + "los angeles, california", + "alcoholic", + "tech noir", + "meditative", + "neo-noir", + "human cloning", + "blade runner", + "2010s", + "introspective" + ] + }, + { + "ranking": 372, + "title": "Raise the Red Lantern", + "year": "1991", + "runtime": 125, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.9, + "vote_count": 726, + "description": "In 1920s China, 19-year-old Songlian becomes a concubine of a powerful lord and is forced to compete with his three wives for the privileges gained.", + "poster": "https://image.tmdb.org/t/p/w500/j6MGZpg55cTqlHHwahBtzI2qQg1.jpg", + "url": "https://www.themoviedb.org/movie/10404", + "genres": [ + "Drama" + ], + "tags": [ + "competition", + "marriage", + "romantic rivalry", + "polygamy", + "concubine", + "wealth", + "intrigue", + "oppression", + "1920s" + ] + }, + { + "ranking": 376, + "title": "It's Such a Beautiful Day", + "year": "2012", + "runtime": 62, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.9, + "vote_count": 332, + "description": "Bill struggles to put together his shattered psyche.", + "poster": "https://image.tmdb.org/t/p/w500/hop0dsM4nxyNENGhBhpJWTCJ5rS.jpg", + "url": "https://www.themoviedb.org/movie/489412", + "genres": [ + "Animation", + "Comedy" + ], + "tags": [ + "nightmare", + "immortality", + "narration", + "dark comedy", + "surrealism", + "hospital", + "illness", + "mental illness", + "adult animation", + "death of parent", + "divorced parents", + "stick figures", + "philosophical", + "existential horror", + "brooding", + "existential crisis" + ] + }, + { + "ranking": 368, + "title": "Braveheart", + "year": "1995", + "runtime": 177, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.942, + "vote_count": 10351, + "description": "Enraged at the slaughter of Murron, his new bride and childhood love, Scottish warrior William Wallace slays a platoon of the local English lord's soldiers. This leads the village to revolt and, eventually, the entire country to rise up against English rule.", + "poster": "https://image.tmdb.org/t/p/w500/or1gBugydmjToAEq7OZY0owwFk.jpg", + "url": "https://www.themoviedb.org/movie/197", + "genres": [ + "Action", + "Drama", + "History", + "War" + ], + "tags": [ + "epic", + "england", + "scotland", + "loss of loved one", + "idealism", + "based on true story", + "medieval", + "war" + ] + }, + { + "ranking": 377, + "title": "Close-Up", + "year": "1990", + "runtime": 98, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.9, + "vote_count": 397, + "description": "This fiction-documentary hybrid uses a sensational real-life event—the arrest of a young man on charges that he fraudulently impersonated the well-known filmmaker Mohsen Makhmalbaf—as the basis for a stunning, multilayered investigation into movies, identity, artistic creation, and existence, in which the real people from the case play themselves.", + "poster": "https://image.tmdb.org/t/p/w500/m9HG2N9ZKCmNN9qOHJTNyy18wn3.jpg", + "url": "https://www.themoviedb.org/movie/30017", + "genres": [ + "Crime", + "Drama" + ], + "tags": [ + "movie business", + "teheran (tehran), iran", + "reenactment", + "filmmaker", + "dignified" + ] + }, + { + "ranking": 367, + "title": "Rope", + "year": "1948", + "runtime": 81, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.942, + "vote_count": 2776, + "description": "Two young men attempt to prove they committed the perfect murder by hosting a dinner party for the family of a classmate they just strangled to death.", + "poster": "https://image.tmdb.org/t/p/w500/9ar6rxLDB8kagAnXZKn6h9smscr.jpg", + "url": "https://www.themoviedb.org/movie/1580", + "genres": [ + "Thriller", + "Crime", + "Drama" + ], + "tags": [ + "philosophy", + "banquet", + "rope", + "strangle", + "based on play or musical", + "murder", + "technicolor", + "dinner party", + "academia", + "suspenseful", + "intense", + "single location", + "superiority" + ] + }, + { + "ranking": 375, + "title": "12 Years a Slave", + "year": "2013", + "runtime": 134, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.936, + "vote_count": 11405, + "description": "In the pre-Civil War United States, Solomon Northup, a free black man from upstate New York, is abducted and sold into slavery. Facing cruelty as well as unexpected kindnesses Solomon struggles not only to stay alive, but to retain his dignity. In the twelfth year of his unforgettable odyssey, Solomon’s chance meeting with a Canadian abolitionist will forever alter his life.", + "poster": "https://image.tmdb.org/t/p/w500/xdANQijuNrJaw1HA61rDccME4Tm.jpg", + "url": "https://www.themoviedb.org/movie/76203", + "genres": [ + "Drama", + "History" + ], + "tags": [ + "slavery", + "plantation", + "based on memoir or autobiography", + "violin player", + "physical abuse", + "black slave", + "usa history", + "slave owner", + "19th century", + "sold into slavery", + "abolitionist", + "landowner", + "abuse of power", + "african american history" + ] + }, + { + "ranking": 379, + "title": "Suzume", + "year": "2022", + "runtime": 121, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.932, + "vote_count": 1439, + "description": "Suzume, 17, lost her mother as a little girl. On her way to school, she meets a mysterious young man. But her curiosity unleashes a calamity that endangers the entire population of Japan, and so Suzume embarks on a journey to set things right.", + "poster": "https://image.tmdb.org/t/p/w500/x5CrIflmv8WZJeLv7V611aRGbPs.jpg", + "url": "https://www.themoviedb.org/movie/916224", + "genres": [ + "Animation", + "Drama", + "Adventure", + "Fantasy" + ], + "tags": [ + "magic", + "door", + "natural disaster", + "calamity", + "travel", + "teenage girl", + "female protagonist", + "shrine", + "supernatural creature", + "enviromental", + "journey", + "anime", + "adventure" + ] + }, + { + "ranking": 366, + "title": "The Exterminating Angel", + "year": "1962", + "runtime": 93, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.9, + "vote_count": 680, + "description": "A formal dinner party starts out normally enough, but after the bourgeois group retire to the host’s music room, they inexplicably find themselves unable to leave.", + "poster": "https://image.tmdb.org/t/p/w500/qqZXHvBFxUpo8Pfbyvgh4SYMiWm.jpg", + "url": "https://www.themoviedb.org/movie/29264", + "genres": [ + "Comedy", + "Drama", + "Fantasy" + ], + "tags": [ + "sheep", + "quarantine", + "upper class", + "guest", + "room", + "surrealism", + "lamb", + "bear", + "mansion", + "catholic church", + "pretension", + "dinner party", + "piano", + "provocative" + ] + }, + { + "ranking": 380, + "title": "Me Before You", + "year": "2016", + "runtime": 110, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.928, + "vote_count": 12583, + "description": "A small town girl is caught between dead-end jobs. A high-profile, successful man becomes wheelchair bound following an accident. The man decides his life is not worth living until the girl is hired for six months to be his new caretaker. Worlds apart and trapped together by circumstance, the two get off to a rocky start. But the girl becomes determined to prove to the man that life is worth living and as they embark on a series of adventures together, each finds their world changing in ways neither of them could begin to imagine.", + "poster": "https://image.tmdb.org/t/p/w500/Ia3dzj5LnCj1ZBdlVeJrbKJQxG.jpg", + "url": "https://www.themoviedb.org/movie/296096", + "genres": [ + "Drama", + "Romance" + ], + "tags": [ + "depression", + "small town", + "based on novel or book", + "england", + "artist", + "wheelchair", + "romance", + "love", + "caretaker", + "caregiver", + "disabled", + "valentine's day", + "twenty something", + "woman director", + "accident" + ] + }, + { + "ranking": 378, + "title": "Gone with the Wind", + "year": "1939", + "runtime": 233, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.9, + "vote_count": 4103, + "description": "The spoiled daughter of a Georgia plantation owner conducts a tumultuous romance with a cynical profiteer during the American Civil War and Reconstruction Era.", + "poster": "https://image.tmdb.org/t/p/w500/lNz2Ow0wGCAvzckW7EOjE03KcYv.jpg", + "url": "https://www.themoviedb.org/movie/770", + "genres": [ + "Drama", + "War", + "Romance" + ], + "tags": [ + "civil war", + "based on novel or book", + "marriage crisis", + "loss of loved one", + "widow", + "atlanta", + "slavery", + "plantation", + "typhus", + "romance", + "casualty of war", + "second marriage", + "american civil war", + "technicolor", + "reconstruction era", + "businesswoman", + "1860s", + "1870s", + "antebellum south", + "compassionate", + "powerful" + ] + }, + { + "ranking": 383, + "title": "Ghost in the Shell", + "year": "1995", + "runtime": 83, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.9, + "vote_count": 3490, + "description": "In the year 2029, the barriers of our world have been broken down by the net and by cybernetics, but this brings new vulnerability to humans in the form of brain-hacking. When a highly-wanted hacker known as 'The Puppetmaster' begins involving them in politics, Section 9, a group of cybernetically enhanced cops, are called in to investigate and stop the Puppetmaster.", + "poster": "https://image.tmdb.org/t/p/w500/9gC88zYUBARRSThcG93MvW14sqx.jpg", + "url": "https://www.themoviedb.org/movie/9323", + "genres": [ + "Action", + "Animation", + "Science Fiction" + ], + "tags": [ + "android", + "man vs machine", + "artificial intelligence (a.i.)", + "computer virus", + "cyborg", + "dystopia", + "implantat", + "fugitive", + "female protagonist", + "cyberpunk", + "based on manga", + "adult animation", + "tech noir", + "anime" + ] + }, + { + "ranking": 389, + "title": "Dallas Buyers Club", + "year": "2013", + "runtime": 117, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.9, + "vote_count": 8587, + "description": "Loosely based on the true-life tale of Ron Woodroof, a drug-taking, women-loving, homophobic man who in 1986 was diagnosed with HIV/AIDS and given thirty days to live.", + "poster": "https://image.tmdb.org/t/p/w500/7Fdh7gUq3plvQqxRbNYhWvDABXA.jpg", + "url": "https://www.themoviedb.org/movie/152532", + "genres": [ + "Drama", + "History" + ], + "tags": [ + "aids", + "homophobia", + "rodeo", + "texas", + "biography", + "dallas texas", + "based on true story", + "hiv", + "drugs", + "lgbt", + "treatment", + "1980s", + "trans woman", + "inspirational", + "intense", + "informative" + ] + }, + { + "ranking": 382, + "title": "CODA", + "year": "2021", + "runtime": 112, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.926, + "vote_count": 2321, + "description": "As a CODA (Child of Deaf Adults), Ruby is the only hearing person in her deaf family. When the family's fishing business is threatened, Ruby finds herself torn between pursuing her love of music and her fear of abandoning her parents.", + "poster": "https://image.tmdb.org/t/p/w500/BzVjmm8l23rPsijLiNLUzuQtyd.jpg", + "url": "https://www.themoviedb.org/movie/776503", + "genres": [ + "Drama", + "Music", + "Romance" + ], + "tags": [ + "parent child relationship", + "music teacher", + "fishing", + "deaf", + "massachusetts", + "coming of age", + "remake", + "singing", + "family", + "first love", + "disability", + "based on movie", + "woman director", + "sign languages", + "school choir", + "music school", + "calm", + "american sign language (asl)", + "loving", + "teenager", + "appreciative" + ] + }, + { + "ranking": 381, + "title": "Nobody", + "year": "2021", + "runtime": 91, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.927, + "vote_count": 7293, + "description": "Hutch Mansell, a suburban dad, overlooked husband, nothing neighbor — a \"nobody.\" When two thieves break into his home one night, Hutch's unknown long-simmering rage is ignited and propels him on a brutal path that will uncover dark secrets he fought to leave behind.", + "poster": "https://image.tmdb.org/t/p/w500/oBgWY00bEFeZ9N25wWVyuQddbAo.jpg", + "url": "https://www.themoviedb.org/movie/615457", + "genres": [ + "Action", + "Thriller" + ], + "tags": [ + "assassin", + "double life", + "fight", + "midlife crisis", + "bratva (russian mafia)", + "secret organization", + "thief", + "home invasion", + "family", + "brawl", + "duringcreditsstinger", + "aggressive", + "tense" + ] + }, + { + "ranking": 385, + "title": "The Postman", + "year": "1994", + "runtime": 109, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.9, + "vote_count": 1151, + "description": "Simple Italian postman learns to love poetry while delivering mail to a famous poet; he uses this to woo local beauty Beatrice.", + "poster": "https://image.tmdb.org/t/p/w500/cUaCpjVDefYShKyLmkcDsiPaBHn.jpg", + "url": "https://www.themoviedb.org/movie/11010", + "genres": [ + "Comedy", + "Drama", + "Romance" + ], + "tags": [ + "island", + "fisherman", + "letter", + "postman", + "poet", + "naples, italy", + "love", + "poverty" + ] + }, + { + "ranking": 384, + "title": "Raging Bull", + "year": "1980", + "runtime": 129, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.9, + "vote_count": 4412, + "description": "The life of boxer Jake LaMotta, whose violence and temper that led him to the top in the ring destroyed his life outside of it.", + "poster": "https://image.tmdb.org/t/p/w500/1WV7WlTS8LI1L5NkCgjWT9GSW3O.jpg", + "url": "https://www.themoviedb.org/movie/1578", + "genres": [ + "Drama" + ], + "tags": [ + "jealousy", + "transporter", + "sports", + "brother", + "paranoia", + "violent husband", + "boxer", + "biography", + "fistfight", + "broken nose", + "domestic violence", + "over-the-hill fighter", + "boxing", + "dreary", + "depressing", + "audacious", + "harsh", + "melodramatic", + "tragic" + ] + }, + { + "ranking": 387, + "title": "Don't Look Now... We're Being Shot At!", + "year": "1966", + "runtime": 132, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.9, + "vote_count": 1368, + "description": "During World War II, two French civilians and a downed British Bomber Crew set out from Paris to cross the demarcation line between Nazi-occupied Northern France and the South. From there they will be able to escape to England. First, they must avoid German troops – and the consequences of their own blunders.", + "poster": "https://image.tmdb.org/t/p/w500/91l4Sf3WJwrb0tSVPsOqnBXG8E6.jpg", + "url": "https://www.themoviedb.org/movie/8290", + "genres": [ + "Comedy", + "War" + ], + "tags": [ + "opera", + "paris, france", + "general", + "world war ii", + "conductor", + "bomber", + "paratroops", + "french resistance", + "british soldier", + "nazi occupation", + "house painter", + "1940s", + "occupied france (1940-44)", + "royal air force" + ] + }, + { + "ranking": 388, + "title": "Where Hands Touch", + "year": "2018", + "runtime": 122, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.9, + "vote_count": 518, + "description": "Germany, 1944. Leyna, the 15-year old daughter of a white German mother and a black African father, meets Lutz, a compassionate member of the Hitler Youth whose father is a prominent Nazi soldier, and they form an unlikely connection in this quickly changing world.", + "poster": "https://image.tmdb.org/t/p/w500/omKzydOrom9kpdfQUE0G9Y9sPl0.jpg", + "url": "https://www.themoviedb.org/movie/426618", + "genres": [ + "War", + "Drama", + "Romance" + ], + "tags": [ + "nazi", + "jew persecution", + "hitler youth", + "coming of age", + "interracial romance", + "racism", + "1940s" + ] + }, + { + "ranking": 391, + "title": "The Cabinet of Dr. Caligari", + "year": "1920", + "runtime": 67, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.9, + "vote_count": 1630, + "description": "Francis, a young man, recalls in his memory the horrible experiences he and his fiancée Jane recently went through. Francis and his friend Alan visit The Cabinet of Dr. Caligari, an exhibit where the mysterious doctor shows the somnambulist Cesare, and awakens him for some moments from his death-like sleep.", + "poster": "https://image.tmdb.org/t/p/w500/myK9DeIsXWGKgUTZyGXg2IfFk0W.jpg", + "url": "https://www.themoviedb.org/movie/234", + "genres": [ + "Drama", + "Horror", + "Thriller", + "Crime" + ], + "tags": [ + "insane asylum", + "black and white", + "silent film", + "unreliable narrator", + "expressionism", + "somnambulist", + "unreliable flashback", + "megalomania", + "madman", + "somnambulism", + "german expressionism", + "ominous" + ] + }, + { + "ranking": 390, + "title": "Freedom Writers", + "year": "2007", + "runtime": 123, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.9, + "vote_count": 2263, + "description": "A young teacher inspires her class of at-risk students to learn tolerance, apply themselves, and pursue education beyond high school.", + "poster": "https://image.tmdb.org/t/p/w500/81AdeUQT99N0xPg3j6RVh0YGOTk.jpg", + "url": "https://www.themoviedb.org/movie/1646", + "genres": [ + "Crime", + "Drama" + ], + "tags": [ + "daughter", + "high school", + "based on novel or book", + "holocaust (shoah)", + "ghetto", + "diary", + "violence in schools", + "principal witness ", + "biography", + "racial segregation", + "anne frank", + "school excursion", + "idealism", + "based on true story", + "racial tension", + "gang violence" + ] + }, + { + "ranking": 392, + "title": "Batman: The Dark Knight Returns, Part 2", + "year": "2013", + "runtime": 78, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.92, + "vote_count": 1509, + "description": "Batman has stopped the reign of terror that The Mutants had cast upon his city. Now an old foe wants a reunion and the government wants The Man of Steel to put a stop to Batman.", + "poster": "https://image.tmdb.org/t/p/w500/arEZYd6uMOFTILne9Ux0A8qctMe.jpg", + "url": "https://www.themoviedb.org/movie/142061", + "genres": [ + "Science Fiction", + "Action", + "Animation", + "Mystery" + ], + "tags": [ + "future", + "dystopia", + "based on graphic novel", + "super power", + "provocative" + ] + }, + { + "ranking": 398, + "title": "Heat", + "year": "1995", + "runtime": 170, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.9, + "vote_count": 7521, + "description": "Obsessive master thief Neil McCauley leads a top-notch crew on various daring heists throughout Los Angeles while determined detective Vincent Hanna pursues him without rest. Each man recognizes and respects the ability and the dedication of the other even though they are aware their cat-and-mouse game may end in violence.", + "poster": "https://image.tmdb.org/t/p/w500/umSVjVdbVwtx5ryCA2QXL44Durm.jpg", + "url": "https://www.themoviedb.org/movie/949", + "genres": [ + "Crime", + "Drama", + "Action" + ], + "tags": [ + "robbery", + "chase", + "obsession", + "detective", + "heist", + "thief", + "honor", + "murder", + "betrayal", + "gang", + "los angeles, california", + "cat and mouse", + "bank robbery", + "criminal mastermind", + "cynical", + "ex-con", + "one last job", + "loner", + "bank job", + "neo-noir", + "crime epic", + "tense", + "antagonistic", + "audacious", + "bold" + ] + }, + { + "ranking": 394, + "title": "Throne of Blood", + "year": "1957", + "runtime": 108, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.9, + "vote_count": 887, + "description": "Returning to their lord's castle, samurai warriors Washizu and Miki are waylaid by a spirit who predicts their futures. When the first part of the spirit's prophecy comes true, Washizu's scheming wife, Asaji, presses him to speed up the rest of the spirit's prophecy by murdering his lord and usurping his place. Director Akira Kurosawa's resetting of William Shakespeare's \"Macbeth\" in feudal Japan is one of his most acclaimed films.", + "poster": "https://image.tmdb.org/t/p/w500/5NdGZpoInkf4wBInNpry6JAjQ3D.jpg", + "url": "https://www.themoviedb.org/movie/3777", + "genres": [ + "Drama", + "History" + ], + "tags": [ + "japan", + "samurai", + "based on novel or book", + "prophecy", + "castle", + "ambition", + "betrayal", + "ghost", + "jidaigeki", + "sengoku period", + "feudal lord", + "feudal japan" + ] + }, + { + "ranking": 399, + "title": "Where Is The Friend's House?", + "year": "1987", + "runtime": 83, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.9, + "vote_count": 374, + "description": "An 8 year old boy must return his friend's notebook he took by mistake, lest his friend be punished by expulsion from school.", + "poster": "https://image.tmdb.org/t/p/w500/aU9WdjwfKTiBsiIh9Vgjr4onhnD.jpg", + "url": "https://www.themoviedb.org/movie/49964", + "genres": [ + "Drama", + "Family" + ], + "tags": [ + "village life", + "family relationships", + "iran", + "schoolboy" + ] + }, + { + "ranking": 400, + "title": "The Third Man", + "year": "1949", + "runtime": 105, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.917, + "vote_count": 1923, + "description": "In postwar Vienna, Austria, Holly Martins, a writer of pulp Westerns, arrives penniless as a guest of his childhood chum Harry Lime, only to learn he has died. Martins develops a conspiracy theory after learning of a \"third man\" present at the time of Harry's death, running into interference from British officer Major Calloway, and falling head-over-heels for Harry's grief-stricken lover, Anna.", + "poster": "https://image.tmdb.org/t/p/w500/rO2Fq0AZZx9obs52KJdx4mRE8p5.jpg", + "url": "https://www.themoviedb.org/movie/1092", + "genres": [ + "Thriller", + "Mystery" + ], + "tags": [ + "staged death", + "black market", + "cemetery", + "investigation", + "soviet military", + "prater", + "british army", + "austria", + "cover-up", + "film noir", + "foot chase", + "vienna, austria", + "sewer", + "missing person", + "post world war ii", + "ferris wheel", + "grim", + "penicillin", + "forged passport", + "ominous" + ] + }, + { + "ranking": 395, + "title": "Raiders of the Lost Ark", + "year": "1981", + "runtime": 115, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.9, + "vote_count": 12772, + "description": "When Dr. Indiana Jones – the tweed-suited professor who just happens to be a celebrated archaeologist – is hired by the government to locate the legendary Ark of the Covenant, he finds himself up against the entire Nazi regime.", + "poster": "https://image.tmdb.org/t/p/w500/ceG9VzoRAVGwivFU403Wc3AHRys.jpg", + "url": "https://www.themoviedb.org/movie/85", + "genres": [ + "Adventure", + "Action" + ], + "tags": [ + "egypt", + "treasure", + "medallion", + "swastika", + "saving the world", + "nepal", + "himalaya mountain range", + "cairo", + "moses", + "hat", + "whip", + "leather jacket", + "mediterranean", + "ark of the covenant", + "ten commandments", + "nazi", + "excavation", + "riddle", + "treasure hunt", + "archaeologist", + "adventurer", + "archeology", + "religious history", + "1930s", + "dramatic" + ] + }, + { + "ranking": 396, + "title": "No manches, Frida 2: paraíso destruido", + "year": "2019", + "runtime": 102, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.919, + "vote_count": 894, + "description": "Zequi and Lucy are about to get married. Although he promises not to overdo it during the bachelor party, things get out of control.", + "poster": "https://image.tmdb.org/t/p/w500/rG7rDoTe1ZEa936eonDCkV76nkx.jpg", + "url": "https://www.themoviedb.org/movie/554596", + "genres": [ + "Comedy" + ], + "tags": [] + }, + { + "ranking": 397, + "title": "Cries and Whispers", + "year": "1972", + "runtime": 95, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.918, + "vote_count": 709, + "description": "As Agnes slowly dies of cancer, her sisters are so immersed in their own psychic pains that they are unable to offer her the support she needs.", + "poster": "https://image.tmdb.org/t/p/w500/a1bMgB09YDvvRN9SitCclUYragr.jpg", + "url": "https://www.themoviedb.org/movie/10238", + "genres": [ + "Drama" + ], + "tags": [ + "dying and death", + "sibling relationship", + "sweden", + "sister", + "cancer", + "mansion", + "19th century" + ] + }, + { + "ranking": 393, + "title": "Army of Shadows", + "year": "1969", + "runtime": 145, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.9, + "vote_count": 669, + "description": "Betrayed by an informant, Philippe Gerbier finds himself trapped in a torturous Nazi prison camp. Though Gerbier escapes to rejoin the Resistance in occupied Marseilles, France, and exacts his revenge on the informant, he must continue a quiet, seemingly endless battle against the Nazis in an atmosphere of tension, paranoia and distrust.", + "poster": "https://image.tmdb.org/t/p/w500/aqNZWM9bspt8zaDvVRIRiWxRVJ7.jpg", + "url": "https://www.themoviedb.org/movie/15383", + "genres": [ + "War", + "History", + "Thriller" + ], + "tags": [ + "czech", + "paris, france", + "based on novel or book", + "nazi", + "marseille, france", + "vichy regime", + "concentration camp", + "world war ii", + "french resistance", + "german occupation", + "1940s", + "nouvelle vague" + ] + }, + { + "ranking": 386, + "title": "Forgotten", + "year": "2017", + "runtime": 108, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.9, + "vote_count": 1154, + "description": "Seoul, South Korea, 1997. When the young but extremely anxious student Jin-seok, his parents and his successful older brother Yoo-seok move to a new home, mysterious and frightening events begin to happen around them, unexplained events that threaten to ruin their seemingly happy lives. Unable to understand what is happening, Jin-seok wonders if he is losing his mind.", + "poster": "https://image.tmdb.org/t/p/w500/nlI9QeP9n7vBmmi9KbnssPR10j0.jpg", + "url": "https://www.themoviedb.org/movie/488623", + "genres": [ + "Thriller", + "Mystery", + "Crime" + ], + "tags": [ + "hypnosis", + "revenge", + "murder", + "brother brother relationship" + ] + }, + { + "ranking": 401, + "title": "The Third Man", + "year": "1949", + "runtime": 105, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.917, + "vote_count": 1923, + "description": "In postwar Vienna, Austria, Holly Martins, a writer of pulp Westerns, arrives penniless as a guest of his childhood chum Harry Lime, only to learn he has died. Martins develops a conspiracy theory after learning of a \"third man\" present at the time of Harry's death, running into interference from British officer Major Calloway, and falling head-over-heels for Harry's grief-stricken lover, Anna.", + "poster": "https://image.tmdb.org/t/p/w500/rO2Fq0AZZx9obs52KJdx4mRE8p5.jpg", + "url": "https://www.themoviedb.org/movie/1092", + "genres": [ + "Thriller", + "Mystery" + ], + "tags": [ + "staged death", + "black market", + "cemetery", + "investigation", + "soviet military", + "prater", + "british army", + "austria", + "cover-up", + "film noir", + "foot chase", + "vienna, austria", + "sewer", + "missing person", + "post world war ii", + "ferris wheel", + "grim", + "penicillin", + "forged passport", + "ominous" + ] + }, + { + "ranking": 402, + "title": "Three Colors: Red", + "year": "1994", + "runtime": 100, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.916, + "vote_count": 1424, + "description": "Part-time model Valentine unexpectedly befriends a retired judge after she runs over his dog. At first, the grumpy man shows no concern about the dog, and Valentine decides to keep it. But the two form a bond when she returns to his house and catches him listening to his neighbors’ phone calls.", + "poster": "https://image.tmdb.org/t/p/w500/JHmsBiX1tjCKqAul1lzC20WcAW.jpg", + "url": "https://www.themoviedb.org/movie/110", + "genres": [ + "Drama", + "Mystery", + "Romance" + ], + "tags": [ + "infidelity", + "judge", + "isolation", + "shadowing", + "english channel", + "geneva, switzerland", + "weather forecast", + "retiree", + "dog", + "surveillance", + "prediction", + "unlikely friendship", + "the color red", + "love destiny", + "fashion model", + "empathetic" + ] + }, + { + "ranking": 411, + "title": "What Ever Happened to Baby Jane?", + "year": "1962", + "runtime": 135, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.91, + "vote_count": 1071, + "description": "A former child star torments her paraplegic sister in their decaying Hollywood mansion.", + "poster": "https://image.tmdb.org/t/p/w500/msGYzyWwtjAaA3DScdgmvJ5MReG.jpg", + "url": "https://www.themoviedb.org/movie/10242", + "genres": [ + "Thriller", + "Drama", + "Horror" + ], + "tags": [ + "beach", + "sibling relationship", + "based on novel or book", + "insanity", + "wheelchair", + "sister", + "aging", + "alcoholism", + "murder", + "hollywood", + "mental illness", + "invalid", + "former child star", + "ice cream", + "vaudeville", + "recluse", + "drunkenness", + "spinsters", + "old mansion", + "piano", + "sister sister relationship", + "hagsploitation", + "psycho-biddy" + ] + }, + { + "ranking": 413, + "title": "In the Name of the Father", + "year": "1993", + "runtime": 133, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.9, + "vote_count": 1792, + "description": "A small-time Belfast thief, Gerry Conlon, is wrongly convicted of an IRA bombing in London, along with his father and friends, and spends 15 years in prison fighting to prove his innocence.", + "poster": "https://image.tmdb.org/t/p/w500/7i1SObIa2MSJjgPcAcVsfSZhdKH.jpg", + "url": "https://www.themoviedb.org/movie/7984", + "genres": [ + "Drama" + ], + "tags": [ + "prison", + "rebellion", + "based on novel or book", + "parent child relationship", + "faith", + "1970s", + "biography", + "northern ireland", + "trial", + "torture", + "terrorism", + "ira (irish republican army)", + "ireland", + "courtroom", + "prison riot", + "belfast, north ireland", + "terrorist bombing", + "english police", + "father son conflict", + "innocent in jail", + "father son relationship", + "innocent man", + "irish history", + "corrupt police officials", + "petty thief", + "irish", + "corrupt legal system", + "corrupt district attorney", + "empathetic", + "irish resistance", + "irish writer", + "british injustice" + ] + }, + { + "ranking": 407, + "title": "Chinatown", + "year": "1974", + "runtime": 130, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.9, + "vote_count": 3914, + "description": "Private eye Jake Gittes lives off of the murky moral climate of sunbaked, pre-World War II Southern California. Hired by a beautiful socialite to investigate her husband's extra-marital affair, Gittes is swept into a maelstrom of double dealings and deadly deceits, uncovering a web of personal and political scandals that come crashing together.", + "poster": "https://image.tmdb.org/t/p/w500/kZRSP3FmOcq0xnBulqpUQngJUXY.jpg", + "url": "https://www.themoviedb.org/movie/829", + "genres": [ + "Crime", + "Drama", + "Mystery", + "Thriller" + ], + "tags": [ + "dying and death", + "sea", + "pedophilia", + "rape", + "mistake in person", + "river", + "chinatown", + "barrage", + "femme fatale", + "conspiracy", + "whodunit", + "los angeles, california", + "private detective", + "neo-noir" + ] + }, + { + "ranking": 409, + "title": "The Cranes Are Flying", + "year": "1957", + "runtime": 97, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.9, + "vote_count": 394, + "description": "Veronika and Boris come together in Moscow shortly before World War II. Walking along the river, they watch cranes fly overhead, and promise to rendezvous before Boris leaves to fight. Boris misses the meeting and is off to the front lines, while Veronika waits patiently, sending letters faithfully. After her house is bombed, Veronika moves in with Boris' family, into the company of a cousin with his own intentions.", + "poster": "https://image.tmdb.org/t/p/w500/foXYOdXEJ0rvtTDo4LLnsUnvPLB.jpg", + "url": "https://www.themoviedb.org/movie/38360", + "genres": [ + "Drama", + "Romance", + "War" + ], + "tags": [ + "world war ii", + "siege", + "lovers", + "marriage of convenience", + "battlefield", + "wounded", + "couple", + "air raid", + "anti war", + "moscow, russia", + "loveless marriage", + "life during wartime", + "heartache", + "bomb shelter", + "returning hero" + ] + }, + { + "ranking": 408, + "title": "Unforgiven", + "year": "1992", + "runtime": 130, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.9, + "vote_count": 4532, + "description": "William Munny is a retired, once-ruthless killer turned gentle widower and hog farmer. To help support his two motherless children, he accepts one last bounty-hunter mission to find the men who brutalized a prostitute. Joined by his former partner and a cocky greenhorn, he takes on a corrupt sheriff.", + "poster": "https://image.tmdb.org/t/p/w500/54roTwbX9fltg85zjsmrooXAs12.jpg", + "url": "https://www.themoviedb.org/movie/33", + "genres": [ + "Western" + ], + "tags": [ + "prostitute", + "sheriff", + "right and justice", + "regret", + "wyoming, usa", + "kansas, usa", + "revenge", + "mutilation", + "one last job", + "reputation", + "19th century", + "englishman", + "pig farmer" + ] + }, + { + "ranking": 404, + "title": "Amélie", + "year": "2001", + "runtime": 122, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.9, + "vote_count": 11717, + "description": "At a tiny Parisian café, the adorable yet painfully shy Amélie accidentally discovers a gift for helping others. Soon Amelie is spending her days as a matchmaker, guardian angel, and all-around do-gooder. But when she bumps into a handsome stranger, will she find the courage to become the star of her very own love story?", + "poster": "https://image.tmdb.org/t/p/w500/oTKduWL2tpIKEmkAqF4mFEAWAsv.jpg", + "url": "https://www.themoviedb.org/movie/194", + "genres": [ + "Comedy", + "Romance" + ], + "tags": [ + "daughter", + "paris, france", + "love triangle", + "photography", + "ghost train", + "sex shop", + "shyness", + "journey around the world", + "postcard", + "romcom", + "hypochondriac", + "romance", + "cafe", + "kindness", + "magic realism", + "child's point of view", + "montmartre, paris", + "neighbor neighbor relationship", + "father daughter relationship", + "happy ending", + "childhood memory", + "whimsical", + "cheerful" + ] + }, + { + "ranking": 405, + "title": "Limelight", + "year": "1952", + "runtime": 137, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.9, + "vote_count": 538, + "description": "A fading music hall comedian tries to help a despondent ballet dancer learn to walk and to again feel confident about life.", + "poster": "https://image.tmdb.org/t/p/w500/tDD11x3ZWCXXXwdpbGEU9uU4kh1.jpg", + "url": "https://www.themoviedb.org/movie/28971", + "genres": [ + "Romance", + "Drama", + "Music" + ], + "tags": [ + "clown", + "ballet dancer", + "black and white" + ] + }, + { + "ranking": 406, + "title": "A Trip to the Moon", + "year": "1902", + "runtime": 15, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.9, + "vote_count": 1823, + "description": "Professor Barbenfouillis and five of his colleagues from the Academy of Astronomy travel to the Moon aboard a rocket propelled by a giant cannon. Once on the lunar surface, the bold explorers face the many perils hidden in the caves of the mysterious planet.", + "poster": "https://image.tmdb.org/t/p/w500/9o0v5LLFk51nyTBHZSre6OB37n2.jpg", + "url": "https://www.themoviedb.org/movie/775", + "genres": [ + "Adventure", + "Science Fiction" + ], + "tags": [ + "moon", + "based on novel or book", + "satire", + "astronomer", + "silent film", + "scientific expedition", + "space adventure", + "early cinema", + "selenite", + "short film", + "man in the moon" + ] + }, + { + "ranking": 420, + "title": "Titanic", + "year": "1997", + "runtime": 194, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.906, + "vote_count": 25846, + "description": "101-year-old Rose DeWitt Bukater tells the story of her life aboard the Titanic, 84 years later. A young Rose boards the ship with her mother and fiancé. Meanwhile, Jack Dawson and Fabrizio De Rossi win third-class tickets aboard the ship. Rose tells the whole story from Titanic's departure through to its death—on its first and last voyage—on April 15, 1912.", + "poster": "https://image.tmdb.org/t/p/w500/9xjZS2rlVxm8SFx8kPC3aIGCOYQ.jpg", + "url": "https://www.themoviedb.org/movie/597", + "genres": [ + "Drama", + "Romance" + ], + "tags": [ + "epic", + "ship", + "drowning", + "panic", + "shipwreck", + "evacuation", + "iceberg", + "titanic", + "forbidden love", + "ocean liner", + "based on true story", + "rich woman poor man", + "love", + "tragedy", + "tragic love", + "disaster", + "historical fiction", + "class differences", + "love affair", + "historical event", + "lifeboat", + "star crossed lovers", + "sinking ship", + "steerage", + "rich snob", + "disaster movie", + "1910s", + "sunken ship", + "romantic" + ] + }, + { + "ranking": 415, + "title": "Amarcord", + "year": "1973", + "runtime": 123, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.9, + "vote_count": 1123, + "description": "In an Italian seaside town, young Titta gets into trouble with his friends and watches various local eccentrics as they engage in often absurd behavior. Frequently clashing with his stern father and defended by his doting mother, Titta witnesses the actions of a wide range of characters, from his extended family to Fascist loyalists to sensual women, with certain moments shifting into fantastical scenarios.", + "poster": "https://image.tmdb.org/t/p/w500/g3UKJ5LgVpycOxeusBI6IXa40kY.jpg", + "url": "https://www.themoviedb.org/movie/7857", + "genres": [ + "Comedy", + "Drama" + ], + "tags": [ + "small town", + "fascism", + "surrealism", + "sheik", + "coming of age", + "rural area", + "bathtub", + "semi autobiographical", + "1930s" + ] + }, + { + "ranking": 414, + "title": "Simone: Woman of the Century", + "year": "2022", + "runtime": 140, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.903, + "vote_count": 355, + "description": "Simone Veil's life story through the pivotal events of Twentieth Century. Her childhood, her political battles, her tragedies. An intimate and epic portrait of an extraordinary woman who eminently challenged and transformed her era defending a humanist message still keenly relevant today.", + "poster": "https://image.tmdb.org/t/p/w500/yyN4d1pz2kd5TNSOKjdTU7aSn2e.jpg", + "url": "https://www.themoviedb.org/movie/740937", + "genres": [ + "Drama", + "History" + ], + "tags": [ + "concentration camp", + "world war ii", + "auschwitz-birkenau concentration camp", + "concentration camp prisoner", + "biography", + "holocaust (shoah) survivor", + "political activist", + "european union", + "legacy", + "political debate", + "humanitarian work", + "political struggle", + "humanism", + "political history", + "life and career", + "history and legacy", + "french politics", + "female portrait" + ] + }, + { + "ranking": 403, + "title": "About Time", + "year": "2013", + "runtime": 123, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.9, + "vote_count": 8674, + "description": "The night after another unsatisfactory New Year's party, Tim's father tells his son that the men in his family have always had the ability to travel through time. They can't change history, but they can change what happens and has happened in their own lives. Thus begins the start of a lesson in learning to appreciate life itself as it is, as it comes, and most importantly, the people living alongside us.", + "poster": "https://image.tmdb.org/t/p/w500/iR1bVfURbN7r1C46WHFbwCkVve.jpg", + "url": "https://www.themoviedb.org/movie/122906", + "genres": [ + "Drama", + "Romance", + "Fantasy" + ], + "tags": [ + "london, england", + "parent child relationship", + "time travel", + "family secrets", + "cornwall, england", + "family", + "second chance", + "thoughtful", + "philosophical", + "time-manipulation", + "reflective", + "playful", + "introspective", + "intimate", + "joyous", + "sentimental", + "whimsical", + "adoring", + "appreciative", + "celebratory", + "comforting", + "compassionate", + "exuberant", + "hopeful", + "sincere", + "viajes en el tiempo", + "viaje en el tiempo" + ] + }, + { + "ranking": 418, + "title": "On the Waterfront", + "year": "1954", + "runtime": 108, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.9, + "vote_count": 1614, + "description": "Terry Malloy is a kindhearted dockworker, and former boxer, who is tricked by his corrupt bosses into leading his friend to death. After falling in love, he tries to leave the waterfront and expose his employers.", + "poster": "https://image.tmdb.org/t/p/w500/fKjLZy9W8VxMOp5OoyWojmLVCQw.jpg", + "url": "https://www.themoviedb.org/movie/654", + "genres": [ + "Crime", + "Drama", + "Romance" + ], + "tags": [ + "corruption", + "new jersey", + "murder", + "mafia", + "black and white", + "union", + "dock", + "longshoreman", + "pigeon", + "ex-boxer" + ] + }, + { + "ranking": 410, + "title": "Inside Out", + "year": "2015", + "runtime": 95, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.9, + "vote_count": 22386, + "description": "When 11-year-old Riley moves to a new city, her Emotions team up to help her through the transition. Joy, Fear, Anger, Disgust and Sadness work together, but when Joy and Sadness get lost, they must journey through unfamiliar places to get back home.", + "poster": "https://image.tmdb.org/t/p/w500/2H1TmgdfNtsKlU9jKdeNyYL5y8T.jpg", + "url": "https://www.themoviedb.org/movie/150540", + "genres": [ + "Animation", + "Family", + "Adventure", + "Drama", + "Comedy" + ], + "tags": [ + "dreams", + "san francisco, california", + "minnesota", + "sadness", + "cartoon", + "disgust", + "ice hockey", + "imaginary friend", + "elementary school", + "family relationships", + "memory", + "fear", + "family", + "anger", + "unicorn", + "running away", + "duringcreditsstinger", + "emotions", + "philosophical", + "joy" + ] + }, + { + "ranking": 419, + "title": "My Father's Violin", + "year": "2022", + "runtime": 112, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.9, + "vote_count": 330, + "description": "Through their shared grief and connection to music, an orphaned girl bonds with her emotionally aloof, successful violinist uncle.", + "poster": "https://image.tmdb.org/t/p/w500/bwvoSRyXRRqtpvoHYhySQk2U4EM.jpg", + "url": "https://www.themoviedb.org/movie/920394", + "genres": [ + "Drama", + "Music" + ], + "tags": [] + }, + { + "ranking": 412, + "title": "Tokyo Godfathers", + "year": "2003", + "runtime": 92, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.909, + "vote_count": 1329, + "description": "On Christmas Eve, three homeless people living on the streets of Tokyo discover a newborn baby among the trash and set out to find its parents.", + "poster": "https://image.tmdb.org/t/p/w500/sPC66btzQlzuRdPKiSDYZ5Hvxgc.jpg", + "url": "https://www.themoviedb.org/movie/13398", + "genres": [ + "Animation", + "Drama", + "Comedy" + ], + "tags": [ + "baby", + "drag queen", + "holiday", + "tokyo, japan", + "alcoholic", + "adult animation", + "christmas", + "anime" + ] + }, + { + "ranking": 417, + "title": "A Street Cat Named Bob", + "year": "2016", + "runtime": 103, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.9, + "vote_count": 1461, + "description": "James Bowen, a homeless busker and recovering drug addict, has his life transformed when he meets a stray ginger cat.", + "poster": "https://image.tmdb.org/t/p/w500/nBYG0D2FcbL1m926sIj7RN4m0sb.jpg", + "url": "https://www.themoviedb.org/movie/404378", + "genres": [ + "Family", + "Drama" + ], + "tags": [ + "based on novel or book", + "cat", + "drug addiction", + "human animal relationship", + "biography", + "addiction", + "recovering addict", + "moral transformation", + "street musician", + "busker", + "unlucky" + ] + }, + { + "ranking": 416, + "title": "Pather Panchali", + "year": "1955", + "runtime": 125, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.9, + "vote_count": 435, + "description": "A depiction of the life of an impoverished early twentieth century rural Bengali family.", + "poster": "https://image.tmdb.org/t/p/w500/frZj5djlU9hFEjMcL21RJZVuG5O.jpg", + "url": "https://www.themoviedb.org/movie/5801", + "genres": [ + "Drama" + ], + "tags": [ + "robbery", + "misery", + "difficult childhood", + "move", + "monsoon", + "teacher", + "priest", + "remembered death", + "writer", + "railroad", + "unemployment", + "calm", + "candid", + "preserved film", + "admiring", + "adoring", + "cheerful" + ] + }, + { + "ranking": 429, + "title": "Simone: Woman of the Century", + "year": "2022", + "runtime": 140, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.903, + "vote_count": 355, + "description": "Simone Veil's life story through the pivotal events of Twentieth Century. Her childhood, her political battles, her tragedies. An intimate and epic portrait of an extraordinary woman who eminently challenged and transformed her era defending a humanist message still keenly relevant today.", + "poster": "https://image.tmdb.org/t/p/w500/yyN4d1pz2kd5TNSOKjdTU7aSn2e.jpg", + "url": "https://www.themoviedb.org/movie/740937", + "genres": [ + "Drama", + "History" + ], + "tags": [ + "concentration camp", + "world war ii", + "auschwitz-birkenau concentration camp", + "concentration camp prisoner", + "biography", + "holocaust (shoah) survivor", + "political activist", + "european union", + "legacy", + "political debate", + "humanitarian work", + "political struggle", + "humanism", + "political history", + "life and career", + "history and legacy", + "french politics", + "female portrait" + ] + }, + { + "ranking": 424, + "title": "Dogman", + "year": "2023", + "runtime": 115, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.904, + "vote_count": 1166, + "description": "A boy, bruised by life, finds his salvation through the love of his dogs.", + "poster": "https://image.tmdb.org/t/p/w500/5RuUD7J4vO0El7TRL9guZIik0I0.jpg", + "url": "https://www.themoviedb.org/movie/944401", + "genres": [ + "Action", + "Drama", + "Crime" + ], + "tags": [ + "abusive father", + "singing", + "dog", + "gangsters", + "dogs" + ] + }, + { + "ranking": 436, + "title": "La La Land", + "year": "2016", + "runtime": 129, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.9, + "vote_count": 17193, + "description": "Mia, an aspiring actress, serves lattes to movie stars in between auditions and Sebastian, a jazz musician, scrapes by playing cocktail party gigs in dingy bars, but as success mounts they are faced with decisions that begin to fray the fragile fabric of their love affair, and the dreams they worked so hard to maintain in each other threaten to rip them apart.", + "poster": "https://image.tmdb.org/t/p/w500/uDO8zWDhfWwoFdKS4fzkUJt0Rf0.jpg", + "url": "https://www.themoviedb.org/movie/313369", + "genres": [ + "Comedy", + "Drama", + "Romance", + "Music" + ], + "tags": [ + "dancing", + "dance", + "jazz", + "musical", + "ambition", + "casting", + "coffee shop", + "jazz club", + "traffic jam", + "hollywood", + "los angeles, california", + "pianist", + "pier", + "audition", + "valentine's day", + "planetarium", + "aspiring actor", + "movie set", + "sunset", + "one woman show", + "pool party", + "griffith observatory", + "romantic", + "exuberant", + "tragic" + ] + }, + { + "ranking": 439, + "title": "Captain Fantastic", + "year": "2016", + "runtime": 118, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.897, + "vote_count": 6490, + "description": "Deep in the forests of the Pacific Northwest, a father devoted to raising his six kids with a rigorous physical and intellectual education is forced to leave his paradise and enter the world, beginning a journey that challenges his idea of what it means to be a parent.", + "poster": "https://image.tmdb.org/t/p/w500/2sFME73GaD8UsUxPUKe60cPdLif.jpg", + "url": "https://www.themoviedb.org/movie/334533", + "genres": [ + "Adventure", + "Drama" + ], + "tags": [ + "parent child relationship", + "new mexico", + "socialism", + "wilderness", + "melancholy", + "road trip", + "family relationships", + "survivalist", + "homeschooling", + "in-laws", + "mental illness", + "death of mother", + "washington state", + "bohemian", + "school bus", + "isolated house", + "naturalist", + "off the grid", + "death of wife", + "calm", + "social isolation", + "noam chomsky", + "living off the grid", + "pacific northwest" + ] + }, + { + "ranking": 428, + "title": "Diabolique", + "year": "1955", + "runtime": 117, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.9, + "vote_count": 995, + "description": "The cruel and abusive headmaster of a boarding school, Michel Delassalle, is murdered by an unlikely duo -- his meek wife and the mistress he brazenly flaunts. The women become increasingly unhinged by a series of odd occurrences after Delassalle's corpse mysteriously disappears.", + "poster": "https://image.tmdb.org/t/p/w500/jE8ygUYBUGyUcM4sR6iinPqYeDK.jpg", + "url": "https://www.themoviedb.org/movie/827", + "genres": [ + "Horror", + "Thriller", + "Mystery" + ], + "tags": [ + "wife", + "female lover", + "morgue", + "swimming pool", + "teacher", + "plan gone wrong", + "mistress", + "french noir", + "boys' boarding school", + "headmaster", + "philanderer", + "mischievous children", + "missing body", + "abusive husband", + "abused wife", + "wicker trunk", + "frightened woman" + ] + }, + { + "ranking": 431, + "title": "Harry Potter and the Philosopher's Stone", + "year": "2001", + "runtime": 152, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.902, + "vote_count": 28069, + "description": "Harry Potter has lived under the stairs at his aunt and uncle's house his whole life. But on his 11th birthday, he learns he's a powerful wizard—with a place waiting for him at the Hogwarts School of Witchcraft and Wizardry. As he learns to harness his newfound powers with the help of the school's kindly headmaster, Harry uncovers the truth about his parents' deaths—and about the villain who's to blame.", + "poster": "https://image.tmdb.org/t/p/w500/wuMc08IPKEatf9rnMNXvIDxqP4W.jpg", + "url": "https://www.themoviedb.org/movie/671", + "genres": [ + "Adventure", + "Fantasy" + ], + "tags": [ + "witch", + "school friend", + "friendship", + "london, england", + "based on novel or book", + "magic", + "boarding school", + "child hero", + "school of witchcraft", + "chosen one", + "school", + "ghost", + "fantasy world", + "wizard", + "based on young adult novel", + "owl", + "joyous" + ] + }, + { + "ranking": 430, + "title": "My Hero Academia: Two Heroes", + "year": "2018", + "runtime": 96, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.9, + "vote_count": 1029, + "description": "All Might and Deku accept an invitation to go abroad to a floating and mobile manmade city, called 'I-Island', where they research quirks as well as hero supplemental items at the special 'I-Expo' convention that is currently being held on the island. During that time, suddenly, despite an iron wall of security surrounding the island, the system is breached by a villain, and the only ones able to stop him are the students of Class 1-A.", + "poster": "https://image.tmdb.org/t/p/w500/hC4nTxdhXqFWzgqynGvvXVMiMNp.jpg", + "url": "https://www.themoviedb.org/movie/505262", + "genres": [ + "Animation", + "Action", + "Adventure", + "Fantasy" + ], + "tags": [ + "japan", + "hero", + "superhero", + "school", + "fighting", + "hostage situation", + "super power", + "adult animation", + "shounen", + "anime" + ] + }, + { + "ranking": 422, + "title": "Mulan", + "year": "1998", + "runtime": 88, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.905, + "vote_count": 9863, + "description": "To save her father from certain death in the army, a young woman secretly enlists in his place and becomes one of China's greatest heroines in the process.", + "poster": "https://image.tmdb.org/t/p/w500/5TYgKxYhnhRNNwqnRAKHkgfqi2G.jpg", + "url": "https://www.themoviedb.org/movie/10674", + "genres": [ + "Animation", + "Family", + "Adventure" + ], + "tags": [ + "princess", + "daughter", + "china", + "homeland", + "villain", + "musical", + "sexism", + "training", + "cricket", + "female protagonist", + "dragon", + "east asian lead", + "war hero", + "based on song, poem or rhyme", + "luck", + "great wall of china", + "gender disguise", + "based on fairy tale", + "female warrior", + "hand drawn animation", + "father daughter relationship", + "action comedy", + "woman disguised as man", + "celebratory", + "joyful" + ] + }, + { + "ranking": 437, + "title": "Dragon Ball Super: Broly", + "year": "2018", + "runtime": 99, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.897, + "vote_count": 2972, + "description": "Earth is peaceful following the Tournament of Power. Realizing that the universes still hold many more strong people yet to see, Goku spends all his days training to reach even greater heights. Then one day, Goku and Vegeta are faced by a Saiyan called 'Broly' who they've never seen before. The Saiyans were supposed to have been almost completely wiped out in the destruction of Planet Vegeta, so what's this one doing on Earth? This encounter between the three Saiyans who have followed completely different destinies turns into a stupendous battle, with even Frieza (back from Hell) getting caught up in the mix.", + "poster": "https://image.tmdb.org/t/p/w500/uMEgkyiPznZP5AiMSWAk2jsj5gC.jpg", + "url": "https://www.themoviedb.org/movie/503314", + "genres": [ + "Action", + "Science Fiction", + "Animation" + ], + "tags": [ + "martial arts", + "fight", + "transformation", + "space battle", + "reboot", + "alien race", + "shounen", + "anime", + "based on anime", + "adventure" + ] + }, + { + "ranking": 426, + "title": "Dragon Ball Super: Super Hero", + "year": "2022", + "runtime": 99, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.904, + "vote_count": 2880, + "description": "The Red Ribbon Army, an evil organization that was once destroyed by Goku in the past, has been reformed by a group of people who have created new and mightier Androids, Gamma 1 and Gamma 2, and seek vengeance against Goku and his family.", + "poster": "https://image.tmdb.org/t/p/w500/pi0iZOEHeA3ih4p1IwAG4x2DZNH.jpg", + "url": "https://www.themoviedb.org/movie/610150", + "genres": [ + "Animation", + "Science Fiction", + "Action" + ], + "tags": [ + "android", + "martial arts", + "superhero", + "sequel", + "attack", + "based on manga", + "fighting", + "aftercreditsstinger", + "duringcreditsstinger", + "shounen", + "anime", + "3d animation" + ] + }, + { + "ranking": 434, + "title": "The Boy Who Harnessed the Wind", + "year": "2019", + "runtime": 113, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.9, + "vote_count": 1708, + "description": "Against all the odds, a thirteen year old boy in Malawi invents an unconventional way to save his family and village from famine.", + "poster": "https://image.tmdb.org/t/p/w500/yOr7RxHw15MMXNxGMXSmngDqHyI.jpg", + "url": "https://www.themoviedb.org/movie/491480", + "genres": [ + "Drama", + "History" + ], + "tags": [ + "africa", + "windmill", + "family power struggle", + "water for life", + "challenge for change", + "dedicated", + "ingenuity", + "dedication", + "struggling life", + "struggle for independence", + "the ingenious one" + ] + }, + { + "ranking": 423, + "title": "La Strada", + "year": "1954", + "runtime": 115, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.9, + "vote_count": 1083, + "description": "When Gelsomina, a naïve young woman, is purchased from her impoverished mother by brutish circus strongman Zampanò to be his wife and partner, she loyally endures her husband's coldness and abuse as they travel the Italian countryside performing together. Soon Zampanò must deal with his jealousy and conflicted feelings about Gelsomina when she finds a kindred spirit in Il Matto, the carefree circus fool, and contemplates leaving Zampanò.", + "poster": "https://image.tmdb.org/t/p/w500/rwjbT0zlsUDMztaCcWjlWuxaEL1.jpg", + "url": "https://www.themoviedb.org/movie/405", + "genres": [ + "Drama" + ], + "tags": [ + "prison", + "dying and death", + "rage and hate", + "unsociability", + "circus", + "authority", + "in love with enemy", + "wave", + "sadness", + "road trip", + "single", + "revenge" + ] + }, + { + "ranking": 433, + "title": "A Whisker Away", + "year": "2020", + "runtime": 104, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.9, + "vote_count": 1402, + "description": "A peculiar girl transforms into a cat to catch her crush's attention. But before she realizes it, the line between human and animal starts to blur.", + "poster": "https://image.tmdb.org/t/p/w500/6inkRM1XGBG5vRhclCPWfMenp7N.jpg", + "url": "https://www.themoviedb.org/movie/667520", + "genres": [ + "Animation", + "Drama", + "Romance", + "Fantasy" + ], + "tags": [ + "mask", + "secret love", + "magic", + "cat", + "shapeshifting", + "supernatural", + "bullying", + "anthropomorphism", + "slice of life", + "unrequited love", + "school", + "cartoon cat", + "animals", + "parallel world", + "personal growth", + "anime", + "isekai" + ] + }, + { + "ranking": 421, + "title": "Divorce Italian Style", + "year": "1961", + "runtime": 104, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.9, + "vote_count": 474, + "description": "Ferdinando Cefalù is desperate to marry his cousin, Angela, but he is married to Rosalia and divorce is illegal in Italy. To get around the law, he tries to trick his wife into having an affair so he can catch her and murder her, as he knows he would be given a light sentence for killing an adulterous woman. He persuades a painter to lure his wife into an affair, but Rosalia proves to be more faithful than he expected.", + "poster": "https://image.tmdb.org/t/p/w500/vZbdSpUFyFiDBBTY0AiSrN9f303.jpg", + "url": "https://www.themoviedb.org/movie/20271", + "genres": [ + "Comedy", + "Crime" + ], + "tags": [ + "italy", + "sicily, italy", + "divorce" + ] + }, + { + "ranking": 432, + "title": "Remi, Nobody's Boy", + "year": "2018", + "runtime": 109, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.9, + "vote_count": 425, + "description": "At the age of 10 years, young Rémi is snatched from his adoptive mother and entrusted to the signor Vitalis, a mysterious itinerant musician. Has its hard sides - he will learn the harsh life of acrobat and sing to win his bread. Accompanied by the faithful dog capi and of the small monkey Joli-Coeur, his long trip through France, made for meetings, friendships and mutual assistance, leads him to the secret of its origins.", + "poster": "https://image.tmdb.org/t/p/w500/mQYXlxlUTmOP4FWt52qkZZb8JNM.jpg", + "url": "https://www.themoviedb.org/movie/458302", + "genres": [ + "Adventure", + "Family", + "Drama" + ], + "tags": [] + }, + { + "ranking": 425, + "title": "Miraculous World: Shanghai - The Legend of Ladydragon", + "year": "2021", + "runtime": 54, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.904, + "vote_count": 654, + "description": "On school break, Marinette heads to Shanghai to meet Adrien. But after arriving, Marinette loses all her stuff, including the Miraculous that allows her to turn into Ladybug!", + "poster": "https://image.tmdb.org/t/p/w500/qQ0VKsGRQ2ofAmswGNzZnvC1xPE.jpg", + "url": "https://www.themoviedb.org/movie/726684", + "genres": [ + "Animation", + "Fantasy", + "Action", + "TV Movie" + ], + "tags": [ + "shanghai, china", + "superhero" + ] + }, + { + "ranking": 438, + "title": "In This Corner of the World", + "year": "2016", + "runtime": 130, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.897, + "vote_count": 570, + "description": "Japan, 1943, during World War II. Young Suzu leaves her village near Hiroshima to marry and live with her in-laws in Kure, a military harbor. Her creativity to overcome deprivation quickly makes her indispensable at home. Inhabited by an ancestral wisdom, Suzu impregnates the simple gestures of everyday life with poetry and beauty. The many hardships, the loss of loved ones, the frequent air raids of the enemy, nothing alters her enthusiasm…", + "poster": "https://image.tmdb.org/t/p/w500/9Z4H4M2F8OQTB04YC1Opds8MFBb.jpg", + "url": "https://www.themoviedb.org/movie/378108", + "genres": [ + "Drama", + "Animation", + "Romance", + "War", + "History" + ], + "tags": [ + "japan", + "husband wife relationship", + "world war ii", + "hiroshima, japan", + "family relationships", + "based on manga", + "adult animation", + "seinen", + "1940s", + "anime", + "1930s" + ] + }, + { + "ranking": 427, + "title": "Guardians of the Galaxy", + "year": "2014", + "runtime": 121, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.9, + "vote_count": 28400, + "description": "Light years from Earth, 26 years after being abducted, Peter Quill finds himself the prime target of a manhunt after discovering an orb wanted by Ronan the Accuser.", + "poster": "https://image.tmdb.org/t/p/w500/jPrJPZKJVhvyJ4DmUTrDgmFN0yG.jpg", + "url": "https://www.themoviedb.org/movie/118340", + "genres": [ + "Action", + "Science Fiction", + "Adventure" + ], + "tags": [ + "spacecraft", + "based on comic", + "space", + "orphan", + "adventurer", + "aftercreditsstinger", + "duringcreditsstinger", + "marvel cinematic universe (mcu)" + ] + }, + { + "ranking": 435, + "title": "Ron's Gone Wrong", + "year": "2021", + "runtime": 107, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.9, + "vote_count": 1887, + "description": "In a world where walking, talking, digitally connected bots have become children's best friends, an 11-year-old finds that his robot buddy doesn't quite work the same as the others do.", + "poster": "https://image.tmdb.org/t/p/w500/plzgQAXIEHm4Y92ktxU6fedUc0x.jpg", + "url": "https://www.themoviedb.org/movie/482321", + "genres": [ + "Animation", + "Science Fiction", + "Family", + "Comedy" + ], + "tags": [ + "family", + "best friend forever" + ] + }, + { + "ranking": 440, + "title": "V for Vendetta", + "year": "2006", + "runtime": 132, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.9, + "vote_count": 14716, + "description": "In a world in which Great Britain has become a fascist state, a masked vigilante known only as “V” conducts guerrilla warfare against the oppressive British government. When V rescues a young woman from the secret police, he finds in her an ally with whom he can continue his fight to free the people of Britain.", + "poster": "https://image.tmdb.org/t/p/w500/khYByQchu7O8yyrT1xcGKOmgdHk.jpg", + "url": "https://www.themoviedb.org/movie/752", + "genres": [ + "Action", + "Thriller", + "Science Fiction" + ], + "tags": [ + "government", + "detective", + "revolution", + "dystopia", + "fascism", + "fascist", + "chancellor", + "based on comic", + "revenge", + "torture", + "hatred", + "masked vigilante", + "vengeful spirit", + "activist", + "vengeful", + "antagonistic", + "powerful" + ] + }, + { + "ranking": 443, + "title": "Bad Genius", + "year": "2017", + "runtime": 130, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.9, + "vote_count": 791, + "description": "Lynn, a brilliant student, after helping her friends to get the grades they need, develops the idea of starting a much bigger exam-cheating business.", + "poster": "https://image.tmdb.org/t/p/w500/mgyvwqn5SYKhfg5kofZDfgH8R0q.jpg", + "url": "https://www.themoviedb.org/movie/455714", + "genres": [ + "Drama", + "Crime", + "Thriller", + "Comedy" + ], + "tags": [ + "australia", + "school friend", + "high school", + "cheating", + "thailand", + "father daughter relationship" + ] + }, + { + "ranking": 441, + "title": "A Separation", + "year": "2011", + "runtime": 123, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.896, + "vote_count": 1784, + "description": "A married couple are faced with a difficult decision - to improve the life of their child by moving to another country or to stay in Iran and look after a deteriorating parent who has Alzheimer's disease.", + "poster": "https://image.tmdb.org/t/p/w500/wQVvASmpm8jGhJBQU20OkoMcNzi.jpg", + "url": "https://www.themoviedb.org/movie/60243", + "genres": [ + "Drama" + ], + "tags": [ + "emigration", + "class", + "alzheimer's disease", + "teheran (tehran), iran", + "money", + "maid", + "divorce", + "iran", + "caregiver", + "marital separation", + "family argument" + ] + }, + { + "ranking": 444, + "title": "Faust", + "year": "1926", + "runtime": 116, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.895, + "vote_count": 358, + "description": "God and Satan war over earth; to settle things, they wager on the soul of Faust, a learned and prayerful alchemist.", + "poster": "https://image.tmdb.org/t/p/w500/rN703hMFxmkZfyEzsXvFtuFhkXE.jpg", + "url": "https://www.themoviedb.org/movie/10728", + "genres": [ + "Fantasy", + "Drama", + "Horror" + ], + "tags": [ + "sale of soul", + "pact with the devil", + "eternal youth", + "romance", + "faust", + "love", + "death", + "silent film", + "plague", + "german expressionism" + ] + }, + { + "ranking": 450, + "title": "The Mitchells vs. the Machines", + "year": "2021", + "runtime": 110, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.9, + "vote_count": 3018, + "description": "A quirky, dysfunctional family's road trip is upended when they find themselves in the middle of the robot apocalypse and suddenly become humanity's unlikeliest last hope.", + "poster": "https://image.tmdb.org/t/p/w500/mI2Di7HmskQQ34kz0iau6J1vr70.jpg", + "url": "https://www.themoviedb.org/movie/501929", + "genres": [ + "Animation", + "Adventure", + "Comedy" + ], + "tags": [ + "man vs machine", + "technology", + "dysfunctional family", + "family relationships", + "family drama", + "father daughter conflict", + "evil robot", + "inspirational" + ] + }, + { + "ranking": 452, + "title": "El Infierno", + "year": "2010", + "runtime": 148, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.89, + "vote_count": 698, + "description": "After being deported back to Mexico, a man has no choice but to join the vicious drug cartel that has corrupted his hometown in order to survive.", + "poster": "https://image.tmdb.org/t/p/w500/vry7NyLM6I0fL53H2KxCX4uAz5H.jpg", + "url": "https://www.themoviedb.org/movie/52629", + "genres": [ + "Action", + "Crime", + "Western", + "Comedy", + "Drama" + ], + "tags": [ + "drug dealer", + "mexico", + "gun", + "dark comedy", + "organized crime", + "drug cartel", + "mafia", + "death" + ] + }, + { + "ranking": 449, + "title": "Thirteen Lives", + "year": "2022", + "runtime": 147, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.89, + "vote_count": 1307, + "description": "Based on the true nail-biting mission that captivated the world. Twelve boys and the coach of a Thai soccer team explore the Tham Luang cave when an unexpected rainstorm traps them in a chamber inside the mountain. Entombed behind a maze of flooded cave tunnels, they face impossible odds. A team of world-class divers navigate through miles of dangerous cave networks to discover that finding the boys is only the beginning.", + "poster": "https://image.tmdb.org/t/p/w500/yi5KcJqFxy0D6yP8nCfcF8gJGg5.jpg", + "url": "https://www.themoviedb.org/movie/698948", + "genres": [ + "Drama", + "Thriller" + ], + "tags": [ + "rescue", + "cave", + "thailand", + "rescue mission", + "based on true story", + "cave diving" + ] + }, + { + "ranking": 453, + "title": "Death Note Relight 1: Visions of a God", + "year": "2007", + "runtime": 131, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.9, + "vote_count": 355, + "description": "A recap of Death Note episodes 1–26, with new footage. When rogue shinigami Ryuk leaves his Death Note in the human world, he has no idea how far the one who finds it will take his new-found power. With the Death Note in hand, brilliant high school student Light Yagami vows to rid the world of evil.", + "poster": "https://image.tmdb.org/t/p/w500/qDhbGqjZ7yFwa7FMIzuiQTQMfEQ.jpg", + "url": "https://www.themoviedb.org/movie/51482", + "genres": [ + "TV Movie", + "Crime", + "Drama", + "Fantasy", + "Thriller", + "Animation" + ], + "tags": [ + "mass murder", + "psychological thriller", + "based on manga", + "death", + "edited from tv series", + "anime", + "based on anime", + "shinigami" + ] + }, + { + "ranking": 455, + "title": "Yi Yi", + "year": "2000", + "runtime": 174, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.9, + "vote_count": 555, + "description": "Each member of a family in Taipei asks hard questions about life's meaning as they live through everyday quandaries. NJ is morose: his brother owes him money, his mother-in-law is in a coma, his wife suffers a spiritual crisis when she finds her life a blank and his business partners make bad decisions.", + "poster": "https://image.tmdb.org/t/p/w500/mR8dSQZI8X6Z1NClJhFrtJp636z.jpg", + "url": "https://www.themoviedb.org/movie/25538", + "genres": [ + "Drama" + ], + "tags": [ + "daughter", + "love triangle", + "businessman", + "photography", + "bullying", + "middle class", + "taiwan", + "wedding", + "family", + "taipei", + "curious", + "thoughtful", + "admiring" + ] + }, + { + "ranking": 459, + "title": "Coraline", + "year": "2009", + "runtime": 100, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.889, + "vote_count": 8301, + "description": "Wandering her rambling old house in her boring new town, 11-year-old Coraline discovers a hidden door to a strangely idealized version of her life. In order to stay in the fantasy, she must make a frighteningly real sacrifice.", + "poster": "https://image.tmdb.org/t/p/w500/4jeFXQYytChdZYE9JYO7Un87IlW.jpg", + "url": "https://www.themoviedb.org/movie/14836", + "genres": [ + "Animation", + "Family", + "Fantasy" + ], + "tags": [ + "friendship", + "dreams", + "based on novel or book", + "villain", + "eye", + "stuffed animal", + "stop motion", + "parallel world", + "button", + "new home", + "secret door", + "female villain", + "aftercreditsstinger", + "duringcreditsstinger", + "horror for children", + "talking cat", + "somber", + "parallel universe", + "neil gaiman", + "coraline", + "callous", + "frightened", + "ghoulish", + "gloomy", + "coraline y la puerta" + ] + }, + { + "ranking": 454, + "title": "Winter Light", + "year": "1963", + "runtime": 80, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.89, + "vote_count": 459, + "description": "A Swedish pastor fails a loving woman, a suicidal fisherman and God.", + "poster": "https://image.tmdb.org/t/p/w500/wDxrEssdjFWYwIZLbr06RQNcg1q.jpg", + "url": "https://www.themoviedb.org/movie/29455", + "genres": [ + "Drama" + ], + "tags": [ + "suicide", + "winter", + "faith", + "pastor", + "priest", + "meaningless existence", + "meditative", + "reflective", + "loss of faith", + "callous", + "disheartening" + ] + }, + { + "ranking": 442, + "title": "La Maison en Petits Cubes", + "year": "2008", + "runtime": 12, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.9, + "vote_count": 432, + "description": "La Maison en Petits Cubes tells the story of a grandfather's memories as he adds more blocks to his house to stem the flooding waters.", + "poster": "https://image.tmdb.org/t/p/w500/kNGiHnbAToF1iIkN2kOTCEEXtAc.jpg", + "url": "https://www.themoviedb.org/movie/20722", + "genres": [ + "Animation" + ], + "tags": [ + "loneliness", + "scuba diving", + "memory", + "flood", + "anime", + "short film" + ] + }, + { + "ranking": 458, + "title": "Nimona", + "year": "2023", + "runtime": 101, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.9, + "vote_count": 1159, + "description": "A knight framed for a tragic crime teams with a scrappy, shape-shifting teen to prove his innocence.", + "poster": "https://image.tmdb.org/t/p/w500/2NQljeavtfl22207D1kxLpa4LS3.jpg", + "url": "https://www.themoviedb.org/movie/961323", + "genres": [ + "Animation", + "Family", + "Action", + "Science Fiction", + "Adventure", + "Fantasy", + "Drama" + ], + "tags": [ + "monster", + "knight", + "based on graphic novel", + "metamorphosis", + "lgbt", + "shape shifter", + "teenager", + "science fantasy" + ] + }, + { + "ranking": 457, + "title": "The Pursuit of Happyness", + "year": "2006", + "runtime": 117, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.89, + "vote_count": 10022, + "description": "A struggling salesman takes custody of his son as he's poised to begin a life-changing professional career.", + "poster": "https://image.tmdb.org/t/p/w500/lBYOKAMcxIvuk9s9hMuecB9dPBV.jpg", + "url": "https://www.themoviedb.org/movie/1402", + "genres": [ + "Drama" + ], + "tags": [ + "work", + "worker", + "homeless person", + "single parent", + "san francisco, california", + "bus", + "homelessness", + "church service", + "bad luck", + "biography", + "based on true story", + "salesman", + "stockbroker", + "single father", + "inspiring story", + "poor", + "working life", + "inspirational", + "happiness" + ] + }, + { + "ranking": 460, + "title": "Dangal", + "year": "2016", + "runtime": 161, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.887, + "vote_count": 1025, + "description": "Dangal is an extraordinary true story based on the life of Mahavir Singh and his two daughters, Geeta and Babita Phogat. The film traces the inspirational journey of a father who trains his daughters to become world class wrestlers.", + "poster": "https://image.tmdb.org/t/p/w500/lHd3W8E5aKoki9pDP7tN7yEh3c0.jpg", + "url": "https://www.themoviedb.org/movie/360814", + "genres": [ + "Drama", + "Family", + "Comedy" + ], + "tags": [ + "small town", + "strong woman", + "sports", + "parent child relationship", + "empowerment", + "abusive father", + "feminism", + "wrestling", + "training", + "biography", + "autobiography", + "domestic abuse", + "fighting", + "womanhood", + "endurance", + "woman vs woman fight", + "female empowerment", + "determination", + "strength training", + "overcoming fears", + "father daughter relationship", + "bollywood" + ] + }, + { + "ranking": 445, + "title": "Persepolis", + "year": "2007", + "runtime": 95, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.895, + "vote_count": 1984, + "description": "In 1970s Iran, Marjane 'Marji' Satrapi watches events through her young eyes and her idealistic family of a long dream being fulfilled of the hated Shah's defeat in the Iranian Revolution of 1979. However as Marji grows up, she witnesses first hand how the new Iran, now ruled by Islamic fundamentalists, has become a repressive tyranny on its own.", + "poster": "https://image.tmdb.org/t/p/w500/aU8i2QAdTyRR1nYb36Gq51xXP8p.jpg", + "url": "https://www.themoviedb.org/movie/2011", + "genres": [ + "Animation", + "Drama" + ], + "tags": [ + "puberty", + "civil war", + "parent child relationship", + "1970s", + "totalitarian regime", + "punk rock", + "bomb alarm", + "coming of age", + "orient", + "adult animation", + "punk band", + "woman director", + "iranian revolution", + "pathetic" + ] + }, + { + "ranking": 446, + "title": "Return of the Jedi", + "year": "1983", + "runtime": 132, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.9, + "vote_count": 15957, + "description": "Luke Skywalker leads a mission to rescue his friend Han Solo from the clutches of Jabba the Hutt, while the Emperor seeks to destroy the Rebellion once and for all with a second dreaded Death Star.", + "poster": "https://image.tmdb.org/t/p/w500/jQYlydvHm3kUix1f8prMucrplhm.jpg", + "url": "https://www.themoviedb.org/movie/1892", + "genres": [ + "Adventure", + "Action", + "Science Fiction" + ], + "tags": [ + "spacecraft", + "sibling relationship", + "rebel", + "emperor", + "space battle", + "matter of life and death", + "forest", + "desert", + "space opera", + "amused" + ] + }, + { + "ranking": 456, + "title": "The Notebook", + "year": "2004", + "runtime": 123, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.9, + "vote_count": 11780, + "description": "An epic love story centered around an older man who reads aloud to a woman with Alzheimer's. From a faded notebook, the old man's words bring to life the story about a couple who is separated by World War II, and is then passionately reunited, seven years later, after they have taken different paths.", + "poster": "https://image.tmdb.org/t/p/w500/rNzQyW4f8B8cQeg7Dgj3n6eT5k9.jpg", + "url": "https://www.themoviedb.org/movie/11036", + "genres": [ + "Romance", + "Drama" + ], + "tags": [ + "secret love", + "based on novel or book", + "love of one's life", + "fight", + "poem", + "river", + "sadness", + "class", + "dementia", + "melancholy", + "tears", + "candle", + "mailbox", + "valentine's day", + "romantic" + ] + }, + { + "ranking": 448, + "title": "Young Woman and the Sea", + "year": "2024", + "runtime": 129, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.892, + "vote_count": 342, + "description": "This is the extraordinary true story of Trudy Ederle, the first woman to successfully swim the English Channel. Through the steadfast support of her older sister and supportive trainers, she overcame adversity and the animosity of a patriarchal society to rise through the ranks of the Olympic swimming team and complete the 21-mile trek from France to England.", + "poster": "https://image.tmdb.org/t/p/w500/bZlecCuBVvKuarNGvchBwaOsQ3c.jpg", + "url": "https://www.themoviedb.org/movie/774531", + "genres": [ + "History", + "Drama" + ], + "tags": [ + "english channel", + "biography", + "based on true story", + "swimming", + "1920s", + "women's sports", + "motivational" + ] + }, + { + "ranking": 451, + "title": "Gone Girl", + "year": "2014", + "runtime": 149, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.89, + "vote_count": 18926, + "description": "With his wife's disappearance having become the focus of an intense media circus, a man sees the spotlight turned on him when it's suspected that he may not be innocent.", + "poster": "https://image.tmdb.org/t/p/w500/ts996lKsxvjkO2yiYG0ht4qAicO.jpg", + "url": "https://www.themoviedb.org/movie/210577", + "genres": [ + "Mystery", + "Thriller", + "Drama" + ], + "tags": [ + "infidelity", + "based on novel or book", + "wife", + "marriage crisis", + "investigation", + "disappearance", + "psychological thriller", + "whodunit", + "blunt", + "missing person", + "psychotic", + "search party", + "criminal lawyer", + "mysterious", + "detached", + "murder suspect", + "missing wife", + "satirical", + "perspective", + "manipulative woman", + "playful", + "killed during sex", + "irreverent", + "antagonistic", + "audacious", + "wry" + ] + }, + { + "ranking": 447, + "title": "Rebecca", + "year": "1940", + "runtime": 130, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.9, + "vote_count": 1810, + "description": "Story of a young woman who marries a fascinating widower only to find out that she must live in the shadow of his former wife, Rebecca, who died mysteriously several years earlier. The young wife must come to grips with the terrible secret of her handsome, cold husband, Max De Winter. She must also deal with the jealous, obsessed Mrs. Danvers, the housekeeper, who will not accept her as the mistress of the house.", + "poster": "https://image.tmdb.org/t/p/w500/1qz3qUOHnVy7dL7M7G8jSErxE4b.jpg", + "url": "https://www.themoviedb.org/movie/223", + "genres": [ + "Mystery", + "Romance", + "Thriller", + "Drama" + ], + "tags": [ + "based on novel or book", + "age difference", + "obsession", + "monte carlo", + "bride", + "cornwall, england", + "love", + "film noir", + "rural area", + "devotion", + "housekeeper", + "gothic", + "death", + "estate", + "costume party", + "mysterious death", + "gothic thriller", + "age-gap relationship" + ] + }, + { + "ranking": 463, + "title": "Umberto D.", + "year": "1952", + "runtime": 91, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.886, + "vote_count": 694, + "description": "When elderly pensioner Umberto Domenico Ferrari returns to his boarding house from a protest calling for a hike in old-age pensions, his landlady demands her 15,000-lire rent by the end of the month or he and his small dog will be turned out onto the street. Unable to get the money in time, Umberto fakes illness to get sent to a hospital, giving his beloved dog to the landlady's pregnant and abandoned maid for temporary safekeeping.", + "poster": "https://image.tmdb.org/t/p/w500/5I7SYsNQmZRZpQ2MAarIQYU9vaX.jpg", + "url": "https://www.themoviedb.org/movie/833", + "genres": [ + "Drama" + ], + "tags": [ + "unsociability", + "rome, italy", + "despair", + "servant", + "hunger", + "pension", + "retiree", + "rent", + "old man", + "hospital", + "dog", + "landlady", + "elderly", + "neo realism", + "italian neo realism" + ] + }, + { + "ranking": 469, + "title": "Ben-Hur", + "year": "1959", + "runtime": 222, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.877, + "vote_count": 2840, + "description": "In 25 AD, Judah Ben-Hur, a Jew in ancient Judea, opposes the occupying Roman empire. Falsely accused by a Roman childhood friend-turned-overlord of trying to kill the Roman governor, he is put into slavery and his mother and sister are taken away as prisoners.", + "poster": "https://image.tmdb.org/t/p/w500/m4WQ1dBIrEIHZNCoAjdpxwSKWyH.jpg", + "url": "https://www.themoviedb.org/movie/665", + "genres": [ + "History", + "Drama", + "Adventure", + "Action" + ], + "tags": [ + "epic", + "governor", + "middle east", + "based on novel or book", + "roman empire", + "politics", + "christianity", + "jew persecution", + "jewish life", + "roman", + "miracle", + "jerusalem", + "prince", + "chariot race", + "leprosy", + "redemption", + "religious conversion", + "ancient rome", + "love", + "friends", + "remake", + "revenge", + "judaism", + "religion", + "historical fiction", + "period drama", + "dungeon", + "galley", + "hatred", + "sheikh", + "sea battle", + "jewish family", + "galley slave", + "childhood sweetheart", + "salvation", + "1st century", + "jesus christ", + "false imprisonment", + "judea", + "subjugated people", + "awestruck" + ] + }, + { + "ranking": 467, + "title": "Invisible Life", + "year": "2019", + "runtime": 140, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.9, + "vote_count": 313, + "description": "Rio de Janeiro, Brazil, 1950. In the conservative home of the Gusmão family, Eurídice and Guida are two inseparable sisters who support each other. While Guida can share with her younger sister the details of her romantic adventures, Eurídice finds in her older sister the encouragement she needs to pursue her dream of becoming a professional pianist.", + "poster": "https://image.tmdb.org/t/p/w500/dHmy5vHcEfeBfy72sWxAdeSBLmn.jpg", + "url": "https://www.themoviedb.org/movie/548544", + "genres": [ + "Drama" + ], + "tags": [ + "rio de janeiro", + "long lost relative", + "1940s", + "sisters", + "semi-erect penis" + ] + }, + { + "ranking": 474, + "title": "Roman Holiday", + "year": "1953", + "runtime": 119, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.9, + "vote_count": 2080, + "description": "Overwhelmed by her suffocating schedule, touring European princess Ann takes off for a night while in Rome. When a sedative she took from her doctor kicks in, however, she falls asleep on a park bench and is found by an American reporter, Joe Bradley, who takes her back to his apartment for safety. At work the next morning, Joe finds out Ann's regal identity and bets his editor he can get exclusive interview with her, but romance soon gets in the way.", + "poster": "https://image.tmdb.org/t/p/w500/8lI9dmz1RH20FAqltkGelY1v4BE.jpg", + "url": "https://www.themoviedb.org/movie/804", + "genres": [ + "Romance", + "Comedy", + "Drama" + ], + "tags": [ + "dance", + "rome, italy", + "photography", + "boat", + "secret identity", + "intelligence", + "embassy", + "forbidden love", + "sightseeing", + "duty", + "black and white", + "romantic" + ] + }, + { + "ranking": 465, + "title": "We Are the Nobles", + "year": "2013", + "runtime": 108, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.9, + "vote_count": 504, + "description": "Tells the \"riches to rags\" story of the Nobles, three upper-class twenty-somethings that appear to have no limits to their checkbooks, and no direction in their lives. Until one day, their father tries to teach them a lesson by staging a financial scandal that forces the whole family to escape to an old house in the poor side of town, and leads the \"kids\" to do what they haven't done before: get jobs.", + "poster": "https://image.tmdb.org/t/p/w500/40JLnLz5KEQeZnUCKD3zf8sQJFx.jpg", + "url": "https://www.themoviedb.org/movie/180147", + "genres": [ + "Comedy" + ], + "tags": [ + "rags to riches", + "scam", + "spoiled son" + ] + }, + { + "ranking": 464, + "title": "Justice League: The Flashpoint Paradox", + "year": "2013", + "runtime": 75, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.882, + "vote_count": 1851, + "description": "The Flash finds himself in a war-torn alternate timeline and teams up with alternate versions of his fellow heroes to restore the timeline.", + "poster": "https://image.tmdb.org/t/p/w500/isCknjIWem0W3KwNUDLrDN7F40H.jpg", + "url": "https://www.themoviedb.org/movie/183011", + "genres": [ + "Animation", + "Science Fiction", + "Action", + "Adventure", + "Fantasy" + ], + "tags": [ + "cartoon", + "based on comic", + "superhuman", + "universe", + "super power", + "superhero team", + "alternate timeline", + "timeline", + "dc animated movie universe" + ] + }, + { + "ranking": 461, + "title": "Wish Dragon", + "year": "2021", + "runtime": 99, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.888, + "vote_count": 1369, + "description": "Determined teen Din is longing to reconnect with his childhood best friend when he meets a wish-granting dragon who shows him the magic of possibilities.", + "poster": "https://image.tmdb.org/t/p/w500/lnPf6hzANL6pVQTxUlsNYSuhT5l.jpg", + "url": "https://www.themoviedb.org/movie/550205", + "genres": [ + "Animation", + "Family", + "Comedy", + "Fantasy" + ], + "tags": [ + "wish", + "dragon" + ] + }, + { + "ranking": 462, + "title": "I'm No Longer Here", + "year": "2019", + "runtime": 112, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.9, + "vote_count": 496, + "description": "In Monterrey, Mexico, a young street gang spends their days dancing to slowed-down cumbia and attending parties. After a mix-up with a local cartel, their leader is forced to migrate to the U.S. but quickly longs to return home.", + "poster": "https://image.tmdb.org/t/p/w500/AtfK71xkVaaHTZwU5mgfDgBqg9Y.jpg", + "url": "https://www.themoviedb.org/movie/582927", + "genres": [ + "Drama" + ], + "tags": [ + "street gang", + "immigrant experience", + "monterrey", + "cumbia" + ] + }, + { + "ranking": 471, + "title": "Forgotten Love", + "year": "2023", + "runtime": 140, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.9, + "vote_count": 303, + "description": "A once-respected surgeon who's lost his family and his memory gets a chance at redemption when he reconnects with someone from his forgotten past.", + "poster": "https://image.tmdb.org/t/p/w500/8mHfCmc2dt6wk2DNc0NXlYXOzVj.jpg", + "url": "https://www.themoviedb.org/movie/1081676", + "genres": [ + "Drama", + "Romance" + ], + "tags": [ + "based on novel or book", + "surgeon", + "memory loss", + "father daughter reunion", + "candid", + "lost memory", + "admiring" + ] + }, + { + "ranking": 472, + "title": "The Battle of Algiers", + "year": "1966", + "runtime": 121, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.9, + "vote_count": 797, + "description": "Tracing the struggle of the Algerian Front de Liberation Nationale to gain freedom from French colonial rule as seen through the eyes of Ali from his start as a petty thief to his rise to prominence in the organisation and capture by the French in 1957. The film traces the rebels' struggle and the increasingly extreme measures taken by the French government to quell the revolt.", + "poster": "https://image.tmdb.org/t/p/w500/Df9SP4FgPMrIQBw5WOGtSi3fnT.jpg", + "url": "https://www.themoviedb.org/movie/17295", + "genres": [ + "Drama", + "War", + "History" + ], + "tags": [ + "revolution", + "algerian", + "insurrection", + "algiers, algeria", + "resistance fighter", + "north africa", + "algerian war (1954-62)", + "battle of algiers", + "struggle for independence", + "anti-colonialism", + "maghreb", + "djazair", + "independance war" + ] + }, + { + "ranking": 466, + "title": "Werckmeister Harmonies", + "year": "2001", + "runtime": 139, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.884, + "vote_count": 335, + "description": "A naive young man witnesses an escalation of violence in his small hometown following the arrival of a mysterious circus attraction.", + "poster": "https://image.tmdb.org/t/p/w500/fzG0xks6HNSnQg6atlF98brHvIT.jpg", + "url": "https://www.themoviedb.org/movie/23160", + "genres": [ + "Drama" + ], + "tags": [ + "small town", + "dancer", + "based on novel or book", + "darkness", + "circus", + "faith", + "chaos", + "whale", + "philosophy", + "allegory", + "delusion", + "hungary", + "symbolism", + "surrealism", + "family relationships", + "harmony", + "traveling circus", + "threat", + "woman director", + "contemplative cinema" + ] + }, + { + "ranking": 468, + "title": "The Greatest Showman", + "year": "2017", + "runtime": 105, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.877, + "vote_count": 9580, + "description": "The story of American showman P.T. Barnum, founder of the circus that became the famous traveling Ringling Bros. and Barnum & Bailey Circus.", + "poster": "https://image.tmdb.org/t/p/w500/b9CeobiihCx1uG1tpw8hXmpi7nm.jpg", + "url": "https://www.themoviedb.org/movie/316029", + "genres": [ + "Drama" + ], + "tags": [ + "adultery", + "circus", + "musical", + "biography", + "rags to riches", + "based on true story", + "outcast", + "singing", + "dreamer", + "freak show", + "absurd", + "cliché", + "complicated" + ] + }, + { + "ranking": 477, + "title": "Mamma Roma", + "year": "1962", + "runtime": 110, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.9, + "vote_count": 411, + "description": "After years spent working as a prostitute in her Italian village, middle-aged Mamma Roma has saved enough money to buy herself a fruit stand so that she can have a respectable middle-class life and reestablish contact with the 16-year-old son she abandoned when he was an infant. But her former pimp threatens to expose her sordid past, and her troubled son seems destined to fall into a life of crime and violence.", + "poster": "https://image.tmdb.org/t/p/w500/uVMv0t9JhisONjI2kMoTpcWL4oo.jpg", + "url": "https://www.themoviedb.org/movie/47796", + "genres": [ + "Drama" + ], + "tags": [ + "friendship", + "prostitute", + "rome, italy", + "parent child relationship", + "pimp", + "thief", + "wedding", + "church", + "single mother", + "lgbt", + "iconography", + "neorealism" + ] + }, + { + "ranking": 479, + "title": "The Night of the Hunter", + "year": "1955", + "runtime": 93, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.9, + "vote_count": 1652, + "description": "In Depression-era West Virginia, a serial-killing preacher hunts two young children who know the whereabouts of a stash of money.", + "poster": "https://image.tmdb.org/t/p/w500/rBka0nFWiHxabHRLr0KfIA8Yiaq.jpg", + "url": "https://www.themoviedb.org/movie/3112", + "genres": [ + "Crime", + "Drama", + "Thriller" + ], + "tags": [ + "prison", + "robbery", + "based on novel or book", + "psychopath", + "widow", + "boat", + "fanatic", + "count", + "money", + "film noir", + "murder", + "religion", + "theft", + "preacher", + "gothic", + "doll", + "hymn", + "children on the run", + "ex-con", + "expressionism", + "stashed cash", + "southern gothic", + "secret", + "bluebeard" + ] + }, + { + "ranking": 473, + "title": "Kill Bill: Vol. 2", + "year": "2004", + "runtime": 136, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.874, + "vote_count": 14158, + "description": "The Bride unwaveringly continues on her roaring rampage of revenge against the band of assassins who had tried to kill her and her unborn child. She visits each of her former associates one-by-one, checking off the victims on her Death List Five until there's nothing left to do … but kill Bill.", + "poster": "https://image.tmdb.org/t/p/w500/2yhg0mZQMhDyvUQ4rG1IZ4oIA8L.jpg", + "url": "https://www.themoviedb.org/movie/393", + "genres": [ + "Action", + "Crime", + "Thriller" + ], + "tags": [ + "daughter", + "martial arts", + "kung fu", + "showdown", + "right and justice", + "rage and hate", + "sibling relationship", + "swordplay", + "katana", + "mother role", + "single", + "sword fight", + "revenge", + "vigilante", + "retribution", + "aftercreditsstinger", + "duringcreditsstinger", + "reflective", + "kill bill", + "hilarious" + ] + }, + { + "ranking": 470, + "title": "La Jetée", + "year": "1962", + "runtime": 28, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.9, + "vote_count": 914, + "description": "A man is sent back and forth and in and out of time in an experiment that attempts to unravel the fate and the solution to the problems of a post-apocalyptic world during the aftermath of WW3. The experiment results in him getting caught up in a perpetual reminiscence of past events that are recreated on an airport’s viewing pier.", + "poster": "https://image.tmdb.org/t/p/w500/tEmHd86DRbTTK7guyxSy7KwlgoI.jpg", + "url": "https://www.themoviedb.org/movie/662", + "genres": [ + "Romance", + "Science Fiction" + ], + "tags": [ + "deja vu", + "experiment", + "airport", + "paris, france", + "nuclear war", + "museum", + "radioaktivity", + "paris orly airport", + "time travel", + "survival", + "short film" + ] + }, + { + "ranking": 475, + "title": "Dancer in the Dark", + "year": "2000", + "runtime": 140, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.873, + "vote_count": 1837, + "description": "Selma, a Czech immigrant on the verge of blindness, struggles to make ends meet for herself and her son, who has inherited the same genetic disorder and will suffer the same fate without an expensive operation. When life gets too difficult, Selma learns to cope through her love of musicals, escaping life's troubles – even if just for a moment – by dreaming up little numbers to the rhythmic beats of her surroundings.", + "poster": "https://image.tmdb.org/t/p/w500/9rsivF4sWfmBzrNr4LPu6TNJhXX.jpg", + "url": "https://www.themoviedb.org/movie/16", + "genres": [ + "Drama", + "Crime" + ], + "tags": [ + "factory worker", + "dying and death", + "individual", + "immigrant", + "blindness and impaired vision", + "dancing", + "eye operation", + "small town", + "naivety", + "hereditary disease", + "robbery", + "court", + "musical", + "female friendship", + "murder", + "debt", + "execution", + "police officer", + "trailer", + "daydreaming", + "coping mechanisms", + "mother son relationship" + ] + }, + { + "ranking": 480, + "title": "Wild Tales", + "year": "2014", + "runtime": 122, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.87, + "vote_count": 3461, + "description": "Injustice and the demands of the world can cause stress for many people. Some of them, however, explode. This includes a waitress serving a grouchy loan shark, an altercation between two motorists, an ill-fated wedding reception, and a wealthy businessman who tries to buy his family out of trouble.", + "poster": "https://image.tmdb.org/t/p/w500/ucFsh8uU0Lsw7zouQFaRrs2ElOs.jpg", + "url": "https://www.themoviedb.org/movie/265195", + "genres": [ + "Drama", + "Thriller", + "Comedy" + ], + "tags": [ + "dark comedy", + "anthology", + "revenge", + "wedding party", + "road rage", + "multiple storylines", + "horror comedy", + "intense", + "antagonistic", + "audacious" + ] + }, + { + "ranking": 476, + "title": "An Egg Rescue", + "year": "2021", + "runtime": 89, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.9, + "vote_count": 410, + "description": "Toto and his friends must rescue his egg children after they're taken away for a gourmet food event in Africa.", + "poster": "https://image.tmdb.org/t/p/w500/7he8glf7j41d3amgf4Nbpt3HVq1.jpg", + "url": "https://www.themoviedb.org/movie/573164", + "genres": [ + "Animation", + "Comedy", + "Adventure", + "Family" + ], + "tags": [] + }, + { + "ranking": 478, + "title": "Paper Moon", + "year": "1973", + "runtime": 102, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.873, + "vote_count": 739, + "description": "A bible salesman finds himself saddled with a young girl who may or may not be his daughter, and the two forge an unlikely partnership as a money-making con team in Depression-era Kansas.", + "poster": "https://image.tmdb.org/t/p/w500/3GHG0kTcBWHKdXjj3RdK8GjBCd6.jpg", + "url": "https://www.themoviedb.org/movie/11293", + "genres": [ + "Comedy", + "Crime", + "Drama" + ], + "tags": [ + "friendship", + "funeral", + "missouri", + "bible", + "con man", + "carnival", + "great depression", + "aunt", + "road trip", + "kansas, usa", + "con", + "tween girl" + ] + }, + { + "ranking": 489, + "title": "The Miracle Worker", + "year": "1962", + "runtime": 106, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.9, + "vote_count": 307, + "description": "The true story of the frightening, lonely world of silence and darkness of 7-year-old Helen Keller who, since infancy, has never seen the sky, heard her mother's voice or expressed her innermost feelings. Then Annie Sullivan, a 20-year-old teacher from Boston, arrives. Having just recently regained her own sight, the no-nonsense Annie reaches out to Helen through the power of touch, the only tool they have in common, and leads her bold pupil on a miraculous journey from fear and isolation to happiness and light.", + "poster": "https://image.tmdb.org/t/p/w500/dXbQE7t9JlLad0dSprWJ3jOiTua.jpg", + "url": "https://www.themoviedb.org/movie/1162", + "genres": [ + "Drama" + ], + "tags": [ + "blindness and impaired vision", + "deaf-mute", + "education", + "biography", + "historical figure", + "teacher", + "tutor", + "teacher student relationship", + "tantrum", + "railway station", + "sign languages", + "institution", + "19th century", + "female teacher", + "blind child", + "deaf girl", + "deafness" + ] + }, + { + "ranking": 481, + "title": "Young Frankenstein", + "year": "1974", + "runtime": 106, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.9, + "vote_count": 3177, + "description": "A young neurosurgeon inherits the castle of his grandfather, the famous Dr. Victor von Frankenstein. In the castle he finds a funny hunchback, a pretty lab assistant and the elderly housekeeper. Young Frankenstein believes that the work of his grandfather was delusional, but when he discovers the book where the mad doctor described his reanimation experiment, he suddenly changes his mind.", + "poster": "https://image.tmdb.org/t/p/w500/tQJAWbIjvvqVKLLbIZHtwGw2HTf.jpg", + "url": "https://www.themoviedb.org/movie/3034", + "genres": [ + "Comedy" + ], + "tags": [ + "monster", + "experiment", + "assistant", + "castle", + "bride", + "parody", + "mad scientist", + "laboratory", + "spoof", + "horror spoof", + "black and white", + "scientist", + "bawdy", + "frankenstein" + ] + }, + { + "ranking": 493, + "title": "Ace in the Hole", + "year": "1951", + "runtime": 111, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.86, + "vote_count": 684, + "description": "An arrogant reporter exploits a story about a man trapped in a cave to revitalize his career.", + "poster": "https://image.tmdb.org/t/p/w500/gPVPzHEsJBX02HtBtIQgYnfeqNQ.jpg", + "url": "https://www.themoviedb.org/movie/25364", + "genres": [ + "Drama" + ], + "tags": [ + "rescue", + "sheriff", + "journalism", + "new mexico", + "satire", + "film noir", + "reporter", + "black and white", + "trapped", + "desert", + "newspaper man" + ] + }, + { + "ranking": 484, + "title": "A Bronx Tale", + "year": "1993", + "runtime": 121, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.868, + "vote_count": 2577, + "description": "Set in the Bronx during the tumultuous 1960s, an adolescent boy is torn between his honest, working-class father and a violent yet charismatic crime boss. Complicating matters is the youngster's growing attraction - forbidden in his neighborhood - for a beautiful black girl.", + "poster": "https://image.tmdb.org/t/p/w500/sDbO6LmLYtyqAoFTPpRcMgPSCEO.jpg", + "url": "https://www.themoviedb.org/movie/1607", + "genres": [ + "Drama", + "Crime" + ], + "tags": [ + "italian american", + "gambling", + "funeral", + "italian", + "parent child relationship", + "gangster", + "loyalty", + "molotow cocktail", + "gang leader", + "nostalgia", + "game of dice", + "bus driver", + "mafia", + "best friend", + "witness to murder", + "hoodlum", + "xenophobia", + "bronx, new york city", + "father figure", + "1960s", + "confession booth" + ] + }, + { + "ranking": 483, + "title": "Regular Show: The Movie", + "year": "2015", + "runtime": 69, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.9, + "vote_count": 391, + "description": "After a high school lab experiment goes horribly wrong, Mordecai and Rigby must go back in time to battle an evil volleyball coach in order to save the universe — and their friendship.", + "poster": "https://image.tmdb.org/t/p/w500/p44RoW4naoE1nlSGOqqT0J2pc09.jpg", + "url": "https://www.themoviedb.org/movie/354857", + "genres": [ + "Animation", + "Comedy", + "Science Fiction", + "TV Movie", + "Adventure", + "Action", + "Family", + "Fantasy" + ], + "tags": [ + "friendship", + "time travel" + ] + }, + { + "ranking": 494, + "title": "The Witch: Part 1. The Subversion", + "year": "2018", + "runtime": 125, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.9, + "vote_count": 614, + "description": "Ja-yoon is a high school student who struggles with memory loss after she endured some unknown trauma during her childhood. While trying to uncover the truth, she is unwittingly dragged into a world of crime and finds herself on a journey that will awaken many secrets hidden deep within.", + "poster": "https://image.tmdb.org/t/p/w500/4i2wo2ja5g2PmUxWa1a2eYIboZf.jpg", + "url": "https://www.themoviedb.org/movie/530254", + "genres": [ + "Action", + "Mystery", + "Science Fiction" + ], + "tags": [ + "witch", + "amnesia", + "supernatural", + "psychological thriller", + "audition", + "hidden identity", + "supernatural power", + "dark", + "extreme violence" + ] + }, + { + "ranking": 485, + "title": "Mary and Max", + "year": "2009", + "runtime": 92, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.866, + "vote_count": 2043, + "description": "A tale of friendship between two unlikely pen pals: Mary, a lonely, eight-year-old girl living in the suburbs of Melbourne, and Max, a forty-four-year old, severely obese man living in New York.", + "poster": "https://image.tmdb.org/t/p/w500/ebmsM382m9IClLUzKYY2U5biFwM.jpg", + "url": "https://www.themoviedb.org/movie/24238", + "genres": [ + "Animation", + "Comedy", + "Drama" + ], + "tags": [ + "australia", + "chocolate", + "approach", + "letter", + "birthmark", + "only child", + "bullying", + "friendship bracelet", + "pen pals", + "atheist", + "loneliness", + "stop motion", + "neighbor", + "phone book", + "adult animation", + "unlikely friendship", + "correspondence", + "eating disorder", + "asperger's syndrome" + ] + }, + { + "ranking": 486, + "title": "Little Women", + "year": "2019", + "runtime": 135, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.865, + "vote_count": 6405, + "description": "Four sisters come of age in America in the aftermath of the Civil War.", + "poster": "https://image.tmdb.org/t/p/w500/yn5ihODtZ7ofn8pDYfxCmxh8AXI.jpg", + "url": "https://www.themoviedb.org/movie/331482", + "genres": [ + "Drama", + "Romance", + "History" + ], + "tags": [ + "new york city", + "sibling relationship", + "based on novel or book", + "massachusetts", + "affectation", + "coming of age", + "remake", + "period drama", + "american civil war", + "christmas", + "19th century", + "sister sister relationship", + "female writer", + "clinical", + "sisters", + "dignified" + ] + }, + { + "ranking": 496, + "title": "Just Mercy", + "year": "2019", + "runtime": 137, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.857, + "vote_count": 2312, + "description": "The powerful true story of Harvard-educated lawyer Bryan Stevenson, who goes to Alabama to defend the disenfranchised and wrongly condemned — including Walter McMillian, a man sentenced to death despite evidence proving his innocence. Bryan fights tirelessly for Walter with the system stacked against them.", + "poster": "https://image.tmdb.org/t/p/w500/2bDZl3PzFLFWe4gaFUQnnaslqT3.jpg", + "url": "https://www.themoviedb.org/movie/522212", + "genres": [ + "Drama", + "Crime", + "History" + ], + "tags": [ + "death penalty", + "judge", + "innocence", + "based on true story", + "lawyer", + "electric chair", + "racism", + "execution", + "justice", + "humiliation", + "injustice", + "1980s", + "legal drama", + "earnest", + "excited", + "based on real person", + "concealing the truth" + ] + }, + { + "ranking": 482, + "title": "Sing Street", + "year": "2016", + "runtime": 105, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.868, + "vote_count": 2317, + "description": "A boy growing up in Dublin during the 1980s escapes his strained family life by starting a band to impress the mysterious girl he likes.", + "poster": "https://image.tmdb.org/t/p/w500/sUWpVlrvzU2SJbnVZqIeKulPKwk.jpg", + "url": "https://www.themoviedb.org/movie/369557", + "genres": [ + "Romance", + "Drama", + "Music", + "Comedy" + ], + "tags": [ + "friendship", + "london, england", + "sibling relationship", + "dublin, ireland", + "music video", + "prom", + "school", + "singing", + "ireland", + "divorce", + "family", + "teenage boy", + "bullied", + "1980s", + "loving", + "irreverent" + ] + }, + { + "ranking": 487, + "title": "Vincent", + "year": "1982", + "runtime": 6, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.865, + "vote_count": 864, + "description": "Young Vincent Malloy dreams of being just like Vincent Price and loses himself in macabre daydreams that annoy his mother.", + "poster": "https://image.tmdb.org/t/p/w500/sH8CMLnuXbQv9T61mUCPHxZotDJ.jpg", + "url": "https://www.themoviedb.org/movie/32085", + "genres": [ + "Animation", + "Fantasy" + ], + "tags": [ + "narration", + "mama's boy", + "stop motion", + "spoof", + "black and white", + "gothic", + "macabre", + "short film" + ] + }, + { + "ranking": 491, + "title": "Perfect Strangers", + "year": "2016", + "runtime": 97, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.9, + "vote_count": 4438, + "description": "During a dinner, a group of friends decide to share whatever message or phone call they will receive during the evening, with unforeseen consequences.", + "poster": "https://image.tmdb.org/t/p/w500/j7dkRtff8xTV7xDDNbgqstb46fv.jpg", + "url": "https://www.themoviedb.org/movie/381341", + "genres": [ + "Comedy", + "Drama" + ], + "tags": [ + "friendship", + "jealousy", + "husband wife relationship", + "italian", + "italy", + "truth", + "confidence", + "honesty", + "love", + "love affair", + "trust", + "game", + "childhood friends", + "love fiction" + ] + }, + { + "ranking": 490, + "title": "The Cameraman", + "year": "1928", + "runtime": 74, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.9, + "vote_count": 382, + "description": "A photographer takes up newsreel shooting to impress a secretary.", + "poster": "https://image.tmdb.org/t/p/w500/oz7dVRzxN95IIpa7hsG5XS3nO2L.jpg", + "url": "https://www.themoviedb.org/movie/31411", + "genres": [ + "Comedy", + "Romance" + ], + "tags": [ + "new york city", + "love at first sight", + "date", + "chinatown", + "street war", + "beautiful woman", + "secretary", + "gun battle", + "black and white", + "monkey", + "policeman", + "infatuation", + "silent film", + "physical comedy", + "cameraman", + "yankee stadium", + "changing room", + "baseball stadium", + "street fight", + "streetcar", + "newsreel cameraman", + "heroic rescue", + "public pool", + "chinese tong", + "newsreel office", + "rumble", + "chinese festival", + "monkey with gun" + ] + }, + { + "ranking": 488, + "title": "Mr. Smith Goes to Washington", + "year": "1939", + "runtime": 129, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.9, + "vote_count": 1075, + "description": "After the death of a United States Senator, idealistic Jefferson Smith is appointed as his replacement in Washington. Soon, the naive and earnest new senator has to battle political corruption.", + "poster": "https://image.tmdb.org/t/p/w500/nDjg1fbNyq15excNDl3acd2IqAk.jpg", + "url": "https://www.themoviedb.org/movie/3083", + "genres": [ + "Comedy", + "Drama" + ], + "tags": [ + "governor", + "washington dc, usa", + "senate", + "senator", + "sightseeing", + "politician", + "idealist", + "dam", + "camp", + "conservative", + "black and white", + "disillusionment", + "political corruption", + "integrity", + "usa politics", + "determination", + "filibuster", + "walkout", + "political machine", + "smear campaign", + "expulsion attempt" + ] + }, + { + "ranking": 497, + "title": "My Way", + "year": "2011", + "runtime": 137, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.9, + "vote_count": 396, + "description": "During the invasion of Normandy the photograph of a slim Korean man in German uniform was found. It transpired that the man had served as a soldier in the Japanese, Russian and German armies. His incredible story inspired director Kang Je-Gyu to create this epic war drama.", + "poster": "https://image.tmdb.org/t/p/w500/3moPqIC1EBFilLI3YJNa5Nfel3e.jpg", + "url": "https://www.themoviedb.org/movie/94047", + "genres": [ + "Drama", + "Action", + "History", + "War" + ], + "tags": [ + "world war ii", + "japanese occupation of korea" + ] + }, + { + "ranking": 495, + "title": "Downfall", + "year": "2004", + "runtime": 155, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.858, + "vote_count": 3947, + "description": "In April of 1945, Germany stands at the brink of defeat with the Russian Army closing in from the east and the Allied Expeditionary Force attacking from the west. In Berlin, capital of the Third Reich, Adolf Hitler proclaims that Germany will still achieve victory and orders his generals and advisers to fight to the last man. When the end finally does come, and Hitler lies dead by his own hand, what is left of his military must find a way to end the killing that is the Battle of Berlin, and lay down their arms in surrender.", + "poster": "https://image.tmdb.org/t/p/w500/cP1ElGjBhbZAAqmueXjHDKlSwiP.jpg", + "url": "https://www.themoviedb.org/movie/613", + "genres": [ + "Drama", + "History", + "War" + ], + "tags": [ + "dying and death", + "based on novel or book", + "nazi", + "clerk", + "dictator", + "poison", + "despair", + "traitor", + "world war ii", + "bunker", + "destroy", + "testament", + "capitulation", + "soviet military", + "race politics", + "national socialism", + "ideology", + "minister", + "national socialist party", + "historical figure", + "german shepherd", + "1940s", + "adolf hitler" + ] + }, + { + "ranking": 492, + "title": "Scooby-Doo! Camp Scare", + "year": "2010", + "runtime": 72, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.9, + "vote_count": 307, + "description": "Scooby and the gang experience outdoor fun as they go back to Fred's old summer camp. As summer goes on, it becomes increasingly clear that the spooky camp stories told by the fireplace, are more real than they've though and soon, it's up to the gang to try and solve the mystery of camp scare.", + "poster": "https://image.tmdb.org/t/p/w500/zurVOCpOLwLTBknYlgcXHWE0xvu.jpg", + "url": "https://www.themoviedb.org/movie/45752", + "genres": [ + "Animation", + "Comedy", + "Family", + "Mystery" + ], + "tags": [ + "summer camp", + "fisherman", + "talking dog", + "campfire story", + "fishman", + "specter", + "mystery", + "the woodsman" + ] + }, + { + "ranking": 498, + "title": "Fargo", + "year": "1996", + "runtime": 98, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.857, + "vote_count": 8295, + "description": "Jerry, a small-town Minnesota car salesman is bursting at the seams with debt... but he's got a plan. He's going to hire two thugs to kidnap his wife in a scheme to collect a hefty ransom from his wealthy father-in-law. It's going to be a snap and nobody's going to get hurt... until people start dying. Enter Police Chief Marge, a coffee-drinking, parka-wearing - and extremely pregnant - investigator who'll stop at nothing to get her man. And if you think her small-time investigative skills will give the crooks a run for their ransom... you betcha!", + "poster": "https://image.tmdb.org/t/p/w500/rUjUCT6GvFS475sKJVfHWZUdnv5.jpg", + "url": "https://www.themoviedb.org/movie/275", + "genres": [ + "Crime", + "Drama", + "Thriller" + ], + "tags": [ + "salesclerk", + "unsociability", + "police", + "cheating", + "ransom", + "winter", + "kidnapping", + "minnesota", + "dark comedy", + "north dakota", + "money", + "murder", + "police officer", + "car dealership", + "woodchipper", + "macabre", + "false history", + "neo-noir", + "complex", + "minneapolis" + ] + }, + { + "ranking": 499, + "title": "Argentina 1985", + "year": "2022", + "runtime": 141, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.9, + "vote_count": 652, + "description": "In the 1980s, a team of lawyers takes on the heads of Argentina's bloody military dictatorship in a battle against odds and a race against time.", + "poster": "https://image.tmdb.org/t/p/w500/nmh7vD2eDVRqFJoCpEzVcfGcPPf.jpg", + "url": "https://www.themoviedb.org/movie/714888", + "genres": [ + "Drama", + "History", + "Crime" + ], + "tags": [ + "based on true story", + "argentina", + "lawyer", + "courtroom", + "1980s" + ] + }, + { + "ranking": 500, + "title": "A Beautiful Mind", + "year": "2001", + "runtime": 135, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.855, + "vote_count": 10394, + "description": "From the heights of notoriety to the depths of depravity, John Forbes Nash Jr. experiences it all. As a brilliant but socially awkward mathematician, he made a groundbreaking discovery early in his career and stands on the brink of international acclaim. But as the handsome and arrogant Nash accepts secret work in cryptography, he becomes entangled in a mysterious conspiracy. His life takes a nightmarish turn and he soon finds himself on a painful and harrowing journey of self-discovery.", + "poster": "https://image.tmdb.org/t/p/w500/rEIg5yJdNOt9fmX4P8gU9LeNoTQ.jpg", + "url": "https://www.themoviedb.org/movie/453", + "genres": [ + "Drama", + "Romance" + ], + "tags": [ + "schizophrenia", + "based on novel or book", + "love of one's life", + "self-discovery", + "professor", + "paranoia", + "mathematics", + "massachusetts", + "mathematician", + "economic theory", + "princeton university", + "nobel prize", + "mathematical theorem", + "delusion", + "genius", + "harvard university", + "based on true story", + "code breaking", + "cryptography", + "math genius", + "inspirational", + "based on real person", + "biographical drama", + "math professor" + ] + }, + { + "ranking": 503, + "title": "Stand by Me", + "year": "1986", + "runtime": 89, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.9, + "vote_count": 6020, + "description": "After learning that a boy their age has been accidentally killed near their rural homes, four Oregon boys decide to go see the body. On the way, Gordie, Vern, Chris and Teddy encounter a mean junk man and a marsh full of leeches, as they also learn more about one another and their very different home lives. Just a lark at first, the boys' adventure evolves into a defining event in their lives.", + "poster": "https://image.tmdb.org/t/p/w500/vz0w9BSehcqjDcJOjRaCk7fgJe7.jpg", + "url": "https://www.themoviedb.org/movie/235", + "genres": [ + "Crime", + "Drama" + ], + "tags": [ + "friendship", + "based on novel or book", + "leech", + "affectation", + "bullying", + "road trip", + "oregon, usa", + "coming of age", + "railroad track", + "story within the story", + "flipping coin", + "campfire story", + "pie eating", + "told in flashback", + "child", + "1950s", + "boys", + "coin toss", + "sentimental", + "admiring", + "familiar" + ] + }, + { + "ranking": 501, + "title": "Shoplifters", + "year": "2018", + "runtime": 120, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.9, + "vote_count": 2102, + "description": "After one of their shoplifting sessions, Osamu and his son come across a little girl in the freezing cold. At first reluctant to shelter the girl, Osamu’s wife agrees to take care of her after learning of the hardships she faces. Although the family is poor, barely making enough money to survive through petty crime, they seem to live happily together until an unforeseen incident reveals hidden secrets, testing the bonds that unite them.", + "poster": "https://image.tmdb.org/t/p/w500/4nfRUOv3LX5zLn98WS1WqVBk9E9.jpg", + "url": "https://www.themoviedb.org/movie/505192", + "genres": [ + "Drama", + "Crime", + "Thriller" + ], + "tags": [ + "japan", + "family relationships", + "family drama", + "tokyo, japan", + "poverty", + "orphan", + "shoplifting", + "social realism", + "shoplifter", + "petty crimes", + "asian origins" + ] + }, + { + "ranking": 508, + "title": "Sing 2", + "year": "2021", + "runtime": 109, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.849, + "vote_count": 4478, + "description": "Buster and his new cast now have their sights set on debuting a new show at the Crystal Tower Theater in glamorous Redshore City. But with no connections, he and his singers must sneak into the Crystal Entertainment offices, run by the ruthless wolf mogul Jimmy Crystal, where the gang pitches the ridiculous idea of casting the lion rock legend Clay Calloway in their show. Buster must embark on a quest to find the now-isolated Clay and persuade him to return to the stage.", + "poster": "https://image.tmdb.org/t/p/w500/aWeKITRFbbwY8txG5uCj4rMCfSP.jpg", + "url": "https://www.themoviedb.org/movie/438695", + "genres": [ + "Animation", + "Family", + "Music", + "Comedy" + ], + "tags": [ + "wolf", + "stage", + "villain", + "sequel", + "anthropomorphism", + "singing", + "thug", + "animals", + "villain arrested", + "illumination", + "suspenseful" + ] + }, + { + "ranking": 506, + "title": "Grand Illusion", + "year": "1937", + "runtime": 114, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.9, + "vote_count": 706, + "description": "A group of French soldiers, including the patrician Captain de Boeldieu and the working-class Lieutenant Maréchal, grapple with their own class differences after being captured and held in a World War I German prison camp. When the men are transferred to a high-security fortress, they must concoct a plan to escape beneath the watchful eye of aristocratic German officer von Rauffenstein, who has formed an unexpected bond with de Boeldieu.", + "poster": "https://image.tmdb.org/t/p/w500/lWg41zE0FVixkNsFgxnlRyvDYv9.jpg", + "url": "https://www.themoviedb.org/movie/777", + "genres": [ + "Drama", + "History", + "War" + ], + "tags": [ + "prisoner", + "france", + "countryside", + "escape", + "germany", + "world war i", + "prisoner of war", + "brotherhood", + "camp", + "aristocrat", + "fraternity", + "war injury", + "escaped prisoner", + "prison camp", + "trying to escape", + "escape plan", + "humanism" + ] + }, + { + "ranking": 511, + "title": "Dog Day Afternoon", + "year": "1975", + "runtime": 125, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.845, + "vote_count": 3050, + "description": "Based on the true story of would-be Brooklyn bank robbers John Wojtowicz and Salvatore Naturile. Sonny and Sal attempt a bank heist which quickly turns sour and escalates into a hostage situation and stand-off with the police. As Sonny's motives for the robbery are slowly revealed and things become more complicated, the heist turns into a media circus.", + "poster": "https://image.tmdb.org/t/p/w500/mavrhr0ig2aCRR8d48yaxtD5aMQ.jpg", + "url": "https://www.themoviedb.org/movie/968", + "genres": [ + "Crime", + "Drama", + "Thriller" + ], + "tags": [ + "new york city", + "airport", + "police", + "hostage", + "bank", + "fbi", + "heist", + "bank robbery", + "brooklyn, new york city", + "bank cashier", + "car procession", + "attica", + "unhappy marriage", + "based on magazine, newspaper or article", + "dramatic", + "intense", + "audacious" + ] + }, + { + "ranking": 516, + "title": "Dances with Wolves", + "year": "1990", + "runtime": 181, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.842, + "vote_count": 4324, + "description": "Wounded Civil War soldier John Dunbar tries to commit suicide—and becomes a hero instead. As a reward, he's assigned to his dream post, a remote junction on the Western frontier, and soon makes unlikely friends with the local Sioux tribe.", + "poster": "https://image.tmdb.org/t/p/w500/hw0ZEHAaTqTxSXGVwUFX7uvanSA.jpg", + "url": "https://www.themoviedb.org/movie/581", + "genres": [ + "Adventure", + "Drama", + "Western" + ], + "tags": [ + "friendship", + "mutiny", + "countryside", + "based on novel or book", + "unsociability", + "wolf", + "culture clash", + "self-discovery", + "freedom", + "desertion", + "language barrier", + "dakota", + "buffalo", + "native american", + "kansas, usa", + "sioux", + "tennessee", + "snow", + "pawnee tribe", + "19th century", + "lakota", + "bison", + "early america" + ] + }, + { + "ranking": 504, + "title": "Isle of Dogs", + "year": "2018", + "runtime": 101, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.852, + "vote_count": 4989, + "description": "In the future, an outbreak of canine flu leads the mayor of a Japanese city to banish all dogs to an island used as a garbage dump. The outcasts must soon embark on an epic journey when a 12-year-old boy arrives on the island to find his beloved pet.", + "poster": "https://image.tmdb.org/t/p/w500/rSluCePdXXtNiQeE6Na5yRGamhL.jpg", + "url": "https://www.themoviedb.org/movie/399174", + "genres": [ + "Adventure", + "Comedy", + "Animation" + ], + "tags": [ + "island", + "japan", + "stop motion", + "dog", + "garbage dump", + "pets", + "witty", + "vibrant" + ] + }, + { + "ranking": 517, + "title": "Warrior", + "year": "2011", + "runtime": 140, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.8, + "vote_count": 4654, + "description": "The youngest son of an alcoholic former boxer returns home, where he's trained by his father for competition in a mixed martial arts tournament – a path that puts the fighter on a collision course with his estranged, older brother.", + "poster": "https://image.tmdb.org/t/p/w500/iM8n4nZJPR2abpnyZ36FUgHiRjr.jpg", + "url": "https://www.themoviedb.org/movie/59440", + "genres": [ + "Drama", + "Action" + ], + "tags": [ + "bank", + "training", + "beating", + "mixed martial arts (mma)", + "teacher", + "muscleman", + "combat", + "alcoholic", + "gym", + "exercise", + "pittsburgh, pennsylvania" + ] + }, + { + "ranking": 512, + "title": "The Theory of Everything", + "year": "2014", + "runtime": 123, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.844, + "vote_count": 10649, + "description": "The Theory of Everything is the extraordinary story of one of the world’s greatest living minds, the renowned astrophysicist Stephen Hawking, who falls deeply in love with fellow Cambridge student Jane Wilde.", + "poster": "https://image.tmdb.org/t/p/w500/kJuL37NTE51zVP3eG5aGMyKAIlh.jpg", + "url": "https://www.themoviedb.org/movie/266856", + "genres": [ + "Drama", + "Romance" + ], + "tags": [ + "husband wife relationship", + "biography", + "based on true story", + "physicist", + "based on memoir or autobiography", + "fictional biography", + "motor neuron disease", + "als", + "cambridge university", + "inspirational", + "admiring" + ] + }, + { + "ranking": 515, + "title": "Monsters, Inc.", + "year": "2001", + "runtime": 92, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.8, + "vote_count": 18749, + "description": "Lovable Sulley and his wisecracking sidekick Mike Wazowski are the top scare team at Monsters, Inc., the scream-processing factory in Monstropolis. When a little girl named Boo wanders into their world, it's the monsters who are scared silly, and it's up to Sulley and Mike to keep her out of sight and get her back home.", + "poster": "https://image.tmdb.org/t/p/w500/qjlbN6aK1qgeg3SspFVovT2D1Me.jpg", + "url": "https://www.themoviedb.org/movie/585", + "genres": [ + "Animation", + "Comedy", + "Family" + ], + "tags": [ + "monster", + "panic", + "cheating", + "kidnapping", + "door", + "infant", + "villain", + "portal", + "rivalry", + "energy supply", + "friends", + "hijinks", + "best friend", + "chameleon", + "family", + "parallel world", + "conveyor belt", + "duringcreditsstinger", + "villain arrested", + "invisibility", + "energy company", + "conspirators" + ] + }, + { + "ranking": 507, + "title": "Her", + "year": "2013", + "runtime": 126, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.8, + "vote_count": 14477, + "description": "In the not so distant future, Theodore, a lonely writer, purchases a newly developed operating system designed to meet the user's every need. To Theodore's surprise, a romantic relationship develops between him and his operating system. This unconventional love story blends science fiction and romance in a sweet tale that explores the nature of love and the ways that technology isolates and connects us all.", + "poster": "https://image.tmdb.org/t/p/w500/eCOtqtfvn7mxGl6nfmq4b1exJRc.jpg", + "url": "https://www.themoviedb.org/movie/152601", + "genres": [ + "Romance", + "Science Fiction", + "Drama" + ], + "tags": [ + "future", + "artificial intelligence (a.i.)", + "computer", + "satire", + "love", + "loneliness", + "transhumanism", + "los angeles, california", + "heartbreak", + "semi autobiographical", + "speculative", + "singularity", + "near future", + "serene", + "intimate", + "provocative", + "dramatic", + "sentimental", + "comforting", + "melodramatic", + "operating system" + ] + }, + { + "ranking": 510, + "title": "Knives Out", + "year": "2019", + "runtime": 131, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.845, + "vote_count": 12736, + "description": "When renowned crime novelist Harlan Thrombey is found dead at his estate just after his 85th birthday, the inquisitive and debonair Detective Benoit Blanc is mysteriously enlisted to investigate. From Harlan's dysfunctional family to his devoted staff, Blanc sifts through a web of red herrings and self-serving lies to uncover the truth behind Harlan's untimely death.", + "poster": "https://image.tmdb.org/t/p/w500/pThyQovXQrw2m0s9x82twj48Jq4.jpg", + "url": "https://www.themoviedb.org/movie/546554", + "genres": [ + "Comedy", + "Crime", + "Mystery" + ], + "tags": [ + "immigrant", + "detective", + "massachusetts", + "investigation", + "big family", + "mansion", + "whodunit", + "family home", + "murder mystery", + "neo-noir", + "privilege", + "absurd", + "suspenseful" + ] + }, + { + "ranking": 519, + "title": "Sunrise: A Song of Two Humans", + "year": "1927", + "runtime": 94, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.8, + "vote_count": 820, + "description": "A married farmer falls under the spell of a slatternly woman from the city, who tries to convince him to drown his wife.", + "poster": "https://image.tmdb.org/t/p/w500/oj8ZW8jKXBSs8F1e5iWsTUeXSJW.jpg", + "url": "https://www.themoviedb.org/movie/631", + "genres": [ + "Drama", + "Romance" + ], + "tags": [ + "adultery", + "lake", + "love triangle", + "pig", + "marriage crisis", + "country life", + "indian summer ", + "redemption", + "rural area", + "storm", + "silent film", + "farmer", + "troubled marriage", + "german expressionism", + "preserved film" + ] + }, + { + "ranking": 502, + "title": "Tampopo", + "year": "1985", + "runtime": 115, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.9, + "vote_count": 373, + "description": "In this humorous paean to the joys of food, a pair of truck drivers happen onto a decrepit roadside shop selling ramen noodles. The widowed owner, Tampopo, begs them to help her turn her establishment into a paragon of the \"art of noodle-soup making\". Interspersed are satirical vignettes about the importance of food to different aspects of human life.", + "poster": "https://image.tmdb.org/t/p/w500/2XLDb3RDQmtlxt5Snnig9W4moq4.jpg", + "url": "https://www.themoviedb.org/movie/11830", + "genres": [ + "Comedy" + ], + "tags": [ + "widow", + "restaurant", + "business woman", + "restaurant owner", + "bullying", + "sensei", + "food", + "truck driver", + "erotic vignettes", + "hoodlum", + "foodie", + "stealing recipes", + "eastern philosophy", + "ramen", + "food culture", + "small town cook", + "gastronomia", + "recipes and preparation details", + "helping people", + "chef female lead", + "japanese restaurant", + "ramen noodles" + ] + }, + { + "ranking": 518, + "title": "The Virgin Spring", + "year": "1960", + "runtime": 90, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.841, + "vote_count": 624, + "description": "Devout Christians Töre and Märeta send their only daughter, the virginal Karin, and their foster daughter, the unrepentant Ingeri, to deliver candles to a distant church. On their way through the woods, the girls encounter a group of savage goat herders who brutally rape and murder Karin as Ingeri remains hidden. When the killers unwittingly seek refuge in the farmhouse of Töre and Märeta, Töre plots a fitting revenge.", + "poster": "https://image.tmdb.org/t/p/w500/z70YM3Y4pNYZATMhFMKonngaeMC.jpg", + "url": "https://www.themoviedb.org/movie/11656", + "genres": [ + "Drama", + "History" + ], + "tags": [ + "rape", + "brother", + "peasant", + "child murder", + "revenge", + "pregnant woman", + "medieval", + "rape and revenge", + "13th century", + "spring (water)" + ] + }, + { + "ranking": 520, + "title": "Raya and the Last Dragon", + "year": "2021", + "runtime": 107, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.84, + "vote_count": 6890, + "description": "Long ago, in the fantasy world of Kumandra, humans and dragons lived together in harmony. But when an evil force threatened the land, the dragons sacrificed themselves to save humanity. Now, 500 years later, that same evil has returned and it’s up to a lone warrior, Raya, to track down the legendary last dragon to restore the fractured land and its divided people.", + "poster": "https://image.tmdb.org/t/p/w500/5nVhgCzxKbK47OLIKxCR1syulOn.jpg", + "url": "https://www.themoviedb.org/movie/527774", + "genres": [ + "Animation", + "Family", + "Fantasy", + "Action", + "Adventure" + ], + "tags": [ + "kung fu", + "sword", + "warrior woman", + "female protagonist", + "dragon", + "vietnamese", + "south asian", + "warrior" + ] + }, + { + "ranking": 514, + "title": "Departures", + "year": "2008", + "runtime": 130, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.8, + "vote_count": 842, + "description": "Daigo, a cellist, is laid off from his orchestra and moves with his wife back to his small hometown where the living is cheaper. Thinking he’s applying for a job at a travel agency he finds he’s being interviewed for work with departures of a more permanent nature – as an undertaker’s assistant.", + "poster": "https://image.tmdb.org/t/p/w500/mms4nMZuPYOyEengRxCaEk7SXMd.jpg", + "url": "https://www.themoviedb.org/movie/16804", + "genres": [ + "Drama" + ], + "tags": [ + "dying and death", + "funeral", + "octopus", + "coffin", + "cello", + "musical", + "based on memoir or autobiography", + "odd job", + "yamagata" + ] + }, + { + "ranking": 509, + "title": "Indiana Jones and the Last Crusade", + "year": "1989", + "runtime": 127, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.846, + "vote_count": 10341, + "description": "In 1938, an art collector appeals to eminent archaeologist Dr. Indiana Jones to embark on a search for the Holy Grail. Indy learns that a medieval historian has vanished while searching for it, and the missing man is his own father, Dr. Henry Jones Sr.. He sets out to rescue his father by following clues in the old man's notebook, which his father had mailed to him before he went missing. Indy arrives in Venice, where he enlists the help of a beautiful academic, Dr. Elsa Schneider, along with Marcus Brody and Sallah. Together they must stop the Nazis from recovering the power of eternal life and taking over the world!", + "poster": "https://image.tmdb.org/t/p/w500/sizg1AU8f8JDZX4QIgE4pjUMBvx.jpg", + "url": "https://www.themoviedb.org/movie/89", + "genres": [ + "Adventure", + "Action" + ], + "tags": [ + "saving the world", + "nazi", + "holy grail", + "venice, italy", + "entrapment", + "crusader", + "germany", + "riddle", + "brotherhood", + "zeppelin", + "tank", + "book burning", + "nazi officer", + "boat chase", + "gestapo", + "single father", + "traveling circus", + "archaeologist", + "bible quote", + "medieval", + "boy scouts", + "german soldier", + "motorcycle chase", + "hindenburg", + "german agent", + "1930s", + "biblical archaeology", + "father son relationship", + "adolf hitler", + "knights templar", + "nazi germany", + "the crusades" + ] + }, + { + "ranking": 505, + "title": "Finch", + "year": "2021", + "runtime": 115, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.9, + "vote_count": 3643, + "description": "On a post-apocalyptic Earth, a robot, built to protect the life of his dying creator's beloved dog, learns about life, love, friendship, and what it means to be human.", + "poster": "https://image.tmdb.org/t/p/w500/jKuDyqx7jrjiR9cDzB5pxzhJAdv.jpg", + "url": "https://www.themoviedb.org/movie/522402", + "genres": [ + "Science Fiction", + "Drama", + "Adventure" + ], + "tags": [ + "robot", + "taunting", + "questioning", + "journey", + "speculative", + "humanity", + "unassuming", + "reflective", + "wistful", + "post-apocalyptic", + "provocative", + "witty", + "sinister", + "whimsical", + "pretentious", + "sincere", + "skeptical", + "straightforward", + "sympathetic", + "tragic", + "vibrant" + ] + }, + { + "ranking": 513, + "title": "See You Up There", + "year": "2017", + "runtime": 113, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.842, + "vote_count": 1292, + "description": "In November 1918, a few days before the Armistice, when Lieutenant Pradelle orders a senseless attack, he causes a useless disaster; but his outrageous act also binds the lives of two soldiers who have nothing more in common than the battlefield: Édouard saves Albert, although at a high cost. They become companions in misfortune who will attempt to survive in a changing world. Pradelle, in his own way, does the same.", + "poster": "https://image.tmdb.org/t/p/w500/pkO5YoznMR9neuHVzhxHK9JJpAj.jpg", + "url": "https://www.themoviedb.org/movie/430424", + "genres": [ + "Drama", + "Crime", + "War" + ], + "tags": [ + "mask", + "banker", + "paris, france", + "world war i", + "painter", + "post world war i", + "orphan", + "graveyard", + "sculptor", + "swindle", + "no man's land", + "gay theme" + ] + }, + { + "ranking": 527, + "title": "War Room", + "year": "2015", + "runtime": 120, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.837, + "vote_count": 540, + "description": "The family-friendly movie explores the transformational role prayer plays in the lives of the Jordan family. Tony and Elizabeth Jordan, a middle-class couple who seemingly have it all – great jobs, a beautiful daughter, their dream home. But appearances can be deceiving. In reality, the Jordan’s marriage has become a war zone and their daughter is collateral damage. With the help of Miss Clara, an older, wiser woman, Elizabeth discovers she can start fighting for her family instead of against them. Through a newly energized faith, Elizabeth and Tony’s real enemy doesn’t have a prayer.", + "poster": "https://image.tmdb.org/t/p/w500/unxQeVUi5DH01r7ZNvAHwpvX7UK.jpg", + "url": "https://www.themoviedb.org/movie/323272", + "genres": [ + "Drama" + ], + "tags": [ + "husband wife relationship", + "prayer", + "family relationships", + "closet", + "troubled marriage", + "marriage counselling", + "father daughter relationship", + "christian film", + "christian faith", + "independent film" + ] + }, + { + "ranking": 523, + "title": "Ivan's Childhood", + "year": "1962", + "runtime": 95, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.8, + "vote_count": 750, + "description": "In WW2, twelve year old Soviet orphan Ivan Bondarev works for the Soviet army as a scout behind the German lines and strikes a friendship with three sympathetic Soviet officers.", + "poster": "https://image.tmdb.org/t/p/w500/vmRWSLP1DE9WTta0hfzIafJ0dID.jpg", + "url": "https://www.themoviedb.org/movie/31442", + "genres": [ + "Drama", + "War" + ], + "tags": [ + "dreams", + "spy", + "world war ii", + "swamp", + "flashback", + "animals", + "apple", + "flare", + "1940s", + "children in wartime" + ] + }, + { + "ranking": 525, + "title": "Let Go", + "year": "2024", + "runtime": 110, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.8, + "vote_count": 307, + "description": "A jaded mother makes a last-ditch effort to keep her family together by taking them on a trip to their teenage daughter’s pole dancing competition.", + "poster": "https://image.tmdb.org/t/p/w500/hIJRqqAaMUtQ13mZL6lCE6myhXH.jpg", + "url": "https://www.themoviedb.org/movie/1214484", + "genres": [ + "Drama" + ], + "tags": [] + }, + { + "ranking": 521, + "title": "Sherlock: The Abominable Bride", + "year": "2016", + "runtime": 90, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.84, + "vote_count": 2266, + "description": "Sherlock Holmes and Dr. Watson find themselves in 1890s London in this holiday special.", + "poster": "https://image.tmdb.org/t/p/w500/93g8bHN2zizO4JbwRVNI4xj82Sv.jpg", + "url": "https://www.themoviedb.org/movie/379170", + "genres": [ + "Crime", + "Drama", + "Mystery", + "Thriller", + "TV Movie" + ], + "tags": [ + "bride", + "police detective", + "crime investigation", + "tv episode", + "homicide investigation", + "detective with humor", + "sherlock holmes" + ] + }, + { + "ranking": 524, + "title": "Nostalgia", + "year": "1983", + "runtime": 124, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.8, + "vote_count": 543, + "description": "A Russian poet, Andrei and his interpreter, Eugenia travel to Italy to research the life of an 18th-century composer.", + "poster": "https://image.tmdb.org/t/p/w500/fCYSidPXp3LpDa9wlLNv0gZvjyF.jpg", + "url": "https://www.themoviedb.org/movie/1394", + "genres": [ + "Drama", + "Romance" + ], + "tags": [ + "dreams", + "italy", + "crisis", + "memory", + "madness", + "immolation" + ] + }, + { + "ranking": 528, + "title": "Millennium Actress", + "year": "2002", + "runtime": 87, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.8, + "vote_count": 887, + "description": "Documentary filmmaker Genya Tachibana has tracked down the legendary actress Chiyoko Fujiwara, who mysteriously vanished at the height of her career. When he presents her with a key she had lost and thought was gone forever, the filmmaker could not have imagined that it would not only unlock the long-held secrets of Chiyoko’s life... but also his own.", + "poster": "https://image.tmdb.org/t/p/w500/p44UXOFBCY5xbpCKEsWpi4filCD.jpg", + "url": "https://www.themoviedb.org/movie/33320", + "genres": [ + "Animation", + "Drama", + "Romance", + "Fantasy" + ], + "tags": [ + "japan", + "china", + "key", + "surreal", + "earthquake", + "second sino-japanese war (1937-45)", + "historical", + "recluse", + "adult animation", + "movie star", + "story within the story", + "edo period", + "sengoku period", + "shouwa period", + "accident", + "anime", + "meiji period", + "recollection", + "movie studio", + "actress", + "adventure" + ] + }, + { + "ranking": 522, + "title": "The Big Lebowski", + "year": "1998", + "runtime": 117, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.8, + "vote_count": 11419, + "description": "Jeffrey 'The Dude' Lebowski, a Los Angeles slacker who only wants to bowl and drink White Russians, is mistaken for another Jeffrey Lebowski, a wheelchair-bound millionaire, and finds himself dragged into a strange series of events involving nihilists, adult film producers, ferrets, errant toes, and large sums of money.", + "poster": "https://image.tmdb.org/t/p/w500/9mprbw31MGdd66LR0AQKoDMoFRv.jpg", + "url": "https://www.themoviedb.org/movie/115", + "genres": [ + "Comedy", + "Crime" + ], + "tags": [ + "vietnam veteran", + "white russian", + "bowling", + "carpet", + "nihilism", + "heart attack", + "kidnapping", + "lsd", + "marijuana", + "los angeles, california", + "millionaire", + "cowboy", + "ashes", + "impregnation", + "bowling team", + "unemployed", + "bowling ball", + "neo-noir", + "weeds" + ] + }, + { + "ranking": 532, + "title": "Better Man", + "year": "2024", + "runtime": 135, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.8, + "vote_count": 373, + "description": "Follow Robbie Williams' journey from childhood, to being the youngest member of chart-topping boyband Take That, through to his unparalleled achievements as a record-breaking solo artist – all the while confronting the challenges that stratospheric fame and success can bring.", + "poster": "https://image.tmdb.org/t/p/w500/fbGCmMp0HlYnAPv28GOENPShezM.jpg", + "url": "https://www.themoviedb.org/movie/799766", + "genres": [ + "Music", + "Drama" + ], + "tags": [ + "depression", + "drug addiction", + "musical", + "biography", + "family abandonment", + "drugs", + "monkey", + "teenage boy", + "pop music", + "price of fame", + "girl group", + "boy band", + "1980s", + "1990s", + "arrested development", + "self-harm", + "father son relationship", + "mother son relationship", + "2000s", + "grandmother grandson relationship", + "based on real person", + "based on real events" + ] + }, + { + "ranking": 526, + "title": "The Gangster, the Cop, the Devil", + "year": "2019", + "runtime": 110, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.837, + "vote_count": 1258, + "description": "After barely surviving a brutal attack by a sadistic serial killer, crime boss Jang Dong-su is left humiliated. Determined to catch the killer known as K, he forms an uneasy alliance with Jung Tae-seok, a relentless and incorruptible detective who often disrupts his illegal business. However, while Jang Dong-su wants K dead, Jung Tae-suk is determined to bring him to justice. With a deal in place—whoever finds K first will decide his fate—the hunt begins, blurring the lines between crime and law.", + "poster": "https://image.tmdb.org/t/p/w500/oHlM4abRm6BzrRcz9Nup1uidw9H.jpg", + "url": "https://www.themoviedb.org/movie/581528", + "genres": [ + "Crime", + "Action", + "Thriller" + ], + "tags": [ + "police", + "gangster", + "based on true story", + "serial killer", + "gang", + "aggressive", + "tense" + ] + }, + { + "ranking": 535, + "title": "Close to the Horizon", + "year": "2019", + "runtime": 117, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.8, + "vote_count": 488, + "description": "Jessica knows exactly what her life is supposed to look like and where it takes her. But then she meets Danny. He has a complicated past and could confuse all their plans. Jessica has to decide.", + "poster": "https://image.tmdb.org/t/p/w500/c8K79975Xtoy0i715QLZVpIoPDe.jpg", + "url": "https://www.themoviedb.org/movie/594634", + "genres": [ + "Romance", + "Drama" + ], + "tags": [] + }, + { + "ranking": 529, + "title": "Anatomy of a Murder", + "year": "1959", + "runtime": 161, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.837, + "vote_count": 1035, + "description": "Semi-retired Michigan lawyer Paul Biegler takes the case of Army Lt. Manion, who murdered a local innkeeper after his wife claimed that he raped her. Over the course of an extensive trial, Biegler parries with District Attorney Lodwick and out-of-town prosecutor Claude Dancer to set his client free, but his case rests on the victim's mysterious business partner, who's hiding a dark secret.", + "poster": "https://image.tmdb.org/t/p/w500/b2G1QSAwtBv9luhEwErIgSRaU92.jpg", + "url": "https://www.themoviedb.org/movie/93", + "genres": [ + "Crime", + "Drama", + "Mystery" + ], + "tags": [ + "adultery", + "jealousy", + "rape", + "based on novel or book", + "court case", + "michigan", + "judge", + "hays code", + "jazz", + "jurors", + "trial", + "lawyer", + "courtroom", + "murder trial", + "courtroom drama" + ] + }, + { + "ranking": 530, + "title": "World of Tomorrow", + "year": "2015", + "runtime": 17, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.8, + "vote_count": 329, + "description": "A little girl is taken on a mind-bending tour of her distant future.", + "poster": "https://image.tmdb.org/t/p/w500/hpg5iDsNzve0WAVjGPO9CzKqDEC.jpg", + "url": "https://www.themoviedb.org/movie/303867", + "genres": [ + "Animation", + "Drama", + "Science Fiction" + ], + "tags": [ + "future", + "virtual reality", + "immortality", + "narration", + "time travel", + "surrealism", + "mining", + "cloning", + "robot", + "art", + "death", + "consciousness", + "child", + "stick figures" + ] + }, + { + "ranking": 540, + "title": "The Grapes of Wrath", + "year": "1940", + "runtime": 129, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.832, + "vote_count": 1011, + "description": "Tom Joad returns to his home after a jail sentence to find his family kicked out of their farm due to foreclosure. He catches up with them on his Uncle’s farm, and joins them the next day as they head for California and a new life... Hopefully.", + "poster": "https://image.tmdb.org/t/p/w500/eUcxMVBIA0Jg8l1RGUqycrc3eIQ.jpg", + "url": "https://www.themoviedb.org/movie/596", + "genres": [ + "Drama" + ], + "tags": [ + "farm", + "california", + "based on novel or book", + "capitalism", + "ex-detainee", + "oklahoma", + "great depression", + "road trip", + "jail" + ] + }, + { + "ranking": 539, + "title": "The Breadwinner", + "year": "2017", + "runtime": 94, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.8, + "vote_count": 852, + "description": "A headstrong young girl in Afghanistan, ruled by the Taliban, disguises herself as a boy in order to provide for her family.", + "poster": "https://image.tmdb.org/t/p/w500/2d6qmkJz9AWqmk9wBWtd2uFX89t.jpg", + "url": "https://www.themoviedb.org/movie/435129", + "genres": [ + "Animation", + "War", + "Drama", + "Family" + ], + "tags": [ + "based on novel or book", + "arranged marriage", + "cartoon", + "imprisonment", + "afghanistan", + "father", + "taliban", + "poverty", + "family", + "disguise", + "gender", + "adult animation", + "culture", + "religious intolerance", + "breadwinner", + "father daughter relationship" + ] + }, + { + "ranking": 534, + "title": "How to Train Your Dragon", + "year": "2010", + "runtime": 98, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.835, + "vote_count": 13307, + "description": "As the son of a Viking leader on the cusp of manhood, shy Hiccup Horrendous Haddock III faces a rite of passage: he must kill a dragon to prove his warrior mettle. But after downing a feared dragon, he realizes that he no longer wants to destroy it, and instead befriends the beast – which he names Toothless – much to the chagrin of his warrior father.", + "poster": "https://image.tmdb.org/t/p/w500/ygGmAO60t8GyqUo9xYeYxSZAR3b.jpg", + "url": "https://www.themoviedb.org/movie/10191", + "genres": [ + "Fantasy", + "Adventure", + "Animation", + "Family" + ], + "tags": [ + "friendship", + "ship", + "blacksmith", + "island", + "based on novel or book", + "flying", + "arena", + "village", + "villain", + "training", + "ignorance", + "vikings (norsemen)", + "forest", + "flight", + "nest", + "dragon", + "battle", + "combat", + "well", + "warrior", + "pets", + "inspirational", + "exhilarated" + ] + }, + { + "ranking": 533, + "title": "Feast", + "year": "2014", + "runtime": 6, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.835, + "vote_count": 861, + "description": "This Oscar-winning animated short film tells the story of one man's love life as seen through the eyes of his best friend and dog, Winston, and revealed bite by bite through the meals they share.", + "poster": "https://image.tmdb.org/t/p/w500/6hAgSxgd2YIK5pYhwowtnlGpwbe.jpg", + "url": "https://www.themoviedb.org/movie/293299", + "genres": [ + "Animation", + "Comedy", + "Drama", + "Family" + ], + "tags": [ + "cake", + "romance", + "food", + "dog", + "organic food", + "ice cream", + "fast food", + "health food", + "short film" + ] + }, + { + "ranking": 531, + "title": "The Nightmare Before Christmas", + "year": "1993", + "runtime": 76, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.8, + "vote_count": 9718, + "description": "Tired of scaring humans every October 31 with the same old bag of tricks, Jack Skellington, the spindly king of Halloween Town, kidnaps Santa Claus and plans to deliver shrunken heads and other ghoulish gifts to children on Christmas morning. But as Christmas approaches, Jack's rag-doll girlfriend, Sally, tries to foil his misguided plans.", + "poster": "https://image.tmdb.org/t/p/w500/oQffRNjK8e19rF7xVYEN8ew0j7b.jpg", + "url": "https://www.themoviedb.org/movie/9479", + "genres": [ + "Fantasy", + "Animation", + "Family" + ], + "tags": [ + "skeleton", + "fire", + "magic", + "holiday", + "santa claus", + "halloween", + "villain", + "musical", + "christmas tree", + "saving christmas", + "pumpkin", + "woods", + "stop motion", + "christmas horror", + "christmas" + ] + }, + { + "ranking": 538, + "title": "A Fistful of Dollars", + "year": "1964", + "runtime": 99, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.833, + "vote_count": 4352, + "description": "The Man With No Name enters the Mexican village of San Miguel in the midst of a power struggle among the three Rojo brothers and sheriff John Baxter. When a regiment of Mexican soldiers bearing gold intended to pay for new weapons is waylaid by the Rojo brothers, the stranger inserts himself into the middle of the long-simmering battle, selling false information to both sides for his own benefit.", + "poster": "https://image.tmdb.org/t/p/w500/lBwOEpwVeUAmrmglcstnaGcJq3Y.jpg", + "url": "https://www.themoviedb.org/movie/391", + "genres": [ + "Western" + ], + "tags": [ + "gunslinger", + "based on novel or book", + "hostility", + "greed", + "gang war", + "remake", + "murder", + "gun battle", + "spaghetti western", + "middleman", + "rivals", + "gun death", + "pitting ones enemy's against each other" + ] + }, + { + "ranking": 536, + "title": "The Marquis of Grillo", + "year": "1981", + "runtime": 139, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.8, + "vote_count": 472, + "description": "In 18th-century Rome, impish aristocrat Onofrio del Grillo amuses himself by playing pranks on all sorts of people — his reactionary family and fellow nobles, the poors, the French occupiers trying to modernize society, and even the Pope himself.", + "poster": "https://image.tmdb.org/t/p/w500/ew6UD5tZhADSctIhkbN9RSoyBVv.jpg", + "url": "https://www.themoviedb.org/movie/32480", + "genres": [ + "Comedy" + ], + "tags": [] + }, + { + "ranking": 537, + "title": "Two Women", + "year": "1960", + "runtime": 100, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.8, + "vote_count": 537, + "description": "A young widow flees from Rome during WWII and takes her lonely twelve-year-old-daughter to her rural hometown but the horrors of war soon catch up with them.", + "poster": "https://image.tmdb.org/t/p/w500/biWDAUQD58enMEcyO2BqIVSycF4.jpg", + "url": "https://www.themoviedb.org/movie/24167", + "genres": [ + "Drama", + "War" + ], + "tags": [ + "rape", + "rome, italy", + "parent child relationship", + "italy", + "widow", + "refugee", + "peasant", + "world war ii", + "wartime", + "single mother", + "shopkeeper", + "remote village", + "young scholar", + "bombed church", + "moroccans", + "return to birthplace" + ] + }, + { + "ranking": 542, + "title": "Let Go", + "year": "2024", + "runtime": 110, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.8, + "vote_count": 307, + "description": "A jaded mother makes a last-ditch effort to keep her family together by taking them on a trip to their teenage daughter’s pole dancing competition.", + "poster": "https://image.tmdb.org/t/p/w500/hIJRqqAaMUtQ13mZL6lCE6myhXH.jpg", + "url": "https://www.themoviedb.org/movie/1214484", + "genres": [ + "Drama" + ], + "tags": [] + }, + { + "ranking": 545, + "title": "Papillon", + "year": "1973", + "runtime": 151, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.8, + "vote_count": 1950, + "description": "A man befriends a fellow criminal as the two of them begin serving their sentence on a dreadful prison island, which inspires the man to plot his escape.", + "poster": "https://image.tmdb.org/t/p/w500/356oqQpug682OERsWV0bGZ0YxwQ.jpg", + "url": "https://www.themoviedb.org/movie/5924", + "genres": [ + "Crime", + "Drama" + ], + "tags": [ + "prison", + "escape", + "prison escape", + "jungle", + "solitary confinement", + "based on memoir or autobiography", + "remote island", + "leper colony", + "labor camp", + "corrupt official", + "french colonialism", + "devil's island", + "prison brutality", + "guyana", + "1930s" + ] + }, + { + "ranking": 546, + "title": "The Whale", + "year": "2022", + "runtime": 117, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.828, + "vote_count": 4098, + "description": "A reclusive English teacher suffering from severe obesity attempts to reconnect with his estranged teenage daughter for one last chance at redemption.", + "poster": "https://image.tmdb.org/t/p/w500/jQ0gylJMxWSL490sy0RrPj1Lj7e.jpg", + "url": "https://www.themoviedb.org/movie/785084", + "genres": [ + "Drama" + ], + "tags": [ + "depression", + "nurse", + "missionary", + "idaho", + "bible", + "overweight man", + "based on play or musical", + "dying man", + "obesity", + "religion", + "death of lover", + "rebellious daughter", + "recluse", + "lgbt", + "eating disorder", + "empathy", + "teen anger", + "english teacher", + "abandonment", + "alcoholic mother", + "father daughter relationship", + "homosexual father", + "essay", + "religious symbolism", + "father daughter estrangement", + "morbidly obese", + "binge eating", + "queer loneliness" + ] + }, + { + "ranking": 552, + "title": "Rosemary's Baby", + "year": "1968", + "runtime": 138, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.8, + "vote_count": 4022, + "description": "A young couple, Rosemary and Guy, moves into an infamous New York apartment building, known by frightening legends and mysterious events, with the purpose of starting a family.", + "poster": "https://image.tmdb.org/t/p/w500/nclYFGpVzfbiORO5ELVVdxzt9Vg.jpg", + "url": "https://www.themoviedb.org/movie/805", + "genres": [ + "Drama", + "Horror", + "Thriller" + ], + "tags": [ + "new york city", + "husband wife relationship", + "based on novel or book", + "satanism", + "conspiracy", + "soul selling", + "new neighbor", + "occult", + "struggling actor", + "demonic possession", + "satanic ritual", + "pregnant wife", + "coven (akelarre)", + "satanic cult", + "nosy neighbor", + "manhattan, new york city", + "woman in jeopardy", + "aspiring actor", + "neighbor neighbor relationship", + "new apartment", + "poisoning", + "gaslighting", + "apartment", + "meddling neighbor", + "horrified", + "impregnation of woman by entity", + "selfish husband", + "ambitious husband" + ] + }, + { + "ranking": 553, + "title": "My Fault", + "year": "2023", + "runtime": 117, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.824, + "vote_count": 3626, + "description": "Noah must leave her city, boyfriend, and friends to move into William Leister's mansion, the flashy and wealthy husband of her mother Rafaela. As a proud and independent 17 year old, Noah resists living in a mansion surrounded by luxury. However, it is there where she meets Nick, her new stepbrother, and the clash of their strong personalities becomes evident from the very beginning.", + "poster": "https://image.tmdb.org/t/p/w500/w46Vw536HwNnEzOa7J24YH9DPRS.jpg", + "url": "https://www.themoviedb.org/movie/1010581", + "genres": [ + "Romance", + "Drama" + ], + "tags": [ + "first time", + "forbidden love", + "stepbrother", + "female protagonist", + "underage sex", + "stepsister", + "disturbed", + "based on young adult novel", + "enemies to lovers", + "passion and romance", + "car", + "disapproving", + "disgusted", + "step-sibling romance" + ] + }, + { + "ranking": 548, + "title": "The Boy in the Striped Pyjamas", + "year": "2008", + "runtime": 94, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.827, + "vote_count": 7292, + "description": "When his family moves from their home in Berlin to a strange new house in Poland, young Bruno befriends Shmuel, a boy who lives on the other side of the fence where everyone seems to be wearing striped pajamas. Unaware of Shmuel's fate as a Jewish prisoner or the role his own Nazi father plays in his imprisonment, Bruno embarks on a dangerous journey inside the camp's walls.", + "poster": "https://image.tmdb.org/t/p/w500/sLwYSEVVV3r047cjrpRAbGgNsfL.jpg", + "url": "https://www.themoviedb.org/movie/14574", + "genres": [ + "Drama", + "War", + "History" + ], + "tags": [ + "based on novel or book", + "nazi", + "nationalism", + "concentration camp", + "world war ii", + "gas chamber", + "concentration camp prisoner", + "children in wartime", + "anxious" + ] + }, + { + "ranking": 541, + "title": "Carlito's Way", + "year": "1993", + "runtime": 144, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.831, + "vote_count": 3225, + "description": "A Puerto-Rican ex-con, just released from prison, pledges to stay away from drugs and violence despite the pressure around him, and lead a better life outside NYC.", + "poster": "https://image.tmdb.org/t/p/w500/g6D7mjQtndu768cusGmoEQY9fTB.jpg", + "url": "https://www.themoviedb.org/movie/6075", + "genres": [ + "Crime", + "Drama", + "Thriller" + ], + "tags": [ + "new york city", + "based on novel or book", + "gangster", + "go-go dancer", + "release from prison", + "1970s", + "puerto rico", + "cocaine", + "nightclub", + "criminal past", + "love", + "lawyer", + "drugs", + "disco", + "neo-noir" + ] + }, + { + "ranking": 544, + "title": "Mulholland Dr.", + "year": "1999", + "runtime": 88, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.829, + "vote_count": 499, + "description": "Initially, \"Mulholland Dr.\" was to mark David Lynch's return to television. It is a retooling of a script originally shot as a 94-minute pilot for a TV series (co-written with TV screenwriter Joyce Eliason) for the channel ABC, which had approved the script, but chose not even to air the pilot once it was done in 1999, despite Lynch's labours to cut the project to their liking. It was left in limbo until 18 month later French company Studio Canal Plus (also producer of 'The Straight Story') agreed to pay ABC $7 million for the pilot, and budget a few million more to turn the pilot into a two-hour, 27-minute movie. The cost of the film doubled to $14 million as sets had to be reconstructed and actors recalled.", + "poster": "https://image.tmdb.org/t/p/w500/oGXtT5UW8lDWt8uxlww2zw9GmBs.jpg", + "url": "https://www.themoviedb.org/movie/185789", + "genres": [ + "Thriller", + "TV Movie", + "Drama", + "Mystery" + ], + "tags": [ + "investigation", + "pilot", + "audition" + ] + }, + { + "ranking": 559, + "title": "Redeeming Love", + "year": "2022", + "runtime": 134, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.8, + "vote_count": 601, + "description": "A retelling of the biblical book of Hosea set against the backdrop of the California Gold Rush of 1850.", + "poster": "https://image.tmdb.org/t/p/w500/mV3vomFNiCQbSowGrp2penDGRqJ.jpg", + "url": "https://www.themoviedb.org/movie/698508", + "genres": [ + "Romance", + "Drama", + "Western" + ], + "tags": [ + "pedophilia", + "california", + "rape", + "prayer", + "love at first sight", + "gold rush", + "evangelical christianity", + "incest", + "self-doubt", + "misogyny", + "brothel madam", + "19th century", + "self reflection", + "child prostitution", + "child selling", + "misandry", + "christian film", + "christian faith", + "biblical", + "1850s", + "hosea", + "romantic", + "appreciative", + "awestruck", + "comforting", + "compassionate" + ] + }, + { + "ranking": 554, + "title": "Kiki's Delivery Service", + "year": "1989", + "runtime": 103, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.824, + "vote_count": 4170, + "description": "A young witch, on her mandatory year of independent life, finds fitting into a new community difficult while she supports herself by running an air courier service.", + "poster": "https://image.tmdb.org/t/p/w500/Aufa4YdZIv4AXpR9rznwVA5SEfd.jpg", + "url": "https://www.themoviedb.org/movie/16859", + "genres": [ + "Animation", + "Family", + "Fantasy" + ], + "tags": [ + "witch", + "clock tower", + "bicycle accident", + "female friendship", + "bakery", + "coming of age", + "cartoon cat", + "cartoon dog", + "baking", + "seaside town", + "talking cat", + "courier service", + "delivery service", + "anime", + "adventure", + "amused" + ] + }, + { + "ranking": 551, + "title": "Ratatouille", + "year": "2007", + "runtime": 111, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.825, + "vote_count": 17394, + "description": "Remy, a resident of Paris, appreciates good food and has quite a sophisticated palate. He would love to become a chef so he can create and enjoy culinary masterpieces to his heart's delight. The only problem is, Remy is a rat. When he winds up in the sewer beneath one of Paris' finest restaurants, the rodent gourmet finds himself ideally placed to realize his dream.", + "poster": "https://image.tmdb.org/t/p/w500/t3vaWRPSf6WjDSamIkKDs1iQWna.jpg", + "url": "https://www.themoviedb.org/movie/2062", + "genres": [ + "Animation", + "Comedy", + "Family", + "Fantasy" + ], + "tags": [ + "work", + "sibling relationship", + "paris, france", + "expensive restaurant", + "river", + "confidence", + "cooking", + "evacuation", + "mouse", + "leaving one's family", + "restaurant", + "villain", + "restaurant critic", + "spice", + "cookbook", + "food", + "chef", + "sewer", + "unlikely friendship", + "french restaurant", + "rat", + "french cuisine", + "fine dining" + ] + }, + { + "ranking": 547, + "title": "The Shadow in My Eye", + "year": "2021", + "runtime": 107, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.828, + "vote_count": 498, + "description": "On March 21st, 1945, the British Royal Air Force set out on a mission to bomb Gestapo's headquarters in Copenhagen. The raid had fatal consequences as some of the bombers accidentally targeted a school and more than 120 people were killed, 86 of whom were children.", + "poster": "https://image.tmdb.org/t/p/w500/jCKvbH3a4V5IPoRAG85eDaniNqO.jpg", + "url": "https://www.themoviedb.org/movie/650031", + "genres": [ + "War", + "Drama", + "History" + ], + "tags": [ + "copenhagen, denmark", + "raf (royal air force)", + "world war ii", + "based on true story", + "mosquito", + "gestapo", + "anti-nazi resistance", + "1940s" + ] + }, + { + "ranking": 556, + "title": "La luna", + "year": "2012", + "runtime": 7, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.8, + "vote_count": 806, + "description": "A young boy comes of age in the most peculiar of circumstances. Tonight is the very first time his Papa and Grandpa are taking him to work. In an old wooden boat they row far out to sea, and with no land in sight, they stop and wait. A big surprise awaits the boy as he discovers his family's most unusual line of work. Should he follow the example of his Papa, or his Grandpa? Will he be able to find his own way in the midst of their conflicting opinions and timeworn traditions?", + "poster": "https://image.tmdb.org/t/p/w500/9euW64JUgFlA7fxN8lAmwK6gUaQ.jpg", + "url": "https://www.themoviedb.org/movie/83564", + "genres": [ + "Animation", + "Family", + "Fantasy" + ], + "tags": [ + "moon", + "tradition", + "coming of age", + "discovery", + "short film" + ] + }, + { + "ranking": 543, + "title": "We Bare Bears: The Movie", + "year": "2020", + "runtime": 69, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.8, + "vote_count": 812, + "description": "When Grizz, Panda, and Ice Bear's love of food trucks and viral videos get out of hand, the brothers are now chased away from their home and embark on a trip to Canada, where they can live in peace.", + "poster": "https://image.tmdb.org/t/p/w500/kPzcvxBwt7kEISB9O4jJEuBn72t.jpg", + "url": "https://www.themoviedb.org/movie/677638", + "genres": [ + "Animation", + "Adventure", + "Family", + "Comedy", + "TV Movie" + ], + "tags": [ + "road trip", + "slice of life", + "police chase", + "talking animal" + ] + }, + { + "ranking": 555, + "title": "Love, Rosie", + "year": "2014", + "runtime": 102, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.822, + "vote_count": 6274, + "description": "Since the moment they met at age 5, Rosie and Alex have been best friends, facing the highs and lows of growing up side by side. A fleeting shared moment, one missed opportunity, and the decisions that follow send their lives in completely different directions. As each navigates the complexities of life, love, and everything in between, they always find their way back to each other - but is it just friendship, or something more?", + "poster": "https://image.tmdb.org/t/p/w500/rpD0t7DhzJVadnzgxSYrqljQTL2.jpg", + "url": "https://www.themoviedb.org/movie/200727", + "genres": [ + "Romance", + "Drama", + "Comedy" + ], + "tags": [ + "friendship", + "based on novel or book", + "love", + "best friend", + "valentine's day", + "teenage pregnancy", + "friends in love", + "missed opportunity" + ] + }, + { + "ranking": 549, + "title": "It Happened One Night", + "year": "1934", + "runtime": 105, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.8, + "vote_count": 1284, + "description": "A runaway heiress makes a deal with the rogue reporter trailing her but the mismatched pair end up stuck with each other when their bus leaves them behind.", + "poster": "https://image.tmdb.org/t/p/w500/2PNUGWAflH6UUumas0POMmokHlc.jpg", + "url": "https://www.themoviedb.org/movie/3078", + "genres": [ + "Comedy", + "Romance" + ], + "tags": [ + "newspaper", + "miami, florida", + "marriage", + "reporter", + "black and white", + "screwball comedy", + "socialite", + "pre-code", + "based on short story", + "screwball", + "hitchhiking", + "road movie", + "rich girl", + "frantic", + "brat", + "trains", + "lighthearted", + "witty", + "romantic", + "cliché" + ] + }, + { + "ranking": 560, + "title": "1900", + "year": "1976", + "runtime": 316, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.817, + "vote_count": 641, + "description": "The epic tale of a class struggle in twentieth century Italy, as seen through the eyes of two childhood friends on opposing sides.", + "poster": "https://image.tmdb.org/t/p/w500/deWzfCC59tmtEQvKSmflDe14FvR.jpg", + "url": "https://www.themoviedb.org/movie/3870", + "genres": [ + "Drama", + "History" + ], + "tags": [ + "epic", + "italy", + "resistance", + "fascism", + "peasant", + "world war ii", + "execution", + "brutality", + "death", + "catholicism", + "land owner", + "communism", + "class struggle" + ] + }, + { + "ranking": 550, + "title": "The Best Offer", + "year": "2013", + "runtime": 131, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.8, + "vote_count": 2876, + "description": "Virgil Oldman is a world renowned antiques expert and auctioneer. An eccentric genius, he leads a solitary life, going to extreme lengths to keep his distance from the messiness of human relationships. When appointed by the beautiful but emotionally damaged Claire to oversee the valuation and sale of her family’s priceless art collection, Virgil allows himself to form an attachment to her – and soon he is engulfed by a passion which will rock his bland existence to the core.", + "poster": "https://image.tmdb.org/t/p/w500/ibDGPgUZn6vxHiSgt2xeQyFp8Np.jpg", + "url": "https://www.themoviedb.org/movie/152742", + "genres": [ + "Drama", + "Romance", + "Crime" + ], + "tags": [ + "painting", + "auctioneer", + "confidence game", + "fine art", + "honey pot" + ] + }, + { + "ranking": 558, + "title": "To Be or Not to Be", + "year": "1942", + "runtime": 99, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.823, + "vote_count": 750, + "description": "During the Nazi occupation of Poland, an acting troupe becomes embroiled in a Polish soldier's efforts to track down a German spy.", + "poster": "https://image.tmdb.org/t/p/w500/dDQRpEoyjHT4fzw9cNklIvZuXYg.jpg", + "url": "https://www.themoviedb.org/movie/198", + "genres": [ + "Comedy", + "War", + "Romance" + ], + "tags": [ + "infidelity", + "london, england", + "airplane", + "nazi", + "love triangle", + "espionage", + "warsaw ghetto", + "jewish ghetto", + "polish resistance", + "parachuting", + "military officer", + "world war ii", + "dark comedy", + "adolf hitler", + "gay theme", + "theater" + ] + }, + { + "ranking": 557, + "title": "Fantozzi: White Collar Blues", + "year": "1975", + "runtime": 108, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.8, + "vote_count": 830, + "description": "A good-natured but unlucky Italian is constantly going on a difficult situations, but never lose his mood.", + "poster": "https://image.tmdb.org/t/p/w500/b3R1LWvraY6RJWfIu3aLXBF1ra8.jpg", + "url": "https://www.themoviedb.org/movie/25606", + "genres": [ + "Comedy" + ], + "tags": [] + }, + { + "ranking": 565, + "title": "1900", + "year": "1976", + "runtime": 316, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.817, + "vote_count": 641, + "description": "The epic tale of a class struggle in twentieth century Italy, as seen through the eyes of two childhood friends on opposing sides.", + "poster": "https://image.tmdb.org/t/p/w500/deWzfCC59tmtEQvKSmflDe14FvR.jpg", + "url": "https://www.themoviedb.org/movie/3870", + "genres": [ + "Drama", + "History" + ], + "tags": [ + "epic", + "italy", + "resistance", + "fascism", + "peasant", + "world war ii", + "execution", + "brutality", + "death", + "catholicism", + "land owner", + "communism", + "class struggle" + ] + }, + { + "ranking": 563, + "title": "Infernal Affairs", + "year": "2002", + "runtime": 100, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.818, + "vote_count": 1682, + "description": "Chan Wing Yan, a young police officer, has been sent undercover as a mole in the local mafia. Lau Kin Ming, a young mafia member, infiltrates the police force. Years later, their older counterparts, Chen Wing Yan and Inspector Lau Kin Ming, respectively, race against time to expose the mole within their midst.", + "poster": "https://image.tmdb.org/t/p/w500/gix9thDBXfjJ8M7rYbihqbQGBcP.jpg", + "url": "https://www.themoviedb.org/movie/10775", + "genres": [ + "Drama", + "Action", + "Thriller", + "Crime", + "Mystery" + ], + "tags": [ + "undercover agent", + "undercover", + "hong kong" + ] + }, + { + "ranking": 564, + "title": "Joint Security Area", + "year": "2000", + "runtime": 108, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.8, + "vote_count": 732, + "description": "Two North Korean soldiers are killed in the border area between North and South Korea, prompting an investigation by a neutral body. The sergeant is the shooter, but the lead investigator, a Swiss-Korean woman, receives differing accounts from the two sides.", + "poster": "https://image.tmdb.org/t/p/w500/etoPOj0bXzfw0LBNslCxqO7MHuv.jpg", + "url": "https://www.themoviedb.org/movie/2440", + "genres": [ + "War", + "Drama", + "Thriller", + "Mystery" + ], + "tags": [ + "border", + "korean war (1950-53)", + "soldier", + "united nations", + "dmz", + "korean army", + "inter-korean relations" + ] + }, + { + "ranking": 570, + "title": "Network", + "year": "1976", + "runtime": 122, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.8, + "vote_count": 1807, + "description": "When veteran anchorman Howard Beale is forced to retire his 25-year post because of his age, he announces to viewers that he will kill himself during his farewell broadcast. Network executives rethink their decision when his fanatical tirade results in a spike in ratings.", + "poster": "https://image.tmdb.org/t/p/w500/uFmgWfiykZhStfs1B13fFdUO1Pk.jpg", + "url": "https://www.themoviedb.org/movie/10774", + "genres": [ + "Drama" + ], + "tags": [ + "adultery", + "new york city", + "corruption", + "profit", + "satire", + "tv ratings", + "murder", + "corporate", + "reporter", + "co-workers relationship", + "rage", + "anger", + "tv show in film", + "meeting", + "political satire", + "news", + "fired", + "network", + "anchor", + "tv news anchor" + ] + }, + { + "ranking": 561, + "title": "Logan", + "year": "2017", + "runtime": 137, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.82, + "vote_count": 19539, + "description": "In the near future, a weary Logan cares for an ailing Professor X in a hideout on the Mexican border. But Logan's attempts to hide from the world and his legacy are upended when a young mutant arrives, pursued by dark forces.", + "poster": "https://image.tmdb.org/t/p/w500/fnbjcRDYn6YviCcePDnGdyAkYsB.jpg", + "url": "https://www.themoviedb.org/movie/263115", + "genres": [ + "Action", + "Drama", + "Science Fiction" + ], + "tags": [ + "future", + "experiment", + "immortality", + "self-destruction", + "cyborg", + "dystopia", + "superhero", + "mutant", + "road trip", + "based on comic", + "sequel", + "super power", + "neo-western", + "troubled past", + "aging superhero", + "life on the margin", + "dramatic", + "antagonistic", + "dignified" + ] + }, + { + "ranking": 568, + "title": "Kagemusha", + "year": "1980", + "runtime": 180, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.8, + "vote_count": 668, + "description": "Akira Kurosawa's lauded feudal epic presents the tale of a petty thief who is recruited to impersonate Shingen, an aging warlord, in order to avoid attacks by competing clans. When Shingen dies, his generals reluctantly agree to have the impostor take over as the powerful ruler. He soon begins to appreciate life as Shingen, but his commitment to the role is tested when he must lead his troops into battle against the forces of a rival warlord.", + "poster": "https://image.tmdb.org/t/p/w500/fJgqj9s8HNZz9zwX6femVJn8HEB.jpg", + "url": "https://www.themoviedb.org/movie/11953", + "genres": [ + "Action", + "Drama", + "History", + "War" + ], + "tags": [ + "japan", + "samurai", + "army", + "emperor", + "warlord", + "battle", + "impersonation", + "doppelgänger", + "jidaigeki", + "edo period", + "sengoku period", + "feudal lord", + "feudal japan", + "16th century" + ] + }, + { + "ranking": 569, + "title": "Spotlight", + "year": "2015", + "runtime": 129, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.815, + "vote_count": 8332, + "description": "The true story of how the Boston Globe uncovered the massive scandal of child molestation and cover-up within the local Catholic Archdiocese, shaking the entire Catholic Church to its core.", + "poster": "https://image.tmdb.org/t/p/w500/olYvlO7lZLpUM62w1LYnAgdd6CD.jpg", + "url": "https://www.themoviedb.org/movie/314365", + "genres": [ + "Drama", + "History" + ], + "tags": [ + "pedophilia", + "florida", + "newspaper", + "journalist", + "child abuse", + "court", + "judge", + "boston, massachusetts", + "journalism", + "sex scandal", + "victim", + "based on true story", + "cover-up", + "priest", + "conspiracy", + "lawyer", + "historical fiction", + "biting", + "catholic", + "catholic church", + "lgbt", + "catholicism", + "9/11", + "child molestation", + "archdiocese", + "investigative journalism", + "cardinal", + "serious", + "understated", + "critical", + "tense", + "powerful", + "tragic" + ] + }, + { + "ranking": 579, + "title": "Midnight Sun", + "year": "2018", + "runtime": 91, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.8, + "vote_count": 3452, + "description": "Katie, a 17-year-old, has been sheltered since childhood and confined to her house during the day by a rare disease that makes even the smallest amount of sunlight deadly. Fate intervenes when she meets Charlie and they embark on a summer romance.", + "poster": "https://image.tmdb.org/t/p/w500/vPG2zEKPXhovPW9S91SRnwr5JM1.jpg", + "url": "https://www.themoviedb.org/movie/419478", + "genres": [ + "Romance", + "Drama" + ], + "tags": [ + "seattle, washington", + "sunlight", + "terminal illness", + "singer", + "best friend", + "homeschooling", + "dead mother", + "swimming", + "teenage daughter", + "railway station", + "boyfriend girlfriend relationship", + "athletic scholarship", + "protective father", + "teenage romance", + "busker", + "rare disease", + "medical problem" + ] + }, + { + "ranking": 571, + "title": "The Bridge on the River Kwai", + "year": "1957", + "runtime": 161, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.814, + "vote_count": 2157, + "description": "The classic story of English POWs in Burma forced to build a bridge to aid the war effort of their Japanese captors. British and American intelligence officers conspire to blow up the structure, but Col. Nicholson, the commander who supervised the bridge's construction, has acquired a sense of pride in his creation and tries to foil their plans.", + "poster": "https://image.tmdb.org/t/p/w500/7paXMt2e3Tr5dLmEZOGgFEn2Vo7.jpg", + "url": "https://www.themoviedb.org/movie/826", + "genres": [ + "Drama", + "History", + "War" + ], + "tags": [ + "japan", + "based on novel or book", + "resistance", + "river", + "world war ii", + "prisoner of war", + "thailand", + "bridge", + "burma", + "pacific war", + "bridge blowup", + "dramatic" + ] + }, + { + "ranking": 578, + "title": "All My Life", + "year": "2020", + "runtime": 93, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.811, + "vote_count": 492, + "description": "It was a chance meeting started by one of Sol’s friends trying to chat up Jennifer. However, in the end, it was those two who hit it off. Sol enjoyed Jen’s smile, her effort, and how silly she could be. Jen enjoyed Sol’s cooking, his athleticism, and that he would join her in fun moments. As you can imagine, love bloomed, and things got serious. Jen’s investment in Sol led to her pushing him to follow his dreams and even move in to save money. Sol’s investment in Jen well, it led to him proposing. But what started as a liver tumor grew into full-on cancer, so with a diagnosis of 6 months to live, Sol and Jennifer try to make the best of it.", + "poster": "https://image.tmdb.org/t/p/w500/xoKZ4ZkVApcTaTYlGoZ3J8xcIzG.jpg", + "url": "https://www.themoviedb.org/movie/632322", + "genres": [ + "Romance", + "Drama" + ], + "tags": [ + "cancer" + ] + }, + { + "ranking": 562, + "title": "A Bag of Marbles", + "year": "2017", + "runtime": 113, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.818, + "vote_count": 862, + "description": "At the beginning of the 1940s, in a France occupied by Nazi forces, lived the Jewish Joffo family. Happy and tight-knit, she sees her future darken when all members of the family are forced to wear the yellow star. Fearing the worst, the parents organized their family to flee to the free zone in the south of the country. Maurice, twelve years old, and Joseph, ten years old, will therefore leave alone in order to maximize their chances of finding their older brothers already settled in Nice. The brothers left to their own devices demonstrate an incredible amount of cleverness, courage, and ingenuity to escape the enemy invasion and to try to reunite their family once again.", + "poster": "https://image.tmdb.org/t/p/w500/kjVPBXfo7frULyUzQ8NRPAflP8G.jpg", + "url": "https://www.themoviedb.org/movie/398924", + "genres": [ + "War", + "Drama" + ], + "tags": [ + "nazi officer", + "1940s", + "occupied france (1940-44)", + "brother brother relationship" + ] + }, + { + "ranking": 567, + "title": "Elite Squad: The Enemy Within", + "year": "2010", + "runtime": 115, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.8, + "vote_count": 1887, + "description": "After a bloody invasion of the BOPE in the High-Security Penitentiary Bangu 1 in Rio de Janeiro to control a rebellion of interns, the Lieutenant-Colonel Roberto Nascimento and the second in command Captain André Matias are accused by the Human Right Aids member Diogo Fraga of execution of prisoners. Matias is transferred to the corrupted Military Police and Nascimento is exonerated from the BOPE by the Governor.", + "poster": "https://image.tmdb.org/t/p/w500/c7yCrf3PTSdp6RMGktZQhzFcFFM.jpg", + "url": "https://www.themoviedb.org/movie/47931", + "genres": [ + "Drama", + "Action", + "Crime" + ], + "tags": [ + "police", + "drug trafficking", + "affectation", + "grave", + "penitentiary", + "melancholy", + "jail", + "torture", + "execution", + "drugs", + "criminal", + "nostalgic", + "taunting", + "duringcreditsstinger", + "hard", + "meditative", + "angry", + "aggressive", + "zealous", + "candid", + "malicious", + "cautionary", + "clinical", + "brazilian cinema", + "inspirational", + "intimate", + "provocative", + "absurd", + "dramatic", + "whimsical", + "admiring", + "adoring", + "ambiguous", + "ambivalent", + "antagonistic", + "appreciative", + "approving", + "arrogant", + "assertive", + "awestruck", + "callous", + "celebratory", + "commanding", + "earnest", + "empathetic", + "enchant", + "enraged", + "exuberant", + "familiar", + "informative", + "matter of fact", + "melodramatic", + "sarcastic", + "tragic", + "vibrant" + ] + }, + { + "ranking": 572, + "title": "No Game No Life: Zero", + "year": "2017", + "runtime": 106, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.8, + "vote_count": 401, + "description": "Six thousand years before Sora and Shiro were even a blink in the history of Disboard, war consumed the land, tearing apart the heavens, destroying stars, and even threatening to wipe out the human race. Amid the chaos and destruction, a young man named Riku leads humanity toward the tomorrow his heart believes in. One day, in the ruins of an Elf city, he meets Schwi, a female exiled \"Ex Machina\" android who asks him to teach her what it means to have a human heart.", + "poster": "https://image.tmdb.org/t/p/w500/cCBB6BGRj5nCTaEgogDtkHfjOLK.jpg", + "url": "https://www.themoviedb.org/movie/445030", + "genres": [ + "Adventure", + "Animation", + "Drama", + "Fantasy", + "Romance" + ], + "tags": [ + "based on novel or book", + "magic", + "anti hero", + "supernatural", + "post-apocalyptic future", + "prequel", + "end of the world", + "tragedy", + "disaster", + "game", + "anime", + "high fantasy", + "battle of wits", + "based on light novel" + ] + }, + { + "ranking": 577, + "title": "Snatch", + "year": "2000", + "runtime": 103, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.812, + "vote_count": 9245, + "description": "Unscrupulous boxing promoters, violent bookmakers, a Russian gangster, incompetent amateur robbers and supposedly Jewish jewelers fight to track down a priceless stolen diamond.", + "poster": "https://image.tmdb.org/t/p/w500/8KSDI7ijEv7QVZdIyrLw5Gnhhr8.jpg", + "url": "https://www.themoviedb.org/movie/107", + "genres": [ + "Crime", + "Comedy" + ], + "tags": [ + "robbery", + "trailer park", + "england", + "gypsy", + "gambling", + "bare knuckle boxing", + "slang", + "antwerp", + "pig", + "gangster", + "boxer", + "underground fighting", + "blunt", + "diamond heist", + "candid", + "pikey", + "mischievous", + "absurd", + "hilarious", + "antagonistic", + "exuberant" + ] + }, + { + "ranking": 574, + "title": "Before Sunset", + "year": "2004", + "runtime": 80, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.8, + "vote_count": 3468, + "description": "Nine years later, Jesse travels across Europe giving readings from a book he wrote about the night he spent in Vienna with Celine. After his reading in Paris, Celine finds him, and they spend part of the day together before Jesse has to again leave for a flight. They are both in relationships now, and Jesse has a son, but as their strong feelings for each other start to return, both confess a longing for more.", + "poster": "https://image.tmdb.org/t/p/w500/94Yl2xVB7YIRK4IgA0RqYGiNgkB.jpg", + "url": "https://www.themoviedb.org/movie/80", + "genres": [ + "Drama", + "Romance" + ], + "tags": [ + "journalist", + "talking", + "soulmates", + "walking", + "paris, france", + "bookshop", + "love of one's life", + "author", + "semi autobiographical", + "comforting" + ] + }, + { + "ranking": 573, + "title": "Rio Bravo", + "year": "1959", + "runtime": 141, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.8, + "vote_count": 1170, + "description": "A small-town sheriff in the American West enlists the help of a disabled man, a drunk, and a young gunfighter in his efforts to hold in jail the brother of the local bad guy.", + "poster": "https://image.tmdb.org/t/p/w500/4gI4KKmoi0d3yfsF71YU3S0I5t8.jpg", + "url": "https://www.themoviedb.org/movie/301", + "genres": [ + "Western" + ], + "tags": [ + "small town", + "sheriff", + "gun", + "marshal", + "texas", + "deputy", + "murder", + "jail", + "alcoholic", + "stagecoach", + "gambler", + "based on short story", + "gunfighter", + "technicolor", + "two guns belt" + ] + }, + { + "ranking": 580, + "title": "Mr. Nobody", + "year": "2009", + "runtime": 141, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.8, + "vote_count": 5902, + "description": "Nemo Nobody leads an ordinary existence with his wife and 3 children; one day, he wakes up as a mortal centenarian in the year 2092.", + "poster": "https://image.tmdb.org/t/p/w500/qNkIONc4Rgmzo23ph7qWp9QfVnW.jpg", + "url": "https://www.themoviedb.org/movie/31011", + "genres": [ + "Science Fiction", + "Drama", + "Romance" + ], + "tags": [ + "time travel", + "surrealism", + "time", + "choice", + "free will", + "multiple storylines", + "curious", + "shocking", + "complex", + "loving", + "2090s", + "depressing", + "ambiguous", + "irreversible process", + "entropy" + ] + }, + { + "ranking": 566, + "title": "Finding Nemo", + "year": "2003", + "runtime": 100, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.817, + "vote_count": 19557, + "description": "Nemo, an adventurous young clownfish, is unexpectedly taken from his Great Barrier Reef home to a dentist's office aquarium. It's up to his worrisome father Marlin and a friendly but forgetful fish Dory to bring Nemo home -- meeting vegetarian sharks, surfer dude turtles, hypnotic jellyfish, hungry seagulls, and more along the way.", + "poster": "https://image.tmdb.org/t/p/w500/eHuGQ10FUzK1mdOY69wF5pGgEf5.jpg", + "url": "https://www.themoviedb.org/movie/12", + "genres": [ + "Animation", + "Family" + ], + "tags": [ + "fish", + "sydney, australia", + "parent child relationship", + "anthropomorphism", + "harbor", + "underwater", + "shark", + "pelican", + "fish tank", + "great barrier reef", + "sea turtle", + "missing child", + "aftercreditsstinger", + "duringcreditsstinger", + "short-term memory loss", + "clownfish", + "father son reunion", + "protective father", + "melodramatic" + ] + }, + { + "ranking": 576, + "title": "The Working Class Goes to Heaven", + "year": "1971", + "runtime": 113, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.812, + "vote_count": 354, + "description": "After losing a finger in a work accident, an Italian worker becomes increasingly involved in political and revolutionary groups.", + "poster": "https://image.tmdb.org/t/p/w500/gulAszCUPjuBtDd6NudgLTBu3i5.jpg", + "url": "https://www.themoviedb.org/movie/56231", + "genres": [ + "Drama" + ], + "tags": [ + "working class", + "labor strike", + "labor union", + "social awareness", + "social allegory", + "working class people" + ] + }, + { + "ranking": 575, + "title": "Us Again", + "year": "2021", + "runtime": 7, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.812, + "vote_count": 330, + "description": "In a vibrant city pulsating with rhythm and movement, an elderly man and his young-at-heart wife rekindle their youthful passion for life and each other on one magical night.", + "poster": "https://image.tmdb.org/t/p/w500/IP5g4EDQdvrXxlf1qbG9WQTdI6.jpg", + "url": "https://www.themoviedb.org/movie/779047", + "genres": [ + "Animation", + "Drama", + "Family", + "Romance" + ], + "tags": [ + "new york city", + "dancing", + "rain", + "musical", + "lovers", + "elderly couple", + "short film" + ] + }, + { + "ranking": 581, + "title": "The Specials", + "year": "2019", + "runtime": 114, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.809, + "vote_count": 929, + "description": "For twenty years, Bruno and Malik have lived in a different world—the world of autistic children and teens. In charge of two separate nonprofit organizations (The Hatch & The Shelter), they train young people from underprivileged areas to be caregivers for extreme cases that have been refused by all other institutions. It’s an exceptional partnership, outside of traditional settings, for some quite extraordinary characters.", + "poster": "https://image.tmdb.org/t/p/w500/zJziqrnSOzKiV0TrNVZ3AS0NMKI.jpg", + "url": "https://www.themoviedb.org/movie/579245", + "genres": [ + "Comedy", + "Drama" + ], + "tags": [ + "social worker", + "autism", + "social work", + "affectation", + "attention deficit hyperactivity disorder (adhd)", + "thoughtful", + "wistful", + "didactic", + "witty", + "appreciative", + "assertive", + "celebratory", + "comforting", + "compassionate", + "defiant", + "sympathetic", + "urgent", + "vibrant" + ] + }, + { + "ranking": 583, + "title": "Lisbela and the Prisoner", + "year": "2003", + "runtime": 106, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.8, + "vote_count": 385, + "description": "Lisbela is a young woman who loves going to the movies. Leléu is a con man, going from town to town selling all sort of things and performing as master of ceremonies for some cheesy numbers, such as the woman who gets transformed into a gorilla. He gets involved with Linaura, a sexy and beautiful woman who happens to be the wife of the most frightening hitman of the place. The hitman finds out his wife's affair and goes after Leléu, who has to leave in a hurry. In another town, he meets and falls instantly in love with Lisbela, who is engaged to Douglas, a hillbilly who tries hard to pass for a cosmopolitan Rio de Janeiro dweller.", + "poster": "https://image.tmdb.org/t/p/w500/6x4QUsGfItD1E4zjYpRPES6Hini.jpg", + "url": "https://www.themoviedb.org/movie/52345", + "genres": [ + "Comedy", + "Romance" + ], + "tags": [ + "based on play or musical", + "romance", + "brazilian northeast", + "loving", + "brazilian cinema", + "amused", + "comforting" + ] + }, + { + "ranking": 582, + "title": "The Phantom Carriage", + "year": "1921", + "runtime": 106, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.809, + "vote_count": 324, + "description": "An alcoholic, abusive ne'er-do-well is shown the error of his ways through a legend that dooms the last person to die on New Year's Eve before the clock strikes twelve to take the reins of Death's chariot and work tirelessly collecting fresh souls for the next year.", + "poster": "https://image.tmdb.org/t/p/w500/vmhMEj2d8JnKS5jzqJf4kYypKWN.jpg", + "url": "https://www.themoviedb.org/movie/58129", + "genres": [ + "Drama", + "Fantasy", + "Horror" + ], + "tags": [ + "new year's eve", + "based on novel or book", + "fight", + "poison", + "cemetery", + "phantom", + "flashback", + "consumerism", + "dying wish", + "alcoholic", + "death", + "silent film", + "tuberculosis", + "carriage", + "story within the story", + "salvation army", + "deathbed", + "salvation", + "abused wife", + "subjective" + ] + }, + { + "ranking": 587, + "title": "Luca", + "year": "2021", + "runtime": 95, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.8, + "vote_count": 8479, + "description": "Luca and his best friend Alberto experience an unforgettable summer on the Italian Riviera. But all the fun is threatened by a deeply-held secret: they are sea monsters from another world just below the water’s surface.", + "poster": "https://image.tmdb.org/t/p/w500/9x4i9uKGXt8IiiIF5Ey0DIoY738.jpg", + "url": "https://www.themoviedb.org/movie/508943", + "genres": [ + "Animation", + "Comedy", + "Fantasy", + "Adventure", + "Family" + ], + "tags": [ + "friendship", + "monster", + "italy", + "villain", + "coming of age", + "friends", + "bromance", + "sea monster", + "vespa", + "aftercreditsstinger", + "seaside town", + "1950s", + "pasta", + "water", + "italian riviera", + "pesto" + ] + }, + { + "ranking": 596, + "title": "Harry Potter and the Goblet of Fire", + "year": "2005", + "runtime": 157, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.8, + "vote_count": 21081, + "description": "When Harry Potter's name emerges from the Goblet of Fire, he becomes a competitor in a grueling battle for glory among three wizarding schools—the Triwizard Tournament. But since Harry never submitted his name for the Tournament, who did? Now Harry must confront a deadly dragon, fierce water demons and an enchanted maze only to find himself in the cruel grasp of He Who Must Not Be Named.", + "poster": "https://image.tmdb.org/t/p/w500/fECBtHlr0RB3foNHDiCBXeg9Bv9.jpg", + "url": "https://www.themoviedb.org/movie/674", + "genres": [ + "Adventure", + "Fantasy" + ], + "tags": [ + "witch", + "dying and death", + "based on novel or book", + "magic", + "boarding school", + "world cup", + "maze", + "mermaid", + "school of witchcraft", + "black magic", + "chosen one", + "sequel", + "vision", + "school", + "tournament", + "dragon", + "ghost", + "wizard", + "teenage hero", + "mysterious", + "christmas", + "based on young adult novel" + ] + }, + { + "ranking": 585, + "title": "Interstella 5555: The 5tory of the 5ecret 5tar 5ystem", + "year": "2003", + "runtime": 65, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.8, + "vote_count": 476, + "description": "Four talented alien musicians are kidnapped by a record producer who disguises them as humans. Shep, a space pilot in love with bass player Stella, follows them to Earth. Reprogrammed to forget their real identities and renamed The Crescendolls, the group quickly becomes a huge success playing soulless corporate pop. At a concert, Shep manages to free all the musicians except Stella, and the band sets out to rediscover who they really are — and to rescue Stella.", + "poster": "https://image.tmdb.org/t/p/w500/n0K6mjU8aVnag2mi93FuvJsjZi.jpg", + "url": "https://www.themoviedb.org/movie/11049", + "genres": [ + "Animation", + "Science Fiction", + "Music", + "Adventure" + ], + "tags": [ + "rescue", + "spaceman", + "musical", + "record producer", + "music video", + "alien", + "space", + "anime", + "house music", + "abduction", + "edm", + "admiring", + "amused", + "enthusiastic" + ] + }, + { + "ranking": 595, + "title": "Gifted Hands: The Ben Carson Story", + "year": "2009", + "runtime": 86, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.8, + "vote_count": 707, + "description": "Gifted Hands: The Ben Carson Story is a movie based on the life story of world-renowned neurosurgeon Ben Carson from 1961 to 1987.", + "poster": "https://image.tmdb.org/t/p/w500/4NxxtiqezjUmUxoDTOjO5FeJvFt.jpg", + "url": "https://www.themoviedb.org/movie/22683", + "genres": [ + "Drama" + ], + "tags": [ + "husband wife relationship", + "1970s", + "surgeon", + "biography", + "based on true story", + "doctor", + "detroit, michigan", + "neurosurgeon", + "surgery", + "conjoined twins", + "1980s", + "pediatrician", + "1960s", + "mother son relationship", + "african american", + "medical" + ] + }, + { + "ranking": 584, + "title": "Paprika", + "year": "2006", + "runtime": 90, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.809, + "vote_count": 2542, + "description": "When a machine that allows therapists to enter their patient's dreams is stolen, all hell breaks loose. Only a young female therapist can stop it and recover it before damage is done: Paprika.", + "poster": "https://image.tmdb.org/t/p/w500/bLUUr474Go1DfeN1HLjE3rnZXBq.jpg", + "url": "https://www.themoviedb.org/movie/4977", + "genres": [ + "Animation", + "Science Fiction", + "Thriller" + ], + "tags": [ + "research", + "japan", + "dreams", + "based on novel or book", + "procession", + "psychoanalysis", + "mad scientist", + "dream girl", + "parallel world", + "adult animation", + "dream world", + "anime", + "avant garde" + ] + }, + { + "ranking": 588, + "title": "Solaris", + "year": "1972", + "runtime": 167, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.8, + "vote_count": 1647, + "description": "A psychologist is sent to a space station orbiting a planet called Solaris to investigate the death of a doctor and the mental problems of cosmonauts on the station. He soon discovers that the water on the planet is a type of brain which brings out repressed memories and obsessions.", + "poster": "https://image.tmdb.org/t/p/w500/rXPWl3hBbzivmeCEbMD3LwV2Ada.jpg", + "url": "https://www.themoviedb.org/movie/593", + "genres": [ + "Drama", + "Science Fiction", + "Mystery" + ], + "tags": [ + "loss of sense of reality", + "based on novel or book", + "extraterrestrial technology", + "1970s", + "subconsciousness", + "soviet union", + "hallucination", + "space travel", + "astronaut" + ] + }, + { + "ranking": 591, + "title": "Mulholland Drive", + "year": "2001", + "runtime": 147, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.8, + "vote_count": 6447, + "description": "Blonde Betty Elms has only just arrived in Hollywood to become a movie star when she meets an enigmatic brunette with amnesia. Meanwhile, as the two set off to solve the second woman's identity, filmmaker Adam Kesher runs into ominous trouble while casting his latest project.", + "poster": "https://image.tmdb.org/t/p/w500/x7A59t6ySylr1L7aubOQEA480vM.jpg", + "url": "https://www.themoviedb.org/movie/1018", + "genres": [ + "Thriller", + "Drama", + "Mystery" + ], + "tags": [ + "amnesia", + "loss of sense of reality", + "schizophrenia", + "nightmare", + "hitman", + "suppressed past", + "identity", + "key", + "detective", + "job interview", + "bisexuality", + "trauma", + "hallucination", + "surreal", + "surrealism", + "casting", + "hollywood", + "los angeles, california", + "car accident", + "audition", + "doppelgänger", + "criterion", + "neo-noir", + "bewildered" + ] + }, + { + "ranking": 592, + "title": "Z", + "year": "1969", + "runtime": 127, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.8, + "vote_count": 557, + "description": "Amid a tense political climate, the opposition leader is killed in an apparent accident. When a prosecutor smells a cover-up, witnesses get targeted. A thinly veiled dramatization of the assassination of Greek politician Grigoris Lambrakis and its aftermath, “Z” captures the outrage at the US-backed junta that ruled Greece at the time of its release.", + "poster": "https://image.tmdb.org/t/p/w500/dFAJyFNgvOv24f2RQyI9KDxjGr3.jpg", + "url": "https://www.themoviedb.org/movie/2721", + "genres": [ + "Thriller", + "Crime", + "Drama" + ], + "tags": [ + "central intelligence agency (cia)", + "assassination", + "government", + "corruption", + "police", + "politics", + "fascism", + "greece", + "investigation", + "pacifism", + "coup d'etat", + "anti-communism", + "cover-up", + "conspiracy", + "police corruption", + "political assassination", + "justice", + "right wing", + "government corruption", + "military coup", + "dreyfus affair", + "rally", + "far right", + "greek military junta", + "far-right organization", + "power" + ] + }, + { + "ranking": 594, + "title": "A Woman Under the Influence", + "year": "1974", + "runtime": 155, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.8, + "vote_count": 504, + "description": "Mabel Longhetti, desperate and lonely, is married to a Los Angeles municipal construction worker, Nick. Increasingly unstable, especially in the company of others, she craves happiness, but her extremely volatile behavior convinces Nick that she poses a danger to their family and decides to commit her to an institution for six months. Alone with a trio of kids to raise on his own, he awaits her return, which holds more than a few surprises.", + "poster": "https://image.tmdb.org/t/p/w500/6EJ4JoTxnH1QmGTE9pPzgtW1cLW.jpg", + "url": "https://www.themoviedb.org/movie/29845", + "genres": [ + "Drama" + ], + "tags": [ + "mental breakdown", + "unfaithfulness", + "los angeles, california", + "tense", + "ambivalent", + "cruel", + "disheartening" + ] + }, + { + "ranking": 590, + "title": "3-Iron", + "year": "2004", + "runtime": 88, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.8, + "vote_count": 1167, + "description": "A young man, whose only possession is a motorcycle, spends his time riding around the city looking for empty apartments. After finding one, he hangs out for a while, fixing himself something to eat, washing laundry or making small repairs in return. He always tries to leave before the owners get back but in one ostensibly empty mansion he meets the abused wife of a rich man and she escapes with him.", + "poster": "https://image.tmdb.org/t/p/w500/nHN17NW8amE7iRVtM2VX4OnyxHl.jpg", + "url": "https://www.themoviedb.org/movie/1280", + "genres": [ + "Drama", + "Romance", + "Crime" + ], + "tags": [ + "prison", + "jealousy", + "husband wife relationship", + "love of one's life", + "love triangle", + "mannequin", + "burglar", + "violent husband", + "golf" + ] + }, + { + "ranking": 599, + "title": "Tod@s Caen", + "year": "2019", + "runtime": 120, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.8, + "vote_count": 476, + "description": "A pair of seducers try to prove who has the best techniques while trying not to fall in love with each other.", + "poster": "https://image.tmdb.org/t/p/w500/3FldRByUqkzOPOZzsPO1PRFzbaQ.jpg", + "url": "https://www.themoviedb.org/movie/554590", + "genres": [ + "Comedy" + ], + "tags": [] + }, + { + "ranking": 600, + "title": "Evangelion: 2.0 You Can (Not) Advance", + "year": "2009", + "runtime": 112, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.8, + "vote_count": 893, + "description": "Under constant attack by monstrous creatures called Angels that seek to eradicate humankind, U.N. Special Agency NERV introduces two new EVA pilots to help defend the city of Tokyo-3: the mysterious Makinami Mari Illustrous and the intense Asuka Langley Shikinami. Meanwhile, Gendo Ikari and SEELE proceed with a secret project that involves both Rei and Shinji.", + "poster": "https://image.tmdb.org/t/p/w500/7VLYN2CfJpB6PrcuzDKKqdGSUi6.jpg", + "url": "https://www.themoviedb.org/movie/22843", + "genres": [ + "Animation", + "Science Fiction", + "Action", + "Drama" + ], + "tags": [ + "post-apocalyptic future", + "alien", + "anthropomorphism", + "tragedy", + "mecha", + "giant robot", + "piloted robot", + "apocalypse", + "alien invasion", + "military", + "angst", + "anime", + "father son conflict", + "based on tv series" + ] + }, + { + "ranking": 598, + "title": "One Life", + "year": "2023", + "runtime": 109, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.8, + "vote_count": 786, + "description": "British stockbroker Nicholas Winton visits Czechoslovakia in the 1930s and forms plans to assist in the rescue of Jewish children before the onset of World War II, in an operation that came to be known as the Kindertransport.", + "poster": "https://image.tmdb.org/t/p/w500/yvnIWt2j8VnDgwKJE2VMiFMa2Qo.jpg", + "url": "https://www.themoviedb.org/movie/760774", + "genres": [ + "History", + "Drama" + ], + "tags": [ + "world war ii", + "deportation", + "czechoslovakia", + "biography", + "based on true story", + "refugee train", + "war hero", + "nazi invasion", + "jewish family", + "kindertransport", + "jewish refugee", + "1930s", + "semi-biographical", + "pre-war", + "jewish history", + "jews", + "nazi germany", + "jews in hiding", + "dramatic", + "jewish child", + "jewish community" + ] + }, + { + "ranking": 593, + "title": "My Life as a Zucchini", + "year": "2016", + "runtime": 66, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.8, + "vote_count": 1384, + "description": "After his mother’s death, Zucchini is befriended by a kind police officer, Raymond, who accompanies him to his new foster home filled with other orphans his age. There, with the help of his newfound friends, Zucchini eventually learns to trust and love as he searches for a new family of his own.", + "poster": "https://image.tmdb.org/t/p/w500/2uu8fIzl76C9MFiUQhjKYSLKVq.jpg", + "url": "https://www.themoviedb.org/movie/393559", + "genres": [ + "Animation", + "Comedy", + "Drama", + "Family" + ], + "tags": [ + "orphanage", + "thief", + "stop motion", + "police officer", + "alcoholic", + "adult animation" + ] + }, + { + "ranking": 586, + "title": "Pirates of the Caribbean: The Curse of the Black Pearl", + "year": "2003", + "runtime": 143, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.8, + "vote_count": 21011, + "description": "After Port Royal is attacked and pillaged by a mysterious pirate crew, capturing the governor's daughter Elizabeth Swann in the process, William Turner asks free-willing pirate Jack Sparrow to help him locate the crew's ship—The Black Pearl—so that he can rescue the woman he loves.", + "poster": "https://image.tmdb.org/t/p/w500/z8onk7LV9Mmw6zKz4hT6pzzvmvl.jpg", + "url": "https://www.themoviedb.org/movie/22", + "genres": [ + "Adventure", + "Fantasy", + "Action" + ], + "tags": [ + "blacksmith", + "gold", + "exotic island", + "governor", + "skeleton", + "jamaica", + "british empire", + "pirate", + "swashbuckler", + "18th century", + "caribbean sea", + "aftercreditsstinger", + "pirate ship", + "british navy", + "tortuga", + "based on theme park ride", + "amused", + "antagonistic", + "assertive" + ] + }, + { + "ranking": 597, + "title": "Monty Python and the Holy Grail", + "year": "1975", + "runtime": 91, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.801, + "vote_count": 5933, + "description": "King Arthur, accompanied by his squire, recruits his Knights of the Round Table, including Sir Bedevere the Wise, Sir Lancelot the Brave, Sir Robin the Not-Quite-So-Brave-As-Sir-Lancelot and Sir Galahad the Pure. On the way, Arthur battles the Black Knight who, despite having had all his limbs chopped off, insists he can still fight. They reach Camelot, but Arthur decides not to enter, as \"it is a silly place\".", + "poster": "https://image.tmdb.org/t/p/w500/hWx1ANiWEWWyzKPN0us35HCGnhQ.jpg", + "url": "https://www.themoviedb.org/movie/762", + "genres": [ + "Adventure", + "Comedy", + "Fantasy" + ], + "tags": [ + "holy grail", + "swordplay", + "england", + "monk", + "wedding reception", + "scotland yard", + "midnight movie", + "animal attack", + "camelot", + "round table", + "chapter", + "satire", + "parody", + "breaking the fourth wall", + "knight", + "king arthur", + "knights of the round table", + "frantic", + "candid", + "10th century", + "anarchic comedy", + "mischievous", + "playful", + "absurd", + "joyful" + ] + }, + { + "ranking": 589, + "title": "Fantastic Mr. Fox", + "year": "2009", + "runtime": 87, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.806, + "vote_count": 5567, + "description": "The Fantastic Mr. Fox, bored with his current life, plans a heist against the three local farmers. The farmers, tired of sharing their chickens with the sly fox, seek revenge against him and his family.", + "poster": "https://image.tmdb.org/t/p/w500/njbTizADSZg4PqeyJdDzZGooikv.jpg", + "url": "https://www.themoviedb.org/movie/10315", + "genres": [ + "Adventure", + "Animation", + "Comedy", + "Family" + ], + "tags": [ + "based on novel or book", + "tree", + "peasant", + "fox", + "affectation", + "cider", + "tale", + "farm life", + "anthropomorphism", + "revenge", + "stop motion", + "curious", + "candid", + "philosophical", + "reflective", + "inspirational", + "dramatic", + "witty", + "intense", + "admiring", + "adoring", + "ambiguous", + "euphoric", + "optimistic" + ] + }, + { + "ranking": 602, + "title": "Porco Rosso", + "year": "1992", + "runtime": 93, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.799, + "vote_count": 3365, + "description": "In Italy in the 1930s, sky pirates in biplanes terrorize wealthy cruise ships as they sail the Adriatic Sea. The only pilot brave enough to stop the scourge is the mysterious Porco Rosso, a former World War I flying ace who was somehow turned into a pig during the war. As he prepares to battle the pirate crew's American ace, Porco Rosso enlists the help of spunky girl mechanic Fio Piccolo and his longtime friend Madame Gina.", + "poster": "https://image.tmdb.org/t/p/w500/8mIvSvnVBApfORL9N6S38Q7wD6A.jpg", + "url": "https://www.themoviedb.org/movie/11621", + "genres": [ + "Family", + "Comedy", + "Animation", + "Adventure" + ], + "tags": [ + "beach", + "mediterranean", + "italy", + "fascism", + "transformation", + "singer", + "war hero", + "air pirate", + "anime", + "playful", + "witty", + "adventure" + ] + }, + { + "ranking": 603, + "title": "Toy Story 3", + "year": "2010", + "runtime": 103, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.8, + "vote_count": 14886, + "description": "Woody, Buzz, and the rest of Andy's toys haven't been played with in years. With Andy about to go to college, the gang find themselves accidentally left at a nefarious day care center. The toys must band together to escape and return home to Andy.", + "poster": "https://image.tmdb.org/t/p/w500/AbbXspMOwdvwWZgVN0nabZq03Ec.jpg", + "url": "https://www.themoviedb.org/movie/10193", + "genres": [ + "Animation", + "Family", + "Comedy" + ], + "tags": [ + "escape", + "hostage", + "college", + "villain", + "sequel", + "buddy", + "daycare", + "teddy bear", + "duringcreditsstinger", + "toy comes to life", + "personification", + "inanimate objects come to life" + ] + }, + { + "ranking": 601, + "title": "Spring, Summer, Fall, Winter... and Spring", + "year": "2003", + "runtime": 103, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.8, + "vote_count": 1090, + "description": "An isolated lake, where an old monk lives in a small floating temple. The monk has a young boy living with him, learning to become a monk. We watch as seasons and years pass by.", + "poster": "https://image.tmdb.org/t/p/w500/6SQQ5REuAz7k0FMQ9mSCT40T2LN.jpg", + "url": "https://www.themoviedb.org/movie/113", + "genres": [ + "Drama" + ], + "tags": [ + "dying and death", + "life and death", + "countryside", + "temple", + "isolation", + "buddhism", + "buddhist monk", + "becoming an adult", + "mountain lake", + "meditation", + "attachment to nature", + "religious education", + "season", + "cycle", + "penalty", + "mortification", + "restart", + "taskmaster", + "philosophy", + "child", + "contemplative cinema" + ] + }, + { + "ranking": 611, + "title": "Freaks", + "year": "1932", + "runtime": 66, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.8, + "vote_count": 1207, + "description": "A circus' beautiful trapeze artist agrees to marry the leader of side-show performers, but his deformed friends discover she is only marrying him for his inheritance.", + "poster": "https://image.tmdb.org/t/p/w500/fX2Wxd0W9E7eVClUd8kJTfennoV.jpg", + "url": "https://www.themoviedb.org/movie/136", + "genres": [ + "Drama", + "Horror" + ], + "tags": [ + "infidelity", + "dwarf", + "attempted murder", + "clown", + "beauty", + "carnival", + "romance", + "revenge", + "murder", + "newlywed", + "pre-code", + "bigotry", + "disability", + "sideshow", + "told in flashback", + "speech impediment", + "trapeze artist", + "stutterer", + "deformity", + "conjoined twins", + "freak", + "armless", + "midgets", + "midget", + "bareback rider", + "legless man", + "poisoned drink", + "pseudo-hermaphrodite", + "bearded lady", + "microcephalics", + "human skeleton" + ] + }, + { + "ranking": 614, + "title": "Presto", + "year": "2008", + "runtime": 5, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.793, + "vote_count": 1005, + "description": "Dignity. Poise. Mystery. We expect nothing less from the great turn-of-the-century magician, Presto. But when Presto neglects to feed his rabbit one too many times, the magician finds he isn't the only one with a few tricks up his sleeve!", + "poster": "https://image.tmdb.org/t/p/w500/mWRgBxm7twwntbrX0xZlY8lw3aV.jpg", + "url": "https://www.themoviedb.org/movie/13042", + "genres": [ + "Animation", + "Family", + "Comedy" + ], + "tags": [ + "rescue", + "magic", + "bunny", + "stage", + "banjo", + "rabbi", + "rope", + "anger", + "magician", + "short film" + ] + }, + { + "ranking": 618, + "title": "God's Own Country", + "year": "2017", + "runtime": 105, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.8, + "vote_count": 910, + "description": "A young farmer in rural Yorkshire numbs his daily frustrations with binge drinking and casual sex, until the arrival of a Romanian migrant worker.", + "poster": "https://image.tmdb.org/t/p/w500/rK8SmSvF5smhJOjenGfFAE5j6f4.jpg", + "url": "https://www.themoviedb.org/movie/428493", + "genres": [ + "Romance", + "Drama" + ], + "tags": [ + "sheep", + "countryside", + "isolation", + "farm life", + "yorkshire", + "loneliness", + "rural area", + "migrant farmworker", + "farmer", + "british pub", + "stroke", + "lgbt", + "responsibility", + "migrant worker", + "romanian", + "animal agriculture", + "gay romance", + "gay theme", + "boys' love (bl)", + "admiring", + "amused" + ] + }, + { + "ranking": 609, + "title": "Into the Wild", + "year": "2007", + "runtime": 148, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.8, + "vote_count": 9635, + "description": "After graduating from Emory University in 1992, top student and athlete Christopher McCandless abandons his possessions, gives his entire $24,000 savings account to charity, and hitchhikes to Alaska to live in the wilderness.", + "poster": "https://image.tmdb.org/t/p/w500/jnLnLYP5pGDfri04gxtAqAvkHMw.jpg", + "url": "https://www.themoviedb.org/movie/5915", + "genres": [ + "Adventure", + "Drama" + ], + "tags": [ + "parent child relationship", + "self-discovery", + "camping", + "wilderness", + "biography", + "based on true story", + "road trip", + "alaska", + "starvation", + "journey", + "bold" + ] + }, + { + "ranking": 617, + "title": "Words on Bathroom Walls", + "year": "2020", + "runtime": 111, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.8, + "vote_count": 622, + "description": "Diagnosed with a mental illness halfway through his senior year of high school, a witty, introspective teen struggles to keep it a secret while falling in love with a brilliant classmate who inspires him to open his heart and not be defined by his condition.", + "poster": "https://image.tmdb.org/t/p/w500/sTtcwfTjE9jaU0928xjUXNtmmyr.jpg", + "url": "https://www.themoviedb.org/movie/523781", + "genres": [ + "Drama", + "Romance" + ], + "tags": [ + "high school", + "schizophrenia", + "narration", + "cooking", + "tutor", + "catholic school", + "valedictorian", + "confession booth", + "hearing voices", + "protective mother", + "teenage protagonist", + "based on young adult novel" + ] + }, + { + "ranking": 607, + "title": "The Perks of Being a Wallflower", + "year": "2012", + "runtime": 103, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.8, + "vote_count": 10616, + "description": "Pittsburgh, Pennsylvania, 1991. High school freshman Charlie is a wallflower, always watching life from the sidelines, until two senior students, Sam and her stepbrother Patrick, become his mentors, helping him discover the joys of friendship, music and love.", + "poster": "https://image.tmdb.org/t/p/w500/aKCvdFFF5n80P2VdS7d8YBwbCjh.jpg", + "url": "https://www.themoviedb.org/movie/84892", + "genres": [ + "Drama" + ], + "tags": [ + "school friend", + "depression", + "high school", + "friendship", + "based on novel or book", + "trauma", + "coming of age", + "freshman", + "school", + "teenage boy", + "high school student", + "first love", + "aunt nephew relationship", + "lgbt", + "mental health", + "lgbt teen", + "pittsburgh, pennsylvania", + "candid", + "thoughtful", + "1990s", + "based on young adult novel", + "gay theme", + "serious", + "boys' love (bl)", + "teenager", + "reminiscent", + "romantic", + "admiring", + "amused", + "appreciative" + ] + }, + { + "ranking": 604, + "title": "The Wrong Trousers", + "year": "1993", + "runtime": 30, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.799, + "vote_count": 1050, + "description": "Wallace rents out Gromit's former bedroom to a penguin, who takes up an interest in the techno pants created by Wallace. However, Gromit later learns that the penguin is a wanted criminal. Preserved by the Academy Film Archive.", + "poster": "https://image.tmdb.org/t/p/w500/mV8SDTjkxrDxu0a0egvFz1lRPU7.jpg", + "url": "https://www.themoviedb.org/movie/531", + "genres": [ + "Animation", + "Comedy", + "Family" + ], + "tags": [ + "robbery", + "inventor", + "diamond", + "human animal relationship", + "penguin", + "telecontrol", + "villain", + "surrealism", + "anthropomorphism", + "betrayal", + "stop motion", + "criminal", + "dog", + "jewel heist", + "claymation", + "plasticine", + "short film", + "preserved film" + ] + }, + { + "ranking": 610, + "title": "L.A. Confidential", + "year": "1997", + "runtime": 138, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.8, + "vote_count": 5075, + "description": "Three detectives in the corrupt and brutal L.A. police force of the 1950s use differing methods to uncover a conspiracy behind the shotgun slayings of the patrons at an all-night diner.", + "poster": "https://image.tmdb.org/t/p/w500/lWCgf5sD5FpMljjpkRhcC8pXcch.jpg", + "url": "https://www.themoviedb.org/movie/2118", + "genres": [ + "Crime", + "Mystery", + "Thriller", + "Drama" + ], + "tags": [ + "corruption", + "based on novel or book", + "call girl", + "shotgun", + "detective", + "femme fatale", + "domestic violence", + "whodunit", + "corpse", + "district attorney", + "movie star", + "good cop bad cop", + "angry", + "aggressive", + "neo-noir", + "zealous", + "1950s", + "vindictive", + "admiring", + "approving", + "vibrant" + ] + }, + { + "ranking": 605, + "title": "Land of Mine", + "year": "2015", + "runtime": 100, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.798, + "vote_count": 1397, + "description": "In the days following the surrender of Germany in May 1945, a group of young German prisoners of war is handed over to the Danish authorities and subsequently sent to the West Coast, where they are ordered to remove the more than two million mines that the Germans had placed in the sand along the coast. With their bare hands, crawling around in the sand, the boys are forced to perform the dangerous work under the leadership of a Danish sergeant.", + "poster": "https://image.tmdb.org/t/p/w500/7TOYH2VDnYbXpBKlrkdQZUSC3Du.jpg", + "url": "https://www.themoviedb.org/movie/335578", + "genres": [ + "War", + "Drama", + "History" + ], + "tags": [ + "beach", + "prisoner of war", + "post world war ii", + "land mine", + "1940s", + "minefield", + "sudden death", + "boy soldier", + "meager rations" + ] + }, + { + "ranking": 612, + "title": "Io Capitano", + "year": "2023", + "runtime": 121, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.8, + "vote_count": 726, + "description": "Longing for a brighter future, two Senegalese teenagers embark on a journey from West Africa to Italy. However, between their dreams and reality lies a labyrinth of checkpoints, the Sahara Desert, and the vast waters of the Mediterranean.", + "poster": "https://image.tmdb.org/t/p/w500/kGlZFwUQI5gAUdySNFfqGIkAF9n.jpg", + "url": "https://www.themoviedb.org/movie/937746", + "genres": [ + "Adventure", + "Drama" + ], + "tags": [ + "africa", + "europe", + "migration", + "senegal", + "migrant", + "dakar" + ] + }, + { + "ranking": 615, + "title": "Teen Titans: Trouble in Tokyo", + "year": "2006", + "runtime": 75, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.794, + "vote_count": 407, + "description": "After a battle with a high-tech villain named, Saiko-Tek, the Teen Titans travel to the city of Tokyo where they find themselves embroiled in a conflict with an ancient enemy.", + "poster": "https://image.tmdb.org/t/p/w500/4wMlDE1HzkVyYeDKuY1oDOWQlN2.jpg", + "url": "https://www.themoviedb.org/movie/16237", + "genres": [ + "Animation", + "Action", + "Science Fiction", + "TV Movie" + ], + "tags": [ + "villain", + "fraud", + "based on comic", + "tokyo, japan", + "arrested", + "teen superhero", + "series finale" + ] + }, + { + "ranking": 606, + "title": "Die Hard", + "year": "1988", + "runtime": 132, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.798, + "vote_count": 11426, + "description": "NYPD cop John McClane's plan to reconcile with his estranged wife is thrown for a serious loop when, minutes after he arrives at her offices Christmas Party, the entire building is overtaken by a group of terrorists. With little help from the LAPD, wisecracking McClane sets out to single-handedly rescue the hostages and bring the bad guys down.", + "poster": "https://image.tmdb.org/t/p/w500/1NnCbaFaWgHczKjH5Eii46VmpPp.jpg", + "url": "https://www.themoviedb.org/movie/562", + "genres": [ + "Action", + "Thriller" + ], + "tags": [ + "husband wife relationship", + "based on novel or book", + "s.w.a.t.", + "fbi", + "christmas party", + "vault", + "heist", + "murder", + "shootout", + "los angeles, california", + "terrorism", + "one man army", + "explosion", + "police officer", + "hostage negotiator", + "one night", + "lapd", + "aggressive", + "christmas", + "1980s", + "action hero", + "german", + "hostages", + "heist thriller", + "patrol officer", + "furious", + "high octane", + "intense", + "commanding", + "defiant", + "euphoric" + ] + }, + { + "ranking": 608, + "title": "One Hundred Steps", + "year": "2000", + "runtime": 114, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.796, + "vote_count": 682, + "description": "Peppino Impastato is a quick-witted lad growing up in 1970s Sicily. Despite hailing from a family with Mafia ties and living just one hundred steps from the house of local boss Tano Badalamenti, Peppino decides to expose the Mafia by using a pirate radio station to broadcast his political pronouncements in the form of ironic humour.", + "poster": "https://image.tmdb.org/t/p/w500/dpQpjLslfQlpDv7eCVRDPQAKgqs.jpg", + "url": "https://www.themoviedb.org/movie/29458", + "genres": [ + "Drama", + "History" + ], + "tags": [ + "sicily, italy", + "biography", + "based on true story", + "pirate radio", + "counter-culture", + "political activist", + "sicilian mafia", + "anti-mafia", + "few against many" + ] + }, + { + "ranking": 613, + "title": "I Saw the Devil", + "year": "2010", + "runtime": 144, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.8, + "vote_count": 2684, + "description": "Kyung-chul is a dangerous psychopath who kills for pleasure. Soo-hyeon, a top-secret agent, decides to track down the murderer himself. He promises himself that he will do everything in his power to take vengeance against the killer, even if it means that he must become a monster himself.", + "poster": "https://image.tmdb.org/t/p/w500/zp5NrmYp80axIGiEiYPmm1CW6uH.jpg", + "url": "https://www.themoviedb.org/movie/49797", + "genres": [ + "Thriller", + "Horror" + ], + "tags": [ + "psychopath", + "cemetery", + "police chief", + "secret agent", + "revenge", + "murder", + "serial killer", + "mercilessness", + "severed head", + "brutality", + "cannibal", + "tracking device", + "south korea", + "sadistic killer" + ] + }, + { + "ranking": 616, + "title": "The Last Laugh", + "year": "1924", + "runtime": 90, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.8, + "vote_count": 311, + "description": "An aging doorman, after being fired from his prestigious job at a luxurious hotel is forced to face the scorn of his friends, neighbours and society.", + "poster": "https://image.tmdb.org/t/p/w500/7Y6Dxr3oYt1w7ew70YNdLLDYEjk.jpg", + "url": "https://www.themoviedb.org/movie/5991", + "genres": [ + "Drama" + ], + "tags": [ + "hotel", + "uniform", + "rain", + "cigar smoking", + "inheritance", + "gossip", + "silent film", + "imagery", + "noisy neighbor", + "bible quote", + "tip", + "porter", + "german expressionism" + ] + }, + { + "ranking": 620, + "title": "Scent of a Woman", + "year": "1992", + "runtime": 156, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.788, + "vote_count": 3540, + "description": "Charlie Simms is a student at a private preparatory school who comes from a poor family. To earn the money for his flight home to Gresham, Oregon for Christmas, Charlie takes a job over Thanksgiving looking after retired U.S. Army officer Lieutenant Colonel Frank Slade, a cantankerous middle-aged man who lives with his niece and her family.", + "poster": "https://image.tmdb.org/t/p/w500/4adI7IaveWb7EidYXfLb3MK3CgO.jpg", + "url": "https://www.themoviedb.org/movie/9475", + "genres": [ + "Drama", + "Comedy" + ], + "tags": [ + "vietnam veteran", + "new york city", + "blindness and impaired vision", + "scholarship", + "boarding school", + "tango", + "thanksgiving", + "limousine", + "new hampshire", + "colonel", + "prank", + "blind", + "tears", + "new england", + "perfume", + "change of heart", + "preparatory school", + "ex military", + "blind man", + "cantankerous", + "ferrari" + ] + }, + { + "ranking": 619, + "title": "The Man Who Shot Liberty Valance", + "year": "1962", + "runtime": 123, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.8, + "vote_count": 1174, + "description": "Questions arise when Senator Stoddard attends the funeral of a local man named Tom Doniphon in a small Western town. Flashing back, we learn Doniphon saved Stoddard, then a lawyer, when he was roughed up by a crew of outlaws terrorizing the town, led by Liberty Valance. As the territory's safety hung in the balance, Doniphon and Stoddard, two of the only people standing up to him, proved to be very important, but different, foes to Valance.", + "poster": "https://image.tmdb.org/t/p/w500/4C1R0LEivLjbv3swAzJfzh0tzXl.jpg", + "url": "https://www.themoviedb.org/movie/11697", + "genres": [ + "Western" + ], + "tags": [ + "gunslinger", + "showdown", + "funeral", + "legend", + "ranch", + "outlaw", + "lawyer", + "black and white", + "stagecoach", + "cowboy" + ] + }, + { + "ranking": 621, + "title": "A Short Film About Love", + "year": "1988", + "runtime": 87, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.8, + "vote_count": 378, + "description": "19-year-old Tomek whiles away his lonely life by spying on his opposite neighbour Magda through binoculars. She's an artist in her mid-thirties, and appears to have everything - not least a constant stream of men at her beck and call. But when the two finally meet, they discover that they have a lot more in common than appeared at first sight...", + "poster": "https://image.tmdb.org/t/p/w500/kLAMz50Or2So1aEzHYv0R8iXo46.jpg", + "url": "https://www.themoviedb.org/movie/31056", + "genres": [ + "Drama", + "Romance" + ], + "tags": [ + "love", + "wistful", + "hopeful" + ] + }, + { + "ranking": 625, + "title": "Polisse", + "year": "2011", + "runtime": 123, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.786, + "vote_count": 1241, + "description": "Paris, France. Fred and his colleagues, members of the BPM, the Police Child Protection Unit, dedicated to pursuing all sorts of offenses committed against the weakest, must endure the scrutiny of Melissa, a photographer commissioned to graphically document the daily routine of the team.", + "poster": "https://image.tmdb.org/t/p/w500/cKs3XSFVbFeZcH3g9geAvr6ApOl.jpg", + "url": "https://www.themoviedb.org/movie/71157", + "genres": [ + "Drama", + "Crime" + ], + "tags": [ + "husband wife relationship", + "paris, france", + "family relationships", + "co-workers relationship", + "extramarital affair", + "photojournalism", + "woman director", + "abused child" + ] + }, + { + "ranking": 628, + "title": "The Best Years of Our Lives", + "year": "1946", + "runtime": 171, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.785, + "vote_count": 667, + "description": "It's the hope that sustains the spirit of every GI: the dream of the day when he will finally return home. For three WWII veterans, the day has arrived. But for each man, the dream is about to become a nightmare.", + "poster": "https://image.tmdb.org/t/p/w500/gd5EoAU4MM57sW3vlWxJ0NMM8cV.jpg", + "url": "https://www.themoviedb.org/movie/887", + "genres": [ + "Drama", + "Romance", + "War" + ], + "tags": [ + "post-traumatic stress disorder (ptsd)", + "war veteran", + "world war ii", + "bodily disabled person", + "rehabilitation", + "black and white", + "romantic" + ] + }, + { + "ranking": 624, + "title": "Don't Be Bad", + "year": "2015", + "runtime": 100, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.786, + "vote_count": 987, + "description": "A story set in the 90s and in the outskirts of Rome to Ostia. A world where money, luxury cars, night clubs, cocaine and synthetic drugs are easy to run. A world in which Vittorio and Cesare, in their early twenties, act in search of their success.", + "poster": "https://image.tmdb.org/t/p/w500/taSfNqBkM6fVexayWLKcqHxMg7a.jpg", + "url": "https://www.themoviedb.org/movie/359156", + "genres": [ + "Crime", + "Drama" + ], + "tags": [ + "friendship", + "robbery", + "italy", + "heroin", + "ecstasy", + "cocaine", + "flashback", + "drugs", + "transsexual", + "1990s" + ] + }, + { + "ranking": 622, + "title": "Rocky", + "year": "1976", + "runtime": 120, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.8, + "vote_count": 8034, + "description": "An uneducated collector for a Philadelphia loan shark is given a once-in-a-lifetime opportunity to fight against the world heavyweight boxing champion.", + "poster": "https://image.tmdb.org/t/p/w500/8kEun6U9hTddM7NEfLLCGQKU2Mp.jpg", + "url": "https://www.themoviedb.org/movie/1366", + "genres": [ + "Drama" + ], + "tags": [ + "underdog", + "philadelphia, pennsylvania", + "transporter", + "love of one's life", + "italian american", + "sports", + "fight", + "independence", + "publicity", + "boxer", + "training", + "lovers", + "world champion", + "victory", + "surprise", + "boxing", + "absurd", + "hopeful" + ] + }, + { + "ranking": 623, + "title": "Whiplash", + "year": "2013", + "runtime": 18, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.786, + "vote_count": 370, + "description": "A ferocious, bullying music teacher teaches a dedicated student.", + "poster": "https://image.tmdb.org/t/p/w500/wLhAUPJQfjVcY0QcZ8cr6LzWZTi.jpg", + "url": "https://www.themoviedb.org/movie/367412", + "genres": [ + "Drama", + "Music" + ], + "tags": [ + "music teacher", + "jazz band", + "verbal abuse", + "short film", + "proof of concept" + ] + }, + { + "ranking": 626, + "title": "The Wind Rises", + "year": "2013", + "runtime": 126, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.785, + "vote_count": 3085, + "description": "A lifelong love of flight inspires Japanese aviation engineer Jiro Horikoshi, whose storied career includes the creation of the A-6M World War II fighter plane.", + "poster": "https://image.tmdb.org/t/p/w500/jfwSexzlIzaOgxP9A8bTA6t8YYb.jpg", + "url": "https://www.themoviedb.org/movie/149870", + "genres": [ + "Drama", + "Animation", + "Romance", + "War", + "History" + ], + "tags": [ + "japan", + "airplane", + "flying", + "world war ii", + "earthquake", + "biography", + "great depression", + "pacific war", + "love", + "tuberculosis", + "adult animation", + "anime" + ] + }, + { + "ranking": 637, + "title": "Rififi", + "year": "1955", + "runtime": 118, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.8, + "vote_count": 576, + "description": "Out of prison after a five-year stretch, jewel thief Tony turns down a quick job his friend Jo offers him, until he discovers that his old girlfriend Mado has become the lover of local gangster Pierre Grutter during Tony's absence. Expanding a minor smash-and-grab into a full-scale jewel heist, Tony and his crew appear to get away clean, but their actions after the job is completed threaten the lives of everyone involved.", + "poster": "https://image.tmdb.org/t/p/w500/heVdAFNZUxXVmO6jiJcEHCvI5lK.jpg", + "url": "https://www.themoviedb.org/movie/934", + "genres": [ + "Crime", + "Thriller", + "Drama" + ], + "tags": [ + "paris, france", + "italian", + "jewelry", + "nightclub", + "safe", + "heist", + "burglary", + "newspaper stand", + "silhouetted dancer", + "tuberculosis", + "cleaner" + ] + }, + { + "ranking": 630, + "title": "The Dark Knight Rises", + "year": "2012", + "runtime": 165, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.784, + "vote_count": 23087, + "description": "Following the death of District Attorney Harvey Dent, Batman assumes responsibility for Dent's crimes to protect the late attorney's reputation and is subsequently hunted by the Gotham City Police Department. Eight years later, Batman encounters the mysterious Selina Kyle and the villainous Bane, a new terrorist leader who overwhelms Gotham's finest. The Dark Knight resurfaces to protect a city that has branded him an enemy.", + "poster": "https://image.tmdb.org/t/p/w500/hr0L2aueqlP2BYUblTTjmtn0hw4.jpg", + "url": "https://www.themoviedb.org/movie/49026", + "genres": [ + "Action", + "Crime", + "Drama", + "Thriller" + ], + "tags": [ + "airplane", + "fight", + "burglar", + "hostage", + "secret identity", + "crime fighter", + "superhero", + "villainess", + "time bomb", + "based on comic", + "cover-up", + "vigilante", + "tragic hero", + "mobile", + "terrorism", + "destruction", + "fighting", + "criminal underworld", + "cat burglar", + "flood" + ] + }, + { + "ranking": 627, + "title": "Forbidden Games", + "year": "1952", + "runtime": 87, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.8, + "vote_count": 317, + "description": "Orphaned after a Nazi air raid, Paulette, a young Parisian girl, runs into Michel, an older peasant boy, and the two quickly become close. Together, they try to make sense of the chaotic and crumbling world around them, attempting to cope with death as they create a burial ground for Paulette's deceased pet dog. Eventually, however, Paulette's stay with Michel's family is threatened by the harsh realities of wartime.", + "poster": "https://image.tmdb.org/t/p/w500/nby91GNVXQAv1NmKvqlpEEdhcMQ.jpg", + "url": "https://www.themoviedb.org/movie/5000", + "genres": [ + "Drama", + "War" + ], + "tags": [ + "france", + "countryside", + "funeral", + "world war ii", + "exodus", + "foster parents", + "death", + "cross", + "post war", + "abandonment", + "children in wartime" + ] + }, + { + "ranking": 635, + "title": "Dune", + "year": "2021", + "runtime": 155, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.782, + "vote_count": 13367, + "description": "Paul Atreides, a brilliant and gifted young man born into a great destiny beyond his understanding, must travel to the most dangerous planet in the universe to ensure the future of his family and his people. As malevolent forces explode into conflict over the planet's exclusive supply of the most precious resource in existence-a commodity capable of unlocking humanity's greatest potential-only those who can conquer their fear will survive.", + "poster": "https://image.tmdb.org/t/p/w500/d5NXSklXo0qyIYkgV94XAgMIckC.jpg", + "url": "https://www.themoviedb.org/movie/438631", + "genres": [ + "Science Fiction", + "Adventure" + ], + "tags": [ + "empire", + "future", + "epic", + "army", + "based on novel or book", + "prophecy", + "dystopia", + "emperor", + "sand", + "spice", + "hallucinogen", + "treason", + "baron", + "revenge", + "premonition", + "betrayal", + "space", + "water shortage", + "creature", + "desert", + "knife fight", + "destiny", + "giant worm", + "space opera", + "sand dune", + "messiah", + "domineering", + "mother son relationship", + "wonder", + "giant creature", + "suspenseful", + "intense", + "bold", + "commanding", + "foreboding", + "powerful" + ] + }, + { + "ranking": 632, + "title": "Close", + "year": "2022", + "runtime": 104, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.8, + "vote_count": 840, + "description": "Two 13-year-old boys spend an idyllic summer together, but their connection is put to the test when they become the subject of speculation at school.", + "poster": "https://image.tmdb.org/t/p/w500/hjoSRso1ZslGWHowrVtBIfNT56b.jpg", + "url": "https://www.themoviedb.org/movie/901563", + "genres": [ + "Drama" + ], + "tags": [ + "friendship", + "suicide", + "forgiveness", + "male friendship", + "bullying", + "ice hockey", + "coming of age", + "grief", + "best friend", + "teenage boy", + "bike", + "guilt", + "childhood", + "lgbt", + "childhood friends", + "peer pressure", + "masculinity", + "intimacy", + "death of best friend", + "field trip", + "boyhood", + "vulnerability", + "oboe", + "boys' love (bl)", + "lgbt child", + "powerful" + ] + }, + { + "ranking": 631, + "title": "Brokeback Mountain", + "year": "2005", + "runtime": 134, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.8, + "vote_count": 7107, + "description": "In 1960s Wyoming, two men develop a strong emotional and sexual relationship that endures as a lifelong connection complicating their lives as they get married and start families of their own.", + "poster": "https://image.tmdb.org/t/p/w500/aByfQOQBNa4CMFwIgq3QrqY2ZHh.jpg", + "url": "https://www.themoviedb.org/movie/142", + "genres": [ + "Drama", + "Romance" + ], + "tags": [ + "secret love", + "wyoming, usa", + "countryside", + "homophobia", + "marriage crisis", + "intolerance", + "in the closet", + "summer", + "cowboy", + "lgbt", + "star crossed lovers", + "1960s", + "closeted homosexual", + "gay romance", + "gay theme", + "gay relationship", + "boys' love (bl)", + "melodramatic" + ] + }, + { + "ranking": 636, + "title": "Temple Grandin", + "year": "2010", + "runtime": 108, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.8, + "vote_count": 478, + "description": "A biopic of Temple Grandin, an autistic American who has become one of the leading scientists in humane livestock handling.", + "poster": "https://image.tmdb.org/t/p/w500/7zcylW4oBLAaShlnUNfrtRZy3Iu.jpg", + "url": "https://www.themoviedb.org/movie/33602", + "genres": [ + "Drama", + "History" + ], + "tags": [ + "boston, massachusetts", + "veterinarian", + "autism", + "biography", + "new hampshire", + "slaughterhouse", + "university", + "livestock" + ] + }, + { + "ranking": 634, + "title": "The Twilight Samurai", + "year": "2002", + "runtime": 129, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.8, + "vote_count": 320, + "description": "Seibei Iguchi leads a difficult life as a low ranking samurai at the turn of the nineteenth century. A widower with a meager income, Seibei struggles to take care of his two daughters and senile mother. New prospects seem to open up when the beautiful Tomoe, a childhood friend, comes back into he and his daughters' life, but as the Japanese feudal system unravels, Seibei is still bound by the code of honor of the samurai and by his own sense of social precedence. How can he find a way to do what is best for those he loves?", + "poster": "https://image.tmdb.org/t/p/w500/bB2M8UF8wc9flfGWkcgkTTf8Mzr.jpg", + "url": "https://www.themoviedb.org/movie/12496", + "genres": [ + "Drama", + "Romance" + ], + "tags": [ + "daughter", + "japan", + "samurai", + "based on novel or book", + "sword", + "mission of murder", + "teacher", + "sword fight", + "honor", + "period drama", + "historical", + "widower", + "jidaigeki", + "feudal japan", + "19th century", + "bushi", + "bakumatsu", + "earnest", + "sincere" + ] + }, + { + "ranking": 633, + "title": "Bajrangi Bhaijaan", + "year": "2015", + "runtime": 159, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.783, + "vote_count": 493, + "description": "A young mute girl from Pakistan loses herself in India with no way to head back. A devoted man with a magnanimous spirit undertakes the task to get her back to her motherland and unite her with her family.", + "poster": "https://image.tmdb.org/t/p/w500/vhlliI7HZZlWfo5d6CiyfBAGLrW.jpg", + "url": "https://www.themoviedb.org/movie/348892", + "genres": [ + "Comedy", + "Drama", + "Action" + ], + "tags": [ + "religion", + "journey", + "lost child", + "bollywood" + ] + }, + { + "ranking": 629, + "title": "Straight Outta Compton", + "year": "2015", + "runtime": 147, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.785, + "vote_count": 3956, + "description": "In 1987, five young men, using brutally honest rhymes and hardcore beats, put their frustration and anger about life in the most dangerous place in America into the most powerful weapon they had: their music. Taking us back to where it all began, Straight Outta Compton tells the true story of how these cultural rebels—armed only with their lyrics, swagger, bravado and raw talent—stood up to the authorities that meant to keep them down and formed the world’s most dangerous group, N.W.A. And as they spoke the truth that no one had before and exposed life in the hood, their voice ignited a social revolution that is still reverberating today.", + "poster": "https://image.tmdb.org/t/p/w500/1CiLJx8Xtv3TbbFj6k7BboSmKgC.jpg", + "url": "https://www.themoviedb.org/movie/277216", + "genres": [ + "Drama", + "Music", + "History" + ], + "tags": [ + "drug dealer", + "police brutality", + "husband wife relationship", + "rap music", + "hip-hop", + "sibling relationship", + "aids", + "parent child relationship", + "gangster", + "rapper", + "ghetto", + "nightclub", + "assault", + "freedom of speech", + "protest", + "vandalism", + "recording contract", + "rags to riches", + "based on true story", + "terminal illness", + "road trip", + "feud", + "marijuana", + "gang", + "police chase", + "hospital", + "racism", + "los angeles, california", + "detroit, michigan", + "racial slur", + "wrongful arrest", + "death of brother", + "milwaukee wisconsin", + "police raid", + "police harassment", + "duringcreditsstinger", + "record company", + "music tour", + "1980s", + "intimidation by police", + "los angeles riots", + "compton, california" + ] + }, + { + "ranking": 640, + "title": "The Girl Who Leapt Through Time", + "year": "2006", + "runtime": 98, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.8, + "vote_count": 2059, + "description": "When 17-year-old Makoto Konno gains the ability to, quite literally, \"leap\" backwards through time, she immediately sets about improving her grades and preventing personal mishaps. However, she soon realises that changing the past isn't as simple as it seems, and eventually, will have to rely on her new powers to shape the future of herself and her friends.", + "poster": "https://image.tmdb.org/t/p/w500/xHnlWM8BmqY419YUccYy2KC5Jqo.jpg", + "url": "https://www.themoviedb.org/movie/14069", + "genres": [ + "Fantasy", + "Animation", + "Drama", + "Science Fiction" + ], + "tags": [ + "high school", + "time travel", + "surrealism", + "love", + "slice of life", + "teenage girl", + "school", + "schoolgirl", + "jumping from height", + "teenage romance", + "anime", + "japanese high school", + "time manipulation", + "time leap", + "familiar" + ] + }, + { + "ranking": 639, + "title": "A Moment to Remember", + "year": "2004", + "runtime": 117, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.8, + "vote_count": 326, + "description": "A young couple's love is tested when Sun-jin is diagnosed with a rare form of Alzheimer's disease.", + "poster": "https://image.tmdb.org/t/p/w500/s9ulpxLbkeJTTYxqLVUl6PreLGN.jpg", + "url": "https://www.themoviedb.org/movie/15859", + "genres": [ + "Drama", + "Romance" + ], + "tags": [ + "alzheimer's disease", + "love tested" + ] + }, + { + "ranking": 638, + "title": "Luck", + "year": "2022", + "runtime": 105, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.8, + "vote_count": 1775, + "description": "Suddenly finding herself in the never-before-seen Land of Luck, the unluckiest person in the world must unite with the magical creatures there to turn her luck around.", + "poster": "https://image.tmdb.org/t/p/w500/9OpVlfJGNvX3lUqdzY0nGoA6wQa.jpg", + "url": "https://www.themoviedb.org/movie/585511", + "genres": [ + "Animation", + "Adventure", + "Comedy", + "Fantasy" + ], + "tags": [ + "superstition", + "bad luck", + "leprechaun", + "computer animation", + "female protagonist", + "calm" + ] + }, + { + "ranking": 641, + "title": "Day for Night", + "year": "1973", + "runtime": 116, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.8, + "vote_count": 604, + "description": "A committed film director struggles to complete his movie while coping with a myriad of crises, personal and professional, among the cast and crew.", + "poster": "https://image.tmdb.org/t/p/w500/e5xDrSx6zDEUlMe2dWKGhv88PDZ.jpg", + "url": "https://www.themoviedb.org/movie/1675", + "genres": [ + "Comedy", + "Drama" + ], + "tags": [ + "lovesickness", + "insurance salesman", + "movie business", + "nice", + "alcoholic", + "extramarital affair", + "making of", + "film director" + ] + }, + { + "ranking": 642, + "title": "The King of Comedy", + "year": "1982", + "runtime": 109, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.78, + "vote_count": 2362, + "description": "Aspiring comic Rupert Pupkin attempts to achieve success in show business by stalking his idol, a late night talk-show host who craves his own privacy.", + "poster": "https://image.tmdb.org/t/p/w500/3BM78deUfeZfShqPTblZuamgC8a.jpg", + "url": "https://www.themoviedb.org/movie/262", + "genres": [ + "Drama", + "Comedy" + ], + "tags": [ + "prison", + "new york city", + "blackmail", + "show business", + "entertainer", + "fbi", + "studio", + "receptionist", + "zealous", + "cautionary", + "hilarious", + "audacious", + "mean spirited" + ] + }, + { + "ranking": 647, + "title": "Emancipation", + "year": "2022", + "runtime": 132, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.8, + "vote_count": 1158, + "description": "Inspired by the gripping true story of a man who would do anything for his family—and for freedom. When Peter, an enslaved man, risks his life to escape and return to his family, he embarks on a perilous journey of love and endurance.", + "poster": "https://image.tmdb.org/t/p/w500/s9sUK1vAaOcxJfKzNTszrNkPhkH.jpg", + "url": "https://www.themoviedb.org/movie/715931", + "genres": [ + "Drama", + "War", + "History" + ], + "tags": [ + "slavery", + "based on true story", + "black slave", + "escape from slavery", + "united states of america (usa)" + ] + }, + { + "ranking": 655, + "title": "Still Walking", + "year": "2008", + "runtime": 114, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.768, + "vote_count": 386, + "description": "A family gathers together for a commemorative ritual whose nature only gradually becomes clear.", + "poster": "https://image.tmdb.org/t/p/w500/4Are9oV8HjZQWnEajk9LYFxRWom.jpg", + "url": "https://www.themoviedb.org/movie/25050", + "genres": [ + "Drama", + "Family" + ], + "tags": [ + "family relationships", + "bereavement", + "family reunion", + "family gathering", + "father son conflict", + "father son relationship", + "mother son relationship" + ] + }, + { + "ranking": 653, + "title": "Angel's Egg", + "year": "1985", + "runtime": 71, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.8, + "vote_count": 435, + "description": "In a desolate and dark world full of shadows, lives one little girl who seems to do nothing but collect water in jars and protect a large egg she carries everywhere. A mysterious man enters her life... and they discuss the world around them.", + "poster": "https://image.tmdb.org/t/p/w500/dRUB7sDcedqatDfyuRqyQulmW97.jpg", + "url": "https://www.themoviedb.org/movie/15916", + "genres": [ + "Animation", + "Fantasy", + "Mystery" + ], + "tags": [ + "gothic", + "adult animation", + "fossil", + "anime", + "original video animation (ova)", + "avant garde" + ] + }, + { + "ranking": 644, + "title": "Through a Glass Darkly", + "year": "1961", + "runtime": 91, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.8, + "vote_count": 497, + "description": "Karin hopes to recover from her recent stay at a mental hospital by spending the summer at her family's cottage on a tiny island. Her husband, Martin, cares for her but is frustrated by her physical withdrawal. Her younger brother, Minus, is confused by Karin's vulnerability and his own budding sexuality. Their father, David, cannot overcome his haughty remoteness. Beset by visions, Karin descends further into madness.", + "poster": "https://image.tmdb.org/t/p/w500/rYD30Fm4vAcBqk1kTsxHw1s8P29.jpg", + "url": "https://www.themoviedb.org/movie/11602", + "genres": [ + "Drama" + ], + "tags": [ + "daughter", + "island", + "schizophrenia", + "author", + "mental illness", + "electroconvulsive therapy" + ] + }, + { + "ranking": 660, + "title": "The King and the Mockingbird", + "year": "1980", + "runtime": 83, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.8, + "vote_count": 378, + "description": "A young shepherdess and a chimneysweep plan to get married and escape the clutches of a tyrannical king in love with her, assisted by the guile of a cheeky mockingbird, the king's archenemy.", + "poster": "https://image.tmdb.org/t/p/w500/yDbfVUrb9b0Dkm1TptWtzkujXBk.jpg", + "url": "https://www.themoviedb.org/movie/22504", + "genres": [ + "Animation", + "Family", + "Fantasy" + ], + "tags": [ + "magic", + "fairy tale", + "royalty", + "impossible love", + "visual poetry" + ] + }, + { + "ranking": 646, + "title": "Awakenings", + "year": "1990", + "runtime": 120, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.776, + "vote_count": 2614, + "description": "Dr. Malcolm Sayer, a shy research physician, uses an experimental drug to \"awaken\" the catatonic victims of a rare disease. Leonard is the first patient to receive the controversial treatment. His awakening, filled with awe and enthusiasm, proves a rebirth for Sayer too, as the exuberant patient reveals life's simple but unutterably sweet pleasures to the introverted doctor.", + "poster": "https://image.tmdb.org/t/p/w500/9gztZXuHLG6AJ0fgqGd7Q43cWRI.jpg", + "url": "https://www.themoviedb.org/movie/11005", + "genres": [ + "Drama" + ], + "tags": [ + "coma", + "experiment", + "based on novel or book", + "hope", + "miracle", + "based on true story", + "hospital", + "illness", + "woman director", + "comatose" + ] + }, + { + "ranking": 649, + "title": "Le Samouraï", + "year": "1967", + "runtime": 105, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.8, + "vote_count": 1130, + "description": "After carrying out a flawlessly planned hit, Jef Costello, a contract killer with samurai instincts, finds himself caught between a persistent police investigator and a ruthless employer, and not even his armor of fedora and trench coat can protect him.", + "poster": "https://image.tmdb.org/t/p/w500/5Fa6o5nfUPEatQ9b3OwEvdEdR7T.jpg", + "url": "https://www.themoviedb.org/movie/5511", + "genres": [ + "Crime", + "Thriller", + "Drama" + ], + "tags": [ + "paris, france", + "police", + "hitman", + "jazz club", + "treason", + "stakeout", + "french noir", + "contract killer", + "mysterious", + "professional assassin", + "neo-noir", + "complex relationship", + "ominous" + ] + }, + { + "ranking": 657, + "title": "Back to the Future Part II", + "year": "1989", + "runtime": 108, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.768, + "vote_count": 13031, + "description": "Marty and Doc are at it again as the time-traveling duo head to 2015 to nip some McFly family woes in the bud. But things go awry thanks to bully Biff Tannen and a pesky sports almanac. In a last-ditch attempt to set things straight, Marty finds himself bound for 1955 and face to face with his teenage parents -- again.", + "poster": "https://image.tmdb.org/t/p/w500/YBawEsTkUZBDajKbd5LiHkmMGf.jpg", + "url": "https://www.themoviedb.org/movie/165", + "genres": [ + "Adventure", + "Comedy", + "Science Fiction" + ], + "tags": [ + "flying car", + "skateboarding", + "car race", + "lightning", + "guitar", + "inventor", + "time travel", + "diner", + "car crash", + "sequel", + "alternate history", + "thunderstorm", + "nostalgic", + "tunnel", + "high school dance", + "hoverboard", + "2010s", + "playful", + "suspenseful", + "enthusiastic", + "exhilarated", + "optimistic" + ] + }, + { + "ranking": 643, + "title": "The Summit of the Gods", + "year": "2021", + "runtime": 95, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.8, + "vote_count": 362, + "description": "A photojournalist's obsessive quest for the truth about the first expedition to Mt. Everest leads him to search for an esteemed climber who went missing.", + "poster": "https://image.tmdb.org/t/p/w500/iowz7MwaTWMYlfLUE6GeM0m3Hze.jpg", + "url": "https://www.themoviedb.org/movie/712454", + "genres": [ + "Animation", + "Adventure", + "Mystery" + ], + "tags": [ + "based on manga", + "mount everest", + "missing body", + "alpine climbing", + "investigative reporter" + ] + }, + { + "ranking": 659, + "title": "Letter from an Unknown Woman", + "year": "1948", + "runtime": 87, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.8, + "vote_count": 309, + "description": "A pianist about to flee from a duel receives a letter from a woman he cannot remember. As she tells the story of her lifelong love for him, he is forced to reinterpret his own past.", + "poster": "https://image.tmdb.org/t/p/w500/gRGRW7DKyK8qBtKJTWguULMGbHG.jpg", + "url": "https://www.themoviedb.org/movie/946", + "genres": [ + "Drama", + "Romance" + ], + "tags": [ + "love of one's life", + "anonymous letter", + "ignorance", + "author", + "duel", + "vienna, austria", + "illegitimate son" + ] + }, + { + "ranking": 656, + "title": "Dogville", + "year": "2003", + "runtime": 178, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.8, + "vote_count": 2464, + "description": "When beautiful young Grace arrives in the isolated township of Dogville, the small community agrees to hide her from a gang of ruthless gangsters, and, in return, Grace agrees to do odd jobs for the townspeople.", + "poster": "https://image.tmdb.org/t/p/w500/lraVawavIXh5geMlVjpzCw9TGwR.jpg", + "url": "https://www.themoviedb.org/movie/553", + "genres": [ + "Crime", + "Drama", + "Thriller" + ], + "tags": [ + "friendship", + "bondage", + "rape", + "police", + "village life", + "refugee", + "blackmail", + "mountain", + "american dream", + "bank robber", + "last judgment", + "mountain village", + "exploitation", + "rocky mountains", + "woman martyr", + "physical work", + "wanted poster", + "forced labour", + "slavery", + "recession", + "art house", + "hoodlum", + "gangsters", + "experimental film", + "avant garde film", + "art house film" + ] + }, + { + "ranking": 652, + "title": "Fanny and Alexander", + "year": "1982", + "runtime": 188, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.77, + "vote_count": 793, + "description": "As children in the loving Ekdahl family, Fanny and Alexander enjoy a happy life with their parents, who run a theater company. After their father dies unexpectedly, however, the siblings end up in a joyless home when their mother, Emilie, marries a stern bishop. The bleak situation gradually grows worse as the bishop becomes more controlling, but dedicated relatives make a valiant attempt to aid Emilie, Fanny and Alexander.", + "poster": "https://image.tmdb.org/t/p/w500/q8jlA3Wc1Z987hNKRFA44g5OugC.jpg", + "url": "https://www.themoviedb.org/movie/5961", + "genres": [ + "Fantasy", + "Drama", + "Mystery" + ], + "tags": [ + "dying and death", + "child abuse", + "sibling relationship", + "funeral", + "loss of loved one", + "sweden", + "bishop", + "theatre group", + "child prodigy", + "dysfunctional family", + "ghost", + "hamlet", + "turn of the century", + "christmas", + "1900s", + "20th century", + "family chronicle" + ] + }, + { + "ranking": 658, + "title": "Nine Queens", + "year": "2000", + "runtime": 114, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.8, + "vote_count": 729, + "description": "Two con artists try to swindle a stamp collector by selling him a sheet of counterfeit rare stamps (the \"nine queens\").", + "poster": "https://image.tmdb.org/t/p/w500/tabMRXUTTBmprGax6ON2r9yBN0D.jpg", + "url": "https://www.themoviedb.org/movie/18079", + "genres": [ + "Crime", + "Thriller", + "Drama" + ], + "tags": [ + "hotel", + "police", + "affectation", + "con man", + "stamp", + "partner", + "money", + "scam", + "grifter", + "swindle", + "rare stamps", + "inspirational", + "absurd", + "whimsical", + "admiring", + "adoring", + "ambiguous", + "amused", + "awestruck", + "enchant", + "vibrant" + ] + }, + { + "ranking": 651, + "title": "Donnie Darko", + "year": "2001", + "runtime": 114, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.771, + "vote_count": 12663, + "description": "After narrowly escaping a bizarre accident, a troubled teenager is plagued by visions of a large bunny rabbit that manipulates him to commit a series of crimes.", + "poster": "https://image.tmdb.org/t/p/w500/6FKym4sm5LcqUC80HNpn2ejVoro.jpg", + "url": "https://www.themoviedb.org/movie/141", + "genres": [ + "Fantasy", + "Drama", + "Mystery" + ], + "tags": [ + "high school", + "airplane", + "parent child relationship", + "presidential election", + "therapist", + "school performance", + "halloween", + "time travel", + "vandalism", + "surrealism", + "loss", + "imaginary friend", + "suburbia", + "arson", + "vision", + "school", + "mental illness", + "virginia", + "sleepwalking", + "1980s", + "parallel universe", + "complicated" + ] + }, + { + "ranking": 648, + "title": "Let the Bullets Fly", + "year": "2010", + "runtime": 132, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.774, + "vote_count": 303, + "description": "When circumstances force an outlaw to impersonate a county governor and clean up a corrupt town, the Robin Hood figure finds himself in a showdown with the local godfather.", + "poster": "https://image.tmdb.org/t/p/w500/pkwBO3XkQLhgb31vl5ZwmGC5meT.jpg", + "url": "https://www.themoviedb.org/movie/51533", + "genres": [ + "Action", + "Comedy" + ], + "tags": [ + "china", + "satire", + "bandit", + "bandit gang" + ] + }, + { + "ranking": 650, + "title": "Wings of Desire", + "year": "1987", + "runtime": 128, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.8, + "vote_count": 1360, + "description": "Two angels, Damiel and Cassiel, glide through the streets of Berlin, observing the bustling population, providing invisible rays of hope to the distressed but never interacting with them. When Damiel falls in love with lonely trapeze artist Marion, the angel longs to experience life in the physical world, and finds -- with some words of wisdom from actor Peter Falk -- that it might be possible for him to take human form.", + "poster": "https://image.tmdb.org/t/p/w500/iZQs2vUeCzvS1KfZJ6uYNCGJBBV.jpg", + "url": "https://www.themoviedb.org/movie/144", + "genres": [ + "Drama", + "Fantasy", + "Romance" + ], + "tags": [ + "berlin, germany", + "dreams", + "library", + "circus", + "angel", + "berlin wall", + "immortality", + "observer", + "melancholy", + "perception", + "thoughtful", + "mortality", + "dramatic", + "ambiguous" + ] + }, + { + "ranking": 654, + "title": "Short Term 12", + "year": "2013", + "runtime": 96, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.768, + "vote_count": 1316, + "description": "Grace, a compassionate young supervisor at a foster care facility, helps at-risk teens. But when a new charge dredges up memories of her own troubled past, Grace's tough exterior begins eroding.", + "poster": "https://image.tmdb.org/t/p/w500/qKnsyaJZLXfiL2JhIJEkpA8C3LU.jpg", + "url": "https://www.themoviedb.org/movie/169813", + "genres": [ + "Drama" + ], + "tags": [ + "child abuse", + "parent child relationship", + "suicide attempt", + "social worker", + "pregnancy", + "parole", + "incest", + "foster child", + "troubled teen", + "foster care", + "group home", + "care home", + "based on short" + ] + }, + { + "ranking": 645, + "title": "The Dinner Game", + "year": "1998", + "runtime": 80, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.778, + "vote_count": 1932, + "description": "For Pierre Brochant and his friends, Wednesday is “Idiots' Day”. The idea is simple: each person has to bring along an idiot. The one who brings the most spectacular idiot wins the prize. Tonight, Brochant is ecstatic. He has found a gem. The ultimate idiot, “A world champion idiot!”. What Brochant doesn’t know is that Pignon is a real jinx, a past master in the art of bringing on catastrophes...", + "poster": "https://image.tmdb.org/t/p/w500/jCOCdWIim6upzteYswh8BpcsKWg.jpg", + "url": "https://www.themoviedb.org/movie/9421", + "genres": [ + "Comedy" + ], + "tags": [ + "tax inspector", + "fool" + ] + }, + { + "ranking": 664, + "title": "Life of Brian", + "year": "1979", + "runtime": 94, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.8, + "vote_count": 4528, + "description": "Brian Cohen is an average young Jewish man, but through a series of ridiculous events, he gains a reputation as the Messiah. When he's not dodging his followers or being scolded by his shrill mother, the hapless Brian has to contend with the pompous Pontius Pilate and acronym-obsessed members of a separatist movement. Rife with Monty Python's signature absurdity, the tale finds Brian's life paralleling Biblical lore, albeit with many more laughs.", + "poster": "https://image.tmdb.org/t/p/w500/lSSA64WF0M0BXnjwr2quMh6shCl.jpg", + "url": "https://www.themoviedb.org/movie/583", + "genres": [ + "Comedy" + ], + "tags": [ + "roman empire", + "jewry", + "three kings", + "crucifixion", + "bethlehem", + "independence movement", + "satire", + "parody", + "religion", + "sermon on the mount", + "anarchic comedy", + "mother son relationship", + "hilarious", + "religious satire" + ] + }, + { + "ranking": 666, + "title": "The Normal Heart", + "year": "2014", + "runtime": 133, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.8, + "vote_count": 882, + "description": "The story of the onset of the HIV-AIDS crisis in New York City in the early 1980s, taking an unflinching look at the nation's sexual politics as gay activists and their allies in the medical community fight to expose the truth about the burgeoning epidemic to a city and nation in denial.", + "poster": "https://image.tmdb.org/t/p/w500/3dfoCGiD61568Uu8wyiK7SMEZAu.jpg", + "url": "https://www.themoviedb.org/movie/113833", + "genres": [ + "Drama" + ], + "tags": [ + "new york city", + "aids", + "gay club", + "based on play or musical", + "hiv", + "male homosexuality", + "epidemic", + "lgbt", + "fire island", + "1980s", + "gay theme" + ] + }, + { + "ranking": 678, + "title": "The Hateful Eight", + "year": "2015", + "runtime": 188, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.754, + "vote_count": 14433, + "description": "Bounty hunters seek shelter from a raging blizzard and get caught up in a plot of betrayal and deception.", + "poster": "https://image.tmdb.org/t/p/w500/jIywvdPjia2t3eKYbjVTcwBQlG8.jpg", + "url": "https://www.themoviedb.org/movie/273248", + "genres": [ + "Drama", + "Mystery", + "Western" + ], + "tags": [ + "bounty hunter", + "wyoming, usa", + "narration", + "mountain", + "hangman", + "whodunit", + "stagecoach", + "blizzard", + "post civil war", + "19th century", + "grim", + "male rape", + "intense" + ] + }, + { + "ranking": 673, + "title": "Guy Ritchie's The Covenant", + "year": "2023", + "runtime": 123, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.758, + "vote_count": 2694, + "description": "During the war in Afghanistan, a local interpreter risks his own life to carry an injured sergeant across miles of grueling terrain.", + "poster": "https://image.tmdb.org/t/p/w500/kVG8zFFYrpyYLoHChuEeOGAd6Ru.jpg", + "url": "https://www.themoviedb.org/movie/882569", + "genres": [ + "War", + "Action", + "Thriller" + ], + "tags": [ + "rescue", + "ambush", + "interpreter", + "afghanistan", + "afghanistan war (2001-2021)", + "war", + "exhilarated", + "hopeful" + ] + }, + { + "ranking": 662, + "title": "Gran Turismo", + "year": "2023", + "runtime": 135, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.765, + "vote_count": 2895, + "description": "The ultimate wish-fulfillment tale of a teenage Gran Turismo player whose gaming skills won him a series of Nissan competitions to become an actual professional racecar driver.", + "poster": "https://image.tmdb.org/t/p/w500/51tqzRtKMMZEYUpSYkrUE7v9ehm.jpg", + "url": "https://www.themoviedb.org/movie/980489", + "genres": [ + "Adventure", + "Action", + "Drama" + ], + "tags": [ + "sports", + "based on true story", + "racing", + "based on video game", + "duringcreditsstinger", + "exhilarated" + ] + }, + { + "ranking": 675, + "title": "Ip Man", + "year": "2008", + "runtime": 106, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.758, + "vote_count": 3834, + "description": "A semi-biographical account of Yip Man, the first martial arts master to teach the Chinese martial art of Wing Chun. The film focuses on events surrounding Ip that took place in the city of Foshan between the 1930s to 1940s during the Second Sino-Japanese War. Directed by Wilson Yip, the film stars Donnie Yen in the lead role, and features fight choreography by Sammo Hung.", + "poster": "https://image.tmdb.org/t/p/w500/uw7C72BIViBMUzzXeSYkxhaOQUS.jpg", + "url": "https://www.themoviedb.org/movie/14756", + "genres": [ + "Drama", + "Action", + "History" + ], + "tags": [ + "martial arts", + "kung fu", + "sports", + "foreigner", + "bravery", + "rice", + "katana", + "market", + "tragic hero", + "second sino-japanese war (1937-45)", + "racism", + "sadist", + "master", + "wing chun", + "bayonet", + "factual" + ] + }, + { + "ranking": 668, + "title": "Amour", + "year": "2012", + "runtime": 127, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.8, + "vote_count": 1654, + "description": "Georges and Anne are in their eighties. They are cultivated, retired music teachers. Their daughter, who is also a musician, lives abroad with her family. One day, Anne has a stroke, and the couple's bond of love is severely tested.", + "poster": "https://image.tmdb.org/t/p/w500/19hyCudualHxCD0GrEngqsi0wBF.jpg", + "url": "https://www.themoviedb.org/movie/86837", + "genres": [ + "Drama", + "Romance" + ], + "tags": [ + "daughter", + "nurse", + "music teacher", + "married couple", + "piano lessons", + "aging", + "love", + "retired", + "illness", + "pigeon", + "stroke", + "octogenarian" + ] + }, + { + "ranking": 661, + "title": "The Color Purple", + "year": "1985", + "runtime": 154, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.8, + "vote_count": 1826, + "description": "An epic tale spanning forty years in the life of Celie, an African-American woman living in the South who survives incredible abuse and bigotry. After Celie's abusive father marries her off to the equally debasing 'Mister' Albert Johnson, things go from bad to worse, leaving Celie to find companionship anywhere she can. She perseveres, holding on to her dream of one day being reunited with her sister in Africa.", + "poster": "https://image.tmdb.org/t/p/w500/6bvxkcTAXyqxGRwo38mxw92D6Xr.jpg", + "url": "https://www.themoviedb.org/movie/873", + "genres": [ + "Drama", + "History" + ], + "tags": [ + "prison", + "rape", + "sibling relationship", + "jazz", + "southern usa", + "africa", + "empowerment", + "adoption", + "abusive father", + "violent husband", + "jazz singer or musician", + "letter", + "cynical", + "incest", + "angry", + "aggressive", + "desperate", + "complex", + "anxious", + "cautionary", + "sentimental", + "antagonistic", + "authoritarian", + "callous", + "celebratory", + "condescending", + "defiant", + "harsh", + "ominous" + ] + }, + { + "ranking": 670, + "title": "Big Fish", + "year": "2003", + "runtime": 125, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.76, + "vote_count": 7322, + "description": "Throughout his life Edward Bloom has always been a man of big appetites, enormous passions and tall tales. In his later years, he remains a huge mystery to his son, William. Now, to get to know the real man, Will begins piecing together a true picture of his father from flashbacks of his amazing adventures.", + "poster": "https://image.tmdb.org/t/p/w500/tjK063yCgaBAluVU72rZ6PKPH2l.jpg", + "url": "https://www.themoviedb.org/movie/587", + "genres": [ + "Adventure", + "Fantasy", + "Drama" + ], + "tags": [ + "witch", + "fish", + "love of one's life", + "parent child relationship", + "circus", + "fishing", + "leech", + "story teller", + "fair", + "mermaid", + "apoplectic stroke", + "cancer", + "relationship", + "gentle giant", + "magic realism", + "reflective", + "witty", + "whimsical" + ] + }, + { + "ranking": 667, + "title": "Sonic the Hedgehog 3", + "year": "2024", + "runtime": 110, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.8, + "vote_count": 2308, + "description": "Sonic, Knuckles, and Tails reunite against a powerful new adversary, Shadow, a mysterious villain with powers unlike anything they have faced before. With their abilities outmatched in every way, Team Sonic must seek out an unlikely alliance in hopes of stopping Shadow and protecting the planet.", + "poster": "https://image.tmdb.org/t/p/w500/d8Ryb8AunYAuycVKDp5HpdWPKgC.jpg", + "url": "https://www.themoviedb.org/movie/939243", + "genres": [ + "Action", + "Science Fiction", + "Comedy", + "Family", + "Adventure", + "Fantasy" + ], + "tags": [ + "moon", + "sequel", + "based on video game", + "dual role", + "aftercreditsstinger", + "duringcreditsstinger", + "hedgehog", + "live action and animation", + "grandfather grandson relationship", + "animal human friendship", + "anthropomorphic animal", + "loss and grief", + "cliché", + "complicated", + "sceptical" + ] + }, + { + "ranking": 677, + "title": "A Walk to Remember", + "year": "2002", + "runtime": 101, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.756, + "vote_count": 4081, + "description": "When the popular, restless Landon Carter is forced to participate in the school drama production, he falls in love with Jamie Sullivan, the daughter of the town's minister. Jamie has a \"to-do\" list for her life, as well as a very big secret she must keep from Landon.", + "poster": "https://image.tmdb.org/t/p/w500/8lUYMvWdHA0Q0k5F76RQCeCBUkA.jpg", + "url": "https://www.themoviedb.org/movie/10229", + "genres": [ + "Drama", + "Romance" + ], + "tags": [ + "high school", + "based on novel or book", + "theatre group", + "north carolina", + "romance", + "coming of age", + "cancer", + "tragic love", + "valentine's day", + "nostalgic", + "star crossed lovers", + "teen drama", + "sentimental", + "romantic", + "adoring", + "distressing", + "empathetic", + "hopeful" + ] + }, + { + "ranking": 669, + "title": "The Ten Commandments", + "year": "1956", + "runtime": 220, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.8, + "vote_count": 1651, + "description": "Escaping death, a Hebrew infant is raised in a royal household to become a prince. Upon discovery of his true heritage, Moses embarks on a personal quest to reclaim his destiny as the leader and liberator of the Hebrew people.", + "poster": "https://image.tmdb.org/t/p/w500/3Ei59AR64x6dMZfWobPCkZjbqTL.jpg", + "url": "https://www.themoviedb.org/movie/6844", + "genres": [ + "Drama", + "History" + ], + "tags": [ + "epic", + "egypt", + "israel", + "moses", + "ten commandments", + "christianity", + "slavery", + "miracle", + "bible", + "judaism", + "religion", + "ancient egypt", + "technicolor", + "old testament", + "pharaoh", + "passover", + "christian film", + "13th century bc", + "biblical epic" + ] + }, + { + "ranking": 679, + "title": "Rain Man", + "year": "1988", + "runtime": 134, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.753, + "vote_count": 6507, + "description": "When car dealer Charlie Babbitt learns that his estranged father has died, he returns home to Cincinnati, where he discovers that he has a savant older brother named Raymond and that his father's $3 million fortune is being left to the mental institution in which Raymond lives. Motivated by his father's money, Charlie checks Raymond out of the facility in order to return with him to Los Angeles. The brothers' cross-country trip ends up changing both their lives.", + "poster": "https://image.tmdb.org/t/p/w500/iTNHwO896WKkaoPtpMMS74d8VNi.jpg", + "url": "https://www.themoviedb.org/movie/380", + "genres": [ + "Drama" + ], + "tags": [ + "mentally disabled", + "individual", + "loss of loved one", + "yuppie", + "autism", + "car dealer", + "egocentrism", + "convertible", + "road trip", + "blackjack", + "cincinnati", + "travel", + "las vegas", + "psychiatrist", + "disability", + "mentally handicapped man", + "duringcreditsstinger", + "asperger's syndrome", + "suppressed memory", + "loving", + "forgotten memory", + "savant", + "sentimental", + "melodramatic" + ] + }, + { + "ranking": 665, + "title": "Never Look Away", + "year": "2018", + "runtime": 189, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.8, + "vote_count": 684, + "description": "German artist Kurt Barnert has escaped East Germany and now lives in West Germany, but is tormented by his childhood under the Nazis and the GDR regime.", + "poster": "https://image.tmdb.org/t/p/w500/fn0Tp9SG0IQ3Nx8iHPYPiseLMWd.jpg", + "url": "https://www.themoviedb.org/movie/423612", + "genres": [ + "Drama", + "Romance", + "History" + ], + "tags": [ + "germany", + "world war ii", + "painter", + "dresden, germany", + "art gallery", + "adolf hitler" + ] + }, + { + "ranking": 663, + "title": "The Heist of the Century", + "year": "2020", + "runtime": 114, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.8, + "vote_count": 797, + "description": "In 2006, a group of thieves performed what is considered one of the most famous and smart bank heists in the history of Argentina. How they robbed the Rio bank is as surprising as what happened afterwards. This is their story.", + "poster": "https://image.tmdb.org/t/p/w500/1zL4VCVin4S8kOXhszMDqfwWPCM.jpg", + "url": "https://www.themoviedb.org/movie/609242", + "genres": [ + "Comedy", + "Thriller", + "Crime" + ], + "tags": [ + "heist", + "bank robbery", + "bank heist" + ] + }, + { + "ranking": 671, + "title": "Everything Everywhere All at Once", + "year": "2022", + "runtime": 140, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.76, + "vote_count": 6937, + "description": "An aging Chinese immigrant is swept up in an insane adventure, where she alone can save what's important to her by connecting with the lives she could have led in other universes.", + "poster": "https://image.tmdb.org/t/p/w500/u68AjlvlutfEIcpmbYpKcdi09ut.jpg", + "url": "https://www.themoviedb.org/movie/545611", + "genres": [ + "Action", + "Adventure", + "Science Fiction" + ], + "tags": [ + "mother", + "martial arts", + "kung fu", + "philosophy", + "generations conflict", + "chinese woman", + "surrealism", + "laundromat", + "chinese", + "east asian lead", + "divorce", + "family", + "lgbt", + "hot dog", + "asian woman", + "chinese immigrant", + "imaginative", + "mother daughter relationship", + "action comedy", + "asian american", + "intergenerational trauma", + "internal revenue service", + "interdimensional travel", + "absurd", + "瞬息全宇宙" + ] + }, + { + "ranking": 680, + "title": "Pan's Labyrinth", + "year": "2006", + "runtime": 118, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.8, + "vote_count": 10715, + "description": "Living with her tyrannical stepfather in a new home with her pregnant mother, 10-year-old Ofelia feels alone until she explores a decaying labyrinth guarded by a mysterious faun who claims to know her destiny. If she wishes to return to her real father, Ofelia must complete three terrifying tasks.", + "poster": "https://image.tmdb.org/t/p/w500/s8C4whhKtDaJvMDcyiMvx3BIF5F.jpg", + "url": "https://www.themoviedb.org/movie/1417", + "genres": [ + "Fantasy", + "Drama", + "War" + ], + "tags": [ + "princess", + "army", + "spain", + "fairy tale", + "resistance", + "servant", + "anti hero", + "franco regime (francoism)", + "woods", + "love", + "cruelty", + "hiding", + "labyrinth", + "magic realism", + "mythological", + "dark fairy tale", + "children in wartime", + "post spanish civil war", + "faun", + "surprise-ending" + ] + }, + { + "ranking": 672, + "title": "The Untouchables", + "year": "1987", + "runtime": 119, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.8, + "vote_count": 5757, + "description": "Elliot Ness, an ambitious prohibition agent, is determined to take down Al Capone. In order to achieve this goal, he forms a group given the nickname “The Untouchables”.", + "poster": "https://image.tmdb.org/t/p/w500/iK4twY48a1nVCez0qXE5w4JFvXw.jpg", + "url": "https://www.themoviedb.org/movie/117", + "genres": [ + "Crime", + "History", + "Thriller" + ], + "tags": [ + "chicago, illinois", + "prohibition era", + "gangster", + "baseball bat", + "white suit", + "tough cop", + "treasury agent", + "untouchable", + "tax evasion", + "jury tampering", + "1930s" + ] + }, + { + "ranking": 676, + "title": "Ernest & Celestine", + "year": "2012", + "runtime": 79, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.8, + "vote_count": 614, + "description": "Celestine is a little mouse trying to avoid a dental career while Ernest is a big bear craving an artistic outlet. When Celestine meets Ernest, they overcome their natural enmity by forging a life of crime together.", + "poster": "https://image.tmdb.org/t/p/w500/iJPbRASktYW0I009Ktc2zUE6Fvg.jpg", + "url": "https://www.themoviedb.org/movie/126319", + "genres": [ + "Animation", + "Comedy", + "Drama", + "Family", + "Adventure" + ], + "tags": [ + "friendship", + "underground world", + "musician", + "mouse", + "brotherhood", + "trial", + "prejudice", + "bear", + "based on children's book", + "teeth", + "racial prejudice" + ] + }, + { + "ranking": 674, + "title": "Shelter", + "year": "2007", + "runtime": 89, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.758, + "vote_count": 479, + "description": "Forced to give up his dreams of art school, Zach works dead-end jobs to support his sister and her son. Questioning his life, he paints, surfs and hangs out with his best friend, Gabe. When Gabe's older brother returns home for the summer, Zach suddenly finds himself drawn into a relationship he didn't expect.", + "poster": "https://image.tmdb.org/t/p/w500/eYA8KiSnIAbxtoIgg4lpZjB0dfz.jpg", + "url": "https://www.themoviedb.org/movie/17483", + "genres": [ + "Drama", + "Romance" + ], + "tags": [ + "coming out", + "surfing", + "california", + "beach", + "sibling relationship", + "skateboarding", + "homophobia", + "artist", + "graffiti", + "family relationships", + "art school", + "romance", + "little boy", + "summer", + "class differences", + "single mother", + "lgbt", + "lgbt teen", + "gay theme", + "gay relationship", + "san pedro" + ] + }, + { + "ranking": 684, + "title": "Misery", + "year": "1990", + "runtime": 107, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.751, + "vote_count": 4773, + "description": "After an accident, acclaimed novelist Paul Sheldon is rescued by a nurse who claims to be his biggest fan. Her obsession takes a dark turn when she holds him captive in her remote Colorado home and forces him to write back to life the popular literary character he killed off.", + "poster": "https://image.tmdb.org/t/p/w500/23Y65uWaVMpqfbZTN3CT0aei4D5.jpg", + "url": "https://www.themoviedb.org/movie/1700", + "genres": [ + "Drama", + "Thriller" + ], + "tags": [ + "based on novel or book", + "nurse", + "psychopath", + "colorado", + "car crash", + "author", + "slasher", + "psychological thriller", + "torture", + "obsessed fan", + "blizzard", + "bedridden", + "psycho", + "lunatic", + "female psychopath", + "claustrophobic", + "abducted", + "obssesive fan", + "rural setting", + "crazy", + "kidnapped", + "authoritarian", + "fight for survival", + "nutcase" + ] + }, + { + "ranking": 686, + "title": "The Promised Land", + "year": "2023", + "runtime": 127, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.8, + "vote_count": 396, + "description": "Denmark, 1755. Captain Ludvig Kahlen sets out to conquer a Danish heath reputed to be uncultivable, with an impossible goal: to establish a colony in the name of the king, in exchange for a royal title. A single-minded ambition that the ruthless lord of the region will relentlessly seek to put down. Kahlen's fate hangs in the balance: will his endevours bring him wealth and honour, or cost him his life...?", + "poster": "https://image.tmdb.org/t/p/w500/npQgoOWn4fnvOIIyTj4rIV80FXC.jpg", + "url": "https://www.themoviedb.org/movie/980026", + "genres": [ + "Action", + "Drama", + "History" + ], + "tags": [ + "based on novel or book", + "murder", + "priest", + "colonisation", + "soldier", + "king", + "18th century", + "farming", + "danish", + "danish history", + "ex military", + "historical drama", + "shocking", + "aggressive", + "hopeless", + "landowner", + "1750s", + "history", + "furious", + "violence", + "tense", + "depressing", + "antagonistic", + "pessimistic" + ] + }, + { + "ranking": 682, + "title": "Nothing Left to Do But Cry", + "year": "1984", + "runtime": 107, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.752, + "vote_count": 1144, + "description": "Two 20th-century friends accidentally stumble into the year 1492, where they meet a charming teen and try to alter history.", + "poster": "https://image.tmdb.org/t/p/w500/cnhfXiqrJppDvo6nc5QgOAtRp2z.jpg", + "url": "https://www.themoviedb.org/movie/27670", + "genres": [ + "Comedy" + ], + "tags": [ + "leonardo da vinci", + "travel", + "middle ages (476-1453)" + ] + }, + { + "ranking": 690, + "title": "The First Slam Dunk", + "year": "2022", + "runtime": 125, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.7, + "vote_count": 443, + "description": "Shohoku's “speedster” and point guard, Ryota Miyagi, always plays with brains and lightning speed, running circles around his opponents while feigning composure. In his second year of high school, Ryota plays with the Shohoku High School basketball team along with Sakuragi, Rukawa, Akagi, and Mitsui as they take the stage at the Inter-High School National Championship. And now, they are on the brink of challenging the reigning champions, Sannoh Kogyo High School.", + "poster": "https://image.tmdb.org/t/p/w500/7i3EBXY87HdHagCoFbmjHQ8DlkG.jpg", + "url": "https://www.themoviedb.org/movie/783675", + "genres": [ + "Animation", + "Comedy", + "Drama" + ], + "tags": [ + "high school", + "competition", + "basketball", + "high school sports", + "romance", + "tournament", + "based on manga", + "sport competition", + "school life", + "shounen", + "anime", + "school club", + "japanese high school", + "3d animation", + "bukatsu" + ] + }, + { + "ranking": 699, + "title": "Underground", + "year": "1995", + "runtime": 170, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.7, + "vote_count": 693, + "description": "A group of Serbian socialists prepares for the war in a surreal underground filled by parties, tragedies, love and hate.", + "poster": "https://image.tmdb.org/t/p/w500/h8N6y13t4VusrDdH5PzTkwvBvgN.jpg", + "url": "https://www.themoviedb.org/movie/11902", + "genres": [ + "Comedy", + "Drama", + "War" + ], + "tags": [ + "world war ii", + "lie", + "cellar", + "resistance fighter", + "belgrade", + "anarchic comedy" + ] + }, + { + "ranking": 681, + "title": "A Man Called Otto", + "year": "2022", + "runtime": 126, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.752, + "vote_count": 3037, + "description": "When a lively young family moves in next door, grumpy widower Otto Anderson meets his match in a quick-witted, pregnant woman named Marisol, leading to an unlikely friendship that turns his world upside down.", + "poster": "https://image.tmdb.org/t/p/w500/130H1gap9lFfiTF9iDrqNIkFvC9.jpg", + "url": "https://www.themoviedb.org/movie/937278", + "genres": [ + "Comedy", + "Drama" + ], + "tags": [ + "friendship", + "based on novel or book", + "suicide attempt", + "flashback", + "remake", + "miscarriage", + "new neighbor", + "social media", + "forced retirement", + "death of wife", + "bus accident", + "grumpy man", + "loving", + "loss of wife", + "lighthearted", + "transgender" + ] + }, + { + "ranking": 697, + "title": "Notorious", + "year": "1946", + "runtime": 103, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.7, + "vote_count": 1635, + "description": "In order to help bring Nazis to justice, U.S. government agent T.R. Devlin recruits Alicia Huberman, the American daughter of a convicted German war criminal, as a spy. As they begin to fall for one another, Alicia is instructed to win the affections of Alexander Sebastian, a Nazi hiding out in Brazil. When Sebastian becomes serious about his relationship with Alicia, the stakes get higher, and Devlin must watch her slip further undercover.", + "poster": "https://image.tmdb.org/t/p/w500/yUjKnpColooH88BFQJwwgNOQ56N.jpg", + "url": "https://www.themoviedb.org/movie/303", + "genres": [ + "Thriller", + "Romance", + "Mystery" + ], + "tags": [ + "daughter", + "marriage proposal", + "nazi", + "undercover", + "espionage", + "atomic bomb", + "love at first sight", + "poison", + "spy", + "fbi", + "patriotism", + "rio de janeiro", + "wine cellar", + "staircase", + "film noir", + "black and white", + "millionaire", + "intoxication", + "american spy", + "spy thriller" + ] + }, + { + "ranking": 687, + "title": "RRR", + "year": "2022", + "runtime": 185, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.75, + "vote_count": 1376, + "description": "A fictional history of two legendary revolutionaries' journey away from home before they began fighting for their country in the 1920s.", + "poster": "https://image.tmdb.org/t/p/w500/nEufeZlyAOLqO2brrs0yeF1lgXO.jpg", + "url": "https://www.themoviedb.org/movie/579974", + "genres": [ + "Action", + "Adventure", + "Drama" + ], + "tags": [ + "rescue", + "revolution", + "liberation", + "slavery", + "male friendship", + "freedom fighter", + "british empire", + "interracial romance", + "historical fiction", + "period drama", + "historical", + "1920s", + "history of india", + "killed in action", + "war" + ] + }, + { + "ranking": 695, + "title": "Perfect Days", + "year": "2023", + "runtime": 124, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.7, + "vote_count": 1429, + "description": "Hirayama is content with his life as a toilet cleaner in Tokyo. Outside of his structured routine, he cherishes music on cassette tapes, books, and taking photos of trees. Through unexpected encounters, he reflects on finding beauty in the world.", + "poster": "https://image.tmdb.org/t/p/w500/mjEk5Wwx6TYVqw29zSaUHclMIgp.jpg", + "url": "https://www.themoviedb.org/movie/976893", + "genres": [ + "Drama" + ], + "tags": [ + "tree", + "routine", + "slice of life", + "janitor", + "working class", + "tokyo, japan", + "character study", + "uncle niece relationship", + "audio cassette", + "solitude", + "calm", + "quest for knowledge", + "mystical quest", + "human nature", + "beauty of life" + ] + }, + { + "ranking": 698, + "title": "Touch of Evil", + "year": "1958", + "runtime": 111, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.746, + "vote_count": 1463, + "description": "When a car bomb explodes on the American side of the U.S./Mexico border, Mexican drug enforcement agent Miguel Vargas begins his investigation, along with American police captain Hank Quinlan. When Vargas begins to suspect that Quinlan and his shady partner, Menzies, are planting evidence to frame an innocent man, his investigations into their possible corruption quickly put himself and his new bride, Susie, in jeopardy.", + "poster": "https://image.tmdb.org/t/p/w500/1pvRgmfBaoMczIJBOi9gCOZ4FMC.jpg", + "url": "https://www.themoviedb.org/movie/1480", + "genres": [ + "Crime", + "Thriller", + "Mystery", + "Drama" + ], + "tags": [ + "hotel", + "gangster", + "brothel", + "border", + "investigation", + "honeymoon", + "usa–mexico border", + "car bomb", + "film noir", + "black and white" + ] + }, + { + "ranking": 683, + "title": "Partly Cloudy", + "year": "2009", + "runtime": 5, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.8, + "vote_count": 1045, + "description": "Everyone knows that the stork delivers babies, but where do the storks get the babies from? The answer lies up in the stratosphere, where cloud people sculpt babies from clouds and bring them to life. Gus, a lonely and insecure grey cloud, is a master at creating \"dangerous\" babies. Crocodiles, porcupines, rams and more - Gus's beloved creations are works of art, but more than a handful for his loyal delivery stork partner, Peck. As Gus's creations become more and more rambunctious, Peck's job gets harder and harder. How will Peck manage to handle both his hazardous cargo and his friend's fiery temperament?", + "poster": "https://image.tmdb.org/t/p/w500/oqYX2AJV53ibLVPrUZ1Z5XlGv5U.jpg", + "url": "https://www.themoviedb.org/movie/24480", + "genres": [ + "Animation", + "Family", + "Comedy" + ], + "tags": [ + "baby", + "american football", + "alligator", + "cloud", + "eel", + "bone", + "dog", + "stork", + "thunder", + "porcupine", + "child", + "short film" + ] + }, + { + "ranking": 685, + "title": "Ali: Fear Eats the Soul", + "year": "1974", + "runtime": 93, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.751, + "vote_count": 410, + "description": "Emmi Kurowski, a cleaning lady, is lonely in her old age. Her husband died years ago, and her grown children offer little companionship. One night she goes to a bar frequented by Arab immigrants and strikes up a friendship with middle-aged mechanic Ali. Their relationship soon develops into something more, and Emmi's family and neighbors criticize their spontaneous marriage. Soon Emmi and Ali are forced to confront their own insecurities about their future.", + "poster": "https://image.tmdb.org/t/p/w500/5Oru4v8tRUN90JUuM6BNDJoetLt.jpg", + "url": "https://www.themoviedb.org/movie/216", + "genres": [ + "Romance", + "Drama" + ], + "tags": [ + "husband wife relationship", + "unsociability", + "parent child relationship", + "germany", + "cleaning lady", + "foreigner", + "german-turkish living together", + "munich, germany", + "older woman younger man relationship", + "new german cinema", + "age-gap relationship" + ] + }, + { + "ranking": 688, + "title": "The Chaser", + "year": "2008", + "runtime": 125, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.8, + "vote_count": 1365, + "description": "Joong-ho is a dirty detective turned pimp in financial trouble as several of his girls have recently disappeared without clearing their debts. While trying to track them down, he finds a clue that the vanished girls were all called up by the same client whom one of his girls is meeting with right now.", + "poster": "https://image.tmdb.org/t/p/w500/hy49xJiKN1nakkN1ZmKuOf6vQYR.jpg", + "url": "https://www.themoviedb.org/movie/13855", + "genres": [ + "Crime", + "Thriller", + "Action" + ], + "tags": [ + "prostitute", + "kidnapping", + "psychopath", + "pimp", + "investigation", + "gore", + "rope", + "based on true story", + "flu", + "serial killer", + "psychological thriller", + "cell phone", + "dog", + "tied up", + "meat hook", + "chisel", + "seoul, south korea" + ] + }, + { + "ranking": 691, + "title": "In the Arms of an Assassin", + "year": "2019", + "runtime": 101, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.749, + "vote_count": 421, + "description": "Victor (William Levy) is one of the world’s most handsome men, but he has a deep secret – he is a cold blooded assassin. Smooth talking and seductive, Victor was raised to do one thing only, which is to kill for money. When he is sent to the home of a brutal drug lord to collect payment for his most recent hit, he encounters the beautiful Sarai (Alicia Sanz), who has been forced to spend the last 9 years of her life with the drug lord.", + "poster": "https://image.tmdb.org/t/p/w500/iqRUOtbDunNq7gTux3zXz25Krwp.jpg", + "url": "https://www.themoviedb.org/movie/652722", + "genres": [ + "Romance", + "Thriller" + ], + "tags": [ + "taunting", + "angry", + "critical", + "admiring", + "ambivalent", + "appreciative", + "authoritarian" + ] + }, + { + "ranking": 696, + "title": "Zootopia", + "year": "2016", + "runtime": 109, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.747, + "vote_count": 16598, + "description": "Determined to prove herself, Officer Judy Hopps, the first bunny on Zootopia's police force, jumps at the chance to crack her first case - even if it means partnering with scam-artist fox Nick Wilde to solve the mystery.", + "poster": "https://image.tmdb.org/t/p/w500/hlK0e0wAQ3VLuJcsfIYPvb4JVud.jpg", + "url": "https://www.themoviedb.org/movie/269149", + "genres": [ + "Animation", + "Adventure", + "Family", + "Comedy" + ], + "tags": [ + "sheep", + "allegory", + "lion", + "hippopotamus", + "cartoon", + "villain", + "bullying", + "polar bear", + "con artist", + "anthropomorphism", + "revenge", + "conspiracy", + "urban", + "female protagonist", + "rookie cop", + "missing person", + "fable", + "racial prejudice", + "injustice", + "reconciliation", + "female villain", + "buddy cop", + "stereotype", + "cartoon rabbit", + "villain arrested", + "discrimination", + "cartoon bear", + "cartoon animal", + "cartoon fox", + "cartoon elephant", + "cheerful", + "farcical", + "joyful" + ] + }, + { + "ranking": 693, + "title": "A Matter of Life and Death", + "year": "1946", + "runtime": 104, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.749, + "vote_count": 421, + "description": "When a young RAF pilot miraculously survives bailing out of his aeroplane without a parachute, he falls in love with an American radio operator. But the officials in the other world realise their mistake and dispatch an angel to collect him.", + "poster": "https://image.tmdb.org/t/p/w500/H74LWKnhOeIFSk9gNjBcPjIov3.jpg", + "url": "https://www.themoviedb.org/movie/28162", + "genres": [ + "Romance", + "Fantasy", + "Drama", + "War", + "Comedy" + ], + "tags": [ + "court case", + "england", + "angel", + "world war ii", + "heaven", + "bicycle", + "lighthearted", + "witty", + "whimsical", + "adoring", + "cheerful" + ] + }, + { + "ranking": 692, + "title": "Train to Busan", + "year": "2016", + "runtime": 118, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.749, + "vote_count": 7700, + "description": "When a zombie virus pushes Korea into a state of emergency, those trapped on an express train to Busan must fight for their own survival.", + "poster": "https://image.tmdb.org/t/p/w500/vNVFt6dtcqnI7hqa6LFBUibuFiw.jpg", + "url": "https://www.themoviedb.org/movie/396535", + "genres": [ + "Horror", + "Thriller", + "Action", + "Adventure" + ], + "tags": [ + "zombie", + "train", + "survival horror", + "macabre", + "pandemic", + "hostile", + "hopeless", + "frantic", + "busan, south korea", + "anxious", + "south korea", + "dramatic", + "intense", + "cruel", + "disheartening", + "frightened", + "ghoulish", + "harsh", + "hopeful", + "zombies" + ] + }, + { + "ranking": 694, + "title": "Deep Red", + "year": "1975", + "runtime": 127, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.7, + "vote_count": 1491, + "description": "An English pianist living in Rome witnesses the brutal murder of his psychic neighbor. With the help of a tenacious young reporter, he tries to discover the killer using very unconventional methods. The two are soon drawn into a shocking web of dementia and violence.", + "poster": "https://image.tmdb.org/t/p/w500/wq7RxV5gMvgO0EKeWpNhegnpJBh.jpg", + "url": "https://www.themoviedb.org/movie/20126", + "genres": [ + "Horror", + "Mystery", + "Thriller" + ], + "tags": [ + "murder", + "reporter", + "whodunit", + "psychic", + "pianist", + "proto-slasher" + ] + }, + { + "ranking": 689, + "title": "Shrek", + "year": "2001", + "runtime": 90, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.8, + "vote_count": 17552, + "description": "It ain't easy bein' green -- especially if you're a likable (albeit smelly) ogre named Shrek. On a mission to retrieve a gorgeous princess from the clutches of a fire-breathing dragon, Shrek teams up with an unlikely compatriot -- a wisecracking donkey.", + "poster": "https://image.tmdb.org/t/p/w500/iB64vpL3dIObOtMZgX3RqdVdQDc.jpg", + "url": "https://www.themoviedb.org/movie/808", + "genres": [ + "Animation", + "Comedy", + "Fantasy", + "Adventure", + "Family" + ], + "tags": [ + "princess", + "based on novel or book", + "magic", + "fairy tale", + "donkey", + "liberation", + "lordship", + "prince", + "castle", + "villain", + "robin hood", + "enchantment", + "swamp", + "parody", + "anthropomorphism", + "dragon", + "woman director", + "ogre", + "cartoon donkey", + "hilarious" + ] + }, + { + "ranking": 700, + "title": "All Quiet on the Western Front", + "year": "1930", + "runtime": 133, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.746, + "vote_count": 827, + "description": "When a group of idealistic young men join the German Army during the Great War, they are assigned to the Western Front, where their patriotism is destroyed by the harsh realities of combat.", + "poster": "https://image.tmdb.org/t/p/w500/1wZUB08igw8iLUgF1r4T6aJD65b.jpg", + "url": "https://www.themoviedb.org/movie/143", + "genres": [ + "Drama", + "War" + ], + "tags": [ + "friendship", + "army", + "based on novel or book", + "germany", + "disillusion", + "world war i", + "steel helmet", + "patriotism", + "boot camp", + "battlefield", + "atrocity", + "black and white", + "soldier", + "combat", + "warfare", + "death", + "pre-code", + "anti war", + "mud", + "trenches", + "young soldier", + "battlefield trauma", + "philosophical depiction of war" + ] + }, + { + "ranking": 701, + "title": "Accattone", + "year": "1961", + "runtime": 117, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.7, + "vote_count": 482, + "description": "A pimp with no other means to provide for himself finds his life spiralling out of control when his prostitute is sent to prison.", + "poster": "https://image.tmdb.org/t/p/w500/113ts2Bmm5CZ3YJMwfCU9XGFCAf.jpg", + "url": "https://www.themoviedb.org/movie/12491", + "genres": [ + "Drama" + ], + "tags": [ + "prostitute", + "robbery", + "rome, italy", + "pimp", + "poverty" + ] + }, + { + "ranking": 705, + "title": "All Quiet on the Western Front", + "year": "1930", + "runtime": 133, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.746, + "vote_count": 827, + "description": "When a group of idealistic young men join the German Army during the Great War, they are assigned to the Western Front, where their patriotism is destroyed by the harsh realities of combat.", + "poster": "https://image.tmdb.org/t/p/w500/1wZUB08igw8iLUgF1r4T6aJD65b.jpg", + "url": "https://www.themoviedb.org/movie/143", + "genres": [ + "Drama", + "War" + ], + "tags": [ + "friendship", + "army", + "based on novel or book", + "germany", + "disillusion", + "world war i", + "steel helmet", + "patriotism", + "boot camp", + "battlefield", + "atrocity", + "black and white", + "soldier", + "combat", + "warfare", + "death", + "pre-code", + "anti war", + "mud", + "trenches", + "young soldier", + "battlefield trauma", + "philosophical depiction of war" + ] + }, + { + "ranking": 715, + "title": "Hustle", + "year": "2022", + "runtime": 117, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.7, + "vote_count": 2596, + "description": "After discovering a once-in-a-lifetime player with a rocky past abroad, a down on his luck basketball scout takes it upon himself to bring the phenom to the States without his team's approval. Against the odds, they have one final shot to prove they have what it takes to make it in the NBA.", + "poster": "https://image.tmdb.org/t/p/w500/xWic7kPq13oRxYjbGLApXCnc7pz.jpg", + "url": "https://www.themoviedb.org/movie/705861", + "genres": [ + "Drama", + "Comedy" + ], + "tags": [ + "spain", + "sports", + "training", + "basketball", + "teenage pregnancy", + "basketball player", + "opportunity", + "dramedy", + "interracial family" + ] + }, + { + "ranking": 718, + "title": "Mustang", + "year": "2015", + "runtime": 97, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.7, + "vote_count": 1388, + "description": "In a Turkish village, five orphaned sisters live under strict rule while members of their family prepare their arranged marriages.", + "poster": "https://image.tmdb.org/t/p/w500/8lrsjdydRxhKlKiGuMbbzuFKrdN.jpg", + "url": "https://www.themoviedb.org/movie/336804", + "genres": [ + "Drama" + ], + "tags": [ + "sibling relationship", + "arranged marriage", + "sexism", + "turkey", + "run away", + "sexual violence", + "teenage girl", + "gang", + "female protagonist", + "teenage sexuality", + "teen suicide", + "woman director", + "abusive family", + "sisters", + "conservative values" + ] + }, + { + "ranking": 708, + "title": "Harry Potter and the Deathly Hallows: Part 1", + "year": "2010", + "runtime": 146, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.743, + "vote_count": 19392, + "description": "Harry, Ron and Hermione walk away from their last year at Hogwarts to find and destroy the remaining Horcruxes, putting an end to Voldemort's bid for immortality. But with Harry's beloved Dumbledore dead and Voldemort's unscrupulous Death Eaters on the loose, the world is more dangerous than ever.", + "poster": "https://image.tmdb.org/t/p/w500/iGoXIpQb7Pot00EEdwpwPajheZ5.jpg", + "url": "https://www.themoviedb.org/movie/12444", + "genres": [ + "Adventure", + "Fantasy" + ], + "tags": [ + "witch", + "friendship", + "london, england", + "corruption", + "escape", + "teleportation", + "isolation", + "magic", + "bravery", + "radio", + "road trip", + "shelter", + "tension", + "attack", + "werewolf", + "ghost", + "road movie", + "wizard", + "mysterious", + "christmas", + "based on young adult novel" + ] + }, + { + "ranking": 720, + "title": "L'Eclisse", + "year": "1962", + "runtime": 126, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.7, + "vote_count": 492, + "description": "This romantic drama by Michelangelo Antonioni follows the love life of Vittoria, a beautiful literary translator living in Rome. After splitting from her writer boyfriend, Riccardo, Vittoria meets Piero, a lively stockbroker, on the hectic floor of the Roman stock exchange. Though Vittoria and Piero begin a relationship, it is not one without difficulties, and their commitment to one another is tested during an eclipse.", + "poster": "https://image.tmdb.org/t/p/w500/oXoe0Fp92Yw3mMJ9Vq0hPlaMELg.jpg", + "url": "https://www.themoviedb.org/movie/21135", + "genres": [ + "Drama", + "Romance" + ], + "tags": [ + "capitalism", + "boredom", + "alienation", + "relationship", + "airplane trip", + "stock market", + "stock market crash", + "stock broker" + ] + }, + { + "ranking": 709, + "title": "Past Lives", + "year": "2023", + "runtime": 106, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.741, + "vote_count": 1870, + "description": "Nora and Hae Sung, two childhood friends, are reunited in New York for one fateful week as they confront notions of destiny, love, and the choices that make a life.", + "poster": "https://image.tmdb.org/t/p/w500/rzO71VFu7CpJMfF5TQNMj0d1lSV.jpg", + "url": "https://www.themoviedb.org/movie/666277", + "genres": [ + "Drama", + "Romance" + ], + "tags": [ + "new york city", + "immigrant", + "friendship", + "regret", + "language barrier", + "melancholy", + "nostalgia", + "interracial relationship", + "fate", + "memory", + "playwright", + "childhood", + "childhood friends", + "nostalgic", + "semi autobiographical", + "woman director", + "retreat", + "skype", + "facebook", + "ferry", + "childhood crush", + "korean american", + "korean", + "asian american", + "independent film", + "facetime" + ] + }, + { + "ranking": 707, + "title": "Do the Right Thing", + "year": "1989", + "runtime": 120, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.7, + "vote_count": 1820, + "description": "Salvatore \"Sal\" Fragione is the Italian owner of a pizzeria in Brooklyn. A neighborhood local, Buggin' Out, becomes upset when he sees that the pizzeria's Wall of Fame exhibits only Italian actors. Buggin' Out believes a pizzeria in a black neighborhood should showcase black actors, but Sal disagrees. The wall becomes a symbol of racism and hate to Buggin' Out and to other people in the neighborhood, and tensions rise.", + "poster": "https://image.tmdb.org/t/p/w500/63rmSDPahrH7C1gEFYzRuIBAN9W.jpg", + "url": "https://www.themoviedb.org/movie/925", + "genres": [ + "Drama" + ], + "tags": [ + "new york city", + "police brutality", + "hip-hop", + "italian american", + "culture clash", + "chaos", + "heat", + "street war", + "restaurant critic", + "radio transmission", + "punk rock", + "pizzeria", + "police operation", + "pizza", + "love", + "money", + "racism", + "brooklyn, new york city", + "heatwave" + ] + }, + { + "ranking": 703, + "title": "Platoon", + "year": "1986", + "runtime": 120, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.7, + "vote_count": 4659, + "description": "As a young and naive recruit in Vietnam, Chris Taylor faces a moral crisis when confronted with the horrors of war and the duality of man.", + "poster": "https://image.tmdb.org/t/p/w500/m3mmFkPQKvPZq5exmh0bDuXlD9T.jpg", + "url": "https://www.themoviedb.org/movie/792", + "genres": [ + "Drama", + "War", + "Action" + ], + "tags": [ + "dying and death", + "vietnam war", + "helicopter", + "ambush", + "war crimes", + "village", + "mine", + "bunker", + "infantry", + "jungle", + "gang rape", + "soldier", + "battle", + "violent death", + "false accusations", + "platoon", + "combat", + "casualty of war", + "marijuana joint", + "marijuana pipe", + "semi autobiographical", + "anti war", + "wounded soldier", + "conscripts", + "military draft", + "violent man", + "american soldiers", + "tour of duty", + "murder witness", + "army vs civilians", + "cautionary", + "suspenseful", + "critical", + "intense", + "defiant", + "philosophical depiction of war" + ] + }, + { + "ranking": 717, + "title": "The Gorge", + "year": "2025", + "runtime": 127, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.737, + "vote_count": 2226, + "description": "Two highly trained operatives grow close from a distance after being sent to guard opposite sides of a mysterious gorge. When an evil below emerges, they must work together to survive what lies within.", + "poster": "https://image.tmdb.org/t/p/w500/7iMBZzVZtG0oBug4TfqDb9ZxAOa.jpg", + "url": "https://www.themoviedb.org/movie/950396", + "genres": [ + "Romance", + "Science Fiction", + "Thriller" + ], + "tags": [ + "canyon", + "fog", + "romance", + "tower", + "elite sniper", + "snipers", + "long-term observation" + ] + }, + { + "ranking": 711, + "title": "Vivre Sa Vie", + "year": "1962", + "runtime": 84, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.7, + "vote_count": 656, + "description": "Twelve episodic tales in the life of a Parisian woman and her slow descent into prostitution.", + "poster": "https://image.tmdb.org/t/p/w500/lYTAYclvYIa1SR4wRwMW7OwGp86.jpg", + "url": "https://www.themoviedb.org/movie/1626", + "genres": [ + "Drama" + ], + "tags": [ + "prostitute", + "paris, france", + "philosophy", + "pimp", + "female protagonist", + "prostitution", + "free will", + "woman smoking", + "pinball machine", + "nouvelle vague" + ] + }, + { + "ranking": 712, + "title": "Instructions Not Included", + "year": "2013", + "runtime": 122, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.739, + "vote_count": 897, + "description": "Valentin is Acapulco's resident playboy, until a former fling leaves a baby on his doorstep and him heading with her out of Mexico.", + "poster": "https://image.tmdb.org/t/p/w500/4f0qaU7cWmO9kYEkr3QGdA7KNFR.jpg", + "url": "https://www.themoviedb.org/movie/211954", + "genres": [ + "Comedy", + "Drama" + ], + "tags": [ + "bachelor", + "vespa" + ] + }, + { + "ranking": 704, + "title": "Mystic River", + "year": "2003", + "runtime": 138, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.745, + "vote_count": 6846, + "description": "The lives of three men who were childhood friends are shattered when one of them suffers a family tragedy.", + "poster": "https://image.tmdb.org/t/p/w500/hCHVDbo6XJGj3r2i4hVjKhE0GKF.jpg", + "url": "https://www.themoviedb.org/movie/322", + "genres": [ + "Thriller", + "Crime", + "Drama", + "Mystery" + ], + "tags": [ + "child abuse", + "sexual abuse", + "workers' quarter", + "based on novel or book", + "loss of loved one", + "suppressed past", + "boston, massachusetts", + "repayment", + "arbitrary law", + "loyalty", + "massachusetts", + "whodunit", + "biting", + "guilt", + "childhood sexual abuse", + "mysterious", + "grim", + "vengeance", + "poker race", + "sex abuse", + "forceful", + "ominous" + ] + }, + { + "ranking": 719, + "title": "My Mom Is a Character", + "year": "2013", + "runtime": 85, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.739, + "vote_count": 657, + "description": "After another spat with her kids, Dona Hermínia decides to take some time off from them and hides away in her aunt's house, where she reminisces about her kids in an age when they still needed her.", + "poster": "https://image.tmdb.org/t/p/w500/2kj8VJEcqcxPmbuIjh5wf6FjMBH.jpg", + "url": "https://www.themoviedb.org/movie/203217", + "genres": [ + "Comedy" + ], + "tags": [ + "working mom", + "urban comedy" + ] + }, + { + "ranking": 702, + "title": "Ponyo", + "year": "2008", + "runtime": 100, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.7, + "vote_count": 4397, + "description": "When Sosuke, a young boy who lives on a clifftop overlooking the sea, rescues a stranded goldfish named Ponyo, he discovers more than he bargained for. Ponyo is a curious, energetic young creature who yearns to be human, but even as she causes chaos around the house, her father, a powerful sorcerer, schemes to return Ponyo to the sea.", + "poster": "https://image.tmdb.org/t/p/w500/yp8vEZflGynlEylxEesbYasc06i.jpg", + "url": "https://www.themoviedb.org/movie/12429", + "genres": [ + "Animation", + "Fantasy", + "Family" + ], + "tags": [ + "princess", + "fish", + "cliff", + "mermaid", + "anime", + "lighthearted", + "adventure", + "whimsical" + ] + }, + { + "ranking": 710, + "title": "Crooks in Clover", + "year": "1963", + "runtime": 111, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.742, + "vote_count": 513, + "description": "An aging gangster, Fernand Naudin is hoping for a quiet retirement when he suddenly inherits a fortune from an old friend, a former gangster supremo known as the Mexican. If he is ambivalent about his new found wealth, Fernand is positively nonplussed to discover that he has also inherited his benefactor’s daughter, Patricia. Unfortunately, not only does Fernand have to put up with the thoroughly modern Patricia and her nauseating boyfriend, but he also had to contend with the Mexican’s trigger-happy former employees, who are determined to make a claim.", + "poster": "https://image.tmdb.org/t/p/w500/1uYCIsMpX7FtWu2xO1YMIAQYvLR.jpg", + "url": "https://www.themoviedb.org/movie/25253", + "genres": [ + "Comedy", + "Crime" + ], + "tags": [ + "prostitute", + "paris, france", + "based on novel or book", + "bomb", + "hitman", + "slang", + "alcohol", + "gangster", + "debt", + "orphan", + "criminal underworld", + "wedding ceremony", + "gambling house", + "punch in face", + "distillery", + "pupil", + "french polar", + "hooch" + ] + }, + { + "ranking": 706, + "title": "How to Train Your Dragon: The Hidden World", + "year": "2019", + "runtime": 104, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.744, + "vote_count": 6542, + "description": "As Hiccup fulfills his dream of creating a peaceful dragon utopia, Toothless’ discovery of an untamed, elusive mate draws the Night Fury away. When danger mounts at home and Hiccup’s reign as village chief is tested, both dragon and rider must make impossible decisions to save their kind.", + "poster": "https://image.tmdb.org/t/p/w500/xvx4Yhf0DVH8G4LzNISpMfFBDy2.jpg", + "url": "https://www.themoviedb.org/movie/166428", + "genres": [ + "Animation", + "Family", + "Adventure" + ], + "tags": [ + "based on novel or book", + "flying", + "villain", + "vikings (norsemen)", + "sequel", + "overpopulation", + "dragon", + "love interest", + "based on children's book", + "insecure" + ] + }, + { + "ranking": 714, + "title": "Annie Hall", + "year": "1977", + "runtime": 93, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.7, + "vote_count": 3963, + "description": "New York comedian Alvy Singer falls in love with the ditsy Annie Hall.", + "poster": "https://image.tmdb.org/t/p/w500/dEtjPywhDbAXYjoFfhBC4U9unU7.jpg", + "url": "https://www.themoviedb.org/movie/703", + "genres": [ + "Comedy", + "Drama", + "Romance" + ], + "tags": [ + "new york city", + "sports", + "tennis", + "narration", + "job interview", + "cocaine", + "neurosis", + "comedian", + "romcom", + "love", + "singer", + "breaking the fourth wall", + "volkswagen beetle" + ] + }, + { + "ranking": 713, + "title": "PlayTime", + "year": "1967", + "runtime": 115, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.7, + "vote_count": 586, + "description": "Clumsy Monsieur Hulot finds himself perplexed by the intimidating complexity of a gadget-filled Paris. He attempts to meet with a business contact but soon becomes lost. His roundabout journey parallels that of an American tourist, and as they weave through the inventive urban environment, they intermittently meet, developing an interest in one another. They eventually get together at a chaotic restaurant, along with several other quirky characters.", + "poster": "https://image.tmdb.org/t/p/w500/oUXEJLgDfAFR6TvJU6dMerEpcBK.jpg", + "url": "https://www.themoviedb.org/movie/10227", + "genres": [ + "Comedy" + ], + "tags": [ + "paris, france", + "modernity", + "restaurant", + "modern society", + "glass", + "american tourist", + "steel" + ] + }, + { + "ranking": 716, + "title": "Two Is a Family", + "year": "2016", + "runtime": 118, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.74, + "vote_count": 2986, + "description": "A man without attachments or responsibilities suddenly finds himself with an abandoned baby and leaves for London to try and find the mother. Eight years later after he and his daughter become inseparable Gloria's mother reappears.", + "poster": "https://image.tmdb.org/t/p/w500/aFgtdhuzgI2eqnIVWtRB03x3pnt.jpg", + "url": "https://www.themoviedb.org/movie/382591", + "genres": [ + "Drama", + "Comedy" + ], + "tags": [ + "london, england", + "single parent", + "parent child relationship", + "stuntman", + "remake", + "parenting", + "single father", + "lying", + "absent parent", + "frenchman abroad" + ] + }, + { + "ranking": 728, + "title": "The Breakfast Club", + "year": "1985", + "runtime": 98, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.734, + "vote_count": 8106, + "description": "Five high school students from different walks of life endure a Saturday detention under a power-hungry principal. The disparate group includes rebel John, princess Claire, outcast Allison, brainy Brian and Andrew, the jock. Each has a chance to tell his or her story, making the others see them a little differently -- and when the day ends, they question whether school will ever be the same.", + "poster": "https://image.tmdb.org/t/p/w500/wM9ErA8UVdcce5P4oefQinN8VVV.jpg", + "url": "https://www.themoviedb.org/movie/2108", + "genres": [ + "Comedy", + "Drama" + ], + "tags": [ + "high school", + "coming of age", + "teen angst", + "detention", + "teenage rebellion", + "stereotype", + "1980s", + "teenager", + "wry" + ] + }, + { + "ranking": 731, + "title": "Slumdog Millionaire", + "year": "2008", + "runtime": 120, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.7, + "vote_count": 10724, + "description": "A teenager reflects on his life after being accused of cheating on the Indian version of \"Who Wants to be a Millionaire?\".", + "poster": "https://image.tmdb.org/t/p/w500/5leCCi7ZF0CawAfM5Qo2ECKPprc.jpg", + "url": "https://www.themoviedb.org/movie/12405", + "genres": [ + "Drama", + "Romance" + ], + "tags": [ + "based on novel or book", + "slum", + "cheating", + "suspicion", + "mumbai (bombay), india", + "game show", + "quiz", + "orphan", + "duringcreditsstinger", + "taj mahal, india" + ] + }, + { + "ranking": 723, + "title": "Batman: Under the Red Hood", + "year": "2010", + "runtime": 75, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.736, + "vote_count": 1620, + "description": "One part vigilante, one part criminal kingpin, Red Hood begins cleaning up Gotham with the efficiency of Batman, but without following the same ethical code.", + "poster": "https://image.tmdb.org/t/p/w500/7lmHqHg1rG9b4U8MjuyQjmJ7Qm0.jpg", + "url": "https://www.themoviedb.org/movie/40662", + "genres": [ + "Mystery", + "Crime", + "Animation" + ], + "tags": [ + "martial arts", + "joker", + "superhero", + "cartoon", + "based on comic", + "vigilante", + "organized crime", + "billionaire", + "super power", + "mascara", + "masked superhero" + ] + }, + { + "ranking": 735, + "title": "The Sound of Music", + "year": "1965", + "runtime": 174, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.7, + "vote_count": 3351, + "description": "In the years before the Second World War, a tomboyish postulant at an Austrian abbey is hired as a governess in the home of a widowed naval captain with seven children, and brings a new love of life and music into the home.", + "poster": "https://image.tmdb.org/t/p/w500/5qQTu2iGTiQ2UvyGp0beQAZ2rKx.jpg", + "url": "https://www.themoviedb.org/movie/15121", + "genres": [ + "Drama", + "Family", + "Music", + "Romance" + ], + "tags": [ + "resistance", + "world war ii", + "musical", + "austria", + "based on true story", + "music competition", + "based on play or musical", + "alps mountains", + "governess", + "convent (nunnery)", + "novice", + "puppet show", + "nun in love", + "nazi occupation", + "1930s", + "preserved film", + "cheerful", + "comforting", + "joyful" + ] + }, + { + "ranking": 737, + "title": "Big Hero 6", + "year": "2014", + "runtime": 102, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.728, + "vote_count": 15828, + "description": "A special bond develops between plus-sized inflatable robot Baymax, and prodigy Hiro Hamada, who team up with a group of friends to form a band of high-tech heroes.", + "poster": "https://image.tmdb.org/t/p/w500/2mxS4wUimwlLmI1xp6QW6NSU361.jpg", + "url": "https://www.themoviedb.org/movie/177572", + "genres": [ + "Adventure", + "Family", + "Animation", + "Action", + "Comedy" + ], + "tags": [ + "friendship", + "martial arts", + "hero", + "sibling relationship", + "san francisco, california", + "superhero", + "talent", + "cartoon", + "villain", + "based on comic", + "revenge", + "tokyo, japan", + "best friend", + "another dimension", + "robot", + "east asian lead", + "boy genius", + "super villain", + "aftercreditsstinger", + "villain arrested", + "supervillain", + "moral dilemma", + "teen superhero", + "dead brother", + "hopeful" + ] + }, + { + "ranking": 721, + "title": "The Leopard", + "year": "1963", + "runtime": 186, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.7, + "vote_count": 851, + "description": "As Garibaldi's troops begin the unification of Italy in the 1860s, an aristocratic Sicilian family grudgingly adapts to the sweeping social changes undermining their way of life. Proud but pragmatic Prince Don Fabrizio Salina allows his war hero nephew, Tancredi, to marry Angelica, the beautiful daughter of gauche, bourgeois Don Calogero, in order to maintain the family's accustomed level of comfort and political clout.", + "poster": "https://image.tmdb.org/t/p/w500/riSUxwoK3xjkOgy6YJSvPhi7cO6.jpg", + "url": "https://www.themoviedb.org/movie/1040", + "genres": [ + "Drama" + ], + "tags": [ + "plan", + "civil war", + "sicily, italy", + "praise", + "pastor", + "arranged marriage", + "monarchy", + "country estate", + "power takeover", + "political instability", + "ambition", + "palermo, sicily", + "bourbon", + "naples, italy", + "opportunist", + "decadence" + ] + }, + { + "ranking": 739, + "title": "Don't Blame the Kid", + "year": "2016", + "runtime": 113, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.7, + "vote_count": 641, + "description": "After a one-night stand results in pregnancy, a young woman decides to become partners with the emotionally immature father-to-be.", + "poster": "https://image.tmdb.org/t/p/w500/zWp8QZ1KxNrirNK9MF1EAIHjqVw.jpg", + "url": "https://www.themoviedb.org/movie/369299", + "genres": [ + "Comedy", + "Romance" + ], + "tags": [ + "one-night stand", + "birth", + "unlikely lovers", + "duringcreditsstinger", + "unplanned pregnancy" + ] + }, + { + "ranking": 722, + "title": "Straight Outta Nowhere: Scooby-Doo! Meets Courage the Cowardly Dog", + "year": "2021", + "runtime": 72, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.7, + "vote_count": 386, + "description": "With Mystery, Inc. on the tail of a strange object in Nowhere, Kansas, the strange hometown of Eustice, Muriel, and Courage, the gang soon find themselves contending with a giant cicada monster and her winged warriors.", + "poster": "https://image.tmdb.org/t/p/w500/rlQJnQfPgaSGQtyMw35VOIqoIsj.jpg", + "url": "https://www.themoviedb.org/movie/843906", + "genres": [ + "Animation", + "Comedy", + "Mystery", + "Family", + "Fantasy", + "Adventure", + "Horror" + ], + "tags": [ + "friendship", + "monster", + "friends", + "crossover" + ] + }, + { + "ranking": 738, + "title": "Marriage Italian Style", + "year": "1964", + "runtime": 102, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.7, + "vote_count": 519, + "description": "During the bombing of Naples in World War II, a cynical businessman helps a naive prostitute, who spends the next two decades desperate to have him reciprocate her feelings.", + "poster": "https://image.tmdb.org/t/p/w500/1VVQFXwr4i6QSAoPnCs9UmGTUVw.jpg", + "url": "https://www.themoviedb.org/movie/49687", + "genres": [ + "Drama", + "Romance", + "Comedy" + ], + "tags": [ + "italian", + "unknown father" + ] + }, + { + "ranking": 725, + "title": "The Celebration", + "year": "1998", + "runtime": 105, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.736, + "vote_count": 1116, + "description": "The family of a wealthy businessman gather to celebrate his 60th birthday. During the course of the party, his eldest son presents a speech that reveals a shocking secret.", + "poster": "https://image.tmdb.org/t/p/w500/2LRzNq41yrY8EjCnD1S8sCCPvKk.jpg", + "url": "https://www.themoviedb.org/movie/309", + "genres": [ + "Drama" + ], + "tags": [ + "daughter", + "depression", + "infidelity", + "child abuse", + "suicide", + "parent child relationship", + "birthday", + "country house", + "twin sister", + "trauma", + "racism", + "family reunion", + "denial", + "lecture", + "death of sister", + "drunkenness", + "dinner party", + "child", + "child sexual abuse", + "dogme 95" + ] + }, + { + "ranking": 724, + "title": "The Red Balloon", + "year": "1956", + "runtime": 34, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.7, + "vote_count": 404, + "description": "A young boy discovers a stray balloon, which seems to have a mind of its own, on the streets of Paris. The two become inseparable, yet the world’s harsh realities finally interfere.", + "poster": "https://image.tmdb.org/t/p/w500/3XrEggEOEnKGi8hTOau44vcvbmV.jpg", + "url": "https://www.themoviedb.org/movie/15265", + "genres": [ + "Comedy", + "Drama", + "Family", + "Fantasy" + ], + "tags": [ + "friendship", + "paris, france", + "chase", + "little boy", + "balloon", + "foot chase", + "pursuit", + "childhood", + "unlikely friendship", + "fleeing", + "kid gang" + ] + }, + { + "ranking": 736, + "title": "Cool Hand Luke", + "year": "1967", + "runtime": 127, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.729, + "vote_count": 1459, + "description": "When petty criminal Luke Jackson is sentenced to two years in a Florida prison farm, he doesn't play by the rules of either the sadistic warden or the yard's resident heavy, Dragline, who ends up admiring the new guy's unbreakable will. Luke's bravado, even in the face of repeated stints in the prison's dreaded solitary confinement cell, \"the box,\" make him a rebel hero to his fellow convicts and a thorn in the side of the prison officers.", + "poster": "https://image.tmdb.org/t/p/w500/4ykzTiHKLamh3eZJ8orVICtU2Jp.jpg", + "url": "https://www.themoviedb.org/movie/903", + "genres": [ + "Action", + "Drama", + "Crime" + ], + "tags": [ + "prison", + "dying and death", + "florida", + "based on novel or book", + "escape", + "loss of loved one", + "rebel", + "harassment", + "imprisonment", + "barbed wire", + "death", + "prison farm" + ] + }, + { + "ranking": 726, + "title": "Batman: The Dark Knight Returns, Part 1", + "year": "2012", + "runtime": 76, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.7, + "vote_count": 1625, + "description": "Batman has not been seen for ten years. A new breed of criminal ravages Gotham City, forcing 55-year-old Bruce Wayne back into the cape and cowl. But, does he still have what it takes to fight crime in a new era?", + "poster": "https://image.tmdb.org/t/p/w500/kkjTbwV1Xnj8wBL52PjOcXzTbnb.jpg", + "url": "https://www.themoviedb.org/movie/123025", + "genres": [ + "Science Fiction", + "Action", + "Animation", + "Mystery" + ], + "tags": [ + "future", + "dystopia", + "based on graphic novel", + "super power", + "dreary" + ] + }, + { + "ranking": 727, + "title": "The King's Speech", + "year": "2010", + "runtime": 118, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.7, + "vote_count": 8822, + "description": "The King's Speech tells the story of the man who became King George VI, the father of Queen Elizabeth II. After his brother abdicates, George ('Bertie') reluctantly assumes the throne. Plagued by a dreaded stutter and considered unfit to be king, Bertie engages the help of an unorthodox speech therapist named Lionel Logue. Through a set of unexpected techniques, and as a result of an unlikely friendship, Bertie is able to find his voice and boldly lead the country into war.", + "poster": "https://image.tmdb.org/t/p/w500/pVNKXVQFukBaCz6ML7GH3kiPlQP.jpg", + "url": "https://www.themoviedb.org/movie/45269", + "genres": [ + "Drama", + "History" + ], + "tags": [ + "great britain", + "marriage", + "stutter", + "monarchy", + "palace", + "radio", + "radio transmission", + "royal family", + "based on true story", + "death of father", + "speech", + "royalty", + "historical fiction", + "1930s", + "british royal family", + "british monarchy", + "winston churchill", + "speech therapy", + "corgi" + ] + }, + { + "ranking": 730, + "title": "Marriage Story", + "year": "2019", + "runtime": 137, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.732, + "vote_count": 7049, + "description": "A stage director and an actress struggle through a grueling, coast-to-coast divorce that pushes them to their personal extremes.", + "poster": "https://image.tmdb.org/t/p/w500/2JRyCKaRKyJAVpsIHeLvPw5nHmw.jpg", + "url": "https://www.themoviedb.org/movie/492188", + "genres": [ + "Drama" + ], + "tags": [ + "infidelity", + "new york city", + "husband wife relationship", + "parent child relationship", + "theatre group", + "theater director", + "lawyer", + "los angeles, california", + "divorce", + "divorce lawyer", + "thoughtful", + "complex", + "intense", + "sincere" + ] + }, + { + "ranking": 729, + "title": "The Avengers", + "year": "2012", + "runtime": 143, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.7, + "vote_count": 31466, + "description": "When an unexpected enemy emerges and threatens global safety and security, Nick Fury, director of the international peacekeeping agency known as S.H.I.E.L.D., finds himself in need of a team to pull the world back from the brink of disaster. Spanning the globe, a daring recruitment effort begins!", + "poster": "https://image.tmdb.org/t/p/w500/RYMX2wcKCBAr24UyPD7xwmjaTn.jpg", + "url": "https://www.themoviedb.org/movie/24428", + "genres": [ + "Science Fiction", + "Action", + "Adventure" + ], + "tags": [ + "new york city", + "superhero", + "shield", + "based on comic", + "alien invasion", + "superhero team", + "aftercreditsstinger", + "duringcreditsstinger", + "marvel cinematic universe (mcu)" + ] + }, + { + "ranking": 733, + "title": "The Exorcist", + "year": "1973", + "runtime": 122, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.731, + "vote_count": 8103, + "description": "When a charming 12-year-old girl takes on the characteristics and voices of others, doctors say there is nothing they can do. As people begin to die, the girl's mother realizes her daughter has been possessed by the Devil. Her daughter's only possible hope lies with two priests and the ancient rite of demonic exorcism.", + "poster": "https://image.tmdb.org/t/p/w500/5x0CeVHJI8tcDx8tUUwYHQSNILq.jpg", + "url": "https://www.themoviedb.org/movie/9552", + "genres": [ + "Horror" + ], + "tags": [ + "religion and supernatural", + "exorcism", + "holy water", + "paranormal phenomena", + "possession", + "vomit", + "satan", + "priest", + "ouija board", + "demon", + "strong language", + "catholic church", + "psychotic", + "demonic possession", + "disturbed child", + "crisis of faith", + "sfx", + "shocking", + "religious horror", + "supernatural horror", + "provocative", + "dramatic", + "suspenseful", + "tense", + "audacious", + "bold", + "horrified", + "possessed child" + ] + }, + { + "ranking": 732, + "title": "Beauty and the Beast", + "year": "1991", + "runtime": 84, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.731, + "vote_count": 10088, + "description": "Follow the adventures of Belle, a bright young woman who finds herself in the castle of a prince who's been turned into a mysterious beast. With the help of the castle's enchanted staff, Belle soon learns the most important lesson of all -- that true beauty comes from within.", + "poster": "https://image.tmdb.org/t/p/w500/hUJ0UvQ5tgE2Z9WpfuduVSdiCiU.jpg", + "url": "https://www.themoviedb.org/movie/10020", + "genres": [ + "Romance", + "Family", + "Animation", + "Fantasy" + ], + "tags": [ + "princess", + "france", + "prince", + "castle", + "villain", + "rose", + "musical", + "insane asylum", + "beast", + "based on fairy tale", + "eccentric man", + "dedication", + "toxic masculinity", + "grand", + "whimsical", + "adoring", + "cheerful", + "vibrant" + ] + }, + { + "ranking": 734, + "title": "The Chorus", + "year": "2004", + "runtime": 97, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.731, + "vote_count": 2455, + "description": "In 1940s France, a new teacher at a school for disruptive boys gives hope and inspiration.", + "poster": "https://image.tmdb.org/t/p/w500/hUl7gSvkGygyk9wt3zy5NqpC5bb.jpg", + "url": "https://www.themoviedb.org/movie/5528", + "genres": [ + "Drama" + ], + "tags": [ + "penalty", + "boarding school", + "choir", + "diary", + "musical", + "boys' choir", + "dormitory", + "principal", + "boys' boarding school", + "1940s" + ] + }, + { + "ranking": 740, + "title": "My Night at Maud's", + "year": "1969", + "runtime": 110, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.7, + "vote_count": 321, + "description": "The Catholic Jean-Louis runs into an old friend, the Marxist Vidal, in Clermont-Ferrand around Christmas. Vidal introduces Jean-Louis to the modestly libertine, recently divorced Maud and the three engage in conversation on religion, atheism, love, morality and Blaise Pascal's life and writings on philosophy, faith and mathematics. Jean-Louis ends up spending a night at Maud's. Jean-Louis' Catholic views on marriage, fidelity and obligation make his situation a dilemma, as he has already, at the very beginning of the film, proclaimed his love for a young woman whom, however, he has never yet spoken to.", + "poster": "https://image.tmdb.org/t/p/w500/9usKgth3ROn4LwPQ7tTvxKnpBGL.jpg", + "url": "https://www.themoviedb.org/movie/48831", + "genres": [ + "Romance", + "Comedy", + "Drama" + ], + "tags": [ + "france", + "philosophy", + "bachelor", + "mathematics", + "mathematical theorem", + "engineer", + "love", + "religion", + "morality", + "divorcee", + "catholic", + "devout", + "catholic church", + "old friends", + "christmas", + "ethics", + "christmas time" + ] + }, + { + "ranking": 741, + "title": "My Night at Maud's", + "year": "1969", + "runtime": 110, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.7, + "vote_count": 321, + "description": "The Catholic Jean-Louis runs into an old friend, the Marxist Vidal, in Clermont-Ferrand around Christmas. Vidal introduces Jean-Louis to the modestly libertine, recently divorced Maud and the three engage in conversation on religion, atheism, love, morality and Blaise Pascal's life and writings on philosophy, faith and mathematics. Jean-Louis ends up spending a night at Maud's. Jean-Louis' Catholic views on marriage, fidelity and obligation make his situation a dilemma, as he has already, at the very beginning of the film, proclaimed his love for a young woman whom, however, he has never yet spoken to.", + "poster": "https://image.tmdb.org/t/p/w500/9usKgth3ROn4LwPQ7tTvxKnpBGL.jpg", + "url": "https://www.themoviedb.org/movie/48831", + "genres": [ + "Romance", + "Comedy", + "Drama" + ], + "tags": [ + "france", + "philosophy", + "bachelor", + "mathematics", + "mathematical theorem", + "engineer", + "love", + "religion", + "morality", + "divorcee", + "catholic", + "devout", + "catholic church", + "old friends", + "christmas", + "ethics", + "christmas time" + ] + }, + { + "ranking": 745, + "title": "All Quiet on the Western Front", + "year": "2022", + "runtime": 147, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.7, + "vote_count": 4107, + "description": "Paul Baumer and his friends Albert and Muller, egged on by romantic dreams of heroism, voluntarily enlist in the German army. Full of excitement and patriotic fervour, the boys enthusiastically march into a war they believe in. But once on the Western Front, they discover the soul-destroying horror of World War I.", + "poster": "https://image.tmdb.org/t/p/w500/2IRjbi9cADuDMKmHdLK7LaqQDKA.jpg", + "url": "https://www.themoviedb.org/movie/49046", + "genres": [ + "War", + "History", + "Drama" + ], + "tags": [ + "based on novel or book", + "world war i", + "tank", + "battle", + "period drama", + "german soldier", + "1910s", + "aircraft", + "trench warfare", + "audacious" + ] + }, + { + "ranking": 749, + "title": "Three Steps Above Heaven", + "year": "2010", + "runtime": 122, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.723, + "vote_count": 3103, + "description": "Story of two young people who belong to different worlds. It is the chronicle of a love improbable, almost impossible but inevitable dragging in a frantic journey they discover the first great love. Babi is a girl from upper-middle class that is educated in goodness and innocence . Hache is a rebellious boy, impulsive, unconscious, has a appetite for risk and danger embodied in endless fights and illegal motorbike races, the limit of common sense", + "poster": "https://image.tmdb.org/t/p/w500/nNoMfNPnvEzGADXDkP6eJAP81KB.jpg", + "url": "https://www.themoviedb.org/movie/61979", + "genres": [ + "Romance", + "Drama" + ], + "tags": [ + "friendship", + "based on novel or book", + "rebel", + "forbidden love", + "motorcycle crash", + "motor sport", + "street race", + "love", + "best friend", + "motorcycle", + "teenage love", + "first love", + "young love", + "teen rebel", + "based on young adult novel" + ] + }, + { + "ranking": 743, + "title": "Red Shoes and the Seven Dwarfs", + "year": "2019", + "runtime": 92, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.7, + "vote_count": 1092, + "description": "Princes who have been turned into Dwarfs seek the red shoes of a lady in order to break the spell, although it will not be easy.", + "poster": "https://image.tmdb.org/t/p/w500/MBiKqTsouYqAACLYNDadsjhhC0.jpg", + "url": "https://www.themoviedb.org/movie/486589", + "genres": [ + "Animation", + "Fantasy", + "Drama", + "Family", + "Comedy", + "Romance" + ], + "tags": [ + "shoe", + "red shoes", + "animation", + "snow white", + "the seven dwarfs" + ] + }, + { + "ranking": 742, + "title": "Selena", + "year": "1997", + "runtime": 127, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.727, + "vote_count": 1235, + "description": "In this biographical drama, Selena Quintanilla is born into a musical Mexican-American family in Texas. Her father, Abraham, realizes that his young daughter is talented and begins performing with her at small venues. She finds success and falls for her guitarist, Chris Perez, who draws the ire of her father. Seeking mainstream stardom, Selena begins recording an English-language album which, tragically, she would never complete.", + "poster": "https://image.tmdb.org/t/p/w500/j8xX3yBAFOayfSaImgLZPnAcdWz.jpg", + "url": "https://www.themoviedb.org/movie/16052", + "genres": [ + "Drama", + "Music", + "History" + ], + "tags": [ + "texas", + "biography", + "singer", + "elopement", + "bustier", + "fan club", + "corpus christi" + ] + }, + { + "ranking": 744, + "title": "I, Daniel Blake", + "year": "2016", + "runtime": 100, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.7, + "vote_count": 1433, + "description": "A middle aged carpenter, who requires state welfare after injuring himself, is joined by a single mother in a similar scenario.", + "poster": "https://image.tmdb.org/t/p/w500/nu3WVABXz2W85N6JXTZOT1aWS3b.jpg", + "url": "https://www.themoviedb.org/movie/374473", + "genres": [ + "Drama" + ], + "tags": [ + "northern england", + "heart attack", + "single mother", + "compassion", + "carpenter", + "social services", + "welfare", + "social realism", + "social security", + "healthcare", + "desperate", + "labor rights" + ] + }, + { + "ranking": 751, + "title": "The Children's Hour", + "year": "1961", + "runtime": 108, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.722, + "vote_count": 361, + "description": "An unruly student at a private all-girls boarding school scandalously accuses the two women who run it of having a romantic relationship.", + "poster": "https://image.tmdb.org/t/p/w500/goyEWixvULM2IRN4KsKibyrJE4J.jpg", + "url": "https://www.themoviedb.org/movie/20139", + "genres": [ + "Drama" + ], + "tags": [ + "falsely accused", + "female friendship", + "based on play or musical", + "teacher", + "lesbian relationship", + "black and white", + "lgbt", + "rumor", + "libel suit", + "depressed woman", + "queer", + "girls' school", + "devastating" + ] + }, + { + "ranking": 752, + "title": "Manhattan", + "year": "1979", + "runtime": 96, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.7, + "vote_count": 2444, + "description": "Manhattan explores how the life of a middle-aged television writer dating a teenage girl is further complicated when he falls in love with his best friend's mistress.", + "poster": "https://image.tmdb.org/t/p/w500/k4eT3EvfxW1L9Wmt04UqJqCvCR6.jpg", + "url": "https://www.themoviedb.org/movie/696", + "genres": [ + "Comedy", + "Drama", + "Romance" + ], + "tags": [ + "adultery", + "lolita", + "new york city", + "based on novel or book", + "based on true story", + "love", + "mistress", + "black and white", + "writer", + "relationship", + "divorce", + "true crime", + "manhattan, new york city", + "married" + ] + }, + { + "ranking": 746, + "title": "Mother", + "year": "2009", + "runtime": 129, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.7, + "vote_count": 1524, + "description": "A mother lives quietly with her son. One day, a girl is brutally killed, and the boy is charged with the murder. Now, it's his mother's mission to prove him innocent.", + "poster": "https://image.tmdb.org/t/p/w500/8oBnSkZE6GDVugAbLPO6uJd4GcS.jpg", + "url": "https://www.themoviedb.org/movie/30018", + "genres": [ + "Crime", + "Drama", + "Mystery" + ], + "tags": [ + "small town", + "mother", + "rice", + "golf", + "murder", + "teenage girl", + "misunderstanding", + "cell phone", + "drunk", + "disability", + "needle", + "drunkenness", + "acupuncture", + "mental retardation", + "mother son relationship", + "human mystery" + ] + }, + { + "ranking": 748, + "title": "The Straight Story", + "year": "1999", + "runtime": 112, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.7, + "vote_count": 1615, + "description": "A retired farmer and widower in his 70s, Alvin Straight learns one day that his distant brother Lyle has suffered a stroke and may not recover. Alvin is determined to make things right with Lyle while he still can, but his brother lives in Wisconsin, while Alvin is stuck in Iowa with no car and no driver's license. Then he hits on the idea of making the trip on his old lawnmower, thus beginning a picturesque and at times deeply spiritual odyssey.", + "poster": "https://image.tmdb.org/t/p/w500/tT9cMiVDdtlcdZxOoFy3VRmEoKk.jpg", + "url": "https://www.themoviedb.org/movie/404", + "genres": [ + "Drama" + ], + "tags": [ + "sibling relationship", + "mississippi river", + "wisconsin", + "lawnmower", + "iowa", + "biography", + "based on true story", + "road trip", + "family relationships", + "family", + "journey", + "elderly man", + "brother brother relationship", + "personal journey", + "transformative journey" + ] + }, + { + "ranking": 756, + "title": "Who's Afraid of Virginia Woolf?", + "year": "1966", + "runtime": 131, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.7, + "vote_count": 845, + "description": "A history professor and his wife entertain a young couple who are new to the university's faculty. As the drinks flow, secrets come to light, and the middle-aged couple unload onto their guests the full force of the bitterness, dysfunction, and animosity that defines their marriage.", + "poster": "https://image.tmdb.org/t/p/w500/wF7ihB5V5gSm6zxjv3ZhHOpgREI.jpg", + "url": "https://www.themoviedb.org/movie/396", + "genres": [ + "Drama" + ], + "tags": [ + "adultery", + "professor", + "married couple", + "guest", + "black humor", + "based on play or musical", + "campus", + "dysfunctional marriage", + "alcohol abuse", + "new england", + "cuckold", + "one night", + "henpecked husband", + "house guest", + "college professor", + "marital tensions", + "academia", + "dead son", + "impotent husband", + "nasty wife", + "cuckolded husband", + "nagging wife", + "hysterical drunks", + "bickering couple", + "shattered reality", + "openly flirtatious wife", + "acerbic couple", + "alcoholic couple" + ] + }, + { + "ranking": 753, + "title": "Magnolia", + "year": "1999", + "runtime": 189, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.7, + "vote_count": 3643, + "description": "On one random day in the San Fernando Valley, a dying father, a young wife, a male caretaker, a famous lost son, a police officer in love, a boy genius, an ex-boy genius, a game show host and an estranged daughter will each become part of a dazzling multiplicity of plots, but one story.", + "poster": "https://image.tmdb.org/t/p/w500/tpfC325Jk6S38VTe5dDWjWtoyxr.jpg", + "url": "https://www.themoviedb.org/movie/334", + "genres": [ + "Drama" + ], + "tags": [ + "dying and death", + "daughter", + "farewell", + "regret", + "unsociability", + "chance", + "becoming an adult", + "parent child relationship", + "suicide attempt", + "loss of loved one", + "child prodigy", + "reconciliation", + "san fernando valley", + "multiple storylines", + "candid", + "philosophical", + "frog", + "grand", + "sentimental", + "audacious", + "bold", + "earnest", + "empathetic" + ] + }, + { + "ranking": 759, + "title": "Kwaidan", + "year": "1965", + "runtime": 183, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.7, + "vote_count": 400, + "description": "Taking its title from an archaic Japanese word meaning \"ghost story,\" this anthology adapts four folk tales. A penniless samurai marries for money with tragic results. A man stranded in a blizzard is saved by Yuki the Snow Maiden, but his rescue comes at a cost. Blind musician Hoichi is forced to perform for an audience of ghosts. An author relates the story of a samurai who sees another warrior's reflection in his teacup.", + "poster": "https://image.tmdb.org/t/p/w500/vmYhFcA2YC15hoL44hQziba75Ij.jpg", + "url": "https://www.themoviedb.org/movie/30959", + "genres": [ + "Horror", + "Fantasy", + "Drama" + ], + "tags": [ + "samurai", + "based on novel or book", + "story teller", + "snowstorm", + "tea", + "promise", + "snow", + "blind", + "spirit", + "vengeful ghost", + "ghost story", + "ghost", + "sea battle", + "japanese folklore", + "naval battle", + "horror anthology", + "ghost in the woods" + ] + }, + { + "ranking": 747, + "title": "The Blues Brothers", + "year": "1980", + "runtime": 133, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.724, + "vote_count": 4274, + "description": "Jake Blues, just released from prison, puts his old band back together to save the Catholic home where he and his brother Elwood were raised.", + "poster": "https://image.tmdb.org/t/p/w500/rhYJKOt6UrQq7JQgLyQcSWW5R86.jpg", + "url": "https://www.themoviedb.org/movie/525", + "genres": [ + "Music", + "Comedy", + "Action", + "Crime" + ], + "tags": [ + "prison", + "chicago, illinois", + "dancing", + "concert", + "country music", + "nazi", + "jazz", + "nun", + "music instrument", + "blues", + "shopping mall", + "road trip", + "church", + "buddy", + "parole", + "music", + "awestruck", + "euphoric", + "ridiculous" + ] + }, + { + "ranking": 750, + "title": "John Wick: Chapter 4", + "year": "2023", + "runtime": 170, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.7, + "vote_count": 6942, + "description": "With the price on his head ever increasing, John Wick uncovers a path to defeating The High Table. But before he can earn his freedom, Wick must face off against a new enemy with powerful alliances across the globe and forces that turn old friends into foes.", + "poster": "https://image.tmdb.org/t/p/w500/vZloFAK7NmvMGKE7VkF5UHaz0I.jpg", + "url": "https://www.themoviedb.org/movie/603692", + "genres": [ + "Action", + "Thriller", + "Crime" + ], + "tags": [ + "new york city", + "martial arts", + "berlin, germany", + "hitman", + "sequel", + "organized crime", + "osaka, japan", + "blindness", + "aftercreditsstinger", + "hunted", + "consequences", + "aggressive", + "professional assassin", + "neo-noir", + "exhilarated", + "japanese mafia", + "japan style", + "located in japan" + ] + }, + { + "ranking": 754, + "title": "Rush", + "year": "2013", + "runtime": 123, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.721, + "vote_count": 7255, + "description": "In the 1970s, a rivalry propels race car drivers Niki Lauda and James Hunt to fame and glory — until a horrible accident threatens to end it all.", + "poster": "https://image.tmdb.org/t/p/w500/5hpcfL3WH5ArSPUlfD4E1TtaOd0.jpg", + "url": "https://www.themoviedb.org/movie/96721", + "genres": [ + "Drama", + "Action" + ], + "tags": [ + "car race", + "sports", + "world champion", + "based on true story", + "racing", + "adventurer", + "formula one (f1)", + "serious", + "ambivalent" + ] + }, + { + "ranking": 757, + "title": "Sword Art Online: The Movie – Ordinal Scale", + "year": "2017", + "runtime": 119, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.72, + "vote_count": 692, + "description": "In 2026, four years after the infamous Sword Art Online incident, a revolutionary new form of technology has emerged: the Augma, a device that utilizes an Augmented Reality system. Unlike the Virtual Reality of the NerveGear and the Amusphere, it is perfectly safe and allows players to use it while they are conscious, creating an instant hit on the market. The most popular application for the Augma is the game Ordinal Scale, which immerses players in a fantasy role-playing game with player rankings and rewards. Following the new craze, Kirito's friends dive into the game, and despite his reservations about the system, Kirito eventually joins them. While at first it appears to be just fun and games, they soon find out that the game is not all that it seems...", + "poster": "https://image.tmdb.org/t/p/w500/2szdEK0Mr0RG0nWGFVTseNQHbnP.jpg", + "url": "https://www.themoviedb.org/movie/413594", + "genres": [ + "Animation", + "Action", + "Adventure", + "Fantasy", + "Science Fiction" + ], + "tags": [ + "virtual reality", + "sword", + "sword fight", + "survival", + "anime", + "mmorpg", + "vrmmo" + ] + }, + { + "ranking": 755, + "title": "Safety Last!", + "year": "1923", + "runtime": 73, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.7, + "vote_count": 522, + "description": "When a store clerk organizes a contest to climb the outside of a tall building, circumstances force him to make the perilous climb himself.", + "poster": "https://image.tmdb.org/t/p/w500/fEt5HWJ32ek8ibef7zSZnA00Jp0.jpg", + "url": "https://www.themoviedb.org/movie/22596", + "genres": [ + "Comedy" + ], + "tags": [ + "police", + "department store", + "clock", + "climbing", + "black and white", + "silent film" + ] + }, + { + "ranking": 760, + "title": "The Bridges of Madison County", + "year": "1995", + "runtime": 135, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.717, + "vote_count": 2208, + "description": "Photographer Robert Kincaid wanders into the life of housewife Francesca Johnson for four days in the 1960s.", + "poster": "https://image.tmdb.org/t/p/w500/8TfLAfIh5Qxp2J4ZjOafHYhWtDb.jpg", + "url": "https://www.themoviedb.org/movie/688", + "genres": [ + "Drama", + "Romance" + ], + "tags": [ + "adultery", + "secret love", + "husband wife relationship", + "based on novel or book", + "love of one's life", + "unsociability", + "marriage crisis", + "photographer", + "love at first sight", + "photography", + "peasant", + "mother role", + "iowa", + "bridge", + "housewife", + "love letter", + "romantic" + ] + }, + { + "ranking": 758, + "title": "Cowboy Bebop: The Movie", + "year": "2001", + "runtime": 115, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.7, + "vote_count": 933, + "description": "The year is 2071. Following a terrorist bombing, a deadly virus is released on the populace of Mars and the government has issued the largest bounty in history, for the capture of whoever is behind it. The bounty hunter crew of the spaceship Bebop; Spike, Faye, Jet and Ed, take the case with hopes of cashing in the bounty. However, the mystery surrounding the man responsible, Vincent, goes deeper than they ever imagined, and they aren't the only ones hunting him.", + "poster": "https://image.tmdb.org/t/p/w500/34H5bsNc0EPILVr49TfOYXj50qV.jpg", + "url": "https://www.themoviedb.org/movie/11299", + "genres": [ + "Action", + "Animation", + "Science Fiction" + ], + "tags": [ + "halloween", + "revenge", + "space western", + "lethal virus", + "adult animation", + "neo-western", + "anime", + "excited", + "vibrant" + ] + }, + { + "ranking": 761, + "title": "The Bridges of Madison County", + "year": "1995", + "runtime": 135, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.717, + "vote_count": 2208, + "description": "Photographer Robert Kincaid wanders into the life of housewife Francesca Johnson for four days in the 1960s.", + "poster": "https://image.tmdb.org/t/p/w500/8TfLAfIh5Qxp2J4ZjOafHYhWtDb.jpg", + "url": "https://www.themoviedb.org/movie/688", + "genres": [ + "Drama", + "Romance" + ], + "tags": [ + "adultery", + "secret love", + "husband wife relationship", + "based on novel or book", + "love of one's life", + "unsociability", + "marriage crisis", + "photographer", + "love at first sight", + "photography", + "peasant", + "mother role", + "iowa", + "bridge", + "housewife", + "love letter", + "romantic" + ] + }, + { + "ranking": 766, + "title": "Batman Begins", + "year": "2005", + "runtime": 140, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.712, + "vote_count": 21342, + "description": "Driven by tragedy, billionaire Bruce Wayne dedicates his life to uncovering and defeating the corruption that plagues his home, Gotham City. Unable to work within the system, he instead creates a new identity, a symbol of fear for the criminal underworld - The Batman.", + "poster": "https://image.tmdb.org/t/p/w500/4MpN4kIEqUjW8OPtOQJXlTdHiJV.jpg", + "url": "https://www.themoviedb.org/movie/272", + "genres": [ + "Action", + "Crime", + "Drama" + ], + "tags": [ + "martial arts", + "undercover", + "loss of loved one", + "secret identity", + "crime fighter", + "superhero", + "based on comic", + "rivalry", + "ninja", + "vigilante", + "tragic hero", + "super power", + "haunted by the past", + "evil doctor", + "master villain", + "unfulfilled love", + "inspirational" + ] + }, + { + "ranking": 765, + "title": "Philadelphia", + "year": "1993", + "runtime": 126, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.715, + "vote_count": 4333, + "description": "Two competing lawyers join forces to sue a prestigious law firm for AIDS discrimination. As their unlikely friendship develops their courage overcomes the prejudice and corruption of their powerful adversaries.", + "poster": "https://image.tmdb.org/t/p/w500/tFe5Yoo5zT495okA49bq1vPPkiV.jpg", + "url": "https://www.themoviedb.org/movie/9800", + "genres": [ + "Drama" + ], + "tags": [ + "philadelphia, pennsylvania", + "court", + "jurors", + "aids", + "pennsylvania, usa", + "homophobia", + "lawsuit", + "partner", + "hiv", + "lawyer", + "dying", + "lgbt", + "discrimination", + "angry", + "judiciary", + "1980s", + "somber", + "courtroom drama", + "anxious", + "loving", + "gay theme", + "cautionary", + "provocative", + "suspenseful", + "critical", + "antagonistic", + "celebratory", + "comforting", + "empathetic", + "hopeful" + ] + }, + { + "ranking": 767, + "title": "Rich in Love", + "year": "2020", + "runtime": 104, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.7, + "vote_count": 618, + "description": "Working incognito at his rich dad's company to test his own merits, Teto falls for Paula and tells her he grew up poor, a lie that spins out of control.", + "poster": "https://image.tmdb.org/t/p/w500/dVqRATKlpCoWy96lfxiHc9TY9An.jpg", + "url": "https://www.themoviedb.org/movie/656563", + "genres": [ + "Romance", + "Comedy" + ], + "tags": [ + "romance" + ] + }, + { + "ranking": 762, + "title": "Hotel Rwanda", + "year": "2004", + "runtime": 121, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.7, + "vote_count": 2915, + "description": "Inspired by true events, this film takes place in Rwanda in the 1990s when more than a million Tutsis were killed in a genocide that went mostly unnoticed by the rest of the world. Hotel owner Paul Rusesabagina houses over a thousand refuges in his hotel in attempt to save their lives.", + "poster": "https://image.tmdb.org/t/p/w500/lOBsGSCBEZNdsiCNpoSG2S6xrdN.jpg", + "url": "https://www.themoviedb.org/movie/205", + "genres": [ + "Drama", + "History", + "War" + ], + "tags": [ + "rwanda", + "refugee", + "refugee camp", + "militia", + "rwandan genocide", + "murder", + "slaughter", + "dead body", + "atrocity", + "african", + "cruelty", + "genocide", + "united nations", + "death", + "angry", + "aggressive", + "desperate", + "malicious", + "cautionary", + "factual", + "antagonistic", + "authoritarian", + "callous", + "commanding", + "foreboding", + "ominous" + ] + }, + { + "ranking": 764, + "title": "Sound of Metal", + "year": "2020", + "runtime": 120, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.7, + "vote_count": 2599, + "description": "Metal drummer Ruben begins to lose his hearing. When a doctor tells him his condition will worsen, he thinks his career and life is over. His girlfriend Lou checks the former addict into a rehab for the deaf hoping it will prevent a relapse and help him adapt to his new life. After being welcomed and accepted just as he is, Ruben must choose between his new normal and the life he once knew.", + "poster": "https://image.tmdb.org/t/p/w500/3178oOJKKPDeQ2legWQvMPpllv.jpg", + "url": "https://www.themoviedb.org/movie/502033", + "genres": [ + "Drama", + "Music" + ], + "tags": [ + "deaf", + "missouri", + "drums", + "heavy metal", + "addiction", + "sign languages", + "hearing impaired" + ] + }, + { + "ranking": 772, + "title": "Harry Potter and the Chamber of Secrets", + "year": "2002", + "runtime": 161, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.709, + "vote_count": 22425, + "description": "Cars fly, trees fight back, and a mysterious house-elf comes to warn Harry Potter at the start of his second year at Hogwarts. Adventure and danger await when bloody writing on a wall announces: The Chamber Of Secrets Has Been Opened. To save Hogwarts will require all of Harry, Ron and Hermione’s magical abilities and courage.", + "poster": "https://image.tmdb.org/t/p/w500/sdEOH0992YZ0QSxgXNIGLq1ToUi.jpg", + "url": "https://www.themoviedb.org/movie/672", + "genres": [ + "Adventure", + "Fantasy" + ], + "tags": [ + "witch", + "flying car", + "elves", + "magic", + "sword", + "diary", + "child hero", + "school of witchcraft", + "giant spider", + "black magic", + "giant snake", + "ghost", + "child driving car", + "wizard", + "aftercreditsstinger", + "christmas", + "based on young adult novel" + ] + }, + { + "ranking": 769, + "title": "The Maltese Falcon", + "year": "1941", + "runtime": 100, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.71, + "vote_count": 1730, + "description": "A private detective takes on a case that involves him with three eccentric criminals, a beautiful liar, and their quest for a priceless statuette.", + "poster": "https://image.tmdb.org/t/p/w500/bf4o6Uzw5wqLjdKwRuiDrN1xyvl.jpg", + "url": "https://www.themoviedb.org/movie/963", + "genres": [ + "Mystery", + "Crime", + "Thriller" + ], + "tags": [ + "based on novel or book", + "san francisco, california", + "loss of loved one", + "detective", + "film noir", + "murder", + "statuette", + "whodunit", + "black and white", + "private detective", + "black bird", + "private eye" + ] + }, + { + "ranking": 771, + "title": "Azur & Asmar: The Princes' Quest", + "year": "2006", + "runtime": 99, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.709, + "vote_count": 634, + "description": "Raised on tales of a Djinn fairy princess, Azur, a young Frenchman goes to North Africa in search of the sprite, only to discover that his close childhood friend, Asmar, an Arab youth whose mother raised both boys also seeks the genie.", + "poster": "https://image.tmdb.org/t/p/w500/ezkzULav0JxvLS5JOnQcjbUmfWO.jpg", + "url": "https://www.themoviedb.org/movie/19026", + "genres": [ + "Animation", + "Family" + ], + "tags": [ + "fairy", + "tale", + "computer animation", + "myth" + ] + }, + { + "ranking": 770, + "title": "Monsieur Verdoux", + "year": "1947", + "runtime": 124, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.7, + "vote_count": 426, + "description": "The film is about an unemployed banker, Henri Verdoux, and his sociopathic methods of attaining income. While being both loyal and competent in his work, Verdoux has been laid-off. To make money for his wife and child, he marries wealthy widows and then murders them. His crime spree eventually works against him when two particular widows break his normal routine.", + "poster": "https://image.tmdb.org/t/p/w500/mUPXIinTQsBdLlDaWiSl7GwQXVs.jpg", + "url": "https://www.themoviedb.org/movie/30588", + "genres": [ + "Comedy", + "Crime", + "Drama" + ], + "tags": [ + "marriage", + "dark comedy", + "villain", + "polygamy", + "great depression", + "based on true story", + "film noir", + "black and white", + "stock market crash", + "cold blooded killer", + "1930s" + ] + }, + { + "ranking": 763, + "title": "Edward Scissorhands", + "year": "1990", + "runtime": 105, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.7, + "vote_count": 13089, + "description": "A small suburban town receives a visit from a castaway unfinished science experiment named Edward.", + "poster": "https://image.tmdb.org/t/p/w500/e0FqKFvGPdQNWG8tF9cZBtev9Em.jpg", + "url": "https://www.themoviedb.org/movie/162", + "genres": [ + "Fantasy", + "Drama", + "Romance" + ], + "tags": [ + "underdog", + "small town", + "unsociability", + "inventor", + "hairdresser", + "isolation", + "scissors", + "burglar", + "love at first sight", + "fairy tale", + "sadness", + "symbolism", + "castle", + "alone", + "flashback", + "tragic love", + "snow", + "gothic", + "told in flashback", + "christmas horror", + "christmas", + "artificial", + "hair salon", + "signs & wonders", + "wonder", + "love story", + "goth", + "frankenstein", + "introspective", + "topiary", + "sentimental", + "awestruck", + "compassionate", + "earnest", + "enchant", + "gentle" + ] + }, + { + "ranking": 775, + "title": "Rurouni Kenshin Part III: The Legend Ends", + "year": "2014", + "runtime": 135, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.712, + "vote_count": 513, + "description": "Shishio sets sail in his ironclad ship to bring down the government. In order to stop him, Kenshin trains with his old master to learn his final technique.", + "poster": "https://image.tmdb.org/t/p/w500/3sw2YRF0UR4jeZJ2yvpgk4qvMQK.jpg", + "url": "https://www.themoviedb.org/movie/221732", + "genres": [ + "Action", + "Adventure", + "Fantasy" + ], + "tags": [ + "japan", + "samurai", + "based on manga", + "samurai sword", + "jidaigeki", + "shinsengumi", + "meiji period", + "bakumatsu", + "ishin shishi" + ] + }, + { + "ranking": 773, + "title": "BPM (Beats per Minute)", + "year": "2017", + "runtime": 143, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.708, + "vote_count": 1344, + "description": "Paris, in the early 1990s: a group of young activists is desperately tied to finding the cure against an unknown lethal disease. They target the pharmaceutical labs that are retaining potential cures, and multiply direct actions, with the hope of saving their lives as well as the ones of future generations.", + "poster": "https://image.tmdb.org/t/p/w500/azLtGx5ZhdTSP2b4oNLWtiE51OW.jpg", + "url": "https://www.themoviedb.org/movie/451945", + "genres": [ + "Drama" + ], + "tags": [ + "paris, france", + "aids", + "europe", + "laboratory", + "lgbt", + "cure", + "pharmaceuticals", + "1990s", + "gay theme" + ] + }, + { + "ranking": 779, + "title": "Holding the Man", + "year": "2015", + "runtime": 128, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.7, + "vote_count": 449, + "description": "Tim and John fell in love while teenagers at their all-boys high school. John was captain of the football team, Tim an aspiring actor playing a minor part in Romeo and Juliet. Their romance endured for 15 years in the face of everything life threw at it – the separations, the discrimination, the temptations, the jealousies and the losses – until the only problem that love can't solve tried to destroy them.", + "poster": "https://image.tmdb.org/t/p/w500/dF04CHO27xbNL0Zn0JJ0QdC7SNU.jpg", + "url": "https://www.themoviedb.org/movie/337960", + "genres": [ + "Drama" + ], + "tags": [ + "australia", + "aids", + "1970s", + "romance", + "love", + "hiv", + "lgbt", + "long term relationship", + "sexual discrimination", + "gay theme" + ] + }, + { + "ranking": 776, + "title": "The Incredibles", + "year": "2004", + "runtime": 115, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.708, + "vote_count": 17912, + "description": "Bob Parr has given up his superhero days to log in time as an insurance adjuster and raise his three children with his formerly heroic wife in suburbia. But when he receives a mysterious assignment, it's time to get back into costume.", + "poster": "https://image.tmdb.org/t/p/w500/2LqaLgk4Z226KkgPJuiOQ58wvrm.jpg", + "url": "https://www.themoviedb.org/movie/9806", + "genres": [ + "Action", + "Adventure", + "Animation", + "Family" + ], + "tags": [ + "hero", + "secret identity", + "superhero", + "villain", + "family relationships", + "super power", + "supervillain", + "1950s", + "1960s", + "superhero family" + ] + }, + { + "ranking": 768, + "title": "Pride", + "year": "2014", + "runtime": 120, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.7, + "vote_count": 1331, + "description": "In 1984, a group of LGBT activists decide to raise money to support the National Union of Mineworkers during their lengthy strike. There is only one problem: the Union seems embarrassed to receive their support.", + "poster": "https://image.tmdb.org/t/p/w500/mrITqHNw0XzT7egAPByDuiE3QZf.jpg", + "url": "https://www.themoviedb.org/movie/234200", + "genres": [ + "Drama", + "Comedy" + ], + "tags": [ + "wales", + "london, england", + "based on true story", + "lgbt", + "1980s", + "activism", + "miners strike", + "gay theme" + ] + }, + { + "ranking": 780, + "title": "The Sacrifice", + "year": "1986", + "runtime": 149, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.7, + "vote_count": 542, + "description": "Alexander, a journalist, philosopher and retired actor, celebrates a birthday with friends and family when it is announced that nuclear war has begun.", + "poster": "https://image.tmdb.org/t/p/w500/8JMh27z075ZHbFE85XYkdXF2QkK.jpg", + "url": "https://www.themoviedb.org/movie/24657", + "genres": [ + "Drama" + ], + "tags": [ + "nuclear war", + "philosopher", + "world war iii", + "philosophical", + "reflective", + "father son relationship", + "enchant" + ] + }, + { + "ranking": 774, + "title": "PK", + "year": "2014", + "runtime": 153, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.7, + "vote_count": 1024, + "description": "A stranger in the city asks questions no one has asked before. Known only by his initials, the man's innocent questions and childlike curiosity take him on a journey of love, laughter and letting go.", + "poster": "https://image.tmdb.org/t/p/w500/z2x2Y4tncefsIU7h82gmUM5vnBJ.jpg", + "url": "https://www.themoviedb.org/movie/297222", + "genres": [ + "Comedy", + "Drama", + "Science Fiction" + ], + "tags": [ + "friendship", + "society", + "christianity", + "hinduism", + "islam", + "satire", + "alien", + "love", + "religion", + "sociology", + "belief in god", + "islamophobia", + "pakistan vs india", + "sikhism", + "jainism", + "bollywood", + "religious satire" + ] + }, + { + "ranking": 778, + "title": "A Million Miles Away", + "year": "2023", + "runtime": 122, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.7, + "vote_count": 455, + "description": "The life of engineer and former NASA astronaut José M. Hernández, the first migrant farmworker to go to space.", + "poster": "https://image.tmdb.org/t/p/w500/kMI3tgxLAZbzGOVlorUBva0kriS.jpg", + "url": "https://www.themoviedb.org/movie/1002185", + "genres": [ + "Drama", + "History" + ], + "tags": [ + "underdog", + "based on novel or book", + "nasa", + "based on true story", + "astronaut", + "mexican american", + "migrant worker" + ] + }, + { + "ranking": 777, + "title": "Alice in the Cities", + "year": "1974", + "runtime": 110, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.7, + "vote_count": 306, + "description": "German journalist Philip Winter has a case of writer’s block when trying to write an article about the United States. He decides to return to Germany, and while trying to book a flight, encounters a German woman and her nine year old daughter Alice doing the same. The three become friends (almost out of necessity) and while the mother asks Winter to mind Alice temporarily, it quickly becomes apparent that Alice will be his responsibility for longer than he expected.", + "poster": "https://image.tmdb.org/t/p/w500/lw22wORmENkTZHGXI6bKmAIHxjO.jpg", + "url": "https://www.themoviedb.org/movie/2204", + "genres": [ + "Drama" + ], + "tags": [ + "new york city", + "airplane", + "airport", + "amsterdam, netherlands", + "man woman relationship", + "man", + "polaroid camera", + "road movie", + "empire state building" + ] + }, + { + "ranking": 785, + "title": "Day & Night", + "year": "2010", + "runtime": 6, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.705, + "vote_count": 901, + "description": "When Day, a sunny fellow, encounters Night, a stranger of distinctly darker moods, sparks fly! Day and Night are frightened and suspicious of each other at first, and quickly get off on the wrong foot. But as they discover each other's unique qualities--and come to realize that each of them offers a different window onto the same world-the friendship helps both to gain a new perspective.", + "poster": "https://image.tmdb.org/t/p/w500/hn2tOtidoYZ0D56jR4yknpdP1mU.jpg", + "url": "https://www.themoviedb.org/movie/40619", + "genres": [ + "Animation", + "Family", + "Comedy" + ], + "tags": [ + "short film" + ] + }, + { + "ranking": 782, + "title": "Hiroshima Mon Amour", + "year": "1959", + "runtime": 92, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.7, + "vote_count": 831, + "description": "The deep conversation between a Japanese architect and a French actress forms the basis of this celebrated French film, considered one of the vanguard productions of the French New Wave. Set in Hiroshima after the end of World War II, the couple -- lovers turned friends -- recount, over many hours, previous romances and life experiences. The two intertwine their stories about the past with pondering the devastation wrought by the atomic bomb dropped on the city.", + "poster": "https://image.tmdb.org/t/p/w500/vjP7eX9c0xUD5i5dTRaP3NYC8iN.jpg", + "url": "https://www.themoviedb.org/movie/5544", + "genres": [ + "Drama", + "History", + "Romance" + ], + "tags": [ + "new love", + "france", + "atomic bomb", + "return", + "lover", + "architect", + "hiroshima, japan", + "black and white", + "family", + "extramarital affair", + "anti war", + "nouvelle vague" + ] + }, + { + "ranking": 796, + "title": "Duck, You Sucker", + "year": "1971", + "runtime": 157, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.7, + "vote_count": 1092, + "description": "At the beginning of the 1913 Mexican Revolution, greedy bandit Juan Miranda and idealist John H. Mallory, an Irish Republican Army explosives expert on the lam from the British, fall in with a band of revolutionaries plotting to strike a national bank. When it turns out that the government has been using the bank as a hiding place for illegally detained political prisoners -- who are freed by the blast -- Miranda becomes a revolutionary hero against his will.", + "poster": "https://image.tmdb.org/t/p/w500/l91bdMjPYUXRLjOnBosxCGickKa.jpg", + "url": "https://www.themoviedb.org/movie/336", + "genres": [ + "Western" + ], + "tags": [ + "mexico", + "robbery", + "rape", + "prisoner", + "liberation of prisoners", + "revolution", + "class", + "spaghetti western", + "dramatic" + ] + }, + { + "ranking": 788, + "title": "Nightcrawler", + "year": "2014", + "runtime": 118, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.7, + "vote_count": 10980, + "description": "When Lou Bloom, desperate for work, muscles into the world of L.A. crime journalism, he blurs the line between observer and participant to become the star of his own story. Aiding him in his effort is Nina, a TV-news veteran.", + "poster": "https://image.tmdb.org/t/p/w500/gYPIRu0jX2CGYdeO422cq3N78ju.jpg", + "url": "https://www.themoviedb.org/movie/242582", + "genres": [ + "Crime", + "Drama", + "Thriller" + ], + "tags": [ + "underground", + "psychopath", + "journalism", + "job interview", + "cynicism", + "sociopath", + "murder", + "serial killer", + "crime scene", + "psychological thriller", + "los angeles, california", + "home invasion", + "stakeout", + "newsreel footage", + "character study", + "neo-noir", + "ethics", + "stringer", + "police scanner", + "news business", + "tense", + "ghoulish" + ] + }, + { + "ranking": 784, + "title": "Germany, Year Zero", + "year": "1948", + "runtime": 72, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.7, + "vote_count": 384, + "description": "In the ruins of post-WWII Berlin, a twelve-year-old boy is left to his own devices in order to help provide for his family.", + "poster": "https://image.tmdb.org/t/p/w500/sdxegsjrrvujXvv2GLPENyDlWDI.jpg", + "url": "https://www.themoviedb.org/movie/8016", + "genres": [ + "Drama" + ], + "tags": [ + "berlin, germany", + "nazi", + "post war", + "child", + "neo realism", + "italian neo realism" + ] + }, + { + "ranking": 786, + "title": "Dreams", + "year": "1990", + "runtime": 119, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.7, + "vote_count": 486, + "description": "A collection of magical tales based upon the actual dreams of director Akira Kurosawa.", + "poster": "https://image.tmdb.org/t/p/w500/j0NQsYqnqvhTtBj7vhCa9iKT0NA.jpg", + "url": "https://www.themoviedb.org/movie/12516", + "genres": [ + "Fantasy", + "Drama" + ], + "tags": [ + "life and death", + "artist", + "volcano", + "nuclear power plant", + "anthology", + "magic realism", + "dream world", + "catastrophe", + "child", + "vincent van gogh", + "mount fuji, japan", + "ambivalent", + "complicated", + "familiar" + ] + }, + { + "ranking": 781, + "title": "For Love and Gold", + "year": "1966", + "runtime": 120, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.7, + "vote_count": 368, + "description": "A group of rogues steal a scroll granting its bearer the property of the land of Aurocastro in Apulia, a province in the south of Italy. They elect a shaggy knight, Brancaleone from Norcia, as their leader, and decide to get possession of this supposedly wealthy land. Many adventures will occurr during the journey.", + "poster": "https://image.tmdb.org/t/p/w500/SObRXKlirfDasmA6hdr9IMFNYt.jpg", + "url": "https://www.themoviedb.org/movie/23832", + "genres": [ + "Comedy", + "Adventure" + ], + "tags": [ + "italy", + "knight", + "contagion spread", + "middle ages (476-1453)", + "cavalry", + "apulia, italy" + ] + }, + { + "ranking": 791, + "title": "A Charlie Brown Christmas", + "year": "1965", + "runtime": 25, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.703, + "vote_count": 706, + "description": "When Charlie Brown complains about the overwhelming materialism that he sees amongst everyone during the Christmas season, Lucy suggests that he become director of the school Christmas pageant. Charlie Brown accepts, but it is a frustrating struggle. When an attempt to restore the proper spirit with a forlorn little fir Christmas tree fails, he needs Linus' help to learn the meaning of Christmas.", + "poster": "https://image.tmdb.org/t/p/w500/vtaufTzJBMJAeziQA1eP4BLU24C.jpg", + "url": "https://www.themoviedb.org/movie/13187", + "genres": [ + "Animation", + "Family", + "Comedy", + "TV Movie" + ], + "tags": [ + "holiday", + "tree", + "cartoon", + "christmas" + ] + }, + { + "ranking": 789, + "title": "Jean de Florette", + "year": "1986", + "runtime": 121, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.7, + "vote_count": 570, + "description": "In a rural French village, an old man and his only remaining relative cast their covetous eyes on an adjoining vacant property. They need its spring water for growing their flowers, and are dismayed to hear that the man who has inherited it is moving in. They block up the spring and watch as their new neighbour tries to keep his crops watered from wells far afield through the hot summer. Though they see his desperate efforts are breaking his health and his wife and daughter's hearts, they think only of getting the water.", + "poster": "https://image.tmdb.org/t/p/w500/t4ObdDKWHEPvKIxMr6E8s4nrshV.jpg", + "url": "https://www.themoviedb.org/movie/4480", + "genres": [ + "Drama" + ], + "tags": [ + "france", + "based on novel or book", + "provence", + "avarice", + "battle for power", + "source", + "neighbor", + "spring (water)" + ] + }, + { + "ranking": 787, + "title": "The Ox-Bow Incident", + "year": "1943", + "runtime": 76, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.7, + "vote_count": 391, + "description": "A posse discovers a trio of men they suspect of murder and cow theft and are split between handing them over to the law or lynching them on the spot.", + "poster": "https://image.tmdb.org/t/p/w500/mAiDUTELbMUJKOTroJLrbYMBk3i.jpg", + "url": "https://www.themoviedb.org/movie/980", + "genres": [ + "Western", + "Drama" + ], + "tags": [ + "saloon", + "horseback riding", + "nevada", + "arbitrary law", + "theft", + "justice", + "lynching", + "posse", + "lynch mob", + "cattle rustling", + "19th century" + ] + }, + { + "ranking": 794, + "title": "The Broken Circle Breakdown", + "year": "2012", + "runtime": 112, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.702, + "vote_count": 1066, + "description": "The loss of their young daughter threatens to destroy the love and faith of two married musicians.", + "poster": "https://image.tmdb.org/t/p/w500/qXpMmQaKvTCCN2tvzvkyuOp8AQC.jpg", + "url": "https://www.themoviedb.org/movie/137182", + "genres": [ + "Drama" + ], + "tags": [ + "9/11", + "death of a child", + "intense", + "powerful" + ] + }, + { + "ranking": 798, + "title": "Knockin' on Heaven's Door", + "year": "1997", + "runtime": 88, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.7, + "vote_count": 529, + "description": "Two young men, Martin and Rudi, both suffering from terminal cancer, get to know each other in a hospital room. They drown their desperation in tequila and decide to take one last trip to the sea. Drunk and still in pajamas they steal the first fancy car they find, a 60's Mercedes convertible. The car happens to belong to a bunch of gangsters, which immediately start to chase it, since it contains more than the pistol Martin finds in the glove box.", + "poster": "https://image.tmdb.org/t/p/w500/dsY09zCxKDFjfV1oqXFJJpVrHdP.jpg", + "url": "https://www.themoviedb.org/movie/158", + "genres": [ + "Comedy", + "Crime" + ], + "tags": [ + "dying and death", + "friendship", + "police", + "car race", + "brain tumor", + "ocean", + "money delivery", + "brothel", + "hostage situation", + "road movie", + "aftercreditsstinger", + "brothel madam", + "gangster comedy" + ] + }, + { + "ranking": 792, + "title": "Fried Green Tomatoes", + "year": "1991", + "runtime": 130, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.703, + "vote_count": 1370, + "description": "Amidst her own personality crisis, southern housewife Evelyn Couch meets Ninny, an outgoing old woman who tells her the story of Idgie Threadgoode and Ruth Jamison, two young women who experienced hardships and love in Whistle Stop, Alabama in the 1920s.", + "poster": "https://image.tmdb.org/t/p/w500/d8ugzsCSHoAlGyHr0Zyep6BKvLQ.jpg", + "url": "https://www.themoviedb.org/movie/1633", + "genres": [ + "Drama", + "Comedy" + ], + "tags": [ + "based on novel or book", + "southern usa", + "alabama", + "tomato", + "cafe", + "bee", + "nursing home", + "tomboy", + "lesbian" + ] + }, + { + "ranking": 799, + "title": "Poor Things", + "year": "2023", + "runtime": 141, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.7, + "vote_count": 4634, + "description": "Brought back to life by an unorthodox scientist, a young woman runs off with a lawyer on a whirlwind adventure across the continents. Free from the prejudices of her times, she grows steadfast in her purpose to stand for equality and liberation.", + "poster": "https://image.tmdb.org/t/p/w500/kCGlIMHnOm8JPXq3rXM6c5wMxcT.jpg", + "url": "https://www.themoviedb.org/movie/792307", + "genres": [ + "Science Fiction", + "Romance", + "Comedy" + ], + "tags": [ + "ship", + "london, england", + "experiment", + "paris, france", + "based on novel or book", + "obsession", + "lisbon, portugal", + "crooked lawyer", + "love", + "domestic abuse", + "female protagonist", + "doctor", + "prostitution", + "cruelty", + "scientist", + "masturbation", + "disfigured face", + "sexual awakening", + "exploring sexuality", + "sex worker", + "female empowerment", + "curious", + "female sexuality", + "brain transplant", + "absurdism", + "quest for knowledge", + "spousal abuse", + "women's liberation", + "alexandria egypt", + "victorian era", + "quest for identity", + "frankenstein", + "body horror", + "amused", + "audacious", + "awestruck", + "euphoric", + "exuberant", + "melodramatic", + "wry" + ] + }, + { + "ranking": 793, + "title": "White Snake", + "year": "2019", + "runtime": 99, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.7, + "vote_count": 491, + "description": "One day a young woman named Blanca is saved by Xuan, a snake catcher from a nearby village. She has lost her memory, and together they go on a journey to discover her real identity, developing deeper feelings for one another along the way. But as they learn more about her past, they uncover a darker plot of supernatural forces vying for power, with the fate of the world hanging in the balance.", + "poster": "https://image.tmdb.org/t/p/w500/30SLnoKmYNyRPkKCYowsrGLRnJA.jpg", + "url": "https://www.themoviedb.org/movie/573699", + "genres": [ + "Romance", + "Animation", + "Fantasy" + ], + "tags": [ + "assassin", + "china", + "emperor", + "love", + "dragon", + "poverty", + "ancient", + "3d animation", + "donghua", + "cartoon snake" + ] + }, + { + "ranking": 790, + "title": "Belle", + "year": "2021", + "runtime": 121, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.703, + "vote_count": 765, + "description": "Suzu is a 17-year-old high-school student living in a rural town with her father. Wounded by the loss of her mother at a young age, Suzu one day discovers the massive online world \"U\" and dives into this alternate reality as her avatar, Belle. Before long, all of U's eyes are fixed on Belle, when, suddenly, a mysterious, dragon-like figure appears before her.", + "poster": "https://image.tmdb.org/t/p/w500/fYHOD4pxZQk4rsP2tQrZI5uBlZV.jpg", + "url": "https://www.themoviedb.org/movie/776305", + "genres": [ + "Animation", + "Science Fiction", + "Drama", + "Music", + "Adventure", + "Fantasy" + ], + "tags": [ + "friendship", + "abusive father", + "love", + "slice of life", + "dead mother", + "social network", + "inner strength", + "anime", + "online relationship", + "virtual world", + "idol" + ] + }, + { + "ranking": 800, + "title": "Boys", + "year": "2014", + "runtime": 78, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.697, + "vote_count": 700, + "description": "Two teen track stars discover first love as they train for the biggest relay race of their young lives.", + "poster": "https://image.tmdb.org/t/p/w500/rCHU6S5bklyMIctBfHTpRDnxrWA.jpg", + "url": "https://www.themoviedb.org/movie/244063", + "genres": [ + "Drama", + "Romance" + ], + "tags": [ + "friendship", + "male friendship", + "teenage boy", + "teenage love", + "first love", + "lgbt", + "woman director", + "runner", + "gay theme" + ] + }, + { + "ranking": 797, + "title": "My Little Pony: A New Generation", + "year": "2021", + "runtime": 90, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.7, + "vote_count": 311, + "description": "Equestria's divided. But a bright-eyed hero believes Earth Ponies, Pegasi and Unicorns should be pals — and, hoof to heart, she’s determined to prove it.", + "poster": "https://image.tmdb.org/t/p/w500/uvbj8puRj37Pc8FS4rIfVeReYFF.jpg", + "url": "https://www.themoviedb.org/movie/597316", + "genres": [ + "Animation", + "Family", + "Fantasy", + "Comedy", + "Adventure" + ], + "tags": [ + "flying horse", + "pony", + "unicorn" + ] + }, + { + "ranking": 795, + "title": "Back to the Outback", + "year": "2021", + "runtime": 92, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.701, + "vote_count": 734, + "description": "Tired of being locked in a reptile house where humans gawk at them like they are monsters, a ragtag group of Australia’s deadliest creatures plot an escape from their zoo to the Outback, a place where they’ll fit in without being judged.", + "poster": "https://image.tmdb.org/t/p/w500/jbAUTO7qFN8XFG2LM3bz30vzGFJ.jpg", + "url": "https://www.themoviedb.org/movie/770254", + "genres": [ + "Family", + "Animation", + "Adventure", + "Comedy" + ], + "tags": [ + "creature", + "koala" + ] + }, + { + "ranking": 783, + "title": "Fiddler on the Roof", + "year": "1971", + "runtime": 181, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.7, + "vote_count": 584, + "description": "In a pre-revolutionary Russia, a poor Jewish milkman struggles with the challenges of a changing world as his daughters fall in love and antisemitism grows.", + "poster": "https://image.tmdb.org/t/p/w500/qXIv5P7hUroBgn5lLkRcXYe7W4n.jpg", + "url": "https://www.themoviedb.org/movie/14811", + "genres": [ + "Drama", + "Romance" + ], + "tags": [ + "dreams", + "parent child relationship", + "tradition", + "musical", + "based on play or musical", + "pogrom", + "milkman", + "russian orthodox church", + "judaism", + "tavern", + "constable", + "suitor", + "breaking the fourth wall", + "russian soldier", + "elopement", + "fiddler", + "1900s" + ] + }, + { + "ranking": 808, + "title": "Maudie", + "year": "2016", + "runtime": 115, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.694, + "vote_count": 515, + "description": "Canadian folk artist Maud Lewis falls in love with a fishmonger while working for him as a live-in housekeeper.", + "poster": "https://image.tmdb.org/t/p/w500/wu9RPdV0uEemFEewJQ6fWwJ9ZcU.jpg", + "url": "https://www.themoviedb.org/movie/359784", + "genres": [ + "Drama", + "Romance" + ], + "tags": [ + "canada", + "nova scotia, canada", + "romance", + "art", + "disability", + "woman director", + "bitter", + "empathetic", + "sympathetic" + ] + }, + { + "ranking": 811, + "title": "Fireworks", + "year": "1997", + "runtime": 103, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.7, + "vote_count": 702, + "description": "Detective Nishi is relieved from a stakeout to visit his sick wife in hospital. He is informed that she is terminally ill, and is advised to take her home. During his visit, a suspect shoots one detective dead and leaves Nishi's partner, Horibe, paralyzed. Nishi leaves the police force to spend time with his wife at home, and must find a way to pay off his debts to the yakuza.", + "poster": "https://image.tmdb.org/t/p/w500/bWIo1nDJnSyGJvVt8bRw8PHBqo4.jpg", + "url": "https://www.themoviedb.org/movie/5910", + "genres": [ + "Crime", + "Drama" + ], + "tags": [ + "sea", + "farewell", + "beach", + "gambling", + "yakuza", + "loss" + ] + }, + { + "ranking": 812, + "title": "Little Miss Sunshine", + "year": "2006", + "runtime": 102, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.693, + "vote_count": 7265, + "description": "A family loaded with quirky, colorful characters piles into an old van and road trips to California for little Olive to compete in a beauty pageant.", + "poster": "https://image.tmdb.org/t/p/w500/wKn7AJw730emlmzLSmJtzquwaeW.jpg", + "url": "https://www.themoviedb.org/movie/773", + "genres": [ + "Comedy", + "Drama" + ], + "tags": [ + "california", + "husband wife relationship", + "sibling relationship", + "literature professor", + "family's daily life", + "highway", + "beauty contest", + "beauty queen contest", + "dysfunctional family", + "road trip", + "family relationships", + "family holiday", + "road movie", + "woman director" + ] + }, + { + "ranking": 816, + "title": "The Trial of the Chicago 7", + "year": "2020", + "runtime": 130, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.7, + "vote_count": 3101, + "description": "What was supposed to be a peaceful protest turned into a violent clash with the police. What followed was one of the most notorious trials in history.", + "poster": "https://image.tmdb.org/t/p/w500/ahf5cVdooMAlDRiJOZQNuLqa1Is.jpg", + "url": "https://www.themoviedb.org/movie/556984", + "genres": [ + "Drama", + "History" + ], + "tags": [ + "chicago, illinois", + "right and justice", + "political activism", + "black panther party", + "based on true story", + "black activist", + "counter-culture", + "historical fiction", + "activist", + "1960s", + "courtroom drama" + ] + }, + { + "ranking": 802, + "title": "Prey", + "year": "2022", + "runtime": 100, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.696, + "vote_count": 6926, + "description": "When danger threatens her camp, the fierce and highly skilled Comanche warrior Naru sets out to protect her people. But the prey she stalks turns out to be a highly evolved alien predator with a technically advanced arsenal.", + "poster": "https://image.tmdb.org/t/p/w500/jOeLL5Y3iZYYOVTwyzniZqHia1m.jpg", + "url": "https://www.themoviedb.org/movie/766507", + "genres": [ + "Thriller", + "Action", + "Science Fiction" + ], + "tags": [ + "hunter", + "native american", + "alien life-form", + "alien", + "prequel", + "decapitation", + "bear", + "dog", + "severed foot", + "bear attack", + "comanche", + "human vs alien", + "aggressive", + "indigenous peoples", + "severed arm", + "dog hero", + "great plains", + "suspenseful", + "audacious" + ] + }, + { + "ranking": 805, + "title": "The Searchers", + "year": "1956", + "runtime": 119, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.7, + "vote_count": 1444, + "description": "As a Civil War veteran spends years searching for a young niece captured by Indians, his motivation becomes increasingly questionable.", + "poster": "https://image.tmdb.org/t/p/w500/jLBmgW0epNzJ1N9uzaVCjbyT94v.jpg", + "url": "https://www.themoviedb.org/movie/3114", + "genres": [ + "Western" + ], + "tags": [ + "brother", + "native american", + "uncle", + "racist", + "prejudice", + "racism", + "massacre", + "desert", + "cavalry", + "reverend", + "comanche", + "technicolor", + "civil war veteran", + "abduction" + ] + }, + { + "ranking": 820, + "title": "Fallen Angels", + "year": "1995", + "runtime": 98, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.7, + "vote_count": 1100, + "description": "An assassin goes through obstacles as he attempts to escape his violent lifestyle despite the opposition of his partner, who is secretly attracted to him.", + "poster": "https://image.tmdb.org/t/p/w500/yyM9BPdwttK5LKZSLvHae7QPKo1.jpg", + "url": "https://www.themoviedb.org/movie/11220", + "genres": [ + "Action", + "Romance", + "Crime" + ], + "tags": [ + "assassin", + "hitman", + "gambling", + "cigarette", + "surreal", + "beer", + "love", + "hong kong", + "drifter", + "bullet wound", + "killer", + "masturbation", + "infatuation", + "ice cream truck", + "mysterious", + "detached", + "ambiguous" + ] + }, + { + "ranking": 804, + "title": "Constantine: City of Demons - The Movie", + "year": "2018", + "runtime": 90, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.695, + "vote_count": 603, + "description": "A decade after a tragic mistake, family man Chas Chandler and occult detective John Constantine set out to cure his daughter Trish from a mysterious supernatural coma.", + "poster": "https://image.tmdb.org/t/p/w500/tZIMe2pYug1cS9e7AZnd1bTTidM.jpg", + "url": "https://www.themoviedb.org/movie/539517", + "genres": [ + "Fantasy", + "Animation", + "Horror", + "Action" + ], + "tags": [ + "magic", + "vertigo", + "supernatural", + "exorcism", + "possession", + "based on comic", + "exorcist", + "dark fantasy", + "demon hunter", + "edited from tv series", + "neo-noir", + "dc animated movie universe" + ] + }, + { + "ranking": 803, + "title": "Stalag 17", + "year": "1953", + "runtime": 120, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.7, + "vote_count": 614, + "description": "It's a dreary Christmas 1944 for the American POWs in Stalag 17 and the men in Barracks 4, all sergeants, have to deal with a grave problem—there seems to be a security leak.", + "poster": "https://image.tmdb.org/t/p/w500/lfve9FDKjT7JPbWI9NCs5340F79.jpg", + "url": "https://www.themoviedb.org/movie/632", + "genres": [ + "Comedy", + "Drama", + "War" + ], + "tags": [ + "chess", + "escape", + "spy", + "guard", + "plant", + "based on play or musical", + "black and white", + "security", + "christmas", + "barracks", + "prisoner of war camp" + ] + }, + { + "ranking": 810, + "title": "Spirit: Stallion of the Cimarron", + "year": "2002", + "runtime": 83, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.7, + "vote_count": 4646, + "description": "A captured mustang remains determined to return to his herd no matter what.", + "poster": "https://image.tmdb.org/t/p/w500/cUgYrz4twiJ3QgVGpRfey984NIB.jpg", + "url": "https://www.themoviedb.org/movie/9023", + "genres": [ + "Animation", + "Adventure", + "Family", + "Drama", + "Western", + "Romance" + ], + "tags": [ + "freedom", + "villain", + "mustang", + "rivalry", + "wildlife", + "animals", + "cavalry", + "indian war", + "eyebrow", + "wild horse", + "pets", + "sentimental", + "comforting", + "melodramatic" + ] + }, + { + "ranking": 813, + "title": "Divines", + "year": "2016", + "runtime": 105, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.7, + "vote_count": 665, + "description": "In a ghetto where religion and drug trafficking rub shoulders, Dounia has a lust for power and success. Supported by Maimouna, her best friend, she decides to follow in the footsteps of Rebecca, a respected dealer. But her encounter with Djigui, a young, disturbingly sensual dancer, throws her off course.", + "poster": "https://image.tmdb.org/t/p/w500/gOwIZPNFstt9BWUyekMzSF2Wzd1.jpg", + "url": "https://www.themoviedb.org/movie/393729", + "genres": [ + "Drama" + ], + "tags": [ + "friendship", + "dancer", + "street gang", + "paris, france", + "ghetto", + "drugs" + ] + }, + { + "ranking": 801, + "title": "Cléo from 5 to 7", + "year": "1962", + "runtime": 90, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.697, + "vote_count": 706, + "description": "Agnès Varda eloquently captures Paris in the sixties with this real-time portrait of a singer set adrift in the city as she awaits test results of a biopsy. A chronicle of the minutes of one woman’s life, Cléo from 5 to 7 is a spirited mix of vivid vérité and melodrama, featuring a score by Michel Legrand and cameos by Jean-Luc Godard and Anna Karina.", + "poster": "https://image.tmdb.org/t/p/w500/oelBStY4xpguaplRv15P3Za7Xsr.jpg", + "url": "https://www.themoviedb.org/movie/499", + "genres": [ + "Drama" + ], + "tags": [ + "individual", + "paris, france", + "singer", + "cancer", + "woman director", + "day in a life", + "algerian war (1954-62)" + ] + }, + { + "ranking": 818, + "title": "Moonrise Kingdom", + "year": "2012", + "runtime": 94, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.7, + "vote_count": 5944, + "description": "Set on an island off the coast of New England in the summer of 1965, Moonrise Kingdom tells the story of two twelve-year-olds who fall in love, make a secret pact, and run away together into the wilderness. As various authorities try to hunt them down, a violent storm is brewing off-shore – and the peaceful island community is turned upside down in more ways than anyone can handle.", + "poster": "https://image.tmdb.org/t/p/w500/y4SXcbNl6CEF2t36icuzuBioj7K.jpg", + "url": "https://www.themoviedb.org/movie/83666", + "genres": [ + "Comedy", + "Drama", + "Romance" + ], + "tags": [ + "camping", + "hurricane", + "pen pals", + "coming of age", + "camp", + "orphan", + "new england", + "first love", + "eye patch", + "search party", + "devastation", + "handkerchief", + "child smoking", + "small town sheriff", + "the color red", + "boy scouts", + "sand dancing", + "meet cute", + "boy scouts leader", + "pipe smoking", + "duringcreditsstinger", + "1960s" + ] + }, + { + "ranking": 807, + "title": "Cousins", + "year": "2019", + "runtime": 83, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.7, + "vote_count": 338, + "description": "Lucas is a young man who lives with his religious aunt Lourdes in a quiet country town. He helps his aunt by holding religious meetings with the ladies of the area, in the living room, playing biblical songs on the keyboard. This quiet life will end as soon as the charitable aunt communicates the arrival of another nephew, Mario, just out of jail. The clash of reality between the cousins ends up causing unusual situations, and an unexpected attraction among the boys.", + "poster": "https://image.tmdb.org/t/p/w500/2o0pzmuQKFhuPnz4hvpfjd3BlNR.jpg", + "url": "https://www.themoviedb.org/movie/613868", + "genres": [ + "Comedy", + "Romance", + "Drama" + ], + "tags": [ + "coming out", + "small town", + "cousin", + "coming of age", + "catholic", + "lgbt", + "cousin cousin relationship", + "gay theme" + ] + }, + { + "ranking": 815, + "title": "Embrace of the Serpent", + "year": "2015", + "runtime": 125, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.7, + "vote_count": 465, + "description": "The epic story of the first contact, encounter, approach, betrayal and, eventually, life-transcending friendship, between Karamakate, an Amazonian shaman, last survivor of his people, and two scientists that, over the course of 40 years, travel through the Amazon in search of a sacred plant that can heal them. Inspired by the journals of the first explorers of the Colombian Amazon, Theodor Koch-Grunberg and Richard Evans Schultes.", + "poster": "https://image.tmdb.org/t/p/w500/t3Lmw8jvm7tpik0lSkub8hU4oRW.jpg", + "url": "https://www.themoviedb.org/movie/336808", + "genres": [ + "Drama", + "Adventure" + ], + "tags": [ + "indigenous", + "religious conversion", + "amazon rainforest", + "based on true story", + "spirituality", + "colonisation", + "religious fundamentalism", + "nature", + "colonialism", + "amazon tribe", + "indigenous peoples", + "chamanismo" + ] + }, + { + "ranking": 809, + "title": "The Man from Nowhere", + "year": "2010", + "runtime": 119, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.7, + "vote_count": 1355, + "description": "An ex-special agent is involved in a convoluted drug ring drama. He has to save a drug smuggler's innocent daughter from being the victim of her parents' fight.", + "poster": "https://image.tmdb.org/t/p/w500/ld19CFIo27t41JXSGZdaPMUGTxh.jpg", + "url": "https://www.themoviedb.org/movie/51608", + "genres": [ + "Action", + "Thriller", + "Crime" + ], + "tags": [ + "friendship", + "martial arts", + "assassin", + "hero", + "hitman", + "child labour", + "human trafficking", + "protection", + "revenge", + "tragic hero", + "disappearance", + "drugs", + "detached", + "neo-noir", + "organ harvest", + "sentimental", + "ambiguous", + "earnest", + "straightforward" + ] + }, + { + "ranking": 819, + "title": "Black Swan", + "year": "2010", + "runtime": 109, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.7, + "vote_count": 14721, + "description": "The story of Nina, a ballerina in a New York City ballet company whose life, like all those in her profession, is completely consumed with dance. She lives with her retired ballerina mother Erica who zealously supports her daughter's professional ambition. When artistic director Thomas Leroy decides to replace prima ballerina Beth MacIntyre for the opening production of their new season, Swan Lake, Nina is his first choice.", + "poster": "https://image.tmdb.org/t/p/w500/viWheBd44bouiLCHgNMvahLThqx.jpg", + "url": "https://www.themoviedb.org/movie/44214", + "genres": [ + "Drama", + "Thriller", + "Horror" + ], + "tags": [ + "new york city", + "dancing", + "dancer", + "nightmare", + "competition", + "obsession", + "insanity", + "paranoia", + "hallucination", + "ballet dancer", + "ballet", + "female protagonist", + "psychological thriller", + "fear", + "heartbreak", + "mental illness", + "madness", + "macabre", + "reality vs fantasy", + "swan lake", + "ballerina", + "stage performance", + "mysterious", + "aggressive", + "self-harm", + "complex", + "mother daughter relationship", + "self destructiveness", + "theater", + "provocative", + "suspenseful", + "intense", + "pointe shoes", + "antagonistic", + "distressing", + "exhilarated", + "frightened" + ] + }, + { + "ranking": 817, + "title": "The Martian", + "year": "2015", + "runtime": 141, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.688, + "vote_count": 20069, + "description": "During a manned mission to Mars, Astronaut Mark Watney is presumed dead after a fierce storm and left behind by his crew. But Watney has survived and finds himself stranded and alone on the hostile planet. With only meager supplies, he must draw upon his ingenuity, wit and spirit to subsist and find a way to signal to Earth that he is alive.", + "poster": "https://image.tmdb.org/t/p/w500/3ndAx3weG6KDkJIRMCi5vXX6Dyb.jpg", + "url": "https://www.themoviedb.org/movie/286217", + "genres": [ + "Drama", + "Adventure", + "Science Fiction" + ], + "tags": [ + "spacecraft", + "planet mars", + "based on novel or book", + "nasa", + "isolation", + "botanist", + "alone", + "survival", + "space", + "engineering", + "stranded", + "astronaut", + "struggle for survival", + "duringcreditsstinger", + "deep space", + "potatoes", + "2030s", + "mars", + "awestruck", + "defiant" + ] + }, + { + "ranking": 814, + "title": "Descendants 3", + "year": "2019", + "runtime": 106, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.69, + "vote_count": 1534, + "description": "The teenagers of Disney's most infamous villains return to the Isle of the Lost to recruit a new batch of villainous offspring to join them at Auradon Prep.", + "poster": "https://image.tmdb.org/t/p/w500/7IRy0iHdaS0JI3ng4ZYlk5gLSFn.jpg", + "url": "https://www.themoviedb.org/movie/506574", + "genres": [ + "Family", + "TV Movie", + "Adventure", + "Fantasy" + ], + "tags": [ + "magic", + "musical", + "family" + ] + }, + { + "ranking": 806, + "title": "Brief Encounter", + "year": "1945", + "runtime": 86, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.7, + "vote_count": 638, + "description": "Returning home from a shopping trip to a nearby town, bored suburban housewife Laura Jesson is thrown by happenstance into an acquaintance with virtuous doctor Alec Harvey. Their casual friendship soon develops during their weekly visits into something more emotionally fulfilling than either expected, and they must wrestle with the potential havoc their deepening relationship would have on their lives and the lives of those they love.", + "poster": "https://image.tmdb.org/t/p/w500/jC9EwLJcGhYMSQAHu2LxkKN5v7O.jpg", + "url": "https://www.themoviedb.org/movie/851", + "genres": [ + "Drama", + "Romance" + ], + "tags": [ + "infidelity", + "farewell", + "husband wife relationship", + "narration", + "marriage", + "housewife", + "duty", + "doctor", + "love affair", + "tearjerker", + "told in flashback", + "impossible love", + "shame", + "guilty conscience", + "broken heart", + "hopelessness", + "secretiveness" + ] + }, + { + "ranking": 822, + "title": "The Young Girls of Rochefort", + "year": "1967", + "runtime": 126, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.7, + "vote_count": 608, + "description": "Delphine and Solange are two sisters living in Rochefort. Delphine is a dancing teacher and Solange composes and teaches the piano. Maxence is a poet and a painter. He is doing his military service. Simon owns a music shop, he left Paris one month ago to come back where he fell in love 10 years ago. They are looking for love, looking for each other, without being aware that their ideal partner is very close...", + "poster": "https://image.tmdb.org/t/p/w500/jtxhyGaYhurH6KsjvP1jV3dDypz.jpg", + "url": "https://www.themoviedb.org/movie/2433", + "genres": [ + "Romance", + "Comedy", + "Drama" + ], + "tags": [ + "new love", + "sibling relationship", + "mistake in person", + "unexpected happiness", + "twin sister", + "painting", + "fair", + "bridge", + "musical", + "man of one's dreams", + "ideal", + "ballet", + "twins", + "musical comedy", + "sister sister relationship", + "relaxed", + "lighthearted", + "witty" + ] + }, + { + "ranking": 839, + "title": "High Noon", + "year": "1952", + "runtime": 85, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.7, + "vote_count": 1465, + "description": "Will Kane, the sheriff of a small town in New Mexico, learns a notorious outlaw he put in jail has been freed, and will be arriving on the noon train. Knowing the outlaw and his gang are coming to kill him, Kane is determined to stand his ground, so he attempts to gather a posse from among the local townspeople.", + "poster": "https://image.tmdb.org/t/p/w500/qETSMQ4IXBSAS409Z9OL0ppXWTW.jpg", + "url": "https://www.themoviedb.org/movie/288", + "genres": [ + "Western", + "Drama" + ], + "tags": [ + "small town", + "gunslinger", + "showdown", + "fistfight", + "u.s. marshal", + "shootout", + "morality", + "black and white", + "battle", + "justice", + "one against many", + "quick draw", + "brawl", + "ticking clock" + ] + }, + { + "ranking": 840, + "title": "Aftersun", + "year": "2022", + "runtime": 101, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.7, + "vote_count": 1523, + "description": "Sophie reflects on the shared joy and private melancholy of a holiday she took with her father twenty years earlier. Memories real and imagined fill the gaps between miniDV footage as she tries to reconcile the father she knew with the man she didn't.", + "poster": "https://image.tmdb.org/t/p/w500/evKz85EKouVbIr51zy5fOtpNRPg.jpg", + "url": "https://www.themoviedb.org/movie/965150", + "genres": [ + "Drama" + ], + "tags": [ + "hotel", + "depression", + "karaoke", + "tourist", + "vacation", + "turkey", + "swimming pool", + "coming of age", + "memory", + "tai chi", + "family vacation", + "first kiss", + "teenage daughter", + "lgbt", + "semi autobiographical", + "video recorder", + "woman director", + "moody", + "rug", + "father daughter relationship", + "reminiscing", + "gay theme", + "bittersweet", + "queer loneliness" + ] + }, + { + "ranking": 832, + "title": "The Turin Horse", + "year": "2011", + "runtime": 155, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.7, + "vote_count": 366, + "description": "A monumental windstorm and an abused horse's refusal to work or eat signal the beginning of the end for a poor farmer and his daughter.", + "poster": "https://image.tmdb.org/t/p/w500/2kSElneXSKmMsGL55k0CbPGqLbu.jpg", + "url": "https://www.themoviedb.org/movie/81401", + "genres": [ + "Drama" + ], + "tags": [ + "horse", + "turin italy", + "remodernist", + "mortality", + "contemplative cinema", + "slow cinema", + "bleak" + ] + }, + { + "ranking": 823, + "title": "Little Eggs: A Frozen Rescue", + "year": "2022", + "runtime": 91, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.7, + "vote_count": 351, + "description": "In the final Huevos adventure, Toto and his family will have to travel to the South Pole to fulfill their promise to return a polar bear and some Spanish penguins to their home. In order to do so, they will have to overcome some obstacles that will teach them how important teamwork is.", + "poster": "https://image.tmdb.org/t/p/w500/8xCO3IarklLD4tK1rPn0e4gSMoV.jpg", + "url": "https://www.themoviedb.org/movie/573171", + "genres": [ + "Animation", + "Adventure", + "Comedy", + "Family" + ], + "tags": [] + }, + { + "ranking": 824, + "title": "My Mom Is a Character 2", + "year": "2016", + "runtime": 96, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.684, + "vote_count": 504, + "description": "Dona Hermínia is back, but now rich and famous since she is the host of her own successful TV show. However, the overprotective character will have to deal with her children's departures, as Marcelina and Juliano decide to move out. In counterpart, she will welcome, as a visitor, her sister Lúcia Helena, who's been living in New York.", + "poster": "https://image.tmdb.org/t/p/w500/eDApDWU6r9zxk9MZLc6rfnBb3vu.jpg", + "url": "https://www.themoviedb.org/movie/227932", + "genres": [ + "Comedy" + ], + "tags": [] + }, + { + "ranking": 831, + "title": "The Princess Bride", + "year": "1987", + "runtime": 99, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.7, + "vote_count": 4664, + "description": "In this enchantingly cracked fairy tale, the beautiful Princess Buttercup and the dashing Westley must overcome staggering odds to find happiness amid six-fingered swordsmen, murderous princes, Sicilians and rodents of unusual size. But even death can't stop these true lovebirds from triumphing.", + "poster": "https://image.tmdb.org/t/p/w500/kTXxdNv44najTayFcrT487xWuDv.jpg", + "url": "https://www.themoviedb.org/movie/2493", + "genres": [ + "Adventure", + "Family", + "Fantasy", + "Comedy", + "Romance" + ], + "tags": [ + "dreams", + "based on novel or book", + "narration", + "wrestling", + "miracle", + "sword fight", + "revenge", + "boat chase", + "pirate", + "wedding", + "swashbuckler", + "evil prince", + "screwball", + "impersonation", + "giant man", + "story within the story", + "hidden identity", + "fictitious country", + "grandfather grandson relationship", + "battle of wits", + "fairytale" + ] + }, + { + "ranking": 821, + "title": "If Anything Happens I Love You", + "year": "2020", + "runtime": 12, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.685, + "vote_count": 926, + "description": "In this Oscar-winning short film, grieving parents journey through an emotional void as they mourn the loss of a child after a tragic school shooting.", + "poster": "https://image.tmdb.org/t/p/w500/85tDhACvKDQxQoJhBYLvDU0ik1n.jpg", + "url": "https://www.themoviedb.org/movie/713776", + "genres": [ + "Drama", + "Animation" + ], + "tags": [ + "tearjerker", + "social issues", + "grieving parents", + "loss of child", + "short film", + "sentimental" + ] + }, + { + "ranking": 830, + "title": "The Gentlemen", + "year": "2020", + "runtime": 113, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.7, + "vote_count": 6010, + "description": "American expat Mickey Pearson has built a highly profitable marijuana empire in London. When word gets out that he’s looking to cash out of the business forever it triggers plots, schemes, bribery and blackmail in an attempt to steal his domain out from under him.", + "poster": "https://image.tmdb.org/t/p/w500/jtrhTYB7xSrJxR1vusu99nvnZ1g.jpg", + "url": "https://www.themoviedb.org/movie/522627", + "genres": [ + "Action", + "Comedy", + "Crime" + ], + "tags": [ + "london, england", + "robbery", + "businessman", + "dark comedy", + "betrayal", + "marijuana", + "business", + "jewish american", + "gunfight", + "brutality", + "american abroad", + "irishman", + "scheme", + "playful", + "gangsters", + "casual" + ] + }, + { + "ranking": 826, + "title": "Onibaba", + "year": "1964", + "runtime": 105, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.683, + "vote_count": 429, + "description": "While her son, Kichi, is away at war, a woman and her daughter-in-law survive by killing samurai who stray into their swamp, then selling whatever valuables they find. Both are devastated when they learn that Kichi has died, but his wife soon begins an affair with a neighbor who survived the war, Hachi. The mother disapproves and, when she can't steal Hachi for herself, tries to scare her daughter-in-law with a mysterious mask from a dead samurai.", + "poster": "https://image.tmdb.org/t/p/w500/xyPLG53OodhJtvfQEfcmC43l16O.jpg", + "url": "https://www.themoviedb.org/movie/3763", + "genres": [ + "Horror" + ], + "tags": [ + "japan", + "samurai", + "jealousy", + "desertion", + "hold-up robbery", + "bamboo hut", + "survival", + "murder", + "demon", + "jidaigeki", + "sengoku period", + "14th century" + ] + }, + { + "ranking": 825, + "title": "Harry Potter and the Half-Blood Prince", + "year": "2009", + "runtime": 153, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.684, + "vote_count": 19779, + "description": "As Lord Voldemort tightens his grip on both the Muggle and wizarding worlds, Hogwarts is no longer a safe haven. Harry suspects perils may even lie within the castle, but Dumbledore is more intent upon preparing him for the final battle fast approaching. Together they work to find the key to unlock Voldemorts defenses and to this end, Dumbledore recruits his old friend and colleague Horace Slughorn, whom he believes holds crucial information. Even as the decisive showdown looms, romance blossoms for Harry, Ron, Hermione and their classmates. Love is in the air, but danger lies ahead and Hogwarts may never be the same again.", + "poster": "https://image.tmdb.org/t/p/w500/z7uo9zmQdQwU5ZJHFpv2Upl30i1.jpg", + "url": "https://www.themoviedb.org/movie/767", + "genres": [ + "Adventure", + "Fantasy" + ], + "tags": [ + "witch", + "dying and death", + "london, england", + "magic", + "school of witchcraft", + "sequel", + "apparition", + "curse", + "teenage crush", + "school", + "werewolf", + "teenage love", + "luck", + "ghost", + "wizard", + "secret past", + "mysterious", + "christmas", + "based on young adult novel" + ] + }, + { + "ranking": 833, + "title": "Harvey", + "year": "1950", + "runtime": 104, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.7, + "vote_count": 627, + "description": "The story of Elwood P. Dowd who makes friends with a spirit taking the form of a human-sized rabbit named Harvey that only he sees (and a few privileged others on occasion also.) After his sister tries to commit him to a mental institution, a comedy of errors ensues. Elwood and Harvey become the catalysts for a family mending its wounds and for romance blossoming in unexpected places.", + "poster": "https://image.tmdb.org/t/p/w500/dgd82hYmpiXDM1G867HqNaWe8wj.jpg", + "url": "https://www.themoviedb.org/movie/11787", + "genres": [ + "Comedy", + "Fantasy" + ], + "tags": [ + "sanatorium", + "based on play or musical", + "imaginary friend", + "mental institution", + "black and white", + "police officer", + "rabbit", + "mental illness", + "screwball comedy", + "commitment", + "brother sister relationship" + ] + }, + { + "ranking": 834, + "title": "The Killer", + "year": "2022", + "runtime": 95, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.7, + "vote_count": 384, + "description": "When retired hitman’s wife goes on vacation with her friend, she asks him to look after the friend's teenage daughter. Things go awry when he is forced to use a little violence to protect the girl from juvenile delinquents, but then they are found dead and the girl is kidnapped.", + "poster": "https://image.tmdb.org/t/p/w500/1VbLdFkOW5v8iE2TFMoPo5pKNUQ.jpg", + "url": "https://www.themoviedb.org/movie/938008", + "genres": [ + "Action", + "Crime", + "Thriller" + ], + "tags": [ + "based on novel or book", + "kidnapping" + ] + }, + { + "ranking": 835, + "title": "Tetris", + "year": "2023", + "runtime": 118, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.7, + "vote_count": 1427, + "description": "In 1988, American video game salesman Henk Rogers discovers the video game Tetris. When he sets out to bring the game to the world, he enters a dangerous web of lies and corruption behind the Iron Curtain.", + "poster": "https://image.tmdb.org/t/p/w500/4F2QwCOYHJJjecSvdOjStuVLkpu.jpg", + "url": "https://www.themoviedb.org/movie/726759", + "genres": [ + "Thriller", + "History", + "Drama" + ], + "tags": [ + "video game", + "nintendo", + "cold war", + "based on true story", + "salesman", + "copyright", + "questioning", + "duringcreditsstinger", + "mysterious", + "1980s", + "zealous", + "thoughtful", + "russia", + "wonder", + "amused", + "audacious", + "authoritarian", + "awestruck", + "powerful", + "pretentious", + "straightforward" + ] + }, + { + "ranking": 828, + "title": "Tangerines", + "year": "2013", + "runtime": 87, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.681, + "vote_count": 529, + "description": "War in Abkhazia, 1992. An Estonian man Ivo has stayed behind to harvest his crops of tangerines. In a bloody conflict at his door, a wounded man is left behind, and Ivo is forced to take him in.", + "poster": "https://image.tmdb.org/t/p/w500/jNKUXcwZr1vpgq7sGTCEqdngo4Z.jpg", + "url": "https://www.themoviedb.org/movie/238628", + "genres": [ + "Drama", + "War" + ], + "tags": [ + "gun", + "audio tape", + "head wound", + "georgia europe", + "photograph", + "bullet wound", + "house fire", + "carpenter", + "wood chopping", + "audio cassette", + "1990s", + "tangerine" + ] + }, + { + "ranking": 838, + "title": "The Outlaws", + "year": "2017", + "runtime": 121, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.674, + "vote_count": 451, + "description": "In Chinatown, law and order is turned upside down when a trio of feral Chinese gangsters arrive, start terrorizing civilians, and usurping territory. The beleaguered local gangsters team up with the police, lead by the badass loose cannon Ma Seok-do, to bring them down. Based on a true story.", + "poster": "https://image.tmdb.org/t/p/w500/pUd1FYQb5r55RqXpx08dnCbP1fs.jpg", + "url": "https://www.themoviedb.org/movie/479718", + "genres": [ + "Action", + "Crime", + "Thriller" + ], + "tags": [ + "police", + "detective", + "gang", + "illegal alien", + "2000s", + "korean chinese", + "seoul, south korea" + ] + }, + { + "ranking": 837, + "title": "Harry Potter and the Order of the Phoenix", + "year": "2007", + "runtime": 138, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.675, + "vote_count": 19791, + "description": "Returning for his fifth year of study at Hogwarts, Harry is stunned to find that his warnings about the return of Lord Voldemort have been ignored. Left with no choice, Harry takes matters into his own hands, training a small group of students to defend themselves against the dark arts.", + "poster": "https://image.tmdb.org/t/p/w500/5aOyriWkPec0zUDxmHFP9qMmBaj.jpg", + "url": "https://www.themoviedb.org/movie/675", + "genres": [ + "Adventure", + "Fantasy" + ], + "tags": [ + "witch", + "dying and death", + "court", + "magic", + "prophecy", + "loss of loved one", + "professor", + "supernatural", + "child hero", + "school of witchcraft", + "black magic", + "sorcery", + "occult", + "ghost", + "wizard", + "christmas", + "scholar", + "mystical land", + "ministry", + "based on young adult novel" + ] + }, + { + "ranking": 827, + "title": "No manches, Frida", + "year": "2016", + "runtime": 100, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.684, + "vote_count": 898, + "description": "After being released from prison, Zequi, a bank robber, sets out to recover money buried by his accomplice; but is horrified to learn that a high school gymnasium is now over the site where the loot is hidden.", + "poster": "https://image.tmdb.org/t/p/w500/6HfyXfIEywLa2HvcswKi44dDKxL.jpg", + "url": "https://www.themoviedb.org/movie/375794", + "genres": [ + "Comedy" + ], + "tags": [ + "remake" + ] + }, + { + "ranking": 829, + "title": "The Holdovers", + "year": "2023", + "runtime": 133, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.679, + "vote_count": 1939, + "description": "A curmudgeonly instructor at a New England prep school is forced to remain on campus during Christmas break to babysit the handful of students with nowhere to go. Eventually, he forms an unlikely bond with one of them — a damaged, brainy troublemaker — and with the school’s head cook, who has just lost a son in Vietnam.", + "poster": "https://image.tmdb.org/t/p/w500/VHSzNBTwxV8vh7wylo7O9CLdac.jpg", + "url": "https://www.themoviedb.org/movie/840430", + "genres": [ + "Comedy", + "Drama" + ], + "tags": [ + "vietnam war", + "winter", + "boarding school", + "holiday", + "boston, massachusetts", + "1970s", + "alcoholism", + "grief", + "misfit", + "mental illness", + "teacher student relationship", + "new england", + "nostalgic", + "boys' boarding school", + "christmas", + "winter break", + "troubled youth", + "loss of son", + "playful", + "intimate", + "christmas time", + "cook", + "sentimental", + "hilarious", + "compassionate" + ] + }, + { + "ranking": 836, + "title": "Charade", + "year": "1963", + "runtime": 113, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.7, + "vote_count": 1412, + "description": "After Regina Lampert falls for the dashing Peter Joshua on a skiing holiday in the French Alps, she discovers upon her return to Paris that her husband has been murdered. Soon, she and Peter are giving chase to three of her late husband's World War II cronies, Tex, Scobie and Gideon, who are after a quarter of a million dollars the quartet stole while behind enemy lines.", + "poster": "https://image.tmdb.org/t/p/w500/qqaPjC5FQidtKY65jbAKZPiOTaS.jpg", + "url": "https://www.themoviedb.org/movie/4808", + "genres": [ + "Comedy", + "Mystery", + "Romance" + ], + "tags": [ + "central intelligence agency (cia)", + "paris, france", + "espionage", + "age difference", + "loss of loved one", + "widow", + "spy", + "interpreter", + "stamp", + "caper", + "whodunit", + "train", + "alias", + "screwball comedy", + "caper comedy", + "alps mountains", + "notre dame cathedral", + "american spy" + ] + }, + { + "ranking": 841, + "title": "Aftersun", + "year": "2022", + "runtime": 101, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.7, + "vote_count": 1523, + "description": "Sophie reflects on the shared joy and private melancholy of a holiday she took with her father twenty years earlier. Memories real and imagined fill the gaps between miniDV footage as she tries to reconcile the father she knew with the man she didn't.", + "poster": "https://image.tmdb.org/t/p/w500/evKz85EKouVbIr51zy5fOtpNRPg.jpg", + "url": "https://www.themoviedb.org/movie/965150", + "genres": [ + "Drama" + ], + "tags": [ + "hotel", + "depression", + "karaoke", + "tourist", + "vacation", + "turkey", + "swimming pool", + "coming of age", + "memory", + "tai chi", + "family vacation", + "first kiss", + "teenage daughter", + "lgbt", + "semi autobiographical", + "video recorder", + "woman director", + "moody", + "rug", + "father daughter relationship", + "reminiscing", + "gay theme", + "bittersweet", + "queer loneliness" + ] + }, + { + "ranking": 842, + "title": "Bacurau", + "year": "2019", + "runtime": 131, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.673, + "vote_count": 1065, + "description": "Bacurau, a small town in the Brazilian sertão, mourns the loss of its matriarch, Carmelita, who lived to be 94. Days later, its inhabitants notice that their community has vanished from most maps.", + "poster": "https://image.tmdb.org/t/p/w500/ojfHP9yLL7V69c5CSVChLCjpWp.jpg", + "url": "https://www.themoviedb.org/movie/446159", + "genres": [ + "Mystery", + "Western", + "Thriller" + ], + "tags": [ + "transsexuality", + "resistance", + "autonomy", + "colonialism", + "backcountry", + "autonomia", + "grassroots movement" + ] + }, + { + "ranking": 846, + "title": "The Blind Side", + "year": "2009", + "runtime": 129, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.671, + "vote_count": 6451, + "description": "The story of Michael Oher, a homeless and traumatized boy who became an All American football player and first round NFL draft pick with the help of a caring woman and her family.", + "poster": "https://image.tmdb.org/t/p/w500/bMgq7VBriuBFknXEe9E9pVBYGZq.jpg", + "url": "https://www.themoviedb.org/movie/22881", + "genres": [ + "Drama" + ], + "tags": [ + "sports", + "american football", + "adoption", + "private school", + "education", + "based on true story", + "memphis, tennessee", + "duringcreditsstinger", + "christian", + "high school american football" + ] + }, + { + "ranking": 854, + "title": "Inherit the Wind", + "year": "1960", + "runtime": 128, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.7, + "vote_count": 423, + "description": "Schoolteacher Bertram Cates is arrested for teaching his students Darwin's theory of evolution. The case receives national attention and one of the newspaper reporters, E.K. Hornbeck, arranges to bring in renowned defense attorney and atheist Henry Drummond to defend Cates. The prosecutor, Matthew Brady is a former presidential candidate, famous evangelist, and old adversary of Drummond.", + "poster": "https://image.tmdb.org/t/p/w500/7oaHcF0gCOt2lKaT2zajhajP0Zo.jpg", + "url": "https://www.themoviedb.org/movie/1908", + "genres": [ + "Drama" + ], + "tags": [ + "politician", + "based on true story", + "trial", + "teacher", + "lawyer", + "courtroom", + "evolution", + "rhetoric", + "scopes monkey trial", + "judiciary", + "courtroom drama" + ] + }, + { + "ranking": 843, + "title": "Black Cat, White Cat", + "year": "1998", + "runtime": 127, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.7, + "vote_count": 750, + "description": "Matko is a small time hustler, living by the Danube with his 17-year-old son Zare. After a failed business deal he owes money to the much more successful gangster Dadan. Dadan has a sister, Afrodita, that he desperately wants to see get married so they strike a deal: Zare is to marry her.", + "poster": "https://image.tmdb.org/t/p/w500/gGtt1IQUAzEjOPS1xHoC9PDX2VT.jpg", + "url": "https://www.themoviedb.org/movie/1075", + "genres": [ + "Comedy", + "Romance", + "Crime" + ], + "tags": [ + "sibling relationship", + "gypsy", + "parent child relationship", + "grandparent grandchild relationship", + "black market", + "unexpected happiness", + "superstition", + "bathing", + "bad luck", + "gypsy music", + "teacher", + "debt", + "best friend", + "anarchic comedy" + ] + }, + { + "ranking": 845, + "title": "How to Train Your Dragon 2", + "year": "2014", + "runtime": 102, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.7, + "vote_count": 9756, + "description": "Five years have passed since Hiccup and Toothless united the dragons and Vikings of Berk. Now, they spend their time charting unmapped territories. During one of their adventures, the pair discover a secret cave that houses hundreds of wild dragons -- and a mysterious dragon rider who turns out to be Hiccup's mother, Valka. Hiccup and Toothless then find themselves at the center of a battle to protect Berk from a power-hungry warrior named Drago.", + "poster": "https://image.tmdb.org/t/p/w500/d13Uj86LdbDLrfDoHR5aDOFYyJC.jpg", + "url": "https://www.themoviedb.org/movie/82702", + "genres": [ + "Fantasy", + "Action", + "Adventure", + "Animation", + "Comedy", + "Family" + ], + "tags": [ + "rescue", + "husband wife relationship", + "sacrifice", + "parent child relationship", + "loss of loved one", + "villain", + "vikings (norsemen)", + "death of father", + "sequel", + "dragon", + "death of husband", + "warrior", + "mother son relationship", + "awestruck", + "commanding", + "exhilarated", + "powerful" + ] + }, + { + "ranking": 844, + "title": "The Count of Monte Cristo", + "year": "2002", + "runtime": 131, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.7, + "vote_count": 1844, + "description": "Edmond Dantés's life and plans to marry the beautiful Mercedes are shattered when his best friend, Fernand, deceives him. After spending 13 miserable years in prison, Dantés escapes with the help of a fellow inmate and plots his revenge, cleverly insinuating himself into the French nobility.", + "poster": "https://image.tmdb.org/t/p/w500/ifMgDAUXVQLY4DeOu3VTTi55jSP.jpg", + "url": "https://www.themoviedb.org/movie/11362", + "genres": [ + "Adventure", + "Drama", + "History" + ], + "tags": [ + "treasure", + "based on novel or book", + "loss of loved one", + "marseille, france", + "female lover", + "ex-lover", + "napoleon bonaparte", + "prison escape", + "sword fight", + "torture", + "period drama", + "historical", + "swashbuckler", + "betrayal by friend", + "19th century", + "awestruck" + ] + }, + { + "ranking": 853, + "title": "Kabhi Khushi Kabhie Gham", + "year": "2001", + "runtime": 209, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.7, + "vote_count": 560, + "description": "Years after his father disowns his adopted brother for marrying a woman of lower social standing, a young man goes on a mission to reunite his family.", + "poster": "https://image.tmdb.org/t/p/w500/12BvYKueY0eruZuTYIextEZaCC.jpg", + "url": "https://www.themoviedb.org/movie/10757", + "genres": [ + "Comedy", + "Drama" + ], + "tags": [ + "london, england", + "parent child relationship", + "adoption", + "delhi, india", + "forbidden love", + "reunion", + "class differences", + "family conflict", + "bollywood" + ] + }, + { + "ranking": 848, + "title": "The Woman King", + "year": "2022", + "runtime": 135, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.7, + "vote_count": 2149, + "description": "The story of the Agojie, the all-female unit of warriors who protected the African Kingdom of Dahomey in the 1800s with skills and a fierceness unlike anything the world has ever seen, and General Nanisca as she trains the next generation of recruits and readies them for battle against an enemy determined to destroy their way of life.", + "poster": "https://image.tmdb.org/t/p/w500/w0oOkCDs8KyCQ0ReawQEnJKVBk3.jpg", + "url": "https://www.themoviedb.org/movie/724495", + "genres": [ + "Action", + "Drama", + "History" + ], + "tags": [ + "africa", + "arranged marriage", + "warrior woman", + "based on true story", + "slave trade", + "duringcreditsstinger", + "woman director", + "military unit", + "aggressive", + "19th century", + "mother daughter reunion", + "freed slave", + "female warrior", + "west africa", + "weapons training", + "factual", + "reminiscent", + "admiring", + "celebratory", + "commanding", + "exhilarated" + ] + }, + { + "ranking": 857, + "title": "Marcel the Shell with Shoes On", + "year": "2022", + "runtime": 90, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.7, + "vote_count": 595, + "description": "Marcel is an adorable one-inch-tall shell who ekes out a colorful existence with his grandmother Connie and their pet lint, Alan. Once part of a sprawling community of shells, they now live alone as the sole survivors of a mysterious tragedy. When a documentarian discovers them amongst the clutter of his Airbnb, his resulting short film brings Marcel millions of passionate fans, as well as unprecedented dangers and a new hope at finding his long-lost family.", + "poster": "https://image.tmdb.org/t/p/w500/jaYmP4Ct8YLnxWAW2oYkUjeXtzm.jpg", + "url": "https://www.themoviedb.org/movie/869626", + "genres": [ + "Animation", + "Comedy", + "Drama", + "Family" + ], + "tags": [ + "journalist", + "mockumentary", + "stop motion", + "family", + "fake documentary", + "viral video", + "shell", + "children's story", + "child", + "airbnb", + "stop frame", + "grandmother grandson relationship", + "based on short" + ] + }, + { + "ranking": 849, + "title": "Onward", + "year": "2020", + "runtime": 103, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.7, + "vote_count": 6234, + "description": "In a suburban fantasy world, two teenage elf brothers embark on an extraordinary quest to discover if there is still a little magic left out there.", + "poster": "https://image.tmdb.org/t/p/w500/f4aul3FyD3jv3v4bul1IrkWZvzq.jpg", + "url": "https://www.themoviedb.org/movie/508439", + "genres": [ + "Family", + "Animation", + "Adventure", + "Comedy", + "Fantasy" + ], + "tags": [ + "elves", + "magic", + "dead father", + "dead parent", + "fantasy world", + "teenage protagonist", + "brother brother relationship" + ] + }, + { + "ranking": 850, + "title": "Mississippi Burning", + "year": "1988", + "runtime": 128, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.67, + "vote_count": 1731, + "description": "Two FBI agents investigating the murder of civil rights workers during the 60s seek to breach the conspiracy of silence in a small Southern town where segregation divides black and white. The younger agent trained in FBI school runs up against the small town ways of his partner, a former sheriff.", + "poster": "https://image.tmdb.org/t/p/w500/hTv8Bkq3W1vwKi1IWCLWQW9PNU4.jpg", + "url": "https://www.themoviedb.org/movie/1632", + "genres": [ + "Drama", + "Crime", + "Mystery", + "Thriller" + ], + "tags": [ + "suicide", + "sheriff", + "police", + "funeral", + "ku klux klan", + "mississippi river", + "shotgun", + "fbi", + "deputy sheriff", + "motel", + "u.s. navy", + "rope", + "burning cross", + "based on true story", + "murder", + "racism", + "dramatic", + "callous", + "compassionate", + "disheartening", + "empathetic", + "harsh", + "tragic" + ] + }, + { + "ranking": 852, + "title": "Scooby-Doo on Zombie Island", + "year": "1998", + "runtime": 77, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.7, + "vote_count": 770, + "description": "After going their separate ways, Scooby-Doo, Shaggy, Velma, Daphne, and Fred reunite to investigate the ghost of Moonscar the pirate on a haunted bayou island, but it turns out the swashbuckler's spirit isn't the only creepy character on the island. The sleuths also meet up with cat creatures and zombies... and it looks like for the first time in their lives, these ghouls might actually be real.", + "poster": "https://image.tmdb.org/t/p/w500/7EdvFUGvT5Pn8rUFRKCrdUzNthf.jpg", + "url": "https://www.themoviedb.org/movie/13151", + "genres": [ + "Animation", + "Mystery", + "Family", + "Horror" + ], + "tags": [ + "new orleans, louisiana", + "cartoon", + "haunted house", + "swamp", + "curse", + "tv reporter", + "criminal investigation", + "cartoon dog", + "aftercreditsstinger", + "haunted island", + "direct to video" + ] + }, + { + "ranking": 847, + "title": "Nosferatu", + "year": "1922", + "runtime": 95, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.671, + "vote_count": 2218, + "description": "The mysterious Count Orlok summons Thomas Hutter to his remote Transylvanian castle in the mountains. The eerie Orlok seeks to buy a house near Hutter and his wife, Ellen. After Orlok reveals his vampire nature, Hutter struggles to escape the castle, knowing that Ellen is in grave danger. Meanwhile Orlok's servant, Knock, prepares for his master to arrive at his new home.", + "poster": "https://image.tmdb.org/t/p/w500/zv7J85D8CC9qYagAEhPM63CIG6j.jpg", + "url": "https://www.themoviedb.org/movie/653", + "genres": [ + "Horror", + "Fantasy" + ], + "tags": [ + "self sacrifice", + "transylvania", + "germany", + "loss of loved one", + "vampire", + "shapeshifting", + "coffin", + "supernatural", + "castle", + "ghost ship", + "black and white", + "silent film", + "seashore", + "vampire bat", + "real estate agent", + "ghoul", + "psychotronic", + "locket", + "sailing ship", + "corpse in coffin", + "nosferatu", + "real estate", + "black death", + "expressionism", + "mountain country", + "sleepwalking", + "romania", + "rat", + "german expressionism", + "dracula" + ] + }, + { + "ranking": 856, + "title": "Batman and Superman: Battle of the Super Sons", + "year": "2022", + "runtime": 80, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.7, + "vote_count": 305, + "description": "After discovering he has powers, 11-year-old Jonathan Kent and assassin-turned-Boy-Wonder Damian Wayne must join forces to rescue their fathers (Superman & Batman) and save the planet from the malevolent alien force known as Starro.", + "poster": "https://image.tmdb.org/t/p/w500/mvffaexT5kA3chOnGxwBSlRoshh.jpg", + "url": "https://www.themoviedb.org/movie/886396", + "genres": [ + "Animation", + "Action", + "Science Fiction" + ], + "tags": [ + "superhero", + "villain", + "based on comic", + "alien invasion", + "super power" + ] + }, + { + "ranking": 860, + "title": "The Secret World of Arrietty", + "year": "2010", + "runtime": 94, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.7, + "vote_count": 2897, + "description": "14-year-old Arrietty and the rest of the Clock family live in peaceful anonymity as they make their own home from items \"borrowed\" from the house's human inhabitants. However, life changes for the Clocks when a human boy discovers Arrietty.", + "poster": "https://image.tmdb.org/t/p/w500/3lSRaSjDp2nkXMQkzzjpRi3035O.jpg", + "url": "https://www.themoviedb.org/movie/51739", + "genres": [ + "Fantasy", + "Animation", + "Family" + ], + "tags": [ + "based on novel or book", + "cat", + "forest", + "based on children's book", + "little people", + "dollhouse", + "nostalgic", + "anime" + ] + }, + { + "ranking": 851, + "title": "Taste of Cherry", + "year": "1997", + "runtime": 99, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.7, + "vote_count": 620, + "description": "A middle-aged Tehranian man, Mr. Badii is intent on killing himself and seeks someone to bury him after his demise. Driving around the city, the seemingly well-to-do Badii meets with numerous people, including a Muslim student, asking them to take on the job, but initially he has little luck. Eventually, Badii finds a man who is up for the task because he needs the money, but his new associate soon tries to talk him out of committing suicide.", + "poster": "https://image.tmdb.org/t/p/w500/u6GYH4HyR0BVwpqFuTOc2g4KB1L.jpg", + "url": "https://www.themoviedb.org/movie/30020", + "genres": [ + "Drama" + ], + "tags": [ + "suicide", + "life and death", + "muslim", + "talking", + "nihilism", + "koran", + "teheran (tehran), iran", + "construction site", + "suicidal thoughts", + "grave digging", + "driving", + "hopelessness", + "life challenges", + "self-harm", + "contemplating suicide", + "ideologies", + "religious conversation", + "iranian cinema", + "desperation", + "commit suicide", + "depressed man" + ] + }, + { + "ranking": 859, + "title": "Free Fall", + "year": "2013", + "runtime": 97, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.666, + "vote_count": 806, + "description": "A promising career with the police, a baby on the way... Marc's life seems to be right on track. Then he meets fellow policeman Kay and during their regular jogs Marc experiences a never-before-felt sense of ease and effortlessness – and what it means to fall in love with another man.", + "poster": "https://image.tmdb.org/t/p/w500/77n2MlfdzgIlktWvvVS9Zvdx00q.jpg", + "url": "https://www.themoviedb.org/movie/167581", + "genres": [ + "Drama", + "Romance" + ], + "tags": [ + "coming out", + "infidelity", + "double life", + "homophobia", + "in the closet", + "police academy", + "lgbt", + "bowling alley", + "police training", + "trail running", + "communal shower", + "homophobic attack", + "excited" + ] + }, + { + "ranking": 855, + "title": "Sleuth", + "year": "1972", + "runtime": 138, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.7, + "vote_count": 633, + "description": "A man who loves games and theater invites his wife's lover to meet him, setting up a battle of wits with potentially deadly results.", + "poster": "https://image.tmdb.org/t/p/w500/jAREYLUnYGwPjbQr0vs1s38QLkH.jpg", + "url": "https://www.themoviedb.org/movie/993", + "genres": [ + "Thriller", + "Mystery", + "Crime", + "Comedy" + ], + "tags": [ + "infidelity", + "robbery", + "countryside", + "upper class", + "romantic rivalry", + "author", + "game", + "extramarital affair", + "preserved film", + "tense", + "ominous" + ] + }, + { + "ranking": 858, + "title": "Father There Is Only One", + "year": "2019", + "runtime": 95, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.666, + "vote_count": 737, + "description": "Javier is what we have dubbed as a \"husband-in-law.\" That is that without taking care of the care of the house and children at all, he knows exactly what needs to be done, and that he continuously collects a sum of sentences from the type: \"It is that you do not organize\", or \"do not get nervous\", you already consider that overflowing woman drowns in a glass of water. Javier will have to face the reality of dealing with five children (between four and twelve years old) when his wife decides to go on a trip and leave him alone with them. The chaotic situation that takes place at home will progressively evolve ecologically to the most absolute disaster, but at the same time it will give parents and children the opportunity to meet and enjoy themselves for the first time.", + "poster": "https://image.tmdb.org/t/p/w500/tW6V8C81lzYuRy8yFe1dvvGhL4j.jpg", + "url": "https://www.themoviedb.org/movie/587272", + "genres": [ + "Comedy" + ], + "tags": [ + "comedian", + "family" + ] + }, + { + "ranking": 861, + "title": "Kind Hearts and Coronets", + "year": "1949", + "runtime": 104, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.7, + "vote_count": 557, + "description": "When his mother eloped with an Italian opera singer, Louis Mazzini was cut off from her aristocratic family. After the family refuses to let her be buried in the family mausoleum, Louis avenges his mother's death by attempting to murder every family member who stands between himself and the family fortune. But when he finds himself torn between his longtime love and the widow of one of his victims, his plans go awry.", + "poster": "https://image.tmdb.org/t/p/w500/eBvpyRjD3DcCsWgdV6Y9oqPS7dO.jpg", + "url": "https://www.themoviedb.org/movie/11898", + "genres": [ + "Comedy", + "Crime" + ], + "tags": [ + "prison", + "jealousy", + "based on novel or book", + "italian", + "poison", + "widow", + "gallows", + "dark comedy", + "hot air balloon", + "duke", + "relatives", + "singer", + "black and white", + "series of murders", + "heir", + "dysfunctional relationship", + "edwardian england", + "1900s", + "understated", + "absurd" + ] + }, + { + "ranking": 864, + "title": "October Sky", + "year": "1999", + "runtime": 108, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.7, + "vote_count": 1265, + "description": "Based on the true story of Homer Hickam, a coal miner's son who was inspired by the first Sputnik launch to take up rocketry against his father's wishes, and eventually became a NASA scientist.", + "poster": "https://image.tmdb.org/t/p/w500/b2hYuUuFs6rjgx0urivSm2j5XmS.jpg", + "url": "https://www.themoviedb.org/movie/13466", + "genres": [ + "Drama", + "Family" + ], + "tags": [ + "small town", + "based on novel or book", + "parent child relationship", + "satellite", + "biography", + "rocket", + "west virginia", + "mining accident", + "teacher", + "coal mine", + "1950s", + "sputnik", + "rocketry" + ] + }, + { + "ranking": 868, + "title": "Jaws", + "year": "1975", + "runtime": 124, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.664, + "vote_count": 10690, + "description": "When the seaside community of Amity finds itself under attack by a dangerous great white shark, the town's chief of police, a young marine biologist, and a grizzled hunter embark on a desperate quest to destroy the beast before it strikes again.", + "poster": "https://image.tmdb.org/t/p/w500/lxM6kqilAdpdhqUl2biYp5frUxE.jpg", + "url": "https://www.themoviedb.org/movie/578", + "genres": [ + "Horror", + "Thriller", + "Adventure" + ], + "tags": [ + "dying and death", + "beach", + "based on novel or book", + "bathing", + "shipwreck", + "fishing", + "atlantic ocean", + "shark attack", + "police chief", + "ferry boat", + "animal attack", + "long island, new york", + "dead child", + "creature", + "skinny dipping", + "shark", + "great white shark", + "dead dog", + "killer shark", + "child killed by animal", + "fourth of july", + "severed leg", + "fishing boat", + "animal horror", + "shark cage" + ] + }, + { + "ranking": 866, + "title": "What's Eating Gilbert Grape", + "year": "1993", + "runtime": 118, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.664, + "vote_count": 4020, + "description": "Gilbert Grape is a small-town young man with a lot of responsibility. Chief among his concerns are his mother, who is so overweight that she can't leave the house, and his mentally impaired younger brother, Arnie, who has a knack for finding trouble. Settled into a job at a grocery store and an ongoing affair with local woman Betty Carver, Gilbert finally has his life shaken up by the free-spirited Becky.", + "poster": "https://image.tmdb.org/t/p/w500/8r9yts6XHbB1xNLaPC6ExNAK1Qu.jpg", + "url": "https://www.themoviedb.org/movie/1587", + "genres": [ + "Romance", + "Drama" + ], + "tags": [ + "mentally disabled", + "sibling relationship", + "based on novel or book", + "widow", + "iowa", + "dysfunctional family", + "obesity", + "single mother", + "grocery store", + "mentally handicapped child" + ] + }, + { + "ranking": 872, + "title": "The Traitor", + "year": "2019", + "runtime": 151, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.7, + "vote_count": 1362, + "description": "Palermo, Sicily, 1980. Mafia member Tommaso Buscetta decides to move to Brazil with his family fleeing the constant war between the different clans of the criminal organization. But when, after living several misfortunes, he is forced to return to Italy, he makes a bold decision that will change his life and the destiny of Cosa Nostra forever.", + "poster": "https://image.tmdb.org/t/p/w500/bjb1zKlyw85hYwDXzz2UM6XqjUU.jpg", + "url": "https://www.themoviedb.org/movie/575452", + "genres": [ + "Drama", + "Crime", + "Thriller" + ], + "tags": [ + "rome, italy", + "palermo, sicily", + "based on true story", + "sicilian mafia", + "italian history", + "1980s", + "1990s", + "cosa nostra", + "anti-mafia", + "trial witness", + "2000s", + "pentito", + "omertá", + "mafia trial", + "mafia war" + ] + }, + { + "ranking": 862, + "title": "The Warriors", + "year": "1979", + "runtime": 94, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.7, + "vote_count": 2193, + "description": "Prominent gang leader Cyrus calls a meeting of New York's gangs to set aside their turf wars and take over the city. At the meeting, a rival leader kills Cyrus, but a Coney Island gang called the Warriors is wrongly blamed for Cyrus' death. Before you know it, the cops and every gangbanger in town is hot on the Warriors' trail.", + "poster": "https://image.tmdb.org/t/p/w500/fCDXAJcPvpsMd5CL1kBKkkNGW3X.jpg", + "url": "https://www.themoviedb.org/movie/11474", + "genres": [ + "Action", + "Thriller" + ], + "tags": [ + "new york city", + "street gang", + "gangster", + "disc jockey", + "gang war", + "coney island", + "survival", + "pursuit", + "gang member", + "new york subway", + "girl gang", + "warrior", + "violence", + "excited" + ] + }, + { + "ranking": 865, + "title": "Memoirs of a Geisha", + "year": "2005", + "runtime": 146, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.664, + "vote_count": 3126, + "description": "In the years before World War II, a penniless Japanese child is torn from her family to work as a maid in a geisha house.", + "poster": "https://image.tmdb.org/t/p/w500/9twKlPKD5Qd2EXX8lohW4zL8zQ8.jpg", + "url": "https://www.themoviedb.org/movie/1904", + "genres": [ + "Drama", + "Romance", + "History" + ], + "tags": [ + "secret love", + "japan", + "prostitute", + "sibling relationship", + "geisha", + "brothel", + "mentor", + "world war ii", + "loss of virginity", + "period drama", + "biting", + "kimono", + "sumo", + "kyoto, japan", + "1920s", + "1940s", + "1930s", + "desperate", + "loving", + "student mentor relationship", + "loss of sister", + "loss of parents", + "admiring", + "appreciative", + "authoritarian", + "disrespectful" + ] + }, + { + "ranking": 880, + "title": "Threads", + "year": "1984", + "runtime": 117, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.658, + "vote_count": 323, + "description": "Documentary style account of a nuclear holocaust and its effect on the working class city of Sheffield, England; and the eventual long run effects of nuclear war on civilization.", + "poster": "https://image.tmdb.org/t/p/w500/lBhU4U9Eehr9shstPem6I7BdkxK.jpg", + "url": "https://www.themoviedb.org/movie/17835", + "genres": [ + "War", + "Drama", + "Science Fiction" + ], + "tags": [ + "great britain", + "northern england", + "despair", + "yorkshire", + "nuclear holocaust", + "disaster", + "nuclear fallout", + "radiation sickness", + "aggressive", + "grim", + "nuclear winter", + "sheffield, england", + "societal collapse", + "sinister" + ] + }, + { + "ranking": 869, + "title": "Brazil", + "year": "1985", + "runtime": 143, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.664, + "vote_count": 3382, + "description": "Low-level bureaucrat Sam Lowry escapes the monotony of his day-to-day life through a recurring daydream of himself as a virtuous hero saving a beautiful damsel. Investigating a case that led to the wrongful arrest and eventual death of an innocent man instead of wanted terrorist Harry Tuttle, he meets the woman from his daydream, and in trying to help her gets caught in a web of mistaken identities, mindless bureaucracy and lies.", + "poster": "https://image.tmdb.org/t/p/w500/2w09J0KUnVtJvqPYu8N63XjAyCR.jpg", + "url": "https://www.themoviedb.org/movie/68", + "genres": [ + "Comedy", + "Science Fiction" + ], + "tags": [ + "dreams", + "government", + "bureaucracy", + "police state", + "great britain", + "technology", + "dystopia", + "office", + "dark comedy", + "satire", + "surrealism", + "steampunk", + "terrorism", + "bombing", + "job promotion", + "repairman", + "christmas" + ] + }, + { + "ranking": 863, + "title": "Mysterious Skin", + "year": "2005", + "runtime": 105, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.7, + "vote_count": 1115, + "description": "A teenage hustler and a young man obsessed with alien abductions cross paths, together discovering a horrible, liberating truth.", + "poster": "https://image.tmdb.org/t/p/w500/wgSwDqhl6Rt3cuSCwt5sNpPna3x.jpg", + "url": "https://www.themoviedb.org/movie/11171", + "genres": [ + "Drama" + ], + "tags": [ + "pedophilia", + "new york city", + "child abuse", + "amnesia", + "rape", + "post-traumatic stress disorder (ptsd)", + "based on novel or book", + "trainer", + "hustler", + "trauma", + "kansas, usa", + "coming of age", + "male homosexuality", + "male prostitution", + "alien abduction", + "prostitution", + "buried memories", + "child molestation", + "repressed memory", + "childhood sexual abuse", + "sexual assault", + "hopeless", + "1980s", + "1990s", + "loss of innocence", + "repressed trauma", + "hiv/aids epidemic", + "child sexual abuse", + "nose bleeding", + "male rape", + "gay bar" + ] + }, + { + "ranking": 875, + "title": "Drishyam", + "year": "2015", + "runtime": 163, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.66, + "vote_count": 423, + "description": "A simple street-smart man tries to protect his family from a cop looking for her missing son who was accidently killed by his daughter.", + "poster": "https://image.tmdb.org/t/p/w500/gIClWRv5OSe8rl5Koi0AeUcCZ9Z.jpg", + "url": "https://www.themoviedb.org/movie/352173", + "genres": [ + "Crime", + "Mystery", + "Thriller" + ], + "tags": [ + "police", + "blackmail", + "hidden camera", + "remake", + "murder", + "family", + "phone", + "based on movie", + "false evidence", + "bollywood" + ] + }, + { + "ranking": 870, + "title": "Meshes of the Afternoon", + "year": "1943", + "runtime": 14, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.66, + "vote_count": 394, + "description": "A woman returning home falls asleep and has vivid dreams that may or may not be happening in reality. Through repetitive images and complete mismatching of the objective view of time and space, her dark inner desires play out on-screen.", + "poster": "https://image.tmdb.org/t/p/w500/pRLqidsUdxYM5pXLJ9mqm2n9U9K.jpg", + "url": "https://www.themoviedb.org/movie/27040", + "genres": [ + "Mystery", + "Fantasy" + ], + "tags": [ + "suicide", + "dreams", + "key", + "woman director", + "short film" + ] + }, + { + "ranking": 867, + "title": "The Hustler", + "year": "1961", + "runtime": 134, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.664, + "vote_count": 991, + "description": "Fast Eddie Felson is a small-time pool hustler with a lot of talent but a self-destructive attitude. His bravado causes him to challenge the legendary Minnesota Fats to a high-stakes match.", + "poster": "https://image.tmdb.org/t/p/w500/snItsSViawjaadW9mlWUmGwR41R.jpg", + "url": "https://www.themoviedb.org/movie/990", + "genres": [ + "Drama", + "Romance" + ], + "tags": [ + "new york city", + "suicide", + "based on novel or book", + "sports", + "gambling", + "alcohol", + "manager", + "pool billiards", + "hustler", + "money", + "game", + "drunk", + "pool" + ] + }, + { + "ranking": 876, + "title": "Lucky and Zorba", + "year": "1998", + "runtime": 75, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.7, + "vote_count": 616, + "description": "A seagull is caught by the black tide of a sinking petrol ship. She manages to fly inland and falls down in a garden by a cat. Moribund, she asks the cat to fulfill three promises: that when she lays her egg he must not eat it; that he must take care of it until it hatches; that he would teach the newborn how to fly.", + "poster": "https://image.tmdb.org/t/p/w500/9tuNSBnodER4Dxot2b2fmbCvIEM.jpg", + "url": "https://www.themoviedb.org/movie/49992", + "genres": [ + "Family", + "Animation" + ], + "tags": [] + }, + { + "ranking": 871, + "title": "The Terminator", + "year": "1984", + "runtime": 108, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.663, + "vote_count": 13478, + "description": "In the post-apocalyptic future, reigning tyrannical supercomputers teleport a cyborg assassin known as the \"Terminator\" back to 1984 to kill Sarah Connor, whose unborn son is destined to lead insurgents against 21st century mechanical hegemony. Meanwhile, the human-resistance movement dispatches a lone warrior to safeguard Sarah. Can he stop the virtually indestructible killing machine?", + "poster": "https://image.tmdb.org/t/p/w500/hzXSE66v6KthZ8nPoLZmsi2G05j.jpg", + "url": "https://www.themoviedb.org/movie/218", + "genres": [ + "Action", + "Thriller", + "Science Fiction" + ], + "tags": [ + "man vs machine", + "artificial intelligence (a.i.)", + "saving the world", + "laser gun", + "cyborg", + "killer robot", + "shotgun", + "rebel", + "dystopia", + "villain", + "time travel", + "los angeles, california", + "urban setting", + "future war", + "savior", + "tech noir", + "time paradox", + "action hero", + "griffith observatory", + "good versus evil", + "antagonistic", + "powerful" + ] + }, + { + "ranking": 879, + "title": "Berserk: The Golden Age Arc III - The Advent", + "year": "2013", + "runtime": 110, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.7, + "vote_count": 365, + "description": "A year has passed since Guts parted ways with the Band of the Hawks. Meanwhile, his former mercenary group is plotting a rescue mission to save an imprisoned Griffith.", + "poster": "https://image.tmdb.org/t/p/w500/8VpZDCws3lwrR8RHlPOn7lLeQXS.jpg", + "url": "https://www.themoviedb.org/movie/144288", + "genres": [ + "Animation", + "Action", + "Adventure", + "Drama", + "Fantasy" + ], + "tags": [ + "mercenary", + "sorcery", + "sword fight", + "based on manga", + "demon", + "dark fantasy", + "seinen", + "anime", + "horror", + "adventure" + ] + }, + { + "ranking": 874, + "title": "The Last Picture Show", + "year": "1971", + "runtime": 119, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.7, + "vote_count": 704, + "description": "High school seniors and best friends, Sonny and Duane, live in a dying Texas town. The handsome Duane is dating a local beauty, while Sonny is having an affair with the coach's wife. As graduation nears and both boys contemplate their futures, Duane eyes the army and Sonny takes over a local business. Each struggles to figure out if he can escape this dead-end town and build a better life somewhere else.", + "poster": "https://image.tmdb.org/t/p/w500/7NYePZc0lZrRomtmQsjOJMePTEb.jpg", + "url": "https://www.themoviedb.org/movie/25188", + "genres": [ + "Drama", + "Romance" + ], + "tags": [ + "small town", + "new love", + "based on novel or book", + "texas", + "graduation", + "high school graduation", + "billiard hall", + "graduation present", + "elopement", + "1950s", + "thoughtful" + ] + }, + { + "ranking": 873, + "title": "Strangers on a Train", + "year": "1951", + "runtime": 101, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.7, + "vote_count": 1729, + "description": "Having met on a train, a smooth-talking psychotic socialite shares his theory on how two complete strangers can get away with murder to an amateur tennis player — a theory he plans to test out.", + "poster": "https://image.tmdb.org/t/p/w500/ihC083U7ef56Ui4x0P0dobojrZ1.jpg", + "url": "https://www.themoviedb.org/movie/845", + "genres": [ + "Crime", + "Thriller" + ], + "tags": [ + "infidelity", + "island", + "based on novel or book", + "perfect crime", + "psychopath", + "obsession", + "detective", + "suspicion", + "theory", + "carousel ", + "lighter", + "film noir", + "stalking", + "black and white", + "train", + "strangulation", + "double cross", + "amusement park", + "husband wife estrangement", + "chance meeting", + "cocktail party", + "fiancée", + "perfect murder", + "penn station", + "storm drain", + "tennis match", + "tennis pro", + "trains", + "murder swap" + ] + }, + { + "ranking": 877, + "title": "Cast Away", + "year": "2000", + "runtime": 143, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.659, + "vote_count": 11592, + "description": "Chuck Nolan, a top international manager for FedEx, and Kelly, a Ph.D. student, are in love and heading towards marriage. Then Chuck's plane to Malaysia crashes at sea during a terrible storm. He's the only survivor, and finds himself marooned on a desolate island. With no way to escape, Chuck must find ways to survive in his new home.", + "poster": "https://image.tmdb.org/t/p/w500/7lLJgKnAicAcR5UEuo8xhSMj18w.jpg", + "url": "https://www.themoviedb.org/movie/8358", + "genres": [ + "Adventure", + "Drama" + ], + "tags": [ + "exotic island", + "suicide attempt", + "volleyball", + "survival", + "loneliness", + "airplane crash", + "deserted island", + "tropical island" + ] + }, + { + "ranking": 878, + "title": "Three Colors: Blue", + "year": "1993", + "runtime": 98, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.659, + "vote_count": 1731, + "description": "The wife of a famous composer survives a car accident that kills her husband and daughter. Now alone, she shakes off her old identity and explores her newfound freedom but finds that she is unbreakably bound to other humans, including her husband’s mistress, whose existence she never suspected.", + "poster": "https://image.tmdb.org/t/p/w500/33wsWxzsNstI8N7dvuwzFmj1qBd.jpg", + "url": "https://www.themoviedb.org/movie/108", + "genres": [ + "Drama" + ], + "tags": [ + "france", + "paris, france", + "composer", + "pain", + "to compose", + "loss of loved one", + "psychological drama", + "french" + ] + }, + { + "ranking": 883, + "title": "Captain America: The Winter Soldier", + "year": "2014", + "runtime": 136, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.655, + "vote_count": 19039, + "description": "After the cataclysmic events in New York with The Avengers, Steve Rogers, aka Captain America is living quietly in Washington, D.C. and trying to adjust to the modern world. But when a S.H.I.E.L.D. colleague comes under attack, Steve becomes embroiled in a web of intrigue that threatens to put the world at risk. Joining forces with the Black Widow, Captain America struggles to expose the ever-widening conspiracy while fighting off professional assassins sent to silence him at every turn. When the full scope of the villainous plot is revealed, Captain America and the Black Widow enlist the help of a new ally, the Falcon. However, they soon find themselves up against an unexpected and formidable enemy—the Winter Soldier.", + "poster": "https://image.tmdb.org/t/p/w500/tVFRpFw3xTedgPGqxW0AOI8Qhh0.jpg", + "url": "https://www.themoviedb.org/movie/100402", + "genres": [ + "Action", + "Adventure", + "Science Fiction" + ], + "tags": [ + "washington dc, usa", + "superhero", + "shield", + "based on comic", + "aftercreditsstinger", + "duringcreditsstinger", + "marvel cinematic universe (mcu)", + "political thriller" + ] + }, + { + "ranking": 886, + "title": "Cat on a Hot Tin Roof", + "year": "1958", + "runtime": 108, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.654, + "vote_count": 774, + "description": "An alcoholic ex-football player drinks his days away, having failed to come to terms with his sexuality and his real feelings for his football buddy who died after an ambiguous accident. His wife is crucified by her desperation to make him desire her: but he resists the affections of his wife. His reunion with his father—who is dying of cancer—jogs a host of memories and revelations for both father and son.", + "poster": "https://image.tmdb.org/t/p/w500/reO2NXIYPeBqehTsmia0P9rSMDv.jpg", + "url": "https://www.themoviedb.org/movie/261", + "genres": [ + "Drama" + ], + "tags": [ + "dying and death", + "depression", + "individual", + "suicide", + "jealousy", + "husband wife relationship", + "southern usa", + "mississippi river", + "plantation", + "patriarch", + "based on play or musical", + "inheritance", + "sibling rivalry", + "brother against brother", + "cynical", + "alcoholic", + "dying father", + "family conflict", + "angry", + "father son conflict", + "southern gothic", + "anxious", + "daughter–in–law father–in–law relationship", + "star athlete", + "cotton plantation", + "mississippi", + "authoritarian", + "condescending" + ] + }, + { + "ranking": 884, + "title": "The Batman", + "year": "2022", + "runtime": 177, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.7, + "vote_count": 10776, + "description": "In his second year of fighting crime, Batman uncovers corruption in Gotham City that connects to his own family while facing a serial killer known as the Riddler.", + "poster": "https://image.tmdb.org/t/p/w500/74xTEgt7R36Fpooo50r9T25onhq.jpg", + "url": "https://www.themoviedb.org/movie/414906", + "genres": [ + "Crime", + "Mystery", + "Thriller" + ], + "tags": [ + "police", + "psychopath", + "secret identity", + "crime fighter", + "superhero", + "nightclub", + "politician", + "based on comic", + "vigilante", + "organized crime", + "serial killer", + "millionaire", + "social injustice", + "murder investigation", + "aftercreditsstinger", + "masked superhero", + "political corruption", + "neo-noir", + "vengeance", + "mayoral election" + ] + }, + { + "ranking": 896, + "title": "Laurence Anyways", + "year": "2012", + "runtime": 168, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.649, + "vote_count": 864, + "description": "The story of an impossible love between a woman named Fred and a transgender woman named Laurence who reveals her inner desire to become her true self.", + "poster": "https://image.tmdb.org/t/p/w500/chWSNDHcXOZ9bUzH0mkkAwcv3i1.jpg", + "url": "https://www.themoviedb.org/movie/110160", + "genres": [ + "Drama", + "Romance" + ], + "tags": [ + "montreal, canada", + "family", + "lgbt", + "social issues", + "self-liberation", + "fearless", + "1980s", + "1990s" + ] + }, + { + "ranking": 887, + "title": "The Killing", + "year": "1956", + "runtime": 85, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.654, + "vote_count": 1566, + "description": "Career criminal Johnny Clay recruits a sharpshooter, a crooked police officer, a bartender and a betting teller named George, among others, for one last job before he goes straight and gets married. But when George tells his restless wife about the scheme to steal millions from the racetrack where he works, she hatches a plot of her own.", + "poster": "https://image.tmdb.org/t/p/w500/lnbuDjMNw2mUeJ2NsGF7HMMTWfU.jpg", + "url": "https://www.themoviedb.org/movie/247", + "genres": [ + "Crime", + "Thriller" + ], + "tags": [ + "sniper", + "adultery", + "robbery", + "husband wife relationship", + "corruption", + "marriage crisis", + "gangster", + "ex-detainee", + "horse race", + "way of life", + "heist", + "femme fatale", + "film noir", + "bag of money", + "black and white" + ] + }, + { + "ranking": 893, + "title": "White Heat", + "year": "1949", + "runtime": 114, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.7, + "vote_count": 489, + "description": "A psychopathic criminal with a mother complex makes a daring break from prison and then leads his old gang in a chemical plant payroll heist. After the heist, events take a crazy turn.", + "poster": "https://image.tmdb.org/t/p/w500/v7cPOHKKZI9qChi7HDUxNIhEcLR.jpg", + "url": "https://www.themoviedb.org/movie/15794", + "genres": [ + "Crime", + "Drama", + "Thriller" + ], + "tags": [ + "prison", + "undercover agent", + "parent child relationship", + "gangster", + "psychopath", + "mama's boy", + "heist", + "film noir", + "on the run", + "shootout", + "train", + "explosion", + "killer", + "inmate", + "criminal gang", + "prison break", + "infiltrate", + "unfaithful wife" + ] + }, + { + "ranking": 882, + "title": "12 Angry Men", + "year": "1997", + "runtime": 117, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.7, + "vote_count": 389, + "description": "During the trial of a man accused of his father's murder, a lone juror takes a stand against the guilty verdict handed down by the others as a result of their preconceptions and prejudices.", + "poster": "https://image.tmdb.org/t/p/w500/whDdYx3lh1LHTN0VlPFt51fX29g.jpg", + "url": "https://www.themoviedb.org/movie/12219", + "genres": [ + "Drama", + "TV Movie" + ], + "tags": [ + "death penalty", + "right and justice", + "court", + "judge", + "jurors", + "revelation", + "trial", + "jury", + "remake", + "lawyer", + "argument", + "xenophobia", + "judicial system" + ] + }, + { + "ranking": 889, + "title": "The World's Fastest Indian", + "year": "2005", + "runtime": 127, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.652, + "vote_count": 784, + "description": "The life story of New Zealander Burt Munro, who spent years building a 1920 Indian motorcycle—a bike which helped him set the land-speed world record at Utah's Bonneville Salt Flats in 1967.", + "poster": "https://image.tmdb.org/t/p/w500/i7obsEYXjo725H9vneFqxxUiZw7.jpg", + "url": "https://www.themoviedb.org/movie/9912", + "genres": [ + "Drama", + "Adventure", + "History" + ], + "tags": [ + "utah", + "new zealand", + "life's dream", + "motor sport", + "motorcycle", + "trailer", + "mortgage", + "1960s", + "speed records", + "audacious", + "celebratory", + "enthusiastic" + ] + }, + { + "ranking": 895, + "title": "Quo Vadis, Aida?", + "year": "2021", + "runtime": 104, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.6, + "vote_count": 419, + "description": "Bosnia, July 1995. Aida is a translator for the UN in the small town of Srebrenica. When the Serbian army takes over the town, her family is among the thousands of citizens looking for shelter in the UN camp. As an insider to the negotiations Aida has access to crucial information that she needs to interpret. What is at the horizon for her family and people – rescue or death? Which move should she take?", + "poster": "https://image.tmdb.org/t/p/w500/eQy2Tgvmx0FkK8vMMqMW4aX5UXQ.jpg", + "url": "https://www.themoviedb.org/movie/728118", + "genres": [ + "War", + "Drama", + "History" + ], + "tags": [ + "bosnia and herzegovina", + "bosnian war (1992-95)", + "genocide", + "translator", + "1990s", + "srebrenica" + ] + }, + { + "ranking": 892, + "title": "Aladdin", + "year": "1992", + "runtime": 95, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.7, + "vote_count": 11411, + "description": "In the boorish city of Agrabah, kind-hearted street urchin Aladdin and Princess Jasmine fall in love, although she can only marry a prince. He and power-hungry Grand Vizier Jafar vie for a magic lamp that can fulfill their wishes.", + "poster": "https://image.tmdb.org/t/p/w500/eLFfl7vS8dkeG1hKp5mwbm37V83.jpg", + "url": "https://www.themoviedb.org/movie/812", + "genres": [ + "Animation", + "Family", + "Adventure", + "Fantasy", + "Romance" + ], + "tags": [ + "princess", + "magic", + "tiger", + "cartoon", + "villain", + "parrot", + "sultan", + "flying carpet", + "wish", + "musical", + "love", + "monkey", + "nostalgic", + "arab", + "aftercreditsstinger", + "genie", + "arabian nights", + "animal sidekick", + "magic lamp", + "romantic", + "vibrant" + ] + }, + { + "ranking": 897, + "title": "Time of the Gypsies", + "year": "1988", + "runtime": 142, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.6, + "vote_count": 393, + "description": "In this luminous tale set in the former Yugoslavia, Perhan, an engaging young Romany with telekinetic powers, is seduced by the quick-cash world of petty crime that threatens to destroy him and those he loves.", + "poster": "https://image.tmdb.org/t/p/w500/fF9kWNMjiXC6f4YrdVFA0ScnWgQ.jpg", + "url": "https://www.themoviedb.org/movie/20123", + "genres": [ + "Drama", + "Comedy", + "Crime", + "Fantasy" + ], + "tags": [ + "gypsy", + "paranormal phenomena", + "telekinesis", + "anarchic comedy", + "introspective" + ] + }, + { + "ranking": 890, + "title": "Hunt for the Wilderpeople", + "year": "2016", + "runtime": 101, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.651, + "vote_count": 2117, + "description": "Ricky is a defiant young city kid who finds himself on the run with his cantankerous foster uncle in the wild New Zealand bush. A national manhunt ensues, and the two are forced to put aside their differences and work together to survive.", + "poster": "https://image.tmdb.org/t/p/w500/hkmz9rxgcweizXNElozGeKwmAJE.jpg", + "url": "https://www.themoviedb.org/movie/371645", + "genres": [ + "Adventure", + "Comedy", + "Drama" + ], + "tags": [ + "countryside", + "based on novel or book", + "wild boar", + "delinquent", + "new zealand", + "wilderness", + "coming of age", + "dog", + "foster family", + "nature" + ] + }, + { + "ranking": 894, + "title": "The Big Heat", + "year": "1953", + "runtime": 89, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.7, + "vote_count": 505, + "description": "After the suspicious suicide of a fellow cop, tough homicide detective Dave Bannion takes the law into his own hands when he sets out to smash a vicious crime syndicate.", + "poster": "https://image.tmdb.org/t/p/w500/n1xdAX2g6PU3aqQXmZtY9gXvvEz.jpg", + "url": "https://www.themoviedb.org/movie/14580", + "genres": [ + "Crime", + "Thriller" + ], + "tags": [ + "suicide", + "police", + "gangster", + "homicide", + "car bomb", + "cop", + "revenge", + "film noir", + "death", + "wrecking yard", + "patrol car", + "crime syndicate", + "mob", + "preserved film" + ] + }, + { + "ranking": 881, + "title": "Fireproof", + "year": "2008", + "runtime": 118, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.7, + "vote_count": 772, + "description": "A heroic fire captain values dedication and service to others above all else, but the most important partnership in his life, his marriage, is about to go up in smoke.", + "poster": "https://image.tmdb.org/t/p/w500/hfoCG75j1YaNyfZGPg0rWy3nFmU.jpg", + "url": "https://www.themoviedb.org/movie/14438", + "genres": [ + "Drama", + "Romance" + ], + "tags": [ + "fire", + "husband wife relationship", + "parent child relationship", + "faith", + "marriage", + "religious conversion", + "advice", + "dysfunctional marriage", + "religion", + "hospital", + "marital problem", + "firefighter", + "christian film", + "christian" + ] + }, + { + "ranking": 898, + "title": "Iron Man", + "year": "2008", + "runtime": 126, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.649, + "vote_count": 26807, + "description": "After being held captive in an Afghan cave, billionaire engineer Tony Stark creates a unique weaponized suit of armor to fight evil.", + "poster": "https://image.tmdb.org/t/p/w500/78lPtwv72eTNqFW9COBYI0dWDJa.jpg", + "url": "https://www.themoviedb.org/movie/1726", + "genres": [ + "Action", + "Science Fiction", + "Adventure" + ], + "tags": [ + "middle east", + "superhero", + "arms dealer", + "malibu", + "based on comic", + "aftercreditsstinger", + "marvel cinematic universe (mcu)", + "counterterrorism", + "amused" + ] + }, + { + "ranking": 900, + "title": "Geri's Game", + "year": "1997", + "runtime": 4, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.648, + "vote_count": 1151, + "description": "An aging codger named Geri plays a daylong game of chess in the park against himself. Somehow, he begins losing to his livelier opponent. But just when the game's nearly over, Geri manages to turn the tables.", + "poster": "https://image.tmdb.org/t/p/w500/8PdCk3T9EkcKniUviDogWFCXx28.jpg", + "url": "https://www.themoviedb.org/movie/13929", + "genres": [ + "Animation", + "Family", + "Comedy" + ], + "tags": [ + "chess", + "eyeglasses", + "park", + "false teeth", + "dentures", + "elderly man", + "leaf", + "short film" + ] + }, + { + "ranking": 888, + "title": "Fabricated City", + "year": "2017", + "runtime": 126, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.7, + "vote_count": 319, + "description": "In real life, Kwon Yoo is unemployed, but in the virtual game world he is the best leader. Kwon Yoo is then framed for a murder. With the help of hacker Yeo-Wool, he tries to uncover the truth behind the murder case.", + "poster": "https://image.tmdb.org/t/p/w500/8tE4MhhuWHize6pNyxAtakUyNZc.jpg", + "url": "https://www.themoviedb.org/movie/435366", + "genres": [ + "Action", + "Thriller", + "Crime" + ], + "tags": [ + "video game", + "falsely accused", + "prison escape", + "murder", + "jail", + "gamer", + "hacking" + ] + }, + { + "ranking": 899, + "title": "Like Father, Like Son", + "year": "2013", + "runtime": 120, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.6, + "vote_count": 722, + "description": "Ryota Nonomiya is a successful businessman driven by money. He learns that his biological son was switched with another child after birth. He must make a life-changing decision and choose his true son or the boy he raised as his own.", + "poster": "https://image.tmdb.org/t/p/w500/r0nejXOf6e4leWhnLuEQOmC5hrX.jpg", + "url": "https://www.themoviedb.org/movie/177945", + "genres": [ + "Drama" + ], + "tags": [ + "parent child relationship", + "family relationships", + "childhood", + "lost child", + "eating with chopsticks", + "father son relationship" + ] + }, + { + "ranking": 891, + "title": "Ask Me If I'm Happy", + "year": "2000", + "runtime": 100, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.7, + "vote_count": 1672, + "description": "Aspiring thespians Aldo, Giovanni and Giacomo work dead-end jobs while nurturing the dream of staging their production of Cyrano de Bergerac, but love for the same lady will tear their friendship apart. Three years later, Giovanni and Giacomo reunite after learning that Aldo is dying.", + "poster": "https://image.tmdb.org/t/p/w500/qCBmNunSpKRlPyjOZXbqTN1usTH.jpg", + "url": "https://www.themoviedb.org/movie/50531", + "genres": [ + "Comedy" + ], + "tags": [ + "male friendship", + "dying wish", + "tearjerker", + "aspiring actor", + "dramedy", + "estranged friend", + "friends love same woman", + "three guys" + ] + }, + { + "ranking": 885, + "title": "Primal Fear", + "year": "1996", + "runtime": 129, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.7, + "vote_count": 3467, + "description": "An arrogant, high-powered attorney takes on the case of a poor altar boy found running away from the scene of the grisly murder of the bishop who has taken him in. The case gets a lot more complex when the accused reveals that there may or may not have been a third person in the room.", + "poster": "https://image.tmdb.org/t/p/w500/qJf2TzE8nRTFbFMPJNW6c8mI0KU.jpg", + "url": "https://www.themoviedb.org/movie/1592", + "genres": [ + "Crime", + "Drama", + "Mystery", + "Thriller" + ], + "tags": [ + "chicago, illinois", + "child abuse", + "corruption", + "based on novel or book", + "court case", + "court", + "psychopath", + "bishop", + "manipulation", + "pornographic video", + "lawyer", + "whodunit", + "psychiatrist", + "mental illness", + "murder trial", + "altar boy", + "legal drama", + "legal thriller" + ] + }, + { + "ranking": 901, + "title": "The Conformist", + "year": "1970", + "runtime": 108, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.6, + "vote_count": 692, + "description": "A weak-willed Italian man becomes a fascist flunky who goes abroad to arrange the assassination of his old teacher, now a political dissident.", + "poster": "https://image.tmdb.org/t/p/w500/nLJjFRqIJAK8qz0OKYnpKCblZNK.jpg", + "url": "https://www.themoviedb.org/movie/8416", + "genres": [ + "Drama" + ], + "tags": [ + "paris, france", + "hitman", + "italy", + "fascism", + "childhood trauma", + "benito mussolini", + "political assassination", + "conformity", + "anti-fascism" + ] + }, + { + "ranking": 903, + "title": "My Friends Act II", + "year": "1982", + "runtime": 130, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.6, + "vote_count": 346, + "description": "The four old friends meet on the grave of the fifth of them, Perozzi, who died at the end of the first episode. Time has passed but they are still up for adventures and cruel jokes, and while they recall the one they created together with the late friend, new ones are on their way, starting right there at the cemetery.", + "poster": "https://image.tmdb.org/t/p/w500/dCecKtLk2MOkFti5aYKu0WFe5BG.jpg", + "url": "https://www.themoviedb.org/movie/24160", + "genres": [ + "Comedy" + ], + "tags": [ + "joke", + "male friendship" + ] + }, + { + "ranking": 914, + "title": "Roma", + "year": "2018", + "runtime": 135, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.642, + "vote_count": 3937, + "description": "In 1970s Mexico City, two domestic workers help a mother of four while her husband is away for an extended period of time.", + "poster": "https://image.tmdb.org/t/p/w500/dtIIyQyALk57ko5bjac7hi01YQ.jpg", + "url": "https://www.themoviedb.org/movie/426426", + "genres": [ + "Drama" + ], + "tags": [ + "mexico city, mexico", + "1970s", + "middle class", + "family relationships", + "black and white", + "maid", + "autobiographical", + "master servant relationship", + "domestic worker" + ] + }, + { + "ranking": 905, + "title": "Mickey's Christmas Carol", + "year": "1983", + "runtime": 25, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.646, + "vote_count": 927, + "description": "Ebenezer Scrooge is far too greedy to understand that Christmas is a time for kindness and generosity. But with the guidance of some new found friends, Scrooge learns to embrace the spirit of the season. A retelling of the classic Dickens tale with Disney's classic characters.", + "poster": "https://image.tmdb.org/t/p/w500/6QH10DqZ0feBW2phvrtoLqT1s0k.jpg", + "url": "https://www.themoviedb.org/movie/14813", + "genres": [ + "Family", + "Animation" + ], + "tags": [ + "cartoon", + "anthropomorphism", + "cartoon mouse", + "ghost", + "cartoon dog", + "cartoon duck", + "christmas", + "carol", + "short film", + "featurette" + ] + }, + { + "ranking": 908, + "title": "System Crasher", + "year": "2019", + "runtime": 118, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.6, + "vote_count": 341, + "description": "Wherever 9-year-old Benni ends up, she is expelled. She has become what child protection services call a “system crasher.” But she is not looking to change her ways, and has one goal: go back home to her mother. When anger management trainer Micha is hired to help, suddenly there is hope.", + "poster": "https://image.tmdb.org/t/p/w500/YqbeGd7ojtxRukKhvoq6Bgf4t8.jpg", + "url": "https://www.themoviedb.org/movie/567410", + "genres": [ + "Drama" + ], + "tags": [ + "problem child", + "social services", + "anger management", + "child protection", + "系统破坏者" + ] + }, + { + "ranking": 907, + "title": "All About My Mother", + "year": "1999", + "runtime": 101, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.6, + "vote_count": 1924, + "description": "Following the tragic death of her teenage son, Manuela travels from Madrid to Barcelona in an attempt to contact the long-estranged father the boy never knew. She reunites with an old friend, an outspoken transgender sex worker, and befriends a troubled actress and a pregnant, HIV-positive nun.", + "poster": "https://image.tmdb.org/t/p/w500/hjQhzhkGYXPNM96k0mOgob6HMmn.jpg", + "url": "https://www.themoviedb.org/movie/99", + "genres": [ + "Comedy", + "Drama" + ], + "tags": [ + "drug abuse", + "barcelona, spain", + "transvestism", + "transplantation", + "madrid, spain", + "transsexuality", + "birthday", + "autograph", + "friends", + "lgbt", + "melodrama" + ] + }, + { + "ranking": 917, + "title": "Atonement", + "year": "2007", + "runtime": 123, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.6, + "vote_count": 4323, + "description": "As a 13-year-old, fledgling writer Briony Tallis irrevocably changes the course of several lives when she accuses her older sister's lover of a crime he did not commit.", + "poster": "https://image.tmdb.org/t/p/w500/hMRIyBjPzxaSXWM06se3OcNjIQa.jpg", + "url": "https://www.themoviedb.org/movie/4347", + "genres": [ + "Drama", + "Romance" + ], + "tags": [ + "new love", + "sibling relationship", + "based on novel or book", + "wind", + "nurse", + "loss of loved one", + "flirt", + "world war ii", + "innocence", + "lie", + "letter", + "twist", + "redemption", + "mistake", + "author", + "summer", + "dunkirk", + "london blitz", + "sepsis" + ] + }, + { + "ranking": 915, + "title": "Andhadhun", + "year": "2018", + "runtime": 139, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.641, + "vote_count": 532, + "description": "A series of mysterious events changes the life of a blind pianist who now must report a crime that was actually never witnessed by him.", + "poster": "https://image.tmdb.org/t/p/w500/dy3K6hNvwE05siGgiLJcEiwgpdO.jpg", + "url": "https://www.themoviedb.org/movie/534780", + "genres": [ + "Crime", + "Mystery", + "Thriller", + "Comedy" + ], + "tags": [ + "pianist", + "witness to a crime", + "blind man", + "piano", + "bollywood" + ] + }, + { + "ranking": 916, + "title": "Viridiana", + "year": "1962", + "runtime": 90, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.6, + "vote_count": 515, + "description": "Viridiana is preparing to start her life as a nun when she is sent, somewhat unwillingly, to visit her aging uncle, Don Jaime. He supports her; but the two have met only once. Jaime thinks Viridiana resembles his dead wife. Viridiana has secretly despised this man all her life and finds her worst fears proven when Jaime grows determined to seduce his pure niece. Viridiana becomes undone as her uncle upends the plans she had made to join the convent.", + "poster": "https://image.tmdb.org/t/p/w500/mYPuSx5JwL8AdTwS1iQW4Un1cYP.jpg", + "url": "https://www.themoviedb.org/movie/4497", + "genres": [ + "Drama" + ], + "tags": [ + "based on novel or book", + "nun", + "faith", + "lie", + "uncle", + "wine", + "devoutness", + "rural area", + "black and white", + "orphan", + "guilt", + "mother superior", + "convent (nunnery)", + "novice", + "vow", + "intense" + ] + }, + { + "ranking": 906, + "title": "Shottas", + "year": "2002", + "runtime": 95, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.6, + "vote_count": 338, + "description": "A raw urban drama about two friends raised on the dangerous streets of Kingston, Jamaica. Biggs and Wayne take on the \"Shotta\" way of life to survive. As young boys, they begin a life of crime, eventually moving to the US where they begin a ruthless climb from the bottom. They remain bound to each other by their shottas loyalty as they aggressively take control of the Jamaican underworld.", + "poster": "https://image.tmdb.org/t/p/w500/chh2xSTVtMCFyFePm1zRbBmtqaX.jpg", + "url": "https://www.themoviedb.org/movie/13830", + "genres": [ + "Action", + "Adventure", + "Crime", + "Drama" + ], + "tags": [ + "street gang", + "crime boss", + "police chase", + "gang violence", + "yardie", + "jamaican posse" + ] + }, + { + "ranking": 904, + "title": "Fantastic Planet", + "year": "1973", + "runtime": 72, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.646, + "vote_count": 986, + "description": "On the planet Ygam, the Draags, extremely technologically and spiritually advanced blue humanoids, consider the tiny Oms, human beings descendants of Terra's inhabitants, as ignorant animals. Those who live in slavery are treated as simple pets and used to entertain Draag children; those who live hidden in the hostile wilderness of the planet are periodically hunted and ruthlessly slaughtered as if they were vermin.", + "poster": "https://image.tmdb.org/t/p/w500/prq0j1S0K07UjwLZLF6oMGflRUI.jpg", + "url": "https://www.themoviedb.org/movie/16306", + "genres": [ + "Animation", + "Science Fiction" + ], + "tags": [ + "based on novel or book", + "dystopia", + "space travel", + "alien life-form", + "alien planet", + "adult animation", + "human subjugation", + "technological evolution" + ] + }, + { + "ranking": 918, + "title": "Corpus Christi", + "year": "2019", + "runtime": 116, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.64, + "vote_count": 549, + "description": "A pious 20-year-old juvenile delinquent is sent to work at a sawmill in a small town; on arrival, he dresses up as a priest and accidentally takes over the local parish. The arrival of this young, charismatic preacher is an opportunity for the local community to begin the healing process after a tragedy that happened a year prior.", + "poster": "https://image.tmdb.org/t/p/w500/aUM9CZLwvbgTMiYducW3rBoqDyd.jpg", + "url": "https://www.themoviedb.org/movie/471707", + "genres": [ + "Drama" + ], + "tags": [ + "small town", + "juvenile delinquent", + "catholic", + "catholic priest", + "confession booth", + "youth correctional facility" + ] + }, + { + "ranking": 910, + "title": "Breakfast at Tiffany's", + "year": "1961", + "runtime": 115, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.6, + "vote_count": 4231, + "description": "Holly Golightly is an eccentric New York City playgirl determined to marry a Brazilian millionaire. But when young writer Paul Varjak moves into her apartment building, her past threatens to get in their way.", + "poster": "https://image.tmdb.org/t/p/w500/79xm4gXw4l7A5D0XukUOJRocFYQ.jpg", + "url": "https://www.themoviedb.org/movie/164", + "genres": [ + "Comedy", + "Romance", + "Drama" + ], + "tags": [ + "new york city", + "love of one's life", + "broken engagement", + "cat", + "store window", + "cigarette", + "free spirit", + "writer", + "millionaire", + "jewelry store", + "gold digger", + "older woman younger man relationship", + "kept man", + "rich woman", + "best friends", + "yellowface", + "romantic", + "amused" + ] + }, + { + "ranking": 909, + "title": "I Vitelloni", + "year": "1953", + "runtime": 103, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.6, + "vote_count": 691, + "description": "Five young men dream of success as they drift lazily through life in a small Italian village. Fausto, the group's leader, is a womanizer; Riccardo craves fame; Alberto is a hopeless dreamer; Moraldo fantasizes about life in the city; and Leopoldo is an aspiring playwright. As Fausto chases a string of women, to the horror of his pregnant wife, the other four blunder their way from one uneventful experience to the next.", + "poster": "https://image.tmdb.org/t/p/w500/boqcM6bhQICnNue4pkgmauj9JN3.jpg", + "url": "https://www.themoviedb.org/movie/12548", + "genres": [ + "Comedy", + "Drama" + ], + "tags": [ + "friendship", + "pregnancy", + "ladykiller", + "black and white", + "neo realism", + "italian neo realism" + ] + }, + { + "ranking": 920, + "title": "Detachment", + "year": "2011", + "runtime": 98, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.6, + "vote_count": 1725, + "description": "A chronicle of three weeks in the lives of several high school teachers, administrators and students through the eyes of substitute teacher, Henry Barthes. Henry roams from school to school, imparting modes of knowledge, but never staying long enough to form any semblance of sentient attachment.", + "poster": "https://image.tmdb.org/t/p/w500/bC5H2dabnHrQJD1KmQUSUUeuCXU.jpg", + "url": "https://www.themoviedb.org/movie/74308", + "genres": [ + "Drama" + ], + "tags": [ + "depression", + "falsely accused", + "classroom", + "grandfather", + "unhappiness", + "animal abuse", + "dreary" + ] + }, + { + "ranking": 902, + "title": "All the President's Men", + "year": "1976", + "runtime": 138, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.648, + "vote_count": 1867, + "description": "During the 1972 elections, two reporters' investigation sheds light on the controversial Watergate scandal that compels President Nixon to resign from his post.", + "poster": "https://image.tmdb.org/t/p/w500/qwdcIdiTAk8iANsJEK2JmrYQx5o.jpg", + "url": "https://www.themoviedb.org/movie/891", + "genres": [ + "Drama", + "History", + "Mystery", + "Thriller" + ], + "tags": [ + "newspaper", + "journalist", + "plan", + "washington dc, usa", + "shadowing", + "politics", + "burglar", + "fbi", + "wiretap", + "watergate scandal", + "based on true story", + "conspiracy", + "newspaper man", + "watergate" + ] + }, + { + "ranking": 911, + "title": "My Policeman", + "year": "2022", + "runtime": 113, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.6, + "vote_count": 711, + "description": "In the late 1990s, the arrival of elderly invalid Patrick into Marion and Tom’s home triggers the exploration of seismic events from 40 years previous: the passionate relationship between Tom and Patrick at a time when homosexuality was illegal.", + "poster": "https://image.tmdb.org/t/p/w500/wdbiMjXd4CxPfCx4r4Jfy8cGec0.jpg", + "url": "https://www.themoviedb.org/movie/744114", + "genres": [ + "Drama", + "Romance" + ], + "tags": [ + "based on novel or book", + "lgbt", + "gay theme" + ] + }, + { + "ranking": 913, + "title": "Ricky Gervais: Humanity", + "year": "2018", + "runtime": 79, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.642, + "vote_count": 465, + "description": "In his first special in seven years, Ricky Gervais slings his trademark snark at celebrity, mortality and a society that takes everything personally.", + "poster": "https://image.tmdb.org/t/p/w500/vXNvvb9RUXSZS08PvXxLtA9wrfV.jpg", + "url": "https://www.themoviedb.org/movie/508933", + "genres": [ + "Comedy" + ], + "tags": [ + "stand-up comedy" + ] + }, + { + "ranking": 912, + "title": "Planet of the Apes", + "year": "1968", + "runtime": 112, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.6, + "vote_count": 3636, + "description": "Astronaut Taylor crash lands on a distant planet ruled by apes who use a primitive race of humans for experimentation and sport. Soon Taylor finds himself among the hunted, his life in the hands of a benevolent chimpanzee scientist.", + "poster": "https://image.tmdb.org/t/p/w500/2r9iKnlSYEk4daQadsXfcjHfIjQ.jpg", + "url": "https://www.themoviedb.org/movie/871", + "genres": [ + "Science Fiction", + "Adventure", + "Drama", + "Action" + ], + "tags": [ + "space marine", + "bondage", + "human evolution", + "based on novel or book", + "gorilla", + "dystopia", + "chimp", + "slavery", + "time travel", + "space travel", + "apocalypse", + "astronaut", + "ape", + "human subjugation", + "authoritarian", + "callous", + "demeaning", + "hopeful", + "mean spirited", + "apes" + ] + }, + { + "ranking": 919, + "title": "All the Bright Places", + "year": "2020", + "runtime": 108, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.64, + "vote_count": 2899, + "description": "Two teens facing personal struggles form a powerful bond as they embark on a cathartic journey chronicling the wonders of Indiana.", + "poster": "https://image.tmdb.org/t/p/w500/4SafxuMKQiw4reBiWKVZJpJn80I.jpg", + "url": "https://www.themoviedb.org/movie/342470", + "genres": [ + "Romance", + "Drama" + ], + "tags": [ + "suicide", + "indiana, usa", + "based on novel or book", + "based on young adult novel" + ] + }, + { + "ranking": 929, + "title": "The Longest Ride", + "year": "2015", + "runtime": 128, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.638, + "vote_count": 3183, + "description": "The lives of a young couple intertwine with a much older man as he reflects back on a lost love while he's trapped in an automobile crash.", + "poster": "https://image.tmdb.org/t/p/w500/qdUVfvPBvT6cetDDM7rn8y2CNZE.jpg", + "url": "https://www.themoviedb.org/movie/228205", + "genres": [ + "Drama", + "Romance" + ], + "tags": [ + "based on novel or book", + "art student", + "love", + "cowboy", + "injury", + "bull riding", + "young adult" + ] + }, + { + "ranking": 923, + "title": "Entergalactic", + "year": "2022", + "runtime": 93, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.638, + "vote_count": 391, + "description": "Ambitious artist Jabari attempts to balance success and love when he moves into his dream Manhattan apartment and falls for his next-door neighbor.", + "poster": "https://image.tmdb.org/t/p/w500/oMU3JpuKuasjAWIbUQgCaT6pco1.jpg", + "url": "https://www.themoviedb.org/movie/1027014", + "genres": [ + "Animation", + "Romance", + "Music" + ], + "tags": [ + "new york city", + "photographer", + "ex-girlfriend", + "artist", + "graffiti", + "romance", + "neighbor", + "bike", + "brooklyn, new york city", + "stoner", + "adult animation", + "comic book artist", + "apartment" + ] + }, + { + "ranking": 928, + "title": "King Richard", + "year": "2021", + "runtime": 144, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.637, + "vote_count": 2574, + "description": "The story of how Richard Williams served as a coach to his daughters Venus and Serena, who will soon become two of the most legendary tennis players in history.", + "poster": "https://image.tmdb.org/t/p/w500/2dfujXrxePtYJPiPHj1HkAFQvpu.jpg", + "url": "https://www.themoviedb.org/movie/614917", + "genres": [ + "Drama", + "History" + ], + "tags": [ + "sports", + "tennis", + "tennis player", + "father", + "based on true story", + "wimbledon", + "family", + "tennis pro", + "father daughter relationship", + "coaching", + "champions" + ] + }, + { + "ranking": 937, + "title": "Godzilla", + "year": "1954", + "runtime": 96, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.633, + "vote_count": 1003, + "description": "Japan is thrown into a panic after several ships are sunk near Odo Island. An expedition to the island led by Dr. Kyohei Yamane soon discover something far more devastating than imagined in the form of a 50 meter tall monster whom the natives call Gojira. Now the monster begins a rampage that threatens to destroy not only Japan, but the rest of the world as well.", + "poster": "https://image.tmdb.org/t/p/w500/y1BdXaSvhpixJTotIc1vHVLHKEA.jpg", + "url": "https://www.themoviedb.org/movie/1678", + "genres": [ + "Thriller", + "Horror", + "Science Fiction" + ], + "tags": [ + "ship", + "island", + "japan", + "atomic bomb", + "shipwreck", + "giant monster", + "nuclear radiation", + "tokyo, japan", + "dinosaur", + "black and white", + "creature feature", + "kaiju", + "post war japan", + "animal horror", + "godzilla", + "tokusatsu" + ] + }, + { + "ranking": 940, + "title": "Bad Seeds", + "year": "2018", + "runtime": 100, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.633, + "vote_count": 606, + "description": "Wael, a former street child, makes a living from small scams with his adoptive mother and partner-in-crime Monique. When this unconventional duo swindles the wrong guy, Victor, an old acquaintance of Monique now in charge of a support organization for troubled teens, they have no choice but to become his interim secretary and educator in order to redeem themselves.", + "poster": "https://image.tmdb.org/t/p/w500/sJJWdXTi7ybxLd3mSILD7XxwYzh.jpg", + "url": "https://www.themoviedb.org/movie/498249", + "genres": [ + "Comedy" + ], + "tags": [] + }, + { + "ranking": 926, + "title": "The Eight Mountains", + "year": "2022", + "runtime": 147, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.638, + "vote_count": 740, + "description": "An epic journey of friendship and self-discovery set in the breathtaking Italian Alps, The Eight Mountains follows over four decades the profound, complex relationship between Pietro and Bruno.", + "poster": "https://image.tmdb.org/t/p/w500/ohD87uTlwOgNuUEYaW82ew9Eds7.jpg", + "url": "https://www.themoviedb.org/movie/803700", + "genres": [ + "Drama" + ], + "tags": [ + "friendship", + "based on novel or book", + "mountain", + "male friendship", + "building a house", + "father son relationship", + "alps" + ] + }, + { + "ranking": 930, + "title": "Mediterraneo", + "year": "1991", + "runtime": 96, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.637, + "vote_count": 1012, + "description": "Greek Sea, World War II. An Italian ship leaves a handful of soldiers in a little island; their mission is to spot enemy ships and to hold the island in case of attack. The village of the island seems abandoned and there isn't a single enemy in sight, so the soldiers begin to relax a little. Things change when their ship is hit and destroyed by the enemy, and the soldiers find themselves abandoned there.", + "poster": "https://image.tmdb.org/t/p/w500/omFU47TZSR7xAAZcDHKM48SmVwe.jpg", + "url": "https://www.themoviedb.org/movie/38251", + "genres": [ + "Comedy", + "Romance", + "War" + ], + "tags": [ + "island", + "army", + "world war ii", + "greek island", + "italiani brava gente" + ] + }, + { + "ranking": 921, + "title": "In the Heat of the Night", + "year": "1967", + "runtime": 109, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.6, + "vote_count": 1117, + "description": "African-American Philadelphia police detective Virgil Tibbs is arrested on suspicion of murder by Bill Gillespie, the racist police chief of tiny Sparta, Mississippi. After Tibbs proves not only his own innocence but that of another man, he joins forces with Gillespie to track down the real killer. Their investigation takes them through every social level of the town, with Tibbs making enemies as well as unlikely friends as he hunts for the truth.", + "poster": "https://image.tmdb.org/t/p/w500/fvqHTabYej3LwzKRRZCm6jV3g0O.jpg", + "url": "https://www.themoviedb.org/movie/10633", + "genres": [ + "Crime", + "Drama", + "Mystery", + "Thriller" + ], + "tags": [ + "small town", + "southern usa", + "police chief", + "stolen money", + "racial segregation", + "racist", + "murder", + "youth gang", + "racism", + "whodunit", + "poverty", + "false accusations", + "police station", + "racial tension", + "bigotry", + "autopsy room", + "red herring", + "railroad station", + "white supremacists", + "nymphette", + "bigot", + "deep south", + "cotton plantation", + "southern small town", + "rumble", + "illegal abortionist", + "petty thief", + "jumping to conclusions", + "preserved film" + ] + }, + { + "ranking": 932, + "title": "Remember the Titans", + "year": "2000", + "runtime": 113, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.638, + "vote_count": 2722, + "description": "After leading his football team to 15 winning seasons, coach Bill Yoast is demoted and replaced by Herman Boone – tough, opinionated and as different from the beloved Yoast as he could be. The two men learn to overcome their differences and turn a group of hostile young men into champions.", + "poster": "https://image.tmdb.org/t/p/w500/825ohvC4wZ3gCuncCaqkWeQnK8h.jpg", + "url": "https://www.themoviedb.org/movie/10637", + "genres": [ + "Drama" + ], + "tags": [ + "high school", + "friendship", + "sports", + "ku klux klan", + "politics", + "american football", + "1970s", + "trainer", + "race politics", + "civil rights", + "apartheid", + "racial segregation", + "based on true story", + "racist", + "high school sports", + "coaction", + "racial tension", + "xenophobia", + "virginia", + "head coach" + ] + }, + { + "ranking": 938, + "title": "Another Round", + "year": "2020", + "runtime": 117, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.633, + "vote_count": 3382, + "description": "Four high school teachers launch a drinking experiment: upholding a constant low level of intoxication.", + "poster": "https://image.tmdb.org/t/p/w500/aDcIt4NHURLKnAEu7gow51Yd00Q.jpg", + "url": "https://www.themoviedb.org/movie/580175", + "genres": [ + "Comedy", + "Drama" + ], + "tags": [ + "friendship", + "experiment", + "copenhagen, denmark", + "alcohol", + "family relationships", + "teacher", + "teacher student relationship", + "intoxication", + "social pressure", + "pressure to perform", + "hilarious", + "melodramatic" + ] + }, + { + "ranking": 922, + "title": "Arsenic and Old Lace", + "year": "1944", + "runtime": 118, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.6, + "vote_count": 961, + "description": "Mortimer Brewster, a newspaper drama critic, playwright, and author known for his diatribes against marriage, suddenly falls in love and gets married; but when he makes a quick trip home to tell his two maiden aunts, he finds out his aunts' hobby - killing lonely old men and burying them in the cellar!", + "poster": "https://image.tmdb.org/t/p/w500/xG1GEEQGgExKl0WT5sRo1Arst5D.jpg", + "url": "https://www.themoviedb.org/movie/212", + "genres": [ + "Comedy", + "Crime" + ], + "tags": [ + "poison", + "cemetery", + "insanity", + "cellar", + "marriage", + "halloween", + "murder", + "serial killer", + "writer", + "corpse", + "critic", + "criterion" + ] + }, + { + "ranking": 936, + "title": "The Ultimate Gift", + "year": "2007", + "runtime": 114, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.6, + "vote_count": 453, + "description": "When his wealthy grandfather finally dies, Jason Stevens fully expects to benefit when it comes to the reading of the will. But instead of a sizable inheritance, Jason receives a test, a series of tasks he must complete before he can get any money.", + "poster": "https://image.tmdb.org/t/p/w500/8BdVk1u110lwHFELTEO9HrPrIDa.jpg", + "url": "https://www.themoviedb.org/movie/14624", + "genres": [ + "Romance", + "Drama", + "Family" + ], + "tags": [ + "grandparent grandchild relationship", + "leukemia", + "wealth", + "inheritance", + "single mother", + "inheritance fight", + "inheritance challenge", + "dead grandfather", + "mother daughter relationship" + ] + }, + { + "ranking": 925, + "title": "Vampire Hunter D: Bloodlust", + "year": "2000", + "runtime": 103, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.638, + "vote_count": 688, + "description": "D, a legendary dhampir competes with a motley family of bounty hunters to track down Charlotte Elbourne, a young woman who has seemingly been abducted by vampire nobleman Meier Link.", + "poster": "https://image.tmdb.org/t/p/w500/4hJUWgdmoFsNpzyTN6QjoZcaivO.jpg", + "url": "https://www.themoviedb.org/movie/15999", + "genres": [ + "Animation", + "Fantasy", + "Horror", + "Action", + "Adventure", + "Science Fiction" + ], + "tags": [ + "future", + "bounty hunter", + "based on novel or book", + "chase", + "vampire", + "katana", + "post-apocalyptic future", + "gore", + "betrayal", + "tragic love", + "adult animation", + "mutants", + "horror" + ] + }, + { + "ranking": 934, + "title": "The Kissing Booth 2", + "year": "2020", + "runtime": 132, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.636, + "vote_count": 5024, + "description": "With college decisions looming, Elle juggles her long-distance romance with Noah, changing relationship with bestie Lee and feelings for a new classmate.", + "poster": "https://image.tmdb.org/t/p/w500/mb7wQv0adK3kjOUr9n93mANHhPJ.jpg", + "url": "https://www.themoviedb.org/movie/583083", + "genres": [ + "Comedy", + "Romance" + ], + "tags": [] + }, + { + "ranking": 924, + "title": "The Graduate", + "year": "1967", + "runtime": 106, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.6, + "vote_count": 3413, + "description": "Benjamin, a recent college graduate very worried about his future, finds himself in a love triangle with an older woman and her daughter.", + "poster": "https://image.tmdb.org/t/p/w500/znN9T8QHkwOAHIEtLB6bC9pNd8k.jpg", + "url": "https://www.themoviedb.org/movie/37247", + "genres": [ + "Drama", + "Romance", + "Comedy" + ], + "tags": [ + "love triangle", + "seduction", + "college", + "older woman seduces younger guy", + "romance", + "coming of age", + "los angeles, california", + "wedding", + "older woman younger man relationship", + "graduate", + "rape accusation", + "mother seduces daughter's fiancee", + "audacious", + "bold", + "defiant", + "inflammatory" + ] + }, + { + "ranking": 939, + "title": "Breakthrough", + "year": "2019", + "runtime": 116, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.633, + "vote_count": 1089, + "description": "Tragedy strikes when a woman named Joyce's son falls through the ice on a frozen lake and is trapped underwater for over 15 minutes. After being rushed to the hospital, the 14-year-old boy continues to fight for his life as Joyce, her husband and their pastor stay by his bedside and pray for a miracle.", + "poster": "https://image.tmdb.org/t/p/w500/lUd2FNC8cMCcHyRMNZtVC48p3xH.jpg", + "url": "https://www.themoviedb.org/movie/514439", + "genres": [ + "Drama" + ], + "tags": [ + "coma", + "based on novel or book", + "miracle", + "family drama", + "based on memoir or autobiography", + "teenage boy", + "broken ice", + "christian faith", + "independent film" + ] + }, + { + "ranking": 931, + "title": "The Lost Weekend", + "year": "1945", + "runtime": 101, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.6, + "vote_count": 604, + "description": "Don Birnam, a long-time alcoholic, has been sober for ten days and appears to be over the worst... but his craving has just become more insidious. Evading a country weekend planned by his brother and girlfriend, he begins a four-day bender that just might be his last - one way or another.", + "poster": "https://image.tmdb.org/t/p/w500/8ggIOoCzt8xT2ePl8DdlRtXgcOh.jpg", + "url": "https://www.themoviedb.org/movie/28580", + "genres": [ + "Drama" + ], + "tags": [ + "based on novel or book", + "alcohol", + "brother", + "paranoia", + "bartender", + "addiction", + "alcoholism", + "flashback", + "film noir", + "suicidal", + "black and white", + "writer", + "alcoholic", + "bats", + "low self esteem", + "dishonesty", + "hopelessness", + "delirium tremens", + "lies", + "devoted girlfriend" + ] + }, + { + "ranking": 935, + "title": "A Dog's Purpose", + "year": "2017", + "runtime": 100, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.6, + "vote_count": 3367, + "description": "A dog goes on quest to discover his purpose in life over the course of several lifetimes with multiple owners.", + "poster": "https://image.tmdb.org/t/p/w500/3jcNvhtVQe5Neoffdic39fRactM.jpg", + "url": "https://www.themoviedb.org/movie/381289", + "genres": [ + "Adventure", + "Comedy", + "Fantasy", + "Family", + "Drama" + ], + "tags": [ + "based on novel or book", + "human animal relationship", + "reincarnation", + "dog", + "pets" + ] + }, + { + "ranking": 933, + "title": "Fitzcarraldo", + "year": "1982", + "runtime": 157, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.6, + "vote_count": 781, + "description": "Fitzcarraldo is a dreamer who plans to build an opera house in Iquitos, in the Peruvian Amazon, so, in order to finance his project, he embarks on an epic adventure to collect rubber, a very profitable product, in a remote and unexplored region of the rainforest.", + "poster": "https://image.tmdb.org/t/p/w500/oBCnYEKcg1rMhr5JjDnrRpilvDd.jpg", + "url": "https://www.themoviedb.org/movie/9343", + "genres": [ + "Drama", + "Adventure" + ], + "tags": [ + "peru", + "plantation", + "ambition", + "amazon rainforest", + "steamboat", + "south america", + "opera house", + "riverboat", + "19th century", + "imperialism", + "iquitos, peru", + "amazon river", + "rubber", + "white water rafting", + "willpower", + "manaos, brazil", + "transporting boat", + "amazonie" + ] + }, + { + "ranking": 927, + "title": "The Banker", + "year": "2020", + "runtime": 120, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.636, + "vote_count": 994, + "description": "In the 1960s, two entrepreneurs hatch an ingenious business plan to fight for housing integration—and equal access to the American Dream.", + "poster": "https://image.tmdb.org/t/p/w500/biXzsw22U6vSd0XktmZwAOc4uik.jpg", + "url": "https://www.themoviedb.org/movie/627725", + "genres": [ + "Drama" + ], + "tags": [ + "banker", + "affectation", + "banking", + "based on true story", + "racism", + "los angeles, california", + "aggressive", + "1950s", + "1960s", + "african american history", + "african american", + "absurd", + "dramatic", + "critical", + "admiring", + "adoring", + "ambiguous", + "amused", + "appreciative", + "audacious", + "defiant", + "earnest", + "empathetic", + "familiar" + ] + }, + { + "ranking": 942, + "title": "Godzilla", + "year": "1954", + "runtime": 96, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.633, + "vote_count": 1003, + "description": "Japan is thrown into a panic after several ships are sunk near Odo Island. An expedition to the island led by Dr. Kyohei Yamane soon discover something far more devastating than imagined in the form of a 50 meter tall monster whom the natives call Gojira. Now the monster begins a rampage that threatens to destroy not only Japan, but the rest of the world as well.", + "poster": "https://image.tmdb.org/t/p/w500/y1BdXaSvhpixJTotIc1vHVLHKEA.jpg", + "url": "https://www.themoviedb.org/movie/1678", + "genres": [ + "Thriller", + "Horror", + "Science Fiction" + ], + "tags": [ + "ship", + "island", + "japan", + "atomic bomb", + "shipwreck", + "giant monster", + "nuclear radiation", + "tokyo, japan", + "dinosaur", + "black and white", + "creature feature", + "kaiju", + "post war japan", + "animal horror", + "godzilla", + "tokusatsu" + ] + }, + { + "ranking": 946, + "title": "Boogie Nights", + "year": "1997", + "runtime": 156, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.63, + "vote_count": 3227, + "description": "Set in 1977, back when sex was safe, pleasure was a business and business was booming, idealistic porn producer Jack Horner aspires to elevate his craft to an art form. Horner discovers Eddie Adams, a hot young talent working as a busboy in a nightclub, and welcomes him into the extended family of movie-makers, misfits and hangers-on that are always around. Adams' rise from nobody to a celebrity adult entertainer is meteoric, and soon the whole world seems to know his porn alter ego, \"Dirk Diggler\". Now, when disco and drugs are in vogue, fashion is in flux and the party never seems to stop, Adams' dreams of turning sex into stardom are about to collide with cold, hard reality.", + "poster": "https://image.tmdb.org/t/p/w500/6fzz3HkAGJxhGcwRZwpbEZxgZMu.jpg", + "url": "https://www.themoviedb.org/movie/4995", + "genres": [ + "Drama" + ], + "tags": [ + "new year's eve", + "adultery", + "pornography", + "robbery", + "husband wife relationship", + "drug abuse", + "1970s", + "cocaine", + "porn actor", + "custody battle", + "rags to riches", + "coming of age", + "alter ego", + "los angeles, california", + "drugs", + "porn industry", + "disco", + "voyeurism", + "curious", + "1980s", + "candid", + "big dick", + "mother son relationship", + "introspective", + "dramatic", + "admiring", + "audacious", + "euphoric" + ] + }, + { + "ranking": 943, + "title": "The Philadelphia Story", + "year": "1940", + "runtime": 113, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.6, + "vote_count": 886, + "description": "When a rich woman's ex-husband and a tabloid-type reporter turn up just before her planned remarriage, she begins to learn the truth about herself.", + "poster": "https://image.tmdb.org/t/p/w500/dKUubjvxO78XDts6VP1Ggcp4R9O.jpg", + "url": "https://www.themoviedb.org/movie/981", + "genres": [ + "Comedy", + "Romance" + ], + "tags": [ + "journalist", + "philadelphia, pennsylvania", + "strong woman", + "photographer", + "journalism", + "swimming pool", + "remarriage", + "hangover", + "reporter", + "black and white", + "divorcee", + "screwball comedy", + "socialite", + "ex-husband ex-wife relationship", + "high society", + "fiancé fiancée relationship", + "divorced couple", + "family estate", + "inebriated", + "imminent wedding", + "kid sister", + "mischievous", + "tabloid journalism", + "comedy of remarriage", + "romantic" + ] + }, + { + "ranking": 947, + "title": "A Little Princess", + "year": "1995", + "runtime": 97, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.6, + "vote_count": 983, + "description": "When her father enlists to fight for the British in WWI, young Sara Crewe goes to New York to attend the same boarding school her late mother attended. She soon clashes with the severe headmistress, Miss Minchin, who attempts to stifle Sara's creativity and sense of self-worth.", + "poster": "https://image.tmdb.org/t/p/w500/9V4bAVEskSNbEqjVI0YmeuB0n8I.jpg", + "url": "https://www.themoviedb.org/movie/19101", + "genres": [ + "Drama", + "Family", + "Fantasy" + ], + "tags": [ + "based on novel or book", + "parent child relationship", + "boarding school", + "servant", + "private school", + "female friendship", + "school", + "little girl", + "orphan", + "class differences", + "india", + "schoolgirl", + "presumed dead", + "attic", + "magic realism", + "interracial friendship", + "african american servant" + ] + }, + { + "ranking": 945, + "title": "Kubo and the Two Strings", + "year": "2016", + "runtime": 102, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.6, + "vote_count": 3610, + "description": "Kubo mesmerizes the people in his village with his magical gift for spinning wild tales with origami. When he accidentally summons an evil spirit seeking vengeance, Kubo is forced to go on a quest to solve the mystery of his fallen samurai father and his mystical weaponry, as well as discover his own magical powers.", + "poster": "https://image.tmdb.org/t/p/w500/la6QA9tk4Foq8OBH2Dyh5dTcw6H.jpg", + "url": "https://www.themoviedb.org/movie/313297", + "genres": [ + "Animation", + "Adventure", + "Family" + ], + "tags": [ + "japan", + "samurai", + "magic", + "forgiveness", + "stop motion", + "storytelling", + "origami", + "feudal japan", + "mother son relationship" + ] + }, + { + "ranking": 951, + "title": "Girl in the Basement", + "year": "2021", + "runtime": 88, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.6, + "vote_count": 736, + "description": "Sara is a teen girl who is looking forward to her 18th birthday to move away from her controlling father Don. But before she could even blow out the candles, Don imprisons her in the basement of their home.", + "poster": "https://image.tmdb.org/t/p/w500/qmddUxRwbsxHa7oEXm4PWh1KZe8.jpg", + "url": "https://www.themoviedb.org/movie/801335", + "genres": [ + "Thriller", + "Crime", + "TV Movie" + ], + "tags": [ + "imprisonment", + "based on true story", + "basement", + "controlling parent" + ] + }, + { + "ranking": 956, + "title": "Wrath of Man", + "year": "2021", + "runtime": 118, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.624, + "vote_count": 5516, + "description": "A cold and mysterious new security guard for a Los Angeles cash truck company surprises his co-workers when he unleashes precision skills during a heist. The crew is left wondering who he is and where he came from. Soon, the marksman's ultimate motive becomes clear as he takes dramatic and irrevocable steps to settle a score.", + "poster": "https://image.tmdb.org/t/p/w500/M7SUK85sKjaStg4TKhlAVyGlz3.jpg", + "url": "https://www.themoviedb.org/movie/637649", + "genres": [ + "Action", + "Crime", + "Thriller" + ], + "tags": [ + "robbery", + "crime boss", + "revenge", + "shootout", + "shooter", + "los angeles, california", + "theft", + "security guard", + "ex soldier", + "aggressive", + "cash truck", + "earnest" + ] + }, + { + "ranking": 954, + "title": "The Man from Earth", + "year": "2007", + "runtime": 87, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.6, + "vote_count": 2582, + "description": "A departing professor gathers his closest colleagues for an intimate farewell, but the night takes an unexpected turn when he shares a stunning secret about his past. As the conversation unfolds, skepticism and curiosity collide, challenging everything they thought they knew about history, science, and belief.", + "poster": "https://image.tmdb.org/t/p/w500/x795RrV92JbLXh4pBSEEe62Nmv0.jpg", + "url": "https://www.themoviedb.org/movie/13363", + "genres": [ + "Science Fiction", + "Drama" + ], + "tags": [ + "immortality", + "birthday", + "legend", + "philosophy", + "professor", + "psychology", + "bible", + "time", + "survival", + "anthropology", + "prehistory", + "religion", + "memory", + "church", + "cavemen", + "questioning", + "reflective", + "suspenseful" + ] + }, + { + "ranking": 944, + "title": "Sniper: The White Raven", + "year": "2022", + "runtime": 120, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.6, + "vote_count": 800, + "description": "Mykola is an eccentric pacifist who wants to be useful to humanity. When the war begins at Donbass, Mykola’s naive world is collapsing as the militants kill his pregnant wife and burn his home to the ground. Recovered, he makes a cardinal decision and gets enlisted in a sniper company. Having met his wife’s killers, he emotionally breaks down and arranges “sniper terror” for the enemy. He’s saved from a senseless death by his instructor who himself gets mortally wounded. The death of a friend leaves a “scar” and Mykola is ready to sacrifice his life.", + "poster": "https://image.tmdb.org/t/p/w500/295gZzTXMvuiIG0U19h4M44PXxI.jpg", + "url": "https://www.themoviedb.org/movie/966220", + "genres": [ + "War", + "Action", + "Drama" + ], + "tags": [ + "eastern europe", + "europe", + "donbass war", + "russian invasion of ukraine (2022)", + "2010s", + "ukraine", + "war", + "war in ukraine", + "russo-ukrainian war" + ] + }, + { + "ranking": 950, + "title": "Edge of Tomorrow", + "year": "2014", + "runtime": 114, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.6, + "vote_count": 14113, + "description": "Major Bill Cage is an officer who has never seen a day of combat when he is unceremoniously demoted and dropped into combat. Cage is killed within minutes, managing to take an alpha alien down with him. He awakens back at the beginning of the same day and is forced to fight and die again... and again - as physical contact with the alien has thrown him into a time loop.", + "poster": "https://image.tmdb.org/t/p/w500/uUHvlkLavotfGsNtosDy8ShsIYF.jpg", + "url": "https://www.themoviedb.org/movie/137113", + "genres": [ + "Action", + "Science Fiction" + ], + "tags": [ + "deja vu", + "based on novel or book", + "restart", + "military officer", + "dystopia", + "training", + "alien", + "time loop", + "soldier", + "alien invasion", + "war hero", + "exoskeleton", + "frantic", + "philosophical", + "soldiers", + "war", + "tense", + "sentimental", + "romantic", + "audacious", + "2020s" + ] + }, + { + "ranking": 949, + "title": "Victoria", + "year": "2015", + "runtime": 138, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.629, + "vote_count": 1236, + "description": "A young Spanish woman who has newly moved to Berlin finds her flirtation with a local guy turn potentially deadly as their night out with his friends reveals a dangerous secret.", + "poster": "https://image.tmdb.org/t/p/w500/9P8QgfoMcFX7vp2Gj2cYFecHVRZ.jpg", + "url": "https://www.themoviedb.org/movie/320007", + "genres": [ + "Crime", + "Thriller", + "Romance" + ], + "tags": [ + "berlin, germany", + "love at first sight", + "bullet wound", + "bank robbery", + "playing piano", + "real time", + "genre bending", + "concert pianist", + "single take", + "zealous", + "one take", + "techno music", + "running from police", + "audacious", + "awestruck", + "exhilarated" + ] + }, + { + "ranking": 957, + "title": "The Super Mario Bros. Movie", + "year": "2023", + "runtime": 93, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.6, + "vote_count": 9562, + "description": "While working underground to fix a water main, Brooklyn plumbers—and brothers—Mario and Luigi are transported down a mysterious pipe and wander into a magical new world. But when the brothers are separated, Mario embarks on an epic quest to find Luigi.", + "poster": "https://image.tmdb.org/t/p/w500/qNBAXBIQlnOThrVvA6mA2B5ggV6.jpg", + "url": "https://www.themoviedb.org/movie/502356", + "genres": [ + "Family", + "Comedy", + "Adventure", + "Animation" + ], + "tags": [ + "gorilla", + "plumber", + "villain", + "anthropomorphism", + "magic mushroom", + "based on video game", + "toad", + "aftercreditsstinger", + "duringcreditsstinger", + "damsel in distress", + "piano", + "brother brother relationship", + "illumination", + "evil king", + "familiar" + ] + }, + { + "ranking": 948, + "title": "Eddie Murphy: Delirious", + "year": "1983", + "runtime": 69, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.6, + "vote_count": 327, + "description": "Taped live and in concert at Constitution Hall in Washington, D.C. in August, 1983, Eddie Murphy: Delirious captures Eddie Murphy's wild and outrageous stand-up comedy act, which he performed in New York and eighteen other cities across the U.S. to standing-room-only audiences. Eddie's comedy was groundbreaking, completely new, razor sharp and definitely funny.Eddie Murphy pontificates in his own vulgarly hilarious fashion on everything from bizarre sexual fantasies to reliving the family barbecue, and is peppered with Eddie's one-of-a-kind wit. Laugh along as Eddie reminiscences of hot childhood days and the ice cream man intermixed with classic vocal parodies of top American entertainers.Experience Eddie Murphy at his best, live and red hot! Delirious! Uncensored and Uncut!", + "poster": "https://image.tmdb.org/t/p/w500/qnNXoflFXeUg692kulMKVJVRzYf.jpg", + "url": "https://www.themoviedb.org/movie/15251", + "genres": [ + "Comedy" + ], + "tags": [ + "stand-up comedy", + "crude humor" + ] + }, + { + "ranking": 959, + "title": "The Spirit of the Beehive", + "year": "1973", + "runtime": 97, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.6, + "vote_count": 356, + "description": "In 1940, in the immediate aftermath of the Spanish Civil War, a young girl living on the Castilian plain is haunted after attending a screening of James Whale's 1931 film Frankenstein and hearing from her sister that the monster is not dead, instead existing as a spirit inhabiting a nearby barn.", + "poster": "https://image.tmdb.org/t/p/w500/o6pUTkoCh4r6EA2dHNFKA40OmH2.jpg", + "url": "https://www.themoviedb.org/movie/4495", + "genres": [ + "Drama", + "Fantasy" + ], + "tags": [ + "beehive", + "baby-snatching", + "spanish civil war (1936-39)" + ] + }, + { + "ranking": 941, + "title": "I'm Starting from Three", + "year": "1981", + "runtime": 107, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.633, + "vote_count": 676, + "description": "Gaetano, a young Neapolitan, decides to leave home, work and friends, to look for other moments of life and meet other people.", + "poster": "https://image.tmdb.org/t/p/w500/lS0X9KScgkUbhiu6lOHBya8z9R2.jpg", + "url": "https://www.themoviedb.org/movie/13386", + "genres": [ + "Comedy" + ], + "tags": [ + "friendship", + "naples, italy", + "florence, italy", + "love", + "autostop" + ] + }, + { + "ranking": 953, + "title": "Kingsman: The Secret Service", + "year": "2015", + "runtime": 129, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.626, + "vote_count": 17004, + "description": "The story of a super-secret spy organization that recruits an unrefined but promising street kid into the agency's ultra-competitive training program just as a global threat emerges from a twisted tech genius.", + "poster": "https://image.tmdb.org/t/p/w500/r6q9wZK5a2K51KFj4LWVID6Ja1r.jpg", + "url": "https://www.themoviedb.org/movie/207703", + "genres": [ + "Crime", + "Comedy", + "Action", + "Adventure" + ], + "tags": [ + "great britain", + "spy", + "secret organization", + "secret agent", + "based on comic", + "united kingdom", + "duringcreditsstinger" + ] + }, + { + "ranking": 952, + "title": "Steins;Gate: The Movie - Load Region of Déjà Vu", + "year": "2013", + "runtime": 90, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.626, + "vote_count": 349, + "description": "One year after the events of the anime, Rintarou begins to feel the repercussions of extensive time travel, and eventually completely fades from reality. Kurisu, being the only companion to remember him, now must find a way to bring him back.", + "poster": "https://image.tmdb.org/t/p/w500/bXhogkZCR0aOQ077rfMULYbDmtH.jpg", + "url": "https://www.themoviedb.org/movie/225745", + "genres": [ + "Science Fiction", + "Animation", + "Drama" + ], + "tags": [ + "time travel", + "mad scientist", + "romance", + "anime" + ] + }, + { + "ranking": 960, + "title": "One Cut of the Dead", + "year": "2017", + "runtime": 96, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.624, + "vote_count": 871, + "description": "Real zombies arrive and terrorize the crew of a zombie film being shot in an abandoned warehouse, said to be the site of military experiments on humans.", + "poster": "https://image.tmdb.org/t/p/w500/rws34k2bqYVo2B5MkhKAbV8925j.jpg", + "url": "https://www.themoviedb.org/movie/513434", + "genres": [ + "Comedy", + "Horror", + "Drama" + ], + "tags": [ + "film in film", + "zombie", + "filmmaking", + "making of", + "repurposed footage", + "film about film" + ] + }, + { + "ranking": 958, + "title": "The Tenant", + "year": "1976", + "runtime": 126, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.625, + "vote_count": 1143, + "description": "A quiet and inconspicuous man rents an apartment in Paris where he finds himself drawn into a rabbit hole of dangerous paranoia.", + "poster": "https://image.tmdb.org/t/p/w500/ochT2dykUUsk7RGrJjnJItLvreO.jpg", + "url": "https://www.themoviedb.org/movie/11482", + "genres": [ + "Thriller", + "Horror", + "Mystery", + "Drama" + ], + "tags": [ + "suicide", + "paris, france", + "identity", + "psychopath", + "paranoia", + "hallucination", + "identity crisis", + "lodger", + "neighbor", + "tenant", + "descent into madness", + "cross dressing", + "psychological thriller", + "apartment building", + "noisy neighbor", + "handjob", + "death of neighbor", + "next door neighbor", + "nosy neighbor", + "tooth extraction", + "jumping from height", + "creepy neighbor", + "jumping from a window", + "psychological disintegration", + "paranoid thriller", + "rented rooms", + "personality change", + "psychological horror" + ] + }, + { + "ranking": 955, + "title": "Boyz n the Hood", + "year": "1991", + "runtime": 112, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.626, + "vote_count": 2045, + "description": "In the middle of the Los Angeles ghetto, drugs, robberies and shootings dominate everyday life. During these times, Furious tries to raise his son Tre to be a decent person. Tre's friends, on the other hand, have little regard for the law and drag the entire neighborhood into a street war...", + "poster": "https://image.tmdb.org/t/p/w500/v4ox4aSCNT5vyLXl4Q71JiWwCXW.jpg", + "url": "https://www.themoviedb.org/movie/650", + "genres": [ + "Crime", + "Drama" + ], + "tags": [ + "street gang", + "gangster", + "rapper", + "ghetto", + "street war", + "violence in schools", + "vexed", + "south central los angeles", + "vindictive", + "cautionary", + "black american", + "antagonistic", + "callous" + ] + }, + { + "ranking": 961, + "title": "Le Cercle Rouge", + "year": "1970", + "runtime": 140, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.6, + "vote_count": 665, + "description": "When French criminal Corey gets released from prison, he resolves to never return. He is quickly pulled back into the underworld, however, after a chance encounter with escaped murderer Vogel. Along with former policeman and current alcoholic Jansen, they plot an intricate jewel heist. All the while, quirky Police Commissioner Mattei, who was the one to lose custody of Vogel, is determined to find him.", + "poster": "https://image.tmdb.org/t/p/w500/w56La43IJnGpLepgqfGCAZsbQPp.jpg", + "url": "https://www.themoviedb.org/movie/11657", + "genres": [ + "Crime", + "Thriller", + "Drama" + ], + "tags": [ + "prison", + "corruption", + "paris, france", + "escape", + "police", + "pimp", + "heist", + "thief", + "gang", + "murderer", + "custody", + "jewel", + "aristocratic" + ] + }, + { + "ranking": 965, + "title": "tick, tick... BOOM!", + "year": "2021", + "runtime": 115, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.621, + "vote_count": 2118, + "description": "On the brink of turning 30, a promising theater composer navigates love, friendship and the pressure to create something great before time runs out.", + "poster": "https://image.tmdb.org/t/p/w500/DPmfcuR8fh8ROYXgdjrAjSGA0o.jpg", + "url": "https://www.themoviedb.org/movie/537116", + "genres": [ + "Drama", + "Music" + ], + "tags": [ + "new york city", + "composer", + "artist", + "melancholy", + "musical", + "based on true story", + "based on play or musical", + "singing", + "boyfriend girlfriend relationship", + "struggling artist", + "1990s", + "portrait of an artist", + "hiv/aids epidemic", + "inspirational", + "theater" + ] + }, + { + "ranking": 975, + "title": "The Last Emperor", + "year": "1987", + "runtime": 163, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.616, + "vote_count": 1730, + "description": "A dramatic history of Pu Yi, the last of the Emperors of China, from his lofty birth and brief reign in the Forbidden City, the object of worship by half a billion people; through his abdication, his decline and dissolute lifestyle; his exploitation by the invading Japanese, and finally to his obscure existence as just another peasant worker in the People's Republic.", + "poster": "https://image.tmdb.org/t/p/w500/7TILJhdeJAaEyDiwvJZMo9SQBoe.jpg", + "url": "https://www.themoviedb.org/movie/746", + "genres": [ + "Drama", + "History" + ], + "tags": [ + "suicide", + "experiment", + "china", + "isolation", + "buddhism", + "becoming an adult", + "war crimes", + "suicide attempt", + "war on drugs", + "revolution", + "drug addiction", + "opium", + "arranged marriage", + "world war ii", + "emperor", + "coup d'etat", + "manchuria", + "dynasty", + "reeducation camp", + "biography", + "based on true story", + "autobiography", + "teacher", + "beijing, china", + "dowager", + "decadence", + "communism", + "1920s", + "1940s", + "1950s", + "1910s", + "1930s", + "japanese occupation of china" + ] + }, + { + "ranking": 972, + "title": "Battleship Potemkin", + "year": "1925", + "runtime": 75, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.6, + "vote_count": 1190, + "description": "A dramatized account of a great Russian naval mutiny and a resultant public demonstration, showing support, which brought on a police massacre. The film had an incredible impact on the development of cinema and is a masterful example of montage editing.", + "poster": "https://image.tmdb.org/t/p/w500/hZmsRLsCnE9Zshf1YJONUpCOhds.jpg", + "url": "https://www.themoviedb.org/movie/643", + "genres": [ + "Drama", + "History", + "War" + ], + "tags": [ + "panic", + "baby carriage", + "cossack", + "slaughter", + "massacre", + "rage", + "sailor", + "silent film", + "russian revolution (1917)", + "revolt", + "imperial russia", + "insubordination", + "port city", + "soviet realism", + "maggots" + ] + }, + { + "ranking": 964, + "title": "Mira", + "year": "2022", + "runtime": 110, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.621, + "vote_count": 340, + "description": "Near future. Lera Arabova is a 15-year-old girl who lives with her family in Vladivostok. Lera's father has been working at the orbiting space station \"Mira\" for many years and has long lost contact with his daughter, turning only into a voice on the phone. After a meteor shower hits the city, Lera has only one chance to save her loved ones and the city from a new disaster. Her father helps her in this - through satellite surveillance systems and the telephone, he uses every opportunity to send a message to his daughter, watching from above from the station her every step.", + "poster": "https://image.tmdb.org/t/p/w500/mv2DFhsaLeNgFzNe2G5CJhzbrkt.jpg", + "url": "https://www.themoviedb.org/movie/864101", + "genres": [ + "Science Fiction", + "Drama", + "Adventure", + "Family" + ], + "tags": [] + }, + { + "ranking": 962, + "title": "Amores Perros", + "year": "2000", + "runtime": 154, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.623, + "vote_count": 2671, + "description": "A fatalistic car crash in Mexico city sets off a chain of events in the lives of three people: a supermodel, a young man wanting to run off with his sister-in-law, and a homeless man. Their lives are catapulted into unforeseen situations instigated by the seemingly inconsequential destiny of a dog.", + "poster": "https://image.tmdb.org/t/p/w500/tuyV4ceh80IBTbRJWX7jJ59UFxn.jpg", + "url": "https://www.themoviedb.org/movie/55", + "genres": [ + "Drama", + "Thriller" + ], + "tags": [ + "daughter", + "secret love", + "homeless person", + "mexico city, mexico", + "money", + "dog fighting", + "dog", + "nonlinear timeline", + "multiple storylines", + "new mexican cinema" + ] + }, + { + "ranking": 978, + "title": "Night of the Living Dead", + "year": "1968", + "runtime": 96, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.614, + "vote_count": 2506, + "description": "A group of strangers trapped in a farmhouse find themselves fending off a horde of recently dead, flesh-eating ghouls.", + "poster": "https://image.tmdb.org/t/p/w500/inNUOa9WZGdyRXQlt7eqmHtCttl.jpg", + "url": "https://www.themoviedb.org/movie/10331", + "genres": [ + "Horror", + "Thriller" + ], + "tags": [ + "sibling relationship", + "pennsylvania, usa", + "loss of loved one", + "gun", + "gas station", + "cemetery", + "cellar", + "halloween", + "house", + "barricade", + "zombie", + "black and white", + "trapped", + "bitten", + "farm house", + "frantic", + "anxious", + "intense", + "foreboding", + "frightened", + "horrified", + "zombies" + ] + }, + { + "ranking": 963, + "title": "Laura", + "year": "1944", + "runtime": 88, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.6, + "vote_count": 822, + "description": "A police detective falls in love with the woman whose murder he's investigating.", + "poster": "https://image.tmdb.org/t/p/w500/j0zEiFFrdbZnMXqD3piOtZBJeNB.jpg", + "url": "https://www.themoviedb.org/movie/1939", + "genres": [ + "Drama", + "Mystery" + ], + "tags": [ + "jealousy", + "obsession", + "advertising expert", + "shotgun", + "detective", + "investigation", + "mistaken identity", + "romance", + "film noir", + "murder", + "whodunit", + "black and white", + "investigator", + "intrigue", + "portrait", + "police investigation", + "mysterious", + "murder mystery", + "murder suspect", + "1940s", + "other woman", + "suspense" + ] + }, + { + "ranking": 969, + "title": "Stagecoach", + "year": "1939", + "runtime": 96, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.6, + "vote_count": 1139, + "description": "A group of people traveling on a stagecoach find their journey complicated by the threat of Geronimo, and learn something about each other in the process.", + "poster": "https://image.tmdb.org/t/p/w500/zgMnfnwWZ3nkx4t0bUDEKtW24O8.jpg", + "url": "https://www.themoviedb.org/movie/995", + "genres": [ + "Western", + "Adventure" + ], + "tags": [ + "marriage proposal", + "prostitute", + "new mexico", + "arizona", + "infant", + "outcast", + "fugitive", + "shootout", + "black and white", + "doctor", + "desert", + "stagecoach", + "cowboy", + "stranger", + "indian attack", + "outlaw gang", + "ostracism", + "calvary", + "drunkard" + ] + }, + { + "ranking": 980, + "title": "A Streetcar Named Desire", + "year": "1951", + "runtime": 125, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.613, + "vote_count": 1381, + "description": "A disturbed, aging Southern belle moves in with her sister for solace — but being face-to-face with her brutish brother-in-law accelerates her downward spiral.", + "poster": "https://image.tmdb.org/t/p/w500/aicdlO5vt7z2ARm279eGzJeYCLQ.jpg", + "url": "https://www.themoviedb.org/movie/702", + "genres": [ + "Drama", + "Thriller" + ], + "tags": [ + "loss of sense of reality", + "rape", + "sibling relationship", + "southern usa", + "brother-in-law", + "violent husband", + "new orleans, louisiana", + "family relationships", + "black and white", + "light bulb", + "expectant father", + "sister sister relationship" + ] + }, + { + "ranking": 968, + "title": "Il Divo", + "year": "2008", + "runtime": 113, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.621, + "vote_count": 1138, + "description": "Italy, early '90s. Calm, clever and inscrutable, politician Giulio Andreotti has been synonymous with power for decades. He has survived everything: electoral battles, terrorist massacres, loss of friends, slanderous accusations; but now certain repentant mobsters implicate him in the crimes of Cosa Nostra.", + "poster": "https://image.tmdb.org/t/p/w500/g1bgM34ZGldqcGkucmaGZe4pMBu.jpg", + "url": "https://www.themoviedb.org/movie/8832", + "genres": [ + "Drama" + ], + "tags": [ + "politics", + "italy", + "vatican", + "1970s", + "prime minister", + "biography", + "mafia", + "italian history", + "1980s", + "1990s", + "state crimes", + "cosa nostra", + "domestic terrorism", + "pentito", + "repentant mobster" + ] + }, + { + "ranking": 967, + "title": "Mad Max: Fury Road", + "year": "2015", + "runtime": 121, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.6, + "vote_count": 22967, + "description": "An apocalyptic story set in the furthest reaches of our planet, in a stark desert landscape where humanity is broken, and most everyone is crazed fighting for the necessities of life. Within this world exist two rebels on the run who just might be able to restore order.", + "poster": "https://image.tmdb.org/t/p/w500/hA2ple9q4qnwxp3hKVNhroipsir.jpg", + "url": "https://www.themoviedb.org/movie/76341", + "genres": [ + "Action", + "Adventure", + "Science Fiction" + ], + "tags": [ + "rescue", + "future", + "australia", + "chase", + "dystopia", + "post-apocalyptic future", + "survival", + "on the run", + "on the road", + "desert", + "convoy", + "peak oil", + "dark future", + "post-apocalyptic", + "car", + "suspenseful", + "intense", + "awestruck", + "commanding", + "hopeful" + ] + }, + { + "ranking": 966, + "title": "Deadpool", + "year": "2016", + "runtime": 108, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.6, + "vote_count": 31478, + "description": "The origin story of former Special Forces operative turned mercenary Wade Wilson, who, after being subjected to a rogue experiment that leaves him with accelerated healing powers, adopts the alter ego Deadpool. Armed with his new abilities and a dark, twisted sense of humor, Deadpool hunts down the man who nearly destroyed his life.", + "poster": "https://image.tmdb.org/t/p/w500/3E53WEZJqP6aM84D8CckXx4pIHw.jpg", + "url": "https://www.themoviedb.org/movie/293660", + "genres": [ + "Action", + "Adventure", + "Comedy" + ], + "tags": [ + "superhero", + "anti hero", + "mercenary", + "based on comic", + "aftercreditsstinger", + "duringcreditsstinger" + ] + }, + { + "ranking": 974, + "title": "Get Out", + "year": "2017", + "runtime": 104, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.616, + "vote_count": 17767, + "description": "Chris and his girlfriend Rose go upstate to visit her parents for the weekend. At first, Chris reads the family's overly accommodating behavior as nervous attempts to deal with their daughter's interracial relationship, but as the weekend progresses, a series of increasingly disturbing discoveries lead him to a truth that he never could have imagined.", + "poster": "https://image.tmdb.org/t/p/w500/tFXcEccSQMf3lfhfXKSU9iRBpa3.jpg", + "url": "https://www.themoviedb.org/movie/419430", + "genres": [ + "Mystery", + "Thriller", + "Horror" + ], + "tags": [ + "kidnapping", + "externally controlled action", + "manipulation", + "dark comedy", + "hypnosis", + "parents-in-law", + "satire", + "racist", + "revenge", + "interracial relationship", + "disappearance", + "racism", + "psychological thriller", + "biting", + "blunt", + "neurosurgeon", + "missing person", + "stereotype", + "brain surgery", + "race-conscious" + ] + }, + { + "ranking": 971, + "title": "Elemental", + "year": "2023", + "runtime": 102, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.6, + "vote_count": 4739, + "description": "In a city where fire, water, land and air residents live together, a fiery young woman and a go-with-the-flow guy will discover something elemental: how much they have in common.", + "poster": "https://image.tmdb.org/t/p/w500/4Y1WNkd88JXmGfhtWR7dmDAo1T2.jpg", + "url": "https://www.themoviedb.org/movie/976573", + "genres": [ + "Animation", + "Comedy", + "Family", + "Fantasy", + "Romance" + ], + "tags": [ + "fire", + "earth", + "computer animation", + "duringcreditsstinger", + "elements", + "water", + "city", + "hopeful" + ] + }, + { + "ranking": 970, + "title": "Being There", + "year": "1979", + "runtime": 130, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.62, + "vote_count": 1010, + "description": "A simple-minded gardener named Chance has spent all his life in the Washington D.C. house of an old man. When the man dies, Chance is put out on the street with no knowledge of the world except what he has learned from television.", + "poster": "https://image.tmdb.org/t/p/w500/3RO3jbCKEey2T9bYFkYt9xpwen9.jpg", + "url": "https://www.themoviedb.org/movie/10322", + "genres": [ + "Comedy", + "Drama" + ], + "tags": [ + "usa president", + "washington dc, usa", + "based on novel or book", + "identity", + "autism", + "impotence", + "botanist", + "philosophical" + ] + }, + { + "ranking": 973, + "title": "My Hero Academia: World Heroes' Mission", + "year": "2021", + "runtime": 105, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.6, + "vote_count": 571, + "description": "A mysterious group called Humarize strongly believes in the Quirk Singularity Doomsday theory which states that when quirks get mixed further in with future generations, that power will bring forth the end of humanity. In order to save everyone, the Pro-Heroes around the world ask UA Academy heroes-in-training to assist them and form a world-class selected hero team. It’s up to the heroes to save the world and the future of heroes in what is the most dangerous crisis to take place yet in My Hero Academia.", + "poster": "https://image.tmdb.org/t/p/w500/AsTlA7dj2ySGY1pzGSD0MoHFhEF.jpg", + "url": "https://www.themoviedb.org/movie/768744", + "genres": [ + "Animation", + "Action", + "Adventure", + "Science Fiction" + ], + "tags": [ + "japan", + "hero", + "superhero", + "school", + "fighting", + "super power", + "shounen", + "anime" + ] + }, + { + "ranking": 977, + "title": "Elevator to the Gallows", + "year": "1958", + "runtime": 91, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.6, + "vote_count": 625, + "description": "A self-assured businessman murders his employer, the husband of his mistress, which unintentionally provokes an ill-fated chain of events.", + "poster": "https://image.tmdb.org/t/p/w500/gsCXnYNHXFuVj92n0XUjZ7Z79og.jpg", + "url": "https://www.themoviedb.org/movie/1093", + "genres": [ + "Crime", + "Drama", + "Thriller" + ], + "tags": [ + "secret love", + "paris, france", + "car race", + "suicide attempt", + "arms deal", + "photography", + "camera", + "suspicion of murder", + "hearing", + "defense industry", + "motel", + "blackout", + "suspicion", + "fake suicide", + "microfilm", + "photographic evidence", + "film noir", + "french noir", + "elevator", + "murder framed as suicide" + ] + }, + { + "ranking": 979, + "title": "Steamboat Bill, Jr.", + "year": "1928", + "runtime": 70, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.6, + "vote_count": 345, + "description": "The just-out-of-college, effete son of a no-nonsense steamboat captain comes to visit his father whom he's not seen since he was a child.", + "poster": "https://image.tmdb.org/t/p/w500/zygJMsmXxeyDc1N67OCZc8xtq4I.jpg", + "url": "https://www.themoviedb.org/movie/25768", + "genres": [ + "Comedy", + "Romance" + ], + "tags": [ + "wind", + "river", + "girlfriend", + "jail", + "steamboat", + "black and white", + "makeover", + "rescue from drowning", + "silent film", + "barbershop", + "carnation", + "father son reunion", + "catastrophe", + "rich man", + "unlikely hero", + "business rivalry", + "steamboat captain", + "hat shopping", + "falling building", + "violent storm" + ] + }, + { + "ranking": 976, + "title": "Children of Men", + "year": "2006", + "runtime": 109, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.6, + "vote_count": 7260, + "description": "In 2027, in a chaotic world in which humans can no longer procreate, a former activist agrees to help transport a miraculously pregnant woman to a sanctuary at sea, where her child's birth may help scientists save the future of humankind.", + "poster": "https://image.tmdb.org/t/p/w500/8Xgvmx7WWc7Z9Ws9RAYk7uya2kh.jpg", + "url": "https://www.themoviedb.org/movie/9693", + "genres": [ + "Drama", + "Action", + "Thriller", + "Science Fiction" + ], + "tags": [ + "future", + "government", + "police state", + "based on novel or book", + "hippie", + "england", + "faith", + "chaos", + "refugee camp", + "rebel", + "dystopia", + "miracle", + "childlessness", + "survival", + "birth", + "alcoholic", + "bombing", + "dying", + "terrorist group", + "fertility", + "soldiers", + "violence" + ] + }, + { + "ranking": 981, + "title": "A Streetcar Named Desire", + "year": "1951", + "runtime": 125, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.613, + "vote_count": 1381, + "description": "A disturbed, aging Southern belle moves in with her sister for solace — but being face-to-face with her brutish brother-in-law accelerates her downward spiral.", + "poster": "https://image.tmdb.org/t/p/w500/aicdlO5vt7z2ARm279eGzJeYCLQ.jpg", + "url": "https://www.themoviedb.org/movie/702", + "genres": [ + "Drama", + "Thriller" + ], + "tags": [ + "loss of sense of reality", + "rape", + "sibling relationship", + "southern usa", + "brother-in-law", + "violent husband", + "new orleans, louisiana", + "family relationships", + "black and white", + "light bulb", + "expectant father", + "sister sister relationship" + ] + }, + { + "ranking": 984, + "title": "Arrival", + "year": "2016", + "runtime": 116, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.612, + "vote_count": 18131, + "description": "Taking place after alien crafts land around the world, an expert linguist is recruited by the military to determine whether they come in peace or are a threat.", + "poster": "https://image.tmdb.org/t/p/w500/x2FJsf1ElAgr63Y3PNPtJrcmpoe.jpg", + "url": "https://www.themoviedb.org/movie/329865", + "genres": [ + "Drama", + "Science Fiction", + "Mystery" + ], + "tags": [ + "spacecraft", + "loss", + "time", + "alien", + "language", + "female protagonist", + "scientist", + "heartbreak", + "based on short story", + "military", + "alien language", + "linguist", + "first contact", + "communication", + "linguistics", + "time-manipulation", + "determinism", + "time manipulation" + ] + }, + { + "ranking": 992, + "title": "Mildred Pierce", + "year": "1945", + "runtime": 111, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.611, + "vote_count": 404, + "description": "A hard-working mother inches towards disaster as she divorces her husband and starts a successful restaurant business to support her spoiled daughter.", + "poster": "https://image.tmdb.org/t/p/w500/iSXi0xvPUPwEI2xxWZrcKJXpUYc.jpg", + "url": "https://www.themoviedb.org/movie/3309", + "genres": [ + "Crime", + "Drama" + ], + "tags": [ + "daughter", + "infidelity", + "husband wife relationship", + "restaurant", + "snob", + "business woman", + "promise", + "spoiled child", + "film noir", + "murder", + "black and white", + "beach house", + "frame up", + "ex-husband ex-wife relationship", + "told in flashback", + "nightclub singer", + "mother daughter estrangement", + "business partner", + "ungrateful child", + "mother daughter relationship" + ] + }, + { + "ranking": 983, + "title": "Persian Lessons", + "year": "2020", + "runtime": 127, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.612, + "vote_count": 415, + "description": "Occupied France, 1942. Gilles is arrested by SS soldiers alongside other Jews and sent to a camp in Germany. He narrowly avoids sudden execution by swearing to the guards that he is not Jewish, but Persian. This lie temporarily saves him, but Gilles gets assigned a life-or-death mission: to teach Farsi to Head of Camp Koch, who dreams of opening a restaurant in Iran once the war is over. Through an ingenious trick, Gilles manages to survive by inventing words of \"Farsi\" every day and teaching them to Koch.", + "poster": "https://image.tmdb.org/t/p/w500/ppReRGszmdZC2194keN4cGoLIPQ.jpg", + "url": "https://www.themoviedb.org/movie/581577", + "genres": [ + "War", + "Drama" + ], + "tags": [ + "nazi", + "concentration camp", + "world war ii", + "concentration camp prisoner", + "german officer", + "exhaustion", + "fictional language", + "jewish" + ] + }, + { + "ranking": 985, + "title": "The Little Prince", + "year": "2015", + "runtime": 108, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.612, + "vote_count": 2819, + "description": "Based on the best-seller book 'The Little Prince', the movie tells the story of a little girl that lives with resignation in a world where efficiency and work are the only dogmas. Everything will change when accidentally she discovers her neighbor that will tell her about the story of the Little Prince that he once met.", + "poster": "https://image.tmdb.org/t/p/w500/je5Z7gbFTzrs3FPHINo9yGiHoVo.jpg", + "url": "https://www.themoviedb.org/movie/309809", + "genres": [ + "Adventure", + "Animation", + "Fantasy", + "Family" + ], + "tags": [ + "airplane", + "parent child relationship", + "philosophy", + "dystopia", + "utopia", + "little boy", + "old man", + "growing up", + "stop motion", + "neighbor", + "school", + "little girl", + "based on children's book", + "social differences" + ] + }, + { + "ranking": 988, + "title": "Maurice", + "year": "1987", + "runtime": 140, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.6, + "vote_count": 548, + "description": "After his lover rejects him, Maurice attempts to come to terms with his sexuality within the restrictiveness of Edwardian society.", + "poster": "https://image.tmdb.org/t/p/w500/8HhCyxxzoUqEBmVGK25Jq69LhVo.jpg", + "url": "https://www.themoviedb.org/movie/26371", + "genres": [ + "Drama", + "Romance" + ], + "tags": [ + "coming out", + "secret love", + "based on novel or book", + "england", + "homophobia", + "forbidden love", + "coming of age", + "in the closet", + "lgbt", + "friends in love", + "1900s", + "conversion therapy", + "gay theme", + "cambridge university", + "independent film" + ] + }, + { + "ranking": 982, + "title": "Groundhog Day", + "year": "1993", + "runtime": 101, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.6, + "vote_count": 8201, + "description": "A narcissistic TV weatherman, along with his attractive-but-distant producer, and his mawkish cameraman, is sent to report on Groundhog Day in the small town of Punxsutawney, where he finds himself repeating the same day over and over.", + "poster": "https://image.tmdb.org/t/p/w500/gCgt1WARPZaXnq523ySQEUKinCs.jpg", + "url": "https://www.themoviedb.org/movie/137", + "genres": [ + "Romance", + "Fantasy", + "Drama", + "Comedy" + ], + "tags": [ + "deja vu", + "groundhog", + "weather forecast", + "telecaster", + "pennsylvania, usa", + "alarm clock", + "winter", + "time warp", + "holiday", + "time loop", + "magic realism", + "existentialism", + "groundhog day", + "february", + "whimsical" + ] + }, + { + "ranking": 996, + "title": "The Sicilian Clan", + "year": "1969", + "runtime": 121, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.6, + "vote_count": 331, + "description": "An ambitious mobster plans an elaborate diamond heist while seducing the daughter-in-law of a ruthless mob patriarch as a determined police commissioner closes in on all of them.", + "poster": "https://image.tmdb.org/t/p/w500/uVBbDPbm1H4Z9M7uZ976KFaAjDR.jpg", + "url": "https://www.themoviedb.org/movie/4235", + "genres": [ + "Crime", + "Drama" + ], + "tags": [ + "new york city", + "based on novel or book", + "rome, italy", + "fake identity", + "family clan", + "revenge", + "sicilian", + "jewelry heist", + "italian family", + "escape from jail", + "paris suburb", + "adulterous wife" + ] + }, + { + "ranking": 987, + "title": "The Servant", + "year": "1963", + "runtime": 116, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.6, + "vote_count": 344, + "description": "Indolent aristocrat Tony employs competent Barrett as his manservant and all seems to be going well until Barrett persuades Tony to hire his sister as a live-in maid.", + "poster": "https://image.tmdb.org/t/p/w500/pRa4og93BeOoMCt6oWuPCwu5Coo.jpg", + "url": "https://www.themoviedb.org/movie/42987", + "genres": [ + "Drama" + ], + "tags": [ + "london, england", + "servant", + "bachelor", + "manipulation", + "con man", + "role reversal", + "alcoholism", + "femme fatale", + "sexual humiliation", + "downfall", + "home invasion", + "alcohol abuse", + "seductress", + "cuckold", + "class prejudice", + "class conflict", + "manservant", + "psychosexual thriller", + "master servant relationship", + "british class system", + "downward spiral", + "moral corruption", + "mirrors", + "self-destructive behavior", + "homme fatale", + "seductive maid" + ] + }, + { + "ranking": 999, + "title": "Blue Velvet", + "year": "1986", + "runtime": 120, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.609, + "vote_count": 3443, + "description": "The discovery of a severed human ear found in a field leads a young man on an investigation related to a beautiful, mysterious nightclub singer and a group of psychopathic criminals who have kidnapped her child.", + "poster": "https://image.tmdb.org/t/p/w500/7hlgzJXLgyECS1mk3LSN3E72l5N.jpg", + "url": "https://www.themoviedb.org/movie/793", + "genres": [ + "Mystery", + "Thriller", + "Crime", + "Drama" + ], + "tags": [ + "drug dealer", + "small town", + "sexual obsession", + "detective", + "nightclub", + "ear", + "surrealism", + "psychological abuse", + "murder", + "drugs", + "policeman", + "voyeurism", + "criterion", + "neo-noir" + ] + }, + { + "ranking": 990, + "title": "The Anthem of the Heart", + "year": "2015", + "runtime": 119, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.6, + "vote_count": 401, + "description": "A young girl had her voice magically taken away so that she would never hurt people with it, but her outlook changes when she encounters music and friendship. Will Naruse be able to convey the anthem of her heart?", + "poster": "https://image.tmdb.org/t/p/w500/7bJHM6t6j3YLjDNTwe4hyghKqSr.jpg", + "url": "https://www.themoviedb.org/movie/364111", + "genres": [ + "Animation", + "Drama", + "Music", + "Romance" + ], + "tags": [ + "high school", + "anime", + "japanese high school" + ] + }, + { + "ranking": 1000, + "title": "Sweet Smell of Success", + "year": "1957", + "runtime": 97, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.606, + "vote_count": 512, + "description": "New York City newspaper writer J.J. Hunsecker holds considerable sway over public opinion with his Broadway column, but one thing that he can't control is his younger sister, Susan, who is in a relationship with aspiring jazz guitarist Steve Dallas. Hunsecker strongly disapproves of the romance and recruits publicist Sidney Falco to find a way to split the couple, no matter how ruthless the method.", + "poster": "https://image.tmdb.org/t/p/w500/4SzW8u7avVczndyR3UbU87ZpE0V.jpg", + "url": "https://www.themoviedb.org/movie/976", + "genres": [ + "Drama" + ], + "tags": [ + "media tycoon", + "new york city", + "newspaper", + "sibling relationship", + "jazz singer or musician", + "film noir", + "gossip columnist" + ] + }, + { + "ranking": 989, + "title": "The Others", + "year": "2001", + "runtime": 104, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.612, + "vote_count": 6653, + "description": "Grace is a religious woman who lives in an old house kept dark because her two children, Anne and Nicholas, have a rare sensitivity to light. When the family begins to suspect the house is haunted, Grace fights to protect her children at any cost in the face of strange events and disturbing visions.", + "poster": "https://image.tmdb.org/t/p/w500/p8g1vlTvpM6nr2hMMiZ1fUlKF0D.jpg", + "url": "https://www.themoviedb.org/movie/1933", + "genres": [ + "Horror", + "Mystery", + "Thriller" + ], + "tags": [ + "nightmare", + "suicide attempt", + "christianity", + "shotgun", + "servant", + "cemetery", + "world war ii", + "nanny", + "haunted house", + "bible", + "channel islands", + "mansion", + "soldier", + "gardener", + "photosensitivity", + "1940s", + "spiritism", + "jersey island", + "baffled", + "ominous", + "supernatural thriller" + ] + }, + { + "ranking": 994, + "title": "To All the Boys I've Loved Before", + "year": "2018", + "runtime": 100, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.6, + "vote_count": 8472, + "description": "Lara Jean's love life goes from imaginary to out of control when her secret letters to every boy she's ever fallen for are mysteriously mailed out.", + "poster": "https://image.tmdb.org/t/p/w500/hKHZhUbIyUAjcSrqJThFGYIR6kI.jpg", + "url": "https://www.themoviedb.org/movie/466282", + "genres": [ + "Comedy", + "Romance" + ], + "tags": [ + "high school", + "based on novel or book", + "love letter", + "romance", + "first love", + "lost mother", + "woman director", + "sisterhood", + "pretend relationship", + "based on young adult novel", + "asian american" + ] + }, + { + "ranking": 991, + "title": "Sin Nombre", + "year": "2009", + "runtime": 96, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.611, + "vote_count": 691, + "description": "Sayra, a Honduran teen, hungers for a better life. Her chance for one comes when she is reunited with her long-estranged father, who intends to emigrate to Mexico and then enter the United States. Sayra's life collides with a pair of Mexican gangmembers who have boarded the same American-bound train.", + "poster": "https://image.tmdb.org/t/p/w500/dubZwiGWp6TwYNGYtyGEUC7XAin.jpg", + "url": "https://www.themoviedb.org/movie/21191", + "genres": [ + "Drama", + "Action", + "Thriller", + "Crime" + ], + "tags": [ + "rape", + "street gang", + "river", + "shower", + "child murder", + "freight train", + "illegal immigration", + "kiss", + "honduras", + "travel", + "gang", + "mexican border" + ] + }, + { + "ranking": 998, + "title": "A Man Called Ove", + "year": "2015", + "runtime": 116, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.6, + "vote_count": 1183, + "description": "Despite being deposed as president of his condominium association, grumpy 59-year-old Ove continues to watch over his neighbourhood with an iron fist. When pregnant Parvaneh and her family move into the terraced house opposite Ove and she accidentally back into Ove’s mailbox, it sets off a series of unexpected changes in his life.", + "poster": "https://image.tmdb.org/t/p/w500/a41uvFqze4PI7N3E9jPNwN9ypV.jpg", + "url": "https://www.themoviedb.org/movie/348678", + "genres": [ + "Comedy", + "Drama" + ], + "tags": [ + "dark comedy", + "black humor", + "suicidal", + "pregnant woman", + "bitterness", + "volvo" + ] + }, + { + "ranking": 995, + "title": "Anastasia", + "year": "1997", + "runtime": 94, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.6, + "vote_count": 5336, + "description": "Ten years after she was separated from her family, an eighteen-year-old orphan with vague memories of the past sets out to Paris in hopes of reuniting with her grandmother. She is accompanied by two con men, who intend to pass her off as the Grand Duchess Anastasia to the Dowager Empress for a reward.", + "poster": "https://image.tmdb.org/t/p/w500/bppGWGA8zq1sRvTdDJnUzVW9GcH.jpg", + "url": "https://www.themoviedb.org/movie/9444", + "genres": [ + "Animation", + "Family", + "Fantasy", + "Adventure" + ], + "tags": [ + "nightmare", + "czar / tsar / tzar", + "musical", + "sorcerer", + "russian revolution (1917)", + "train explosion", + "1920s", + "villain song", + "amused" + ] + }, + { + "ranking": 986, + "title": "Guardians of the Galaxy Vol. 2", + "year": "2017", + "runtime": 137, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.612, + "vote_count": 21868, + "description": "The Guardians must fight to keep their newfound family together as they unravel the mysteries of Peter Quill's true parentage.", + "poster": "https://image.tmdb.org/t/p/w500/y4MBh0EjBlMuOzv9axM4qJlmhzz.jpg", + "url": "https://www.themoviedb.org/movie/283995", + "genres": [ + "Science Fiction", + "Adventure", + "Action" + ], + "tags": [ + "superhero", + "based on comic", + "sequel", + "misfit", + "space", + "aftercreditsstinger", + "duringcreditsstinger", + "marvel cinematic universe (mcu)", + "egotistical" + ] + }, + { + "ranking": 993, + "title": "Harold and Maude", + "year": "1971", + "runtime": 91, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.612, + "vote_count": 1115, + "description": "The young Harold lives in his own world of suicide-attempts and funeral visits to avoid the misery of his current family and home environment. Harold meets an 80-year-old woman named Maude who also lives in her own world yet one in which she is having the time of her life. When the two opposites meet they realize that their differences don’t matter and they become best friends and love each other.", + "poster": "https://image.tmdb.org/t/p/w500/t7qEuGwDjcYu8ajaKZ68DeDnOxw.jpg", + "url": "https://www.themoviedb.org/movie/343", + "genres": [ + "Comedy", + "Drama", + "Romance" + ], + "tags": [ + "dying and death", + "depression", + "suicide", + "life and death", + "age difference", + "birthday", + "suicide attempt", + "dead wish", + "cemetery", + "life planning", + "banjo", + "cliff", + "arranged marriage", + "coming of age", + "wealth", + "older woman younger man relationship", + "elderly lady", + "age-gap relationship" + ] + }, + { + "ranking": 997, + "title": "Deadpool & Wolverine", + "year": "2024", + "runtime": 128, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.6, + "vote_count": 6981, + "description": "A listless Wade Wilson toils away in civilian life with his days as the morally flexible mercenary, Deadpool, behind him. But when his homeworld faces an existential threat, Wade must reluctantly suit-up again with an even more reluctant Wolverine.", + "poster": "https://image.tmdb.org/t/p/w500/8cdWjvZQUExUUTzyp4t6EDMubfO.jpg", + "url": "https://www.themoviedb.org/movie/533535", + "genres": [ + "Action", + "Comedy", + "Science Fiction" + ], + "tags": [ + "hero", + "superhero", + "anti hero", + "mutant", + "breaking the fourth wall", + "aftercreditsstinger", + "duringcreditsstinger", + "marvel cinematic universe (mcu)", + "mutants", + "superhero teamup" + ] + }, + { + "ranking": 1005, + "title": "Sweet Smell of Success", + "year": "1957", + "runtime": 97, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.606, + "vote_count": 512, + "description": "New York City newspaper writer J.J. Hunsecker holds considerable sway over public opinion with his Broadway column, but one thing that he can't control is his younger sister, Susan, who is in a relationship with aspiring jazz guitarist Steve Dallas. Hunsecker strongly disapproves of the romance and recruits publicist Sidney Falco to find a way to split the couple, no matter how ruthless the method.", + "poster": "https://image.tmdb.org/t/p/w500/4SzW8u7avVczndyR3UbU87ZpE0V.jpg", + "url": "https://www.themoviedb.org/movie/976", + "genres": [ + "Drama" + ], + "tags": [ + "media tycoon", + "new york city", + "newspaper", + "sibling relationship", + "jazz singer or musician", + "film noir", + "gossip columnist" + ] + }, + { + "ranking": 1003, + "title": "Tangled", + "year": "2010", + "runtime": 100, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.6, + "vote_count": 11685, + "description": "Feisty teenager Rapunzel, who has long and magical hair, wants to go and see sky lanterns on her eighteenth birthday, but she's bound to a tower by her overprotective mother. She strikes a deal with Flynn Rider, a charming wanted thief, and the duo set off on an action-packed escapade.", + "poster": "https://image.tmdb.org/t/p/w500/ym7Kst6a4uodryxqbGOxmewF235.jpg", + "url": "https://www.themoviedb.org/movie/38757", + "genres": [ + "Animation", + "Family", + "Adventure" + ], + "tags": [ + "princess", + "magic", + "hostage", + "fairy tale", + "horse", + "villain", + "musical", + "blonde", + "tower", + "selfishness", + "healing power", + "female villain", + "adventurer", + "based on fairy tale", + "duringcreditsstinger", + "healing gift", + "animal sidekick", + "magic land" + ] + }, + { + "ranking": 1006, + "title": "Barbie in the 12 Dancing Princesses", + "year": "2006", + "runtime": 82, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.6, + "vote_count": 1194, + "description": "King Randolph sends for his cousin, Duchess Rowena, to help turn his daughters, Princess Genevieve and her eleven sisters, into royal material. But the Duchess strips the sisters of their fun, including their favorite pastime: dancing. When all hope may be lost, the sisters discover a secret passageway to a magical land where they can dance the night away.", + "poster": "https://image.tmdb.org/t/p/w500/yBB7PwXRFJ29U8m8SnTcWVizFvM.jpg", + "url": "https://www.themoviedb.org/movie/13002", + "genres": [ + "Animation", + "Family" + ], + "tags": [ + "princess", + "dance", + "sibling relationship", + "ballet", + "based on toy", + "sister sister relationship" + ] + }, + { + "ranking": 1008, + "title": "Butch Cassidy and the Sundance Kid", + "year": "1969", + "runtime": 111, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.6, + "vote_count": 2246, + "description": "As the west rapidly becomes civilized, a pair of outlaws in 1890s Wyoming find themselves pursued by a posse and decide to flee to South America in hopes of evading the law.", + "poster": "https://image.tmdb.org/t/p/w500/gFmmykF1Ym3OGzENo50nZQaD1dx.jpg", + "url": "https://www.themoviedb.org/movie/642", + "genres": [ + "Western", + "Adventure", + "Crime", + "Drama", + "History" + ], + "tags": [ + "dynamite", + "bolivia", + "male friendship", + "on the run", + "shootout", + "buddy", + "sundance kid", + "butch cassidy", + "train robbery", + "posse", + "last stand", + "escape plan", + "western bandits", + "preserved film", + "comforting", + "excited" + ] + }, + { + "ranking": 1016, + "title": "The Greatest Beer Run Ever", + "year": "2022", + "runtime": 126, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.6, + "vote_count": 783, + "description": "Chickie wants to support his friends fighting in Vietnam, so he does something wild—personally bring them American beer. What starts as a well-meaning journey quickly changes Chickie’s life and perspective. Based on a true story.", + "poster": "https://image.tmdb.org/t/p/w500/ggf37TpcKaxwguhvtNn6MQpyqBn.jpg", + "url": "https://www.themoviedb.org/movie/597922", + "genres": [ + "Drama", + "Comedy", + "War" + ], + "tags": [ + "vietnam war", + "based on novel or book", + "war correspondent", + "beer", + "based on true story", + "aftercreditsstinger", + "1960s" + ] + }, + { + "ranking": 1020, + "title": "Sleepers", + "year": "1996", + "runtime": 147, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.6, + "vote_count": 3608, + "description": "Two gangsters seek revenge on the state jail worker who during their stay at a youth prison sexually abused them. A sensational court hearing takes place to charge him for the crimes.", + "poster": "https://image.tmdb.org/t/p/w500/yUpiEk2EojS9ZEXb3nIQonQCYYF.jpg", + "url": "https://www.themoviedb.org/movie/819", + "genres": [ + "Crime", + "Drama", + "Thriller" + ], + "tags": [ + "child abuse", + "sexual abuse", + "court case", + "court", + "repayment", + "sadistic", + "pastor", + "juvenile prison", + "juvenile delinquent", + "child" + ] + }, + { + "ranking": 1001, + "title": "Dave Chappelle: Sticks & Stones", + "year": "2019", + "runtime": 65, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.606, + "vote_count": 324, + "description": "Dave Chappelle takes on gun culture, the opioid crisis and the tidal wave of celebrity scandals in this defiant stand-up special.", + "poster": "https://image.tmdb.org/t/p/w500/hsyPTPoFDhUw5aGcj7dxAx3i1Qp.jpg", + "url": "https://www.themoviedb.org/movie/624932", + "genres": [ + "Comedy" + ], + "tags": [ + "comedian", + "stand-up comedy", + "stand-up" + ] + }, + { + "ranking": 1002, + "title": "Avatar: The Way of Water", + "year": "2022", + "runtime": 192, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.606, + "vote_count": 12407, + "description": "Set more than a decade after the events of the first film, learn the story of the Sully family (Jake, Neytiri, and their kids), the trouble that follows them, the lengths they go to keep each other safe, the battles they fight to stay alive, and the tragedies they endure.", + "poster": "https://image.tmdb.org/t/p/w500/t6HIqrRAclMCA60NsSmeqe9RmNV.jpg", + "url": "https://www.themoviedb.org/movie/76600", + "genres": [ + "Science Fiction", + "Adventure", + "Action" + ], + "tags": [ + "dying and death", + "loss of loved one", + "alien life-form", + "resurrection", + "dysfunctional family", + "sequel", + "alien planet", + "distant future", + "adopted child", + "rebirth", + "family dynamics", + "adopted son", + "stronger villain", + "war" + ] + }, + { + "ranking": 1011, + "title": "JFK", + "year": "1991", + "runtime": 188, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.603, + "vote_count": 2173, + "description": "Follows the investigation into the assassination of President John F. Kennedy led by New Orleans district attorney Jim Garrison.", + "poster": "https://image.tmdb.org/t/p/w500/r0VWVTYlqdRCK5ZoOdNnHdqM2gt.jpg", + "url": "https://www.themoviedb.org/movie/820", + "genres": [ + "Drama", + "Thriller", + "History" + ], + "tags": [ + "vietnam war", + "central intelligence agency (cia)", + "assassination", + "usa president", + "government", + "politics", + "homophobia", + "texas", + "new orleans, louisiana", + "investigation", + "john f. kennedy", + "historical figure", + "president", + "conspiracy", + "district attorney", + "death", + "john f. kennedy assassination", + "taunting", + "assassination of president", + "speculative", + "usa history", + "shocking", + "1960s", + "somber", + "courtroom drama", + "suspicious", + "legal thriller", + "jacqueline kennedy", + "america", + "ambiguous", + "antagonistic", + "defiant" + ] + }, + { + "ranking": 1019, + "title": "10 Things I Hate About You", + "year": "1999", + "runtime": 97, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.6, + "vote_count": 8295, + "description": "On the first day at his new school, Cameron instantly falls for Bianca, the gorgeous girl of his dreams. The only problem is that Bianca is forbidden to date until her ill-tempered, completely un-dateable older sister Kat goes out, too. In an attempt to solve his problem, Cameron singles out the only guy who could possibly be a match for Kat: a mysterious bad boy with a nasty reputation of his own.", + "poster": "https://image.tmdb.org/t/p/w500/ujERk3aKABXU3NDXOAxEQYTHe9A.jpg", + "url": "https://www.themoviedb.org/movie/4951", + "genres": [ + "Comedy", + "Romance", + "Drama" + ], + "tags": [ + "high school", + "deception", + "based on play or musical", + "coming of age", + "teen movie", + "shrew", + "valentine's day", + "shakespeare in modern dress", + "opposites attract", + "duringcreditsstinger", + "teenage romance", + "overprotective father", + "romantic" + ] + }, + { + "ranking": 1009, + "title": "Paul, Apostle of Christ", + "year": "2018", + "runtime": 108, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.603, + "vote_count": 364, + "description": "Risking his life, Luke ventures to Rome to visit Paul -- the apostle who's bound in chains and held captive in Nero's darkest and bleakest prison cell. Haunted by the shadows of his past misdeeds, Paul wonders if he's been forgotten as he awaits his grisly execution. Before Paul's death, Luke resolves to write another book that details the birth of what will come to be known as the church.", + "poster": "https://image.tmdb.org/t/p/w500/2NUXG94dGMKYgJL1BkJGKynMb3l.jpg", + "url": "https://www.themoviedb.org/movie/476968", + "genres": [ + "Drama" + ], + "tags": [ + "prison", + "roman empire", + "christianity", + "apostle", + "bible", + "burned alive", + "nero", + "1st century", + "christian film", + "antiquity", + "christian faith" + ] + }, + { + "ranking": 1013, + "title": "Out of the Past", + "year": "1947", + "runtime": 97, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.6, + "vote_count": 599, + "description": "Jeff Bailey seems to be a mundane gas station owner in remote Bridgeport, California. He is dating local girl Ann Miller and lives a quiet life. But Jeff has a secret past, and when a mysterious stranger arrives in town, Jeff is forced to return to the dark world he had tried to escape.", + "poster": "https://image.tmdb.org/t/p/w500/lnUK6Cg5ARM0qaq0B5SG20VAM0h.jpg", + "url": "https://www.themoviedb.org/movie/678", + "genres": [ + "Crime", + "Thriller", + "Mystery" + ], + "tags": [ + "small town", + "gas station", + "suppressed past", + "gangster", + "detective", + "deaf-mute", + "briefcase", + "deception", + "femme fatale", + "partner", + "film noir", + "black and white", + "double cross", + "tax evasion", + "framed for murder" + ] + }, + { + "ranking": 1012, + "title": "Stand and Deliver", + "year": "1988", + "runtime": 103, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.6, + "vote_count": 392, + "description": "Jaime Escalante is a mathematics teacher in a school in a hispanic neighbourhood. Convinced that his students have potential, he adopts unconventional teaching methods to try and turn gang members and no-hopers into some of the country's top algebra and calculus students.", + "poster": "https://image.tmdb.org/t/p/w500/A9pfzwk02iNl6i9wyk8lNcBkvc.jpg", + "url": "https://www.themoviedb.org/movie/29154", + "genres": [ + "Drama" + ], + "tags": [ + "mathematics", + "education", + "based on true story", + "teacher", + "drop-out", + "high school teacher", + "mexican american" + ] + }, + { + "ranking": 1007, + "title": "Seven Pounds", + "year": "2008", + "runtime": 123, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.604, + "vote_count": 6852, + "description": "An IRS agent with a fateful secret embarks on an extraordinary journey of redemption by forever changing the lives of seven strangers.", + "poster": "https://image.tmdb.org/t/p/w500/85zUipgVy2QbvAJ6djZXYaGckMv.jpg", + "url": "https://www.themoviedb.org/movie/11321", + "genres": [ + "Drama" + ], + "tags": [ + "sadness", + "vegetarian", + "tax collector", + "blind", + "pianist", + "organ transplant", + "blood type", + "sad story", + "admiring", + "surprise-ending" + ] + }, + { + "ranking": 1014, + "title": "Arthur the King", + "year": "2024", + "runtime": 107, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.601, + "vote_count": 762, + "description": "Over the course of ten days and 435 miles, an unbreakable bond is forged between pro adventure racer Michael Light and a scrappy street dog companion dubbed Arthur. As the team is pushed to their outer limits of endurance in the race, Arthur redefines what victory, loyalty and friendship truly mean.", + "poster": "https://image.tmdb.org/t/p/w500/zkKB3kOun5DKAkm61pHvLbrjxfa.jpg", + "url": "https://www.themoviedb.org/movie/618588", + "genres": [ + "Adventure", + "Drama" + ], + "tags": [ + "sweden", + "based on true story", + "lost dog", + "dog rescue", + "tense", + "powerful", + "dog adventure" + ] + }, + { + "ranking": 1018, + "title": "Evangelion: 1.0 You Are (Not) Alone", + "year": "2007", + "runtime": 98, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.6, + "vote_count": 982, + "description": "After the Second Impact, Tokyo-3 is being attacked by giant monsters called Angels that seek to eradicate humankind. The child Shinji’s objective is to fight the Angels by piloting one of the mysterious Evangelion mecha units. A remake of the first six episodes of GAINAX’s famous 1996 anime series. The film was retitled “Evangelion: 1.01” for its DVD release and “Evangelion: 1.11” for a release with additional scenes.", + "poster": "https://image.tmdb.org/t/p/w500/pETU4GurpeEjBOM8oytMH0yNBHx.jpg", + "url": "https://www.themoviedb.org/movie/15137", + "genres": [ + "Animation", + "Science Fiction", + "Action", + "Drama" + ], + "tags": [ + "parent child relationship", + "dystopia", + "post-apocalyptic future", + "remake", + "mecha", + "giant robot", + "alien invasion", + "military", + "anime", + "father son conflict", + "based on tv series", + "suspense" + ] + }, + { + "ranking": 1004, + "title": "Giant", + "year": "1956", + "runtime": 201, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.6, + "vote_count": 703, + "description": "Wealthy rancher Bick Benedict and dirt-poor cowboy Jett Rink both woo Leslie Lynnton, a beautiful young woman from Maryland who is new to Texas. She marries Benedict, but she is shocked by the racial bigotry of the White Texans against the local people of Mexican descent. Rink discovers oil on a small plot of land, and while he uses his vast, new wealth to buy all the land surrounding the Benedict ranch, the Benedict's disagreement over prejudice fuels conflict that runs across generations.", + "poster": "https://image.tmdb.org/t/p/w500/oQ1Arue52pFLSvvwfcNTy16hTCG.jpg", + "url": "https://www.themoviedb.org/movie/1712", + "genres": [ + "Drama", + "Western" + ], + "tags": [ + "hotel", + "petrol", + "jealousy", + "judge", + "funeral", + "texas", + "wine cellar", + "ranch", + "senator", + "restaurant", + "sexism", + "rags to riches", + "beef", + "tycoon", + "maryland", + "barbecue (bbq)", + "birthday party", + "turkey", + "pony", + "riding class", + "hunting" + ] + }, + { + "ranking": 1015, + "title": "Twelve Monkeys", + "year": "1995", + "runtime": 129, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.601, + "vote_count": 8515, + "description": "In the year 2035, convict James Cole reluctantly volunteers to be sent back in time to discover the origin of a deadly virus that wiped out nearly all of the earth's population and forced the survivors into underground communities. But when Cole is mistakenly sent to 1990 instead of 1996, he's arrested and locked up in a mental hospital. There he meets psychiatrist Dr. Kathryn Railly and the son of a famous virus expert who may hold the key to the Army of the 12 Monkeys; thought to be responsible for unleashing the killer disease.", + "poster": "https://image.tmdb.org/t/p/w500/gt3iyguaCIw8DpQZI1LIN5TohM2.jpg", + "url": "https://www.themoviedb.org/movie/63", + "genres": [ + "Science Fiction", + "Thriller", + "Mystery" + ], + "tags": [ + "biological weapon", + "philadelphia, pennsylvania", + "schizophrenia", + "stockholm syndrome", + "airplane", + "world war i", + "underground", + "insanity", + "asylum", + "paranoia", + "prison cell", + "dystopia", + "pimp", + "lion", + "post-apocalyptic future", + "time travel", + "florida keys", + "mental breakdown", + "melancholy", + "past", + "dormitory", + "insane asylum", + "cockroach", + "volunteer", + "drug use", + "flashback", + "remake", + "psychiatric hospital", + "jail", + "mental institution", + "alternate history", + "disease", + "lethal virus", + "paradox", + "psychiatrist", + "monkey", + "epidemic", + "trapped", + "falling down stairs", + "street life", + "nonlinear timeline", + "medical research", + "tooth", + "pantyhose", + "gas mask", + "psychosis", + "child's point of view", + "subterranean", + "virus", + "mysterious", + "recurring dream", + "1990s", + "reflective", + "escaped animal", + "future noir", + "2030s", + "inspirational", + "suspenseful", + "critical", + "intense", + "complicated", + "ominous" + ] + }, + { + "ranking": 1010, + "title": "The Raid 2", + "year": "2014", + "runtime": 150, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.6, + "vote_count": 2385, + "description": "After fighting his way through an apartment building populated by an army of dangerous criminals and escaping with his life, SWAT team member Rama goes undercover, joining a powerful Indonesian crime syndicate to protect his family and uncover corrupt members of his own force.", + "poster": "https://image.tmdb.org/t/p/w500/mlGuKlIDLdPhYjz1QBXi0FmyYik.jpg", + "url": "https://www.themoviedb.org/movie/180299", + "genres": [ + "Action", + "Crime", + "Thriller" + ], + "tags": [ + "prison", + "martial arts", + "police", + "undercover", + "fight", + "gangster", + "gore", + "mafia", + "combat", + "crime family", + "silat", + "outnumbered", + "awestruck", + "indonesian action", + "mafia family" + ] + }, + { + "ranking": 1017, + "title": "Forever My Girl", + "year": "2018", + "runtime": 104, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.6, + "vote_count": 1243, + "description": "After being gone for a decade, a country star returns home to the love he left behind.", + "poster": "https://image.tmdb.org/t/p/w500/bKqdggnIPeOI15VqtBZTkvh4hA9.jpg", + "url": "https://www.themoviedb.org/movie/417261", + "genres": [ + "Romance", + "Drama" + ], + "tags": [ + "country music", + "new orleans, louisiana", + "guitar player", + "second chance", + "hometown", + "death of mother", + "death of best friend", + "coping mechanisms", + "father daughter relationship", + "avoidant", + "loss and grief" + ] + }, + { + "ranking": 1022, + "title": "Who Am I", + "year": "2014", + "runtime": 105, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.599, + "vote_count": 1572, + "description": "Benjamin, a young German computer whiz, is invited to join a subversive hacker group that wants to be noticed on the world's stage.", + "poster": "https://image.tmdb.org/t/p/w500/oR3tbNzJMJmCKS5O5fanU9yxIOk.jpg", + "url": "https://www.themoviedb.org/movie/284427", + "genres": [ + "Thriller" + ], + "tags": [ + "berlin, germany", + "computer", + "hacker", + "bka", + "bnd" + ] + }, + { + "ranking": 1027, + "title": "Toy Story 2", + "year": "1999", + "runtime": 92, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.597, + "vote_count": 14069, + "description": "Andy heads off to Cowboy Camp, leaving his toys to their own devices. Things shift into high gear when an obsessive toy collector named Al McWhiggen, owner of Al's Toy Barn kidnaps Woody. Andy's toys mount a daring rescue mission, Buzz Lightyear meets his match and Woody has to decide where he and his heart truly belong.", + "poster": "https://image.tmdb.org/t/p/w500/yFWQkz2ynjwsazT6xQiIXEUsyuh.jpg", + "url": "https://www.themoviedb.org/movie/863", + "genres": [ + "Animation", + "Comedy", + "Family" + ], + "tags": [ + "friendship", + "airplane", + "museum", + "prosecution", + "identity crisis", + "villain", + "flea market", + "collector", + "sequel", + "buddy", + "rescue team", + "prospector", + "garage sale", + "duringcreditsstinger", + "toy comes to life", + "personification", + "inanimate objects come to life" + ] + }, + { + "ranking": 1021, + "title": "The Wild Bunch", + "year": "1969", + "runtime": 145, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.6, + "vote_count": 1221, + "description": "An aging group of outlaws look for one last big score as the \"traditional\" American West is disappearing around them.", + "poster": "https://image.tmdb.org/t/p/w500/8j9yEC3xjy1PJDSizIbaxcHaSph.jpg", + "url": "https://www.themoviedb.org/movie/576", + "genres": [ + "Western" + ], + "tags": [ + "underdog", + "friendship", + "bounty hunter", + "robbery", + "texas", + "mexican revolution", + "honor", + "gang", + "shootout", + "soldier", + "steam locomotive", + "righteous rage" + ] + }, + { + "ranking": 1035, + "title": "Carandiru", + "year": "2003", + "runtime": 145, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.587, + "vote_count": 554, + "description": "When a doctor decides to carry out an AIDS prevention program inside Latin America’s largest prison: the Casa de Detenção de São Paulo - Carandiru, he meets the future victims of one of the darkest days in Brazilian History when the State of São Paulo’s Military Police, with the excuse for law enforcement, shot to death 111 people. Based on real facts and on the book written by Dráuzio Varella.", + "poster": "https://image.tmdb.org/t/p/w500/kKAgIMwQWQ6u4s0c56XKSDX3vAs.jpg", + "url": "https://www.themoviedb.org/movie/8440", + "genres": [ + "Drama" + ], + "tags": [ + "prison", + "police brutality", + "attempted murder", + "carandiru massacre", + "sao paulo, brazil", + "doctor" + ] + }, + { + "ranking": 1024, + "title": "Dragon Ball Z: The History of Trunks", + "year": "1993", + "runtime": 48, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.6, + "vote_count": 545, + "description": "It has been thirteen years since the Androids began their killing rampage and Son Gohan is the only person fighting back. He takes Bulma's son Trunks as a student and even gives his own life to save Trunks's. Now Trunks must figure out a way to change this apocalyptic future", + "poster": "https://image.tmdb.org/t/p/w500/AfUkiiR0UKeiPXPgTx9bRO4snTB.jpg", + "url": "https://www.themoviedb.org/movie/39324", + "genres": [ + "Animation", + "Action", + "Science Fiction" + ], + "tags": [ + "android", + "dystopia", + "time travel", + "based on manga", + "genocide", + "teacher student relationship", + "alternate timeline", + "shounen", + "anime", + "mother son relationship", + "synthetic android", + "tv special" + ] + }, + { + "ranking": 1032, + "title": "Billy Elliot", + "year": "2000", + "runtime": 110, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.595, + "vote_count": 3889, + "description": "County Durham, England, 1984. The miners' strike has started and the police have started coming up from Bethnal Green, starting a class war with the lower classes suffering. Caught in the middle of the conflict is 11-year old Billy Elliot, who, after leaving his boxing club for the day, stumbles upon a ballet class and finds out that he's naturally talented. He practices with his teacher Mrs. Wilkinson for an upcoming audition in Newcastle-upon Tyne for the royal Ballet school in London.", + "poster": "https://image.tmdb.org/t/p/w500/nOr5diUZxphmAD3li9aiILyI28F.jpg", + "url": "https://www.themoviedb.org/movie/71", + "genres": [ + "Drama", + "Comedy", + "Music" + ], + "tags": [ + "dancing", + "friendship", + "dreams", + "dancing class", + "northern england", + "workers' quarter", + "strike", + "small person", + "homophobia", + "hope", + "mentor", + "sadness", + "socialism", + "youngster", + "letter", + "ballet dancer", + "street riots", + "coming of age", + "ballet", + "young boy", + "cross dressing", + "crying", + "single father", + "audition", + "dance class", + "retrospective", + "lgbt", + "revolt", + "ballet school", + "emotional vulnerability", + "helping children", + "smart kid", + "street kid", + "dance teacher", + "1980s", + "miners strike", + "father son relationship", + "80s throwback", + "ballet dancing", + "gay theme", + "late 20th century", + "teen playing kid", + "ya", + "generational divide", + "celebratory" + ] + }, + { + "ranking": 1040, + "title": "A Short Film About Killing", + "year": "1988", + "runtime": 85, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.592, + "vote_count": 363, + "description": "Jacek climbs into the taxi driven by Waldemar, tells him to drive to a remote location, then brutally strangles him, seemingly without motive.", + "poster": "https://image.tmdb.org/t/p/w500/k7sk4yNdoXY7iwp1M9QTZuBDiJS.jpg", + "url": "https://www.themoviedb.org/movie/10754", + "genres": [ + "Crime", + "Drama" + ], + "tags": [ + "prison", + "court", + "taxi driver", + "murder", + "lawyer", + "warsaw, poland" + ] + }, + { + "ranking": 1033, + "title": "The Irishman", + "year": "2019", + "runtime": 209, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.6, + "vote_count": 6988, + "description": "Pennsylvania, 1956. Frank Sheeran, a war veteran of Irish origin who works as a truck driver, accidentally meets mobster Russell Bufalino. Once Frank becomes his trusted man, Bufalino sends him to Chicago with the task of helping Jimmy Hoffa, a powerful union leader related to organized crime, with whom Frank will maintain a close friendship for nearly twenty years.", + "poster": "https://image.tmdb.org/t/p/w500/mbm8k3GFhXS0ROd9AD1gqYbIFbM.jpg", + "url": "https://www.themoviedb.org/movie/398978", + "genres": [ + "Crime", + "Drama", + "History" + ], + "tags": [ + "chicago, illinois", + "philadelphia, pennsylvania", + "based on novel or book", + "hitman", + "war veteran", + "pennsylvania, usa", + "gangster", + "1970s", + "irish-american", + "male friendship", + "aging", + "family relationships", + "murder", + "organized crime", + "mafia", + "religion", + "detroit, michigan", + "sicilian mafia", + "nonlinear timeline", + "character study", + "labor union", + "1950s", + "1960s", + "mob family", + "jimmy hoffa", + "voiceover", + "father daughter relationship", + "criminal as protagonist", + "killer as protagonist" + ] + }, + { + "ranking": 1037, + "title": "Beasts of No Nation", + "year": "2015", + "runtime": 137, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.593, + "vote_count": 1759, + "description": "Based on the experiences of Agu, a child fighting in the civil war of an unnamed, fictional West African country. Follows Agu's journey as he's forced to join a group of soldiers. While he fears his commander and many of the men around him, his fledgling childhood has been brutally shattered by the war raging through his country, and he is at first torn between conflicting revulsion and fascination.", + "poster": "https://image.tmdb.org/t/p/w500/1D4vcJmJc58WXarpRtwgd2do9Rg.jpg", + "url": "https://www.themoviedb.org/movie/283587", + "genres": [ + "Drama", + "War" + ], + "tags": [ + "guerrilla warfare", + "civil war", + "based on novel or book", + "africa", + "refugee", + "machete", + "drug use", + "jungle", + "child soldier", + "west africa", + "children in wartime", + "brutal violence" + ] + }, + { + "ranking": 1030, + "title": "The Big Sleep", + "year": "1946", + "runtime": 114, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.6, + "vote_count": 1068, + "description": "Private Investigator Philip Marlowe is hired by wealthy General Sternwood regarding a matter involving his youngest daughter Carmen. Before the complex case is over, Marlowe sees murder, blackmail, deception, and what might be love.", + "poster": "https://image.tmdb.org/t/p/w500/lraHo9D8c0YWfxsKqT5P5sVqMKN.jpg", + "url": "https://www.themoviedb.org/movie/910", + "genres": [ + "Mystery", + "Crime", + "Thriller" + ], + "tags": [ + "based on novel or book", + "gambling", + "poison", + "blackmail", + "detective", + "drug addiction", + "sister", + "film noir", + "murder", + "private investigator", + "whodunit", + "los angeles, california", + "private detective", + "book store", + "missing person", + "prank telephone call", + "wealthy family" + ] + }, + { + "ranking": 1023, + "title": "The Fault in Our Stars", + "year": "2014", + "runtime": 126, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.599, + "vote_count": 11242, + "description": "Despite the tumor-shrinking medical miracle that has bought her a few years, Hazel has never been anything but terminal, her final chapter inscribed upon diagnosis. But when a patient named Augustus Waters suddenly appears at Cancer Kid Support Group, Hazel's story is about to be completely rewritten.", + "poster": "https://image.tmdb.org/t/p/w500/ep7dF4QR4Mm39LI958V0XbwE0hK.jpg", + "url": "https://www.themoviedb.org/movie/222935", + "genres": [ + "Romance", + "Drama" + ], + "tags": [ + "based on novel or book", + "support group", + "amsterdam, netherlands", + "cancer", + "valentine's day", + "star crossed lovers", + "teen drama", + "oxygen tank", + "based on young adult novel" + ] + }, + { + "ranking": 1029, + "title": "Encanto", + "year": "2021", + "runtime": 102, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.595, + "vote_count": 9661, + "description": "The tale of an extraordinary family, the Madrigals, who live hidden in the mountains of Colombia, in a magical house, in a vibrant town, in a wondrous, charmed place called an Encanto. The magic of the Encanto has blessed every child in the family—every child except one, Mirabel. But when she discovers that the magic surrounding the Encanto is in danger, Mirabel decides that she, the only ordinary Madrigal, might just be her exceptional family's last hope.", + "poster": "https://image.tmdb.org/t/p/w500/4j0PNHkMr5ax3IA8tjtxcmPU3QT.jpg", + "url": "https://www.themoviedb.org/movie/568124", + "genres": [ + "Animation", + "Comedy", + "Family", + "Fantasy" + ], + "tags": [ + "strong woman", + "magic", + "sadness", + "immigration", + "supernatural", + "beauty", + "musical", + "big family", + "forest", + "family secrets", + "family relationships", + "flamenco", + "joy of life", + "teenage girl", + "female protagonist", + "family conflict", + "helping children", + "matriarch", + "colombia" + ] + }, + { + "ranking": 1034, + "title": "A Prophet", + "year": "2009", + "runtime": 155, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.6, + "vote_count": 1570, + "description": "Sentenced to six years in prison, Malik El Djebena is alone in the world and can neither read nor write. On his arrival at the prison, he seems younger and more brittle than the others detained there. At once he falls under the sway of a group of Corsicans who enforce their rule in the prison. As the 'missions' go by, he toughens himself and wins the confidence of the Corsican group.", + "poster": "https://image.tmdb.org/t/p/w500/x9Jb8kewBHPzjTtgCQvoQoDsy4d.jpg", + "url": "https://www.themoviedb.org/movie/21575", + "genres": [ + "Crime", + "Drama" + ], + "tags": [ + "prison", + "muslim", + "gangster", + "arabian", + "protection", + "money", + "murder", + "mafia", + "spirit", + "cruelty", + "drugs", + "inmate", + "bribery", + "arab", + "corsican", + "french algerian", + "marseille", + "brutal violence" + ] + }, + { + "ranking": 1026, + "title": "Dolls", + "year": "2002", + "runtime": 114, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.6, + "vote_count": 330, + "description": "Dolls takes puppeteering as its overriding motif, which relates thematically to the action provided by the live characters. Chief among those tales is the story of Matsumoto and Sawako, a young couple whose relationship is about to be broken apart by the former's parents, who have insisted their son take part in an arranged marriage to his boss' daughter.", + "poster": "https://image.tmdb.org/t/p/w500/vQ9XBpH88jvO3hpHt9Zm5IHe5NP.jpg", + "url": "https://www.themoviedb.org/movie/870", + "genres": [ + "Drama", + "Romance" + ], + "tags": [ + "new love", + "japan", + "regret", + "broken engagement", + "pop star", + "suicide attempt", + "allegory", + "yakuza", + "bunraku", + "murder", + "multiple storylines", + "eternal love", + "long lost love" + ] + }, + { + "ranking": 1038, + "title": "Operation Y and Other Shurik's Adventures", + "year": "1965", + "runtime": 95, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.593, + "vote_count": 456, + "description": "The film consists of three independent parts: \"Workmate\", \"Déjà vu\" and \"Operation Y\". The plot follows the adventures of Shurik (alternative spelling — Shourick), the naive and nerdy Soviet student who often gets into ludicrous situations but always finds a way out very neatly. \"Operation Y and Shurik's Other Adventures\" was a hit movie and became the leader of Soviet film distribution in 1965.", + "poster": "https://image.tmdb.org/t/p/w500/di0OpDXkIj53Fv2wy6f5As8AbNA.jpg", + "url": "https://www.themoviedb.org/movie/20875", + "genres": [ + "Comedy" + ], + "tags": [ + "fight", + "exam", + "thief", + "1950s" + ] + }, + { + "ranking": 1025, + "title": "The Dirty Dozen", + "year": "1967", + "runtime": 149, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.597, + "vote_count": 1228, + "description": "12 American military prisoners in World War II are ordered to infiltrate a well-guarded enemy château and kill the Nazi officers vacationing there. The soldiers, most of whom are facing death sentences for a variety of violent crimes, agree to the mission and the possible commuting of their sentences.", + "poster": "https://image.tmdb.org/t/p/w500/tFWWsuhp22zJ6OG6QepJIiPUfeF.jpg", + "url": "https://www.themoviedb.org/movie/1654", + "genres": [ + "Action", + "Adventure", + "War" + ], + "tags": [ + "mission", + "based on novel or book", + "nazi", + "secret mission", + "world war ii", + "castle", + "hand grenade", + "training", + "us army", + "fistfight", + "shootout", + "suicide mission", + "soldier", + "explosion", + "commando", + "behind enemy lines", + "military police" + ] + }, + { + "ranking": 1028, + "title": "I Still Believe", + "year": "2020", + "runtime": 115, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.595, + "vote_count": 1174, + "description": "The true-life story of Christian music star Jeremy Camp and his journey of love and loss that looks to prove there is always hope.", + "poster": "https://image.tmdb.org/t/p/w500/dqA2FCzz4OMmXLitKopzf476RVB.jpg", + "url": "https://www.themoviedb.org/movie/585244", + "genres": [ + "Music", + "Drama", + "Romance" + ], + "tags": [ + "biography", + "romance", + "christian film" + ] + }, + { + "ranking": 1039, + "title": "In a Lonely Place", + "year": "1950", + "runtime": 94, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.593, + "vote_count": 599, + "description": "A screenwriter with a violent temper is a murder suspect until his lovely neighbor clears him. However, she soon starts to have her doubts.", + "poster": "https://image.tmdb.org/t/p/w500/vdlCUR7hu7BI8JRl46n66PiG17k.jpg", + "url": "https://www.themoviedb.org/movie/17057", + "genres": [ + "Drama", + "Romance", + "Mystery", + "Crime" + ], + "tags": [ + "beach", + "screenwriter", + "assault", + "film noir", + "murder", + "hollywood", + "fear", + "agent", + "murder investigation", + "reckless driving", + "hopeless", + "murder suspect", + "moody", + "possessive man", + "disenchantment", + "insecure woman", + "volatility" + ] + }, + { + "ranking": 1036, + "title": "Thelma & Louise", + "year": "1991", + "runtime": 130, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.6, + "vote_count": 3537, + "description": "Taking a break from their dreary lives, close friends Thelma and Louise embark on a short weekend trip that ends in unforeseen incriminating circumstances. As fugitives, both women rediscover the strength of their bond and their newfound resilience.", + "poster": "https://image.tmdb.org/t/p/w500/vbRAGLzbC75QfiKD1lKjmnQGuph.jpg", + "url": "https://www.themoviedb.org/movie/1541", + "genres": [ + "Drama", + "Thriller", + "Crime", + "Adventure" + ], + "tags": [ + "robbery", + "waitress", + "southern usa", + "self-defense", + "highway", + "housewife", + "female friendship", + "arkansas", + "grand canyon", + "road trip", + "thief", + "sexual harassment", + "murder", + "betrayal", + "on the run", + "hitchhiker", + "buddy", + "desert", + "attempted rape", + "wiretapping", + "neo-western", + "sexual assault", + "roadtrip", + "inspirational", + "female protagonists", + "intense", + "defiant" + ] + }, + { + "ranking": 1031, + "title": "King Kong", + "year": "1933", + "runtime": 104, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.595, + "vote_count": 1505, + "description": "Adventurous filmmaker Carl Denham sets out to produce a motion picture unlike anything the world has seen before. Alongside his leading lady Ann Darrow and his first mate Jack Driscoll, they arrive on an island and discover a legendary creature said to be neither beast nor man. Denham captures the monster to be displayed on Broadway as King Kong, the eighth wonder of the world.", + "poster": "https://image.tmdb.org/t/p/w500/lHlnxKL5GbgRibyRFI7n1Ey850i.jpg", + "url": "https://www.themoviedb.org/movie/244", + "genres": [ + "Adventure", + "Fantasy", + "Horror" + ], + "tags": [ + "new york city", + "ship", + "exotic island", + "island", + "unsociability", + "screenplay", + "movie business", + "great depression", + "dinosaur", + "black and white", + "pre-code", + "sea voyage", + "damsel in distress", + "empire state building", + "giant ape", + "animal horror", + "great ape", + "king kong" + ] + }, + { + "ranking": 1043, + "title": "The Wizard of Oz", + "year": "1939", + "runtime": 102, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.6, + "vote_count": 5708, + "description": "Young Dorothy finds herself in a magical world where she makes friends with a lion, a scarecrow and a tin man as they make their way along the yellow brick road to talk with the Wizard and ask for the things they miss most in their lives. The Wicked Witch of the West is the only thing that could stop them.", + "poster": "https://image.tmdb.org/t/p/w500/pfAZFD7I2hxW9HCChTuAzsdE6UX.jpg", + "url": "https://www.themoviedb.org/movie/630", + "genres": [ + "Adventure", + "Fantasy", + "Family" + ], + "tags": [ + "witch", + "adolescence", + "dreams", + "based on novel or book", + "secret identity", + "lion", + "tornado", + "twister", + "scarecrow", + "villain", + "musical", + "kansas, usa", + "imaginary land", + "cowardliness", + "monkey", + "female villain", + "fantasy world", + "wizard", + "sepia color", + "hourglass", + "christmas", + "red shoes", + "based on young adult novel", + "tin man", + "playful", + "grand", + "admiring", + "adoring", + "bold", + "cheerful", + "comforting", + "compassionate", + "exuberant", + "joyful", + "powerful" + ] + }, + { + "ranking": 1045, + "title": "American Gangster", + "year": "2007", + "runtime": 157, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.6, + "vote_count": 5567, + "description": "Following the death of his employer and mentor, Bumpy Johnson, Frank Lucas establishes himself as the number one importer of heroin in the Harlem district of Manhattan. He does so by buying heroin directly from the source in South East Asia and he comes up with a unique way of importing the drugs into the United States. Partly based on a true story.", + "poster": "https://image.tmdb.org/t/p/w500/8sV6nWuKczuXRt0C6EWoXqJAj6G.jpg", + "url": "https://www.themoviedb.org/movie/4982", + "genres": [ + "Drama", + "Crime" + ], + "tags": [ + "new york city", + "vietnam", + "drug smuggling", + "society", + "gangster", + "drug trafficking", + "heroin", + "junkie", + "ghetto", + "nightclub", + "ambition", + "rise and fall", + "cop", + "organized crime", + "drug dealing", + "police corruption", + "wedding", + "police detective", + "family", + "surveillance", + "bribery", + "law enforcement", + "aftercreditsstinger", + "dishonesty", + "1960s", + "provocative", + "factual", + "violence", + "suspenseful", + "intense", + "brisk" + ] + }, + { + "ranking": 1051, + "title": "Manon of the Spring", + "year": "1986", + "runtime": 113, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.6, + "vote_count": 521, + "description": "In this, the sequel to Jean de Florette, Manon has grown into a beautiful young shepherdess living in the idyllic Provencal countryside. She plots vengeance on the men who greedily conspired to acquire her father's land years earlier.", + "poster": "https://image.tmdb.org/t/p/w500/1qpu6Zc1PSDL3UbDNIZJ6YuhJDW.jpg", + "url": "https://www.themoviedb.org/movie/4481", + "genres": [ + "Drama" + ], + "tags": [ + "france", + "based on novel or book", + "loss of loved one", + "provence", + "source", + "sequel", + "revenge" + ] + }, + { + "ranking": 1047, + "title": "Mortal Kombat Legends: Battle of the Realms", + "year": "2021", + "runtime": 80, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.6, + "vote_count": 446, + "description": "The Earthrealm heroes must journey to the Outworld and fight for the survival of their homeland, invaded by the forces of evil warlord Shao Kahn, in the tournament to end all tournaments: the final Mortal Kombat.", + "poster": "https://image.tmdb.org/t/p/w500/ablrE8IbWcIrAxMmm4gnPn75AMS.jpg", + "url": "https://www.themoviedb.org/movie/841755", + "genres": [ + "Animation", + "Action", + "Fantasy" + ], + "tags": [ + "chosen one", + "based on video game", + "martial arts tournament", + "adult animation", + "extreme blood" + ] + }, + { + "ranking": 1052, + "title": "Ride Your Wave", + "year": "2019", + "runtime": 94, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.588, + "vote_count": 337, + "description": "Hinako is a surf-loving college student who has just moved to a small seaside town. When a sudden fire breaks out at her apartment building, she is rescued by Minato, a handsome firefighter, and the two soon fall in love.", + "poster": "https://image.tmdb.org/t/p/w500/byoY2stdullEcVjlaWs1ENXyrDm.jpg", + "url": "https://www.themoviedb.org/movie/530079", + "genres": [ + "Animation", + "Romance", + "Comedy", + "Drama", + "Fantasy" + ], + "tags": [ + "surfing", + "beach", + "afterlife", + "coming of age", + "slice of life", + "tragedy", + "accidental death", + "firefighter", + "shoujo", + "anime" + ] + }, + { + "ranking": 1055, + "title": "Courageous", + "year": "2011", + "runtime": 129, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.6, + "vote_count": 375, + "description": "Law enforcement officers Adam Mitchell, Nathan Hayes, and their partners stand up to the worst the streets have to offer with confidence and focus. Yet at the end of the day, they face a challenge that none of them are truly prepared to tackle: fatherhood. They know that God desires to turn the hearts of fathers to their children, but their children are beginning to drift further and further away from them. When tragedy hits home, these men are left wrestling with their hopes, their fears, their faith, and their fathering. Can a newfound urgency help these dads draw closer to God... and to their children?", + "poster": "https://image.tmdb.org/t/p/w500/hVRkbZRCoHtnfi0V9GFZ3uXjCNp.jpg", + "url": "https://www.themoviedb.org/movie/72213", + "genres": [ + "Drama" + ], + "tags": [ + "husband wife relationship", + "police", + "funeral", + "faith", + "prayer", + "christianity", + "pastor", + "father", + "family relationships", + "grief", + "gang", + "church", + "police officer", + "responsibility", + "fatherhood", + "death of daughter", + "integrity", + "resolution", + "father daughter relationship", + "death of a child", + "christian film", + "christian" + ] + }, + { + "ranking": 1042, + "title": "Changeling", + "year": "2008", + "runtime": 141, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.591, + "vote_count": 4220, + "description": "Los Angeles, 1928. When single mother Christine Collins leaves for work, her son vanishes without a trace. Five months later, the police reunite mother and son. But when Christine suspects that the boy returned to her isn't her child, her quest for truth exposes a world of corruption.", + "poster": "https://image.tmdb.org/t/p/w500/iECXjFF8JkTnNJvik14WbPpc9s9.jpg", + "url": "https://www.themoviedb.org/movie/3580", + "genres": [ + "Crime", + "Drama", + "Mystery" + ], + "tags": [ + "biography", + "based on true story", + "clergyman", + "child in peril", + "police corruption", + "los angeles, california", + "single mother", + "street urchin", + "missing child", + "mental asylum", + "mental hospital", + "shock treatment", + "1920s", + "missing son", + "mother son relationship", + "desperate woman", + "disbelieving cop", + "child abduction", + "telephone switchboard operator", + "female hysteria", + "police coverup", + "apathetic" + ] + }, + { + "ranking": 1046, + "title": "The Curious Case of Benjamin Button", + "year": "2008", + "runtime": 166, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.59, + "vote_count": 12995, + "description": "Born under unusual circumstances, Benjamin Button springs into being as an elderly man in a New Orleans nursing home and ages in reverse. Twelve years after his birth, he meets Daisy, a child who flits in and out of his life as she grows up to be a dancer. Though he has all sorts of unusual adventures over the course of his life, it is his relationship with Daisy, and the hope that they will come together at the right time, that drives Benjamin forward.", + "poster": "https://image.tmdb.org/t/p/w500/26wEWZYt6yJkwRVkjcbwJEFh9IS.jpg", + "url": "https://www.themoviedb.org/movie/4922", + "genres": [ + "Drama", + "Fantasy", + "Romance" + ], + "tags": [ + "new york city", + "navy", + "funeral", + "diary", + "tea", + "travel", + "hospital", + "historical fiction", + "period drama", + "magic realism", + "based on short story", + "fictional biography", + "reverse aging", + "introspective", + "serene", + "intense" + ] + }, + { + "ranking": 1044, + "title": "Tombstone", + "year": "1993", + "runtime": 130, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.59, + "vote_count": 2185, + "description": "Legendary marshal Wyatt Earp, now a weary gunfighter, joins his brothers Morgan and Virgil to pursue their collective fortune in the thriving mining town of Tombstone. But Earp is forced to don a badge again and get help from his notorious pal Doc Holliday when a gang of renegade brigands and rustlers begins terrorizing the town.", + "poster": "https://image.tmdb.org/t/p/w500/f6Lb4bpUW2AJW42Hpnix2533RKU.jpg", + "url": "https://www.themoviedb.org/movie/11969", + "genres": [ + "Western", + "Action" + ], + "tags": [ + "right and justice", + "saloon", + "arizona", + "retirement", + "historical figure", + "wyatt earp", + "doc holliday", + "gambler", + "tuberculosis", + "gunfighter", + "tombstone arizona", + "19th century", + "ok corral" + ] + }, + { + "ranking": 1050, + "title": "The Fall", + "year": "2006", + "runtime": 119, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.6, + "vote_count": 1347, + "description": "In a hospital on the outskirts of 1920s Los Angeles, an injured stuntman begins to tell a fellow patient, a little girl with a broken arm, a fantastic story about 5 mythical heroes. Thanks to his fractured state of mind and her vivid imagination, the line between fiction and reality starts to blur as the tale advances.", + "poster": "https://image.tmdb.org/t/p/w500/g3RKh7Gp2lDUnXQ0ZXq7xpdwA9e.jpg", + "url": "https://www.themoviedb.org/movie/14784", + "genres": [ + "Adventure", + "Fantasy", + "Drama" + ], + "tags": [ + "suicide attempt", + "stuntman", + "remake", + "morphine", + "hospital", + "patient", + "bandit", + "filmmaking", + "storytelling", + "1920s", + "old hollywood", + "hopeful" + ] + }, + { + "ranking": 1041, + "title": "Wallace & Gromit: Vengeance Most Fowl", + "year": "2024", + "runtime": 79, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.6, + "vote_count": 446, + "description": "Gromit’s concern that Wallace is becoming too dependent on his inventions proves justified, when Wallace invents a “smart” gnome that seems to develop a mind of its own. When it emerges that a vengeful figure from the past might be masterminding things, it falls to Gromit to battle sinister forces and save his master… or Wallace may never be able to invent again!", + "poster": "https://image.tmdb.org/t/p/w500/6BxK38ehxuX2dJmZIMpJcVNbYks.jpg", + "url": "https://www.themoviedb.org/movie/929204", + "genres": [ + "Animation", + "Comedy", + "Family", + "Adventure" + ], + "tags": [ + "inventor", + "human animal relationship", + "penguin", + "anthropomorphism", + "revenge", + "stop motion", + "robot", + "dog", + "jewel heist", + "gnome" + ] + }, + { + "ranking": 1058, + "title": "They Shoot Horses, Don't They?", + "year": "1969", + "runtime": 120, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.6, + "vote_count": 325, + "description": "In the midst of the Great Depression, manipulative emcee Rocky enlists contestants for a dance marathon offering a $1,500 cash prize. Among them are a failed actress, a middle-aged sailor, a delusional blonde and a pregnant girl.", + "poster": "https://image.tmdb.org/t/p/w500/7wVLBgriOQpT5RrufAFCdCSUp7M.jpg", + "url": "https://www.themoviedb.org/movie/28145", + "genres": [ + "Drama" + ], + "tags": [ + "dancing", + "based on novel or book", + "dance competition", + "boardwalk", + "marathon", + "pregnant woman", + "endurance", + "depression era", + "prize money", + "dance contest", + "contests and competitions", + "ballroom", + "assisted suicide", + "santa monica, california", + "depressed woman", + "survival competition", + "bleak", + "emcee", + "period film", + "desperate woman", + "suicide by gun", + "crazy competition", + "gun death", + "physical competition", + "santa monica pier", + "dance marathon" + ] + }, + { + "ranking": 1053, + "title": "The Killer", + "year": "1989", + "runtime": 110, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.6, + "vote_count": 812, + "description": "Mob assassin Jeffrey is no ordinary hired gun; the best in his business, he views his chosen profession as a calling rather than simply a job. So, when beautiful nightclub chanteuse Jennie is blinded in the crossfire of his most recent hit, Jeffrey chooses to retire after one last job to pay for his unintended victim's sight-restoring operation. But when Jeffrey is double-crossed, he reluctantly joins forces with a rogue policeman to make things right.", + "poster": "https://image.tmdb.org/t/p/w500/8hTxlSqMAHBXAh1eB69ir0BXhzE.jpg", + "url": "https://www.themoviedb.org/movie/10835", + "genres": [ + "Action", + "Crime", + "Drama", + "Thriller" + ], + "tags": [ + "blindness and impaired vision", + "police", + "hitman", + "hong kong", + "heroic bloodshed" + ] + }, + { + "ranking": 1059, + "title": "Gladiator", + "year": "1992", + "runtime": 101, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.6, + "vote_count": 361, + "description": "Tommy Riley has moved with his dad to Chicago from a 'nice place'. He keeps to himself, goes to school. However, after a street fight he is noticed and quickly falls into the world of illegal underground boxing - where punches can kill.", + "poster": "https://image.tmdb.org/t/p/w500/w0YjBWVfu689txEXZG3xa4Aev3i.jpg", + "url": "https://www.themoviedb.org/movie/16219", + "genres": [ + "Action", + "Drama" + ], + "tags": [ + "chicago, illinois", + "sports", + "boxer", + "fistfight", + "tournament", + "racial tension", + "boxing" + ] + }, + { + "ranking": 1056, + "title": "Avatar", + "year": "2009", + "runtime": 162, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.6, + "vote_count": 32075, + "description": "In the 22nd century, a paraplegic Marine is dispatched to the moon Pandora on a unique mission, but becomes torn between following orders and protecting an alien civilization.", + "poster": "https://image.tmdb.org/t/p/w500/kyeqWdyUXW608qlYkRqosgbbJyK.jpg", + "url": "https://www.themoviedb.org/movie/19995", + "genres": [ + "Action", + "Adventure", + "Fantasy", + "Science Fiction" + ], + "tags": [ + "paraplegic", + "attachment to nature", + "culture clash", + "indigenous", + "space travel", + "space colony", + "tribe", + "alien planet", + "distant future", + "marine", + "battle", + "love affair", + "scientist", + "nature", + "native peoples", + "power relations", + "curious", + "tribal customs", + "shocking", + "tribal people", + "tribal chief", + "deity", + "cryonics", + "spiritual community", + "22nd century", + "save the planet", + "racial discrimination", + "soldiers", + "loving", + "admiring", + "compassionate" + ] + }, + { + "ranking": 1060, + "title": "Feel the Beat", + "year": "2020", + "runtime": 107, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.6, + "vote_count": 1120, + "description": "After failing to make it on Broadway, April returns to her hometown and reluctantly begins training a misfit group of young dancers for a competition.", + "poster": "https://image.tmdb.org/t/p/w500/Af2jt7m9GLFpR4V11xOsFmT8OKD.jpg", + "url": "https://www.themoviedb.org/movie/707886", + "genres": [ + "Comedy", + "Music", + "Drama" + ], + "tags": [ + "dance competition", + "broadway" + ] + }, + { + "ranking": 1057, + "title": "The Big Country", + "year": "1958", + "runtime": 166, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.6, + "vote_count": 368, + "description": "Retired wealthy sea captain Jim McKay arrives in the Old West, where he becomes embroiled in a feud between his future father-in-law, Major Terrill, and the rough and lawless Hannasseys over a valuable patch of land.", + "poster": "https://image.tmdb.org/t/p/w500/aTjIUBmo7qbiu5FuvSoBA0UONWk.jpg", + "url": "https://www.themoviedb.org/movie/12501", + "genres": [ + "Drama", + "Western", + "Romance" + ], + "tags": [ + "epic", + "love triangle", + "parent child relationship", + "ranch", + "honor", + "cattle", + "cowboy", + "family feud", + "pistol duel", + "sea captain", + "damsel in distress", + "water conflict", + "american west", + "water rights", + "gun fight", + "neighbor feud", + "domineering father", + "retired army man", + "cattlemen", + "cattle stampede", + "father daughter relationship", + "land rights", + "daughter of the boss", + "beautiful landscapes", + "preserved film", + "fist fight" + ] + }, + { + "ranking": 1054, + "title": "The Last Samurai", + "year": "2003", + "runtime": 154, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.6, + "vote_count": 7009, + "description": "Nathan Algren is an American hired to instruct the Japanese army in the ways of modern warfare, which finds him learning to respect the samurai and the honorable principles that rule them. Pressed to destroy the samurai's way of life in the name of modernization and open trade, Algren decides to become an ultimate warrior himself and to fight for their right to exist.", + "poster": "https://image.tmdb.org/t/p/w500/lsasOSgYI85EHygtT5SvcxtZVYT.jpg", + "url": "https://www.themoviedb.org/movie/616", + "genres": [ + "Drama", + "Action", + "War" + ], + "tags": [ + "japan", + "samurai", + "swordplay", + "general", + "sense of guilt", + "war veteran", + "sword", + "war crimes", + "loss of loved one", + "self-discovery", + "arms deal", + "homeland", + "katana", + "emperor", + "language barrier", + "mountain village", + "foreign legion", + "insurgence", + "mercenary", + "campaign", + "war strategy", + "gettysburg", + "slaughter", + "soldier", + "period drama", + "alcoholic", + "u.s. soldier", + "japanese army", + "warrior", + "19th century", + "war trauma", + "vindictive", + "intense", + "antagonistic" + ] + }, + { + "ranking": 1048, + "title": "Ready Player One", + "year": "2018", + "runtime": 140, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.6, + "vote_count": 15907, + "description": "When the creator of a popular video game system dies, a virtual contest is created to compete for his fortune.", + "poster": "https://image.tmdb.org/t/p/w500/pU1ULUq8D3iRxl1fdX2lZIzdHuI.jpg", + "url": "https://www.themoviedb.org/movie/333339", + "genres": [ + "Adventure", + "Action", + "Science Fiction" + ], + "tags": [ + "future", + "based on novel or book", + "video game", + "virtual reality", + "dystopia", + "nostalgia", + "love", + "film in film", + "evil corporation", + "quest", + "1980s", + "2040s", + "based on young adult novel", + "columbus, ohio", + "vrmmo" + ] + }, + { + "ranking": 1049, + "title": "Brother", + "year": "1997", + "runtime": 96, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.6, + "vote_count": 404, + "description": "Danila goes to his successful brother, Victor, in Petersburg to start a new life. Unknown to Danila, Victor is a contract killer, but is in hiding after asking for too much money to assassinate a Chechen mob boss. To avoid exposure, Victor convinces Danila to kill the boss instead.", + "poster": "https://image.tmdb.org/t/p/w500/dxeVQdd227B367xQxvabkYTfz0b.jpg", + "url": "https://www.themoviedb.org/movie/20992", + "genres": [ + "Drama", + "Crime" + ], + "tags": [ + "gangster", + "grim", + "depressing", + "bitter", + "apathetic", + "harsh", + "straightforward" + ] + }, + { + "ranking": 1061, + "title": "Feel the Beat", + "year": "2020", + "runtime": 107, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.6, + "vote_count": 1120, + "description": "After failing to make it on Broadway, April returns to her hometown and reluctantly begins training a misfit group of young dancers for a competition.", + "poster": "https://image.tmdb.org/t/p/w500/Af2jt7m9GLFpR4V11xOsFmT8OKD.jpg", + "url": "https://www.themoviedb.org/movie/707886", + "genres": [ + "Comedy", + "Music", + "Drama" + ], + "tags": [ + "dance competition", + "broadway" + ] + }, + { + "ranking": 1063, + "title": "Thor: Ragnarok", + "year": "2017", + "runtime": 131, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.6, + "vote_count": 21036, + "description": "Thor is imprisoned on the other side of the universe and finds himself in a race against time to get back to Asgard to stop Ragnarok, the destruction of his home-world and the end of Asgardian civilization, at the hands of a powerful new threat, the ruthless Hela.", + "poster": "https://image.tmdb.org/t/p/w500/rzRwTcFvttcN1ZpX2xv4j3tSdJu.jpg", + "url": "https://www.themoviedb.org/movie/284053", + "genres": [ + "Action", + "Adventure", + "Science Fiction" + ], + "tags": [ + "superhero", + "based on comic", + "sequel", + "alien planet", + "female villain", + "norse mythology", + "aftercreditsstinger", + "duringcreditsstinger", + "marvel cinematic universe (mcu)", + "norse god", + "loki" + ] + }, + { + "ranking": 1067, + "title": "Spies in Disguise", + "year": "2019", + "runtime": 102, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.6, + "vote_count": 2821, + "description": "Super spy Lance Sterling and scientist Walter Beckett are almost exact opposites. Lance is smooth, suave and debonair. Walter is… not. But what Walter lacks in social skills he makes up for in smarts and invention, creating the awesome gadgets Lance uses on his epic missions. But when events take an unexpected turn, Walter and Lance suddenly have to rely on each other in a whole new way.", + "poster": "https://image.tmdb.org/t/p/w500/e7rWcrnuNej3JeVjqmRu0jVeRa4.jpg", + "url": "https://www.themoviedb.org/movie/431693", + "genres": [ + "Animation", + "Action", + "Adventure", + "Comedy", + "Family" + ], + "tags": [ + "inventor", + "spy", + "villain", + "pigeon", + "aftercreditsstinger", + "save the planet" + ] + }, + { + "ranking": 1065, + "title": "Sword of the Stranger", + "year": "2007", + "runtime": 103, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.583, + "vote_count": 425, + "description": "Pursued by formidable Chinese assassins, young Kotaro and his dog run into No Name, a mysterious stranger who gets pulled into the chase. The unlikely companions form a bond over saving the dog from a poison attack, but chaos erupts when the assassins find Kotaro, and No Name must face his past before a horrible fate is met again.", + "poster": "https://image.tmdb.org/t/p/w500/lMsUYZq5ITW3rAqF3tB7v74KEnH.jpg", + "url": "https://www.themoviedb.org/movie/13980", + "genres": [ + "Action", + "Animation", + "History" + ], + "tags": [ + "samurai", + "swordplay", + "espionage", + "human animal relationship", + "swordsman", + "dog", + "sengoku period", + "feudal japan", + "anime", + "adventure" + ] + }, + { + "ranking": 1068, + "title": "The Longest Day", + "year": "1962", + "runtime": 178, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.582, + "vote_count": 958, + "description": "The retelling of June 6, 1944, from the perspectives of the Germans, US, British, Canadians, and the Free French. Marshall Erwin Rommel, touring the defenses being established as part of the Reich's Atlantic Wall, notes to his officers that when the Allied invasion comes they must be stopped on the beach. \"For the Allies as well as the Germans, it will be the longest day\"", + "poster": "https://image.tmdb.org/t/p/w500/5zmvEofdIlgXrQl9A7e5IOzlnFU.jpg", + "url": "https://www.themoviedb.org/movie/9289", + "genres": [ + "War", + "Action", + "Drama" + ], + "tags": [ + "steel helmet", + "resistance", + "allies", + "world war ii", + "normandy, france", + "based on true story", + "d-day", + "historical fiction", + "soldier", + "dramatic", + "commanding" + ] + }, + { + "ranking": 1070, + "title": "Talk to Her", + "year": "2002", + "runtime": 112, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.6, + "vote_count": 1328, + "description": "Two men share an odd friendship while they care for two women who are both in deep comas.", + "poster": "https://image.tmdb.org/t/p/w500/fWDbQlOWOqjR5jZm98KjGyYmUOw.jpg", + "url": "https://www.themoviedb.org/movie/64", + "genres": [ + "Drama", + "Romance" + ], + "tags": [ + "dying and death", + "journalist", + "friendship", + "suicide", + "rape", + "coma", + "bullfighting", + "spain", + "sexual abuse", + "madrid, spain", + "pregnancy", + "car crash", + "matador (bullfighter)", + "hospital" + ] + }, + { + "ranking": 1072, + "title": "Drive", + "year": "2011", + "runtime": 100, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.58, + "vote_count": 12818, + "description": "Driver is a skilled Hollywood stuntman who moonlights as a getaway driver for criminals. Though he projects an icy exterior, lately he's been warming up to a pretty neighbor named Irene and her young son, Benicio. When Irene's husband gets out of jail, he enlists Driver's help in a million-dollar heist. The job goes horribly wrong, and Driver must risk his life to protect Irene and Benicio from the vengeful masterminds behind the robbery.", + "poster": "https://image.tmdb.org/t/p/w500/602vevIURmpDfzbnv5Ubi6wIkQm.jpg", + "url": "https://www.themoviedb.org/movie/64690", + "genres": [ + "Drama", + "Thriller", + "Crime" + ], + "tags": [ + "robbery", + "car mechanic", + "stuntman", + "beaten to death", + "revenge", + "organized crime", + "neighbor", + "police chase", + "los angeles, california", + "brutality", + "jacket", + "scorpion", + "toothpick", + "getaway driver", + "crime lord", + "stunt driver", + "existentialism", + "detached", + "neo-noir", + "vindictive", + "hammer", + "bold" + ] + }, + { + "ranking": 1076, + "title": "Heroic Losers", + "year": "2019", + "runtime": 116, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.6, + "vote_count": 566, + "description": "In a town in the Northwest of the province of Buenos Aires, a group of neighbors is organized to recover the economy of the area, but when the corralito is implemented in the country and they suffer a fraud, their hopes disappear. Now, they will unite to recover the lost money and give the blow of their lives to their greatest enemy.", + "poster": "https://image.tmdb.org/t/p/w500/9MaAzW8sERDcIEYORE7jzeCew3P.jpg", + "url": "https://www.themoviedb.org/movie/596054", + "genres": [ + "Comedy", + "Thriller" + ], + "tags": [] + }, + { + "ranking": 1077, + "title": "Les Misérables", + "year": "2019", + "runtime": 104, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.578, + "vote_count": 1524, + "description": "Stéphane has recently joined the Anti-Crime Squad in Montfermeil, in the suburbs of Paris, France, where Victor Hugo set his famed novel “Les Miserables”. Alongside his new colleagues Chris and Gwada – both experienced members of the team – he quickly discovers tensions running high between local gangs. When the trio finds themselves overrun during the course of an arrest, a drone captures the encounter, threatening to expose the reality of everyday life.", + "poster": "https://image.tmdb.org/t/p/w500/pUc2ZaIxvPHROjT0Trd6tpSnTme.jpg", + "url": "https://www.themoviedb.org/movie/586863", + "genres": [ + "Crime", + "Drama", + "Thriller" + ], + "tags": [ + "police brutality", + "paris, france", + "police", + "ghetto", + "riot", + "drone", + "football (soccer)", + "suburb", + "juvenile delinquent", + "police officer", + "2000s", + "inspired by novel or book" + ] + }, + { + "ranking": 1073, + "title": "Au Hasard Balthazar", + "year": "1966", + "runtime": 96, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.6, + "vote_count": 459, + "description": "The story of a donkey Balthazar as he is passed from owner to owner, some kind and some cruel but all with motivations beyond his understanding. Balthazar, whose life parallels that of his first keeper, Marie, is truly a beast of burden, suffering the sins of humankind. But despite his powerlessness, he accepts his fate nobly.", + "poster": "https://image.tmdb.org/t/p/w500/lkLO1HDzzaXpTXtAgnGpVqIQkvF.jpg", + "url": "https://www.themoviedb.org/movie/20108", + "genres": [ + "Drama" + ], + "tags": [ + "suicide", + "rape", + "countryside", + "misery", + "donkey", + "gang leader", + "youth gang", + "cruelty", + "burden", + "beast of burden", + "transcendence", + "purity", + "pride", + "animal cruelty", + "riding a donkey", + "abusive boyfriend", + "peasants" + ] + }, + { + "ranking": 1079, + "title": "Scarlet Street", + "year": "1945", + "runtime": 103, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.6, + "vote_count": 390, + "description": "Cashier and part-time starving artist Christopher Cross is absolutely smitten with the beautiful Kitty March. Kitty plays along, but she's really only interested in Johnny, a two-bit crook. When Kitty and Johnny find out that art dealers are interested in Chris's work, they con him into letting Kitty take credit for the paintings. Cross allows it because he is in love with Kitty, but his love will only let her get away with so much.", + "poster": "https://image.tmdb.org/t/p/w500/eGEDor1BWSQGaLtOntPHUSqNzRC.jpg", + "url": "https://www.themoviedb.org/movie/17058", + "genres": [ + "Drama", + "Crime" + ], + "tags": [ + "new york city", + "roommates", + "pimp", + "death sentence", + "painter", + "femme fatale", + "film noir", + "murder", + "scam", + "electric chair", + "gloomy" + ] + }, + { + "ranking": 1075, + "title": "Corpse Bride", + "year": "2005", + "runtime": 77, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.579, + "vote_count": 9481, + "description": "In a 19th-century European village, a young man about to be married is whisked away to the underworld and wed to a mysterious corpse bride, while his real bride waits bereft in the land of the living.", + "poster": "https://image.tmdb.org/t/p/w500/isb2Qow76GpqYmsSyfdMfsYAjts.jpg", + "url": "https://www.themoviedb.org/movie/3933", + "genres": [ + "Romance", + "Fantasy", + "Animation" + ], + "tags": [ + "skeleton", + "love triangle", + "cheating", + "wedding vows", + "shyness", + "arranged marriage", + "marriage", + "grave", + "villain", + "musical", + "wedding ring", + "money", + "stop motion", + "wedding", + "corpse", + "wedding ceremony", + "playing piano", + "parents", + "macabre", + "dark fantasy", + "ring", + "scoundrel", + "19th century", + "underworld", + "romantic", + "ghoulish" + ] + }, + { + "ranking": 1066, + "title": "Hair Love", + "year": "2019", + "runtime": 7, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.6, + "vote_count": 468, + "description": "When dad has to unexpectedly step in for mom to do his daughter Zuri’s hair before a big event, what seems like a simple task is anything but as these locks have a mind of their own!", + "poster": "https://image.tmdb.org/t/p/w500/pm9uRa7031Z56unxNE8AqE8f2wg.jpg", + "url": "https://www.themoviedb.org/movie/589739", + "genres": [ + "Animation", + "Family", + "Comedy" + ], + "tags": [ + "hairstyle", + "hair", + "self love", + "father daughter relationship", + "african american", + "short film", + "black hair", + "black identity", + "black culture", + "afro" + ] + }, + { + "ranking": 1074, + "title": "Coach Carter", + "year": "2005", + "runtime": 136, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.58, + "vote_count": 3025, + "description": "Based on a true story, in which Richmond High School head basketball coach Ken Carter made headlines in 1999 for benching his undefeated team due to poor academic results.", + "poster": "https://image.tmdb.org/t/p/w500/y3HOTTyM5nLsdUzXFtFCohG28qj.jpg", + "url": "https://www.themoviedb.org/movie/7214", + "genres": [ + "Drama", + "History" + ], + "tags": [ + "high school", + "scholarship", + "sports", + "violence in schools", + "authoritarian education", + "basketball", + "teacher", + "teachers and students", + "inspirational" + ] + }, + { + "ranking": 1062, + "title": "Our Little Sister", + "year": "2015", + "runtime": 127, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.6, + "vote_count": 493, + "description": "Three sisters live together in a large house in the city of Kamakura. When their father – absent from the family home for the last 15 years – dies, they travel to the countryside for his funeral, and meet their shy teenage half-sister. Bonding quickly with the orphaned Suzu, they invite her to live with them.", + "poster": "https://image.tmdb.org/t/p/w500/x9A0AtEg5EEYbDGfP8NqH3C9w8M.jpg", + "url": "https://www.themoviedb.org/movie/315846", + "genres": [ + "Drama" + ], + "tags": [ + "japan", + "funeral", + "family relationships", + "based on manga", + "sibling", + "half sister", + "sisters" + ] + }, + { + "ranking": 1080, + "title": "Confessions", + "year": "2010", + "runtime": 107, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.6, + "vote_count": 900, + "description": "Devastated at the death of her four-year-old daughter, a grieving middle school teacher is horrified to discover that her students aren't as innocent as she thinks.", + "poster": "https://image.tmdb.org/t/p/w500/xQcnx6jMuPRCeidotgVy6YIls6p.jpg", + "url": "https://www.themoviedb.org/movie/54186", + "genres": [ + "Drama", + "Thriller", + "Mystery" + ], + "tags": [ + "japan", + "based on novel or book", + "child murder", + "teacher", + "middle school", + "junior high school", + "murder mystery", + "female teacher", + "grieving mother", + "japanese junior high schooler" + ] + }, + { + "ranking": 1071, + "title": "I Origins", + "year": "2014", + "runtime": 106, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.6, + "vote_count": 3252, + "description": "A molecular biologist's study of the human eye has far-reaching implications about humanity's scientific and spiritual beliefs.", + "poster": "https://image.tmdb.org/t/p/w500/2P31jhd1dWUAPD8dmnSrwkQ8CNN.jpg", + "url": "https://www.themoviedb.org/movie/244267", + "genres": [ + "Science Fiction", + "Drama" + ], + "tags": [ + "reincarnation", + "doctor", + "india", + "molecular biologist" + ] + }, + { + "ranking": 1064, + "title": "Eat Drink Man Woman", + "year": "1994", + "runtime": 123, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.6, + "vote_count": 354, + "description": "Retired and widowed Chinese master chef Chu lives in modern day Taipei, with his three attractive daughters, all of whom are unattached. Soon, each daughter encounters a new man in their lives. When these new relationships blossom, stereotypes are broken and the living situation within the family changes.", + "poster": "https://image.tmdb.org/t/p/w500/olhIWtIBFg6VWK59DEd4lAvgVgz.jpg", + "url": "https://www.themoviedb.org/movie/10451", + "genres": [ + "Comedy", + "Drama", + "Romance" + ], + "tags": [ + "daughter", + "cooking", + "sense of life", + "aging", + "taiwan", + "teacher", + "food", + "taiwanese", + "dating", + "family", + "chef", + "widower", + "taipei", + "father daughter relationship", + "sister sister relationship", + "chinese cuisine", + "sisters", + "gastronomia" + ] + }, + { + "ranking": 1069, + "title": "Apocalypto", + "year": "2006", + "runtime": 139, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.6, + "vote_count": 5692, + "description": "Set in the Mayan civilization, when a man's idyllic presence is brutally disrupted by a violent invading force, he is taken on a perilous journey to a world ruled by fear and oppression where a harrowing end awaits him. Through a twist of fate and spurred by the power of his love for his woman and his family he will make a desperate break to return home and to ultimately save his way of life.", + "poster": "https://image.tmdb.org/t/p/w500/cRY25Q32kDNPFDkFkxAs6bgCq3L.jpg", + "url": "https://www.themoviedb.org/movie/1579", + "genres": [ + "Action", + "Drama", + "History" + ], + "tags": [ + "loss of loved one", + "maya civilization", + "village", + "solar eclipse", + "slavery", + "tribe", + "native american", + "forest", + "human sacrifice", + "central america", + "ancient civilization", + "16th century", + "maya temple", + "ancient language film" + ] + }, + { + "ranking": 1078, + "title": "Godzilla vs. Kong", + "year": "2021", + "runtime": 114, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.578, + "vote_count": 10146, + "description": "In a time when monsters walk the Earth, humanity’s fight for its future sets Godzilla and Kong on a collision course that will see the two most powerful forces of nature on the planet collide in a spectacular battle for the ages.", + "poster": "https://image.tmdb.org/t/p/w500/pgqgaUx1cJb5oZQQ5v0tNARCeBp.jpg", + "url": "https://www.themoviedb.org/movie/399566", + "genres": [ + "Action", + "Science Fiction", + "Adventure" + ], + "tags": [ + "giant monster", + "dinosaur", + "creature feature", + "kaiju", + "sign languages", + "giant ape", + "godzilla", + "robot dinosaur", + "king kong" + ] + }, + { + "ranking": 1081, + "title": "Purple Noon", + "year": "1960", + "runtime": 118, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.6, + "vote_count": 531, + "description": "Tom Ripley is a talented mimic, moocher, forger and all-around criminal improviser; but there's more to Tom Ripley than even he can guess.", + "poster": "https://image.tmdb.org/t/p/w500/xGVRU34izQwG8YQNfVOSfKPhD3S.jpg", + "url": "https://www.themoviedb.org/movie/10363", + "genres": [ + "Crime", + "Drama", + "Thriller" + ], + "tags": [ + "sailboat", + "plan", + "dual identity", + "based on novel or book", + "police", + "poker", + "sailing", + "millionaire", + "french noir", + "forger" + ] + }, + { + "ranking": 1085, + "title": "The Butterfly Effect", + "year": "2004", + "runtime": 113, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.576, + "vote_count": 7670, + "description": "A young man struggles to access sublimated childhood memories. He finds a technique that allows him to travel back into the past, to occupy his childhood body and change history. However, he soon finds that every change he makes has unexpected consequences.", + "poster": "https://image.tmdb.org/t/p/w500/ea5iv7TWMh18fOKoRGgmtcg85Gx.jpg", + "url": "https://www.themoviedb.org/movie/1954", + "genres": [ + "Science Fiction", + "Thriller" + ], + "tags": [ + "prison", + "mind control", + "child abuse", + "amnesia", + "chaos theory", + "blackout", + "trauma", + "diary", + "time travel", + "flashback", + "bully", + "love", + "memory loss", + "psychiatrist", + "therapy", + "childhood" + ] + }, + { + "ranking": 1084, + "title": "Blade Runner 2049", + "year": "2017", + "runtime": 164, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.576, + "vote_count": 14003, + "description": "Thirty years after the events of the first film, a new blade runner, LAPD Officer K, unearths a long-buried secret that has the potential to plunge what's left of society into chaos. K's discovery leads him on a quest to find Rick Deckard, a former LAPD blade runner who has been missing for 30 years.", + "poster": "https://image.tmdb.org/t/p/w500/gajva2L0rPYkEWjzgFlBXCAVBE5.jpg", + "url": "https://www.themoviedb.org/movie/335984", + "genres": [ + "Science Fiction", + "Drama" + ], + "tags": [ + "future", + "android", + "bounty hunter", + "artificial intelligence (a.i.)", + "genetics", + "dystopia", + "sequel", + "cyberpunk", + "los angeles, california", + "las vegas", + "tech noir", + "meditative", + "human cloning", + "blade runner", + "complex", + "2040s", + "cautionary", + "audacious", + "compassionate" + ] + }, + { + "ranking": 1091, + "title": "The Garden of Words", + "year": "2013", + "runtime": 46, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.6, + "vote_count": 2048, + "description": "Takao, who is training to become a shoemaker, skipped school and is sketching shoes in a Japanese-style garden. He meets a mysterious woman, Yukino, who is older than him. Then, without arranging the times, the two start to see each other again and again, but only on rainy days. They deepen their relationship and open up to each other. But the end of the rainy season soon approaches.", + "poster": "https://image.tmdb.org/t/p/w500/mXUCVq3HMtS4Y9IQ8vmEOPyN0vH.jpg", + "url": "https://www.themoviedb.org/movie/198375", + "genres": [ + "Animation", + "Drama", + "Romance" + ], + "tags": [ + "chocolate", + "age difference", + "garden", + "rain", + "alcoholism", + "coming of age", + "tokyo, japan", + "cityscape", + "high school student", + "teacher student relationship", + "high school teacher", + "rainstorm", + "seinen", + "abuse", + "shoemaker", + "anime", + "adult child friendship", + "japanese", + "melodramatic" + ] + }, + { + "ranking": 1083, + "title": "Yu-Gi-Oh!: The Dark Side of Dimensions", + "year": "2016", + "runtime": 130, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.6, + "vote_count": 438, + "description": "Having faced each other on countless occasions, Yugi and Kaiba again put their pride and experience to the test in a duel that transcends dimensions.", + "poster": "https://image.tmdb.org/t/p/w500/nFQkn1KE0Is3FUW0yPPgdVvCnlo.jpg", + "url": "https://www.themoviedb.org/movie/366170", + "genres": [ + "Adventure", + "Animation" + ], + "tags": [ + "monster", + "card game", + "mythology", + "sequel", + "based on manga", + "shounen", + "anime", + "trading card game" + ] + }, + { + "ranking": 1087, + "title": "Kramer vs. Kramer", + "year": "1979", + "runtime": 105, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.6, + "vote_count": 2259, + "description": "Ted Kramer is a career man for whom his work comes before his family. His wife Joanna cannot take this anymore, so she decides to leave him. Ted is now faced with the tasks of housekeeping and taking care of himself and their young son Billy.", + "poster": "https://image.tmdb.org/t/p/w500/6IVQjDTbr7pXx2AR8jovbYwpyiF.jpg", + "url": "https://www.themoviedb.org/movie/12102", + "genres": [ + "Drama" + ], + "tags": [ + "husband wife relationship", + "marriage", + "custody battle", + "divorce", + "family", + "couple", + "selfishness", + "manhattan, new york city", + "child custody", + "abandonment", + "parents separating" + ] + }, + { + "ranking": 1094, + "title": "Ferris Bueller's Day Off", + "year": "1986", + "runtime": 103, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.572, + "vote_count": 4997, + "description": "After high school slacker Ferris Bueller successfully fakes an illness in order to skip school for the day, he goes on a series of adventures throughout Chicago with his girlfriend Sloane and best friend Cameron, all the while trying to outwit his wily school principal and fed-up sister.", + "poster": "https://image.tmdb.org/t/p/w500/9LTQNCvoLsKXP0LtaKAaYVtRaQL.jpg", + "url": "https://www.themoviedb.org/movie/9377", + "genres": [ + "Comedy" + ], + "tags": [ + "chicago, illinois", + "high school", + "independence", + "coming of age", + "caper", + "breaking the fourth wall", + "teen movie", + "fantasy sequence", + "car theft", + "skipping school", + "taunting", + "aftercreditsstinger", + "duringcreditsstinger", + "truancy", + "day in a life", + "1980s", + "introspective", + "teenager", + "reminiscent", + "witty" + ] + }, + { + "ranking": 1089, + "title": "The Fallout", + "year": "2021", + "runtime": 96, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.6, + "vote_count": 1170, + "description": "In the wake of a school tragedy, Vada, Mia and Quinton form a unique and dynamic bond as they navigate the never linear, often confusing journey to heal in a world that feels forever changed.", + "poster": "https://image.tmdb.org/t/p/w500/4ByHl9XRKR2iXbvF0ZilMRD1RcL.jpg", + "url": "https://www.themoviedb.org/movie/795514", + "genres": [ + "Drama" + ], + "tags": [ + "high school", + "trauma", + "coming of age", + "female protagonist", + "school shooting", + "woman director", + "generation z", + "sister sister relationship" + ] + }, + { + "ranking": 1092, + "title": "Zindagi Na Milegi Dobara", + "year": "2011", + "runtime": 154, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.573, + "vote_count": 357, + "description": "Three friends who were inseparable in childhood decide to go on a three-week-long bachelor road trip to Spain, in order to re-establish their bond and explore thrilling adventures, before one of them gets married. What will they learn of themselves and each other during the adventure?", + "poster": "https://image.tmdb.org/t/p/w500/hKO9O715wYxjkQSEv47giCYcyO8.jpg", + "url": "https://www.themoviedb.org/movie/61202", + "genres": [ + "Drama", + "Comedy", + "Romance" + ], + "tags": [ + "school friend", + "friendship", + "cheating", + "painter", + "poet", + "vacation", + "travel", + "scuba diving", + "misunderstanding", + "lyricist", + "childhood friends", + "road movie", + "flirting", + "female domination", + "scuba diver", + "father son conflict", + "sky diving", + "lyrical", + "bollywood", + "sanfermines" + ] + }, + { + "ranking": 1093, + "title": "Hidden Kisses", + "year": "2016", + "runtime": 87, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.6, + "vote_count": 307, + "description": "Nathan, 16, lives alone with his father Stephane. A newcomer in high school, he is invited to a party and falls in love with Louis, a boy in his class. They find themselves out of sight and kiss each other, but someone takes a picture of them. Soon, the photo is published on Facebook and a storm overtakes their lives as they face bullying and rejection.", + "poster": "https://image.tmdb.org/t/p/w500/m1HyggncZjII3nrtiylvnVNV11H.jpg", + "url": "https://www.themoviedb.org/movie/401698", + "genres": [ + "Drama", + "TV Movie" + ], + "tags": [ + "coming out", + "high school", + "homophobia", + "rejection", + "bullying", + "in the closet", + "teenage boy", + "teenage romance", + "father son relationship", + "gay youth", + "gay theme", + "gay relationship", + "judgemental", + "gay kiss", + "judgment by social media", + "gay teenager" + ] + }, + { + "ranking": 1098, + "title": "The Hobbit: The Desolation of Smaug", + "year": "2013", + "runtime": 161, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.57, + "vote_count": 13390, + "description": "The Dwarves, Bilbo and Gandalf have successfully escaped the Misty Mountains, and Bilbo has gained the One Ring. They all continue their journey to get their gold back from the Dragon, Smaug.", + "poster": "https://image.tmdb.org/t/p/w500/xQYiXsheRCDBA39DOrmaw1aSpbk.jpg", + "url": "https://www.themoviedb.org/movie/57158", + "genres": [ + "Fantasy", + "Adventure", + "Action" + ], + "tags": [ + "gold", + "lake", + "based on novel or book", + "orcs", + "elves", + "dwarf", + "shapeshifting", + "mountain", + "giant spider", + "sequel", + "bear", + "dragon", + "turns into animal", + "barrel", + "fantasy world", + "wizard", + "journey", + "ring", + "invisibility", + "captured", + "live action and animation", + "high fantasy", + "sword and sorcery", + "trekking", + "good versus evil", + "creatures", + "dwarves", + "epic quest", + "trolls", + "hobbit" + ] + }, + { + "ranking": 1086, + "title": "Imagine Me & You", + "year": "2006", + "runtime": 93, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.6, + "vote_count": 1039, + "description": "During her wedding ceremony, Rachel notices Luce in the audience and feels instantly drawn to her. The two women become close friends, and when Rachel learns that Luce is a lesbian, she realizes that despite her happy marriage to Heck, she is falling for Luce. As she questions her sexual orientation, Rachel must decide between her stable relationship with Heck and her exhilarating new romance with Luce.", + "poster": "https://image.tmdb.org/t/p/w500/gmb10CuW5EWgQOBkBY8lvtMi3dY.jpg", + "url": "https://www.themoviedb.org/movie/1544", + "genres": [ + "Drama", + "Comedy", + "Romance" + ], + "tags": [ + "london, england", + "husband wife relationship", + "workaholic", + "florist", + "flower shop", + "womanizer", + "lesbian relationship", + "lgbt", + "lesbian", + "inspirational", + "sapphic", + "intimate", + "newlyweds", + "lesbian love", + "adoring" + ] + }, + { + "ranking": 1082, + "title": "The Black Phone", + "year": "2022", + "runtime": 103, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.576, + "vote_count": 5068, + "description": "Finney Blake, a shy but clever 13-year-old boy, is abducted by a sadistic killer and trapped in a soundproof basement where screaming is of little use. When a disconnected phone on the wall begins to ring, Finney discovers that he can hear the voices of the killer’s previous victims. And they are dead set on making sure that what happened to them doesn’t happen to Finney.", + "poster": "https://image.tmdb.org/t/p/w500/p9ZUzCyy9wRTDuuQexkQ78R2BgF.jpg", + "url": "https://www.themoviedb.org/movie/756999", + "genres": [ + "Horror", + "Thriller" + ], + "tags": [ + "mask", + "small town", + "child abuse", + "dreams", + "sibling relationship", + "kidnapping", + "sadistic", + "1970s", + "supernatural", + "cellar", + "colorado", + "bullying", + "basement", + "serial killer", + "based on short story", + "alcoholic father", + "child kidnapping", + "nervous" + ] + }, + { + "ranking": 1097, + "title": "The Danish Girl", + "year": "2015", + "runtime": 119, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.6, + "vote_count": 5784, + "description": "When Gerda Wegener asks her husband Einar to fill in as a portrait model, Einar discovers the person she's meant to be and begins living her life as Lili Elbe. Having realized her true self and with Gerda's love and support, Lili embarks on a groundbreaking journey as a transgender pioneer.", + "poster": "https://image.tmdb.org/t/p/w500/mXZZIacI5FC8thzSC0lgQBQ2uAX.jpg", + "url": "https://www.themoviedb.org/movie/306819", + "genres": [ + "Drama" + ], + "tags": [ + "paris, france", + "based on novel or book", + "denmark", + "copenhagen, denmark", + "artist", + "painter", + "historical fiction", + "art", + "transsexual", + "surgery", + "lgbt", + "mourning", + "1920s", + "desperate", + "dramatic", + "cliché", + "derogatory" + ] + }, + { + "ranking": 1100, + "title": "The Diving Bell and the Butterfly", + "year": "2007", + "runtime": 112, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.6, + "vote_count": 1187, + "description": "The true story of Elle France editor Jean-Dominique Bauby, who, in 1995 at the age of 43, suffered a stroke that paralyzed his entire body, except his left eye. Using that eye to blink out his memoir, Bauby eloquently described the aspects of his interior world, from the psychological torment of being trapped inside his body to his imagined stories from lands he'd only visited in his mind.", + "poster": "https://image.tmdb.org/t/p/w500/3MJUo4bCPai5r9zrw7nTS8sVzQ7.jpg", + "url": "https://www.themoviedb.org/movie/2013", + "genres": [ + "Drama", + "History" + ], + "tags": [ + "dying and death", + "based on novel or book", + "writing", + "female lover", + "editor-in-chief", + "psychological stress", + "patient", + "disabled" + ] + }, + { + "ranking": 1090, + "title": "Eyes Without a Face", + "year": "1960", + "runtime": 84, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.6, + "vote_count": 746, + "description": "Dr. Génessier is riddled with guilt after an accident that he caused disfigures the face of his daughter, the once beautiful Christiane, who outsiders believe is dead. Dr. Génessier, along with accomplice and laboratory assistant Louise, kidnaps young women and brings them to the Génessier mansion. After rendering his victims unconscious, Dr. Génessier removes their faces and attempts to graft them on to Christiane's.", + "poster": "https://image.tmdb.org/t/p/w500/8y7Z9Gvcq52uOlJlUWyn2epGGRd.jpg", + "url": "https://www.themoviedb.org/movie/31417", + "genres": [ + "Drama", + "Horror", + "Thriller" + ], + "tags": [ + "experiment", + "surgeon", + "film noir", + "photograph", + "scientist", + "transplant", + "dove", + "ulcer" + ] + }, + { + "ranking": 1099, + "title": "Paisan", + "year": "1946", + "runtime": 125, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.57, + "vote_count": 315, + "description": "During the Allied invasion of Italy in World War II, six stories unfold in various regions, from Sicily to the northern Po Valley. These tales follow the interactions between American soldiers and Italian civilians as they navigate their way through language barriers and cultural differences.", + "poster": "https://image.tmdb.org/t/p/w500/r5IGAFASCXmp8m51vUbER3WwVcB.jpg", + "url": "https://www.themoviedb.org/movie/8429", + "genres": [ + "Drama", + "War" + ], + "tags": [ + "rome, italy", + "sicily, italy", + "naples, italy", + "florence, italy" + ] + }, + { + "ranking": 1088, + "title": "Godzilla Minus One", + "year": "2023", + "runtime": 124, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.574, + "vote_count": 2588, + "description": "In postwar Japan, Godzilla brings new devastation to an already scorched landscape. With no military intervention or government help in sight, the survivors must join together in the face of despair and fight back against an unrelenting horror.", + "poster": "https://image.tmdb.org/t/p/w500/hkxxMIGaiCTmrEArK7J56JTKUlB.jpg", + "url": "https://www.themoviedb.org/movie/940721", + "genres": [ + "Science Fiction", + "Horror", + "Action" + ], + "tags": [ + "monster", + "loss of loved one", + "giant monster", + "kamikaze", + "duty", + "atomic bomb test", + "radioactivity", + "naval combat", + "reboot", + "kaiju", + "macabre", + "duringcreditsstinger", + "post war japan", + "1940s", + "naval battle", + "naval battleship", + "found family", + "godzilla", + "war orphan", + "survivor guilt", + "tokusatsu", + "哥斯拉-1.0" + ] + }, + { + "ranking": 1096, + "title": "Ex Machina", + "year": "2015", + "runtime": 108, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.6, + "vote_count": 13465, + "description": "Caleb, a coder at the world's largest internet company, wins a competition to spend a week at a private mountain retreat belonging to Nathan, the reclusive CEO of the company. But when Caleb arrives at the remote location he finds that he will have to participate in a strange and fascinating experiment in which he must interact with the world's first true artificial intelligence, housed in the body of a beautiful robot girl.", + "poster": "https://image.tmdb.org/t/p/w500/dmJW8IAKHKxFNiUnoDR7JfsK7Rp.jpg", + "url": "https://www.themoviedb.org/movie/264660", + "genres": [ + "Drama", + "Science Fiction" + ], + "tags": [ + "android", + "dancing", + "friendship", + "man vs machine", + "distrust", + "artificial intelligence (a.i.)", + "isolation", + "technology", + "manipulation", + "deception", + "norway", + "laboratory", + "robot", + "power outage", + "surveillance camera", + "consciousness", + "existentialism", + "lockdown", + "female cyborg", + "human android relationship" + ] + }, + { + "ranking": 1095, + "title": "Searching", + "year": "2018", + "runtime": 102, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.6, + "vote_count": 3924, + "description": "After David Kim's 16-year-old daughter goes missing, a local investigation is opened and a detective is assigned to the case. But 37 hours later and without a single lead, David decides to search the one place no one has looked yet, where all secrets are kept today: his daughter's laptop.", + "poster": "https://image.tmdb.org/t/p/w500/yuAPCsCGJGSxA7YOW4elF5JNrzK.jpg", + "url": "https://www.themoviedb.org/movie/489999", + "genres": [ + "Drama", + "Mystery", + "Thriller" + ], + "tags": [ + "california", + "stalker", + "disappearance", + "internet", + "east asian lead", + "police detective", + "missing person", + "missing child", + "computer screen", + "found footage", + "social media", + "missing daughter", + "mysterious", + "facebook", + "live stream", + "father daughter relationship", + "screenlife", + "asian american" + ] + }, + { + "ranking": 1103, + "title": "Bao", + "year": "2018", + "runtime": 8, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.564, + "vote_count": 1220, + "description": "An aging Chinese mom suffering from empty nest syndrome gets another chance at motherhood when one of her dumplings springs to life as a lively, giggly dumpling boy.", + "poster": "https://image.tmdb.org/t/p/w500/tKz7XRXvdy1i7pW4eotaWZSrAx2.jpg", + "url": "https://www.themoviedb.org/movie/514754", + "genres": [ + "Animation", + "Family", + "Fantasy" + ], + "tags": [ + "cooking", + "cartoon", + "coming of age", + "chinese", + "woman director", + "mother son relationship", + "dumpling", + "short film", + "chinese cuisine" + ] + }, + { + "ranking": 1107, + "title": "Anonymously Yours", + "year": "2021", + "runtime": 101, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.6, + "vote_count": 362, + "description": "After an accidental text message turns into a digital friendship, Vale and Alex start crushing on each other without realizing they've met in real life.", + "poster": "https://image.tmdb.org/t/p/w500/kQu9rNkiB0nSSRGQX0B6u9sxwfw.jpg", + "url": "https://www.themoviedb.org/movie/899405", + "genres": [ + "Drama", + "Romance" + ], + "tags": [ + "romcom", + "teen movie", + "mexican" + ] + }, + { + "ranking": 1114, + "title": "Mary Poppins", + "year": "1964", + "runtime": 139, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.6, + "vote_count": 4744, + "description": "Mr Banks is looking for a nanny for his two mischievous children and comes across Mary Poppins, an angelic nanny. She not only brings a change in their lives but also spreads happiness.", + "poster": "https://image.tmdb.org/t/p/w500/1DjJh0vwGwi6KugPZfDiliO25XP.jpg", + "url": "https://www.themoviedb.org/movie/433", + "genres": [ + "Comedy", + "Family", + "Fantasy" + ], + "tags": [ + "london, england", + "sibling relationship", + "based on novel or book", + "parent child relationship", + "magic", + "nanny", + "musical", + "family", + "nostalgic", + "kite flying", + "live action and animation", + "1910s", + "chimney sweep", + "suffragettes", + "wonder", + "lighthearted", + "joyous", + "adoring", + "awestruck", + "cheerful", + "joyful", + "optimistic", + "sympathetic", + "vibrant" + ] + }, + { + "ranking": 1101, + "title": "Poetry", + "year": "2010", + "runtime": 139, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.568, + "vote_count": 309, + "description": "A sexagenarian South Korean woman enrolls in a poetry class as she grapples with her faltering memory and her grandson's appalling wrongdoing.", + "poster": "https://image.tmdb.org/t/p/w500/dcefUQ0AIgRvkh9DS76tvetzxc2.jpg", + "url": "https://www.themoviedb.org/movie/47909", + "genres": [ + "Drama" + ], + "tags": [ + "poetry", + "tv addicted person", + "bridge", + "alzheimer's disease", + "caretaker", + "teenage rape", + "poetry teacher", + "old woman", + "badminton", + "grandmother grandson relationship" + ] + }, + { + "ranking": 1108, + "title": "Where the Crawdads Sing", + "year": "2022", + "runtime": 126, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.6, + "vote_count": 1909, + "description": "Abandoned by her family, Kya raises herself all alone in the marshes outside of her small town. When her former boyfriend is found dead, Kya is instantly branded by the local townspeople and law enforcement as the prime suspect for his murder.", + "poster": "https://image.tmdb.org/t/p/w500/n1el846gLDXfhOvrRCsyvaAOQWv.jpg", + "url": "https://www.themoviedb.org/movie/682507", + "genres": [ + "Drama", + "Mystery", + "Romance" + ], + "tags": [ + "based on novel or book", + "artist", + "bullying", + "alcoholism", + "coming of age", + "survival", + "domestic abuse", + "first love", + "marsh", + "boyfriend girlfriend relationship", + "social outcast", + "jury trial", + "naturalist", + "murder mystery", + "murder trial", + "1960s", + "alcohol problems", + "courtroom drama", + "abusive alcoholic", + "abusive boyfriend", + "abandoned child", + "southern culture" + ] + }, + { + "ranking": 1105, + "title": "The Sea Inside", + "year": "2004", + "runtime": 125, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.6, + "vote_count": 936, + "description": "Ramón Sampedro is a ship mechanic and part-time poet left a quadriplegic following a diving accident. Ramón fought for 30 years for the legal right to end his own life. He develops close relationships with his long-term lawyer Julia and his friend Rosa, who tries to convince him that his life is worth living. Despite his situation, Ramón manages to inspire those around him to live life to the fullest.", + "poster": "https://image.tmdb.org/t/p/w500/mQW1JJKCUg02cmWBzr9JFu9vM1V.jpg", + "url": "https://www.themoviedb.org/movie/1913", + "genres": [ + "Drama" + ], + "tags": [ + "dying and death", + "sibling relationship", + "intensive care", + "paraplegic", + "freedom", + "ladykiller", + "wheelchair", + "biography", + "galicia, spain", + "bathing accident", + "romance", + "foreign language", + "lawyer", + "sailor", + "euthanasia", + "dignity" + ] + }, + { + "ranking": 1109, + "title": "The Seven Deadly Sins: Prisoners of the Sky", + "year": "2018", + "runtime": 99, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.6, + "vote_count": 1035, + "description": "Traveling in search of the rare ingredient, “sky fish” Meliodas and Hawk arrive at a palace that floats above the clouds. The people there are busy preparing a ceremony, meant to protect their home from a ferocious beast that awakens once every 3,000 years. But before the ritual is complete, the Six Knights of Black—a Demon Clan army—removes the seal on the beast, threatening the lives of everyone in the Sky Palace.", + "poster": "https://image.tmdb.org/t/p/w500/63NOOAkaZAK8h93Sg7Ucq6XLJGP.jpg", + "url": "https://www.themoviedb.org/movie/507569", + "genres": [ + "Action", + "Adventure", + "Fantasy", + "Animation" + ], + "tags": [ + "magic", + "supernatural", + "betrayal", + "demon", + "super power", + "seven deadly sins", + "journey", + "shounen", + "anime", + "isekai", + "good versus evil", + "adventure" + ] + }, + { + "ranking": 1102, + "title": "The Game", + "year": "1997", + "runtime": 129, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.566, + "vote_count": 6754, + "description": "In honor of his birthday, San Francisco banker Nicholas Van Orton, a financial genius and a cold-hearted loner, receives an unusual present from his younger brother, Conrad: a gift certificate to play a unique kind of game. In nary a nanosecond, Nicholas finds himself consumed by a dangerous set of ever-changing rules, unable to distinguish where the charade ends and reality begins.", + "poster": "https://image.tmdb.org/t/p/w500/4UOa079915QjiTA2u5hT2yKVgUu.jpg", + "url": "https://www.themoviedb.org/movie/2649", + "genres": [ + "Drama", + "Thriller", + "Mystery" + ], + "tags": [ + "suicide", + "sibling relationship", + "san francisco, california", + "birthday", + "gun", + "key", + "manipulation", + "restaurant", + "danger of life", + "birthday party", + "game", + "millionaire", + "surprising", + "trapped in an elevator", + "birthday present", + "investment banker", + "puzzlement" + ] + }, + { + "ranking": 1104, + "title": "Moana", + "year": "2016", + "runtime": 107, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.566, + "vote_count": 12986, + "description": "In Ancient Polynesia, when a terrible curse incurred by Maui reaches an impetuous Chieftain's daughter's island, she answers the Ocean's call to seek out the demigod to set things right.", + "poster": "https://image.tmdb.org/t/p/w500/9tzN8sPbyod2dsa0lwuvrwBDWra.jpg", + "url": "https://www.themoviedb.org/movie/277834", + "genres": [ + "Adventure", + "Comedy", + "Family", + "Animation" + ], + "tags": [ + "sailboat", + "sea", + "island", + "saving the world", + "ocean", + "cartoon", + "mythology", + "villain", + "musical", + "curse", + "sailor", + "aftercreditsstinger", + "demigod", + "polynesia", + "voyage", + "curious", + "pacific ocean", + "quest", + "island life", + "animal sidekick", + "vibrant" + ] + }, + { + "ranking": 1113, + "title": "A Close Shave", + "year": "1996", + "runtime": 30, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.562, + "vote_count": 852, + "description": "Wallace's whirlwind romance with the proprietor of the local wool shop puts his head in a spin, and Gromit is framed for sheep-rustling in a fiendish criminal plot.", + "poster": "https://image.tmdb.org/t/p/w500/qKvN2z4ZcnWkMv6cMNC1Z26lEen.jpg", + "url": "https://www.themoviedb.org/movie/532", + "genres": [ + "Family", + "Animation", + "Comedy" + ], + "tags": [ + "prison", + "sheep", + "inventor", + "loyalty", + "innocence", + "human animal relationship", + "villain", + "surrealism", + "romance", + "anthropomorphism", + "stop motion", + "framed", + "dog", + "animals", + "wool", + "sheep rustling", + "claymation", + "plasticine", + "short film", + "store owner", + "preserved film" + ] + }, + { + "ranking": 1115, + "title": "What We Do in the Shadows", + "year": "2014", + "runtime": 86, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.6, + "vote_count": 3619, + "description": "Vampire housemates try to cope with the complexities of modern life and show a newly turned hipster some of the perks of being undead.", + "poster": "https://image.tmdb.org/t/p/w500/a2rD3i3DBMeYbA34rBv6z3B9S3a.jpg", + "url": "https://www.themoviedb.org/movie/246741", + "genres": [ + "Comedy", + "Horror" + ], + "tags": [ + "friendship", + "vampire", + "commune", + "new zealand", + "mockumentary", + "zombie", + "werewolf", + "suburb", + "heartbreak", + "fraternity", + "found footage", + "aftercreditsstinger", + "nosferatu", + "candid", + "satirical", + "communal living", + "wellington new zealand", + "playful", + "hilarious", + "whimsical", + "amused", + "audacious" + ] + }, + { + "ranking": 1117, + "title": "The Adventures of Pinocchio", + "year": "1972", + "runtime": 135, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.6, + "vote_count": 306, + "description": "Mastro Geppetto is a poor carpenter with no wife and no children. The man is very lonely, and after trading a piece of wood with his colleague Mastro Ciliegia, decides to build himself a puppet to keep him company.", + "poster": "https://image.tmdb.org/t/p/w500/xjoYc9umKoZHTVr2B0uBbn3bCXj.jpg", + "url": "https://www.themoviedb.org/movie/58451", + "genres": [ + "Fantasy", + "Drama", + "Family", + "Comedy" + ], + "tags": [] + }, + { + "ranking": 1110, + "title": "Moon", + "year": "2009", + "runtime": 97, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.6, + "vote_count": 5796, + "description": "With only three weeks left in his three-year contract, Sam Bell is getting anxious to finally return to Earth. He is the only occupant of a Moon-based manufacturing facility along with his computer and assistant, GERTY. When he has an accident however, he awakens to find that he is not alone.", + "poster": "https://image.tmdb.org/t/p/w500/35IU0Mq0zFsN1mYwDGts5mKc77n.jpg", + "url": "https://www.themoviedb.org/movie/17431", + "genres": [ + "Science Fiction", + "Drama" + ], + "tags": [ + "future", + "moon", + "artificial intelligence (a.i.)", + "isolation", + "clone", + "dystopia", + "space", + "cloning", + "moon base", + "psychological thriller", + "human cloning", + "lunar mission", + "corporate conspiracy", + "existential crisis" + ] + }, + { + "ranking": 1112, + "title": "Jules and Jim", + "year": "1962", + "runtime": 106, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.6, + "vote_count": 992, + "description": "In the carefree days before World War I, introverted Austrian author Jules strikes up a friendship with the exuberant Frenchman Jim and both men fall for the impulsive and beautiful Catherine.", + "poster": "https://image.tmdb.org/t/p/w500/kuFjZlcZhQFDtIjuI3GQJjsQG03.jpg", + "url": "https://www.themoviedb.org/movie/1628", + "genres": [ + "Drama", + "Romance" + ], + "tags": [ + "adultery", + "friendship", + "prostitute", + "jealousy", + "paris, france", + "based on novel or book", + "love triangle", + "musician", + "marriage", + "love", + "polyamory", + "austrian", + "1910s", + "nouvelle vague" + ] + }, + { + "ranking": 1118, + "title": "I Am Sam", + "year": "2001", + "runtime": 132, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.56, + "vote_count": 2335, + "description": "Sam, a neurodivergent man, has a daughter with a homeless woman who abandons them when they leave the hospital, leaving Sam to raise Lucy on his own. But as Lucy grows up, Sam's limitations as a parent start to become a problem and the authorities take her away. Sam convinces high-priced lawyer Rita to take his case pro bono and in turn teaches her the value of love and family.", + "poster": "https://image.tmdb.org/t/p/w500/3MUXRSyx9gnA2lLSSTGLN8cQQ42.jpg", + "url": "https://www.themoviedb.org/movie/10950", + "genres": [ + "Drama" + ], + "tags": [ + "mentally disabled", + "foster parents", + "lawyer", + "pro bono", + "social services", + "coffee shop manager", + "pizza hut", + "children's book", + "locked door", + "child custody", + "woman director", + "father daughter relationship", + "neurodiversity" + ] + }, + { + "ranking": 1120, + "title": "The Six Triple Eight", + "year": "2024", + "runtime": 130, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.6, + "vote_count": 487, + "description": "During World War II, the US Army's only all-Black, all-women battalion takes on an impossible mission: sorting through a three-year backlog of 17 million pieces of mail that hadn't been delivered to American soldiers and finish within six months.", + "poster": "https://image.tmdb.org/t/p/w500/7tvAnzZj9e9AjdoHaN9jshm2Cjw.jpg", + "url": "https://www.themoviedb.org/movie/1061699", + "genres": [ + "Drama", + "War", + "History" + ], + "tags": [ + "world war ii", + "based on true story", + "historical", + "military", + "based on magazine, newspaper or article", + "african american history", + "war", + "heartfelt" + ] + }, + { + "ranking": 1111, + "title": "The Holy Mountain", + "year": "1973", + "runtime": 113, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.564, + "vote_count": 927, + "description": "The Alchemist assembles together a group of people from all walks of life to represent the planets in the solar system. The occult adept's intention is to put his recruits through strange mystical rites and divest them of their worldly baggage before embarking on a trip to Lotus Island. There they ascend the Holy Mountain to displace the immortal gods who secretly rule the universe.", + "poster": "https://image.tmdb.org/t/p/w500/nvwbOcV3jJExT090Bb2m7fNjzTN.jpg", + "url": "https://www.themoviedb.org/movie/8327", + "genres": [ + "Drama" + ], + "tags": [ + "mexico", + "paraplegic", + "christianity", + "religion and supernatural", + "symbolism", + "surreal", + "satire", + "surrealism", + "thief", + "enlightenment", + "avant-garde", + "crucifix", + "blasphemy", + "alchemy", + "psychedelic", + "alchemist" + ] + }, + { + "ranking": 1106, + "title": "Girl, Interrupted", + "year": "1999", + "runtime": 127, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.6, + "vote_count": 3899, + "description": "Set in the changing world of the late 1960s, Susanna Kaysen's prescribed \"short rest\" from a psychiatrist she had met only once becomes a strange, unknown journey into Alice's Wonderland, where she struggles with the thin line between normal and crazy. Susanna soon realizes how hard it is to get out once she has been committed, and she ultimately has to choose between the world of people who belong inside or the difficult world of reality outside.", + "poster": "https://image.tmdb.org/t/p/w500/dOBdatHIVppvmRFw2z7bf9VKJr9.jpg", + "url": "https://www.themoviedb.org/movie/3558", + "genres": [ + "Drama" + ], + "tags": [ + "based on novel or book", + "escape", + "suicide attempt", + "identity", + "insanity", + "female friendship", + "based on true story", + "borderline personality disorder", + "psychiatric hospital", + "mental institution", + "female protagonist", + "based on memoir or autobiography", + "psychiatrist", + "mental illness", + "psychiatric ward", + "meditative", + "1960s", + "introspective", + "compassionate", + "gentle" + ] + }, + { + "ranking": 1119, + "title": "Halloween", + "year": "1978", + "runtime": 91, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.559, + "vote_count": 5733, + "description": "Fifteen years after murdering his sister on Halloween Night 1963, Michael Myers escapes from a mental hospital and returns to the small town of Haddonfield, Illinois to kill again.", + "poster": "https://image.tmdb.org/t/p/w500/wijlZ3HaYMvlDTPqJoTCWKFkCPU.jpg", + "url": "https://www.themoviedb.org/movie/948", + "genres": [ + "Horror", + "Thriller" + ], + "tags": [ + "mask", + "police", + "halloween", + "babysitter", + "marijuana", + "stalking", + "serial killer", + "maniac", + "killing spree", + "family", + "evil", + "psychotic", + "escaped killer" + ] + }, + { + "ranking": 1116, + "title": "Hot Fuzz", + "year": "2007", + "runtime": 121, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.6, + "vote_count": 7724, + "description": "Former London constable Nicholas Angel finds it difficult to adapt to his new assignment in the sleepy British village of Sandford. Not only does he miss the excitement of the big city, but he also has a well-meaning oaf for a partner. However, when a series of grisly accidents rocks Sandford, Angel smells something rotten in the idyllic village.", + "poster": "https://image.tmdb.org/t/p/w500/zPib4ukTSdXvHP9pxGkFCe34f3y.jpg", + "url": "https://www.themoviedb.org/movie/4638", + "genres": [ + "Crime", + "Action", + "Comedy" + ], + "tags": [ + "countryside", + "police", + "village", + "arrest", + "parody", + "partner", + "murder", + "rural area", + "conspiracy", + "serial killer", + "gunfight", + "police force", + "buddy cop", + "accident" + ] + }, + { + "ranking": 1126, + "title": "Inside Out 2", + "year": "2024", + "runtime": 97, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.6, + "vote_count": 5705, + "description": "Teenager Riley's mind headquarters is undergoing a sudden demolition to make room for something entirely unexpected: new Emotions! Joy, Sadness, Anger, Fear and Disgust, who’ve long been running a successful operation by all accounts, aren’t sure how to feel when Anxiety shows up. And it looks like she’s not alone.", + "poster": "https://image.tmdb.org/t/p/w500/vpnVM9B6NMmQpWeZvzLvDESb2QY.jpg", + "url": "https://www.themoviedb.org/movie/1022789", + "genres": [ + "Animation", + "Adventure", + "Comedy", + "Family" + ], + "tags": [ + "sadness", + "disgust", + "sequel", + "computer animation", + "teenage girl", + "fear", + "anger", + "envy", + "aftercreditsstinger", + "duringcreditsstinger", + "emotions", + "embarrasment", + "anxious", + "joy", + "anxiety", + "hopeful" + ] + }, + { + "ranking": 1127, + "title": "Casino Royale", + "year": "2006", + "runtime": 144, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.6, + "vote_count": 10902, + "description": "Le Chiffre, a banker to the world's terrorists, is scheduled to participate in a high-stakes poker game in Montenegro, where he intends to use his winnings to establish his financial grip on the terrorist market. M sends Bond—on his maiden mission as a 00 Agent—to attend this game and prevent Le Chiffre from winning. With the help of Vesper Lynd and Felix Leiter, Bond enters the most important poker game in his already dangerous career.", + "poster": "https://image.tmdb.org/t/p/w500/lMrxYKKhd4lqRzwUHAy5gcx9PSO.jpg", + "url": "https://www.themoviedb.org/movie/36557", + "genres": [ + "Adventure", + "Action", + "Thriller" + ], + "tags": [ + "banker", + "casino", + "based on novel or book", + "poker", + "italy", + "spy", + "money", + "torture", + "terrorism", + "mi6", + "british secret service", + "montenegro", + "serious", + "dramatic", + "thriller", + "intense", + "action", + "adventure", + "bold", + "tragic" + ] + }, + { + "ranking": 1135, + "title": "The Fifth Element", + "year": "1997", + "runtime": 126, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.554, + "vote_count": 10958, + "description": "In 2257, a taxi driver is unintentionally given the task of saving a young girl who is part of the key that will ensure the survival of humanity.", + "poster": "https://image.tmdb.org/t/p/w500/fPtlCO1yQtnoLHOwKtWz7db6RGU.jpg", + "url": "https://www.themoviedb.org/movie/18", + "genres": [ + "Science Fiction", + "Action", + "Adventure" + ], + "tags": [ + "new york city", + "flying car", + "taxi", + "egypt", + "race against time", + "saving the world", + "cyborg", + "dystopia", + "anti hero", + "stowaway", + "space travel", + "chosen one", + "arms dealer", + "alien life-form", + "end of the world", + "priest", + "shootout", + "police chase", + "cab driver", + "cyberpunk", + "archaeologist", + "space opera", + "military", + "opera singer", + "futuristic city", + "ancient evil", + "cruise liner", + "hieroglyphics", + "spaceship", + "good versus evil", + "science fantasy", + "amused" + ] + }, + { + "ranking": 1123, + "title": "The Emperor's New Groove", + "year": "2000", + "runtime": 78, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.6, + "vote_count": 6851, + "description": "When self-centered Emperor Kuzco is turned into a llama by his scheming advisor, he is forced to rely on good-hearted peasant Pacha to get back home.", + "poster": "https://image.tmdb.org/t/p/w500/xU635vn1lMD9DWDloeuKmuhxxnQ.jpg", + "url": "https://www.themoviedb.org/movie/11688", + "genres": [ + "Adventure", + "Animation", + "Comedy", + "Family", + "Fantasy" + ], + "tags": [ + "central and south america", + "kingdom", + "birthday", + "peru", + "emperor", + "villain", + "palace", + "berater", + "breaking the fourth wall", + "incan empire", + "assassination attempt", + "15th century", + "llama", + "hilarious" + ] + }, + { + "ranking": 1134, + "title": "Lost Highway", + "year": "1997", + "runtime": 134, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.6, + "vote_count": 2695, + "description": "A tormented jazz musician finds himself lost in an enigmatic story involving murder, surveillance, gangsters, doppelgängers, and an impossible transformation inside a prison cell.", + "poster": "https://image.tmdb.org/t/p/w500/fdTtij6H0sX9AzIjUeynh5zbfm7.jpg", + "url": "https://www.themoviedb.org/movie/638", + "genres": [ + "Drama", + "Thriller", + "Mystery" + ], + "tags": [ + "prison", + "pornography", + "jealousy", + "dreams", + "dual identity", + "nightmare", + "police", + "sexual frustration", + "gangster", + "insanity", + "paranoia", + "prison cell", + "eroticism", + "bedroom", + "violent husband", + "headache", + "motel", + "transformation", + "death row", + "jazz singer or musician", + "highway", + "car mechanic", + "hallucination", + "suspicion", + "identity crisis", + "surrealism", + "car crash", + "murder", + "los angeles, california", + "videotape", + "mysterious", + "fugue state" + ] + }, + { + "ranking": 1129, + "title": "Exhuma", + "year": "2024", + "runtime": 134, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.6, + "vote_count": 486, + "description": "After tracing the origin of a disturbing supernatural affliction to a wealthy family's ancestral gravesite, a team of paranormal experts relocates the remains—and soon discovers what happens to those who dare to mess with the wrong grave.", + "poster": "https://image.tmdb.org/t/p/w500/6dasJ58GGFcC62H9KuukAryltUp.jpg", + "url": "https://www.themoviedb.org/movie/838209", + "genres": [ + "Mystery", + "Horror", + "Thriller" + ], + "tags": [ + "ritual", + "coffin", + "exorcism", + "grave", + "curse", + "shaman", + "undertaker", + "illness", + "tomb", + "occult", + "ghost", + "grave digging", + "ancestor", + "vexed", + "shamanism", + "japanese occupation of korea", + "evil spirits", + "distressing" + ] + }, + { + "ranking": 1122, + "title": "My Man Godfrey", + "year": "1936", + "runtime": 95, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.6, + "vote_count": 354, + "description": "Fifth Avenue socialite Irene Bullock needs a \"forgotten man\" to win a scavenger hunt, and no one is more forgotten than Godfrey Park, who resides in a dump by the East River. Irene hires Godfrey as a servant for her riotously unhinged family, to the chagrin of her spoiled sister, Cornelia, who tries her best to get Godfrey fired. As Irene falls for her new butler, Godfrey turns the tables and teaches the frivolous Bullocks a lesson or two.", + "poster": "https://image.tmdb.org/t/p/w500/wtfOW7fIxBZWY78rvUoPpWhMSiR.jpg", + "url": "https://www.themoviedb.org/movie/13562", + "genres": [ + "Comedy" + ], + "tags": [ + "lovesickness", + "butler", + "scavenger hunt", + "screwball comedy", + "socialite", + "depression era", + "high society", + "lovesick", + "mentor protégé relationship", + "protégé", + "city dump", + "idle rich", + "propriety" + ] + }, + { + "ranking": 1136, + "title": "Beautiful Boy", + "year": "2018", + "runtime": 119, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.554, + "vote_count": 2614, + "description": "After he and his first wife separate, journalist David Sheff struggles to help their teenage son, who goes from experimenting with drugs to becoming devastatingly addicted to methamphetamine.", + "poster": "https://image.tmdb.org/t/p/w500/u2Gfv0mz3xePsgyCPHovrnFL1sB.jpg", + "url": "https://www.themoviedb.org/movie/451915", + "genres": [ + "Drama" + ], + "tags": [ + "based on novel or book", + "san francisco, california", + "drug addiction", + "biography", + "based on true story", + "drug rehabilitation", + "based on memoir or autobiography", + "father son relationship", + "dramatic" + ] + }, + { + "ranking": 1128, + "title": "Gandhi", + "year": "1982", + "runtime": 191, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.557, + "vote_count": 2331, + "description": "In the early years of the 20th century, Mohandas K. Gandhi, a British-trained lawyer, forsakes all worldly possessions to take up the cause of Indian independence. Faced with armed resistance from the British government, Gandhi adopts a policy of 'passive resistance', endeavouring to win freedom for his people without resorting to bloodshed.", + "poster": "https://image.tmdb.org/t/p/w500/rOXftt7SluxskrFrvU7qFJa5zeN.jpg", + "url": "https://www.themoviedb.org/movie/783", + "genres": [ + "Drama", + "History" + ], + "tags": [ + "muslim", + "strike", + "prayer", + "freedom", + "independence", + "release from prison", + "demonstration", + "world war ii", + "imprisonment", + "colony", + "hunger strike", + "hindu", + "british army", + "political negotiations", + "conference", + "nonviolent resistance", + "apartheid", + "british empire", + "protest", + "independence movement", + "biography", + "idealism", + "based on true story", + "idealist", + "fighting the system" + ] + }, + { + "ranking": 1124, + "title": "Cinderella Man", + "year": "2005", + "runtime": 144, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.558, + "vote_count": 2239, + "description": "The true story of boxer Jim Braddock who, following his retirement in the 1930s, makes a surprise comeback in order to lift his family out of poverty.", + "poster": "https://image.tmdb.org/t/p/w500/wkeOjIcpuqLMW4GnVowlM9VI0JE.jpg", + "url": "https://www.themoviedb.org/movie/921", + "genres": [ + "Romance", + "Drama", + "History" + ], + "tags": [ + "daughter", + "transporter", + "sports", + "world cup", + "irish-american", + "socially deprived family", + "boxer", + "family's daily life", + "affectation", + "netherlands", + "comeback", + "defeat", + "training", + "heavy weight", + "folk hero", + "biography", + "boxing" + ] + }, + { + "ranking": 1132, + "title": "Happy Together", + "year": "1997", + "runtime": 96, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.6, + "vote_count": 708, + "description": "A gay couple from Hong Kong takes a trip to Argentina in search of a new beginning but instead begins drifting even further apart.", + "poster": "https://image.tmdb.org/t/p/w500/jIv3EiZIC2tkBmjQ747Lyf5c61b.jpg", + "url": "https://www.themoviedb.org/movie/18329", + "genres": [ + "Drama", + "Romance" + ], + "tags": [ + "relationship problems", + "male homosexuality", + "argentina", + "lgbt", + "falling out of love", + "toxic relationship", + "gay theme", + "boys' love (bl)" + ] + }, + { + "ranking": 1138, + "title": "They Call Me Trinity", + "year": "1970", + "runtime": 115, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.547, + "vote_count": 1346, + "description": "The simple story has the pair coming to the rescue of peace-loving Mormons when land-hungry Major Harriman sends his bullies to harass them into giving up their fertile valley. Trinity and Bambino manage to save the Mormons and send the bad guys packing with slapstick humor instead of excessive violence, saving the day.", + "poster": "https://image.tmdb.org/t/p/w500/qY7iV4BJD5IXJU4iXlcZxKN8s9w.jpg", + "url": "https://www.themoviedb.org/movie/9394", + "genres": [ + "Action", + "Comedy", + "Western" + ], + "tags": [ + "gunslinger", + "sheriff", + "saloon", + "brother", + "ranch", + "settler", + "fake identity", + "parody", + "slapstick comedy", + "drifter", + "cowboy", + "mormon", + "spaghetti western", + "identity theft" + ] + }, + { + "ranking": 1125, + "title": "Gattaca", + "year": "1997", + "runtime": 106, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.6, + "vote_count": 6463, + "description": "Vincent is an all-too-human man who dares to defy a system obsessed with genetic perfection. He is an \"In-Valid\" who assumes the identity of a member of the genetic elite to pursue his goal of traveling into space with the Gattaca Aerospace Corporation.", + "poster": "https://image.tmdb.org/t/p/w500/eSKr5Fl1MEC7zpAXaLWBWSBjgJq.jpg", + "url": "https://www.themoviedb.org/movie/782", + "genres": [ + "Thriller", + "Science Fiction", + "Mystery", + "Romance" + ], + "tags": [ + "genetics", + "cheating", + "paraplegic", + "suicide attempt", + "dystopia", + "dna", + "new identity", + "investigation", + "heart disease", + "spaceman", + "fraud", + "space travel", + "fake identity", + "in vitro fertilisation", + "biotechnology", + "space mission", + "space", + "astronaut", + "swimming", + "exercise", + "eugenics", + "murder investigation", + "discrimination", + "brother brother relationship", + "authoritarian" + ] + }, + { + "ranking": 1131, + "title": "Treasure Planet", + "year": "2002", + "runtime": 95, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.6, + "vote_count": 4290, + "description": "When space galleon cabin boy Jim Hawkins discovers a map to an intergalactic \"loot of a thousand worlds,\" a cyborg cook named John Silver teaches him to battle supernovas and space storms on their journey to find treasure.", + "poster": "https://image.tmdb.org/t/p/w500/zMKatZ0c0NCoKzfizaCzVUcbKMf.jpg", + "url": "https://www.themoviedb.org/movie/9016", + "genres": [ + "Adventure", + "Animation", + "Family", + "Fantasy", + "Science Fiction" + ], + "tags": [ + "mutiny", + "space marine", + "based on novel or book", + "loss of loved one", + "cyborg", + "map", + "villain", + "pirate gang", + "treasure hunt", + "treasure map", + "alien", + "little boy", + "money", + "space", + "steampunk", + "planet", + "robot", + "troubled teen", + "robot cop", + "space pirate", + "flying ship", + "hoverboard", + "robot police", + "admiring" + ] + }, + { + "ranking": 1130, + "title": "Pandora", + "year": "2016", + "runtime": 136, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.556, + "vote_count": 476, + "description": "When an earthquake hits a Korean village housing a run-down nuclear power plant, a man risks his life to save the country from imminent disaster.", + "poster": "https://image.tmdb.org/t/p/w500/elTrkTm5GjynK3H26cpOZsWDYjy.jpg", + "url": "https://www.themoviedb.org/movie/429450", + "genres": [ + "Thriller", + "Drama", + "Action" + ], + "tags": [ + "small town", + "corruption", + "panic", + "earthquake", + "nuclear power plant", + "tragedy", + "disaster", + "explosion", + "tearjerker", + "nuclear fallout", + "nuclear catastrophe", + "busan, south korea", + "south korea" + ] + }, + { + "ranking": 1133, + "title": "Guess Who's Coming to Dinner", + "year": "1967", + "runtime": 108, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.6, + "vote_count": 857, + "description": "A couple's attitudes are challenged when their daughter brings home a fiancé who is black.", + "poster": "https://image.tmdb.org/t/p/w500/fkHeYWahNbhxhuLefaAg553lYo5.jpg", + "url": "https://www.themoviedb.org/movie/1879", + "genres": [ + "Drama", + "Romance" + ], + "tags": [ + "marriage proposal", + "san francisco, california", + "vacation", + "ruling class", + "interracial relationship", + "dinner", + "doctor", + "art gallery", + "widower", + "miscegenation", + "publisher" + ] + }, + { + "ranking": 1121, + "title": "The Consequences of Love", + "year": "2004", + "runtime": 100, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.6, + "vote_count": 851, + "description": "Lugano, Switzerland. Titta Di Girolamo is a discreet and sullen man who has been living for almost a decade in a modest hotel room, a prisoner of an atrocious routine, apparently without purpose. His past is a mystery, nobody knows what he does for a living, he answers indiscreet questions evasively. What secrets does this enigmatic man hide?", + "poster": "https://image.tmdb.org/t/p/w500/2ubdrvMHcRTFzkUdmSIuvupLqRS.jpg", + "url": "https://www.themoviedb.org/movie/24653", + "genres": [ + "Drama", + "Thriller" + ], + "tags": [] + }, + { + "ranking": 1137, + "title": "The Wolf's Call", + "year": "2019", + "runtime": 115, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.55, + "vote_count": 2038, + "description": "Shown from the perspective of a young submariner with unusually sensitive hearing and uncannily precise sound recognition. The fate of many often depends on his ability, and one time, whilst highly stressed, he makes a incorrect call which put his entire crew in mortal danger. Trying to regain the confidence of his comrades, he conducts an unauthorised investigation of an apparent plot which, it turns out, risks escalating into a nuclear apocalypse. Suddenly working under pressure with the fleet admiral, they must do whatever is necessary, even the unthinkable, to prevent a nuclear war, since a confirmed nuclear strike order cannot be countermanded.", + "poster": "https://image.tmdb.org/t/p/w500/8bxIzp9w9l9ZzGVwNaIKOaem05A.jpg", + "url": "https://www.themoviedb.org/movie/484468", + "genres": [ + "Thriller", + "Action", + "Adventure" + ], + "tags": [ + "nuclear missile", + "chain of command", + "sonar", + "nuclear submarine", + "french army" + ] + }, + { + "ranking": 1139, + "title": "Synecdoche, New York", + "year": "2008", + "runtime": 124, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.55, + "vote_count": 1453, + "description": "A theater director struggles with his work, and the women in his life, as he attempts to create a life-size replica of New York inside a warehouse as part of his new play.", + "poster": "https://image.tmdb.org/t/p/w500/5UwdhrjXhUgsiDhe1dpS9z4yj7q.jpg", + "url": "https://www.themoviedb.org/movie/4960", + "genres": [ + "Drama" + ], + "tags": [ + "depression", + "new york city", + "nihilism", + "philosophy", + "surreal", + "surrealism", + "man woman relationship", + "theater director", + "romance", + "writer", + "divorce", + "magic realism", + "existentialism", + "meaningless existence", + "philosophical" + ] + }, + { + "ranking": 1140, + "title": "The Hand of God", + "year": "2021", + "runtime": 130, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.549, + "vote_count": 1674, + "description": "In 1980s Naples, Italy, an awkward Italian teen struggling to find his place experiences heartbreak and liberation after he's inadvertently saved from a freak accident by football legend Diego Maradona.", + "poster": "https://image.tmdb.org/t/p/w500/kreVxr5moB7K52IGGV1BGAn6nq1.jpg", + "url": "https://www.themoviedb.org/movie/722778", + "genres": [ + "Drama" + ], + "tags": [ + "italy", + "naples, italy", + "loss of virginity", + "family relationships", + "coming of age", + "poverty", + "teenage boy", + "football (soccer) fan", + "semi autobiographical", + "1980s" + ] + }, + { + "ranking": 1146, + "title": "Dragon Ball Z: Bardock - The Father of Goku", + "year": "1990", + "runtime": 48, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.547, + "vote_count": 715, + "description": "Bardock, Son Goku's father, is a low-ranking Saiyan soldier who was given the power to see into the future by the last remaining alien on a planet he just destroyed. He witnesses the destruction of his race and must now do his best to stop Frieza's impending massacre.", + "poster": "https://image.tmdb.org/t/p/w500/docwOsWZuwJKQdwcYJtQPBcg6bm.jpg", + "url": "https://www.themoviedb.org/movie/39323", + "genres": [ + "Animation", + "Action", + "Science Fiction", + "Drama", + "Fantasy" + ], + "tags": [ + "precognition", + "alien", + "prequel", + "based on manga", + "destruction of planet", + "genocide", + "anime", + "future vision", + "tv special", + "home planet" + ] + }, + { + "ranking": 1144, + "title": "Doctor Zhivago", + "year": "1965", + "runtime": 200, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.549, + "vote_count": 1178, + "description": "The life of a Russian physician and poet who, although married to another, falls in love with a political activist's wife and experiences hardship during World War I and then the October Revolution.", + "poster": "https://image.tmdb.org/t/p/w500/r0Iv2BiCFYDnzc6uU1q3AJ56igT.jpg", + "url": "https://www.themoviedb.org/movie/907", + "genres": [ + "Drama", + "Romance", + "War" + ], + "tags": [ + "epic", + "daughter", + "based on novel or book", + "love triangle", + "nurse", + "world war i", + "suicide attempt", + "loss of loved one", + "forbidden love", + "stepparents", + "russian revolution (1917)", + "1910s", + "dramatic", + "condescending", + "melodramatic" + ] + }, + { + "ranking": 1150, + "title": "Anatomy of a Fall", + "year": "2023", + "runtime": 151, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.547, + "vote_count": 2737, + "description": "A woman is suspected of her husband's murder, and their blind son faces a moral dilemma as the sole witness.", + "poster": "https://image.tmdb.org/t/p/w500/kQs6keheMwCxJxrzV83VUwFtHkB.jpg", + "url": "https://www.themoviedb.org/movie/915935", + "genres": [ + "Thriller", + "Mystery", + "Crime" + ], + "tags": [ + "husband wife relationship", + "winter", + "bisexuality", + "moral conflict", + "autopsy", + "blind", + "courtroom", + "lgbt", + "death of husband", + "woman director", + "moral dilemma", + "courtroom drama", + "complex", + "mother son relationship", + "introspective", + "bisexual woman", + "grenoble", + "suspenseful", + "tense", + "amused", + "human mystery" + ] + }, + { + "ranking": 1151, + "title": "The Bad Guys", + "year": "2022", + "runtime": 100, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.5, + "vote_count": 2131, + "description": "When the Bad Guys, a crew of criminal animals, are finally caught after years of heists and being the world’s most-wanted villains, Mr. Wolf brokers a deal to save them all from prison.", + "poster": "https://image.tmdb.org/t/p/w500/7qop80YfuO0BwJa1uXk1DXUUEwv.jpg", + "url": "https://www.themoviedb.org/movie/629542", + "genres": [ + "Family", + "Animation", + "Adventure", + "Comedy", + "Crime" + ], + "tags": [ + "based on novel or book", + "snake", + "wolf", + "affectation", + "spider", + "villain", + "heist", + "anthropomorphism", + "shark", + "guinea pig", + "piranha", + "duringcreditsstinger", + "zealous", + "wonder", + "understated", + "sentimental", + "amused", + "awestruck", + "cheerful", + "cliché", + "complicated", + "empathetic", + "enchant", + "enthusiastic", + "euphoric", + "excited", + "modest" + ] + }, + { + "ranking": 1149, + "title": "Evil Dead II", + "year": "1987", + "runtime": 84, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.546, + "vote_count": 3195, + "description": "Ash Williams and his girlfriend Linda find a log cabin in the woods with a voice recording from an archeologist who had recorded himself reciting ancient chants from \"The Book of the Dead.\" As they play the recording an evil power is unleashed taking over Linda's body.", + "poster": "https://image.tmdb.org/t/p/w500/4zqCKJVHUolGs6C5AZwAZqLWixW.jpg", + "url": "https://www.themoviedb.org/movie/765", + "genres": [ + "Horror", + "Comedy", + "Fantasy" + ], + "tags": [ + "deer", + "tape recorder", + "chainsaw", + "spirit", + "over the top", + "book of the dead", + "evil dead", + "eyeball", + "necronomicon", + "tarmac", + "meat cleaver", + "psychotronic", + "shocking" + ] + }, + { + "ranking": 1145, + "title": "Tell It to the Bees", + "year": "2018", + "runtime": 106, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.5, + "vote_count": 448, + "description": "Dr. Jean Markham returns to the town she left as a teenager to take over her late father's medical practice. When a school-yard scuffle lands Charlie in her surgery, she invites him to visit the hives in her garden and tell his secrets to the bees, as she once did. The new friendship between the boy and the bee keeper brings his mother Lydia into Jean's world.", + "poster": "https://image.tmdb.org/t/p/w500/Rj6zpHhMU1zFW3v28U4PSRSRgP.jpg", + "url": "https://www.themoviedb.org/movie/475888", + "genres": [ + "Romance", + "Drama" + ], + "tags": [ + "based on novel or book", + "scotland", + "lesbian relationship", + "working class", + "lgbt", + "woman director", + "1950s", + "failed marriage", + "beekeeper", + "lesbian" + ] + }, + { + "ranking": 1155, + "title": "A Few Good Men", + "year": "1992", + "runtime": 138, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.5, + "vote_count": 3744, + "description": "When cocky military lawyer Lt. Daniel Kaffee and his co-counsel, Lt. Cmdr. JoAnne Galloway, are assigned to a murder case, they uncover a hazing ritual that could implicate high-ranking officials such as shady Col. Nathan Jessep.", + "poster": "https://image.tmdb.org/t/p/w500/rLOk4z9zL1tTukIYV56P94aZXKk.jpg", + "url": "https://www.themoviedb.org/movie/881", + "genres": [ + "Drama" + ], + "tags": [ + "underdog", + "dying and death", + "suicide", + "navy", + "right and justice", + "court case", + "suspicion of murder", + "guantanamo bay", + "marine corps", + "military court", + "code red", + "command", + "military base", + "u.s. navy", + "sexism", + "based on play or musical", + "flashback", + "court martial", + "platoon leader", + "military law", + "legal thriller" + ] + }, + { + "ranking": 1157, + "title": "Barfi!", + "year": "2012", + "runtime": 151, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.5, + "vote_count": 328, + "description": "The heartwarming tale of Barfi, a charming deaf-mute young man from 1970s Darjeeling, and two unalike women who can't help but fall for him.", + "poster": "https://image.tmdb.org/t/p/w500/3dMcxaL0oD79nc31FQK5D7YZ3Kv.jpg", + "url": "https://www.themoviedb.org/movie/127501", + "genres": [ + "Drama", + "Romance", + "Comedy" + ], + "tags": [ + "deaf-mute", + "autism", + "love", + "wedding", + "handicapped", + "bollywood" + ] + }, + { + "ranking": 1153, + "title": "The Round Up", + "year": "2010", + "runtime": 115, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.5, + "vote_count": 1014, + "description": "A faithful retelling of the 1942 \"Vel' d'Hiv Roundup\" and the events surrounding it.", + "poster": "https://image.tmdb.org/t/p/w500/9osPoGTddZZfMUzFDs82n57y2wQ.jpg", + "url": "https://www.themoviedb.org/movie/41411", + "genres": [ + "Drama", + "History", + "War" + ], + "tags": [ + "paris, france", + "war crimes", + "world war ii", + "based on true story", + "woman director", + "nazi occupation", + "jewish family", + "occupied france (1940-44)", + "nazi crimes", + "story but true", + "based on real events", + "inspired by true story", + "escape from nazi germany" + ] + }, + { + "ranking": 1148, + "title": "Moulin Rouge!", + "year": "2001", + "runtime": 128, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.547, + "vote_count": 4583, + "description": "A celebration of love and creative inspiration takes place in the infamous, gaudy and glamorous Parisian nightclub, at the cusp of the 20th century. A young poet, who is plunged into the heady world of Moulin Rouge, begins a passionate affair with the club's most notorious and beautiful star.", + "poster": "https://image.tmdb.org/t/p/w500/viSoNC4CA8VTcY1xUYIbdEyPLuG.jpg", + "url": "https://www.themoviedb.org/movie/824", + "genres": [ + "Drama", + "Romance", + "Music" + ], + "tags": [ + "paris, france", + "nightclub", + "fairy", + "courtesan", + "duke", + "musical", + "poet", + "terminal illness", + "love", + "writer", + "prostitution", + "death", + "illness", + "rouge", + "tuberculosis", + "bohemian", + "dance hall", + "19th century", + "1900s", + "belle epoque", + "dying in arms", + "jukebox musical", + "moulin rouge" + ] + }, + { + "ranking": 1142, + "title": "Secrets & Lies", + "year": "1996", + "runtime": 142, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.5, + "vote_count": 659, + "description": "After her adoptive mother dies, Hortense, a successful black optometrist, seeks out her birth mother. She's shocked when her research leads her to Cynthia, a working class white woman.", + "poster": "https://image.tmdb.org/t/p/w500/zQBuRQ3hrLhkEsXcxteUxuxLrvs.jpg", + "url": "https://www.themoviedb.org/movie/11159", + "genres": [ + "Drama" + ], + "tags": [ + "london, england", + "parent child relationship", + "adoption", + "socially deprived family", + "reunion", + "candid", + "loving" + ] + }, + { + "ranking": 1152, + "title": "We Need to Talk About Kevin", + "year": "2011", + "runtime": 113, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.5, + "vote_count": 2863, + "description": "After her son Kevin commits a horrific act, troubled mother Eva reflects on her complicated relationship with her disturbed son as he grew from a toddler into a teenager.", + "poster": "https://image.tmdb.org/t/p/w500/auAmiRmbBQ5QIYGpWgcGBoBQY3b.jpg", + "url": "https://www.themoviedb.org/movie/71859", + "genres": [ + "Drama", + "Thriller" + ], + "tags": [ + "based on novel or book", + "psychopath", + "mass murder", + "pregnancy", + "violence in schools", + "robin hood", + "connecticut", + "flashback", + "sociopath", + "murder", + "massacre", + "suburb", + "parenting", + "killing spree", + "prison visit", + "bow and arrow", + "school shooting", + "evil child", + "woman director", + "disturbed", + "angry", + "small community", + "desperate", + "teenage killer", + "mother son relationship", + "malicious", + "independent film", + "teenager", + "apathetic", + "audacious", + "baffled", + "bewildered" + ] + }, + { + "ranking": 1143, + "title": "L'Avventura", + "year": "1960", + "runtime": 144, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.5, + "vote_count": 698, + "description": "Claudia and Anna join Anna's lover, Sandro, on a boat trip to a remote volcanic island. When Anna goes missing, a search is launched. In the meantime, Sandro and Claudia become involved in a romance despite Anna's disappearance, though the relationship suffers from guilt and tension.", + "poster": "https://image.tmdb.org/t/p/w500/7kUXAS8K7Ihw1T1mhARjnLuMVk3.jpg", + "url": "https://www.themoviedb.org/movie/5165", + "genres": [ + "Drama", + "Mystery" + ], + "tags": [ + "island", + "mediterranean", + "police", + "architect", + "boating trip" + ] + }, + { + "ranking": 1154, + "title": "Angels with Dirty Faces", + "year": "1938", + "runtime": 97, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.537, + "vote_count": 324, + "description": "Childhood chums Rocky Sullivan and Jerry Connelly grow up on opposite sides of the fence: Rocky matures into a prominent gangster, while Jerry becomes a priest, tending to the needs of his old tenement neighborhood.", + "poster": "https://image.tmdb.org/t/p/w500/k23E4UAcow8eczLRmVCMdukL4Mx.jpg", + "url": "https://www.themoviedb.org/movie/13696", + "genres": [ + "Crime", + "Drama" + ], + "tags": [ + "casino", + "based on novel or book", + "gangster", + "black and white", + "dead end kids", + "juvenile delinquent", + "reform school", + "catholic priest" + ] + }, + { + "ranking": 1160, + "title": "Good Bye, Lenin!", + "year": "2003", + "runtime": 121, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.5, + "vote_count": 2450, + "description": "Alex Kerner's mother was in a coma while the Berlin wall fell. When she wakes up he must try to keep her from learning what happened (as she was an avid communist supporter) to avoid shocking her which could lead to another heart attack.", + "poster": "https://image.tmdb.org/t/p/w500/uHk1oGEbnvQGLnyiiYxTslZLoog.jpg", + "url": "https://www.themoviedb.org/movie/338", + "genres": [ + "Comedy", + "Drama" + ], + "tags": [ + "husband wife relationship", + "coma", + "bureaucracy", + "police state", + "berlin wall", + "loss of loved one", + "german democratic republic", + "socialism", + "single" + ] + }, + { + "ranking": 1147, + "title": "4 Months, 3 Weeks and 2 Days", + "year": "2007", + "runtime": 114, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.548, + "vote_count": 745, + "description": "Two college roommates have 24 hours to make the ultimate choice as they finalize arrangements for a black market abortion.", + "poster": "https://image.tmdb.org/t/p/w500/acEtvzFPeOQwbzRWncjRLenhnKV.jpg", + "url": "https://www.themoviedb.org/movie/2009", + "genres": [ + "Drama" + ], + "tags": [ + "hotel room", + "rape", + "sexual abuse", + "bureaucracy", + "totalitarian regime", + "cohabitant", + "female friendship", + "dormitory", + "best friend", + "contraception", + "unwanted pregnancy", + "communism", + "romanian", + "college student", + "1980s", + "abortion" + ] + }, + { + "ranking": 1141, + "title": "Manchester by the Sea", + "year": "2016", + "runtime": 138, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.549, + "vote_count": 5940, + "description": "After his older brother passes away, Lee Chandler is forced to return home to care for his 16-year-old nephew. There he is compelled to deal with a tragic past that separated him from his family and the community where he was born and raised.", + "poster": "https://image.tmdb.org/t/p/w500/o9VXYOuaJxCEKOxbA86xqtwmqYn.jpg", + "url": "https://www.themoviedb.org/movie/334541", + "genres": [ + "Drama" + ], + "tags": [ + "funeral", + "boston, massachusetts", + "brother", + "boat", + "sadness", + "massachusetts", + "loss", + "dysfunctional family", + "grief", + "hospital", + "house fire", + "death", + "nephew", + "ex-wife", + "nonlinear timeline", + "mental health", + "ex-husband ex-wife relationship", + "legal guardian", + "dysfunctional life", + "depressed" + ] + }, + { + "ranking": 1156, + "title": "True Romance", + "year": "1993", + "runtime": 118, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.545, + "vote_count": 2798, + "description": "Clarence marries hooker Alabama, steals cocaine from her pimp, and tries to sell it in Hollywood, while the owners of the coke try to reclaim it.", + "poster": "https://image.tmdb.org/t/p/w500/39lXk6ud6KiJgGbbWI2PUKS7y2.jpg", + "url": "https://www.themoviedb.org/movie/319", + "genres": [ + "Action", + "Crime", + "Romance" + ], + "tags": [ + "hotel", + "parent child relationship", + "movie business", + "detective", + "mexican standoff", + "pimp", + "cocaine", + "ex-cop", + "love", + "murder", + "on the run", + "mafia", + "comic book shop", + "los angeles, california", + "drugs", + "detroit, michigan", + "illegal prostitution", + "sicilian", + "gun violence", + "aspiring actor", + "neo-noir", + "intimate", + "suspenseful", + "intense", + "comforting", + "euphoric" + ] + }, + { + "ranking": 1158, + "title": "The Ghost and Mrs. Muir", + "year": "1947", + "runtime": 105, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.544, + "vote_count": 318, + "description": "A young British widow rents a seaside cottage and soon becomes haunted by the ghost of its former owner.", + "poster": "https://image.tmdb.org/t/p/w500/idoD3cwfwj86BPvVoWVgWhnT2xq.jpg", + "url": "https://www.themoviedb.org/movie/22292", + "genres": [ + "Romance", + "Fantasy", + "Drama" + ], + "tags": [ + "sea", + "captain", + "widow", + "bedroom", + "cottage", + "dog", + "seaside", + "ghost", + "children's book", + "seaside town", + "solitude", + "cad", + "dorset", + "1900s" + ] + }, + { + "ranking": 1159, + "title": "Blood Diamond", + "year": "2006", + "runtime": 143, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.544, + "vote_count": 7783, + "description": "An ex-mercenary turned smuggler. A Mende fisherman. Amid the explosive civil war overtaking 1999 Sierra Leone, these men join for two desperate missions: recovering a rare pink diamond of immense value and rescuing the fisherman's son, conscripted as a child soldier into the brutal rebel forces ripping a swath of torture and bloodshed countrywide.", + "poster": "https://image.tmdb.org/t/p/w500/tnLxPpajkbVdbQl5B9CuD7sSpz9.jpg", + "url": "https://www.themoviedb.org/movie/1372", + "genres": [ + "Drama", + "Thriller", + "Action" + ], + "tags": [ + "bootlegger", + "journalist", + "smuggling (contraband)", + "loss of loved one", + "africa", + "rwandan genocide", + "rebel", + "journalism", + "slavery", + "fisherman", + "mercenary", + "diamond mine", + "sierra leone", + "special unit", + "oppression", + "macabre", + "1990s", + "private military company", + "inspirational", + "sinister", + "set in africa" + ] + }, + { + "ranking": 1163, + "title": "I Can't Think Straight", + "year": "2008", + "runtime": 80, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.5, + "vote_count": 312, + "description": "Tala, a London-based Palestinian, is preparing for her elaborate Middle Eastern wedding when she meets Leyla, a young British Indian woman who is dating her best friend. Spirited Christian Tala and shy Muslim Leyla could not be more different from each other, but the attraction is immediate and goes deeper than friendship. But Tala is not ready to accept the implications of the choice her heart has made for her and escapes back to Jordan, while Leyla tries to move on with her new-found life, to the shock of her tradition-loving parents. As Tala's wedding day approaches, simmering tensions come to boiling point and the pressure mounts for Tala to be true to herself.", + "poster": "https://image.tmdb.org/t/p/w500/cC33ZIJnoeC8J8C7fDoXpCXkyA3.jpg", + "url": "https://www.themoviedb.org/movie/31216", + "genres": [ + "Drama", + "Romance" + ], + "tags": [ + "lgbt", + "woman director", + "lesbian" + ] + }, + { + "ranking": 1161, + "title": "The Wizards Return: Alex vs. Alex", + "year": "2013", + "runtime": 60, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.5, + "vote_count": 911, + "description": "While trying to prove to her family she can be mature and responsible, teen wizard Alex Russo conjures up a spell to rid herself of her bad qualities, unintentionally creating a Good and Evil Alex. When Evil Alex gets involved in a plan to take over the world by a dark wizard, Good Alex must find a way to save her family, humankind, and ultimately herself in an epic Good vs. Evil battle.", + "poster": "https://image.tmdb.org/t/p/w500/iWL88DymJrzO6hYI1ykUeUohqef.jpg", + "url": "https://www.themoviedb.org/movie/178682", + "genres": [ + "Family", + "Comedy", + "TV Movie", + "Fantasy" + ], + "tags": [ + "wizard" + ] + }, + { + "ranking": 1162, + "title": "Hotel Mumbai", + "year": "2019", + "runtime": 123, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.5, + "vote_count": 1599, + "description": "Mumbai, India, November 26, 2008. While several terrorists spread hatred and death through the city, others attack the Taj Mahal Palace Hotel. Both hotel staff and guests risk their lives, making unthinkable sacrifices to protect themselves and keep everyone safe while help arrives.", + "poster": "https://image.tmdb.org/t/p/w500/v32SC4HFZtlDRWXMaR2V2dWqAXJ.jpg", + "url": "https://www.themoviedb.org/movie/416144", + "genres": [ + "Thriller", + "History", + "Drama", + "Action" + ], + "tags": [ + "husband wife relationship", + "mumbai (bombay), india", + "based on true story", + "india", + "struggle for survival", + "religious fundamentalism", + "terrorist attack", + "luxury hotel", + "2000s", + "islamic terrorism" + ] + }, + { + "ranking": 1164, + "title": "Dark Waters", + "year": "2019", + "runtime": 127, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.541, + "vote_count": 2269, + "description": "A tenacious attorney uncovers a dark secret that connects a growing number of unexplained deaths to one of the world's largest corporations. In the process, he risks everything — his future, his family, and his own life — to expose the truth.", + "poster": "https://image.tmdb.org/t/p/w500/bzvzaHqKBSuGIIWhinTQPHvT0zf.jpg", + "url": "https://www.themoviedb.org/movie/552178", + "genres": [ + "Drama", + "Thriller" + ], + "tags": [ + "pollution", + "grave", + "biography", + "based on true story", + "lawsuit", + "west virginia", + "cancer", + "lawyer", + "biting", + "farmer", + "water pollution", + "questioning", + "government corruption", + "mysterious", + "paranoid", + "grim", + "1990s", + "somber", + "based on magazine, newspaper or article", + "anxious", + "legal thriller", + "chemical contamination", + "blood test", + "clinical", + "suspenseful", + "critical", + "tense", + "foreboding", + "ominous" + ] + }, + { + "ranking": 1172, + "title": "The Iron Claw", + "year": "2023", + "runtime": 132, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.5, + "vote_count": 975, + "description": "The true story of the inseparable Von Erich brothers, who made history in the intensely competitive world of professional wrestling in the early 1980s. Through tragedy and triumph, under the shadow of their domineering father and coach, the brothers seek larger-than-life immortality on the biggest stage in sports.", + "poster": "https://image.tmdb.org/t/p/w500/lsdismtCDga4vsKnmliz0h7CaZT.jpg", + "url": "https://www.themoviedb.org/movie/850165", + "genres": [ + "History", + "Drama" + ], + "tags": [ + "suicide", + "coma", + "sports", + "1970s", + "texas", + "wrestling", + "brotherhood", + "biography", + "dallas texas", + "based on true story", + "family relationships", + "grief", + "tragedy", + "curse", + "family", + "death", + "mental illness", + "overbearing father", + "mourning", + "death of brother", + "1980s", + "grim", + "toxic masculinity", + "brothers", + "intimate", + "wwf", + "depressing", + "adoring", + "compassionate", + "powerful", + "tragic", + "male mental health" + ] + }, + { + "ranking": 1176, + "title": "Ugly, Dirty and Bad", + "year": "1976", + "runtime": 115, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.539, + "vote_count": 318, + "description": "Giacinto lives with his wife, their ten children and various other family members in a shack on the hills of Rome. Some time ago he has lost his left eye while at work, and got a consistent sum of money from the insurance company, which he keeps hidden from the rest of the family. His whole life is now based on defending the money he sees as his own, while the rest of the family tries to kill him.", + "poster": "https://image.tmdb.org/t/p/w500/fnq2BD4VKESBTT0kNf8JTPk1Myo.jpg", + "url": "https://www.themoviedb.org/movie/19413", + "genres": [ + "Comedy", + "Drama" + ], + "tags": [] + }, + { + "ranking": 1167, + "title": "Spartacus", + "year": "1960", + "runtime": 197, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.5, + "vote_count": 2195, + "description": "The rebellious Thracian Spartacus, born and raised a slave, is sold to Gladiator trainer Batiatus. After weeks of being trained to kill for the arena, Spartacus turns on his owners and leads the other slaves in rebellion. As the rebels move from town to town, their numbers swell as escaped slaves join their ranks. Under the leadership of Spartacus, they make their way to southern Italy, where they will cross the sea and return to their homes.", + "poster": "https://image.tmdb.org/t/p/w500/xLPpQlFWE12cbqNJQ5Vf4eJU8ij.jpg", + "url": "https://www.themoviedb.org/movie/967", + "genres": [ + "History", + "War", + "Drama", + "Adventure" + ], + "tags": [ + "epic", + "gladiator", + "roman empire", + "gladiator fight", + "slavery", + "insurgence", + "ancient rome", + "historical fiction", + "torture", + "ancient world", + "slave", + "technicolor", + "criterion", + "escaped slave", + "1st century" + ] + }, + { + "ranking": 1165, + "title": "Italian Race", + "year": "2016", + "runtime": 119, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.541, + "vote_count": 950, + "description": "Giulia De Martino is a pilot. At seventeen she participates in the GT Championship, under the guidance of her father Mario. But one day everything changes and Giulia has to face alone both the track and her own life.", + "poster": "https://image.tmdb.org/t/p/w500/nicStobkEYh9iJO6CC3UqolQRsK.jpg", + "url": "https://www.themoviedb.org/movie/375572", + "genres": [ + "Drama", + "Action" + ], + "tags": [ + "sports", + "racing", + "motorsport" + ] + }, + { + "ranking": 1173, + "title": "The Book of Life", + "year": "2014", + "runtime": 95, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.5, + "vote_count": 2747, + "description": "The journey of Manolo, a young man who is torn between fulfilling the expectations of his family and following his heart. Before choosing which path to follow, he embarks on an incredible adventure that spans three fantastical worlds where he must face his greatest fears.", + "poster": "https://image.tmdb.org/t/p/w500/aotTZos5KswgCryEzx2rlOjFsm1.jpg", + "url": "https://www.themoviedb.org/movie/228326", + "genres": [ + "Animation", + "Adventure", + "Comedy", + "Family", + "Fantasy" + ], + "tags": [ + "mexico", + "bullfighting", + "love triangle", + "afterlife", + "day of the dead", + "overcoming fears" + ] + }, + { + "ranking": 1168, + "title": "Captain Phillips", + "year": "2013", + "runtime": 134, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.5, + "vote_count": 7042, + "description": "The true story of Captain Richard Phillips and the 2009 hijacking by Somali pirates of the US-flagged MV Maersk Alabama, the first American cargo ship to be hijacked in two hundred years.", + "poster": "https://image.tmdb.org/t/p/w500/gAH73mMU7rgGZrpYkFYgFgSNHs5.jpg", + "url": "https://www.themoviedb.org/movie/109424", + "genres": [ + "Action", + "Drama", + "Thriller" + ], + "tags": [ + "ship", + "africa", + "fisherman", + "hijacking", + "somalia", + "poverty", + "pirate", + "terrorism", + "commando", + "hijack", + "cargo ship", + "ship hijacking", + "somali", + "set in africa" + ] + }, + { + "ranking": 1179, + "title": "The Conjuring", + "year": "2013", + "runtime": 112, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.5, + "vote_count": 11752, + "description": "Paranormal investigators Ed and Lorraine Warren work to help a family terrorized by a dark presence in their farmhouse. Forced to confront a powerful entity, the Warrens find themselves caught in the most terrifying case of their lives.", + "poster": "https://image.tmdb.org/t/p/w500/wVYREutTvI2tmxr6ujrHT704wGF.jpg", + "url": "https://www.themoviedb.org/movie/138843", + "genres": [ + "Horror", + "Thriller" + ], + "tags": [ + "sibling relationship", + "1970s", + "cellar", + "exorcism", + "haunted house", + "possession", + "satanism", + "rhode island", + "based on true story", + "paranormal investigation", + "crucifix", + "ghost", + "disturbed", + "demonic", + "demonology", + "psychic vision", + "dramatic", + "the conjuring universe", + "frightened" + ] + }, + { + "ranking": 1166, + "title": "Lady Snowblood", + "year": "1973", + "runtime": 97, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.541, + "vote_count": 375, + "description": "Yuki's family is nearly wiped out before she is born due to the machinations of a band of criminals. These criminals kidnap and brutalize her mother but leave her alive. Later her mother ends up in prison with only revenge to keep her alive. She creates an instrument for this revenge by purposefully getting pregnant. Yuki never knows the love of a family but only killing and revenge.", + "poster": "https://image.tmdb.org/t/p/w500/wkcbaqCoYEXDUnSQ6NTnB2C7H05.jpg", + "url": "https://www.themoviedb.org/movie/2487", + "genres": [ + "Action", + "Crime", + "Drama" + ], + "tags": [ + "japan", + "revenge", + "blood bath", + "rape and revenge", + "meiji period" + ] + }, + { + "ranking": 1175, + "title": "The Blue Umbrella", + "year": "2013", + "runtime": 7, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.5, + "vote_count": 563, + "description": "It is just another evening commute until the rain starts to fall, and the city comes alive to the sound of dripping rain pipes, whistling awnings and gurgling gutters.", + "poster": "https://image.tmdb.org/t/p/w500/iSWV7ra8HJ3gYnZFMMrPe8CBbrv.jpg", + "url": "https://www.themoviedb.org/movie/200481", + "genres": [ + "Animation", + "Romance" + ], + "tags": [ + "rain", + "anthropomorphism", + "umbrella", + "selective coloring", + "short film" + ] + }, + { + "ranking": 1178, + "title": "Big George Foreman", + "year": "2023", + "runtime": 129, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.538, + "vote_count": 304, + "description": "Fueled by an impoverished childhood, George Foreman channeled his anger into becoming an Olympic Gold medalist and World Heavyweight Champion, followed by a near-death experience that took him from the boxing ring to the pulpit. But when he sees his community struggling spiritually and financially, Foreman returns to the ring and makes history by reclaiming his title, becoming the oldest and most improbable World Heavyweight Boxing Champion ever.", + "poster": "https://image.tmdb.org/t/p/w500/fdVd6thTstt0MQ4dUC1IXiOXpxv.jpg", + "url": "https://www.themoviedb.org/movie/878361", + "genres": [ + "History", + "Drama" + ], + "tags": [ + "adultery", + "sports", + "1970s", + "texas", + "biography", + "family", + "1980s", + "1960s", + "boxing" + ] + }, + { + "ranking": 1170, + "title": "Let the Right One In", + "year": "2008", + "runtime": 115, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.54, + "vote_count": 2996, + "description": "When Oskar, a sensitive, bullied 12-year-old boy, meets his new neighbor, the mysterious and moody Eli, they strike up a friendship. Initially reserved with each other, Oskar and Eli slowly form a close bond, but it soon becomes apparent that she is no ordinary young girl.", + "poster": "https://image.tmdb.org/t/p/w500/7IG4WjaAOVDlLvLUkh513HSwhW8.jpg", + "url": "https://www.themoviedb.org/movie/13310", + "genres": [ + "Horror", + "Drama" + ], + "tags": [ + "based on novel or book", + "vampire", + "sweden", + "bullying", + "castration", + "bully", + "child vampire", + "murder", + "androgyny", + "new neighbor", + "nostalgic", + "young love", + "romantic" + ] + }, + { + "ranking": 1180, + "title": "Cure", + "year": "1997", + "runtime": 112, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.5, + "vote_count": 585, + "description": "A detective starts spiraling out of control when a wave of gruesome murders with seemingly similar bizarre circumstances is sweeping Tokyo.", + "poster": "https://image.tmdb.org/t/p/w500/nLZ2AJFLtMoAAAD54mbT4exj1Wp.jpg", + "url": "https://www.themoviedb.org/movie/36095", + "genres": [ + "Crime", + "Thriller", + "Horror", + "Mystery" + ], + "tags": [ + "hotel", + "prostitute", + "amnesia", + "based on novel or book", + "investigation", + "hallucination", + "interview", + "murder", + "serial killer", + "tokyo, japan", + "interrogation", + "stranger", + "hypnotism", + "psychosis", + "record player", + "mental hospital", + "neo-noir", + "personality disorder" + ] + }, + { + "ranking": 1174, + "title": "Fury", + "year": "2014", + "runtime": 135, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.539, + "vote_count": 12183, + "description": "In the last months of World War II, as the Allies make their final push in the European theatre, a battle-hardened U.S. Army sergeant named 'Wardaddy' commands a Sherman tank called 'Fury' and its five-man crew on a deadly mission behind enemy lines. Outnumbered and outgunned, Wardaddy and his men face overwhelming odds in their heroic attempts to strike at the heart of Nazi Germany.", + "poster": "https://image.tmdb.org/t/p/w500/pfte7wdMobMF4CVHuOxyu6oqeeA.jpg", + "url": "https://www.themoviedb.org/movie/228150", + "genres": [ + "War", + "Drama", + "Action" + ], + "tags": [ + "hero", + "nazi", + "ambush", + "bravery", + "world war ii", + "heroism", + "tank", + "europe", + "execution", + "battle", + "brutality", + "hatred", + "tank battle", + "1940s", + "enclosed space", + "beating the odds", + "european theatre", + "tanks" + ] + }, + { + "ranking": 1171, + "title": "East of Eden", + "year": "1955", + "runtime": 115, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.5, + "vote_count": 759, + "description": "In the Salinas Valley in and around World War I, Cal Trask feels he must compete against overwhelming odds with his brother for the love of their father. Cal is frustrated at every turn, from his reaction to the war, how to get ahead in business and in life, and how to relate to his estranged mother.", + "poster": "https://image.tmdb.org/t/p/w500/xv1MZVIop0SQqwLUymgE5eb2LFl.jpg", + "url": "https://www.themoviedb.org/movie/220", + "genres": [ + "Drama" + ], + "tags": [ + "individual", + "sibling relationship", + "based on novel or book", + "southern usa", + "birthday", + "rebel", + "big wheel", + "love", + "money", + "beans", + "1910s", + "monterey" + ] + }, + { + "ranking": 1177, + "title": "Lady Vengeance", + "year": "2005", + "runtime": 115, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.5, + "vote_count": 1711, + "description": "Released after being wrongfully convicted and imprisoned for 13 years, a woman begins executing her elaborate plan of retribution.", + "poster": "https://image.tmdb.org/t/p/w500/7F7Ozn0QpqkVvuv1kC2XpbuFvn9.jpg", + "url": "https://www.themoviedb.org/movie/4550", + "genres": [ + "Drama", + "Thriller" + ], + "tags": [ + "prison", + "women's prison", + "revenge", + "vengeance", + "waiting for revenge", + "absurd" + ] + }, + { + "ranking": 1169, + "title": "From Up on Poppy Hill", + "year": "2011", + "runtime": 91, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.5, + "vote_count": 1795, + "description": "Yokohama, 1963. Japan is picking itself up from the devastation of World War II and preparing to host the 1964 Olympics—and the mood is one of both optimism and conflict as the young generation struggles to throw off the shackles of a troubled past. Against this backdrop of hope and change, a friendship begins to blossom between high school students Umi and Shun—but a buried secret from their past emerges to cast a shadow on the future and pull them apart.", + "poster": "https://image.tmdb.org/t/p/w500/rRLYX4RZIyloHSJwvZKAhphAjiB.jpg", + "url": "https://www.themoviedb.org/movie/83389", + "genres": [ + "Animation", + "Drama" + ], + "tags": [ + "high school", + "students' movement", + "romance", + "based on manga", + "teenage love", + "dead father", + "clubhouse", + "post war japan", + "1960s", + "anime", + "yokohama", + "change vs tradition", + "japanese economic miracle" + ] + }, + { + "ranking": 1181, + "title": "Cure", + "year": "1997", + "runtime": 112, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.5, + "vote_count": 585, + "description": "A detective starts spiraling out of control when a wave of gruesome murders with seemingly similar bizarre circumstances is sweeping Tokyo.", + "poster": "https://image.tmdb.org/t/p/w500/nLZ2AJFLtMoAAAD54mbT4exj1Wp.jpg", + "url": "https://www.themoviedb.org/movie/36095", + "genres": [ + "Crime", + "Thriller", + "Horror", + "Mystery" + ], + "tags": [ + "hotel", + "prostitute", + "amnesia", + "based on novel or book", + "investigation", + "hallucination", + "interview", + "murder", + "serial killer", + "tokyo, japan", + "interrogation", + "stranger", + "hypnotism", + "psychosis", + "record player", + "mental hospital", + "neo-noir", + "personality disorder" + ] + }, + { + "ranking": 1184, + "title": "Lady Snowblood", + "year": "1973", + "runtime": 97, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.541, + "vote_count": 375, + "description": "Yuki's family is nearly wiped out before she is born due to the machinations of a band of criminals. These criminals kidnap and brutalize her mother but leave her alive. Later her mother ends up in prison with only revenge to keep her alive. She creates an instrument for this revenge by purposefully getting pregnant. Yuki never knows the love of a family but only killing and revenge.", + "poster": "https://image.tmdb.org/t/p/w500/wkcbaqCoYEXDUnSQ6NTnB2C7H05.jpg", + "url": "https://www.themoviedb.org/movie/2487", + "genres": [ + "Action", + "Crime", + "Drama" + ], + "tags": [ + "japan", + "revenge", + "blood bath", + "rape and revenge", + "meiji period" + ] + }, + { + "ranking": 1183, + "title": "Shaun of the Dead", + "year": "2004", + "runtime": 99, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.538, + "vote_count": 8655, + "description": "Shaun lives a supremely uneventful life, which revolves around his girlfriend, his mother, and, above all, his local pub. This gentle routine is threatened when the dead return to life and make strenuous attempts to snack on ordinary Londoners.", + "poster": "https://image.tmdb.org/t/p/w500/dgXPhzNJH8HFTBjXPB177yNx6RI.jpg", + "url": "https://www.themoviedb.org/movie/747", + "genres": [ + "Horror", + "Comedy" + ], + "tags": [ + "london, england", + "dark comedy", + "satire", + "surrey", + "parody", + "slacker", + "friends", + "survival", + "zombie", + "cynical", + "survival horror", + "british pub", + "boyfriend girlfriend relationship", + "taunting", + "zombie apocalypse", + "frantic", + "satirical", + "desperate", + "anxious", + "playful", + "dramatic", + "suspenseful", + "witty", + "amused", + "defiant", + "exuberant", + "farcical" + ] + }, + { + "ranking": 1182, + "title": "Facing the Giants", + "year": "2006", + "runtime": 111, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.5, + "vote_count": 448, + "description": "A losing coach with an underdog football team faces their giants of fear and failure on and off the field to surprising results.", + "poster": "https://image.tmdb.org/t/p/w500/1eY8O7fIGcmwetNqvwnnkQB0LYK.jpg", + "url": "https://www.themoviedb.org/movie/18925", + "genres": [ + "Drama" + ], + "tags": [ + "underdog", + "sports", + "faith", + "american football", + "american football coach", + "coach", + "american football team", + "aftercreditsstinger", + "christian", + "high school american football" + ] + }, + { + "ranking": 1192, + "title": "The Second Tragic Fantozzi", + "year": "1976", + "runtime": 110, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.5, + "vote_count": 599, + "description": "The frustrating adventures of a humble employee who all the time has to fullfill the wishes and desires of his bosses.", + "poster": "https://image.tmdb.org/t/p/w500/c51PWa2X6QoxE3q7zai0vayvrUO.jpg", + "url": "https://www.themoviedb.org/movie/37769", + "genres": [ + "Comedy" + ], + "tags": [] + }, + { + "ranking": 1191, + "title": "Cold Eyes", + "year": "2013", + "runtime": 119, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.5, + "vote_count": 354, + "description": "Ha Yoon-ju becomes the newest member of a unit within the Korean Police Forces Special Crime Department that specializes in surveillance activities on high-profile criminals. She teams up with Hwang Sang-jun, the veteran leader of the unit, and tries to track down James who is the cold-hearted leader of an armed criminal organization.", + "poster": "https://image.tmdb.org/t/p/w500/i1a1rk2qPrxIF5pYyBB2oSTa6OR.jpg", + "url": "https://www.themoviedb.org/movie/204553", + "genres": [ + "Crime", + "Action", + "Thriller" + ], + "tags": [ + "cold eyes" + ] + }, + { + "ranking": 1188, + "title": "Stray Dog", + "year": "1949", + "runtime": 122, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.5, + "vote_count": 314, + "description": "A bad day gets worse for young detective Murakami when a pickpocket steals his gun on a hot, crowded bus. Desperate to right the wrong, he goes undercover, scavenging Tokyo’s sweltering streets for the stray dog whose desperation has led him to a life of crime. With each step, cop and criminal’s lives become more intertwined and the investigation becomes an examination of Murakami’s own dark side.", + "poster": "https://image.tmdb.org/t/p/w500/riBzUgeYawBDi2q9PjARjHrQM7Z.jpg", + "url": "https://www.themoviedb.org/movie/30368", + "genres": [ + "Crime", + "Drama", + "Thriller", + "Mystery" + ], + "tags": [ + "gun", + "detective", + "film noir", + "tokyo, japan", + "post war japan", + "heatwave" + ] + }, + { + "ranking": 1185, + "title": "Donnie Brasco", + "year": "1997", + "runtime": 147, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.536, + "vote_count": 4522, + "description": "An FBI undercover agent infiltrates the mob and identifies more with the mafia life at the expense of his regular one.", + "poster": "https://image.tmdb.org/t/p/w500/xtKLvpOfARi1XVm8u2FTdhY5Piq.jpg", + "url": "https://www.themoviedb.org/movie/9366", + "genres": [ + "Crime", + "Drama", + "Thriller" + ], + "tags": [ + "florida", + "new york city", + "undercover", + "gangster", + "1970s", + "based on true story", + "mobster", + "mafia", + "dirty cop", + "informant", + "surveillance", + "card playing", + "stealing money", + "marriage counselor", + "drug deal", + "fbi agent" + ] + }, + { + "ranking": 1197, + "title": "Sling Blade", + "year": "1996", + "runtime": 135, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.5, + "vote_count": 799, + "description": "Karl Childers, a mentally disabled man, has been in the custody of the state mental hospital since the age of 12 for killing his mother and her lover. Although thoroughly institutionalized, he is deemed fit to be released into the outside world.", + "poster": "https://image.tmdb.org/t/p/w500/ivBIBd1LNaozcmytZUyE1yIXZms.jpg", + "url": "https://www.themoviedb.org/movie/12498", + "genres": [ + "Drama" + ], + "tags": [ + "arkansas", + "repair shop", + "southern", + "death threat", + "religious art", + "father figure", + "intellectual disability" + ] + }, + { + "ranking": 1186, + "title": "Work It", + "year": "2020", + "runtime": 93, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.5, + "vote_count": 1177, + "description": "A brilliant but clumsy high school senior vows to get into her late father's alma mater by transforming herself and a misfit squad into dance champions.", + "poster": "https://image.tmdb.org/t/p/w500/b5XfICAvUe8beWExBz97i0Qw4Qh.jpg", + "url": "https://www.themoviedb.org/movie/612706", + "genres": [ + "Comedy", + "Music" + ], + "tags": [ + "high school", + "dance competition", + "teen movie", + "interracial romance", + "playful", + "inspirational", + "witty", + "cheerful", + "comforting" + ] + }, + { + "ranking": 1196, + "title": "The Revenant", + "year": "2015", + "runtime": 157, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.5, + "vote_count": 18356, + "description": "In the 1820s, a frontiersman, Hugh Glass, sets out on a path of vengeance against those who left him for dead after a bear mauling.", + "poster": "https://image.tmdb.org/t/p/w500/ji3ecJphATlVgWNY0B0RVXZizdf.jpg", + "url": "https://www.themoviedb.org/movie/281957", + "genres": [ + "Western", + "Drama", + "Adventure" + ], + "tags": [ + "rape", + "based on novel or book", + "parent child relationship", + "winter", + "child murder", + "mountain", + "grizzly bear", + "animal attack", + "wilderness", + "gore", + "native american", + "forest", + "based on true story", + "liar", + "fur trapping", + "frontier", + "remake", + "revenge", + "survival", + "murder", + "bear", + "snow", + "scalping", + "animals", + "nature", + "wild west", + "bear attack", + "indian attack", + "dead horse", + "starvation", + "19th century", + "wolves", + "ice" + ] + }, + { + "ranking": 1189, + "title": "The Beasts", + "year": "2022", + "runtime": 138, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.533, + "vote_count": 766, + "description": "Antoine and Olga, a French couple, have been living in a small village in Galicia for a long time. They practice eco-responsible agriculture and restore abandoned houses to facilitate repopulation. Everything should be idyllic but for their opposition to a wind turbine project that creates a serious conflict with their neighbors. The tension will rise to the point of irreparability.", + "poster": "https://image.tmdb.org/t/p/w500/ytWMRYLlusyzMFFjyuFRY1liteR.jpg", + "url": "https://www.themoviedb.org/movie/848685", + "genres": [ + "Thriller", + "Drama" + ], + "tags": [] + }, + { + "ranking": 1200, + "title": "Dogman", + "year": "2018", + "runtime": 103, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.532, + "vote_count": 2218, + "description": "Marcello, a small and gentle dog groomer, finds himself involved in a dangerous relationship of subjugation with Simone, a former violent boxer who terrorizes the entire neighborhood. In an effort to reaffirm his dignity, Marcello will submit to an unexpected act of vengeance.", + "poster": "https://image.tmdb.org/t/p/w500/eaZq1G8sJHv9f9a5IzioQlS3REX.jpg", + "url": "https://www.themoviedb.org/movie/483184", + "genres": [ + "Crime", + "Drama", + "Thriller" + ], + "tags": [ + "italy", + "robber", + "cocaine", + "revenge", + "dog cage", + "father daughter relationship" + ] + }, + { + "ranking": 1190, + "title": "Me and Earl and the Dying Girl", + "year": "2015", + "runtime": 105, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.534, + "vote_count": 2597, + "description": "Greg is coasting through senior year of high school as anonymously as possible, avoiding social interactions like the plague while secretly making spirited, bizarre films with Earl, his only friend. But both his anonymity and friendship threaten to unravel when his mother forces him to befriend a classmate with leukemia.", + "poster": "https://image.tmdb.org/t/p/w500/eLjS2bLMjln2n2I73Xu6TaANPDZ.jpg", + "url": "https://www.themoviedb.org/movie/308369", + "genres": [ + "Drama", + "Comedy" + ], + "tags": [ + "high school", + "tattoo", + "based on novel or book", + "affectation", + "parody", + "leukemia", + "coming of age", + "friends", + "cancer", + "teenage boy", + "high school student", + "pittsburgh, pennsylvania", + "candid", + "based on young adult novel", + "teenager", + "absurd", + "critical", + "admiring", + "adoring", + "amused", + "complicated", + "empathetic", + "familiar", + "melodramatic" + ] + }, + { + "ranking": 1194, + "title": "The Wolf and the Lion", + "year": "2021", + "runtime": 99, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.5, + "vote_count": 459, + "description": "After her grandfather's death, 20-year-old Alma decides to go back to her childhood home - a little island in the heart of the majestic Canadian forest. Whilst there, she rescues two helpless cubs: a wolf and a lion. They forge an inseparable bond, but their world soon collapses as the forest ranger discovers the animals and takes them away. The two cub brothers must now embark on a treacherous journey across Canada to be reunited with one another and Alma once more.", + "poster": "https://image.tmdb.org/t/p/w500/x3JsrunysUwsIV9XS7hQtZG4knm.jpg", + "url": "https://www.themoviedb.org/movie/780382", + "genres": [ + "Family", + "Adventure", + "Drama" + ], + "tags": [] + }, + { + "ranking": 1198, + "title": "Malcolm X", + "year": "1992", + "runtime": 202, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.533, + "vote_count": 1708, + "description": "A tribute to the controversial black activist and leader of the struggle for black liberation. He hit bottom during his imprisonment in the '50s, he became a Black Muslim and then a leader in the Nation of Islam. His assassination in 1965 left a legacy of self-determination and racial pride.", + "poster": "https://image.tmdb.org/t/p/w500/o2s9ow0uRRm1BcF3teznk5twd90.jpg", + "url": "https://www.themoviedb.org/movie/1883", + "genres": [ + "Drama", + "History" + ], + "tags": [ + "prison", + "new york city", + "police brutality", + "beach", + "assassination", + "muslim", + "police", + "ku klux klan", + "prison cell", + "koran", + "jail guard", + "bible", + "civil rights", + "islam", + "biography", + "martin luther king", + "nation of islam", + "mekka", + "pilgrimage", + "cabriolet", + "historical figure", + "based on memoir or autobiography", + "blunt", + "african american history", + "pathetic", + "adoring", + "cliché", + "powerful" + ] + }, + { + "ranking": 1187, + "title": "The Call", + "year": "2020", + "runtime": 112, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.535, + "vote_count": 848, + "description": "Connected by phone in the same home but 20 years apart, a serial killer puts another woman’s past — and life — on the line to change her own fate.", + "poster": "https://image.tmdb.org/t/p/w500/oz8hvZHg7tIdGwh0ErPRhobJKPR.jpg", + "url": "https://www.themoviedb.org/movie/575604", + "genres": [ + "Thriller", + "Mystery", + "Science Fiction" + ], + "tags": [ + "psychopath", + "remake", + "serial killer", + "changing the past or future", + "time paradox", + "thecall" + ] + }, + { + "ranking": 1199, + "title": "Mission: Impossible - Dead Reckoning Part One", + "year": "2023", + "runtime": 164, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.5, + "vote_count": 4107, + "description": "Ethan Hunt and his IMF team embark on their most dangerous mission yet: To track down a terrifying new weapon that threatens all of humanity before it falls into the wrong hands. With control of the future and the world's fate at stake and dark forces from Ethan's past closing in, a deadly race around the globe begins. Confronted by a mysterious, all-powerful enemy, Ethan must consider that nothing can matter more than his mission—not even the lives of those he cares about most.", + "poster": "https://image.tmdb.org/t/p/w500/NNxYkU70HPurnNCSiCjYAmacwm.jpg", + "url": "https://www.themoviedb.org/movie/575264", + "genres": [ + "Action", + "Adventure" + ], + "tags": [ + "race against time", + "mission", + "rome, italy", + "chase", + "secret mission", + "secret agent", + "sequel", + "intelligence agency", + "rogue agent", + "based on tv series", + "secret government agency", + "northern norway", + "action" + ] + }, + { + "ranking": 1193, + "title": "Police Story", + "year": "1985", + "runtime": 99, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.5, + "vote_count": 910, + "description": "Officer Chan Ka Kui manages to put a major Hong Kong drug dealer behind the bars practically alone, after a shooting and an impressive chase inside a slum. Now, he must protect the boss' secretary, Selina, who will testify against the gangster in court.", + "poster": "https://image.tmdb.org/t/p/w500/q8YfsyX59OmoSDirXT4CyThwN5f.jpg", + "url": "https://www.themoviedb.org/movie/9056", + "genres": [ + "Action", + "Crime", + "Comedy" + ], + "tags": [ + "martial arts", + "kung fu", + "undercover", + "chase", + "gangster", + "fistfight", + "car crash", + "sword fight", + "murder", + "organized crime", + "police chase", + "hong kong", + "action hero", + "awestruck" + ] + }, + { + "ranking": 1195, + "title": "Trollhunters: Rise of the Titans", + "year": "2021", + "runtime": 106, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.5, + "vote_count": 335, + "description": "The Guardians of Arcadia reunite to battle the nefarious Arcane Order, who've reawakened the primordial Titans.", + "poster": "https://image.tmdb.org/t/p/w500/zvUNFeTz0Sssb210wSiIiHRjA4W.jpg", + "url": "https://www.themoviedb.org/movie/730840", + "genres": [ + "Animation", + "Fantasy", + "Family", + "Action", + "Adventure" + ], + "tags": [ + "tales of arcadia" + ] + }, + { + "ranking": 1202, + "title": "Serpico", + "year": "1973", + "runtime": 130, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.532, + "vote_count": 1978, + "description": "New York cop Frank Serpico blows the whistle on the rampant corruption in the force only to have his comrades turn against him.", + "poster": "https://image.tmdb.org/t/p/w500/pRagfd10PPWryFRSzLPIivfAXHJ.jpg", + "url": "https://www.themoviedb.org/movie/9040", + "genres": [ + "Crime", + "Drama" + ], + "tags": [ + "new york city", + "corruption", + "hippie", + "police", + "biography", + "idealism", + "based on true story", + "idealist", + "money", + "undercover cop", + "internal affairs", + "police corruption", + "biting", + "social justice", + "police vigilantism", + "questioning", + "whistleblower", + "grim", + "serious", + "cops", + "fighting the system", + "tense", + "intense", + "sinister", + "antagonistic", + "arrogant", + "callous", + "disgusted", + "enraged", + "informative" + ] + }, + { + "ranking": 1207, + "title": "Winter Sleep", + "year": "2014", + "runtime": 196, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.5, + "vote_count": 563, + "description": "Aydın is a hotel owner and a retired actor in rural Turkey. As winter emerges he begins navigating the conflicts within the relationships with his wife, sister and existence.", + "poster": "https://image.tmdb.org/t/p/w500/d6iHm2jf7J1f5n23MprTOsrlMdr.jpg", + "url": "https://www.themoviedb.org/movie/265169", + "genres": [ + "Drama" + ], + "tags": [ + "hotel", + "husband wife relationship", + "retirement", + "rural area", + "writer", + "anatolia, turkey" + ] + }, + { + "ranking": 1201, + "title": "Bianca", + "year": "1984", + "runtime": 96, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.5, + "vote_count": 391, + "description": "Eccentric and full of manias, Michele is a young high school professor who defines himself as “not used to happiness”. He realizes his life is meaningless if he doesn’t have a woman by his side but, after a series of rather disastrous experiences, he feels more alone than ever. Then, out of the blue, a new French teacher called Bianca arrives at school. Amongst uncertainties and contradictions, the two start dating. In the meantime, a series of homicides take place and a police officer begins to suspect that Michele is involved. Bianca will save him providing an alibi at the right moment, but then, everything goes wrong again.", + "poster": "https://image.tmdb.org/t/p/w500/ufRG8d4fNbeueW3UFcWfe4ekhJj.jpg", + "url": "https://www.themoviedb.org/movie/15014", + "genres": [ + "Drama", + "Comedy", + "Mystery" + ], + "tags": [ + "investigation", + "psychoanalysis", + "school teacher", + "death of neighbor", + "1980s" + ] + }, + { + "ranking": 1205, + "title": "Bringing Up Baby", + "year": "1938", + "runtime": 102, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.5, + "vote_count": 996, + "description": "David Huxley is waiting to get a bone he needs for his museum collection. Through a series of strange circumstances, he meets Susan Vance, and the duo have a series of misadventures which include a leopard called Baby.", + "poster": "https://image.tmdb.org/t/p/w500/vTNNOtemaYmtx3k2NpsLMRJKEwZ.jpg", + "url": "https://www.themoviedb.org/movie/900", + "genres": [ + "Comedy", + "Romance" + ], + "tags": [ + "prison", + "donation", + "museum", + "zoo", + "affectation", + "paleontologist", + "leopard", + "bone", + "cross dressing", + "black and white", + "screwball comedy", + "lighthearted", + "audacious", + "cheerful" + ] + }, + { + "ranking": 1215, + "title": "Emergency Declaration", + "year": "2022", + "runtime": 140, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.5, + "vote_count": 375, + "description": "While investigating a terroristic threat that goes viral online, Korean authorities discover that a suspect has recently boarded an international flight bound for the United States. When a healthy passenger on the same flight suddenly dies a gruesome death of unknown cause, panic erupts both in-flight and on the ground. With steadily decreasing fuel and international refusals to offer aid, the captain and crew will be forced to take unprecedented emergency measures in an attempt to save the lives of their passengers.", + "poster": "https://image.tmdb.org/t/p/w500/hxxtBWo50hwD37Q5cLEzaSDVyKZ.jpg", + "url": "https://www.themoviedb.org/movie/626872", + "genres": [ + "Action", + "Drama", + "Thriller" + ], + "tags": [ + "airplane", + "pilot", + "emergency landing", + "flight", + "airplane hijacking", + "aviation", + "terrorism", + "hijack", + "flight attendant", + "microbiology", + "bio terrorism", + "enclosed space" + ] + }, + { + "ranking": 1210, + "title": "Lupin the Third: The Castle of Cagliostro", + "year": "1979", + "runtime": 102, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.5, + "vote_count": 1047, + "description": "After a successful robbery leaves famed thief Lupin the Third and his partner Jigen with nothing but a large amount of expertly crafted counterfeit bills, he decides to track down the forgers responsible—and steal any other treasures he may find in the Castle of Cagliostro, including the 'damsel in distress' he finds imprisoned there.", + "poster": "https://image.tmdb.org/t/p/w500/hSFdyWptoDHuXlFZGzIrfVell4Q.jpg", + "url": "https://www.themoviedb.org/movie/15371", + "genres": [ + "Animation", + "Adventure", + "Comedy", + "Crime" + ], + "tags": [ + "treasure", + "samurai", + "casino", + "clock tower", + "castle", + "count", + "based on comic", + "thief", + "counterfeit", + "based on manga", + "counterfeit money", + "anime", + "based on tv series", + "whimsical", + "vibrant" + ] + }, + { + "ranking": 1204, + "title": "The Flu", + "year": "2013", + "runtime": 122, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.531, + "vote_count": 1201, + "description": "A case of the flu quickly morphs into a pandemic. As the death toll mounts and the living panic, the government plans extreme measures to contain it.", + "poster": "https://image.tmdb.org/t/p/w500/mvTXhTddHIZbOU9pmrcPODI1kRx.jpg", + "url": "https://www.themoviedb.org/movie/200085", + "genres": [ + "Action", + "Science Fiction", + "Thriller" + ], + "tags": [ + "quarantine", + "police", + "flu", + "survival", + "disaster", + "doctor", + "lethal virus", + "epidemic", + "virus", + "influenza", + "mother daughter relationship" + ] + }, + { + "ranking": 1209, + "title": "The Sandlot", + "year": "1993", + "runtime": 101, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.53, + "vote_count": 1200, + "description": "During a summer of friendship and adventure, one boy becomes a part of the gang, nine boys become a team and their leader becomes a legend by confronting the terrifying mystery beyond the right field wall.", + "poster": "https://image.tmdb.org/t/p/w500/7PYqz0viEuW8qTvuGinUMjDWMnj.jpg", + "url": "https://www.themoviedb.org/movie/11528", + "genres": [ + "Family", + "Comedy" + ], + "tags": [ + "sports", + "baseball", + "tree house", + "dog", + "fourth of july", + "san fernando valley", + "fence", + "1960s", + "mastiff", + "kids' sports team" + ] + }, + { + "ranking": 1211, + "title": "The Wrestler", + "year": "2008", + "runtime": 109, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.529, + "vote_count": 3714, + "description": "Aging wrestler Randy \"The Ram\" Robinson is long past his prime but still ready and rarin' to go on the pro-wrestling circuit. After a particularly brutal beating, however, Randy hangs up his tights, pursues a serious relationship with a long-in-the-tooth stripper, and tries to reconnect with his estranged daughter. But he can't resist the lure of the ring and readies himself for a comeback.", + "poster": "https://image.tmdb.org/t/p/w500/6OTR8dSoNGjWohJNo3UhIGd3Tj.jpg", + "url": "https://www.themoviedb.org/movie/12163", + "genres": [ + "Drama", + "Romance" + ], + "tags": [ + "daughter", + "new jersey", + "supermarket", + "heart attack", + "redemption", + "ambition", + "barbed wire", + "stripper", + "steroids", + "fame", + "pro wrestling", + "pro wrestlers" + ] + }, + { + "ranking": 1203, + "title": "Predator", + "year": "1987", + "runtime": 107, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.532, + "vote_count": 8294, + "description": "A team of elite commandos on a secret mission in a Central American jungle come to find themselves hunted by an extraterrestrial warrior.", + "poster": "https://image.tmdb.org/t/p/w500/k3mW4qfJo6SKqe6laRyNGnbB9n5.jpg", + "url": "https://www.themoviedb.org/movie/106", + "genres": [ + "Science Fiction", + "Action", + "Adventure", + "Thriller" + ], + "tags": [ + "guerrilla warfare", + "central and south america", + "predator", + "trap", + "alien", + "survival", + "stalking", + "creature", + "alien invasion", + "invisible", + "commando", + "prey", + "furious", + "violence", + "suspenseful", + "hilarious" + ] + }, + { + "ranking": 1208, + "title": "Mr. Deeds Goes to Town", + "year": "1936", + "runtime": 115, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.5, + "vote_count": 370, + "description": "Longfellow Deeds lives in a small town, leading a small town kind of life. When a relative dies and leaves Deeds a fortune, Longfellow moves to the big city where he becomes an instant target for everyone. Deeds outwits them all until Babe Bennett comes along. When small-town boy meets big-city girl anything can, and does, happen.", + "poster": "https://image.tmdb.org/t/p/w500/9xBuHtiB4CwtEciWdUd28VvhkJO.jpg", + "url": "https://www.themoviedb.org/movie/24807", + "genres": [ + "Comedy", + "Drama", + "Romance" + ], + "tags": [ + "new york city", + "newspaper", + "small town", + "postcard", + "money", + "lawyer", + "reporter", + "black and white", + "vermont", + "heir", + "tuba", + "tuba player", + "damsel in distress" + ] + }, + { + "ranking": 1206, + "title": "Teen Titans Go! vs. Teen Titans", + "year": "2019", + "runtime": 76, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.53, + "vote_count": 491, + "description": "The comedic modern-day quintet takes on their 2003 counterparts when villains from each of their worlds join forces to pit the two Titan teams against each other. They'll need to set aside their differences and work together to combat Trigon, Hexagon, Santa Claus (that's right, Santa!) and time itself in order to save the multiverse.", + "poster": "https://image.tmdb.org/t/p/w500/GWJEdzVC9aOBSOMF9NHodYxSsE.jpg", + "url": "https://www.themoviedb.org/movie/556901", + "genres": [ + "Action", + "Animation", + "Comedy", + "Family", + "Fantasy", + "Science Fiction" + ], + "tags": [ + "hero", + "superhero", + "superhero team", + "absurd" + ] + }, + { + "ranking": 1217, + "title": "Dragon Ball Z: Fusion Reborn", + "year": "1995", + "runtime": 55, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.527, + "vote_count": 867, + "description": "Not paying attention to his job, a young demon allows the evil cleansing machine to overflow and explode, turning the young demon into the infamous monster Janemba. Goku and Vegeta make solo attempts to defeat the monster, but realize their only option is fusion.", + "poster": "https://image.tmdb.org/t/p/w500/7AHvaEAeQfkfJ4OqcBePxa2ao09.jpg", + "url": "https://www.themoviedb.org/movie/39107", + "genres": [ + "Animation", + "Action", + "Fantasy", + "Science Fiction" + ], + "tags": [ + "martial arts", + "fight", + "based on manga", + "demon", + "shounen", + "anime" + ] + }, + { + "ranking": 1220, + "title": "Zodiac", + "year": "2007", + "runtime": 157, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.5, + "vote_count": 10758, + "description": "The Zodiac murders cause the lives of Paul Avery, David Toschi and Robert Graysmith to intersect.", + "poster": "https://image.tmdb.org/t/p/w500/6YmeO4pB7XTh8P8F960O1uA14JO.jpg", + "url": "https://www.themoviedb.org/movie/1949", + "genres": [ + "Crime", + "Drama", + "Mystery", + "Thriller" + ], + "tags": [ + "newspaper", + "journalist", + "california", + "based on novel or book", + "police", + "san francisco, california", + "killing", + "detective", + "1970s", + "investigation", + "victim", + "code", + "murder", + "serial killer", + "crime scene", + "reporter", + "whodunit", + "alcoholic", + "young man", + "fourth of july", + "newspaper article", + "curious", + "cartoonist", + "1960s", + "zodiac killer", + "clinical", + "bar", + "ambiguous", + "foreboding", + "ominous" + ] + }, + { + "ranking": 1219, + "title": "The Crow", + "year": "1994", + "runtime": 102, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.5, + "vote_count": 4193, + "description": "Exactly one year after young rock guitarist Eric Draven and his fiancée are brutally killed by a ruthless gang of criminals, Draven, watched over by a hypnotic crow, returns from the grave to exact revenge.", + "poster": "https://image.tmdb.org/t/p/w500/rMMB3v6jYHjsvXRNJYESacoTD7j.jpg", + "url": "https://www.themoviedb.org/movie/9495", + "genres": [ + "Fantasy", + "Action", + "Thriller" + ], + "tags": [ + "martial arts", + "superhero", + "supernatural", + "halloween", + "crow", + "based on comic", + "revenge", + "arson", + "vigilante", + "tragic hero", + "back from the dead", + "sadist", + "detroit, michigan", + "gothic", + "urban setting", + "aggressive", + "neo-noir", + "urban gothic", + "supernatural power", + "vigilante justice", + "good versus evil", + "horror", + "bold", + "straightforward", + "tragic" + ] + }, + { + "ranking": 1218, + "title": "Black Narcissus", + "year": "1947", + "runtime": 100, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.526, + "vote_count": 486, + "description": "A group of Anglican nuns, led by Sister Clodagh, are sent to a mountain in the Himalayas. The climate in the region is hostile and the nuns are housed in an odd old palace. They work to establish a school and a hospital, but slowly their focus shifts. Sister Ruth falls for a government worker, Mr. Dean, and begins to question her vow of celibacy. As Sister Ruth obsesses over Mr. Dean, Sister Clodagh becomes immersed in her own memories of love.", + "poster": "https://image.tmdb.org/t/p/w500/jSbFWWbkUq5N5ikewJHNATcWnxS.jpg", + "url": "https://www.themoviedb.org/movie/16391", + "genres": [ + "Drama" + ], + "tags": [ + "based on novel or book", + "himalaya mountain range", + "nun", + "mountain", + "forbidden love", + "india", + "bengal" + ] + }, + { + "ranking": 1214, + "title": "The Day of the Jackal", + "year": "1973", + "runtime": 143, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.528, + "vote_count": 594, + "description": "An international assassin known as ‘The Jackal’ is employed by disgruntled French generals to kill President Charles de Gaulle, with a dedicated gendarme on the assassin’s trail.", + "poster": "https://image.tmdb.org/t/p/w500/vThgcb3JOj99yETg8WChuci4LV2.jpg", + "url": "https://www.themoviedb.org/movie/4909", + "genres": [ + "Action", + "Thriller" + ], + "tags": [ + "assassin", + "assassination", + "france", + "paris, france", + "based on novel or book", + "police", + "hitman", + "traitor", + "castle", + "fake identity", + "disguise", + "denunciation" + ] + }, + { + "ranking": 1212, + "title": "Lilo & Stitch", + "year": "2002", + "runtime": 85, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.529, + "vote_count": 6387, + "description": "As Stitch, a runaway genetic experiment from a faraway planet, wreaks havoc on the Hawaiian Islands, he becomes the mischievous adopted alien \"puppy\" of an independent little girl named Lilo and learns about loyalty, friendship, and ʻohana, the Hawaiian tradition of family.", + "poster": "https://image.tmdb.org/t/p/w500/d73UqZWyw3MUMpeaFcENgLZ2kWS.jpg", + "url": "https://www.themoviedb.org/movie/11544", + "genres": [ + "Animation", + "Family", + "Comedy" + ], + "tags": [ + "sibling relationship", + "mutation", + "extraterrestrial technology", + "hawaii", + "adoption", + "villain", + "alien life-form", + "alien", + "dog", + "dead parents", + "native hawaiian", + "playful" + ] + }, + { + "ranking": 1213, + "title": "The Girl with the Dragon Tattoo", + "year": "2009", + "runtime": 152, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.5, + "vote_count": 2999, + "description": "Swedish thriller based on Stieg Larsson's novel about a male journalist and a young female hacker. In the opening of the movie, Mikael Blomkvist, a middle-aged publisher for the magazine Millennium, loses a libel case brought by corrupt Swedish industrialist Hans-Erik Wennerström. Nevertheless, he is hired by Henrik Vanger in order to solve a cold case, the disappearance of Vanger's niece", + "poster": "https://image.tmdb.org/t/p/w500/j4Ra0SvYM08winX6fxn6AknlygV.jpg", + "url": "https://www.themoviedb.org/movie/15472", + "genres": [ + "Drama", + "Thriller", + "Crime", + "Mystery" + ], + "tags": [ + "journalist", + "island", + "bondage", + "rape", + "strong woman", + "hacker", + "based on novel or book", + "blow job", + "antisocial personality disorder", + "female protagonist", + "whodunit", + "newspaper man", + "millennium", + "female empowerment", + "locked room mystery" + ] + }, + { + "ranking": 1216, + "title": "X-Men: Days of Future Past", + "year": "2014", + "runtime": 132, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.5, + "vote_count": 15501, + "description": "The ultimate X-Men ensemble fights a war for the survival of the species across two time periods as they join forces with their younger selves in an epic battle that must change the past – to save our future.", + "poster": "https://image.tmdb.org/t/p/w500/tYfijzolzgoMOtegh1Y7j2Enorg.jpg", + "url": "https://www.themoviedb.org/movie/127585", + "genres": [ + "Action", + "Adventure", + "Science Fiction" + ], + "tags": [ + "1970s", + "superhero", + "mutant", + "time travel", + "based on comic", + "superhuman", + "storm", + "political intrigue ", + "extinction", + "beast", + "claws", + "aftercreditsstinger", + "duringcreditsstinger", + "changing the past or future", + "dramatic" + ] + }, + { + "ranking": 1227, + "title": "The Machinist", + "year": "2004", + "runtime": 101, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.5, + "vote_count": 5682, + "description": "Trevor, an insomniac lathe operator, experiences unusual occurrences at work and home. A strange man follows him everywhere, but no one else seems to notice him.", + "poster": "https://image.tmdb.org/t/p/w500/vA6G0sVHPkJh580F7AtwXuQ7AAW.jpg", + "url": "https://www.themoviedb.org/movie/4553", + "genres": [ + "Thriller", + "Drama" + ], + "tags": [ + "factory", + "insomnia", + "post it", + "machinist", + "osha", + "taunting", + "manhole", + "one armed man", + "torment", + "mother's day", + "losing weight", + "old photograph", + "dostoevsky" + ] + }, + { + "ranking": 1235, + "title": "Midnight Cowboy", + "year": "1969", + "runtime": 113, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.5, + "vote_count": 1453, + "description": "Joe Buck is a wide-eyed hustler from Texas hoping to score big with wealthy New York City women; he finds a companion in Enrico \"Ratso\" Rizzo, an ailing swindler with a bum leg and a quixotic fantasy of escaping to Florida.", + "poster": "https://image.tmdb.org/t/p/w500/f7YLzOxwWzeEdo7RhAlPSBTYa8.jpg", + "url": "https://www.themoviedb.org/movie/3116", + "genres": [ + "Drama" + ], + "tags": [ + "new york city", + "friendship", + "prostitute", + "rape", + "based on novel or book", + "shower", + "texas", + "hustler", + "homelessness", + "rape of a male", + "male homosexuality", + "male prostitution", + "fish out of water", + "gang rape", + "cynical", + "lgbt", + "male bonding", + "polio", + "1960s", + "anxious", + "cautionary", + "provocative" + ] + }, + { + "ranking": 1229, + "title": "Rurouni Kenshin Part I: Origins", + "year": "2012", + "runtime": 134, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.525, + "vote_count": 833, + "description": "In 1868, after the Bakumatsu war ends, the ex-assassin Kenshin Himura traverses Japan with an inverted sword, to defend the needy without killing.", + "poster": "https://image.tmdb.org/t/p/w500/vo3Zs07PZfKNsTrU0pcPZONJcN5.jpg", + "url": "https://www.themoviedb.org/movie/127533", + "genres": [ + "Adventure", + "Action", + "Fantasy", + "War", + "History" + ], + "tags": [ + "japan", + "assassin", + "samurai", + "based on manga", + "jidaigeki", + "shinsengumi", + "19th century", + "meiji period", + "bakumatsu", + "ishin shishi" + ] + }, + { + "ranking": 1226, + "title": "Control", + "year": "2007", + "runtime": 121, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.5, + "vote_count": 860, + "description": "The story of Joy Division’s lead singer Ian Curtis, from his schoolboy days in 1973 to his suicide on the eve of the band's first American tour in 1980.", + "poster": "https://image.tmdb.org/t/p/w500/jOJiaOhwrDdwqTRZvZOhbndqHGp.jpg", + "url": "https://www.themoviedb.org/movie/5708", + "genres": [ + "Drama" + ], + "tags": [ + "suicide", + "new love", + "wife", + "epilepsy", + "medicine", + "punk rock", + "recording contract", + "record producer", + "record label", + "black and white", + "extramarital affair", + "joy division", + "tragic" + ] + }, + { + "ranking": 1228, + "title": "The Train", + "year": "1964", + "runtime": 133, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.526, + "vote_count": 330, + "description": "As the Allied forces approach Paris in August 1944, German Colonel Von Waldheim is desperate to take all of France's greatest paintings to Germany. He manages to secure a train to transport the valuable art works even as the chaos of retreat descends upon them. The French resistance however wants to stop them from stealing their national treasures but have received orders from London that they are not to be destroyed. The station master, Labiche, is tasked with scheduling the train and making it all happen smoothly but he is also part of a dwindling group of resistance fighters tasked with preventing the theft. He and others stage an elaborate ruse to keep the train from ever leaving French territory.", + "poster": "https://image.tmdb.org/t/p/w500/bzgPLB7efMohled42PIn6CcOTnO.jpg", + "url": "https://www.themoviedb.org/movie/3482", + "genres": [ + "War", + "Thriller" + ], + "tags": [ + "france", + "paris, france", + "nazi", + "world war ii", + "painting", + "artwork", + "hijacking of train", + "train crash", + "french resistance", + "black and white", + "art thief", + "art theft", + "nazi train" + ] + }, + { + "ranking": 1224, + "title": "Desert Flower", + "year": "2009", + "runtime": 120, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.526, + "vote_count": 438, + "description": "The autobiography of a Somalian nomad who was sold in marriage at 13, fled from Africa a while later to become finally an American supermodel and is now at the age of 38, the UN spokeswoman against female genital mutilation.", + "poster": "https://image.tmdb.org/t/p/w500/xjeWO3QLyFZGnM7phfkOMINZ8Is.jpg", + "url": "https://www.themoviedb.org/movie/33997", + "genres": [ + "Drama" + ], + "tags": [ + "based on novel or book", + "africa", + "wilderness", + "supermodel", + "somalia", + "based on true story", + "vagabond", + "united nations", + "woman director" + ] + }, + { + "ranking": 1225, + "title": "My Sassy Girl", + "year": "2001", + "runtime": 123, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.5, + "vote_count": 586, + "description": "A dweeby, mild-mannered man comes to the aid of a drunk young woman on a subway platform. Little does he know how much trouble he’s in for.", + "poster": "https://image.tmdb.org/t/p/w500/qx4hZvSy2b11KIPBHBFEibgRbk0.jpg", + "url": "https://www.themoviedb.org/movie/11178", + "genres": [ + "Drama", + "Comedy", + "Romance" + ], + "tags": [ + "subway", + "based on memoir or autobiography", + "stranger", + "boyfriend girlfriend relationship", + "drunkenness" + ] + }, + { + "ranking": 1223, + "title": "Midnight in Paris", + "year": "2011", + "runtime": 94, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.5, + "vote_count": 7367, + "description": "While on a trip to Paris with his fiancée's family, a nostalgic screenwriter finds himself mysteriously going back to the 1920s every day at midnight.", + "poster": "https://image.tmdb.org/t/p/w500/4wBG5kbfagTQclETblPRRGihk0I.jpg", + "url": "https://www.themoviedb.org/movie/59436", + "genres": [ + "Fantasy", + "Comedy", + "Romance" + ], + "tags": [ + "paris, france", + "based on novel or book", + "detective", + "screenwriter", + "camping", + "diary", + "time travel", + "forbidden love", + "painter", + "midnight", + "nostalgia", + "past", + "versailles", + "sculpture", + "romance", + "magic realism", + "art history", + "back in time", + "wine drinking" + ] + }, + { + "ranking": 1231, + "title": "Champions", + "year": "2018", + "runtime": 124, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.5, + "vote_count": 738, + "description": "A disgraced basketball coach is given the chance to coach Los Amigos, a team of players who are intellectually disabled, and soon realizes they just might have what it takes to make it to the national championships.", + "poster": "https://image.tmdb.org/t/p/w500/m5z4Ud6Ya5EY3Eg3OBbVBaDKWK.jpg", + "url": "https://www.themoviedb.org/movie/456929", + "genres": [ + "Comedy", + "Family", + "Drama" + ], + "tags": [ + "sports", + "integration", + "human relationship", + "handicap" + ] + }, + { + "ranking": 1233, + "title": "Redline", + "year": "2009", + "runtime": 102, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.5, + "vote_count": 479, + "description": "The most dangerous and exciting car race in the universe is held only once every five years. And that's tonight. The competitors are lined up at the starting block. In his vehicle, JP, the most daredevil driver on the circuit, is ready for the green light. Female driver Sonoshee, with whom he is secretly in love, is also on the starting line. She will stop at nothing to get on to that podium. In this race, not only is anything possible, but also anything is allowed. In fact, their adversaries have modified their vehicles to equip them with highly destructive weapons; with such participants, it is hardly surprising that Redline is forbidden by the authorities, who will try anything to halt the proceedings.", + "poster": "https://image.tmdb.org/t/p/w500/yUkH0y9OsY7J08Dvfzi1P0di559.jpg", + "url": "https://www.themoviedb.org/movie/71883", + "genres": [ + "Animation", + "Action", + "Science Fiction" + ], + "tags": [ + "fight", + "mafia", + "tournament", + "crying", + "creature", + "daredevil", + "race", + "adult animation", + "anime" + ] + }, + { + "ranking": 1232, + "title": "Breathless", + "year": "1960", + "runtime": 90, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.5, + "vote_count": 1852, + "description": "A small-time thief steals a car and impulsively murders a motorcycle policeman. Wanted by the authorities, he attempts to persuade a girl to run away to Italy with him.", + "poster": "https://image.tmdb.org/t/p/w500/9Wx0Wdn2EOqeCZU4SP6tlS3LOml.jpg", + "url": "https://www.themoviedb.org/movie/269", + "genres": [ + "Drama", + "Crime" + ], + "tags": [ + "hotel room", + "dying and death", + "newspaper", + "journalist", + "friendship", + "paris, france", + "fight", + "loss of loved one", + "gun", + "car thief", + "marseille, france", + "journalism", + "smoking", + "on the run", + "financial transactions", + "extramarital affair", + "french noir", + "runaway couple", + "nouvelle vague", + "fugitive lovers", + "defiant" + ] + }, + { + "ranking": 1234, + "title": "My Left Foot: The Story of Christy Brown", + "year": "1989", + "runtime": 103, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.522, + "vote_count": 945, + "description": "No one expects much from Christy Brown, a boy with cerebral palsy born into a working-class Irish family. Though Christy is a spastic quadriplegic and essentially paralyzed, a miraculous event occurs when, at the age of 5, he demonstrates control of his left foot by using chalk to scrawl a word on the floor. With the help of his steely mother — and no shortage of grit and determination — Christy overcomes his infirmity to become a painter, poet and author.", + "poster": "https://image.tmdb.org/t/p/w500/GRAAl0bMQFoFIjV3aunc5jsM5u.jpg", + "url": "https://www.themoviedb.org/movie/10161", + "genres": [ + "Drama" + ], + "tags": [ + "bodily disabled person", + "poet", + "biography", + "based on true story", + "foot", + "flashback", + "author", + "working class", + "disabled", + "cerebral palsy" + ] + }, + { + "ranking": 1230, + "title": "Shang-Chi and the Legend of the Ten Rings", + "year": "2021", + "runtime": 132, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.524, + "vote_count": 9647, + "description": "Shang-Chi must confront the past he thought he left behind when he is drawn into the web of the mysterious Ten Rings organization.", + "poster": "https://image.tmdb.org/t/p/w500/d08HqqeBQSwN8i8MEvpsZ8Cb438.jpg", + "url": "https://www.themoviedb.org/movie/566525", + "genres": [ + "Action", + "Adventure", + "Fantasy" + ], + "tags": [ + "martial arts", + "superhero", + "based on comic", + "mixed martial arts (mma)", + "east asian lead", + "aftercreditsstinger", + "duringcreditsstinger", + "marvel cinematic universe (mcu)", + "mysterious", + "father son relationship" + ] + }, + { + "ranking": 1222, + "title": "Who Framed Roger Rabbit", + "year": "1988", + "runtime": 103, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.5, + "vote_count": 5813, + "description": "'Toon star Roger is worried that his wife Jessica is playing pattycake with someone else, so the studio hires detective Eddie Valiant to snoop on her. But the stakes are quickly raised when Marvin Acme is found dead and Roger is the prime suspect.", + "poster": "https://image.tmdb.org/t/p/w500/lYfRc57Kx9VgLZ48iulu0HKnM15.jpg", + "url": "https://www.themoviedb.org/movie/856", + "genres": [ + "Fantasy", + "Animation", + "Comedy", + "Crime" + ], + "tags": [ + "lovesickness", + "based on novel or book", + "falsely accused", + "movie business", + "innocence", + "suspicion of murder", + "cartoon", + "villain", + "mental breakdown", + "melancholy", + "whodunit", + "los angeles, california", + "private detective", + "movie star", + "cartoon rabbit", + "neo-noir", + "1940s", + "live action and animation", + "dreary", + "cheerful" + ] + }, + { + "ranking": 1221, + "title": "The Manchurian Candidate", + "year": "1962", + "runtime": 126, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.527, + "vote_count": 733, + "description": "Near the end of the Korean War, a platoon of U.S. soldiers is captured by communists and brainwashed. Following the war, the platoon is returned home, and Sergeant Raymond Shaw is lauded as a hero by the rest of his platoon. However, the platoon commander, Captain Bennett Marco, finds himself plagued by strange nightmares and soon races to uncover a terrible plot.", + "poster": "https://image.tmdb.org/t/p/w500/h0mkK00GjBCJoBYm3yvPdkzlIyV.jpg", + "url": "https://www.themoviedb.org/movie/982", + "genres": [ + "Thriller", + "Drama" + ], + "tags": [ + "cold war", + "korean war (1950-53)", + "stepparents", + "conspiracy", + "brainwashed assassin", + "brainwashing", + "black and white", + "election", + "presidential candidate", + "sleeper agent", + "queen of diamonds", + "korea" + ] + }, + { + "ranking": 1237, + "title": "The Man Who Wasn't There", + "year": "2001", + "runtime": 116, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.52, + "vote_count": 1604, + "description": "A tale of murder, crime and punishment set in the summer of 1949. Ed Crane, a barber in a small California town, is dissatisfied with his life, but his wife Doris' infidelity and a mysterious opportunity presents him with a chance to change it.", + "poster": "https://image.tmdb.org/t/p/w500/lrCgt8NNMyFsfmXyXiSSCRXNH4u.jpg", + "url": "https://www.themoviedb.org/movie/10778", + "genres": [ + "Crime", + "Drama" + ], + "tags": [ + "small town", + "california", + "hairdresser", + "con man", + "insurance fraud", + "black and white", + "barber", + "neo-noir", + "1940s" + ] + }, + { + "ranking": 1238, + "title": "Night on Earth", + "year": "1991", + "runtime": 128, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.5, + "vote_count": 939, + "description": "An anthology of 5 different cab drivers in 5 American and European cities and their remarkable fares on the same eventful night.", + "poster": "https://image.tmdb.org/t/p/w500/ktejUHCo6c8DekpOtR3uSb6oDXr.jpg", + "url": "https://www.themoviedb.org/movie/339", + "genres": [ + "Comedy", + "Drama" + ], + "tags": [ + "helsinki, finland", + "new york city", + "taxi", + "metropolis", + "paris, france", + "rome, italy", + "heart attack", + "megacity", + "taxi driver", + "german democratic republic", + "pastor", + "passenger", + "night life", + "casual meeting", + "casting agent", + "road trip", + "conflict", + "los angeles, california", + "episodic", + "finland", + "understanding" + ] + }, + { + "ranking": 1236, + "title": "To All the Boys: Always and Forever", + "year": "2021", + "runtime": 115, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.5, + "vote_count": 1960, + "description": "Senior year of high school takes center stage as Lara Jean returns from a family trip to Korea and considers her college plans — with and without Peter.", + "poster": "https://image.tmdb.org/t/p/w500/iepqdM52f4w75fNcvgRF5QoIAjm.jpg", + "url": "https://www.themoviedb.org/movie/614409", + "genres": [ + "Romance", + "Comedy", + "Drama" + ], + "tags": [ + "based on novel or book", + "south korea", + "asian american", + "seoul, south korea" + ] + }, + { + "ranking": 1240, + "title": "Lou", + "year": "2017", + "runtime": 6, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.519, + "vote_count": 397, + "description": "A Pixar short about a lost-and-found box and the unseen monster within.", + "poster": "https://image.tmdb.org/t/p/w500/4l9wSwvabTefMJ3TkXnh9evzmVV.jpg", + "url": "https://www.themoviedb.org/movie/433471", + "genres": [ + "Family", + "Fantasy", + "Animation", + "Comedy" + ], + "tags": [ + "short film" + ] + }, + { + "ranking": 1239, + "title": "The Tomorrow War", + "year": "2021", + "runtime": 138, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.519, + "vote_count": 3634, + "description": "The world is stunned when a group of time travelers arrive from the year 2051 to deliver an urgent message: Thirty years in the future, mankind is losing a global war against a deadly alien species. The only hope for survival is for soldiers and civilians from the present to be transported to the future and join the fight. Among those recruited is high school teacher and family man Dan Forester. Determined to save the world for his young daughter, Dan teams up with a brilliant scientist and his estranged father in a desperate quest to rewrite the fate of the planet.", + "poster": "https://image.tmdb.org/t/p/w500/34nDCQZwaEvsy4CFO5hkGRFDCVU.jpg", + "url": "https://www.themoviedb.org/movie/588228", + "genres": [ + "Action", + "Science Fiction", + "Adventure" + ], + "tags": [ + "world cup", + "time travel", + "global warming", + "glacier", + "alien", + "alien invasion", + "military", + "future war", + "father son reunion", + "hope for future", + "changing the past or future", + "message from the future", + "father son relationship", + "father daughter relationship", + "world war", + "depressing" + ] + }, + { + "ranking": 1251, + "title": "Hard Boiled", + "year": "1992", + "runtime": 126, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.5, + "vote_count": 820, + "description": "A cop who loses his partner in a shoot-out with gun smugglers goes on a mission to catch them. In order to get closer to the leaders of the ring he joins forces with an undercover cop who's working as a gangster hitman. They use all means of excessive force to find them.", + "poster": "https://image.tmdb.org/t/p/w500/mbA77wY7fjh2TSQ3FxEuqpKOOA8.jpg", + "url": "https://www.themoviedb.org/movie/11782", + "genres": [ + "Action", + "Thriller", + "Crime" + ], + "tags": [ + "arms smuggling", + "inspector", + "arms dealer", + "hong kong", + "drugs" + ] + }, + { + "ranking": 1241, + "title": "Undisputed III: Redemption", + "year": "2010", + "runtime": 96, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.5, + "vote_count": 930, + "description": "Russian inmate Boyka, now severely hobbled by the knee injury suffered at the end of Undisputed 2. No longer the feared prison fighter he was, he has declined so far that he is now good only for cleaning toilets. But when a new prison fight tournament begins - an international affair, matching the best fighters from prisons around the globe, enticing them with the promise of freedom for the winner - Boyka must reclaim his dignity and fight for his position in the tournament.", + "poster": "https://image.tmdb.org/t/p/w500/g8KB77SPA7SyU8eid6TAEpt9skU.jpg", + "url": "https://www.themoviedb.org/movie/38234", + "genres": [ + "Action", + "Thriller", + "Crime", + "Drama" + ], + "tags": [ + "prison", + "showdown", + "fight", + "shotgun", + "prison cell", + "fighter", + "champion", + "sequel", + "beating", + "jail", + "tournament", + "brutality", + "jail cell", + "prison fight", + "carrot" + ] + }, + { + "ranking": 1252, + "title": "The Book of Henry", + "year": "2017", + "runtime": 105, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.514, + "vote_count": 1299, + "description": "Susan, a single mother of two, works as a waitress in a small town. Her son, Henry, is an 11-year-old genius who not only manages the family finances but acts as emotional support for his mother and younger brother. When Henry discovers that the girl next door has a terrible secret, he implores Susan to take matters into her own hands.", + "poster": "https://image.tmdb.org/t/p/w500/suLFg4UjvM5BoDipg2Wu3gZ802T.jpg", + "url": "https://www.themoviedb.org/movie/382614", + "genres": [ + "Drama", + "Crime", + "Thriller" + ], + "tags": [ + "suicide", + "parent child relationship", + "single mother", + "boy genius", + "seizure" + ] + }, + { + "ranking": 1244, + "title": "The Snowman", + "year": "1984", + "runtime": 25, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.5, + "vote_count": 314, + "description": "A young boy makes a snowman one Christmas Eve, which comes to life at midnight and takes him on a magical adventure to the North Pole to meet Santa Claus.", + "poster": "https://image.tmdb.org/t/p/w500/b3CMolkeXrPaVvd5vTsssMKfZZo.jpg", + "url": "https://www.themoviedb.org/movie/13396", + "genres": [ + "Adventure", + "Animation", + "Family", + "Fantasy" + ], + "tags": [ + "holiday", + "little boy", + "snowman", + "christmas", + "short film" + ] + }, + { + "ranking": 1253, + "title": "Menace II Society", + "year": "1993", + "runtime": 97, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.5, + "vote_count": 791, + "description": "A young street hustler attempts to escape the rigors and temptations of the ghetto in a quest for a better life.", + "poster": "https://image.tmdb.org/t/p/w500/nS7yqmSVeNoH22VXj69JoFCxW1h.jpg", + "url": "https://www.themoviedb.org/movie/9516", + "genres": [ + "Drama", + "Crime", + "Thriller" + ], + "tags": [ + "drug dealer", + "street gang", + "gangster", + "ghetto", + "delinquency", + "los angeles, california", + "shocking", + "angry", + "aggressive", + "hopeless", + "desperate", + "cautionary", + "antagonistic", + "apathetic", + "callous", + "foreboding", + "inflammatory", + "informative" + ] + }, + { + "ranking": 1247, + "title": "Father There Is Only One 2", + "year": "2020", + "runtime": 96, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.5, + "vote_count": 549, + "description": "The success of the Conchy virtual assistant (which was developed by Javier) has earned him a favorable spot in the parents chat room - until something unexpected ruins it all.", + "poster": "https://image.tmdb.org/t/p/w500/rwPb2AfNzQXjb8sUM6mCzMvN5T3.jpg", + "url": "https://www.themoviedb.org/movie/668742", + "genres": [ + "Comedy", + "Family" + ], + "tags": [ + "sequel", + "remake" + ] + }, + { + "ranking": 1248, + "title": "E.T. the Extra-Terrestrial", + "year": "1982", + "runtime": 115, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.516, + "vote_count": 11345, + "description": "An alien is left behind on Earth and saved by the 10-year-old Elliot who decides to keep him hidden in his home. While a task force hunts for the extra-terrestrial, Elliot, his brother, and his little sister Gertie form an emotional bond with their new friend, and try to help him find his way home.", + "poster": "https://image.tmdb.org/t/p/w500/an0nD6uq6byfxXCfk6lQBzdL2J1.jpg", + "url": "https://www.themoviedb.org/movie/601", + "genres": [ + "Science Fiction", + "Adventure", + "Family", + "Fantasy" + ], + "tags": [ + "farewell", + "space marine", + "operation", + "flying saucer", + "nasa", + "homesickness", + "loss of loved one", + "extraterrestrial technology", + "prosecution", + "riding a bicycle", + "halloween", + "finger", + "flowerpot", + "alien", + "single", + "single mother", + "hopeful", + "joyful" + ] + }, + { + "ranking": 1242, + "title": "Sonatine", + "year": "1993", + "runtime": 94, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.5, + "vote_count": 643, + "description": "Murakawa, an aging Tokyo yakuza tiring of gangster life, is sent by his boss to Okinawa along with a few of his henchmen to help end a gang war, supposedly as mediators between two warring clans. He finds that the dispute between the clans is insignificant and whilst wondering why he was sent to Okinawa at all, his group is attacked in an ambush. The survivors flee and make a decision to lay low at the beach while they await further instructions.", + "poster": "https://image.tmdb.org/t/p/w500/mX9E4fEuG17L2e7bZmhBc0XdRbw.jpg", + "url": "https://www.themoviedb.org/movie/7500", + "genres": [ + "Action", + "Crime", + "Thriller" + ], + "tags": [ + "japan", + "beach", + "yakuza", + "knife", + "bullet wound", + "gun violence", + "playfulness" + ] + }, + { + "ranking": 1260, + "title": "The Goonies", + "year": "1985", + "runtime": 114, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.512, + "vote_count": 5811, + "description": "A young teenager named Mikey Walsh finds an old treasure map in his father's attic. Hoping to save their homes from demolition, Mikey and his friends Data Wang, Chunk Cohen, and Mouth Devereaux run off on a big quest to find the secret stash of Pirate One-Eyed Willie.", + "poster": "https://image.tmdb.org/t/p/w500/eBU7gCjTCj9n2LTxvCSIXXOvHkD.jpg", + "url": "https://www.themoviedb.org/movie/9340", + "genres": [ + "Adventure", + "Comedy", + "Family" + ], + "tags": [ + "gang of thieves", + "treasure map", + "oregon, usa", + "gunfight", + "childhood friends", + "booby trap", + "water slide", + "foreclosure", + "walking the plank", + "lost treasure", + "social outcast", + "pirate ship", + "henchmen" + ] + }, + { + "ranking": 1254, + "title": "Fatherhood", + "year": "2021", + "runtime": 109, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.5, + "vote_count": 1435, + "description": "A widowed new dad copes with doubts, fears, heartache and dirty diapers as he sets out to raise his daughter on his own. Inspired by a true story.", + "poster": "https://image.tmdb.org/t/p/w500/wvqO1gTAMZIFGi3Ioq1BN6KV95R.jpg", + "url": "https://www.themoviedb.org/movie/607259", + "genres": [ + "Drama", + "Comedy" + ], + "tags": [ + "baby", + "parenthood", + "fatherhood", + "social comedy" + ] + }, + { + "ranking": 1243, + "title": "The Birds", + "year": "1963", + "runtime": 120, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.5, + "vote_count": 4166, + "description": "Thousands of birds flock into a seaside town and terrorize the residents in a series of deadly attacks.", + "poster": "https://image.tmdb.org/t/p/w500/eClg8QPg8mwB6INIC4pyR5pAbDr.jpg", + "url": "https://www.themoviedb.org/movie/571", + "genres": [ + "Horror", + "Thriller" + ], + "tags": [ + "pet shop", + "seclusion", + "playground", + "fireplace", + "seagull", + "bird attack", + "socialite", + "based on short story", + "practical joke", + "schoolteacher", + "lovebird", + "shopkeeper", + "unsolved mystery", + "schoolhouse", + "frightened" + ] + }, + { + "ranking": 1249, + "title": "Instant Family", + "year": "2018", + "runtime": 118, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.515, + "vote_count": 3015, + "description": "When Pete and Ellie decide to start a family, they stumble into the world of foster care adoption. They hope to take in one small child but when they meet three siblings, including a rebellious 15 year old girl, they find themselves speeding from zero to three kids overnight.", + "poster": "https://image.tmdb.org/t/p/w500/xYV1mODz99w7AjKDSQ7h2mzZhVe.jpg", + "url": "https://www.themoviedb.org/movie/491418", + "genres": [ + "Comedy", + "Drama" + ], + "tags": [ + "court case", + "social worker", + "adoption", + "based on true story", + "parenting", + "foster family", + "amusement park", + "lgbt", + "substance abuse", + "family dog" + ] + }, + { + "ranking": 1257, + "title": "The Silence", + "year": "1963", + "runtime": 95, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.512, + "vote_count": 369, + "description": "Traveling through an unnamed European country on the brink of war, sickly, intellectual Ester, her sister Anna and Anna's young son, Johan, check into a near-empty hotel. A basic inability to communicate among the three seems only to worsen during their stay. Anna provokes her sister by enjoying a dalliance with a local man, while the boy, left to himself, has a series of enigmatic encounters that heighten the growing air of isolation.", + "poster": "https://image.tmdb.org/t/p/w500/2KkHAsBVZVoMO1Zauvm5rFSxp09.jpg", + "url": "https://www.themoviedb.org/movie/11506", + "genres": [ + "Drama", + "Romance" + ], + "tags": [ + "hotel", + "sibling relationship", + "travel", + "rage", + "desire", + "complex", + "sister sister relationship", + "anxious", + "playful", + "dramatic", + "suspenseful", + "defiant" + ] + }, + { + "ranking": 1245, + "title": "Honor Society", + "year": "2022", + "runtime": 97, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.5, + "vote_count": 385, + "description": "Honor is an ambitious high school senior whose sole focus is getting into Harvard, assuming she can first score the coveted recommendation from her guidance counselor, Mr. Calvin. Willing to do whatever it takes, Honor concocts a Machiavellian-like plan to take down her top three student competitors, until things take a turn when she unexpectedly falls for her biggest competition, Michael.", + "poster": "https://image.tmdb.org/t/p/w500/61CZ4JxyaI462sFfLPhtyzRg4vv.jpg", + "url": "https://www.themoviedb.org/movie/929170", + "genres": [ + "Comedy" + ], + "tags": [ + "high school", + "scholarship", + "harvard university", + "manipulation", + "nerd", + "college", + "coming of age", + "breaking the fourth wall", + "teen movie", + "school play", + "lgbt teen", + "overachiever", + "teachers and students", + "academia", + "grooming", + "popular girl", + "romantic rival", + "relationships", + "top college rivals", + "rivals to lovers", + "academic", + "teenager", + "student threatens teacher" + ] + }, + { + "ranking": 1256, + "title": "Rebel Without a Cause", + "year": "1955", + "runtime": 111, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.513, + "vote_count": 1644, + "description": "After moving to a new town, troublemaking teen Jim Stark is supposed to have a clean slate, although being the new kid in town brings its own problems. While searching for some stability, Stark forms a bond with a disturbed classmate, Plato, and falls for local girl Judy. However, Judy is the girlfriend of neighborhood tough, Buzz. When Buzz violently confronts Jim and challenges him to a drag race, the new kid's real troubles begin.", + "poster": "https://image.tmdb.org/t/p/w500/yHStsC8rRRfIjqRN38BQsLh6S7k.jpg", + "url": "https://www.themoviedb.org/movie/221", + "genres": [ + "Drama" + ], + "tags": [ + "individual", + "underground world", + "street gang", + "unsociability", + "car race", + "parent child relationship", + "authority", + "rebel", + "coming of age", + "based on short story", + "teen rebel", + "griffith observatory", + "teenager", + "gay subtext" + ] + }, + { + "ranking": 1246, + "title": "Custody", + "year": "2018", + "runtime": 93, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.517, + "vote_count": 660, + "description": "In the midst of a divorce, Miriam Besson decides to ask for exclusive custody of her son, in order to protect him from a father that she is accusing of violence. The judge-in-charge of the file grants a shared custody to the father whom it considers abused. Taken as a hostage between his parents, Julien Besson will do everything to prevent the worst from happening.", + "poster": "https://image.tmdb.org/t/p/w500/9UOks2kaXFqr5p1I6cKFLFyRlEA.jpg", + "url": "https://www.themoviedb.org/movie/451657", + "genres": [ + "Drama", + "Thriller" + ], + "tags": [ + "parent child relationship", + "abusive father", + "custody battle", + "divorce", + "separation", + "child", + "frightened boy", + "custodia" + ] + }, + { + "ranking": 1250, + "title": "L'Atalante", + "year": "1934", + "runtime": 89, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.5, + "vote_count": 425, + "description": "Capricious small-town girl Juliette and barge captain Jean marry after a whirlwind courtship, and she comes to live aboard his boat, L'Atalante. As they make their way down the Seine, Jean grows weary of Juliette's flirtations with his all-male crew, and Juliette longs to escape the monotony of the boat and experience the excitement of a big city. When she steals away to Paris by herself, her husband begins to think their marriage was a mistake.", + "poster": "https://image.tmdb.org/t/p/w500/sDkQyZnFvHdnp5ZP21RG4teLiDy.jpg", + "url": "https://www.themoviedb.org/movie/43904", + "genres": [ + "Romance", + "Drama", + "Comedy" + ], + "tags": [ + "depression", + "marriage", + "surrealism", + "underwater", + "barge", + "marital problem" + ] + }, + { + "ranking": 1259, + "title": "Empire of the Sun", + "year": "1987", + "runtime": 153, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.512, + "vote_count": 1961, + "description": "Jamie Graham, a privileged English boy, is living in Shanghai when the Japanese invade and force all foreigners into prison camps. Jamie is captured with an American sailor, who looks out for him while they are in the camp together. Even though he is separated from his parents and in a hostile environment, Jamie maintains his dignity and youthful spirit, providing a beacon of hope for the others held captive with him.", + "poster": "https://image.tmdb.org/t/p/w500/gEaCzjwHoPgyQFcwHql7o5YLHAU.jpg", + "url": "https://www.themoviedb.org/movie/10110", + "genres": [ + "Drama", + "History", + "War" + ], + "tags": [ + "based on novel or book", + "shanghai, china", + "stadium", + "bravery", + "peasant", + "prisoner of war", + "coming of age", + "pacific war", + "chinese", + "japanese army", + "japanese soldier", + "japanese surrender", + "salt mine", + "internment camp", + "child protagonist", + "children in wartime", + "japanese occupation of china", + "suzhou, china" + ] + }, + { + "ranking": 1255, + "title": "Bāhubali: The Beginning", + "year": "2015", + "runtime": 159, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.5, + "vote_count": 833, + "description": "The young Shivudu is left as a foundling in a small village by his mother. By the time he’s grown up, it has become apparent that he possesses exceptional gifts. He meets the beautiful warrior princess Avanthika and learns that her queen has been held captive for the last 25 years. Shividu sets off to rescue her, discovering his own origins in the process.", + "poster": "https://image.tmdb.org/t/p/w500/9BAjt8nSSms62uOVYn1t3C3dVto.jpg", + "url": "https://www.themoviedb.org/movie/256040", + "genres": [ + "Action", + "Adventure", + "Fantasy", + "Drama" + ], + "tags": [ + "kingdom", + "medieval india", + "ancient india", + "bilingual" + ] + }, + { + "ranking": 1258, + "title": "Where Eagles Dare", + "year": "1968", + "runtime": 155, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.5, + "vote_count": 907, + "description": "World War II is raging, and an American general has been captured and is being held hostage in the Schloss Adler, a Bavarian castle that's nearly impossible to breach. It's up to a group of skilled Allied soldiers to liberate the general before it's too late.", + "poster": "https://image.tmdb.org/t/p/w500/dnyiVS4Ad4w4rfS4Bm1YalEdonx.jpg", + "url": "https://www.themoviedb.org/movie/11046", + "genres": [ + "Action", + "Adventure", + "War" + ], + "tags": [ + "undercover agent", + "nazi", + "germany", + "liberation of prisoners", + "secret mission", + "world war ii", + "bavaria, germany", + "mountain", + "castle", + "two man army", + "parachute", + "infiltration", + "explosion", + "sabotage", + "commando", + "war hero", + "alps mountains", + "cable car", + "1940s", + "sidecar", + "fall from height", + "soldiers", + "commanding", + "exhilarated" + ] + }, + { + "ranking": 1273, + "title": "It's the Great Pumpkin, Charlie Brown", + "year": "1966", + "runtime": 25, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.5, + "vote_count": 415, + "description": "Join the Peanuts gang for a timeless adventure as Charlie Brown preps for a party, Snoopy sets his sights on the Red Baron, and Linus patiently awaits a pumpkin patch miracle.", + "poster": "https://image.tmdb.org/t/p/w500/59wp9OWexYsxlSPHYmVLsl5xlFt.jpg", + "url": "https://www.themoviedb.org/movie/13353", + "genres": [ + "Family", + "Animation", + "TV Movie", + "Comedy" + ], + "tags": [ + "holiday", + "halloween", + "pumpkin", + "halloween party", + "trick or treating" + ] + }, + { + "ranking": 1262, + "title": "PAW Patrol: Mighty Pups", + "year": "2018", + "runtime": 44, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.5, + "vote_count": 578, + "description": "When their latest scheme goes awry, Mayor Humdinger and his nephew Harold accidentally divert a meteor towards Adventure Bay. The meteor's golden energy grants the PAW Patrol superpowers. The heroic Mighty Pups are on a roll to super-save the day.", + "poster": "https://image.tmdb.org/t/p/w500/h09VT8gNfRBlr7S8l1lm27m4rus.jpg", + "url": "https://www.themoviedb.org/movie/552095", + "genres": [ + "Adventure", + "Animation", + "Family", + "Action" + ], + "tags": [ + "dog", + "super power" + ] + }, + { + "ranking": 1264, + "title": "Prison Break: The Final Break", + "year": "2009", + "runtime": 89, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.513, + "vote_count": 671, + "description": "Takes place after Season 4 (after episode 22), on some streaming services this movie is episode 23 and 24 on season 4.\r Michael and Sara wed, but the happiness is short-lived when the Feds apprehend her for the murder of Michael's mother, Christina. Once a hit is ordered on Sara, the team reunite to break out the increasingly vulnerable target.", + "poster": "https://image.tmdb.org/t/p/w500/jZRs7TEwsPnNMKGJs312uAg2lyo.jpg", + "url": "https://www.themoviedb.org/movie/176241", + "genres": [ + "Action", + "Drama", + "Thriller" + ], + "tags": [ + "prison", + "prison escape", + "love", + "gang solves mystery" + ] + }, + { + "ranking": 1274, + "title": "Hannah and Her Sisters", + "year": "1986", + "runtime": 107, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.5, + "vote_count": 1062, + "description": "Between two Thanksgivings, Hannah's husband falls in love with her sister Lee, while her hypochondriac ex-husband rekindles his relationship with her sister Holly.", + "poster": "https://image.tmdb.org/t/p/w500/gARgIRb2QFRFVrsziwWE389u1pK.jpg", + "url": "https://www.themoviedb.org/movie/5143", + "genres": [ + "Comedy", + "Drama" + ], + "tags": [ + "new york city", + "opera", + "writing", + "artist", + "thanksgiving", + "hypochondriac", + "dysfunctional family", + "langham", + "television producer", + "architecture", + "singing", + "writer", + "relationship", + "love affair", + "art", + "extramarital affair", + "fear of dying", + "sisters" + ] + }, + { + "ranking": 1270, + "title": "The Great Beauty", + "year": "2013", + "runtime": 142, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.509, + "vote_count": 3139, + "description": "Jep Gambardella has seduced his way through the lavish nightlife of Rome for decades, but after his 65th birthday and a shock from the past, Jep looks past the nightclubs and parties to find a timeless landscape of absurd, exquisite beauty.", + "poster": "https://image.tmdb.org/t/p/w500/1cmOc3ZPkuCTOTqHEsRr3Pk81Um.jpg", + "url": "https://www.themoviedb.org/movie/179144", + "genres": [ + "Drama" + ], + "tags": [ + "journalist", + "based on novel or book", + "rome, italy", + "alcohol", + "birthday", + "vatican", + "nightclub", + "giraffe", + "artist", + "beauty", + "satire", + "aging", + "love", + "church", + "art", + "drugs", + "flamingo" + ] + }, + { + "ranking": 1279, + "title": "BURN·E", + "year": "2008", + "runtime": 9, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.5, + "vote_count": 742, + "description": "What lengths will a robot undergo to do his job? BURN·E is a dedicated hard working robot who finds himself locked out of his ship. BURN·E quickly learns that completing a simple task can often be a very difficult endeavor.", + "poster": "https://image.tmdb.org/t/p/w500/1wOReJq1vArLBSejND2Jbw0KeKh.jpg", + "url": "https://www.themoviedb.org/movie/13413", + "genres": [ + "Animation", + "Family", + "Comedy", + "Science Fiction" + ], + "tags": [ + "space", + "robot", + "outer space", + "spaceship", + "short film" + ] + }, + { + "ranking": 1271, + "title": "Love and Death", + "year": "1975", + "runtime": 85, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.5, + "vote_count": 907, + "description": "In czarist Russia, a neurotic soldier and his distant cousin formulate a plot to assassinate Napoleon.", + "poster": "https://image.tmdb.org/t/p/w500/oJXFd1UHZoOQ1UtoLxbyBLGJDox.jpg", + "url": "https://www.themoviedb.org/movie/11686", + "genres": [ + "Comedy" + ], + "tags": [ + "napoleon bonaparte", + "duel", + "execution", + "napoleonic wars", + "wheat", + "19th century", + "anarchic comedy" + ] + }, + { + "ranking": 1261, + "title": "Beauty and the Beast", + "year": "1946", + "runtime": 96, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.5, + "vote_count": 616, + "description": "The story of a gentle-hearted beast in love with a simple and beautiful girl. She is drawn to the repellent but strangely fascinating Beast, who tests her fidelity by giving her a key, telling her that if she doesn't return it to him by a specific time, he will die of grief. She is unable to return the key on time, but it is revealed that the Beast is the genuinely handsome one. A simple tale of tragic love that turns into a surreal vision of death, desire, and beauty.", + "poster": "https://image.tmdb.org/t/p/w500/p5PkVvOwVBW2gzFmLXzEFcrbsdj.jpg", + "url": "https://www.themoviedb.org/movie/648", + "genres": [ + "Drama", + "Fantasy", + "Romance" + ], + "tags": [ + "underdog", + "daughter", + "monster", + "beauty", + "rose", + "romantic" + ] + }, + { + "ranking": 1269, + "title": "The Conversation", + "year": "1974", + "runtime": 114, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.5, + "vote_count": 1820, + "description": "A paranoid, secretive surveillance expert has a crisis of conscience when he suspects that the couple he is spying on will be murdered.", + "poster": "https://image.tmdb.org/t/p/w500/dHqVBwcv1SGymOpUueRoKzcmdes.jpg", + "url": "https://www.themoviedb.org/movie/592", + "genres": [ + "Crime", + "Drama", + "Mystery" + ], + "tags": [ + "shadowing", + "san francisco, california", + "technology", + "spy", + "audio tape", + "paranoia", + "wiretap", + "saxophone", + "conspiracy", + "tragic event", + "surveillance", + "voyeur" + ] + }, + { + "ranking": 1265, + "title": "Before Midnight", + "year": "2013", + "runtime": 109, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.51, + "vote_count": 2464, + "description": "It has been nine years since we last met Jesse and Celine, the French-American couple who once met on a train in Vienna. They now live in Paris with twin daughters but have spent a summer in Greece at the invitation of an author colleague of Jesse's. When the vacation is over and Jesse must send his teenage son off to the States, he begins to question his life decisions, and his relationship with Celine is at risk.", + "poster": "https://image.tmdb.org/t/p/w500/qbGKJmNUroDz75kh5Oafoall89e.jpg", + "url": "https://www.themoviedb.org/movie/132344", + "genres": [ + "Romance", + "Drama" + ], + "tags": [ + "hotel", + "hotel room", + "dreams", + "airport", + "greece", + "greek", + "friends", + "author", + "writer", + "summer vacation", + "twins", + "semi autobiographical" + ] + }, + { + "ranking": 1268, + "title": "The Magnificent Seven", + "year": "1960", + "runtime": 127, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.5, + "vote_count": 1827, + "description": "An oppressed Mexican peasant village hires seven gunfighters to help defend their homes.", + "poster": "https://image.tmdb.org/t/p/w500/e5ToxOyJwuZD4VOfI0qEn5uIjeJ.jpg", + "url": "https://www.themoviedb.org/movie/966", + "genres": [ + "Western", + "Action", + "Adventure" + ], + "tags": [ + "friendship", + "village", + "horse", + "remake", + "bandit", + "farmer", + "cowboy", + "white man's burden", + "henry rifle", + "hired gun" + ] + }, + { + "ranking": 1267, + "title": "Gilda", + "year": "1946", + "runtime": 110, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.5, + "vote_count": 589, + "description": "A gambler discovers an old flame while in Argentina, but she's married to his new boss.", + "poster": "https://image.tmdb.org/t/p/w500/46eKPjoWEyNBAQKDoXEcDFBcaUw.jpg", + "url": "https://www.themoviedb.org/movie/3767", + "genres": [ + "Romance", + "Drama", + "Thriller" + ], + "tags": [ + "jealousy", + "casino", + "penalty", + "nightclub", + "buenos aires, argentina", + "tricks", + "patent", + "film noir", + "argentina", + "extramarital affair" + ] + }, + { + "ranking": 1272, + "title": "Z-O-M-B-I-E-S 2", + "year": "2020", + "runtime": 84, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.5, + "vote_count": 457, + "description": "Zed and Addison are back at Seabrook High, where, after a groundbreaking semester, they continue to steer both their school and community toward unity. But the arrival of a new group of outsiders – mysterious werewolves – threatens to shake up the newfound peace and causes a rift in Zed and Addison’s budding romance.", + "poster": "https://image.tmdb.org/t/p/w500/dFNhlaPEeDhimwZ0eenpwe1x5Tm.jpg", + "url": "https://www.themoviedb.org/movie/599521", + "genres": [ + "Fantasy", + "Romance", + "TV Movie" + ], + "tags": [ + "love triangle", + "musical", + "cheerleading", + "love", + "zombie", + "werewolf", + "family" + ] + }, + { + "ranking": 1266, + "title": "Escape from Alcatraz", + "year": "1979", + "runtime": 113, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.5, + "vote_count": 2863, + "description": "San Francisco Bay, January 18, 1960. Frank Lee Morris is transferred to Alcatraz, a maximum security prison located on a rocky island. Although no one has ever managed to escape from there, Frank and other inmates begin to carefully prepare an escape plan.", + "poster": "https://image.tmdb.org/t/p/w500/uORr2GXQnyqgBOg6tVsRCJD2qxc.jpg", + "url": "https://www.themoviedb.org/movie/10734", + "genres": [ + "Drama", + "Thriller" + ], + "tags": [ + "prison", + "island", + "based on novel or book", + "escape", + "san francisco, california", + "alcatraz prison", + "prison warden", + "based on true story", + "prison escape", + "1960s", + "escape plan" + ] + }, + { + "ranking": 1280, + "title": "Bride of Frankenstein", + "year": "1935", + "runtime": 75, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.5, + "vote_count": 1001, + "description": "Dr. Frankenstein and his monster both turn out to be alive, not killed as previously believed. Dr. Frankenstein wants to get out of the evil experiment business, but when a mad scientist, Dr. Pretorius, kidnaps his wife, Dr. Frankenstein agrees to help him create a new creature.", + "poster": "https://image.tmdb.org/t/p/w500/oCiHPp7ZiVFjdawRXAmhW1RTetn.jpg", + "url": "https://www.themoviedb.org/movie/229", + "genres": [ + "Horror", + "Science Fiction" + ], + "tags": [ + "hermit", + "monster", + "lightning", + "cemetery", + "mill", + "mad scientist", + "black and white", + "comedic relief", + "frankenstein", + "shrunken human" + ] + }, + { + "ranking": 1276, + "title": "The Quiet Girl", + "year": "2022", + "runtime": 94, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.5, + "vote_count": 444, + "description": "A quiet, neglected girl is sent away from her dysfunctional family to live with relatives for the summer. She blossoms in their care, but in this house where there are meant to be no secrets, she discovers one.", + "poster": "https://image.tmdb.org/t/p/w500/6Njyz53N417cgxE0d7cBEWHUEjc.jpg", + "url": "https://www.themoviedb.org/movie/916405", + "genres": [ + "Drama" + ], + "tags": [ + "shyness", + "loss", + "love", + "little girl", + "summer", + "ireland", + "foster family", + "care", + "1980s", + "irish language", + "secret", + "rural ireland", + "elderly parents" + ] + }, + { + "ranking": 1277, + "title": "Still Life", + "year": "2013", + "runtime": 92, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.5, + "vote_count": 373, + "description": "A council case worker looks for the relatives of those found dead and alone.", + "poster": "https://image.tmdb.org/t/p/w500/WxGIgw13bKHXFbMhJqBc8Sk2TY.jpg", + "url": "https://www.themoviedb.org/movie/216156", + "genres": [ + "Drama" + ], + "tags": [ + "alone", + "loneliness", + "death", + "forgotten", + "funerals", + "south london" + ] + }, + { + "ranking": 1278, + "title": "Devdas", + "year": "2002", + "runtime": 185, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.5, + "vote_count": 344, + "description": "In 1900s India, Calcuttan zamindar Devdas Mukherjee — unable to marry his lover — takes up alcohol and the company of a courtesan to alleviate the pain.", + "poster": "https://image.tmdb.org/t/p/w500/dUBFi7bnLRfm4WaTh4ZoF2tbBJj.jpg", + "url": "https://www.themoviedb.org/movie/15917", + "genres": [ + "Drama", + "Romance" + ], + "tags": [ + "based on novel or book", + "courtesan", + "melancholy", + "remake", + "calcutta", + "family disapproval", + "childhood sweetheart", + "1900s", + "kolkata, india", + "bollywood", + "sentimental" + ] + }, + { + "ranking": 1275, + "title": "Ninotchka", + "year": "1939", + "runtime": 110, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.5, + "vote_count": 390, + "description": "A stern Russian woman sent to Paris on official business finds herself attracted to a man who represents everything she is supposed to detest.", + "poster": "https://image.tmdb.org/t/p/w500/v4MkgNqZyodYwBDNbZ64MF9tVEL.jpg", + "url": "https://www.themoviedb.org/movie/1859", + "genres": [ + "Comedy", + "Romance" + ], + "tags": [ + "capitalist", + "paris, france", + "capitalism", + "white russian", + "jewelry", + "satire", + "fur" + ] + }, + { + "ranking": 1263, + "title": "Teen Wolf: The Movie", + "year": "2023", + "runtime": 140, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.51, + "vote_count": 865, + "description": "The wolves are howling once again, as a terrifying ancient evil emerges in Beacon Hills. Scott McCall, no longer a teenager yet still an Alpha, must gather new allies and reunite trusted friends to fight back against this powerful and deadly enemy.", + "poster": "https://image.tmdb.org/t/p/w500/wAkpPm3wcHRqZl8XjUI3Y2chYq2.jpg", + "url": "https://www.themoviedb.org/movie/877703", + "genres": [ + "Action", + "Fantasy", + "TV Movie" + ], + "tags": [ + "sequel", + "werewolf", + "supernatural creature", + "based on movie", + "banshee", + "northern california", + "based on tv series" + ] + }, + { + "ranking": 1287, + "title": "Barbie: Princess Charm School", + "year": "2011", + "runtime": 79, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.5, + "vote_count": 828, + "description": "Barbie stars as Blair Willows, a kind-hearted girl who is chosen to attend Princess Charm School: a magical, modern place that teaches dancing, how to have tea parties, and proper princess manners. Blair loves her classes -- as well as the helpful magical sprites and her new friends, Princesses Hadley and Isla. But when royal teacher Dame Devin discovers that Blair looks a lot like the kingdom’s missing princess, she turns Blair’s world upside down to stop her from claiming the throne. Now Blair, Hadley and Delancy must find an enchanted crown to prove Blair’s true identity in this charming and magical princess story!", + "poster": "https://image.tmdb.org/t/p/w500/lI2jPbssax6XX5vDqB9mTJHGzfH.jpg", + "url": "https://www.themoviedb.org/movie/73456", + "genres": [ + "Family", + "Animation", + "Fantasy" + ], + "tags": [ + "princess", + "based on toy", + "school" + ] + }, + { + "ranking": 1284, + "title": "Days of Heaven", + "year": "1978", + "runtime": 94, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.5, + "vote_count": 1048, + "description": "In 1916, a Chicago steel worker accidentally kills his supervisor and flees to the Texas panhandle with his girlfriend and little sister to work harvesting wheat in the fields of a stoic farmer.", + "poster": "https://image.tmdb.org/t/p/w500/siE1XQ544MLO27geLYDbUDy3oTt.jpg", + "url": "https://www.themoviedb.org/movie/16642", + "genres": [ + "Drama", + "Romance" + ], + "tags": [ + "chicago, illinois", + "farm", + "husband wife relationship", + "love triangle", + "texas", + "marriage", + "field", + "love", + "poverty", + "class differences", + "farmer", + "jealous husband", + "harvest", + "relaxed", + "ambiguous" + ] + }, + { + "ranking": 1285, + "title": "The 36th Chamber of Shaolin", + "year": "1978", + "runtime": 115, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.505, + "vote_count": 437, + "description": "The anti-Ching patriots, under the guidance of Ho Kuang-han, have secretly set up their base in Canton, disguised as school masters. During a brutal Manchu attack, Lui manages to escape, and devotes himself to learning the martial arts in order to seek revenge.", + "poster": "https://image.tmdb.org/t/p/w500/6j1ZnapQPGD9aUcqQWqFYPhWd3B.jpg", + "url": "https://www.themoviedb.org/movie/11841", + "genres": [ + "Action", + "Adventure" + ], + "tags": [ + "martial arts", + "kung fu", + "government", + "shaolin", + "kammer", + "shaolin kung fu", + "teachers and students" + ] + }, + { + "ranking": 1286, + "title": "Fearless", + "year": "2006", + "runtime": 103, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.505, + "vote_count": 1296, + "description": "Huo Yuan Jia became the most famous martial arts fighter in all of China at the turn of the 20th Century. Huo faced personal tragedy but ultimately fought his way out of darkness, defining the true spirit of martial arts and also inspiring his nation. The son of a great fighter who didn't wish for his child to follow in his footsteps, Huo resolves to teach himself how to fight - and win.", + "poster": "https://image.tmdb.org/t/p/w500/4YtUtJQjngZYUgs5sIKafuc7faV.jpg", + "url": "https://www.themoviedb.org/movie/7549", + "genres": [ + "Drama", + "Action" + ], + "tags": [ + "blindness and impaired vision", + "friendship", + "martial arts", + "kung fu", + "shanghai, china", + "hope", + "patriotism", + "sake", + "rice", + "restaurant", + "tea", + "exile", + "biography", + "beggar", + "based on true story", + "respect", + "historical", + "qing dynasty" + ] + }, + { + "ranking": 1300, + "title": "Somewhere in Time", + "year": "1980", + "runtime": 103, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.5, + "vote_count": 590, + "description": "Young writer Richard Collier is met on the opening night of his first play by an old lady who begs him to \"Come back to me\". Mystified, he tries to find out about her, and learns that she is a famous stage actress from the early 1900s. Becoming more and more obsessed with her, by self-hypnosis he manages to travel back in time—where he meets her.", + "poster": "https://image.tmdb.org/t/p/w500/hmdegiSwVYUNvEfihaE3HRM3Sos.jpg", + "url": "https://www.themoviedb.org/movie/16633", + "genres": [ + "Drama", + "Fantasy", + "Romance" + ], + "tags": [ + "hypnosis", + "time travel", + "love", + "playwright", + "photograph", + "1910s", + "stage actress" + ] + }, + { + "ranking": 1282, + "title": "Zorba the Greek", + "year": "1964", + "runtime": 142, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.5, + "vote_count": 349, + "description": "An uptight English writer traveling to Crete on a matter of business finds his life changed forever when he meets the gregarious Alexis Zorba.", + "poster": "https://image.tmdb.org/t/p/w500/jAYOY38TRDprIgu7vgES0FFJJSl.jpg", + "url": "https://www.themoviedb.org/movie/10604", + "genres": [ + "Drama" + ], + "tags": [ + "dancing", + "dance", + "friendship", + "based on novel or book", + "widow", + "village", + "donkey", + "greece", + "greek", + "crete", + "author", + "monastery", + "riding a donkey", + "wonder", + "mischievous", + "inspirational", + "preserved film", + "admiring", + "amused", + "appreciative", + "audacious", + "bold", + "celebratory", + "cheerful", + "comforting", + "empathetic", + "enchant", + "excited", + "hopeful", + "optimistic", + "sympathetic" + ] + }, + { + "ranking": 1294, + "title": "Walk the Line", + "year": "2005", + "runtime": 136, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.5, + "vote_count": 2933, + "description": "A chronicle of country music legend Johnny Cash's life, from his early days on an Arkansas cotton farm to his rise to fame with Sun Records in Memphis, where he recorded alongside Elvis Presley, Jerry Lee Lewis and Carl Perkins.", + "poster": "https://image.tmdb.org/t/p/w500/zMkD6FVikyPNnigoupO7vD5ti9p.jpg", + "url": "https://www.themoviedb.org/movie/69", + "genres": [ + "Drama", + "Music", + "Romance" + ], + "tags": [ + "prison", + "adultery", + "concert", + "music record", + "country music", + "guitar", + "germany", + "loss of loved one", + "marriage", + "biography", + "single", + "biting", + "accident", + "1960s", + "apathetic", + "condescending", + "cruel" + ] + }, + { + "ranking": 1283, + "title": "Kikujiro", + "year": "1999", + "runtime": 121, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.506, + "vote_count": 543, + "description": "Brash, loudmouthed and opportunistic, Kikujiro is the unlikely companion for Masao who is determined to see the mother he has never met. The two begin a series of adventures which soon turns out to be a whimsical journey of laughter and tears with a wide array of surprises and unique characters along the way.", + "poster": "https://image.tmdb.org/t/p/w500/zTelT1xAO4Owxk1jHJM4puoei5N.jpg", + "url": "https://www.themoviedb.org/movie/4291", + "genres": [ + "Comedy", + "Drama" + ], + "tags": [ + "japan", + "loser", + "road trip", + "travel", + "disappearance", + "summer", + "hitchhiking" + ] + }, + { + "ranking": 1281, + "title": "My Fair Lady", + "year": "1964", + "runtime": 170, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.5, + "vote_count": 1329, + "description": "A snobbish phonetics professor agrees to a wager that he can take a flower girl and make her presentable in high society.", + "poster": "https://image.tmdb.org/t/p/w500/bTXVc29lGSNclf94VIZ49W4gGKl.jpg", + "url": "https://www.themoviedb.org/movie/11113", + "genres": [ + "Music", + "Comedy", + "Romance" + ], + "tags": [ + "transformation", + "musical", + "flower girl", + "colonel", + "suitor", + "wager", + "class differences", + "tutor", + "aristocrat", + "linguist", + "high society", + "misogynist", + "guttersnipe", + "class prejudice", + "opposites attract", + "pygmalion" + ] + }, + { + "ranking": 1298, + "title": "Shadow of a Doubt", + "year": "1943", + "runtime": 107, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.5, + "vote_count": 1051, + "description": "Just when Charlie is feeling especially frustrated by the lack of excitement in her small town in California, she receives wonderful news: Her uncle and namesake, Charlie, is coming to visit. However, as secrets about him come to the fore, her admiration turns into suspicion.", + "poster": "https://image.tmdb.org/t/p/w500/ptyWagbWE8jSGyV2tGEzAdVbRCj.jpg", + "url": "https://www.themoviedb.org/movie/21734", + "genres": [ + "Thriller", + "Mystery" + ], + "tags": [ + "small town", + "california", + "library", + "widow", + "bank", + "detective", + "telegram", + "housewife", + "film noir", + "incest overtones", + "murder", + "fugitive", + "teenage girl", + "black and white", + "murderer", + "police detective", + "privacy", + "visit", + "gender roles", + "brother sister ", + "wealthy widow", + "precocious child", + "misogynist", + "americana", + "uncle niece relationship", + "money in the bank", + "murder suspect", + "northern california", + "conflicting worldviews", + "bluebeard" + ] + }, + { + "ranking": 1289, + "title": "The Lighthouse", + "year": "2019", + "runtime": 109, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.503, + "vote_count": 5051, + "description": "Two lighthouse keepers try to maintain their sanity while living on a remote and mysterious New England island in the 1890s.", + "poster": "https://image.tmdb.org/t/p/w500/f1tIYarTbkBdIT1aW0gzelDwknv.jpg", + "url": "https://www.themoviedb.org/movie/503919", + "genres": [ + "Drama", + "Fantasy", + "Thriller" + ], + "tags": [ + "island", + "nightmare", + "isolation", + "mermaid", + "hallucination", + "lighthouse", + "lighthouse keeper ", + "black and white", + "storm", + "male masturbation", + "new england", + "madness", + "drunkenness", + "19th century", + "isolated island", + "foreboding" + ] + }, + { + "ranking": 1292, + "title": "Training Day", + "year": "2001", + "runtime": 122, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.503, + "vote_count": 6082, + "description": "On his first day on the job as a narcotics officer, a rookie cop works with a rogue detective who isn't what he appears.", + "poster": "https://image.tmdb.org/t/p/w500/bUeiwBQdupBLQthMCHKV7zv56uv.jpg", + "url": "https://www.themoviedb.org/movie/2034", + "genres": [ + "Action", + "Crime", + "Drama" + ], + "tags": [ + "drug dealer", + "california", + "police brutality", + "poker", + "bratva (russian mafia)", + "war on drugs", + "drug trafficking", + "police corruption", + "los angeles, california", + "gang member", + "rookie cop", + "narcotics cop", + "mexican american", + "cholo", + "neo-noir", + "admiring", + "audacious" + ] + }, + { + "ranking": 1288, + "title": "The Valet", + "year": "2022", + "runtime": 124, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.5, + "vote_count": 572, + "description": "World famous movie star Olivia faces a PR disaster when a paparazzi snaps a photo of her with her married lover, Vincent. The hard-working valet Antonio accidentally appears in the same photo and is enlisted to pose as Olivia’s new boyfriend as a cover-up. This ruse with Olivia thrusts Antonio into the spotlight and unexpected chaos.", + "poster": "https://image.tmdb.org/t/p/w500/q7FmdJHKMLIC4XgWfcFRIu2iVdL.jpg", + "url": "https://www.themoviedb.org/movie/810171", + "genres": [ + "Comedy", + "Romance" + ], + "tags": [ + "paparazzi", + "remake", + "cultural difference", + "billionaire", + "los angeles, california", + "family", + "valet", + "fake boyfriend", + "marital separation", + "social media", + "wealth differences", + "adulterous affair", + "famous actress", + "chance encounter" + ] + }, + { + "ranking": 1299, + "title": "Fist of Legend", + "year": "1994", + "runtime": 103, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.501, + "vote_count": 546, + "description": "Chen Zhen, a Chinese engineering student in Kyoto, who braves the insults and abuse of his Japanse fellow students for his local love Mitsuko Yamada, daughter of the director, returns in 1937 to his native Shangai, under Japanse protectorate -in fact military occupation- after reading about the death of his kung-fu master Hou Ting-An in a fight against the Japanese champion Ryuichi Akutagawa.", + "poster": "https://image.tmdb.org/t/p/w500/Aqa1Yuog2OFrduwSffxZc2w4Tnk.jpg", + "url": "https://www.themoviedb.org/movie/17809", + "genres": [ + "Action" + ], + "tags": [ + "martial arts", + "kung fu", + "fistfight" + ] + }, + { + "ranking": 1295, + "title": "The Favourite", + "year": "2018", + "runtime": 120, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.502, + "vote_count": 5577, + "description": "England, early 18th century. The close relationship between Queen Anne and Sarah Churchill is threatened by the arrival of Sarah's cousin, Abigail Hill, resulting in a bitter rivalry between the two cousins to be the Queen's favourite.", + "poster": "https://image.tmdb.org/t/p/w500/cwBq0onfmeilU5xgqNNjJAMPfpw.jpg", + "url": "https://www.themoviedb.org/movie/375262", + "genres": [ + "Drama", + "Comedy", + "Thriller", + "History" + ], + "tags": [ + "great britain", + "queen", + "rivalry", + "rabbit", + "lgbt", + "18th century", + "cousin cousin relationship", + "duchess", + "palace intrigue", + "aristocracy", + "british monarchy", + "war of the spanish succession", + "drop disease", + "queen anne" + ] + }, + { + "ranking": 1290, + "title": "The Skin I Live In", + "year": "2011", + "runtime": 120, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.503, + "vote_count": 4299, + "description": "A brilliant plastic surgeon creates a synthetic skin that withstands any kind of damage. His guinea pig: a mysterious and volatile woman who holds the key to his obsession.", + "poster": "https://image.tmdb.org/t/p/w500/xa7uCwGYykrf8MMI8iF5dZvNlrG.jpg", + "url": "https://www.themoviedb.org/movie/63311", + "genres": [ + "Drama", + "Horror", + "Mystery", + "Thriller" + ], + "tags": [ + "mask", + "based on novel or book", + "madrid, spain", + "isolation", + "obsession", + "face transplant", + "plastic surgery", + "half-brother", + "sex change", + "revenge", + "dress", + "plastic surgeon", + "skin", + "nonlinear timeline", + "locked up", + "captivity" + ] + }, + { + "ranking": 1296, + "title": "Sabrina", + "year": "1954", + "runtime": 113, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.502, + "vote_count": 1258, + "description": "Linus and David Larrabee are the two sons of a very wealthy family. Linus is all work – busily running the family corporate empire, he has no time for a wife and family. David is all play – technically he is employed by the family business, but never shows up for work, spends all his time entertaining, and has been married and divorced three times. Meanwhile, Sabrina Fairchild is the young, shy, and awkward daughter of the household chauffeur, who goes away to Paris for two years, and returns to capture David's attention, while falling in love with Linus.", + "poster": "https://image.tmdb.org/t/p/w500/8vvgKw3DbEPNlJAdHe7xXzhb2gN.jpg", + "url": "https://www.themoviedb.org/movie/6620", + "genres": [ + "Comedy", + "Romance", + "Drama" + ], + "tags": [ + "chauffeur", + "sibling relationship", + "champagne", + "playboy", + "love", + "teenage crush", + "millionaire", + "high society", + "manhattan, new york city", + "impossible love", + "family disapproval" + ] + }, + { + "ranking": 1293, + "title": "Au Revoir les Enfants", + "year": "1987", + "runtime": 105, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.5, + "vote_count": 665, + "description": "Au revoir les enfants tells a heartbreaking story of friendship and devastating loss concerning two boys living in Nazi-occupied France. At a provincial Catholic boarding school, the precocious youths enjoy true camaraderie—until a secret is revealed. Based on events from writer-director Malle’s own childhood, the film is a subtle, precisely observed tale of courage, cowardice, and tragic awakening.", + "poster": "https://image.tmdb.org/t/p/w500/lXP90Vx7OcviBfbbokcaG6zVnPG.jpg", + "url": "https://www.themoviedb.org/movie/1786", + "genres": [ + "Drama", + "War" + ], + "tags": [ + "france", + "parent child relationship", + "resistance", + "vichy regime", + "holocaust (shoah)", + "deportation", + "jew persecution", + "auschwitz-birkenau concentration camp", + "national socialism", + "biography", + "anti-semitism", + "best friend", + "catholicism", + "resistance fighter", + "jewish boy", + "children in wartime" + ] + }, + { + "ranking": 1291, + "title": "Johnny Got His Gun", + "year": "1971", + "runtime": 112, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.503, + "vote_count": 385, + "description": "A young American soldier, rendered in pseudocoma from an artillery shell from WWI, recalls his life leading up to that point.", + "poster": "https://image.tmdb.org/t/p/w500/ryIY3FPmTtXu9g6W4I69qCdkxKj.jpg", + "url": "https://www.themoviedb.org/movie/16328", + "genres": [ + "War", + "Drama" + ], + "tags": [ + "blindness and impaired vision", + "experiment", + "amputation", + "world war i", + "deaf-mute", + "deaf", + "infantry", + "us army", + "mute", + "wounded", + "existence", + "anti war" + ] + }, + { + "ranking": 1297, + "title": "Elvis", + "year": "2022", + "runtime": 159, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.501, + "vote_count": 3531, + "description": "The life story of Elvis Presley as seen through the complicated relationship with his enigmatic manager, Colonel Tom Parker.", + "poster": "https://image.tmdb.org/t/p/w500/qBOKWqAFbveZ4ryjJJwbie6tXkQ.jpg", + "url": "https://www.themoviedb.org/movie/614934", + "genres": [ + "Drama", + "Music", + "History" + ], + "tags": [ + "rock 'n' roll", + "biography", + "based on true story", + "singer", + "music business", + "1950s", + "apathetic", + "disdainful" + ] + }, + { + "ranking": 1312, + "title": "The Passion of the Christ", + "year": "2004", + "runtime": 127, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.499, + "vote_count": 4693, + "description": "A graphic portrayal of the last twelve hours of Jesus of Nazareth's life.", + "poster": "https://image.tmdb.org/t/p/w500/4i76mQwY9rkBdARgZF2Dgh4Dekm.jpg", + "url": "https://www.themoviedb.org/movie/615", + "genres": [ + "Drama" + ], + "tags": [ + "mission", + "suffering", + "roman empire", + "christianity", + "jewry", + "roman", + "crucifixion", + "apostle", + "last supper", + "bible", + "satan", + "easter", + "torture", + "brutality", + "jesus christ", + "christian film", + "aramaic", + "rosario", + "ancient language film", + "sangre" + ] + }, + { + "ranking": 1308, + "title": "BlacKkKlansman", + "year": "2018", + "runtime": 136, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.499, + "vote_count": 7631, + "description": "Colorado Springs, late 1970s. Ron Stallworth, an African American police officer, and Flip Zimmerman, his Jewish colleague, run an undercover operation to infiltrate the Ku Klux Klan.", + "poster": "https://image.tmdb.org/t/p/w500/8jxqAvSDoneSKRczaK8v9X5gqBp.jpg", + "url": "https://www.themoviedb.org/movie/487558", + "genres": [ + "Crime", + "Comedy", + "Drama", + "History" + ], + "tags": [ + "based on novel or book", + "ku klux klan", + "1970s", + "black panther party", + "biography", + "based on true story", + "undercover cop", + "racism", + "based on memoir or autobiography", + "revisionist history", + "white supremacy", + "thoughtful", + "defiant", + "kkk", + "kkk rally" + ] + }, + { + "ranking": 1307, + "title": "Mars Express", + "year": "2023", + "runtime": 89, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.5, + "vote_count": 363, + "description": "In 2200, private detective Aline Ruby and her android partner Carlos Rivera are hired by a wealthy businessman to track down a notorious hacker. On Mars, they descend deep into the underbelly of the planet's capital city where they uncover a darker story of brain farms, corruption, and a missing girl who holds a secret about the robots that threatens to change the face of the universe.", + "poster": "https://image.tmdb.org/t/p/w500/g8rUn0khoYB3G4gPPGTF1Xv9Olu.jpg", + "url": "https://www.themoviedb.org/movie/586810", + "genres": [ + "Animation", + "Science Fiction", + "Action", + "Mystery" + ], + "tags": [ + "android", + "planet mars", + "hacker", + "private detective", + "near future", + "arrogant", + "cliché" + ] + }, + { + "ranking": 1320, + "title": "I Can Only Imagine", + "year": "2018", + "runtime": 110, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.496, + "vote_count": 477, + "description": "10-year-old Bart Millard lives with his mother and abusive father Arthur in Texas. One day his mother drops him off at a Christian camp where he meets Shannon. Upon his return from camp, Bart finds his mother has left and movers are removing her belongings. He angrily confronts his father, who denies that his abusiveness was the reason she left. Years later, in high school, Bart and Shannon are dating. Bart plays football to please his father but is injured, breaking both ankles and ending his career. The only elective with openings is music class, so he reluctantly signs up.", + "poster": "https://image.tmdb.org/t/p/w500/veZszwMZu8d3WMU6TJX9sV5w1Y4.jpg", + "url": "https://www.themoviedb.org/movie/470878", + "genres": [ + "Music", + "Drama" + ], + "tags": [] + }, + { + "ranking": 1311, + "title": "Hercules", + "year": "1997", + "runtime": 93, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.499, + "vote_count": 7527, + "description": "Bestowed with superhuman strength, a young mortal named Hercules sets out to prove himself a hero in the eyes of his father, the great god Zeus. Along with his friends Pegasus, a flying horse, and Phil, a personal trainer, Hercules is tricked by the hilarious, hotheaded villain Hades, who's plotting to take over Mount Olympus!", + "poster": "https://image.tmdb.org/t/p/w500/dK9rNoC97tgX3xXg5zdxFisdfcp.jpg", + "url": "https://www.themoviedb.org/movie/11970", + "genres": [ + "Animation", + "Family", + "Fantasy", + "Adventure", + "Comedy", + "Romance" + ], + "tags": [ + "peasant", + "hades", + "cartoon", + "villain", + "musical", + "pegasus", + "zeus", + "ancient greece", + "aftercreditsstinger", + "olympus", + "hercules", + "worth", + "playful", + "hopeful" + ] + }, + { + "ranking": 1310, + "title": "The Devils", + "year": "1971", + "runtime": 114, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.499, + "vote_count": 383, + "description": "In 17th-century France, Father Urbain Grandier seeks to protect the city of Loudun from the corrupt establishment of Cardinal Richelieu. Hysteria occurs within the city when he is accused of witchcraft by the sexually repressed Sister Jeanne.", + "poster": "https://image.tmdb.org/t/p/w500/y1k7eiOFc6fzm8XeTa1kNGx6JIs.jpg", + "url": "https://www.themoviedb.org/movie/31767", + "genres": [ + "Drama", + "History" + ], + "tags": [ + "nun", + "chaos", + "christianity", + "inquisition", + "exploitation", + "satire", + "surrealism", + "biography", + "based on true story", + "sin", + "hysteria", + "priest", + "torture", + "catholic church", + "blasphemy", + "convent (nunnery)", + "nunsploitation", + "17th century", + "grim", + "religious controversy", + "sexual perversion", + "absurd", + "banned film", + "bold" + ] + }, + { + "ranking": 1315, + "title": "How to Steal a Million", + "year": "1966", + "runtime": 123, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.5, + "vote_count": 602, + "description": "A woman must steal a statue from a Paris museum to help conceal her father's art forgeries.", + "poster": "https://image.tmdb.org/t/p/w500/dkCHsyFdyA63nUXzEvDvqNhqUuO.jpg", + "url": "https://www.themoviedb.org/movie/3001", + "genres": [ + "Comedy", + "Crime", + "Romance" + ], + "tags": [ + "insurance fraud", + "theft", + "art thief", + "swinging 60s", + "caper comedy", + "art museum", + "forgery" + ] + }, + { + "ranking": 1309, + "title": "You Can't Take It with You", + "year": "1938", + "runtime": 126, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.5, + "vote_count": 410, + "description": "Alice, the only relatively normal member of the eccentric Sycamore family, falls in love with Tony Kirby, but his wealthy banker father and snobbish mother strongly disapprove of the match. When the Kirbys are invited to dinner to become better acquainted with their future in-laws, things don't turn out the way Alice had hoped.", + "poster": "https://image.tmdb.org/t/p/w500/9JltqbDyWstYW6gnvqDO6L5bOrx.jpg", + "url": "https://www.themoviedb.org/movie/34106", + "genres": [ + "Comedy", + "Romance" + ], + "tags": [ + "harmonica", + "monopoly", + "house", + "tycoon", + "based on play or musical", + "love", + "friends", + "eccentric", + "secretary", + "free spirit", + "black and white", + "rich snob", + "stenographer", + "eccentric family", + "whimsical" + ] + }, + { + "ranking": 1316, + "title": "The French Connection", + "year": "1971", + "runtime": 104, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.5, + "vote_count": 1924, + "description": "Tough narcotics detective 'Popeye' Doyle is in hot pursuit of a suave French drug dealer who may be the key to a huge heroin-smuggling operation.", + "poster": "https://image.tmdb.org/t/p/w500/5XSGvIKl2yPvOkieFjc3rzLw7x0.jpg", + "url": "https://www.themoviedb.org/movie/1051", + "genres": [ + "Action", + "Crime", + "Thriller" + ], + "tags": [ + "drug dealer", + "new york city", + "police brutality", + "drug smuggling", + "undercover agent", + "gangster", + "heroin", + "marseille, france", + "paranoia", + "night life", + "attempted murder", + "drug mule", + "hijacking of train", + "police stakeout", + "police pursuit", + "popeye", + "car chase" + ] + }, + { + "ranking": 1318, + "title": "Rescued by Ruby", + "year": "2022", + "runtime": 93, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.5, + "vote_count": 315, + "description": "Chasing his dream to join an elite K-9 unit, a state trooper partners with a fellow underdog: clever but naughty shelter pup Ruby. Based on a true story.", + "poster": "https://image.tmdb.org/t/p/w500/tPlJEodEn0SSV4avo8KSawtlTlN.jpg", + "url": "https://www.themoviedb.org/movie/921655", + "genres": [ + "Family", + "Drama" + ], + "tags": [ + "based on true story", + "dog" + ] + }, + { + "ranking": 1313, + "title": "A Star Is Born", + "year": "2018", + "runtime": 136, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.498, + "vote_count": 11778, + "description": "Seasoned musician Jackson Maine discovers — and falls in love with — struggling artist Ally. She has just about given up on her dream to make it big as a singer — until Jack coaxes her into the spotlight. But even as Ally's career takes off, the personal side of their relationship is breaking down, as Jack fights an ongoing battle with his own internal demons.", + "poster": "https://image.tmdb.org/t/p/w500/wrFpXMNBRj2PBiN4Z5kix51XaIZ.jpg", + "url": "https://www.themoviedb.org/movie/332562", + "genres": [ + "Music", + "Drama", + "Romance" + ], + "tags": [ + "concert", + "country music", + "waitress", + "pop star", + "self-destruction", + "talent", + "addiction", + "death of father", + "alcoholism", + "remake", + "aspiring singer", + "singer", + "fame", + "tinnitus", + "falling in love", + "insecurity", + "alcoholic", + "death of mother", + "aspiration", + "death of parent", + "showbiz", + "emotional vulnerability", + "hearing impaired", + "brother brother relationship", + "dramatic", + "romantic", + "admiring" + ] + }, + { + "ranking": 1303, + "title": "Little Big Man", + "year": "1970", + "runtime": 139, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.5, + "vote_count": 644, + "description": "Jack Crabb, looking back from extreme old age, tells of his life being raised by Indians and fighting with General Custer.", + "poster": "https://image.tmdb.org/t/p/w500/pLvUVqadEI9cPrRlTru6ee71EWU.jpg", + "url": "https://www.themoviedb.org/movie/11040", + "genres": [ + "Adventure", + "Western", + "Comedy", + "Drama" + ], + "tags": [ + "based on novel or book", + "fight", + "indian territory", + "settler", + "native american", + "orphan", + "cheyenne", + "19th century" + ] + }, + { + "ranking": 1319, + "title": "Cyrano, My Love", + "year": "2018", + "runtime": 113, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.5, + "vote_count": 504, + "description": "Paris, France, December 1897. The young playwright Edmond Rostand feels like a failure. Inspiration has abandoned him. Married and father of two children, desperate and penniless, he persuades the great actor Constant Coquelin to perform the main role in his new play. But there is a problem: Coquelin wants to premiere it at Christmas and Edmond has not written a single word.", + "poster": "https://image.tmdb.org/t/p/w500/9Y1VxSfJdu8fqQqgX0x6OObxvUw.jpg", + "url": "https://www.themoviedb.org/movie/544510", + "genres": [ + "Comedy", + "History" + ], + "tags": [ + "husband wife relationship", + "paris, france", + "based on true story", + "aspiring actor", + "19th century", + "portrait of an artist", + "struggling playwright", + "french writer" + ] + }, + { + "ranking": 1305, + "title": "Almost Famous", + "year": "2000", + "runtime": 124, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.5, + "vote_count": 2829, + "description": "In 1973, 15-year-old William Miller's unabashed love of music and aspiration to become a rock journalist lands him an assignment from Rolling Stone magazine to interview and tour with the up-and-coming band, Stillwater.", + "poster": "https://image.tmdb.org/t/p/w500/3rrkyLYbgLj84AYvjhdcJot4JPx.jpg", + "url": "https://www.themoviedb.org/movie/786", + "genres": [ + "Drama", + "Music" + ], + "tags": [ + "hotel room", + "concert", + "rock 'n' roll", + "stewardess", + "drug addiction", + "san diego, california", + "overdose", + "groupie", + "music journalist", + "heavy metal", + "based on true story", + "swimming pool", + "coming of age", + "promiscuity", + "on the road", + "domineering mother", + "reconciliation", + "nostalgic", + "semi autobiographical", + "innocence lost", + "bus trip", + "aspiring writer", + "mischievous", + "cautionary", + "teenager", + "adoring", + "amused", + "celebratory", + "comforting", + "frustrated", + "cleveland, ohio" + ] + }, + { + "ranking": 1302, + "title": "Suspiria", + "year": "1977", + "runtime": 99, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.5, + "vote_count": 2971, + "description": "An American newcomer to a prestigious German ballet academy comes to realize that the school is a front for something sinister amid a series of grisly murders.", + "poster": "https://image.tmdb.org/t/p/w500/5ya8jTbNZTrCFUx9OwpNBjCivXY.jpg", + "url": "https://www.themoviedb.org/movie/11906", + "genres": [ + "Horror" + ], + "tags": [ + "witch", + "boarding school", + "germany", + "ballet", + "whodunit", + "young woman", + "gothic", + "evil", + "coven (akelarre)", + "ballet school", + "dance school", + "dance academy", + "giallo" + ] + }, + { + "ranking": 1301, + "title": "My Fault: London", + "year": "2025", + "runtime": 118, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.5, + "vote_count": 345, + "description": "18-year-old Noah moves from America to London, with her mother who's recently fallen in love with William, a wealthy British businessman. Noah meets William’s son, bad-boy Nick, and soon discovers there is an attraction between them neither can avoid. As Noah spends the summer adjusting to her new life, her devastating past will catch up with her while falling in love for the first time.", + "poster": "https://image.tmdb.org/t/p/w500/ttN5D6GKOwKWHmCzDGctAvaNMAi.jpg", + "url": "https://www.themoviedb.org/movie/1294203", + "genres": [ + "Romance", + "Drama" + ], + "tags": [ + "based on novel or book", + "release from prison", + "estranged father" + ] + }, + { + "ranking": 1304, + "title": "No Man's Land", + "year": "2001", + "runtime": 98, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.5, + "vote_count": 452, + "description": "Two soldiers from opposite sites get stuck between the front lines in the same trench. The UN is asked to free them and both sides agree on a ceasefire, but will they stick to it?", + "poster": "https://image.tmdb.org/t/p/w500/jRffyv5gaJb6Sna1S6UMRCPHuso.jpg", + "url": "https://www.themoviedb.org/movie/8342", + "genres": [ + "Action", + "History", + "War" + ], + "tags": [ + "bosnia and herzegovina", + "recruit", + "bosnian war (1992-95)", + "united nations", + "anti war", + "land mine", + "unexploded bomb", + "peacekeeper" + ] + }, + { + "ranking": 1314, + "title": "Boyhood", + "year": "2014", + "runtime": 166, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.5, + "vote_count": 5235, + "description": "The film tells a story of a divorced couple trying to raise their young son. The story follows the boy for twelve years, from first grade at age 6 through 12th grade at age 17-18, and examines his relationship with his parents as he grows.", + "poster": "https://image.tmdb.org/t/p/w500/2BvtvDUyxiMJ4dmKfiQf4qdOHQN.jpg", + "url": "https://www.themoviedb.org/movie/85350", + "genres": [ + "Drama" + ], + "tags": [ + "high school", + "family's daily life", + "college", + "urban life", + "coming of age", + "growing up", + "domestic abuse", + "parenting", + "divorce", + "family", + "nostalgic", + "divorced parents", + "abusive husband", + "teenager" + ] + }, + { + "ranking": 1306, + "title": "The Rules of the Game", + "year": "1939", + "runtime": 106, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.5, + "vote_count": 599, + "description": "A weekend at a marquis’ country château lays bare some ugly truths about a group of haut bourgeois acquaintances.", + "poster": "https://image.tmdb.org/t/p/w500/8JOzt7uFZyshcuzCBmYU6CDJL4D.jpg", + "url": "https://www.themoviedb.org/movie/776", + "genres": [ + "Drama", + "Comedy", + "Romance" + ], + "tags": [ + "jealousy", + "paris, france", + "upper class", + "servant", + "pilot", + "bourgeoisie", + "hunting" + ] + }, + { + "ranking": 1317, + "title": "Hero", + "year": "2002", + "runtime": 99, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.498, + "vote_count": 2295, + "description": "During China's Warring States period, a district prefect arrives at the palace of Qin Shi Huang, claiming to have killed the three assassins who had made an attempt on the king's life three years ago.", + "poster": "https://image.tmdb.org/t/p/w500/1NBtOH3KPU9UUp1vzVHJ8qzdW88.jpg", + "url": "https://www.themoviedb.org/movie/79", + "genres": [ + "Drama", + "Adventure", + "Action", + "History" + ], + "tags": [ + "martial arts", + "kung fu", + "right and justice", + "countryside", + "loss of loved one", + "patriot", + "wuxia", + "warring states period", + "3rd century bc", + "grand", + "admiring" + ] + }, + { + "ranking": 1323, + "title": "Band of Outsiders", + "year": "1964", + "runtime": 97, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.5, + "vote_count": 576, + "description": "Cinephile slackers Franz and Arthur spend their days mimicking the antiheroes of Hollywood noirs and Westerns while pursuing the lovely Odile. The misfit trio upends convention at every turn, be it through choreographed dances in cafés or frolicsome romps through the Louvre. Eventually, their romantic view of outlaws pushes them to plan their own heist, but their inexperience may send them out in a blaze of glory -- which could be just what they want.", + "poster": "https://image.tmdb.org/t/p/w500/9oqyj79xmcypxLajJdefOtrYx64.jpg", + "url": "https://www.themoviedb.org/movie/8073", + "genres": [ + "Crime", + "Drama", + "Comedy" + ], + "tags": [ + "robbery", + "paris, france", + "love triangle", + "louvre museum", + "woman between two men", + "bastille", + "nouvelle vague" + ] + }, + { + "ranking": 1327, + "title": "I Lost My Body", + "year": "2019", + "runtime": 81, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.5, + "vote_count": 1268, + "description": "A story of Naoufel, a young man who is in love with Gabrielle. In another part of town, a severed hand escapes from a dissection lab, determined to find its body again.", + "poster": "https://image.tmdb.org/t/p/w500/z5dXCywyo8zEPNDkeQY7nbvkrz8.jpg", + "url": "https://www.themoviedb.org/movie/586940", + "genres": [ + "Animation", + "Drama", + "Fantasy" + ], + "tags": [ + "based on novel or book", + "cartoon", + "surrealism", + "flashback", + "adult animation", + "severed hand", + "pizza delivery boy", + "crawling hand", + "librarian" + ] + }, + { + "ranking": 1328, + "title": "mid90s", + "year": "2018", + "runtime": 86, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.494, + "vote_count": 1634, + "description": "In 1990s Los Angeles, a 13-year-old spends his summer navigating between a troubled home life and a crew of new friends he meets at a skate shop.", + "poster": "https://image.tmdb.org/t/p/w500/9Tw0Y3DK5kGIU9X1yw3Q9gCkOlb.jpg", + "url": "https://www.themoviedb.org/movie/437586", + "genres": [ + "Drama", + "Comedy" + ], + "tags": [ + "california", + "skateboarding", + "dysfunctional family", + "coming of age", + "los angeles, california", + "misogyny", + "1990s", + "skate punk", + "reflective", + "toxic masculinity", + "gay theme", + "teenager", + "comforting" + ] + }, + { + "ranking": 1324, + "title": "One, Two, Three", + "year": "1961", + "runtime": 109, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.496, + "vote_count": 379, + "description": "C.R. MacNamara is a managing director for Coca Cola in West Berlin during the Cold War, just before the Wall is put up. When Scarlett, the rebellious daughter of his boss, comes to West Berlin, MacNamara has to look after her, but this turns out to be a difficult task when she reveals to be married to a communist.", + "poster": "https://image.tmdb.org/t/p/w500/yWQE227ub1frfnjP5HZy0wLF0wu.jpg", + "url": "https://www.themoviedb.org/movie/430", + "genres": [ + "Comedy" + ], + "tags": [ + "prison", + "capitalist", + "berlin, germany", + "clerk", + "cold war", + "pregnancy", + "atlanta", + "coca-cola", + "soviet union", + "headquarter", + "iron curtain", + "totalitarian regime", + "joke", + "chamber of commerce", + "east berlin", + "west berlin", + "principal", + "wedding", + "american", + "baffled", + "cheerful" + ] + }, + { + "ranking": 1334, + "title": "The Book Thief", + "year": "2013", + "runtime": 131, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.493, + "vote_count": 4366, + "description": "While subjected to the horrors of WWII Germany, young Liesel finds solace by stealing books and sharing them with others. Under the stairs in her home, a Jewish refugee is being sheltered by her adoptive parents.", + "poster": "https://image.tmdb.org/t/p/w500/wj4U5sMLcJMa3WR9CpRR9e2sdgZ.jpg", + "url": "https://www.themoviedb.org/movie/203833", + "genres": [ + "Drama" + ], + "tags": [ + "nazi", + "world war ii", + "children in wartime", + "based on young adult novel" + ] + }, + { + "ranking": 1322, + "title": "Carol", + "year": "2015", + "runtime": 118, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.5, + "vote_count": 3756, + "description": "In 1950s New York, a department-store clerk who dreams of a better life falls for an older, married woman.", + "poster": "https://image.tmdb.org/t/p/w500/cJeled7EyPdur6TnCA5GYg0UVna.jpg", + "url": "https://www.themoviedb.org/movie/258480", + "genres": [ + "Romance", + "Drama" + ], + "tags": [ + "hotel", + "new year's eve", + "chicago, illinois", + "new york city", + "based on novel or book", + "parent child relationship", + "age difference", + "department store", + "photography", + "road trip", + "lesbian relationship", + "divorce", + "lesbian sex", + "lgbt", + "santa hat", + "child custody", + "older woman younger woman relationship", + "1950s", + "loving", + "lesbian", + "wistful", + "intimate", + "sentimental", + "adoring", + "ambiguous", + "comforting", + "compassionate", + "exuberant", + "gentle" + ] + }, + { + "ranking": 1336, + "title": "Upgrade", + "year": "2018", + "runtime": 100, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.5, + "vote_count": 4518, + "description": "A brutal mugging leaves Grey Trace paralyzed in the hospital and his beloved wife dead. A billionaire inventor soon offers Trace a cure — an artificial intelligence implant called STEM that will enhance his body. Now able to walk, Grey finds that he also has superhuman strength and agility — skills he uses to seek revenge against the thugs who destroyed his life.", + "poster": "https://image.tmdb.org/t/p/w500/cF8fsHKGfqdlm7kdmG2Dub4E2rg.jpg", + "url": "https://www.themoviedb.org/movie/500664", + "genres": [ + "Action", + "Thriller", + "Science Fiction" + ], + "tags": [ + "future", + "artificial intelligence (a.i.)", + "hacker", + "police", + "technology", + "cyborg", + "dystopia", + "revenge", + "murder", + "drone", + "cyberpunk", + "transhumanism", + "brutality", + "implant", + "surgery", + "quadriplegic", + "near future", + "body enhancement", + "body horror", + "violence", + "microship" + ] + }, + { + "ranking": 1321, + "title": "The Insult", + "year": "2017", + "runtime": 112, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.5, + "vote_count": 457, + "description": "After an emotional exchange between a Lebanese Christian and a Palestinian refugee escalates, the men end up in a court case that gets national attention.", + "poster": "https://image.tmdb.org/t/p/w500/w9mlrckg3ZU2rsAlKUbLD1CgBTk.jpg", + "url": "https://www.themoviedb.org/movie/468284", + "genres": [ + "Drama", + "Crime" + ], + "tags": [] + }, + { + "ranking": 1339, + "title": "In Bruges", + "year": "2008", + "runtime": 108, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.492, + "vote_count": 5284, + "description": "Ray and Ken, two hit men, are in Bruges, Belgium, waiting for their next mission. While they are there they have time to think and discuss their previous assignment. When the mission is revealed to Ken, it is not what he expected.", + "poster": "https://image.tmdb.org/t/p/w500/jMiBBqk72VRo1Y39x2ZbbenEU3a.jpg", + "url": "https://www.themoviedb.org/movie/8321", + "genres": [ + "Comedy", + "Drama", + "Crime" + ], + "tags": [ + "drug dealer", + "hitman", + "tourist", + "dark comedy", + "bruges, belgium", + "church", + "guilt", + "death", + "town square", + "vietnamese", + "canadian stereotype", + "neo-noir", + "christmas", + "irish" + ] + }, + { + "ranking": 1329, + "title": "Rogue One: A Star Wars Story", + "year": "2016", + "runtime": 133, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.5, + "vote_count": 15491, + "description": "A rogue band of resistance fighters unite for a mission to steal the Death Star plans and bring a new hope to the galaxy.", + "poster": "https://image.tmdb.org/t/p/w500/i0yw1mFbB7sNGHCs7EXZPzFkdA1.jpg", + "url": "https://www.themoviedb.org/movie/330459", + "genres": [ + "Action", + "Adventure", + "Science Fiction" + ], + "tags": [ + "rebellion", + "spacecraft", + "rebel", + "space battle", + "space travel", + "prequel", + "female protagonist", + "space western", + "suicide mission", + "robot", + "spin off", + "space opera", + "alien language", + "against the odds", + "blind man" + ] + }, + { + "ranking": 1335, + "title": "Dawn of the Dead", + "year": "1978", + "runtime": 127, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.5, + "vote_count": 2120, + "description": "During an ever-growing epidemic of zombies that have risen from the dead, two Philadelphia SWAT team members, a traffic reporter, and his television-executive girlfriend seek refuge in a secluded shopping mall.", + "poster": "https://image.tmdb.org/t/p/w500/3gx7VwU0OmvMihtiDmRNmsd4OG5.jpg", + "url": "https://www.themoviedb.org/movie/923", + "genres": [ + "Horror" + ], + "tags": [ + "helicopter", + "army", + "chaos", + "bite", + "materialism", + "machete", + "gore", + "martial law", + "state of emergency", + "shopping mall", + "infection", + "biker", + "truck", + "consumerism", + "zombie", + "motorcycle gang", + "exploding head", + "mall", + "tv production", + "zombie apocalypse", + "pittsburgh, pennsylvania", + "anxious", + "frightened", + "zombies" + ] + }, + { + "ranking": 1325, + "title": "Tad, the Lost Explorer and the Emerald Tablet", + "year": "2022", + "runtime": 89, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.5, + "vote_count": 314, + "description": "Tad accidentally unleashes an ancient spell, endangering the lives of his friends Mummy, Jeff, and Belzoni. With everyone against him and only helped by Sara, he sets off on an adventure to end the Curse of the Mummy.", + "poster": "https://image.tmdb.org/t/p/w500/jvIVl8zdNSOAJImw1elQEzxStMN.jpg", + "url": "https://www.themoviedb.org/movie/676701", + "genres": [ + "Animation", + "Adventure", + "Family", + "Comedy", + "Fantasy" + ], + "tags": [] + }, + { + "ranking": 1332, + "title": "About Fate", + "year": "2022", + "runtime": 100, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.493, + "vote_count": 447, + "description": "Two strangers believe in love but never seem to be able to find its true meaning. In a wild twist of events, fate puts each in the other's path on one stormy New Year's Eve.", + "poster": "https://image.tmdb.org/t/p/w500/fabZkaVHYJ67KbZx7oFoitauX34.jpg", + "url": "https://www.themoviedb.org/movie/828613", + "genres": [ + "Romance", + "Comedy" + ], + "tags": [ + "new year's eve", + "winter", + "date", + "holiday", + "remake", + "fate", + "wedding", + "accidental love", + "fake dating" + ] + }, + { + "ranking": 1330, + "title": "To Sir, with Love", + "year": "1967", + "runtime": 105, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.5, + "vote_count": 320, + "description": "A British Guianese engineer starts a job as a high school teacher in London’s East End, where his uninterested and delinquent pupils are in desperate need of attention and care.", + "poster": "https://image.tmdb.org/t/p/w500/xMaVwTfgETmPs5yp3lNK5SeWCtB.jpg", + "url": "https://www.themoviedb.org/movie/25934", + "genres": [ + "Drama" + ], + "tags": [ + "london, england", + "education", + "respect", + "teacher", + "teenage crush", + "school", + "teacher student relationship", + "high school teacher", + "maturity", + "high school dance", + "east end of london", + "class field trip", + "life lessons", + "dedicated", + "high school kids" + ] + }, + { + "ranking": 1333, + "title": "All Three of Us", + "year": "2015", + "runtime": 102, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.493, + "vote_count": 494, + "description": "An Iranian family survives the shah and the ayatollah and moves to France. This story follows the family through it all. Despite the politics, revolution, prison, beatings, assassinations and suicides this is a comedy.", + "poster": "https://image.tmdb.org/t/p/w500/aPYtRdJwt85OgZIUBZ5tHgmfyCO.jpg", + "url": "https://www.themoviedb.org/movie/364137", + "genres": [ + "Drama", + "Comedy" + ], + "tags": [ + "iran" + ] + }, + { + "ranking": 1331, + "title": "The Name of the Rose", + "year": "1986", + "runtime": 130, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.494, + "vote_count": 3072, + "description": "14th-century Franciscan monk William of Baskerville and his young novice arrive at a conference to find that several monks have been murdered under mysterious circumstances. To solve the crimes, William must rise up against the Church's authority and fight the shadowy conspiracy of monastery monks using only his intelligence; which is considerable.", + "poster": "https://image.tmdb.org/t/p/w500/2BuVu0j6v2kNY2gGxtO3sDGyob2.jpg", + "url": "https://www.themoviedb.org/movie/192", + "genres": [ + "Drama", + "Thriller", + "Mystery" + ], + "tags": [ + "based on novel or book", + "library", + "christianity", + "inquisition", + "monk", + "poison", + "secret passage", + "religion", + "labyrinth", + "rich", + "middle ages (476-1453)", + "persecution", + "medieval", + "franciscan", + "burned at the stake", + "poor", + "murder mystery", + "grotesque", + "theological debate", + "14th century", + "master disciple relationship", + "umberto eco" + ] + }, + { + "ranking": 1326, + "title": "Balloon", + "year": "2018", + "runtime": 125, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.5, + "vote_count": 436, + "description": "Two families attempt a daredevil plan to escape the GDR with a homemade hot air balloon, but it crashes just before the border. The Stasi finds traces of this attempt to escape and immediately starts investigations, while the two families are forced to build a new escape balloon. With each passing day the Stasi is closer on their heels – a nerve-wracking race against time begins.", + "poster": "https://image.tmdb.org/t/p/w500/nRs8A0zp0jU211j8Zay3ApIzlpx.jpg", + "url": "https://www.themoviedb.org/movie/483983", + "genres": [ + "Thriller", + "Drama", + "History" + ], + "tags": [ + "berlin wall", + "german democratic republic", + "stasi", + "border patrol", + "german-german border", + "hot air balloon", + "based on true story", + "escape from german democratic republic ", + "east germany", + "escape plan" + ] + }, + { + "ranking": 1338, + "title": "After Hours", + "year": "1985", + "runtime": 97, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.5, + "vote_count": 1533, + "description": "Desperate to escape his mind-numbing routine, uptown Manhattan office worker Paul Hackett ventures downtown for a hookup with a mystery woman.", + "poster": "https://image.tmdb.org/t/p/w500/3eLTAg0A7Ae66D5dkn4c7akpR39.jpg", + "url": "https://www.themoviedb.org/movie/10843", + "genres": [ + "Comedy", + "Thriller", + "Drama" + ], + "tags": [ + "new york city", + "suicide", + "date", + "subway", + "nightclub", + "overdose", + "artist", + "surreal", + "punk rock", + "surrealism", + "coincidence", + "thief", + "murder", + "mobster", + "one night", + "vigilantism", + "soho", + "district", + "circumstance", + "paper mache", + "anxious", + "playful", + "bar", + "vigilante gang", + "absurd", + "hilarious", + "whimsical", + "amused" + ] + }, + { + "ranking": 1337, + "title": "How the Grinch Stole Christmas!", + "year": "1966", + "runtime": 26, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.486, + "vote_count": 1048, + "description": "Bitter and hateful, the Grinch is irritated at the thought of a nearby village having a happy time celebrating Christmas. Disguised as Santa Claus, with his dog made to look like a reindeer, he decides to raid the village to steal all the Christmas things.", + "poster": "https://image.tmdb.org/t/p/w500/7ir0iRuPK9OEuH569cp0nF5CJce.jpg", + "url": "https://www.themoviedb.org/movie/13377", + "genres": [ + "Animation", + "Family", + "Comedy" + ], + "tags": [ + "sleigh", + "monster", + "based on novel or book", + "heart", + "holiday", + "obsession", + "santa claus", + "materialism", + "christmas tree", + "surrealism", + "affection", + "snow", + "dog", + "christmas" + ] + }, + { + "ranking": 1340, + "title": "Bonnie and Clyde", + "year": "1967", + "runtime": 111, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.492, + "vote_count": 1653, + "description": "In the 1930s, bored waitress Bonnie Parker falls in love with an ex-con named Clyde Barrow and together they start a violent crime spree through the country, stealing cars and robbing banks.", + "poster": "https://image.tmdb.org/t/p/w500/sCSQFK9kMsprT4jgWqgw82dT6WI.jpg", + "url": "https://www.themoviedb.org/movie/475", + "genres": [ + "Crime", + "Drama" + ], + "tags": [ + "sheriff", + "waitress", + "ambush", + "prohibition era", + "submachine gun", + "texas", + "bank robber", + "oklahoma", + "impotence", + "missouri", + "texas ranger", + "crook couple", + "heist", + "fugitive", + "on the run", + "bank robbery", + "grave digger", + "nostalgic", + "crime spree", + "crime wave", + "bank heist", + "police shootout", + "frantic", + "public enemy", + "gun crime", + "runaway couple", + "mischievous", + "fugitive lovers", + "defiant", + "tragic" + ] + }, + { + "ranking": 1359, + "title": "How the Grinch Stole Christmas!", + "year": "1966", + "runtime": 26, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.486, + "vote_count": 1048, + "description": "Bitter and hateful, the Grinch is irritated at the thought of a nearby village having a happy time celebrating Christmas. Disguised as Santa Claus, with his dog made to look like a reindeer, he decides to raid the village to steal all the Christmas things.", + "poster": "https://image.tmdb.org/t/p/w500/7ir0iRuPK9OEuH569cp0nF5CJce.jpg", + "url": "https://www.themoviedb.org/movie/13377", + "genres": [ + "Animation", + "Family", + "Comedy" + ], + "tags": [ + "sleigh", + "monster", + "based on novel or book", + "heart", + "holiday", + "obsession", + "santa claus", + "materialism", + "christmas tree", + "surrealism", + "affection", + "snow", + "dog", + "christmas" + ] + }, + { + "ranking": 1351, + "title": "Scott Pilgrim vs. the World", + "year": "2010", + "runtime": 113, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.5, + "vote_count": 8016, + "description": "As bass guitarist for a garage-rock band, Scott Pilgrim has never had trouble getting a girlfriend; usually, the problem is getting rid of them. But when Ramona Flowers skates into his heart, he finds she has the most troublesome baggage of all: an army of ex-boyfriends who will stop at nothing to eliminate him from her list of suitors.", + "poster": "https://image.tmdb.org/t/p/w500/g5IoYeudx9XBEfwNL0fHvSckLBz.jpg", + "url": "https://www.themoviedb.org/movie/22538", + "genres": [ + "Action", + "Comedy", + "Romance" + ], + "tags": [ + "video game", + "skateboarding", + "ex-boyfriend", + "ex-girlfriend", + "toronto, canada", + "animated scene", + "dating", + "guitar player", + "break-up", + "based on graphic novel", + "group of friends", + "whipping", + "hipster", + "underage girlfriend", + "unconsciousness", + "girl fight", + "vegan", + "aftercreditsstinger", + "garage band", + "band competition" + ] + }, + { + "ranking": 1354, + "title": "The Shack", + "year": "2017", + "runtime": 132, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.487, + "vote_count": 2153, + "description": "A grieving man receives a mysterious, personal invitation to meet with God at a place called 'The Shack'.", + "poster": "https://image.tmdb.org/t/p/w500/doAzav9kfdtsoSdw1MDFvjKq3J4.jpg", + "url": "https://www.themoviedb.org/movie/345938", + "genres": [ + "Drama", + "Fantasy" + ], + "tags": [ + "based on novel or book", + "loss of loved one", + "christianity", + "guilt", + "death of daughter", + "family trip", + "christian film", + "christian", + "comforting", + "hopeful", + "straightforward" + ] + }, + { + "ranking": 1343, + "title": "Fear City: A Family-Style Comedy", + "year": "1994", + "runtime": 100, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.49, + "vote_count": 1260, + "description": "A second-class horror movie has to be shown at Cannes Film Festival, but, before each screening, the projectionist is killed by a mysterious fellow, with hammer and sickle, just as it happens in the film to be shown.", + "poster": "https://image.tmdb.org/t/p/w500/xaTVWUrPbGM4SgrLOaaWLeUEafI.jpg", + "url": "https://www.themoviedb.org/movie/15097", + "genres": [ + "Comedy" + ], + "tags": [ + "france", + "movie business", + "bodyguard", + "dark comedy", + "film in film", + "serial killer", + "sickle", + "vomiting", + "press agent", + "1990s", + "cannes", + "hammer" + ] + }, + { + "ranking": 1352, + "title": "Love Don't Co$t a Thing", + "year": "2003", + "runtime": 100, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.488, + "vote_count": 572, + "description": "A high school outcast pays a cheerleader to pose as his girlfriend so he can be considered cool.", + "poster": "https://image.tmdb.org/t/p/w500/88zspc72LIkfiuMnGpHnsWCuqEH.jpg", + "url": "https://www.themoviedb.org/movie/21542", + "genres": [ + "Comedy", + "Drama", + "Family", + "Romance" + ], + "tags": [ + "woman director" + ] + }, + { + "ranking": 1355, + "title": "The Secret Life of Bees", + "year": "2008", + "runtime": 114, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.487, + "vote_count": 524, + "description": "Set in South Carolina in 1964, this is the tale of Lily Owens a 14 year-old girl who is haunted by the memory of her late mother. To escape her lonely life and troubled relationship with her father, Lily flees with Rosaleen, her caregiver and only friend, to a South Carolina town that holds the secret to her mother's past.", + "poster": "https://image.tmdb.org/t/p/w500/m1LGEeoYfc6crbfG8WmTKg9SVqL.jpg", + "url": "https://www.themoviedb.org/movie/12837", + "genres": [ + "Family", + "Adventure", + "Drama" + ], + "tags": [ + "melancholy", + "woman director", + "shocking", + "hopeful" + ] + }, + { + "ranking": 1345, + "title": "Ghostbusters", + "year": "1984", + "runtime": 107, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.5, + "vote_count": 9129, + "description": "After losing their academic posts at a prestigious university, a team of parapsychologists goes into business as proton-pack-toting \"ghostbusters\" who exterminate ghouls, hobgoblins and supernatural pests of all stripes. An ad campaign pays off when a knockout cellist hires the squad to purge her swanky digs of demons that appear to be living in her refrigerator.", + "poster": "https://image.tmdb.org/t/p/w500/7E8nLijS9AwwUEPu2oFYOVKhdFA.jpg", + "url": "https://www.themoviedb.org/movie/620", + "genres": [ + "Comedy", + "Fantasy" + ], + "tags": [ + "new york city", + "environmental protection agency", + "library", + "supernatural", + "paranormal phenomena", + "loser", + "slime", + "gatekeeper", + "nerd", + "giant monster", + "haunting", + "hybrid", + "possession", + "mythology", + "horror spoof", + "paranormal investigation", + "urban setting", + "super power", + "receptionist", + "blunt", + "world trade center", + "ghost", + "duringcreditsstinger", + "mischievous", + "inspirational", + "ghostbusters", + "witty", + "admiring", + "amused", + "bewildered", + "enchant" + ] + }, + { + "ranking": 1358, + "title": "Once Upon a Time in Anatolia", + "year": "2011", + "runtime": 163, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.486, + "vote_count": 486, + "description": "A group of men lead a search for a victim of a murder to whom a suspect named Kenan and his mentally challenged brother confessed. However, the search is proving more difficult than expected as Kenan is fuzzy as to the body's location. As the group continues looking, its members can't help but chat among themselves about everyday life, which ultimately leads to conversations about their deepest existential concerns and secrets.", + "poster": "https://image.tmdb.org/t/p/w500/o08n2xyXGTkzKy122TTNat57SHb.jpg", + "url": "https://www.themoviedb.org/movie/74879", + "genres": [ + "Drama", + "Crime" + ], + "tags": [ + "buried alive", + "murder", + "dead body", + "doctor", + "policeman", + "anatolia, turkey", + "foreboding" + ] + }, + { + "ranking": 1357, + "title": "One Piece Film: Z", + "year": "2012", + "runtime": 108, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.5, + "vote_count": 526, + "description": "Zephyr, now known as Z, rides the seas with only one goal: Destroy all pirates and their dreams at becoming King of Pirates. When Luffy and his crew encounter him at sea, not only are they utterly defeated by the man with an arm made of Seastone, Nami, Robin, and Chopper are turned 10 years younger due to Z's minion Ain. Luffy is so determined to win against him that he does not even notice Z's master plan that could sacrifice thousands of lives.", + "poster": "https://image.tmdb.org/t/p/w500/oP568qNH1LLEsoqGiZmf8deTOWc.jpg", + "url": "https://www.themoviedb.org/movie/176983", + "genres": [ + "Animation", + "Fantasy", + "Action", + "Adventure" + ], + "tags": [ + "pirate", + "fighting", + "super power", + "shounen", + "anime", + "adventure" + ] + }, + { + "ranking": 1347, + "title": "My Dinner with Andre", + "year": "1981", + "runtime": 110, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.5, + "vote_count": 405, + "description": "Wally, a struggling playwright and actor, reluctantly agrees to catch up with his old friend Andre, a theater director who disappeared several years prior in order to travel the world. Meeting at a posh Manhattan restaurant, the two share life stories, anecdotes and philosophical musings over the course of an evening meal.", + "poster": "https://image.tmdb.org/t/p/w500/u2KB70Xlzwg920mYWlGb18YIatd.jpg", + "url": "https://www.themoviedb.org/movie/25468", + "genres": [ + "Drama" + ], + "tags": [ + "new york city", + "intellectual", + "restaurant", + "conversation", + "disillusionment", + "nostalgic", + "manhattan, new york city" + ] + }, + { + "ranking": 1344, + "title": "Patton", + "year": "1970", + "runtime": 172, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.5, + "vote_count": 1116, + "description": "\"Patton\" tells the tale of General George S. Patton, famous tank commander of World War II. The film begins with Patton's career in North Africa and progresses through the invasion of Germany and the fall of the Third Reich. Side plots also speak of Patton's numerous faults such his temper and habit towards insubordination.", + "poster": "https://image.tmdb.org/t/p/w500/rLM7jIEPTjj4CF7F1IrzzNjLUCu.jpg", + "url": "https://www.themoviedb.org/movie/11202", + "genres": [ + "War", + "Drama", + "History" + ], + "tags": [ + "general", + "steel helmet", + "allies", + "world war ii", + "normandy, france", + "dead soldier", + "tank", + "biography", + "historical figure", + "d-day", + "destiny", + "thoughtful", + "preserved film", + "dramatic", + "commanding" + ] + }, + { + "ranking": 1353, + "title": "Furiosa: A Mad Max Saga", + "year": "2024", + "runtime": 149, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.487, + "vote_count": 4033, + "description": "As the world falls, young Furiosa is snatched from the Green Place of Many Mothers into the hands of a great biker horde led by the warlord Dementus. Sweeping through the wasteland, they encounter the citadel presided over by Immortan Joe. The two tyrants wage war for dominance, and Furiosa must survive many trials as she puts together the means to find her way home.", + "poster": "https://image.tmdb.org/t/p/w500/iADOJ8Zymht2JPMoy3R7xceZprc.jpg", + "url": "https://www.themoviedb.org/movie/786892", + "genres": [ + "Action", + "Science Fiction", + "Adventure" + ], + "tags": [ + "chase", + "post-apocalyptic future", + "warlord", + "prequel", + "wasteland", + "spin off", + "struggle for survival", + "desert", + "tyrant", + "tyranny", + "masculinity", + "grim", + "revenge murderer", + "mother daughter relationship", + "child abduction", + "post-apocalyptic", + "car", + "amused", + "brisk" + ] + }, + { + "ranking": 1342, + "title": "My Cousin Vinny", + "year": "1992", + "runtime": 120, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.491, + "vote_count": 1640, + "description": "Two carefree pals from Brooklyn traveling through rural Alabama on their way back to college are mistakenly arrested, and charged with murder. Fortunately, one of them has a cousin who's a lawyer - Vincent Gambini, a former auto mechanic from Brooklyn who just passed his bar exam after his sixth try. When he arrives with his leather-clad girlfriend, to try his first case, it's a real shock - for him and the Deep South!", + "poster": "https://image.tmdb.org/t/p/w500/iwSURa8nS2ujwrU3s1lfxxX7voH.jpg", + "url": "https://www.themoviedb.org/movie/10377", + "genres": [ + "Comedy" + ], + "tags": [ + "prison", + "small town", + "court case", + "court", + "southern usa", + "alabama", + "suspicion", + "cousin", + "lawyer", + "fish out of water", + "convenience store robbery", + "courtroom", + "defense attorney", + "wrongful arrest", + "expert witness", + "nostalgic", + "curious", + "murder suspect", + "engaged couple", + "courtroom drama", + "unassuming", + "ironic", + "best friends", + "deep south", + "joyous", + "understated", + "absurd", + "hilarious", + "amused", + "cheerful", + "joyful" + ] + }, + { + "ranking": 1356, + "title": "Eyes Wide Shut", + "year": "1999", + "runtime": 159, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.487, + "vote_count": 6364, + "description": "After Dr. Bill Harford's wife, Alice, admits to having sexual fantasies about a man she met, Bill becomes obsessed with having a sexual encounter. He discovers an underground sexual group and attends one of their meetings -- and quickly discovers that he is in over his head.", + "poster": "https://image.tmdb.org/t/p/w500/knEIz1eNGl5MQDbrEAVWA7iRqF9.jpg", + "url": "https://www.themoviedb.org/movie/345", + "genres": [ + "Drama", + "Thriller", + "Mystery" + ], + "tags": [ + "new york city", + "prostitute", + "based on novel or book", + "sexual obsession", + "sacrifice", + "christmas party", + "eroticism", + "orgy", + "masked ball", + "marriage", + "secret society", + "cult", + "marijuana", + "conspiracy", + "consumerism", + "mansion", + "doctor", + "lust", + "drugs", + "disguise", + "illegal prostitution", + "sexual desire", + "ego", + "bribery", + "macabre", + "voyeurism", + "paranoid", + "male egos", + "sex party", + "marital crisis", + "relationships", + "costume shop", + "hooker", + "grand", + "provocative", + "absurd", + "dramatic", + "suspenseful", + "critical", + "tense", + "romantic", + "audacious", + "bold" + ] + }, + { + "ranking": 1349, + "title": "The Double Life of Véronique", + "year": "1991", + "runtime": 98, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.5, + "vote_count": 807, + "description": "Véronique is a beautiful young French woman who aspires to be a renowned singer; Weronika lives in Poland, has a similar career goal and looks identical to Véronique, though the two are not related. The film follows both women as they contend with the ups and downs of their individual lives, with Véronique embarking on an unusual romance with Alexandre Fabbri, a puppeteer who may be able to help her with her existential issues.", + "poster": "https://image.tmdb.org/t/p/w500/oqRyO9xrNBRaxqF9pCHHgLuaATx.jpg", + "url": "https://www.themoviedb.org/movie/1600", + "genres": [ + "Drama" + ], + "tags": [ + "music teacher", + "kraków, poland", + "puppeteer", + "heart disease", + "fake identity", + "puppet", + "poland", + "chorus", + "doppelgänger", + "parallel lives", + "soprano", + "warsaw, poland", + "choral music", + "marionettes" + ] + }, + { + "ranking": 1350, + "title": "The Suicide Squad", + "year": "2021", + "runtime": 132, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.488, + "vote_count": 8827, + "description": "Supervillains Harley Quinn, Bloodsport, Peacemaker and a collection of nutty cons at Belle Reve prison join the super-secret, super-shady Task Force X as they are dropped off at the remote, enemy-infused island of Corto Maltese.", + "poster": "https://image.tmdb.org/t/p/w500/q61qEyssk2ku3okWICKArlAdhBn.jpg", + "url": "https://www.themoviedb.org/movie/436969", + "genres": [ + "Action", + "Comedy", + "Adventure" + ], + "tags": [ + "monster", + "secret mission", + "superhero", + "anti hero", + "giant monster", + "gore", + "based on comic", + "alien", + "betrayal", + "alien invasion", + "convict", + "parasite", + "super villain", + "world domination", + "aftercreditsstinger", + "aggressive", + "dc extended universe (dceu)", + "absurd", + "suspenseful", + "character deaths", + "hilarious", + "intense", + "amused", + "antagonistic", + "excited" + ] + }, + { + "ranking": 1348, + "title": "The First Day of the Rest of Your Life", + "year": "2008", + "runtime": 114, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.489, + "vote_count": 474, + "description": "A sprawling drama centered on five key days in a family's life.", + "poster": "https://image.tmdb.org/t/p/w500/w6pi0wqfNnwbCWc98jW3opwl0dF.jpg", + "url": "https://www.themoviedb.org/movie/12169", + "genres": [ + "Drama" + ], + "tags": [ + "marriage", + "diary", + "wine", + "car crash", + "student of medicine", + "family", + "family feud" + ] + }, + { + "ranking": 1346, + "title": "Deadpool 2", + "year": "2018", + "runtime": 120, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.489, + "vote_count": 18289, + "description": "Wisecracking mercenary Deadpool battles the evil and powerful Cable and other bad guys to save a boy's life.", + "poster": "https://image.tmdb.org/t/p/w500/to0spRl1CMDvyUbOnbb4fTk3VAd.jpg", + "url": "https://www.themoviedb.org/movie/383498", + "genres": [ + "Action", + "Comedy", + "Adventure" + ], + "tags": [ + "hero", + "superhero", + "mutant", + "mercenary", + "based on comic", + "sequel", + "breaking the fourth wall", + "aftercreditsstinger", + "duringcreditsstinger", + "joyful" + ] + }, + { + "ranking": 1341, + "title": "The Incredible Shrinking Man", + "year": "1957", + "runtime": 81, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.5, + "vote_count": 510, + "description": "A dangerous combination of radiation and insecticide causes the unfortunate Scott Carey to shrink, slowly but surely, until he is only a few inches tall. His home becomes a wilderness where he must survive everything from spiders living in the cellar to his beloved cat.", + "poster": "https://image.tmdb.org/t/p/w500/vI7IdqfvsyoQAjAzRWS2fYvUoOu.jpg", + "url": "https://www.themoviedb.org/movie/31682", + "genres": [ + "Science Fiction", + "Horror" + ], + "tags": [ + "husband wife relationship", + "based on novel or book", + "radiation", + "cat", + "giant spider", + "surrealism", + "shrinking", + "radioactivity", + "basement", + "black and white", + "survival horror", + "presumed dead", + "dollhouse", + "disability", + "mist", + "existentialism", + "emasculation", + "shrunken human" + ] + }, + { + "ranking": 1360, + "title": "The Invisible Man", + "year": "1933", + "runtime": 71, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.486, + "vote_count": 864, + "description": "After experimenting on himself and becoming invisible, scientist Jack Griffin, now aggressive due to the drug's effects, seeks a way to reverse the experiment at any cost.", + "poster": "https://image.tmdb.org/t/p/w500/ewfUA5pMEJrmQCdI4TsHmLlIUbf.jpg", + "url": "https://www.themoviedb.org/movie/10787", + "genres": [ + "Horror", + "Science Fiction" + ], + "tags": [ + "based on novel or book", + "insanity", + "chemical", + "train accident", + "mad scientist", + "murder", + "fugitive", + "snow", + "black and white", + "chemist", + "scientist", + "invisible", + "pre-code", + "invisible person", + "invisibility", + "manhunt", + "experiment gone awry", + "invisible man" + ] + }, + { + "ranking": 1365, + "title": "The Two Popes", + "year": "2019", + "runtime": 125, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.484, + "vote_count": 2886, + "description": "Frustrated with the direction of the church, Cardinal Bergoglio requests permission to retire in 2012 from Pope Benedict. Instead, facing scandal and self-doubt, the introspective Pope Benedict summons his harshest critic and future successor to Rome to reveal a secret that would shake the foundations of the Catholic Church.", + "poster": "https://image.tmdb.org/t/p/w500/4d4mTSfDIFIbUbMLUfaKodvxYXA.jpg", + "url": "https://www.themoviedb.org/movie/551332", + "genres": [ + "Drama", + "History" + ], + "tags": [ + "vatican", + "pope", + "based on true story", + "catholic", + "catholicism", + "cardinal", + "conclave", + "papal conclave", + "sistine chapel" + ] + }, + { + "ranking": 1367, + "title": "Five Nights at Freddy's", + "year": "2023", + "runtime": 110, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.5, + "vote_count": 4273, + "description": "Recently fired and desperate for work, a troubled young man named Mike agrees to take a position as a night security guard at an abandoned theme restaurant: Freddy Fazbear's Pizzeria. But he soon discovers that nothing at Freddy's is what it seems.", + "poster": "https://image.tmdb.org/t/p/w500/4dKRTUylqwXQ4VJz0BS84fqW2wa.jpg", + "url": "https://www.themoviedb.org/movie/507089", + "genres": [ + "Horror", + "Thriller" + ], + "tags": [ + "night shift", + "child murder", + "restaurant", + "custody battle", + "child in peril", + "orphan", + "security guard", + "based on video game", + "duringcreditsstinger", + "troubled past", + "child neglect", + "animatronic", + "abandoned building", + "brother sister relationship", + "child abduction" + ] + }, + { + "ranking": 1366, + "title": "Balkan Line", + "year": "2019", + "runtime": 130, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.484, + "vote_count": 538, + "description": "After the NATO bombing of Yugoslavia in 1999, the Yugoslav army pulls out of Kosovo region, leaving Serbian people at the mercy of the Albanian UCK. A small band of soldiers must take over the Slatina airport, and hold it until the Russian peacekeepers arrive.", + "poster": "https://image.tmdb.org/t/p/w500/okiB4NUriKKbGjAtVSzveicPTtu.jpg", + "url": "https://www.themoviedb.org/movie/517093", + "genres": [ + "Drama", + "Action", + "War" + ], + "tags": [] + }, + { + "ranking": 1376, + "title": "Lucky Number Slevin", + "year": "2006", + "runtime": 110, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.482, + "vote_count": 4149, + "description": "Slevin is mistakenly put in the middle of a personal war between the city’s biggest criminal bosses. Under constant watch, Slevin must try not to get killed by an infamous assassin and come up with an idea of how to get out of his current dilemma.", + "poster": "https://image.tmdb.org/t/p/w500/x21s3p5wPww534nYj1cWakTcqz4.jpg", + "url": "https://www.themoviedb.org/movie/186", + "genres": [ + "Drama", + "Thriller", + "Crime", + "Mystery" + ], + "tags": [ + "sniper", + "assassin", + "assassination", + "gambling debt", + "identity", + "boss", + "gangster", + "mistake in person", + "fbi", + "murder", + "sniper rifle", + "horse racing", + "gambler", + "hoodlum", + "aggressive", + "amused" + ] + }, + { + "ranking": 1375, + "title": "Back to the Future Part III", + "year": "1990", + "runtime": 119, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.5, + "vote_count": 10742, + "description": "The final installment finds Marty digging the trusty DeLorean out of a mineshaft and looking for Doc in the Wild West of 1885. But when their time machine breaks down, the travelers are stranded in a land of spurs. More problems arise when Doc falls for pretty schoolteacher Clara Clayton, and Marty tangles with Buford Tannen.", + "poster": "https://image.tmdb.org/t/p/w500/crzoVQnMzIrRfHtQw0tLBirNfVg.jpg", + "url": "https://www.themoviedb.org/movie/196", + "genres": [ + "Adventure", + "Comedy", + "Science Fiction" + ], + "tags": [ + "california", + "saloon", + "sports car", + "inventor", + "horseback riding", + "indian territory", + "locomotive", + "time travel", + "native american", + "mad scientist", + "sequel", + "outlaw", + "shootout", + "gunfight", + "train", + "wild west", + "cavalry", + "nostalgic", + "1950s", + "hoverboard", + "playful", + "suspenseful", + "enthusiastic", + "exhilarated", + "optimistic" + ] + }, + { + "ranking": 1369, + "title": "Still Alice", + "year": "2014", + "runtime": 100, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.483, + "vote_count": 3118, + "description": "Alice Howland, happily married with three grown children, is a renowned linguistics professor who starts to forget words. When she receives a devastating diagnosis, Alice and her family find their bonds tested.", + "poster": "https://image.tmdb.org/t/p/w500/MeJJCT1o87j7D0mR3yQs4s4PIA.jpg", + "url": "https://www.themoviedb.org/movie/284293", + "genres": [ + "Drama" + ], + "tags": [ + "mother", + "based on novel or book", + "professor", + "alzheimer's disease", + "memory loss", + "family", + "illness", + "columbia university" + ] + }, + { + "ranking": 1378, + "title": "Midnight Express", + "year": "1978", + "runtime": 121, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.481, + "vote_count": 1731, + "description": "Billy Hayes is caught attempting to smuggle drugs out of Turkey. The Turkish courts decide to make an example of him, sentencing him to more than 30 years in prison. Hayes has two opportunities for release: the appeals made by his lawyer, his family, and the American government, or the \"Midnight Express\".", + "poster": "https://image.tmdb.org/t/p/w500/mW54BtqVRxrPnoO9gQQjTLJlnuU.jpg", + "url": "https://www.themoviedb.org/movie/11327", + "genres": [ + "Drama", + "Crime" + ], + "tags": [ + "prison", + "airport", + "drug smuggling", + "escape", + "court", + "1970s", + "attempt to escape", + "turkey", + "based on true story", + "prison guard", + "lawyer", + "torture", + "hashish", + "brutality", + "prison sentence", + "masturbation", + "prison brutality", + "istanbul, turkey", + "sadistic warden", + "turkish", + "anxious", + "cautionary", + "suspenseful", + "ominous" + ] + }, + { + "ranking": 1370, + "title": "The Asphalt Jungle", + "year": "1950", + "runtime": 112, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.483, + "vote_count": 488, + "description": "Recently paroled from prison, legendary burglar \"Doc\" Riedenschneider, with funding from Alonzo Emmerich, a crooked lawyer, gathers a small group of veteran criminals together in the Midwest for a big jewel heist.", + "poster": "https://image.tmdb.org/t/p/w500/8xsUnT0P2fJWQv9jGDhs3i9Zx2l.jpg", + "url": "https://www.themoviedb.org/movie/16958", + "genres": [ + "Crime", + "Drama" + ], + "tags": [ + "based on novel or book", + "heist", + "film noir", + "on the run" + ] + }, + { + "ranking": 1380, + "title": "The Age of Adaline", + "year": "2015", + "runtime": 112, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.48, + "vote_count": 6748, + "description": "After 29-year-old Adaline recovers from a nearly lethal accident, she inexplicably stops growing older. As the years stretch on and on, Adaline keeps her secret to herself until she meets a man who changes her life.", + "poster": "https://image.tmdb.org/t/p/w500/MbILysGhjAbnZi1Okae9wYqLMx.jpg", + "url": "https://www.themoviedb.org/movie/293863", + "genres": [ + "Romance", + "Fantasy", + "Drama" + ], + "tags": [ + "immortality", + "san francisco, california", + "love", + "forever" + ] + }, + { + "ranking": 1363, + "title": "I, Tonya", + "year": "2017", + "runtime": 120, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.485, + "vote_count": 5884, + "description": "Competitive ice skater Tonya Harding rises amongst the ranks at the U.S. Figure Skating Championships, but her future in the sport is thrown into doubt when her ex-husband intervenes.", + "poster": "https://image.tmdb.org/t/p/w500/6gNXwSHxaksR1PjVZRqNapmkgj3.jpg", + "url": "https://www.themoviedb.org/movie/389015", + "genres": [ + "Drama", + "Comedy" + ], + "tags": [ + "sports", + "competition", + "olympic games", + "portland, oregon", + "biography", + "based on true story", + "rivalry", + "figure skating", + "domestic violence", + "poverty", + "overbearing mother", + "ice skating", + "1990s", + "winter sport", + "abusive mother", + "emotional abuse", + "mother daughter relationship" + ] + }, + { + "ranking": 1372, + "title": "Free Guy", + "year": "2021", + "runtime": 115, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.482, + "vote_count": 9010, + "description": "A bank teller discovers he is actually a background player in an open-world video game, and decides to become the hero of his own story. Now, in a world where there are no limits, he is determined to be the guy who saves his world his way before it's too late.", + "poster": "https://image.tmdb.org/t/p/w500/6PFJrMvoQwBxQITLYHj09VeJ37q.jpg", + "url": "https://www.themoviedb.org/movie/550988", + "genres": [ + "Comedy", + "Adventure", + "Science Fiction" + ], + "tags": [ + "hero", + "artificial intelligence (a.i.)", + "video game", + "virtual reality", + "gun", + "code", + "gamer", + "bank robbery", + "bank teller", + "programmer", + "mmorpg", + "heroic", + "vrmmo" + ] + }, + { + "ranking": 1361, + "title": "The Wave", + "year": "2008", + "runtime": 107, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.5, + "vote_count": 3386, + "description": "A school teacher discusses types of government with his class. His students find it too boring to repeatedly go over national socialism and believe that dictatorship cannot be established in modern Germany. He starts an experiment to show how easily the masses can become manipulated.", + "poster": "https://image.tmdb.org/t/p/w500/vtJ4u0fpTZhibxAJHzXtcdCxhsL.jpg", + "url": "https://www.themoviedb.org/movie/7735", + "genres": [ + "Drama", + "Thriller" + ], + "tags": [ + "high school", + "experiment", + "dictator", + "gymnasium", + "trainer", + "classroom", + "fascism", + "national socialism", + "violence in schools", + "training", + "education", + "squatter", + "anarchist", + "homepage", + "high school teacher", + "water polo", + "autocracy", + "frightened" + ] + }, + { + "ranking": 1362, + "title": "Ed Wood", + "year": "1994", + "runtime": 127, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.5, + "vote_count": 2353, + "description": "The mostly true story of the legendary \"worst director of all time\", who, with the help of his strange friends, filmed countless B-movies without ever becoming famous or successful.", + "poster": "https://image.tmdb.org/t/p/w500/2jjFN4BtTSz01J3ZD4iYjf26pWX.jpg", + "url": "https://www.themoviedb.org/movie/522", + "genres": [ + "Comedy", + "Drama", + "History" + ], + "tags": [ + "individual", + "taxi", + "fortune teller", + "transsexuality", + "transvestite", + "movie business", + "drug addiction", + "boxer", + "oddball", + "celebrity", + "morphine", + "los angeles, california", + "black and white", + "suburb", + "theremin", + "handgun", + "trick or treating", + "1950s" + ] + }, + { + "ranking": 1374, + "title": "Play It Again, Sam", + "year": "1972", + "runtime": 85, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.5, + "vote_count": 593, + "description": "A neurotic film critic obsessed with the movie Casablanca (1942) attempts to get over his wife leaving him by dating again with the help of a married couple and his illusory idol, Humphrey Bogart.", + "poster": "https://image.tmdb.org/t/p/w500/gpSGxqyoeKy34BOlv5GedREd3My.jpg", + "url": "https://www.themoviedb.org/movie/11610", + "genres": [ + "Comedy", + "Romance" + ], + "tags": [ + "date", + "hallucination", + "make a match", + "dating", + "filmmaking", + "feet", + "ghost", + "neurotic", + "film critic" + ] + }, + { + "ranking": 1373, + "title": "All That Jazz", + "year": "1979", + "runtime": 123, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.5, + "vote_count": 522, + "description": "Joe Gideon is at the top of the heap, one of the most successful directors and choreographers in musical theater. But he can feel his world slowly collapsing around him - his obsession with work has almost destroyed his personal life, and only his bottles of pills keep him going.", + "poster": "https://image.tmdb.org/t/p/w500/culCEdj4srLljefgn4XKd6k3C5t.jpg", + "url": "https://www.themoviedb.org/movie/16858", + "genres": [ + "Drama" + ], + "tags": [ + "movie business", + "show business", + "tap dancing", + "film in film", + "divorce", + "broadway", + "rainstorm", + "surgery", + "editing", + "semi autobiographical", + "restroom", + "screening room", + "amphetamine", + "prescription drug abuse", + "angel of death", + "preserved film" + ] + }, + { + "ranking": 1377, + "title": "The White Ribbon", + "year": "2009", + "runtime": 144, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.5, + "vote_count": 1042, + "description": "An aged tailor recalls his life as the schoolteacher of a small village in Northern Germany that was struck by a series of strange events in the year leading up to WWI.", + "poster": "https://image.tmdb.org/t/p/w500/54dlnGDexrwAFlDb8HWKfmmX4LB.jpg", + "url": "https://www.themoviedb.org/movie/37903", + "genres": [ + "Drama", + "Mystery" + ], + "tags": [ + "child abuse", + "authority", + "pastor", + "nanny", + "northern germany", + "punishment", + "puritan", + "incest", + "tailor", + "school teacher", + "future war", + "suppression", + "shame", + "small village", + "land baron", + "village people", + "1910s", + "east elbia", + "landowner", + "patronage", + "rural setting", + "villagers", + "fear of the unknown" + ] + }, + { + "ranking": 1364, + "title": "The Thin Man", + "year": "1934", + "runtime": 91, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.485, + "vote_count": 472, + "description": "A husband and wife detective team takes on the search for a missing inventor and almost get killed for their efforts.", + "poster": "https://image.tmdb.org/t/p/w500/6cL89ok9t8xEKboOjOVga2W66jj.jpg", + "url": "https://www.themoviedb.org/movie/3529", + "genres": [ + "Comedy", + "Mystery", + "Crime" + ], + "tags": [ + "husband wife relationship", + "police", + "detective", + "mistress", + "dinner", + "black and white", + "wedding", + "dog", + "police detective", + "screwball comedy", + "private detective", + "missing person", + "pre-code", + "terrier", + "thin man", + "x-ray", + "christmas" + ] + }, + { + "ranking": 1379, + "title": "Three Wishes for Cinderella", + "year": "1973", + "runtime": 82, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.5, + "vote_count": 350, + "description": "Popelka, a resourceful and independent young girl, is a servant in her stepmother's house and confides in her closest friend the owl. When she comes across three magical acorns, she's granted a single wish for each one of them.", + "poster": "https://image.tmdb.org/t/p/w500/2WlY1JSRoDJkbPg53kxyKlHJu0b.jpg", + "url": "https://www.themoviedb.org/movie/8703", + "genres": [ + "Fantasy", + "Family", + "Romance" + ], + "tags": [ + "new love", + "fairy tale", + "prince", + "based on children's book", + "hazelnut" + ] + }, + { + "ranking": 1368, + "title": "Men of Honor", + "year": "2000", + "runtime": 129, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.484, + "vote_count": 2339, + "description": "Against formidable odds -- and an old-school diving instructor embittered by the U.S. Navy's new, less prejudicial policies -- Carl Brashear sets his sights on becoming the Navy's first African-American master diver in this uplifting true story. Their relationship starts out on the rocks, but fate ultimately conspires to bring the men together into a setting of mutual respect, triumph and honor.", + "poster": "https://image.tmdb.org/t/p/w500/wNUAnXV1mzOOfvnVBIYsalkk078.jpg", + "url": "https://www.themoviedb.org/movie/11978", + "genres": [ + "Drama" + ], + "tags": [ + "diving", + "u.s. navy" + ] + }, + { + "ranking": 1371, + "title": "First Blood", + "year": "1982", + "runtime": 93, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.5, + "vote_count": 6402, + "description": "When former Green Beret John Rambo is harassed by local law enforcement and arrested for vagrancy, he is forced to flee into the mountains and wage an escalating one-man war against his pursuers.", + "poster": "https://image.tmdb.org/t/p/w500/a9sa6ERZCpplbPEO7OMWE763CLD.jpg", + "url": "https://www.themoviedb.org/movie/1368", + "genres": [ + "Action", + "Adventure", + "Thriller", + "War" + ], + "tags": [ + "prison", + "guerrilla warfare", + "dying and death", + "vietnam war", + "vietnam veteran", + "hero", + "vietnam", + "police brutality", + "sheriff", + "escape", + "police", + "gun", + "submachine gun", + "falsely accused", + "anti hero", + "destroy", + "self-defense", + "firearm", + "prosecution", + "attempt to escape", + "police operation", + "matter of life and death", + "tramp", + "national guard", + "woods", + "rural area", + "survivalist", + "special forces" + ] + }, + { + "ranking": 1381, + "title": "The White Ribbon", + "year": "2009", + "runtime": 144, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.481, + "vote_count": 1042, + "description": "An aged tailor recalls his life as the schoolteacher of a small village in Northern Germany that was struck by a series of strange events in the year leading up to WWI.", + "poster": "https://image.tmdb.org/t/p/w500/54dlnGDexrwAFlDb8HWKfmmX4LB.jpg", + "url": "https://www.themoviedb.org/movie/37903", + "genres": [ + "Drama", + "Mystery" + ], + "tags": [ + "child abuse", + "authority", + "pastor", + "nanny", + "northern germany", + "punishment", + "puritan", + "incest", + "tailor", + "school teacher", + "future war", + "suppression", + "shame", + "small village", + "land baron", + "village people", + "1910s", + "east elbia", + "landowner", + "patronage", + "rural setting", + "villagers", + "fear of the unknown" + ] + }, + { + "ranking": 1389, + "title": "Carl's Date", + "year": "2023", + "runtime": 9, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.5, + "vote_count": 414, + "description": "Carl Fredricksen reluctantly agrees to go on a date with a lady friend—but admittedly has no idea how dating works these days. Ever the helpful friend, Dug steps in to calm Carl's pre-date jitters and offer some tried-and-true tips for making friends—if you're a dog.", + "poster": "https://image.tmdb.org/t/p/w500/wakoF2UgsEE3fGs5KpuwMWsaNr2.jpg", + "url": "https://www.themoviedb.org/movie/1076364", + "genres": [ + "Animation", + "Adventure", + "Family", + "Comedy" + ], + "tags": [ + "date", + "love", + "dog", + "short film" + ] + }, + { + "ranking": 1387, + "title": "Batman: Mask of the Phantasm", + "year": "1993", + "runtime": 76, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.5, + "vote_count": 1139, + "description": "Andrea Beaumont leaves her father to return to Gotham, rekindling an old romance with Bruce Wayne. At the same time, a mysterious figure begins to hunt down Gotham's criminals, wrongly implicating Batman in the murders. Now on the run from the law, Batman must find and stop the culprit, while also navigating his relationship with Andrea.", + "poster": "https://image.tmdb.org/t/p/w500/liYhLBTKpQctFupATfdk4qnOhMJ.jpg", + "url": "https://www.themoviedb.org/movie/14919", + "genres": [ + "Action", + "Animation", + "Crime", + "Mystery", + "Drama" + ], + "tags": [ + "secret identity", + "superhero", + "cartoon", + "based on comic", + "organized crime", + "based on cartoon", + "urban setting", + "super power", + "adult animation", + "super villain", + "neo-noir", + "action noir", + "vigilante justice", + "good versus evil", + "dc animated universe (dcau)" + ] + }, + { + "ranking": 1384, + "title": "Badlands", + "year": "1974", + "runtime": 94, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.5, + "vote_count": 1221, + "description": "An impressionable teenage girl from a dead-end town and her older greaser boyfriend embark on a killing spree in the South Dakota badlands.", + "poster": "https://image.tmdb.org/t/p/w500/z81rBzHNgiNLean2JTGHgxjJ8nq.jpg", + "url": "https://www.themoviedb.org/movie/3133", + "genres": [ + "Crime", + "Drama", + "Romance" + ], + "tags": [ + "mass murder", + "based on true story", + "fugitive", + "on the run", + "on the road", + "killing spree", + "south dakota", + "badlands", + "runaway couple", + "fugitive lovers" + ] + }, + { + "ranking": 1382, + "title": "Kes", + "year": "1970", + "runtime": 111, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.5, + "vote_count": 395, + "description": "Bullied at school and ignored and abused at home by his indifferent mother and older brother, Billy Casper, a 15-year-old working-class Yorkshire boy, tames and trains his pet kestrel falcon whom he names Kes. Helped and encouraged by his English teacher and his fellow students, Billy finally finds a positive purpose to his unhappy existence.", + "poster": "https://image.tmdb.org/t/p/w500/r1FMq75irhsQBVGjXhPU4xA9SDo.jpg", + "url": "https://www.themoviedb.org/movie/13384", + "genres": [ + "Drama" + ], + "tags": [ + "small town", + "great britain", + "northern england", + "sibling relationship", + "based on novel or book", + "single parent", + "england", + "falcon", + "dysfunctional family", + "coming of age", + "yorkshire", + "sibling rivalry", + "working class", + "single mother", + "teenage boy", + "mining town", + "childhood", + "united kingdom", + "neglected child", + "kitchen sink realism", + "newspaper boy", + "bleak", + "brother brother relationship", + "bird", + "kestrel", + "falconry" + ] + }, + { + "ranking": 1385, + "title": "Gaslight", + "year": "1944", + "runtime": 114, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.5, + "vote_count": 498, + "description": "A newlywed fears she's going mad when strange things start happening at the family mansion.", + "poster": "https://image.tmdb.org/t/p/w500/gXKszCl5Q1KrgWRWpPcqn94CP58.jpg", + "url": "https://www.themoviedb.org/movie/13528", + "genres": [ + "Thriller", + "Drama", + "Mystery", + "Crime" + ], + "tags": [ + "scotland yard", + "manipulation", + "victorian england", + "psychological abuse", + "murder", + "psychological thriller", + "nervous breakdown", + "older husband", + "driven mad", + "abusive husband", + "gaslight", + "domineering husband", + "sadistic husband", + "emotional abuse", + "gaslighting", + "male gold digger", + "bluebeard" + ] + }, + { + "ranking": 1390, + "title": "The Man Who Would Be King", + "year": "1975", + "runtime": 129, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.477, + "vote_count": 648, + "description": "A robust adventure about two British adventurers who take over primitive Kafiristan as \"godlike\" rulers, meeting a tragic end through their desire for a native girl. Based on a short story by Rudyard Kipling.", + "poster": "https://image.tmdb.org/t/p/w500/gc5fS9UfNrGm5cBlbAI560YbDSF.jpg", + "url": "https://www.themoviedb.org/movie/983", + "genres": [ + "Adventure", + "Drama" + ], + "tags": [ + "journalist", + "gold", + "treasure", + "robbery", + "cheating", + "coronation", + "con man", + "british army", + "british empire", + "friends", + "soldier", + "king", + "battle", + "ruler", + "based on short story", + "19th century", + "british raj" + ] + }, + { + "ranking": 1386, + "title": "Toy Story 4", + "year": "2019", + "runtime": 100, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.478, + "vote_count": 9941, + "description": "Woody has always been confident about his place in the world and that his priority is taking care of his kid, whether that's Andy or Bonnie. But when Bonnie adds a reluctant new toy called \"Forky\" to her room, a road trip adventure alongside old and new friends will show Woody how big the world can be for a toy.", + "poster": "https://image.tmdb.org/t/p/w500/w9kR8qbmQ01HwnvK4alvnQ2ca0L.jpg", + "url": "https://www.themoviedb.org/movie/301528", + "genres": [ + "Family", + "Adventure", + "Animation", + "Comedy", + "Fantasy" + ], + "tags": [ + "friendship", + "cartoon", + "rescue mission", + "sequel", + "anti villain", + "buddy", + "cowboy", + "duringcreditsstinger", + "toy comes to life", + "dedication", + "awestruck" + ] + }, + { + "ranking": 1394, + "title": "A Perfect World", + "year": "1993", + "runtime": 138, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.5, + "vote_count": 1697, + "description": "A kidnapped boy strikes up a friendship with his captor: an escaped convict on the run from the law, headed by an honorable U.S. Marshal.", + "poster": "https://image.tmdb.org/t/p/w500/1II9kMjOuho3pnEvxkpx7e3ozOO.jpg", + "url": "https://www.themoviedb.org/movie/9559", + "genres": [ + "Drama", + "Crime" + ], + "tags": [ + "hostage", + "texas", + "prison escape", + "escaped convict", + "child kidnapping", + "child driving car", + "criminologist", + "1960s" + ] + }, + { + "ranking": 1397, + "title": "Breaking the Waves", + "year": "1996", + "runtime": 158, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.5, + "vote_count": 1007, + "description": "In a small and conservative Scottish village, a woman's paralytic husband convinces her to have extramarital intercourse so she can tell him about it and give him a reason for living.", + "poster": "https://image.tmdb.org/t/p/w500/dQWMcdHXUOSHtr7ypOCa5T79JMS.jpg", + "url": "https://www.themoviedb.org/movie/145", + "genres": [ + "Drama", + "Romance" + ], + "tags": [ + "underdog", + "dying and death", + "prostitute", + "paraplegic", + "parent child relationship", + "faith", + "scotland", + "society", + "tradition", + "prayer", + "excommunication", + "authority", + "1970s", + "coercion", + "god", + "priest", + "church", + "polyamory", + "disabled", + "oil rig ", + "oil platform", + "scottish highlands" + ] + }, + { + "ranking": 1395, + "title": "High School of the Dead: Drifters of the Dead", + "year": "2011", + "runtime": 18, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.5, + "vote_count": 463, + "description": "In their efforts to find a safe haven from the zombie apocalypse, the gang find themselves on a deserted island. Now, they take advantage of the momentary respite to enjoy some surf, sand and bathing suits!", + "poster": "https://image.tmdb.org/t/p/w500/jlRGVYItWkDIJg4OZp9S2g5lKuc.jpg", + "url": "https://www.themoviedb.org/movie/203101", + "genres": [ + "Comedy", + "Animation", + "Adventure", + "Horror" + ], + "tags": [ + "zombie", + "based on manga", + "ecchi", + "anime", + "original video animation (ova)", + "based on tv series" + ] + }, + { + "ranking": 1400, + "title": "Volver", + "year": "2006", + "runtime": 121, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.5, + "vote_count": 1756, + "description": "Three generations of women survive the east wind, fire, insanity, superstition and even death by means of goodness, lies and boundless vitality.", + "poster": "https://image.tmdb.org/t/p/w500/m1ZUDGTFtVGE3zjTvF8OiQ9um5e.jpg", + "url": "https://www.themoviedb.org/movie/219", + "genres": [ + "Comedy", + "Drama", + "Romance" + ], + "tags": [ + "child abuse", + "fire", + "rape", + "sexual abuse", + "madrid, spain", + "superstition", + "return", + "solidarity", + "village", + "abusive father", + "death", + "ghost" + ] + }, + { + "ranking": 1383, + "title": "The Taking of Pelham One Two Three", + "year": "1974", + "runtime": 104, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.5, + "vote_count": 543, + "description": "In New York, armed men hijack a subway car and demand a ransom for the passengers. Even if it's paid, how could they get away?", + "poster": "https://image.tmdb.org/t/p/w500/vNhywp9w1DVG6BytxKp4kjtaaGC.jpg", + "url": "https://www.themoviedb.org/movie/8333", + "genres": [ + "Crime", + "Thriller", + "Action" + ], + "tags": [ + "new york city", + "ransom", + "kidnapping", + "hostage", + "liberation of hostage", + "1970s", + "mayor", + "hostage-taking", + "remake", + "train", + "police officer", + "hijack", + "new york subway" + ] + }, + { + "ranking": 1398, + "title": "All of Us Strangers", + "year": "2023", + "runtime": 105, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.5, + "vote_count": 820, + "description": "One night in his near-empty tower block in contemporary London, Adam has a chance encounter with a mysterious neighbor Harry, which punctures the rhythm of his everyday life.", + "poster": "https://image.tmdb.org/t/p/w500/aviJMFZSnnCAsCVyJGaPNx4Ef3i.jpg", + "url": "https://www.themoviedb.org/movie/994108", + "genres": [ + "Romance", + "Drama", + "Fantasy" + ], + "tags": [ + "london, england", + "based on novel or book", + "isolation", + "screenwriter", + "gay club", + "surrealism", + "nostalgia", + "alcoholism", + "love", + "grief", + "loneliness", + "neighbor", + "memory", + "childhood home", + "death", + "magic realism", + "high rise", + "tower block", + "lgbt", + "record player", + "drunkenness", + "christmas", + "metaphysical", + "father son relationship", + "mother son relationship", + "gay theme", + "independent film", + "apartment", + "boys' love (bl)", + "death of parents", + "depressing", + "dorking, england", + "queer loneliness" + ] + }, + { + "ranking": 1388, + "title": "This Is England", + "year": "2007", + "runtime": 101, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.478, + "vote_count": 1286, + "description": "A story about a troubled boy growing up in England, set in 1983. He comes across a few skinheads on his way home from school, after a fight. They become his new best friends, even like family. Based on experiences of director Shane Meadows.", + "poster": "https://image.tmdb.org/t/p/w500/bmhVn89BoAAIziFklH3TusE26H0.jpg", + "url": "https://www.themoviedb.org/movie/11798", + "genres": [ + "Drama", + "Crime" + ], + "tags": [ + "skinhead", + "england", + "vandalism", + "drugs", + "falklands war", + "xenophobia", + "1980s" + ] + }, + { + "ranking": 1396, + "title": "For the Birds", + "year": "2000", + "runtime": 4, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.475, + "vote_count": 1227, + "description": "One by one, a flock of small birds perches on a telephone wire. Sitting close together has problems enough, and then comes along a large dopey bird that tries to join them. The birds of a feather can't help but make fun of him - and their clique mentality proves embarrassing in the end.", + "poster": "https://image.tmdb.org/t/p/w500/7GogfWZYkZh802fnaMoDBnu8cfV.jpg", + "url": "https://www.themoviedb.org/movie/13930", + "genres": [ + "Animation", + "Family", + "Comedy" + ], + "tags": [ + "clique", + "short film" + ] + }, + { + "ranking": 1392, + "title": "Oslo, August 31st", + "year": "2011", + "runtime": 94, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.5, + "vote_count": 446, + "description": "One day in the life of Anders, a young recovering drug addict, who takes a brief leave from his treatment center to interview for a job and catch up with old friends in Oslo.", + "poster": "https://image.tmdb.org/t/p/w500/bgfbFhwhnpumz6MU3py1DwMm12.jpg", + "url": "https://www.themoviedb.org/movie/75233", + "genres": [ + "Drama" + ], + "tags": [ + "based on novel or book", + "job interview", + "recovering addict", + "old friends", + "suicide thoughts", + "oslo, norway" + ] + }, + { + "ranking": 1399, + "title": "I Killed My Mother", + "year": "2009", + "runtime": 96, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.5, + "vote_count": 1113, + "description": "Hubert, a brash 17-year-old, is confused and torn by a love-hate relationship with his mother that consumes him more and more each day. After distressing ordeals and tragic episodes, Hubert will find his mother on the banks of Saint Lawrence river, where he grew up, and where a murder will be committed: the murder of childhood.", + "poster": "https://image.tmdb.org/t/p/w500/nB6OuDdERS95aQtoxPExXxsW3Ov.jpg", + "url": "https://www.themoviedb.org/movie/26280", + "genres": [ + "Drama" + ], + "tags": [ + "parent child relationship", + "boarding school", + "coming of age", + "male homosexuality", + "relationship", + "overbearing mother", + "single mother", + "argument", + "lgbt", + "lgbt teen", + "semi autobiographical", + "mother son relationship", + "gay theme", + "french canadian", + "boys' love (bl)", + "absent father" + ] + }, + { + "ranking": 1393, + "title": "Running on Empty", + "year": "1988", + "runtime": 116, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.478, + "vote_count": 315, + "description": "The Popes are a family who haven't been able to use their real identity for years. In the late sixties, the parents set a weapons lab afire in an effort to hinder the government's Vietnam war campaign. Ever since then, the Popes have been on the run with the authorities never far behind. Their survival is threatened when their eldest son falls in love with a girl, and announces his wish to live his life on his own terms.", + "poster": "https://image.tmdb.org/t/p/w500/kzhyruFxY4Z5Ert8M9tuM2MV8dd.jpg", + "url": "https://www.themoviedb.org/movie/18197", + "genres": [ + "Drama", + "Romance", + "Crime" + ], + "tags": [ + "vietnam war", + "on the run", + "pianist", + "hiding", + "protestors" + ] + }, + { + "ranking": 1391, + "title": "A Grand Day Out", + "year": "1990", + "runtime": 24, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.477, + "vote_count": 917, + "description": "Wallace and Gromit have run out of cheese, and this provides an excellent excuse for the duo to take their holiday to the moon, where, as everyone knows, there is ample cheese. Preserved by the Academy Film Archive.", + "poster": "https://image.tmdb.org/t/p/w500/h5e3r12VwfUotN36fBr1DNeCD4n.jpg", + "url": "https://www.themoviedb.org/movie/530", + "genres": [ + "Family", + "Animation", + "Comedy" + ], + "tags": [ + "moon", + "inventor", + "missile", + "human animal relationship", + "cheese", + "vacation", + "rocket", + "moon landing", + "anthropomorphism", + "stop motion", + "robot", + "dog", + "ski", + "claymation", + "plasticine", + "short film", + "preserved film" + ] + }, + { + "ranking": 1416, + "title": "Yesterday, Today and Tomorrow", + "year": "1963", + "runtime": 119, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.5, + "vote_count": 433, + "description": "Three tales of very different women using their sexuality as a means to getting what they want.", + "poster": "https://image.tmdb.org/t/p/w500/vydCOfhrnKqMSbYcI0cUkkKuCND.jpg", + "url": "https://www.themoviedb.org/movie/42801", + "genres": [ + "Comedy", + "Romance" + ], + "tags": [ + "prostitute", + "rome, italy", + "sexuality", + "naples, italy", + "anthology", + "sexual freedom", + "lingerie", + "pregnant woman", + "stockings", + "sexually empowered woman", + "pregnant wife", + "sex comedy", + "sexually aggressive woman", + "nylons", + "milan, italy" + ] + }, + { + "ranking": 1403, + "title": "Frankenstein", + "year": "1931", + "runtime": 70, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.473, + "vote_count": 1622, + "description": "Tampering with life and death, Henry Frankenstein pieces together salvaged body parts to bring a human monster to life; the mad scientist's dreams are shattered by his creation's violent rage as the monster awakens to a world in which he is unwelcome.", + "poster": "https://image.tmdb.org/t/p/w500/mu6wHwH0IwCCaEYtpqujuPJYat1.jpg", + "url": "https://www.themoviedb.org/movie/3035", + "genres": [ + "Drama", + "Horror", + "Science Fiction" + ], + "tags": [ + "fire", + "monster", + "experiment", + "based on novel or book", + "reanimation", + "laboratory", + "mad doctor", + "black and white", + "pre-code", + "body part", + "angry mob", + "woman in peril", + "villager", + "human monster", + "frankenstein" + ] + }, + { + "ranking": 1415, + "title": "The Best of Me", + "year": "2014", + "runtime": 117, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.5, + "vote_count": 2602, + "description": "A pair of former high school sweethearts reunite after many years when they return to visit their small hometown.", + "poster": "https://image.tmdb.org/t/p/w500/9YoIpSqRFPBSRWf9Rkm9baUg02c.jpg", + "url": "https://www.themoviedb.org/movie/239571", + "genres": [ + "Drama", + "Romance" + ], + "tags": [ + "high school sweetheart" + ] + }, + { + "ranking": 1405, + "title": "Sonic the Hedgehog 2", + "year": "2022", + "runtime": 123, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.472, + "vote_count": 5424, + "description": "After settling in Green Hills, Sonic is eager to prove he has what it takes to be a true hero. His test comes when Dr. Robotnik returns, this time with a new partner, Knuckles, in search for an emerald that has the power to destroy civilizations. Sonic teams up with his own sidekick, Tails, and together they embark on a globe-trotting journey to find the emerald before it falls into the wrong hands.", + "poster": "https://image.tmdb.org/t/p/w500/6DrHO1jr3qVrViUO6s6kFiAGM7.jpg", + "url": "https://www.themoviedb.org/movie/675353", + "genres": [ + "Action", + "Adventure", + "Family", + "Comedy" + ], + "tags": [ + "mad scientist", + "sequel", + "revenge", + "based on video game", + "duringcreditsstinger", + "hedgehog", + "live action and animation", + "relaxed", + "joyous" + ] + }, + { + "ranking": 1420, + "title": "The Discreet Charm of the Bourgeoisie", + "year": "1972", + "runtime": 101, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.5, + "vote_count": 824, + "description": "In Luis Buñuel’s deliciously satiric masterpiece, an upper-class sextet sits down to dinner but never eats, their attempts continually thwarted by a vaudevillian mixture of events both actual and imagined.", + "poster": "https://image.tmdb.org/t/p/w500/zN4ILX2x64PvT2jIOAHXxCOi5WA.jpg", + "url": "https://www.themoviedb.org/movie/4593", + "genres": [ + "Comedy" + ], + "tags": [ + "diplomat", + "dreams", + "nightmare", + "upper class", + "date", + "drug trafficking", + "guest", + "bishop", + "restaurant", + "surreal", + "bourgeoisie", + "satire", + "surrealism", + "dinner", + "terrorism", + "drink", + "oneiric", + "dream within a dream", + "small talk", + "anarchic comedy", + "absurd", + "unexpected situation" + ] + }, + { + "ranking": 1402, + "title": "A Quiet Place Part II", + "year": "2021", + "runtime": 96, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.473, + "vote_count": 6736, + "description": "Following the events at home, the Abbott family now face the terrors of the outside world. Forced to venture into the unknown, they realize that the creatures that hunt by sound are not the only threats that lurk beyond the sand path.", + "poster": "https://image.tmdb.org/t/p/w500/4q2hz2m8hubgvijz8Ez0T2Os2Yv.jpg", + "url": "https://www.themoviedb.org/movie/520763", + "genres": [ + "Science Fiction", + "Thriller", + "Horror" + ], + "tags": [ + "new york city", + "island", + "post-apocalyptic future", + "radio transmission", + "alien life-form", + "death of father", + "child in peril", + "sequel", + "alien", + "flashback", + "psychological thriller", + "creature", + "alien invasion", + "parenting", + "family", + "survival horror", + "alien monster", + "human vs alien", + "sign languages", + "alien attack", + "hostile", + "hearing impaired", + "newborn baby", + "anxious", + "dreary", + "suspenseful", + "tense", + "frightened" + ] + }, + { + "ranking": 1412, + "title": "Waking Life", + "year": "2001", + "runtime": 101, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.471, + "vote_count": 885, + "description": "Waking Life is about a young man in a persistent lucid dream-like state. The film follows its protagonist as he initially observes and later participates in philosophical discussions that weave together issues like reality, free will, our relationships with others, and the meaning of life.", + "poster": "https://image.tmdb.org/t/p/w500/2MRM4PL6H7yraAkwyUEe2EqoQH3.jpg", + "url": "https://www.themoviedb.org/movie/9081", + "genres": [ + "Animation", + "Drama", + "Fantasy" + ], + "tags": [ + "dreams", + "philosophy", + "parallel world", + "existence", + "adult animation" + ] + }, + { + "ranking": 1411, + "title": "The Royal Tenenbaums", + "year": "2001", + "runtime": 110, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.5, + "vote_count": 4632, + "description": "Royal Tenenbaum and his wife Etheline had three children and then they separated. All three children are extraordinary --- all geniuses. Virtually all memory of the brilliance of the young Tenenbaums was subsequently erased by two decades of betrayal, failure, and disaster. Most of this was generally considered to be their father's fault. \"The Royal Tenenbaums\" is the story of the family's sudden, unexpected reunion one recent winter.", + "poster": "https://image.tmdb.org/t/p/w500/syaECBy6irxSgeF0m5ltGPNTWXL.jpg", + "url": "https://www.themoviedb.org/movie/9428", + "genres": [ + "Comedy", + "Drama" + ], + "tags": [ + "forgiveness", + "cigarette", + "child prodigy", + "terminal illness", + "dysfunctional family", + "incest", + "family conflict" + ] + }, + { + "ranking": 1417, + "title": "That's Life", + "year": "1998", + "runtime": 108, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.5, + "vote_count": 1332, + "description": "Con man Aldo breaks out of jail and seizes a car at gunpoint, taking its passengers—bumbling police officer Giacomo and nitpicking civilian Giovanni—hostages. An unlikely friendship blossoms.", + "poster": "https://image.tmdb.org/t/p/w500/zcZxzcl79S3gaWWDGGHcFkjT9m2.jpg", + "url": "https://www.themoviedb.org/movie/38396", + "genres": [ + "Comedy" + ], + "tags": [ + "male friendship", + "based on true story", + "road movie", + "unlikely friendship", + "prisoner on the run", + "prison break", + "helicopter chase" + ] + }, + { + "ranking": 1401, + "title": "The Worst Person in the World", + "year": "2021", + "runtime": 128, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.5, + "vote_count": 1457, + "description": "The chronicles of four years in the life of Julie, a young woman who navigates the troubled waters of her love life and struggles to find her career path, leading her to take a realistic look at who she really is.", + "poster": "https://image.tmdb.org/t/p/w500/1NxGNQchGBTHXJ6RShLY1IlZqWn.jpg", + "url": "https://www.themoviedb.org/movie/660120", + "genres": [ + "Drama", + "Romance", + "Comedy" + ], + "tags": [ + "bookshop", + "photographer", + "pregnancy", + "man woman relationship", + "magic mushroom", + "cancer", + "break-up", + "older man younger woman relationship", + "oslo, norway", + "controversial artist", + "turning thirty" + ] + }, + { + "ranking": 1404, + "title": "Letters from Iwo Jima", + "year": "2006", + "runtime": 141, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.5, + "vote_count": 2097, + "description": "The story of the battle of Iwo Jima between the United States and Imperial Japan during World War II, as told from the perspective of the Japanese who fought it.", + "poster": "https://image.tmdb.org/t/p/w500/kZokxQtzMPURvijWYFuvh1fAvnv.jpg", + "url": "https://www.themoviedb.org/movie/1251", + "genres": [ + "Action", + "Drama", + "War" + ], + "tags": [ + "dying and death", + "world war ii", + "cave", + "pacific war", + "iwo jima", + "pacific theater", + "anti war", + "japanese army", + "imperial japan", + "1940s" + ] + }, + { + "ranking": 1409, + "title": "A Bittersweet Life", + "year": "2005", + "runtime": 119, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.5, + "vote_count": 891, + "description": "Kim Sun-woo is an enforcer and manager for a hotel owned by a cold, calculative crime boss, Kang who assigns Sun-woo to a simple errand while he is away on a business trip; to shadow his young mistress, Hee-soo, for fear that she may be cheating on him with a younger man with the mandate that he must kill them both if he discovers their affair.", + "poster": "https://image.tmdb.org/t/p/w500/czoCxjadYUT2oe9cKzSnU6ZrYoI.jpg", + "url": "https://www.themoviedb.org/movie/11344", + "genres": [ + "Action", + "Drama", + "Crime" + ], + "tags": [ + "buried alive", + "handlanger", + "revenge", + "fugitive", + "extramarital affair" + ] + }, + { + "ranking": 1406, + "title": "My Father and My Son", + "year": "2005", + "runtime": 112, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.5, + "vote_count": 338, + "description": "A left-wing journalist whose wife died while giving birth to his son during a military coup returns to his family's farm. Estranged from his father for turning his back on the family and wasting his life with political activism instead, he tries to reconnect with him so that his son will have a place to live as his health is deteriorating due to the extensive torture he had to endure.", + "poster": "https://image.tmdb.org/t/p/w500/dcKY23xowYTU9B1cagUdHQwsxOB.jpg", + "url": "https://www.themoviedb.org/movie/13393", + "genres": [ + "Drama" + ], + "tags": [ + "son", + "father", + "family drama", + "fiul", + "tatăl", + "meu" + ] + }, + { + "ranking": 1408, + "title": "Mulan: Rise of a Warrior", + "year": "2009", + "runtime": 115, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.5, + "vote_count": 429, + "description": "When barbarian hordes threaten her homeland, the brave and cunning Mulan disguises herself as a male soldier to swell the ranks in her aging father's stead. The warrior's remarkable courage drives her through powerful battle scenes and brutal wartime strategy. Mulan loses dear friends to the enemy's blade as she rises to become one of her country's most valuable leaders — but can she win the war before her secret is exposed?", + "poster": "https://image.tmdb.org/t/p/w500/16xLpJ7zJI2R8rAMSHCTFtV2VFw.jpg", + "url": "https://www.themoviedb.org/movie/32909", + "genres": [ + "Adventure", + "Drama", + "Action" + ], + "tags": [ + "army", + "china", + "chinese woman", + "chinese province", + "based on myths, legends or folklore", + "great patriotic war", + "women empowerment", + "war" + ] + }, + { + "ranking": 1410, + "title": "Glory", + "year": "1989", + "runtime": 122, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.5, + "vote_count": 1660, + "description": "Robert Gould Shaw leads the US Civil War's first all-black volunteer company, fighting prejudices of both his own Union army and the Confederates.", + "poster": "https://image.tmdb.org/t/p/w500/pGDzBjZvzmSCIEduQBfESLMiwtp.jpg", + "url": "https://www.themoviedb.org/movie/9665", + "genres": [ + "Drama", + "History", + "War" + ], + "tags": [ + "racism", + "battle", + "union soldier", + "confederate soldier", + "american civil war", + "19th century", + "early america", + "african american history", + "american history" + ] + }, + { + "ranking": 1407, + "title": "The Witcher: Nightmare of the Wolf", + "year": "2021", + "runtime": 83, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.471, + "vote_count": 987, + "description": "Escaping from poverty to become a witcher, Vesemir slays monsters for coin and glory, but when a new menace rises, he must face the demons of his past.", + "poster": "https://image.tmdb.org/t/p/w500/ckjlfMg2lXQK5aav33BCBgtsYWh.jpg", + "url": "https://www.themoviedb.org/movie/666243", + "genres": [ + "Animation", + "Action", + "Fantasy" + ], + "tags": [ + "monster", + "magic", + "creature", + "fantasy world", + "excited" + ] + }, + { + "ranking": 1413, + "title": "I Stand Alone", + "year": "1998", + "runtime": 89, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.47, + "vote_count": 524, + "description": "After completing jail time for beating up a man who tried to seduce his mentally-handicapped teenage daughter, The Butcher wants to start life anew. He institutionalizes his daughter and moves to the Lille suburbs with his mistress, who promises him a new butcher shop. Learning that she lied, The Butcher returns to Paris to find his daughter.", + "poster": "https://image.tmdb.org/t/p/w500/4kMB2AAcDQ5diRuh7NTxuS90bx7.jpg", + "url": "https://www.themoviedb.org/movie/1567", + "genres": [ + "Drama", + "Thriller" + ], + "tags": [ + "nihilism", + "revenge", + "new french extremism" + ] + }, + { + "ranking": 1418, + "title": "The Seventh Continent", + "year": "1989", + "runtime": 107, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.5, + "vote_count": 314, + "description": "Chronicles three years of a middle class family seemingly caught up in their daily routines, only troubled by minor incidents. Behind their apparent calm and repetitive existence however, they are actually planning something sinister.", + "poster": "https://image.tmdb.org/t/p/w500/hPwtcwwmOnW7Mqr1s170LHxa74A.jpg", + "url": "https://www.themoviedb.org/movie/32761", + "genres": [ + "Drama" + ], + "tags": [ + "nihilism", + "boredom", + "modernity", + "family's daily life", + "materialism", + "based on true story", + "middle class", + "dysfunctional family", + "industrial society ", + "misanthrophy", + "mass suicide", + "destruction", + "car wash", + "quitting a job", + "meaningless existence", + "optometrist", + "1980s", + "postmodernism", + "bleak", + "urban horror", + "self destructiveness", + "urban malaise", + "daily routine" + ] + }, + { + "ranking": 1414, + "title": "Aquarius", + "year": "2016", + "runtime": 147, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.5, + "vote_count": 466, + "description": "Clara, a vibrant former music critic and widow with flowing tresses is the only remaining apartment owner in a beautiful older building targeted for demolition by ruthless luxury high-rise developers. Clara proves to be a force to be reckoned with as she thwarts the builders plans to kick her out of the apartment.", + "poster": "https://image.tmdb.org/t/p/w500/9hwkjmtl3HCXe7JW2BVSyjLXHCo.jpg", + "url": "https://www.themoviedb.org/movie/377273", + "genres": [ + "Drama" + ], + "tags": [] + }, + { + "ranking": 1419, + "title": "Barbie as The Princess & the Pauper", + "year": "2004", + "runtime": 86, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.5, + "vote_count": 1486, + "description": "In her first animated musical featuring seven original songs, Barbie comes to life in this modern re-telling of a classic tale of mistaken identity and the power of friendship. Based on the story by Mark Twain.", + "poster": "https://image.tmdb.org/t/p/w500/1NUSTGZKkF09wPho4Y3Galnb5fc.jpg", + "url": "https://www.themoviedb.org/movie/15165", + "genres": [ + "Animation", + "Family", + "Comedy" + ], + "tags": [ + "princess", + "musical", + "based on toy" + ] + }, + { + "ranking": 1425, + "title": "The Reader", + "year": "2008", + "runtime": 124, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.468, + "vote_count": 3174, + "description": "The story of Michael Berg, a German lawyer who, as a teenager in the late 1950s, had an affair with an older woman, Hanna, who then disappeared only to resurface years later as one of the defendants in a war crimes trial stemming from her actions as a concentration camp guard late in the war. He alone realizes that Hanna is illiterate and may be concealing that fact at the expense of her freedom.", + "poster": "https://image.tmdb.org/t/p/w500/r0WURbmnhgKeBpHcpDULBgRedQM.jpg", + "url": "https://www.themoviedb.org/movie/8055", + "genres": [ + "Drama", + "Romance" + ], + "tags": [ + "based on novel or book", + "germany", + "war crimes", + "women's prison", + "trial", + "female prisoner", + "reading aloud", + "love affair", + "cynical", + "law student", + "teenage sexuality", + "older woman younger man relationship", + "reading to someone", + "secret lover", + "shame", + "literacy", + "frantic", + "west germany", + "courtroom drama", + "complex", + "cautionary", + "depressing", + "cruel", + "disheartening", + "embarrassed", + "tragic" + ] + }, + { + "ranking": 1422, + "title": "Phantom of the Paradise", + "year": "1974", + "runtime": 92, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.5, + "vote_count": 680, + "description": "A gifted rock composer plots revenge after a devious record producer steals both his music and his girl.", + "poster": "https://image.tmdb.org/t/p/w500/AkS1Pg1bUKMzfhItnoMscLY3RJn.jpg", + "url": "https://www.themoviedb.org/movie/27327", + "genres": [ + "Music", + "Comedy", + "Horror", + "Fantasy", + "Drama", + "Romance", + "Thriller" + ], + "tags": [ + "mask", + "new york city", + "rock 'n' roll", + "suicide attempt", + "greed", + "haunted house", + "phantom", + "palace", + "musical", + "satire", + "revenge", + "soul selling", + "rock music", + "pianist", + "false accusations", + "masked man", + "glam rock", + "car explosion", + "rock opera", + "rock musical", + "sing sing", + "music production", + "record company", + "faustian pact", + "songwriting", + "phantom of the opera", + "music industry", + "abuse of power", + "music producer", + "moral corruption", + "deal with the devil", + "printing press", + "horror musical" + ] + }, + { + "ranking": 1429, + "title": "The Devil's Advocate", + "year": "1997", + "runtime": 144, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.467, + "vote_count": 6166, + "description": "Aspiring Florida defense lawyer Kevin Lomax accepts a job at a New York law firm. With the stakes getting higher every case, Kevin quickly learns that his boss has something far more evil planned.", + "poster": "https://image.tmdb.org/t/p/w500/5ZzBGpxy55OQzHxKVY11IpY6a0o.jpg", + "url": "https://www.themoviedb.org/movie/1813", + "genres": [ + "Drama", + "Mystery", + "Thriller", + "Horror" + ], + "tags": [ + "child abuse", + "southern usa", + "marriage crisis", + "obsession", + "bible", + "seduction", + "hallucination", + "devil's son", + "ambition", + "pact with the devil", + "crooked lawyer", + "satan", + "evil spirit", + "lust", + "courtroom", + "temptation", + "law firm", + "manhattan, new york city", + "seven deadly sins", + "ethics", + "reflective", + "anxious", + "legal thriller", + "cautionary", + "callous", + "enchant" + ] + }, + { + "ranking": 1427, + "title": "The Phantom of Liberty", + "year": "1974", + "runtime": 104, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.5, + "vote_count": 301, + "description": "This Surrealist film, with a title referencing the Communist Manifesto, strings together short incidents based on the life of director Luis Buñuel. Presented as chance encounters, these loosely related, intersecting situations, all without a consistent protagonist, reach from the 19th century to the 1970s. Touching briefly on subjects such as execution, pedophilia, incest, and sex, the film features an array of characters, including a sick father and incompetent police officers.", + "poster": "https://image.tmdb.org/t/p/w500/f6cON5ebistPm6AS1XcZZMmKpIi.jpg", + "url": "https://www.themoviedb.org/movie/5558", + "genres": [ + "Comedy" + ], + "tags": [ + "sniper", + "paris, france", + "society", + "monk", + "incest", + "anarchic comedy" + ] + }, + { + "ranking": 1435, + "title": "Mirage", + "year": "2018", + "runtime": 129, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.465, + "vote_count": 1820, + "description": "During a mysterious thunderstorm, Vera, a young mother, manages to save a life in danger, but her good deed causes a disturbing chain of unexpected consequences.", + "poster": "https://image.tmdb.org/t/p/w500/2sAXXSgzpt5eJtuh4IeE7rJWES4.jpg", + "url": "https://www.themoviedb.org/movie/529216", + "genres": [ + "Thriller", + "Drama", + "Mystery", + "Fantasy" + ], + "tags": [ + "husband wife relationship", + "spain", + "thunderstorm", + "1980s", + "suburban", + "mother daughter relationship" + ] + }, + { + "ranking": 1421, + "title": "Aguirre, the Wrath of God", + "year": "1972", + "runtime": 95, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.5, + "vote_count": 1132, + "description": "A few decades after the destruction of the Inca Empire, a Spanish expedition led by the infamous Aguirre leaves the mountains of Peru and goes down the Amazon River in search of the lost city of El Dorado. When great difficulties arise, Aguirre’s men start to wonder whether their quest will lead them to prosperity or certain death.", + "poster": "https://image.tmdb.org/t/p/w500/A3fVlnAasRXq9ZFaaZ744EvreQO.jpg", + "url": "https://www.themoviedb.org/movie/2000", + "genres": [ + "History", + "Adventure", + "Drama" + ], + "tags": [ + "gold", + "sentence", + "peru", + "insanity", + "gold rush", + "amazon rainforest", + "float", + "south america", + "16th century", + "conquest", + "new german cinema", + "indigenous peoples", + "amazon river", + "conquistador", + "age of discovery" + ] + }, + { + "ranking": 1426, + "title": "Ordinary People", + "year": "1980", + "runtime": 124, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.5, + "vote_count": 635, + "description": "Beth, Calvin, and their son Conrad are living in the aftermath of the death of the other son. Conrad is overcome by grief and misplaced guilt to the extent of a suicide attempt. He is in therapy. Beth had always preferred his brother and is having difficulty being supportive to Conrad. Calvin is trapped between the two trying to hold the family together.", + "poster": "https://image.tmdb.org/t/p/w500/8CFPYcRatQFFysCjQanqYMQyS2Y.jpg", + "url": "https://www.themoviedb.org/movie/16619", + "genres": [ + "Drama" + ], + "tags": [ + "chicago, illinois", + "depression", + "post-traumatic stress disorder (ptsd)", + "based on novel or book", + "suicide attempt", + "middle class", + "dysfunctional family", + "grief", + "bereavement", + "psychiatrist", + "guilt", + "grieving", + "survivor's guilt", + "loss of son", + "mother son conflict" + ] + }, + { + "ranking": 1424, + "title": "The Red Turtle", + "year": "2016", + "runtime": 80, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.5, + "vote_count": 1285, + "description": "The dialogue-less film follows the major life stages of a castaway on a deserted tropical island populated by turtles, crabs and birds.", + "poster": "https://image.tmdb.org/t/p/w500/wOBU3SLjQ9358Km9YWYasPZyebp.jpg", + "url": "https://www.themoviedb.org/movie/337703", + "genres": [ + "Animation", + "Drama", + "Fantasy", + "Family" + ], + "tags": [ + "coming of age", + "survival", + "loneliness", + "crab", + "raft", + "sea turtle", + "deserted island", + "flood", + "anime" + ] + }, + { + "ranking": 1440, + "title": "Birdman of Alcatraz", + "year": "1962", + "runtime": 147, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.465, + "vote_count": 315, + "description": "After killing a prison guard, convict Robert Stroud faces life imprisonment in solitary confinement. Driven nearly mad by loneliness and despair, Stroud's life gains new meaning when he happens upon a helpless baby sparrow in the exercise yard and nurses it back to health. Despite having only a third grade education, Stroud goes on to become a renowned ornithologist and achieves a greater sense of freedom and purpose behind bars than most people find in the outside world.", + "poster": "https://image.tmdb.org/t/p/w500/6EODLN11HTX4l2cmakAhWIoJLF.jpg", + "url": "https://www.themoviedb.org/movie/898", + "genres": [ + "Drama", + "Crime" + ], + "tags": [ + "prison", + "prisoner", + "rebel", + "difficult childhood", + "human animal relationship", + "alcatraz prison", + "ornithology", + "biography", + "solitary confinement", + "warden", + "birds" + ] + }, + { + "ranking": 1439, + "title": "The Adventures of Robin Hood", + "year": "1938", + "runtime": 102, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.5, + "vote_count": 764, + "description": "Robin Hood fights nobly for justice against the evil Sir Guy of Gisbourne while striving to win the hand of the beautiful Maid Marian.", + "poster": "https://image.tmdb.org/t/p/w500/4mazyXEMkmLw5h6076yyNSm9uv0.jpg", + "url": "https://www.themoviedb.org/movie/10907", + "genres": [ + "Adventure", + "Romance", + "History", + "Action" + ], + "tags": [ + "sword", + "repayment", + "robin hood", + "archer", + "richard the lionheart", + "sherwood forest", + "sword fight", + "nottingham", + "historical fiction", + "disguise", + "swashbuckler", + "medieval", + "technicolor", + "based on myths, legends or folklore", + "saxons", + "action hero", + "12th century", + "vigilante justice", + "cheerful", + "excited" + ] + }, + { + "ranking": 1428, + "title": "The Bourne Identity", + "year": "2002", + "runtime": 119, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.467, + "vote_count": 9435, + "description": "Wounded to the brink of death and suffering from amnesia, Jason Bourne is rescued at sea by a fisherman. With nothing to go on but a Swiss bank account number, he starts to reconstruct his life, but finds that many people he encounters want him dead. However, Bourne realizes that he has the combat and mental skills of a world-class spy—but who does he work for?", + "poster": "https://image.tmdb.org/t/p/w500/aP8swke3gmowbkfZ6lmNidu0y9p.jpg", + "url": "https://www.themoviedb.org/movie/2501", + "genres": [ + "Action", + "Drama", + "Mystery", + "Thriller" + ], + "tags": [ + "sniper", + "assassin", + "amnesia", + "paris, france", + "based on novel or book", + "escape", + "barcelona, spain", + "secret identity", + "passport", + "mission of murder", + "lovers", + "flashback", + "shootout", + "foot chase", + "cell phone", + "multiple identities", + "surveillance camera", + "hamburg, germany", + "fishing boat", + "langley virginia", + "safe deposit box", + "hand to hand combat", + "action hero", + "bourne", + "jason bourne", + "intense", + "powerful" + ] + }, + { + "ranking": 1433, + "title": "C.R.A.Z.Y.", + "year": "2005", + "runtime": 126, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.5, + "vote_count": 467, + "description": "A young French Canadian, one of five boys in a conservative family in the 1960s and 1970s, struggles to reconcile his emerging identity with his father's values.", + "poster": "https://image.tmdb.org/t/p/w500/rv1vJgT7uQ5jjAnpNDDoxDzzHX7.jpg", + "url": "https://www.themoviedb.org/movie/11421", + "genres": [ + "Comedy", + "Drama" + ], + "tags": [ + "coming out", + "canada", + "sibling relationship", + "parent child relationship", + "insurgence", + "quebec", + "coming of age", + "lgbt", + "gay theme" + ] + }, + { + "ranking": 1431, + "title": "Live Twice, Love Once", + "year": "2019", + "runtime": 101, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.466, + "vote_count": 342, + "description": "A retired academic teacher tries to find the love of his youth after being diagnosed with Alzheimer's.", + "poster": "https://image.tmdb.org/t/p/w500/AhxpEQ0C1UGqMWHBucw0Fj7S3mD.jpg", + "url": "https://www.themoviedb.org/movie/613090", + "genres": [ + "Comedy", + "Drama" + ], + "tags": [] + }, + { + "ranking": 1430, + "title": "The Killing Fields", + "year": "1984", + "runtime": 142, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.5, + "vote_count": 751, + "description": "New York Times reporter Sydney Schanberg is on assignment covering the Cambodian Civil War, with the help of local interpreter Dith Pran and American photojournalist Al Rockoff. When the U.S. Army pulls out amid escalating violence, Schanberg makes exit arrangements for Pran and his family. Pran, however, tells Schanberg he intends to stay in Cambodia to help cover the unfolding story — a decision he may regret as the Khmer Rouge rebels move in.", + "poster": "https://image.tmdb.org/t/p/w500/cX6Bv7natnZwQjsV9bLL8mmWjkS.jpg", + "url": "https://www.themoviedb.org/movie/625", + "genres": [ + "Drama", + "History", + "War" + ], + "tags": [ + "journalist", + "vietnam", + "cambodia", + "civil war", + "based on novel or book", + "photographer", + "mass murder", + "1970s", + "evacuation", + "embassy", + "national socialist party", + "killing fields", + "red khmer", + "pol pot", + "pulitzer prize", + "based on true story", + "brutality", + "genocide", + "communism", + "violence" + ] + }, + { + "ranking": 1423, + "title": "Thesis", + "year": "1996", + "runtime": 125, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.5, + "vote_count": 847, + "description": "While doing a thesis about violence, Ángela finds a snuff video where a girl is tortured to death. Soon she discovers that the girl was a former student at her college...", + "poster": "https://image.tmdb.org/t/p/w500/3d4CQ0l4izm0u0eOU1zMGbtrzV5.jpg", + "url": "https://www.themoviedb.org/movie/9299", + "genres": [ + "Horror", + "Thriller" + ], + "tags": [ + "research", + "madrid, spain", + "kidnapping", + "psychopath", + "snuff", + "friends", + "film in film", + "murder", + "serial killer", + "thesis", + "psycho", + "video tape", + "college student" + ] + }, + { + "ranking": 1434, + "title": "The Vanishing", + "year": "1988", + "runtime": 106, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.5, + "vote_count": 668, + "description": "Rex and Saskia, a young couple in love, are on vacation. They stop at a busy service station and Saskia is abducted. After three years and no sign of Saskia, Rex begins receiving letters from the abductor.", + "poster": "https://image.tmdb.org/t/p/w500/eE5bbuRJluooG2MjEAsLEYyuJoa.jpg", + "url": "https://www.themoviedb.org/movie/8740", + "genres": [ + "Thriller", + "Mystery" + ], + "tags": [ + "france", + "loss of loved one", + "kidnapping", + "roadhouse", + "vacation", + "disappearance", + "missing person", + "curious" + ] + }, + { + "ranking": 1432, + "title": "Human Capital", + "year": "2013", + "runtime": 111, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.5, + "vote_count": 910, + "description": "The destinies of two families are irrevocably tied together after a cyclist is hit off the road by a jeep in the night before Christmas Eve.", + "poster": "https://image.tmdb.org/t/p/w500/nQxQ2N2wXksZnHa2ZzdwCbDtmkE.jpg", + "url": "https://www.themoviedb.org/movie/244088", + "genres": [ + "Drama" + ], + "tags": [] + }, + { + "ranking": 1436, + "title": "The Croods: A New Age", + "year": "2020", + "runtime": 95, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.465, + "vote_count": 3893, + "description": "Searching for a safer habitat, the prehistoric Crood family discovers an idyllic, walled-in paradise that meets all of its needs. Unfortunately, they must also learn to live with the Bettermans -- a family that's a couple of steps above the Croods on the evolutionary ladder. As tensions between the new neighbors start to rise, a new threat soon propels both clans on an epic adventure that forces them to embrace their differences, draw strength from one another, and survive together.", + "poster": "https://image.tmdb.org/t/p/w500/tbVZ3Sq88dZaCANlUcewQuHQOaE.jpg", + "url": "https://www.themoviedb.org/movie/529203", + "genres": [ + "Animation", + "Family", + "Adventure", + "Fantasy", + "Comedy" + ], + "tags": [ + "sequel", + "prehistory", + "aftercreditsstinger", + "duringcreditsstinger", + "candid", + "playful", + "joyous", + "admiring", + "adoring" + ] + }, + { + "ranking": 1438, + "title": "Invasion of the Body Snatchers", + "year": "1956", + "runtime": 80, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.5, + "vote_count": 1099, + "description": "A small-town doctor learns that the population of his community is being replaced by emotionless alien duplicates.", + "poster": "https://image.tmdb.org/t/p/w500/8BrMQmgwGzIHSyBjCDOLOdi79fJ.jpg", + "url": "https://www.themoviedb.org/movie/11549", + "genres": [ + "Science Fiction", + "Horror", + "Thriller" + ], + "tags": [ + "small town", + "based on novel or book", + "alien", + "black and white", + "doctor", + "patient", + "alien invasion", + "psychiatrist", + "alien infection", + "angry mob", + "doppelgänger", + "mystery writer", + "body snatchers", + "emotionless", + "paranoid", + "abandoned mine", + "personality change", + "alien plant-life" + ] + }, + { + "ranking": 1437, + "title": "Mr & Mme Adelman", + "year": "2017", + "runtime": 120, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.465, + "vote_count": 445, + "description": "How did Sarah and Victor get along for more than 45 years? Who was this enigmatic woman living in the shadow of her husband? Love, ambition, betrayals and secrets feed the story of this extraordinary couple, as they experience both the large and small moments of the last century's history.", + "poster": "https://image.tmdb.org/t/p/w500/eElm9ZjbKy7JOeiz3GxrTK6mJss.jpg", + "url": "https://www.themoviedb.org/movie/431937", + "genres": [ + "Romance", + "Drama", + "Comedy" + ], + "tags": [] + }, + { + "ranking": 1443, + "title": "Sympathy for Mr. Vengeance", + "year": "2002", + "runtime": 129, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.464, + "vote_count": 1486, + "description": "A deaf man and his girlfriend resort to desperate measures in order to fund a kidney transplant for his sister. Things go horribly wrong, and the situation spirals rapidly into a cycle of violence and revenge.", + "poster": "https://image.tmdb.org/t/p/w500/uj42ubGbgVL65T10SvPVr0p9mJc.jpg", + "url": "https://www.themoviedb.org/movie/4689", + "genres": [ + "Action", + "Drama", + "Thriller" + ], + "tags": [ + "transplantation", + "revenge", + "organ donation" + ] + }, + { + "ranking": 1450, + "title": "Barton Fink", + "year": "1991", + "runtime": 117, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.461, + "vote_count": 1709, + "description": "A renowned New York playwright is enticed to California to write for the movies and discovers the hellish truth of Hollywood.", + "poster": "https://image.tmdb.org/t/p/w500/oDkp5iClJ9WKJGtKHz8BydodHC3.jpg", + "url": "https://www.themoviedb.org/movie/290", + "genres": [ + "Comedy", + "Drama", + "Thriller" + ], + "tags": [ + "hotel", + "screenplay", + "mass murder", + "movie business", + "screenwriter", + "neighbor", + "los angeles, california", + "neo-noir", + "1940s" + ] + }, + { + "ranking": 1448, + "title": "Key Largo", + "year": "1948", + "runtime": 100, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.5, + "vote_count": 540, + "description": "A hurricane swells outside, but it's nothing compared to the storm within the hotel at Key Largo. There, sadistic mobster Johnny Rocco holes up - and holds at gunpoint hotel owner James Temple, his widowed daughter-in-law Nora, and ex-GI Frank McCloud.", + "poster": "https://image.tmdb.org/t/p/w500/rySfmQQZhS7RswOiJcJrww6FcHy.jpg", + "url": "https://www.themoviedb.org/movie/11016", + "genres": [ + "Crime", + "Thriller" + ], + "tags": [ + "hotel", + "florida", + "war veteran", + "gangster", + "widow", + "hurricane", + "florida keys", + "wheelchair user ", + "film noir", + "alcoholic", + "humiliation", + "death", + "intimidation", + "charter boat", + "nightclub singer", + "henchmen", + "moll", + "local indians", + "suspenseful", + "intense" + ] + }, + { + "ranking": 1445, + "title": "The Innocents", + "year": "1961", + "runtime": 100, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.5, + "vote_count": 605, + "description": "A young governess for two children becomes convinced that the house and grounds are haunted by ghosts and that the children are being possessed.", + "poster": "https://image.tmdb.org/t/p/w500/idqvLBmlEHUITMnQ0EJ6Yb5TpVw.jpg", + "url": "https://www.themoviedb.org/movie/16372", + "genres": [ + "Horror", + "Mystery" + ], + "tags": [ + "based on novel or book", + "england", + "supernatural", + "haunted house", + "haunting", + "possession", + "black and white", + "ghost story", + "governess" + ] + }, + { + "ranking": 1453, + "title": "The Dirt", + "year": "2019", + "runtime": 108, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.46, + "vote_count": 1242, + "description": "The story of Mötley Crüe and their rise from the Sunset Strip club scene of the early 1980s to superstardom.", + "poster": "https://image.tmdb.org/t/p/w500/xGY5rr8441ib0lT9mtHZn7e8Aay.jpg", + "url": "https://www.themoviedb.org/movie/327331", + "genres": [ + "Drama", + "Music", + "History", + "Comedy" + ], + "tags": [] + }, + { + "ranking": 1455, + "title": "In Cold Blood", + "year": "1967", + "runtime": 134, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.5, + "vote_count": 388, + "description": "After a botched robbery results in the brutal murder of a rural family, two drifters elude police, in the end coming to terms with their own mortality and the repercussions of their vile atrocity.", + "poster": "https://image.tmdb.org/t/p/w500/fGb7FcT1qhXMJYMLVTEjCrA0t9s.jpg", + "url": "https://www.themoviedb.org/movie/18900", + "genres": [ + "Crime", + "Drama", + "Thriller", + "History" + ], + "tags": [ + "murder", + "true crime", + "farmer", + "gay theme", + "tragic" + ] + }, + { + "ranking": 1442, + "title": "The Fugitive", + "year": "1993", + "runtime": 131, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.464, + "vote_count": 4355, + "description": "Wrongfully convicted of murdering his wife and sentenced to death, Richard Kimble escapes from the law in an attempt to find the real killer and clear his name.", + "poster": "https://image.tmdb.org/t/p/w500/b3rEtLKyOnF89mcK75GXDXdmOEf.jpg", + "url": "https://www.themoviedb.org/movie/5503", + "genres": [ + "Action", + "Thriller", + "Drama" + ], + "tags": [ + "chicago, illinois", + "escape", + "chase", + "doomed man", + "surgeon", + "death sentence", + "u.s. marshal", + "flashback", + "remake", + "betrayal", + "fugitive", + "on the run", + "conspiracy", + "police corruption", + "doctor", + "home invasion", + "disguise", + "one armed man", + "framed for murder", + "shocking", + "action hero", + "manhunt", + "suspicious", + "suspenseful", + "dubious" + ] + }, + { + "ranking": 1456, + "title": "Man on Fire", + "year": "2004", + "runtime": 146, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.5, + "vote_count": 5227, + "description": "Jaded ex-CIA operative John Creasy reluctantly accepts a job as the bodyguard for a 10-year-old girl in Mexico City. They clash at first, but eventually bond, and when she's kidnapped he's consumed by fury and will stop at nothing to save her life.", + "poster": "https://image.tmdb.org/t/p/w500/grCGLCcTHv9TChibzOwzUpykcjB.jpg", + "url": "https://www.themoviedb.org/movie/9509", + "genres": [ + "Action", + "Drama", + "Thriller" + ], + "tags": [ + "mexico", + "mexico city, mexico", + "based on novel or book", + "kidnapping", + "bodyguard", + "diary", + "bible", + "remake", + "stuffed animal", + "revenge", + "gun battle", + "cell phone", + "alcoholic", + "grenade launcher", + "child kidnapping", + "bloodshed", + "swim meet", + "aggressive", + "ex-cia agent", + "mexican federale", + "mexican law enforcement", + "vigilante justice", + "corrupt cop", + "mexican police", + "personal security", + "suspenseful", + "gun death" + ] + }, + { + "ranking": 1447, + "title": "Kung Fu Hustle", + "year": "2004", + "runtime": 99, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.5, + "vote_count": 2880, + "description": "It's the 1940s, and the notorious Axe Gang terrorizes Shanghai. Small-time criminals Sing and Bone hope to join, but they only manage to make lots of very dangerous enemies. Fortunately for them, kung fu masters and hidden strength can be found in unlikely places. Now they just have to take on the entire Axe Gang.", + "poster": "https://image.tmdb.org/t/p/w500/exbyTbrvRUDKN2mcNEuVor4VFQW.jpg", + "url": "https://www.themoviedb.org/movie/9470", + "genres": [ + "Action", + "Comedy", + "Crime", + "Fantasy" + ], + "tags": [ + "martial arts", + "china", + "magic", + "gangster", + "mafia", + "defense", + "policeman", + "wuxia", + "1940s", + "anarchic comedy", + "pretending to be gay", + "canton" + ] + }, + { + "ranking": 1454, + "title": "Black Sunday", + "year": "1960", + "runtime": 86, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.5, + "vote_count": 540, + "description": "A vengeful witch, Asa Vajda, and her fiendish servant, Igor Jauvitch, return from the grave and begin a bloody campaign to possess the body of the witch's beautiful look-alike descendant: Katia. Only a handsome doctor with the help of family members stand in her way.", + "poster": "https://image.tmdb.org/t/p/w500/x41Zx8GeZhducquhOq9nE7z1GBG.jpg", + "url": "https://www.themoviedb.org/movie/27632", + "genres": [ + "Horror" + ], + "tags": [ + "witch", + "vampire", + "crypt", + "gothic horror", + "iron mask" + ] + }, + { + "ranking": 1441, + "title": "Happiness", + "year": "1998", + "runtime": 139, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.5, + "vote_count": 840, + "description": "The lives of several individuals intertwine as they go about their lives in their own unique ways, engaging in acts which society as a whole might find disturbing in a desperate search for human connection.", + "poster": "https://image.tmdb.org/t/p/w500/rYfUcEV88Z3gENrfYTE6i8yBkDr.jpg", + "url": "https://www.themoviedb.org/movie/10683", + "genres": [ + "Comedy", + "Drama" + ], + "tags": [ + "pedophilia", + "depression", + "suicide", + "secret love", + "rape", + "strike", + "sibling relationship", + "new jersey", + "therapist", + "female lover", + "dark comedy", + "satire", + "partnership", + "stalker", + "sister", + "suburbia", + "sexual harassment", + "loneliness", + "mistress", + "relationship", + "pedophile", + "parenting", + "separation", + "extramarital affair", + "family conflict", + "unhappiness", + "disturbed", + "obscene telephone call", + "thoughtful", + "father son relationship", + "traditional values", + "irony", + "hilarious" + ] + }, + { + "ranking": 1452, + "title": "Abominable", + "year": "2019", + "runtime": 97, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.46, + "vote_count": 2073, + "description": "A group of misfits encounter a young Yeti named Everest, and they set off to reunite the magical creature with his family on the mountain of his namesake.", + "poster": "https://image.tmdb.org/t/p/w500/llhj3xtNes2Ri4d9HqtleKo1CfL.jpg", + "url": "https://www.themoviedb.org/movie/431580", + "genres": [ + "Family", + "Animation", + "Adventure", + "Comedy" + ], + "tags": [ + "villain", + "yeti", + "family relationships", + "reunion", + "snow", + "female villain", + "aftercreditsstinger", + "mount everest", + "quest", + "zoologist" + ] + }, + { + "ranking": 1449, + "title": "The Man Who Knew Too Much", + "year": "1956", + "runtime": 120, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.5, + "vote_count": 1429, + "description": "A couple vacationing in Morocco with their young son accidentally stumble upon an assassination plot. When the child is kidnapped to ensure their silence, they have to take matters into their own hands to save him.", + "poster": "https://image.tmdb.org/t/p/w500/gy8YBRjCQRIT9x9G9F5fpnFD4xw.jpg", + "url": "https://www.themoviedb.org/movie/574", + "genres": [ + "Thriller", + "Mystery" + ], + "tags": [ + "london, england", + "assassination", + "espionage", + "spy", + "scotland yard", + "bus", + "paranoia", + "morocco", + "remake", + "conspiracy", + "whodunit", + "british spy", + "american", + "political intrigue ", + "physician", + "frenchman", + "assassination attempt", + "cymbals", + "assassination plot" + ] + }, + { + "ranking": 1451, + "title": "Sin City", + "year": "2005", + "runtime": 124, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.461, + "vote_count": 8279, + "description": "Welcome to Sin City. This town beckons to the tough, the corrupt, the brokenhearted. Some call it dark… Hard-boiled. Then there are those who call it home — Crooked cops, sexy dames, desperate vigilantes. Some are seeking revenge, others lust after redemption, and then there are those hoping for a little of both. A universe of unlikely and reluctant heroes still trying to do the right thing in a city that refuses to care.", + "poster": "https://image.tmdb.org/t/p/w500/i66G50wATMmPrvpP95f0XP6ZdVS.jpg", + "url": "https://www.themoviedb.org/movie/187", + "genres": [ + "Thriller", + "Action", + "Crime" + ], + "tags": [ + "dystopia", + "based on comic", + "anthology", + "held captive", + "based on graphic novel", + "mysterious killer", + "doing the right thing", + "silhouette", + "neo-noir" + ] + }, + { + "ranking": 1459, + "title": "Kung Fury", + "year": "2015", + "runtime": 32, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.458, + "vote_count": 1847, + "description": "During an unfortunate series of events, a friend of Kung Fury is assassinated by the most dangerous kung fu master criminal of all time, Adolf Hitler, a.k.a Kung Führer. Kung Fury decides to travel back in time to Nazi Germany in order to kill Hitler and end the Nazi empire once and for all.", + "poster": "https://image.tmdb.org/t/p/w500/MtMPSNYFMg33Rsp9wxnmqnnvPx.jpg", + "url": "https://www.themoviedb.org/movie/251516", + "genres": [ + "Action", + "Comedy", + "Science Fiction", + "Fantasy" + ], + "tags": [ + "martial arts", + "kung fu", + "laser gun", + "hacker", + "nazi", + "video game", + "nerd", + "time travel", + "geek", + "arcade", + "dinosaur", + "robot", + "1980s", + "adolf hitler", + "short film" + ] + }, + { + "ranking": 1458, + "title": "Memories", + "year": "1995", + "runtime": 113, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.5, + "vote_count": 470, + "description": "In this anime anthology, a salvage ship crew happens upon a haunted vessel in \"Magnetic Rose\"; a cold tablet turns a lab worker into a biological weapon in \"Stink Bomb\"; and an urban populace carries on an endless war with an unseen foe in \"Cannon Fodder.\"", + "poster": "https://image.tmdb.org/t/p/w500/e0HIBRiKS5dWmXkxWvEh6JQZcc2.jpg", + "url": "https://www.themoviedb.org/movie/42994", + "genres": [ + "Fantasy", + "Animation", + "Science Fiction" + ], + "tags": [ + "based on comic", + "anthology", + "space", + "disaster", + "based on manga", + "haunted by the past", + "haunted manor", + "anime", + "memories", + "psychological", + "horror", + "magnetic rose" + ] + }, + { + "ranking": 1460, + "title": "Birdman or (The Unexpected Virtue of Ignorance)", + "year": "2014", + "runtime": 120, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.458, + "vote_count": 12964, + "description": "A fading actor best known for his portrayal of a popular superhero attempts to mount a comeback by appearing in a Broadway play. As opening night approaches, his attempts to become more altruistic, rebuild his career, and reconnect with friends and family prove more difficult than expected.", + "poster": "https://image.tmdb.org/t/p/w500/rHUg2AuIuLSIYMYFgavVwqt1jtc.jpg", + "url": "https://www.themoviedb.org/movie/194662", + "genres": [ + "Drama", + "Comedy" + ], + "tags": [ + "new york city", + "midlife crisis", + "superhero", + "dark comedy", + "times square", + "marijuana", + "broadway", + "magic realism", + "meditative", + "city life", + "father daughter relationship" + ] + }, + { + "ranking": 1444, + "title": "Pretty Woman", + "year": "1990", + "runtime": 120, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.464, + "vote_count": 8452, + "description": "While on a business trip in Los Angeles, Edward Lewis, a millionaire entrepreneur who makes a living buying and breaking up companies, picks up a prostitute, Vivian, while asking for directions; after, Edward hires Vivian to stay with him for the weekend to accompany him to a few social events, and the two get closer only to discover there are significant hurdles to overcome as they try to bridge the gap between their very different worlds.", + "poster": "https://image.tmdb.org/t/p/w500/hVHUfT801LQATGd26VPzhorIYza.jpg", + "url": "https://www.themoviedb.org/movie/114", + "genres": [ + "Romance", + "Comedy" + ], + "tags": [ + "prostitute", + "sports car", + "capitalism", + "expensive restaurant", + "workaholic", + "fire escape", + "romcom", + "los angeles, california", + "millionaire", + "valentine's day", + "beverly hills", + "pygmalion", + "entrepreneur", + "social differences", + "business deal", + "penthouse", + "italian opera", + "shopping spree", + "bubble bath", + "hooker", + "street smarts", + "contract relationship", + "cinderella story", + "romantic", + "polo match" + ] + }, + { + "ranking": 1457, + "title": "Paddington 2", + "year": "2017", + "runtime": 104, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.5, + "vote_count": 2462, + "description": "Paddington, now happily settled with the Browns, picks up a series of odd jobs to buy the perfect present for his Aunt Lucy, but it is stolen.", + "poster": "https://image.tmdb.org/t/p/w500/1OJ9vkD5xPt3skC6KguyXAgagRZ.jpg", + "url": "https://www.themoviedb.org/movie/346648", + "genres": [ + "Adventure", + "Comedy", + "Family" + ], + "tags": [ + "london, england", + "based on novel or book", + "sequel", + "bear", + "train", + "based on children's book", + "animals", + "aging actor", + "live action and animation" + ] + }, + { + "ranking": 1446, + "title": "Head-On", + "year": "2004", + "runtime": 117, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.463, + "vote_count": 577, + "description": "With the intention to break free from the strict familial restrictions, a suicidal young woman sets up a marriage of convenience with a forty-year-old addict, an act that will lead to an outburst of envious love.", + "poster": "https://image.tmdb.org/t/p/w500/9L5BBJiXZss58EBcbw0l4holdzZ.jpg", + "url": "https://www.themoviedb.org/movie/363", + "genres": [ + "Drama", + "Romance" + ], + "tags": [ + "drug abuse", + "religious education", + "alcohol", + "fictitious marriage", + "homicide", + "roommates", + "religion and supernatural", + "turkey", + "love", + "family", + "hamburg, germany" + ] + }, + { + "ranking": 1463, + "title": "One Piece Film: Strong World", + "year": "2009", + "runtime": 114, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.457, + "vote_count": 358, + "description": "20 years after his escape from Impel Down, the legendary pirate Shiki, the Golden Lion, reappears causing massive upheaval to the Marines. During his long seclusion, he was able to come up with a scheme to bring the World Government to his knees. On his way to execute the plan, Shiki crosses paths with the Straw Hat Pirates and becomes so impressed with Nami's knowledge of meteorology that he abducts her to forcedly enlist her into his crew. Luffy and the gang end up on a strange land populated with monstrous beasts as they desperately search for Shiki and Nami.", + "poster": "https://image.tmdb.org/t/p/w500/gz8ZSM9WpG9M3JtGqRTvJbyFKnm.jpg", + "url": "https://www.themoviedb.org/movie/41498", + "genres": [ + "Animation", + "Fantasy", + "Adventure" + ], + "tags": [ + "pirate", + "shounen", + "anime", + "adventure" + ] + }, + { + "ranking": 1469, + "title": "The Flowers of War", + "year": "2011", + "runtime": 146, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.5, + "vote_count": 810, + "description": "A Westerner finds refuge with a group of women in a church during Japan's rape of Nanking in 1937. Posing as a priest, he attempts to lead the women to safety.", + "poster": "https://image.tmdb.org/t/p/w500/7NVgVX663tdareijAiv0eLiLn6d.jpg", + "url": "https://www.themoviedb.org/movie/76758", + "genres": [ + "Drama", + "History", + "War" + ], + "tags": [ + "rape", + "based on novel or book", + "brothel", + "based on true story", + "atrocity", + "prostitution", + "forced prostitution", + "nanking massacre china 1937", + "japanese occupation of china" + ] + }, + { + "ranking": 1464, + "title": "The Artist", + "year": "2011", + "runtime": 100, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.456, + "vote_count": 3303, + "description": "Hollywood, 1927: As silent movie star George Valentin wonders if the arrival of talking pictures will cause him to fade into oblivion, he sparks with Peppy Miller, a young dancer set for a big break.", + "poster": "https://image.tmdb.org/t/p/w500/z68py0ZqPgeacGPG54AGVRbNBS7.jpg", + "url": "https://www.themoviedb.org/movie/74643", + "genres": [ + "Drama", + "Comedy", + "Romance" + ], + "tags": [ + "movie business", + "hollywood", + "black and white", + "dog", + "filmmaking", + "mustache", + "hollywoodland", + "silent film", + "marquee", + "terrier", + "movie star", + "flapper", + "silent film star", + "1920s", + "pets", + "old hollywood" + ] + }, + { + "ranking": 1466, + "title": "The Banshees of Inisherin", + "year": "2022", + "runtime": 114, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.455, + "vote_count": 2912, + "description": "Two lifelong friends find themselves at an impasse when one abruptly ends their relationship, with alarming consequences for both of them.", + "poster": "https://image.tmdb.org/t/p/w500/4yFG6cSPaCaPhyJ1vtGOtMD1lgh.jpg", + "url": "https://www.themoviedb.org/movie/674324", + "genres": [ + "Drama", + "Comedy" + ], + "tags": [ + "friendship", + "island", + "donkey", + "dark comedy", + "irish civil war (1922-23)", + "church", + "ireland", + "drinking", + "former best friend", + "self mutilation", + "fiddle", + "1920s", + "brother sister relationship", + "pub" + ] + }, + { + "ranking": 1461, + "title": "To Have and Have Not", + "year": "1945", + "runtime": 100, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.458, + "vote_count": 526, + "description": "A Martinique charter boat skipper gets mixed up with the underground French resistance operatives during WWII.", + "poster": "https://image.tmdb.org/t/p/w500/jLOmQ6yHWSKZDrJ2CMuSrXE3t3J.jpg", + "url": "https://www.themoviedb.org/movie/22584", + "genres": [ + "Adventure", + "Romance", + "War" + ], + "tags": [ + "island", + "based on novel or book", + "nazi", + "fishing", + "singer", + "film noir", + "french resistance", + "alcoholic", + "hemingway", + "expatriate", + "martinique", + "sidekick" + ] + }, + { + "ranking": 1473, + "title": "Black Book", + "year": "2006", + "runtime": 145, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.5, + "vote_count": 1166, + "description": "In the Nazi-occupied Netherlands during World War II, a Jewish singer infiltrates the regional Gestapo headquarters for the Dutch resistance.", + "poster": "https://image.tmdb.org/t/p/w500/gAUAE1WiKjcbrPjpMc99MxBR3U2.jpg", + "url": "https://www.themoviedb.org/movie/9075", + "genres": [ + "Drama", + "Thriller", + "War" + ], + "tags": [ + "in love with enemy", + "world war ii", + "prosecution", + "netherlands", + "singer", + "nazi occupation", + "1940s", + "the hague", + "dutch resistance" + ] + }, + { + "ranking": 1468, + "title": "Boruto: Naruto the Movie", + "year": "2015", + "runtime": 95, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.5, + "vote_count": 1593, + "description": "The spirited Boruto Uzumaki, son of Seventh Hokage Naruto, is a skilled ninja who possesses the same brashness and passion his father once had. However, the constant absence of his father, who is busy with his Hokage duties, puts a damper on Boruto's fire. He ends up meeting his father's friend Sasuke, and requests to become... his apprentice!? The curtain on the story of the new generation rises!", + "poster": "https://image.tmdb.org/t/p/w500/1k6iwC4KaPvTBt1JuaqXy3noZRY.jpg", + "url": "https://www.themoviedb.org/movie/347201", + "genres": [ + "Adventure", + "Action", + "Animation", + "Comedy", + "Fantasy" + ], + "tags": [ + "ninja", + "shounen", + "anime", + "adventure" + ] + }, + { + "ranking": 1467, + "title": "The SpongeBob Movie: Sponge on the Run", + "year": "2020", + "runtime": 95, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.5, + "vote_count": 2868, + "description": "When his best friend Gary is suddenly snatched away, SpongeBob takes Patrick on a madcap mission far beyond Bikini Bottom to save their pink-shelled pal.", + "poster": "https://image.tmdb.org/t/p/w500/jlJ8nDhMhCYJuzOw3f52CP1W8MW.jpg", + "url": "https://www.themoviedb.org/movie/400160", + "genres": [ + "Family", + "Animation", + "Fantasy", + "Adventure", + "Comedy" + ], + "tags": [ + "part live action", + "based on tv series" + ] + }, + { + "ranking": 1479, + "title": "Spread Your Wings", + "year": "2019", + "runtime": 113, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.5, + "vote_count": 304, + "description": "Christian, a visionary scientist, studies wild geese. For his son, a teenager obsessed with video games, the idea of spending a holiday with his father in the wilderness is a nightmare. However, father and son will get together around a crazy project: save a species endangered, thanks to the ultralight of Christian! Then begins an incredible and perilous journey ...", + "poster": "https://image.tmdb.org/t/p/w500/y6GqD6MabPjvPrJeTmRmgd896Py.jpg", + "url": "https://www.themoviedb.org/movie/589982", + "genres": [ + "Adventure", + "Family" + ], + "tags": [ + "based on novel or book", + "based on true story", + "natural history museum", + "summer holidays", + "teenager", + "wild geese" + ] + }, + { + "ranking": 1472, + "title": "Ip Man 2", + "year": "2010", + "runtime": 108, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.454, + "vote_count": 2309, + "description": "Having defeated the best fighters of the Imperial Japanese army in occupied Shanghai, Ip Man and his family settle in post-war Hong Kong. Struggling to make a living, Master Ip opens a kung fu school to bring his celebrated art of Wing Chun to the troubled youth of Hong Kong. His growing reputation soon brings challenges from powerful enemies, including pre-eminent Hung Gar master, Hung Quan.", + "poster": "https://image.tmdb.org/t/p/w500/yB5v6wRhIoZxlDvCFFCQhUNezDY.jpg", + "url": "https://www.themoviedb.org/movie/37472", + "genres": [ + "Action", + "History", + "Drama" + ], + "tags": [ + "martial arts", + "army", + "sports", + "hong kong", + "master", + "wing chun", + "labor", + "grandmaster", + "factual" + ] + }, + { + "ranking": 1465, + "title": "Swept Away", + "year": "1974", + "runtime": 110, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.5, + "vote_count": 307, + "description": "A spoiled rich woman and a brutish Communist deckhand become stranded alone on a desert island after venturing away from their cruise.", + "poster": "https://image.tmdb.org/t/p/w500/8bkEUeQWVFBk3HE4qhluDarTMDj.jpg", + "url": "https://www.themoviedb.org/movie/37916", + "genres": [ + "Comedy", + "Drama", + "Romance" + ], + "tags": [ + "stockholm syndrome", + "deserted island", + "misogyny", + "battle of the sexes", + "woman director", + "submission", + "male egos" + ] + }, + { + "ranking": 1475, + "title": "A Christmas Carol", + "year": "1984", + "runtime": 101, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.5, + "vote_count": 379, + "description": "Miser Ebenezer Scrooge is awakened on Christmas Eve by spirits who reveal to him his own miserable existence, what opportunities he wasted in his youth, his current cruelties, and the dire fate that awaits him if he does not change his ways. Scrooge is faced with his own story of growing bitterness and meanness, and must decide what his own future will hold: death or redemption.", + "poster": "https://image.tmdb.org/t/p/w500/m3T3iLdE6J5PrqvvP0XNHBvM2bm.jpg", + "url": "https://www.themoviedb.org/movie/13189", + "genres": [ + "Drama", + "Fantasy", + "TV Movie", + "Family" + ], + "tags": [ + "future", + "based on novel or book", + "holiday", + "redemption", + "charity", + "miser", + "ghost", + "moral transformation", + "ghosts of the past", + "christmas", + "spectre", + "stingy", + "tyrannical boss", + "hopeful", + "fates warning", + "xmas eve" + ] + }, + { + "ranking": 1480, + "title": "Lifted", + "year": "2006", + "runtime": 5, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.5, + "vote_count": 767, + "description": "When an overconfident teen alien gets behind the controls of a spaceship, he must attempt to abduct a slumbering farmer under the watchful eye of a critical instructor. But abducting humans requires precision and a gentle touch, and within a few missteps it's painfully clear why more humans don't go missing every year.", + "poster": "https://image.tmdb.org/t/p/w500/mh7VBbGPbGEITEPSSyRWQVO6HVW.jpg", + "url": "https://www.themoviedb.org/movie/13060", + "genres": [ + "Family", + "Animation", + "Science Fiction", + "Comedy" + ], + "tags": [ + "alien", + "farmer", + "alien spaceship", + "short film", + "teenager" + ] + }, + { + "ranking": 1477, + "title": "Mufasa: The Lion King", + "year": "2024", + "runtime": 118, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.452, + "vote_count": 1827, + "description": "Mufasa, a cub lost and alone, meets a sympathetic lion named Taka, the heir to a royal bloodline. The chance meeting sets in motion an expansive journey of a group of misfits searching for their destiny.", + "poster": "https://image.tmdb.org/t/p/w500/lurEK87kukWNaHd0zYnsi3yzJrs.jpg", + "url": "https://www.themoviedb.org/movie/762509", + "genres": [ + "Adventure", + "Family", + "Animation" + ], + "tags": [ + "friendship", + "paradise", + "lion", + "musical", + "prequel", + "jungle", + "told in flashback", + "betrayal by friend", + "chance meeting", + "live action remake", + "found family", + "lost", + "awestruck" + ] + }, + { + "ranking": 1471, + "title": "Incredibles 2", + "year": "2018", + "runtime": 118, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.454, + "vote_count": 13015, + "description": "Elastigirl springs into action to save the day, while Mr. Incredible faces his greatest challenge yet – taking care of the problems of his three children.", + "poster": "https://image.tmdb.org/t/p/w500/9lFKBtaVIhP7E2Pk0IY1CwTKTMZ.jpg", + "url": "https://www.themoviedb.org/movie/260513", + "genres": [ + "Action", + "Adventure", + "Animation", + "Family" + ], + "tags": [ + "married couple", + "superhero", + "cartoon", + "villain", + "sequel", + "parenting", + "family", + "super power", + "female villain", + "supervillain" + ] + }, + { + "ranking": 1470, + "title": "The Boy and the Heron", + "year": "2023", + "runtime": 124, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.454, + "vote_count": 2110, + "description": "While the Second World War rages, the teenage Mahito, haunted by his mother's tragic death, is relocated from Tokyo to the serene rural home of his new stepmother Natsuko, a woman who bears a striking resemblance to the boy's mother. As he tries to adjust, this strange new world grows even stranger following the appearance of a persistent gray heron, who perplexes and bedevils Mahito, dubbing him the \"long-awaited one.\"", + "poster": "https://image.tmdb.org/t/p/w500/f4oZTcfGrVTXKTWg157AwikXqmP.jpg", + "url": "https://www.themoviedb.org/movie/508883", + "genres": [ + "Animation", + "Adventure", + "Fantasy", + "Family", + "Drama" + ], + "tags": [ + "loss of loved one", + "world war ii", + "education", + "coming of age", + "spirituality", + "poverty", + "teenage boy", + "troubled childhood", + "semi autobiographical", + "moving to a city", + "anime", + "hand drawn animation", + "magic world", + "animation", + "courage", + "absurd", + "suspenseful" + ] + }, + { + "ranking": 1462, + "title": "Three Colors: White", + "year": "1994", + "runtime": 92, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.458, + "vote_count": 1219, + "description": "Polish immigrant Karol Karol finds himself out of a marriage, a job and a country when his French wife, Dominique, divorces him after six months due to his impotence. Forced to leave France after losing the business they jointly owned, Karol enlists fellow Polish expatriate Mikołaj to smuggle him back to their homeland.", + "poster": "https://image.tmdb.org/t/p/w500/fdIet3NSa27gobMbaUml66oCQNT.jpg", + "url": "https://www.themoviedb.org/movie/109", + "genres": [ + "Comedy", + "Drama", + "Mystery" + ], + "tags": [ + "france", + "hairdresser", + "sexual frustration", + "businessman", + "funeral", + "love", + "poland", + "psychological", + "french", + "arthouse" + ] + }, + { + "ranking": 1474, + "title": "Miller's Crossing", + "year": "1990", + "runtime": 115, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.454, + "vote_count": 1691, + "description": "Set in 1929, a political boss and his advisor have a parting of the ways when they both fall for the same woman.", + "poster": "https://image.tmdb.org/t/p/w500/ab3pnsTKp3BgcAFy0FgWBFBg9FL.jpg", + "url": "https://www.themoviedb.org/movie/379", + "genres": [ + "Drama", + "Thriller", + "Crime" + ], + "tags": [ + "street gang", + "corruption", + "prohibition era", + "gun", + "gambling debt", + "gangster", + "loyalty", + "irish-american", + "irish mob", + "betrayal", + "organized crime", + "shootout", + "drunkenness", + "angry", + "aggressive", + "neo-noir", + "1920s", + "clinical", + "violence", + "approving", + "embarrassed" + ] + }, + { + "ranking": 1476, + "title": "The Odd Couple", + "year": "1968", + "runtime": 106, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.5, + "vote_count": 593, + "description": "In New York, Felix, a neurotic news writer who just broke up with his wife, is urged by his chaotic friend Oscar, a sports journalist, to move in with him, but their lifestyles are as different as night and day are, so Felix's ideas about housekeeping soon begin to irritate Oscar.", + "poster": "https://image.tmdb.org/t/p/w500/d3dKPpzEi7WfgmoMnMwWyQnd2ja.jpg", + "url": "https://www.themoviedb.org/movie/11356", + "genres": [ + "Comedy" + ], + "tags": [ + "new york city", + "roommates", + "male friendship", + "based on play or musical", + "obsessive compulsive disorder (ocd)", + "poker game", + "divorced man", + "1960s", + "eccentric man", + "neat freak", + "messy apartment", + "sports journalism", + "impartial" + ] + }, + { + "ranking": 1478, + "title": "Batman: The Long Halloween, Part One", + "year": "2021", + "runtime": 85, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.5, + "vote_count": 644, + "description": "Following a brutal series of murders taking place on Halloween, Thanksgiving, and Christmas, Gotham City's young vigilante known as the Batman sets out to pursue the mysterious serial killer alongside police officer James Gordon and district attorney Harvey Dent.", + "poster": "https://image.tmdb.org/t/p/w500/sR7gppb0YGjwLvE6Vnj6wYv5MnW.jpg", + "url": "https://www.themoviedb.org/movie/736073", + "genres": [ + "Animation", + "Mystery", + "Action", + "Crime" + ], + "tags": [ + "holiday", + "superhero", + "halloween", + "based on comic", + "crime family", + "aftercreditsstinger", + "dc animated movie universe" + ] + }, + { + "ranking": 1482, + "title": "Adam's Apples", + "year": "2005", + "runtime": 94, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.5, + "vote_count": 708, + "description": "A neo-nazi sentenced to community service at a church clashes with the blindly devotional priest.", + "poster": "https://image.tmdb.org/t/p/w500/v5KtTI8uFWqOed7dL3nzAvOTCn2.jpg", + "url": "https://www.themoviedb.org/movie/1023", + "genres": [ + "Drama", + "Comedy", + "Crime" + ], + "tags": [ + "neo-nazism", + "faith", + "cynic", + "suppressed past", + "pastor", + "lie", + "dark comedy", + "satire", + "parish", + "god", + "religion", + "church", + "alcoholic", + "apple", + "religious humour" + ] + }, + { + "ranking": 1484, + "title": "Kuch Kuch Hota Hai", + "year": "1998", + "runtime": 185, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.5, + "vote_count": 391, + "description": "Per her mother's last wish, an 8 year old girl sets out to reunite her father with his college best friend who was in love with him.", + "poster": "https://image.tmdb.org/t/p/w500/5FmtHHDGPofW5Zjns1EM1D8503c.jpg", + "url": "https://www.themoviedb.org/movie/11854", + "genres": [ + "Romance", + "Drama", + "Comedy" + ], + "tags": [ + "soulmates", + "friendship bracelet", + "love", + "falling in love", + "unhappiness", + "childhood friends", + "bollywood" + ] + }, + { + "ranking": 1485, + "title": "The Big Blue", + "year": "1988", + "runtime": 168, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.451, + "vote_count": 1462, + "description": "Two men answer the call of the ocean in this romantic fantasy-adventure. Jacques and Enzo are a pair of friends who have been close since childhood, and who share a passion for the dangerous sport of free diving. Professional diver Jacques opted to follow in the footsteps of his father, who died at sea when Jacques was a boy; to the bewilderment of scientists, Jacques harbors a remarkable ability to adjust his heart rate and breathing pattern in the water, so that his vital signs more closely resemble that of dolphins than men. As Enzo persuades a reluctant Jacques to compete against him in a free diving contest -- determining who can dive deeper and longer without scuba gear -- Jacques meets Johana, a beautiful insurance investigator from America, and he finds that he must choose between his love for her and his love of the sea.", + "poster": "https://image.tmdb.org/t/p/w500/3t5t7yaFiTJQlqxiTkXJMFZdkh3.jpg", + "url": "https://www.themoviedb.org/movie/175", + "genres": [ + "Romance", + "Drama", + "Adventure" + ], + "tags": [ + "dying and death", + "friendship", + "suicide", + "diving", + "sports", + "parent child relationship", + "ocean", + "italy", + "competition", + "oxygen", + "sicily, italy", + "dolphin", + "apnoe-diving" + ] + }, + { + "ranking": 1486, + "title": "Star Trek II: The Wrath of Khan", + "year": "1982", + "runtime": 112, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.451, + "vote_count": 1949, + "description": "The starship Enterprise and its crew is pulled back into action when old nemesis, Khan, steals a top secret device called Project Genesis.", + "poster": "https://image.tmdb.org/t/p/w500/uPyLsKl8Z0LOoxeaFXsY5MxhR5s.jpg", + "url": "https://www.themoviedb.org/movie/154", + "genres": [ + "Action", + "Adventure", + "Science Fiction", + "Thriller" + ], + "tags": [ + "spacecraft", + "life and death", + "genetics", + "asteroid", + "self sacrifice", + "teleportation", + "genesis", + "midlife crisis", + "terraforming", + "simulator", + "cadet", + "radiation", + "uss reliant", + "starship", + "revenge", + "cynical", + "weapon of mass destruction", + "space opera", + "macabre", + "nostalgic", + "mentor protégé relationship", + "taunting", + "hard", + "angry", + "aggressive", + "desperate", + "outer space", + "dramatic", + "egotistical", + "antagonistic", + "arrogant", + "assertive", + "defiant", + "disdainful", + "disheartening", + "tragic" + ] + }, + { + "ranking": 1483, + "title": "The Rocky Horror Picture Show", + "year": "1975", + "runtime": 100, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.451, + "vote_count": 2872, + "description": "Sweethearts Brad and Janet, stuck with a flat tire during a storm, discover the eerie mansion of Dr. Frank-N-Furter, a transvestite scientist. As their innocence is lost, Brad and Janet meet a houseful of wild characters, including a rocking biker and a creepy butler. Through elaborate dances and rock songs, Frank-N-Furter unveils his latest creation: a muscular man named 'Rocky'.", + "poster": "https://image.tmdb.org/t/p/w500/3pyE6ZqDbuJi7zrNzzQzcKTWdmN.jpg", + "url": "https://www.themoviedb.org/movie/36685", + "genres": [ + "Comedy", + "Science Fiction", + "Fantasy", + "Horror" + ], + "tags": [ + "sexual identity", + "rock 'n' roll", + "transvestism", + "time warp", + "transylvania", + "transvestite", + "group sex", + "seduction", + "castle", + "sex addiction", + "musical", + "based on play or musical", + "cross dressing", + "homoeroticism", + "psychotronic", + "horror musical", + "celebratory", + "earnest" + ] + }, + { + "ranking": 1487, + "title": "Dunkirk", + "year": "2017", + "runtime": 107, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.5, + "vote_count": 16700, + "description": "The story of the miraculous evacuation of Allied soldiers from Belgium, Britain, Canada and France, who were cut off and surrounded by the German army from the beaches and harbour of Dunkirk between May 26th and June 4th 1940 during World War II.", + "poster": "https://image.tmdb.org/t/p/w500/b4Oe15CGLL61Ped0RAS9JpqdmCt.jpg", + "url": "https://www.themoviedb.org/movie/374720", + "genres": [ + "War", + "Action", + "Drama" + ], + "tags": [ + "army", + "beach", + "france", + "allies", + "military officer", + "world war ii", + "evacuation", + "pilot", + "british army", + "rescue mission", + "europe", + "based on true story", + "royal navy", + "survival", + "historical fiction", + "soldier", + "private", + "military", + "dunkirk", + "1940s", + "royal air force", + "raf", + "dreary", + "suspenseful", + "tense", + "intense", + "depressing", + "awestruck", + "compassionate", + "foreboding" + ] + }, + { + "ranking": 1481, + "title": "The Insider", + "year": "1999", + "runtime": 158, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.452, + "vote_count": 1865, + "description": "A research chemist comes under personal and professional attack when he decides to appear in a 60 Minutes exposé on Big Tobacco.", + "poster": "https://image.tmdb.org/t/p/w500/jJCyIBPfvk41uETq6K6u4upyGO8.jpg", + "url": "https://www.themoviedb.org/movie/9008", + "genres": [ + "Drama", + "Thriller" + ], + "tags": [ + "newspaper", + "research", + "politics", + "spy", + "journalism", + "interview", + "tobacco", + "insider", + "conspiracy theory", + "reporter", + "whistleblower", + "tobacco industry", + "legal drama", + "legal thriller", + "intimate", + "suspenseful" + ] + }, + { + "ranking": 1491, + "title": "Patients", + "year": "2017", + "runtime": 110, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.449, + "vote_count": 609, + "description": "After a serious sport accident in a swimming pool, Ben, now an incomplete quadriplegic, arrives in a rehabilitation center. He meets with other handicapped persons (tetraplegics, paraplegics, traumatized crania), all victims of accidents, as well as a handicapped since his early childhood. They go through impotence, despair and resignation, with their daily struggle to learn how to move a finger or to hold a fork. Some of them slowly find a little mobility while others receive the verdict of the handicap for life. Despite everything, hope and friendship help them endure their difficulties.", + "poster": "https://image.tmdb.org/t/p/w500/sv2Xdpk4nzY2qKAg5oG2qZkTrY9.jpg", + "url": "https://www.themoviedb.org/movie/434616", + "genres": [ + "Drama", + "Comedy" + ], + "tags": [ + "friendship", + "swimming pool", + "hospital", + "based on memoir or autobiography", + "suicidal thoughts", + "1990s", + "diving accident", + "tetraplegic", + "disabled person" + ] + }, + { + "ranking": 1490, + "title": "The Day the Earth Stood Still", + "year": "1951", + "runtime": 92, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.5, + "vote_count": 1144, + "description": "An alien and a robot land on Earth after World War II and tell mankind to be peaceful or face destruction.", + "poster": "https://image.tmdb.org/t/p/w500/eslDNzf0LF1m9GsgUXlmyfTcC6Y.jpg", + "url": "https://www.themoviedb.org/movie/828", + "genres": [ + "Science Fiction", + "Thriller", + "Drama" + ], + "tags": [ + "spacecraft", + "flying saucer", + "peace", + "remote control", + "ufo", + "social commentary", + "giant robot", + "black and white", + "military", + "physics professor", + "humanity", + "alien technology" + ] + }, + { + "ranking": 1489, + "title": "The Thin Red Line", + "year": "1998", + "runtime": 171, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.45, + "vote_count": 3055, + "description": "The story of a group of men, an Army Rifle company called C-for-Charlie, who change, suffer, and ultimately make essential discoveries about themselves during the fierce World War II battle of Guadalcanal. It follows their journey, from the surprise of an unopposed landing, through the bloody and exhausting battles that follow, to the ultimate departure of those who survived.", + "poster": "https://image.tmdb.org/t/p/w500/seMydAaoxQP6F0xbE1jOcTmn5Jr.jpg", + "url": "https://www.themoviedb.org/movie/8741", + "genres": [ + "Drama", + "History", + "War" + ], + "tags": [ + "epic", + "based on novel or book", + "steel helmet", + "world war ii", + "battle assignment", + "invasion", + "infantry", + "marine corps", + "us army", + "commander", + "rifle", + "pacific war", + "gun battle", + "jungle", + "sergeant", + "pacific island", + "soldier", + "battle", + "fighting", + "mourning", + "guadalcanal", + "pacific theater", + "burlesque", + "anti war", + "awol", + "japanese army", + "disturbed", + "1940s", + "nervous", + "zealous", + "philosophical", + "philosophic conflict", + "battlefield trauma", + "shell shocked soldier", + "inspirational", + "wistful", + "intimate", + "provocative", + "ghoulish", + "powerful", + "philosophical depiction of war" + ] + }, + { + "ranking": 1492, + "title": "Bram Stoker's Dracula", + "year": "1992", + "runtime": 128, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.4, + "vote_count": 5284, + "description": "In 19th century England, Count Dracula travels to London and meets Mina Harker, a young woman who appears as the reincarnation of his lost love.", + "poster": "https://image.tmdb.org/t/p/w500/scFDS0U5uYAjcVTyjNc7GmcZw1q.jpg", + "url": "https://www.themoviedb.org/movie/6114", + "genres": [ + "Romance", + "Horror" + ], + "tags": [ + "adultery", + "london, england", + "transylvania", + "vampire", + "bite", + "camping", + "maze", + "remake", + "rough sex", + "wake", + "religious conflict", + "correspondence", + "19th century", + "15th century" + ] + }, + { + "ranking": 1498, + "title": "That Man from Rio", + "year": "1964", + "runtime": 112, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.4, + "vote_count": 315, + "description": "French military man Adrien Dufourquet gets an eight-day furlough to visit his fiancée, Agnès. But when he arrives in Paris, he learns that her late father's partner, museum curator Professor Catalan, has just been kidnapped by a group of Amazon tribesmen who have also stolen a priceless statue from the museum. Adrien and Agnès pursue the kidnappers to Brazil, where they learn that the statue is the key to a hidden Amazon treasure.", + "poster": "https://image.tmdb.org/t/p/w500/rYagiP1TfTpHITL5tXTFiqfsyQl.jpg", + "url": "https://www.themoviedb.org/movie/4034", + "genres": [ + "Adventure", + "Action", + "Comedy" + ], + "tags": [ + "kidnapping", + "spy", + "rio de janeiro", + "diamond mine", + "treasure hunt", + "amazon rainforest", + "chased lovers", + "brazil", + "brasília, brazil", + "ancient artifact" + ] + }, + { + "ranking": 1488, + "title": "District 9", + "year": "2009", + "runtime": 112, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.449, + "vote_count": 9675, + "description": "Thirty years ago, aliens arrive on Earth. Not to conquer or give aid, but to find refuge from their dying planet. Separated from humans in a South African area called District 9, the aliens are managed by Multi-National United, which is unconcerned with the aliens' welfare but will do anything to master their advanced technology. When a company field agent contracts a mysterious virus that begins to alter his DNA, there is only one place he can hide: District 9.", + "poster": "https://image.tmdb.org/t/p/w500/kYkK0KIBygtYQzBpjMgQyya4Re7.jpg", + "url": "https://www.themoviedb.org/movie/17654", + "genres": [ + "Science Fiction" + ], + "tags": [ + "street gang", + "government", + "genetics", + "slum", + "mutation", + "dystopia", + "transformation", + "south africa", + "johannesburg south africa", + "satire", + "mockumentary", + "alien", + "prawn", + "alternate history", + "racism", + "metamorphosis", + "xenophobia", + "speculative", + "internment camp", + "alien technology", + "segregation", + "private military company", + "based on short", + "grand", + "provocative", + "suspenseful", + "critical", + "intense" + ] + }, + { + "ranking": 1497, + "title": "About Elly", + "year": "2009", + "runtime": 119, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.4, + "vote_count": 500, + "description": "The mysterious disappearance of a kindergarten teacher during a picnic in the north of Iran is followed by a series of misadventures for her fellow travelers.", + "poster": "https://image.tmdb.org/t/p/w500/ctLrMQrg3kss2JO7OIr7RVdN5an.jpg", + "url": "https://www.themoviedb.org/movie/37181", + "genres": [ + "Drama" + ], + "tags": [ + "sea", + "judge", + "fiancé", + "vacation", + "volleyball", + "middle class", + "purse", + "friends", + "disappearance", + "iran", + "guilt", + "beach house", + "bitterness", + "taraneh alidoosti", + "golshifteh farahani", + "shahab hosseini", + "asghar farhadi" + ] + }, + { + "ranking": 1494, + "title": "Scarface", + "year": "1932", + "runtime": 93, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.4, + "vote_count": 610, + "description": "In 1920s Chicago, Italian immigrant and notorious thug, Antonio 'Tony' Camonte, aka Scarface, shoots his way to the top of the mobs while trying to protect his sister from the criminal life.", + "poster": "https://image.tmdb.org/t/p/w500/y4E5oRiHMTFkEB12IIcpbKbKzDW.jpg", + "url": "https://www.themoviedb.org/movie/877", + "genres": [ + "Crime", + "Drama" + ], + "tags": [ + "chicago, illinois", + "sibling relationship", + "based on novel or book", + "police", + "prohibition era", + "alcohol", + "gangster", + "gang war", + "beer", + "ambition", + "film noir", + "murder", + "mobster", + "black and white", + "pre-code" + ] + }, + { + "ranking": 1499, + "title": "Baby Driver", + "year": "2017", + "runtime": 113, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.447, + "vote_count": 15970, + "description": "After being coerced into working for a crime boss, a young getaway driver finds himself taking part in a heist doomed to fail.", + "poster": "https://image.tmdb.org/t/p/w500/rmnQ9jKW72bHu8uKlMjPIb2VLMI.jpg", + "url": "https://www.themoviedb.org/movie/339403", + "genres": [ + "Action", + "Crime" + ], + "tags": [ + "robbery", + "waitress", + "atlanta", + "crime boss", + "romance", + "heist", + "getaway car", + "on the run", + "shootout", + "bank robbery", + "getaway driver", + "sign languages", + "armed robbery", + "aggressive", + "hearing impaired", + "intense", + "joyful", + "urgent" + ] + }, + { + "ranking": 1500, + "title": "Nebraska", + "year": "2013", + "runtime": 115, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.447, + "vote_count": 1792, + "description": "An aging, booze-addled father takes a trip from Montana to Nebraska with his estranged son in order to claim what he believes to be a million-dollar sweepstakes prize.", + "poster": "https://image.tmdb.org/t/p/w500/o1t2Mw18EEBnl8v4Nby3PFjxnM1.jpg", + "url": "https://www.themoviedb.org/movie/129670", + "genres": [ + "Drama", + "Adventure" + ], + "tags": [ + "small town", + "montana", + "dementia", + "aging", + "dysfunctional family", + "road trip", + "f word", + "pickup truck", + "estranged father", + "lincoln nebraska", + "nebraska", + "sweepstakes", + "estranged son", + "confronting the past" + ] + }, + { + "ranking": 1493, + "title": "Open Your Eyes", + "year": "1997", + "runtime": 117, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.4, + "vote_count": 1066, + "description": "A very handsome man finds the love of his life, but he suffers an accident and needs to have his face rebuilt by surgery after it is severely disfigured.", + "poster": "https://image.tmdb.org/t/p/w500/2URVdyLUlCAST4FAZWCdiOI5jqR.jpg", + "url": "https://www.themoviedb.org/movie/1902", + "genres": [ + "Drama", + "Thriller", + "Science Fiction" + ], + "tags": [ + "loss of sense of reality", + "love of one's life", + "love triangle", + "madrid, spain", + "ladykiller", + "face operation", + "life extension", + "car crash", + "womanizer", + "best friend", + "car accident", + "psychiatrist", + "psychiatric ward", + "disfigured face", + "disfigurement" + ] + }, + { + "ranking": 1496, + "title": "McFarland, USA", + "year": "2015", + "runtime": 128, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.449, + "vote_count": 850, + "description": "A track coach in a small California town transforms a team of athletes into championship contenders.", + "poster": "https://image.tmdb.org/t/p/w500/yyhniD8A7Mv6SOn8oo1Ba2K0mKc.jpg", + "url": "https://www.themoviedb.org/movie/228203", + "genres": [ + "Drama", + "Family" + ], + "tags": [ + "small town", + "california", + "coach", + "championship", + "woman director", + "track and field" + ] + }, + { + "ranking": 1495, + "title": "Apollo 13", + "year": "1995", + "runtime": 140, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.449, + "vote_count": 5501, + "description": "The true story of technical troubles that scuttle the Apollo 13 lunar mission in 1970, risking the lives of astronaut Jim Lovell and his crew, with the failed journey turning into a thrilling saga of heroism. Drifting more than 200,000 miles from Earth, the astronauts work furiously with the ground crew to avert tragedy.", + "poster": "https://image.tmdb.org/t/p/w500/oYUZHYMwNKnE1ef4WE5Hw2a9OAY.jpg", + "url": "https://www.themoviedb.org/movie/568", + "genres": [ + "Drama", + "History" + ], + "tags": [ + "rescue", + "florida", + "race against time", + "moon", + "nasa", + "spaceman", + "based on true story", + "houston, texas", + "survival", + "space", + "disaster", + "explosion", + "astronaut", + "hypothermia", + "apollo program", + "lunar mission", + "spacecraft accident", + "suspenseful", + "awestruck", + "compassionate", + "enthusiastic", + "exhilarated" + ] + }, + { + "ranking": 1511, + "title": "In Safe Hands", + "year": "2018", + "runtime": 112, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.444, + "vote_count": 514, + "description": "Théo is given up for adoption by his biological mother on the very day he is born. After this anonymous birth, the mother has two months to change her mind… Or not. The child welfare services and adoption service spring into action… The former have to take care of the baby and support it during this limbo-like time, this period of uncertainty, while the latter must find a woman to become his adoptive mother. She is called Alice, and she has spent the last ten years fighting to have a child.", + "poster": "https://image.tmdb.org/t/p/w500/andgp8cnHZPAwx3zPUDaZ0pn6Go.jpg", + "url": "https://www.themoviedb.org/movie/489418", + "genres": [ + "Drama" + ], + "tags": [ + "adoption", + "europe", + "family", + "foster child" + ] + }, + { + "ranking": 1501, + "title": "Alice", + "year": "1988", + "runtime": 86, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.4, + "vote_count": 312, + "description": "A quiet young English girl named Alice finds herself in an alternate version of her own reality after chasing a white rabbit. She becomes surrounded by living inanimate objects and stuffed dead animals, and must find a way out of this nightmare - no matter how twisted or odd that way must be. A memorably bizarre screen version of Lewis Carroll’s novel \"Alice’s Adventures in Wonderland\".", + "poster": "https://image.tmdb.org/t/p/w500/qFmcct7lYVimpdoUizISDtDjElo.jpg", + "url": "https://www.themoviedb.org/movie/18917", + "genres": [ + "Animation", + "Fantasy", + "Adventure" + ], + "tags": [ + "bunny", + "surreal", + "stop motion", + "based on children's book", + "talking meat" + ] + }, + { + "ranking": 1507, + "title": "Captain America: Civil War", + "year": "2016", + "runtime": 147, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.4, + "vote_count": 23025, + "description": "Following the events of Age of Ultron, the collective governments of the world pass an act designed to regulate all superhuman activity. This polarizes opinion amongst the Avengers, causing two factions to side with Iron Man or Captain America, which causes an epic battle between former allies.", + "poster": "https://image.tmdb.org/t/p/w500/rAGiXaUfPzY7CDEyNKUofk3Kw2e.jpg", + "url": "https://www.themoviedb.org/movie/271110", + "genres": [ + "Adventure", + "Action", + "Science Fiction" + ], + "tags": [ + "superhero", + "based on comic", + "sequel", + "super soldier", + "aftercreditsstinger", + "duringcreditsstinger", + "marvel cinematic universe (mcu)", + "angry", + "superhero teamup", + "bitter" + ] + }, + { + "ranking": 1509, + "title": "The Verdict", + "year": "1982", + "runtime": 129, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.4, + "vote_count": 655, + "description": "Frank Galvin is a down-on-his-luck lawyer and reduced to drinking and ambulance chasing, when a former associate reminds him of his obligations in a medical malpractice suit by serving it to Galvin on a silver platter—all parties are willing to settle out of court. Blundering his way through the preliminaries, Galvin suddenly realizes that the case should actually go to court—to punish the guilty, to get a decent settlement for his clients... and to restore his standing as a lawyer.", + "poster": "https://image.tmdb.org/t/p/w500/bAe0telFqAzdV8a7aUiIBMEy9d8.jpg", + "url": "https://www.themoviedb.org/movie/24226", + "genres": [ + "Drama" + ], + "tags": [ + "coma", + "court", + "boston, massachusetts", + "affectation", + "redemption", + "lawyer", + "alcoholic", + "courtroom", + "defense attorney", + "pinball machine", + "courtroom drama", + "medical malpractice" + ] + }, + { + "ranking": 1520, + "title": "Leto", + "year": "2018", + "runtime": 126, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.442, + "vote_count": 313, + "description": "Leningrad, one summer in the early eighties. Smuggling LPs by Lou Reed and David Bowie, the underground rock scene is boiling ahead of the Perestroika. Mike and his beautiful wife Natasha meet with young Viktor Tsoï. Together with friends, they will change the destiny of rock’n’roll in the Soviet Union.", + "poster": "https://image.tmdb.org/t/p/w500/4rOkRmIhoPoyKUa5kDrIPizcglk.jpg", + "url": "https://www.themoviedb.org/movie/502897", + "genres": [ + "Music", + "Drama" + ], + "tags": [ + "love triangle", + "soviet union", + "rock music", + "summer", + "rock band", + "threesome", + "perestroika", + "koryo-saram", + "russian music", + "saint petersburg, russia" + ] + }, + { + "ranking": 1506, + "title": "My Darling Clementine", + "year": "1946", + "runtime": 97, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.4, + "vote_count": 434, + "description": "Three brothers stop off for a night in the town of Tombstone. The next morning they find one of their brothers dead and their cattle stolen. They decide to take revenge on the culprits.", + "poster": "https://image.tmdb.org/t/p/w500/o7G5klSt9i8LQZdUNvrWUJbbxAO.jpg", + "url": "https://www.themoviedb.org/movie/3088", + "genres": [ + "Western", + "Drama", + "Romance" + ], + "tags": [ + "gunslinger", + "saloon", + "marshal", + "arizona", + "rifle", + "wyatt earp", + "doc holliday", + "revenge", + "tombstone arizona", + "death of girlfriend", + "19th century", + "ok corral" + ] + }, + { + "ranking": 1516, + "title": "John Wick", + "year": "2014", + "runtime": 101, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.4, + "vote_count": 19576, + "description": "Ex-hitman John Wick comes out of retirement to track down the gangsters that took everything from him.", + "poster": "https://image.tmdb.org/t/p/w500/TxbvYS8wsgYSpYZtQLZXnoVOIQ.jpg", + "url": "https://www.themoviedb.org/movie/245891", + "genres": [ + "Action", + "Thriller" + ], + "tags": [ + "hitman", + "bratva (russian mafia)", + "gangster", + "secret organization", + "revenge", + "murder", + "dog", + "retired", + "widower" + ] + }, + { + "ranking": 1512, + "title": "Miracles from Heaven", + "year": "2016", + "runtime": 119, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.444, + "vote_count": 1200, + "description": "When Christy discovers her 10-year-old daughter Anna has a rare, incurable disease, she becomes a ferocious advocate for her daughter’s healing as she searches for a solution. After Anna has a freak accident and falls three stories, a miracle unfolds in the wake of her dramatic rescue that leaves medical specialists mystified, her family restored and their community inspired.", + "poster": "https://image.tmdb.org/t/p/w500/hz9VF1TfaM0D04pYneSXUkNeOZv.jpg", + "url": "https://www.themoviedb.org/movie/339984", + "genres": [ + "Family", + "Drama" + ], + "tags": [ + "based on novel or book", + "parent child relationship", + "prayer", + "christianity", + "miracle", + "based on true story", + "neighbor", + "hospital", + "woman director", + "incurable disease", + "accident", + "religious community", + "faith family" + ] + }, + { + "ranking": 1513, + "title": "The Secret of NIMH", + "year": "1982", + "runtime": 83, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.4, + "vote_count": 850, + "description": "A widowed field mouse must move her family -- including an ailing son -- to escape a farmer's plow. Aided by a crow and a pack of superintelligent, escaped lab rats, the brave mother struggles to transplant her home to firmer ground.", + "poster": "https://image.tmdb.org/t/p/w500/prNrnOKlkV9wl5Sl3zwHu1f3t2z.jpg", + "url": "https://www.themoviedb.org/movie/11704", + "genres": [ + "Family", + "Animation", + "Fantasy", + "Adventure", + "Drama", + "Mystery", + "Science Fiction" + ], + "tags": [ + "widow", + "mouse", + "crow", + "illness" + ] + }, + { + "ranking": 1517, + "title": "Sorcerer", + "year": "1977", + "runtime": 121, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.4, + "vote_count": 569, + "description": "Four men from different parts of the globe, all hiding from their pasts in the same remote South American town, agree to risk their lives transporting several cases of dynamite (which is so old that it is dripping unstable nitroglycerin) across dangerous jungle terrain.", + "poster": "https://image.tmdb.org/t/p/w500/2b7oexm173SF1FSEq0DdgxZZNRH.jpg", + "url": "https://www.themoviedb.org/movie/38985", + "genres": [ + "Thriller", + "Adventure", + "Drama" + ], + "tags": [ + "life and death", + "based on novel or book", + "central and south america", + "explosive", + "dynamite", + "car journey", + "cynicism", + "nicaragua", + "sin", + "nitroglycerin", + "remake", + "fate", + "purgatory", + "oil", + "poverty", + "terrorism", + "explosion", + "criminal", + "central america", + "south america", + "bandit", + "death", + "destiny", + "rope bridge", + "oil well", + "existentialism" + ] + }, + { + "ranking": 1515, + "title": "John Wick: Chapter 3 - Parabellum", + "year": "2019", + "runtime": 131, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.4, + "vote_count": 10888, + "description": "Super-assassin John Wick returns with a $14 million price tag on his head and an army of bounty-hunting killers on his trail. After killing a member of the shadowy international assassin’s guild, the High Table, John Wick is excommunicado, but the world’s most ruthless hit men and women await his every turn.", + "poster": "https://image.tmdb.org/t/p/w500/ziEuG1essDuWuC5lpWUaw1uXY2O.jpg", + "url": "https://www.themoviedb.org/movie/458156", + "genres": [ + "Action", + "Thriller", + "Crime" + ], + "tags": [ + "new york city", + "martial arts", + "bratva (russian mafia)", + "casablanca, morocco", + "secret society", + "morocco", + "secret organization", + "black humor", + "sahara desert", + "sequel", + "organized crime", + "one man army", + "consequences", + "professional assassin", + "baba yaga", + "dog man friendship" + ] + }, + { + "ranking": 1514, + "title": "Ocean's Eleven", + "year": "2001", + "runtime": 116, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.444, + "vote_count": 11790, + "description": "Less than 24 hours into his parole, charismatic thief Danny Ocean is already rolling out his next plan: In one night, Danny's hand-picked crew of specialists will attempt to steal more than $150 million from three Las Vegas casinos. But to score the cash, Danny risks his chances of reconciling with ex-wife, Tess.", + "poster": "https://image.tmdb.org/t/p/w500/hQQCdZrsHtZyR6NbKH2YyCqd2fR.jpg", + "url": "https://www.themoviedb.org/movie/161", + "genres": [ + "Thriller", + "Crime" + ], + "tags": [ + "prison", + "casino", + "pickpocket", + "strip club", + "heist", + "con artist", + "thief", + "caper", + "atlantic city", + "salt lake city, utah", + "las vegas", + "card dealer", + "explosives expert", + "curious" + ] + }, + { + "ranking": 1504, + "title": "Breathe", + "year": "2017", + "runtime": 118, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.4, + "vote_count": 763, + "description": "Based on the true story of Robin, a handsome, brilliant and adventurous man whose life takes a dramatic turn when polio leaves him paralyzed.", + "poster": "https://image.tmdb.org/t/p/w500/wLu2N0QVfSpk10RJ17HLHyRUmww.jpg", + "url": "https://www.themoviedb.org/movie/407445", + "genres": [ + "Drama", + "Romance" + ], + "tags": [ + "biography", + "based on true story" + ] + }, + { + "ranking": 1519, + "title": "Dirty Harry", + "year": "1971", + "runtime": 102, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.443, + "vote_count": 2515, + "description": "When a madman dubbed 'Scorpio' terrorizes San Francisco, hard-nosed cop, Harry Callahan – famous for his take-no-prisoners approach to law enforcement – is tasked with hunting down the psychopath.", + "poster": "https://image.tmdb.org/t/p/w500/scl2JDHzYoIEs5xyYy5ITCfyY0G.jpg", + "url": "https://www.themoviedb.org/movie/984", + "genres": [ + "Action", + "Crime", + "Thriller" + ], + "tags": [ + "sniper", + "police", + "ambush", + "chase", + "ransom", + "san francisco, california", + "kidnapping", + "psychopath", + "detective", + "mayor", + "investigation", + "assault", + "swimming pool", + "beating", + "serial killer", + "gunfight", + "maniac", + "hunt", + "school bus", + "revolver", + "shocking", + "aggressive", + "neo-noir", + "san francisco", + "suspenseful", + "intense", + "antagonistic", + "commanding", + "defiant", + "tragic", + "harry callahan" + ] + }, + { + "ranking": 1502, + "title": "Peeping Tom", + "year": "1960", + "runtime": 101, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.4, + "vote_count": 816, + "description": "Loner Mark Lewis works at a film studio during the day and, at night, takes racy photographs of women. Also he's making a documentary on fear, which involves recording the reactions of victims as he murders them. He befriends Helen, the daughter of the family living in the apartment below his, and he tells her vaguely about the movie he is making.", + "poster": "https://image.tmdb.org/t/p/w500/88ppZCVWGx41gzslcwiWfCVjFJk.jpg", + "url": "https://www.themoviedb.org/movie/11167", + "genres": [ + "Thriller", + "Horror", + "Drama" + ], + "tags": [ + "primal fear", + "photography", + "cinematographer", + "serial killer", + "illegal prostitution", + "peeping tom", + "voyeurism", + "sexual predator", + "proto-slasher" + ] + }, + { + "ranking": 1518, + "title": "The Great Silence", + "year": "1968", + "runtime": 106, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.4, + "vote_count": 405, + "description": "A mute gunslinger fights in the defense of a group of outlaws and a vengeful young widow, against a group of ruthless bounty hunters.", + "poster": "https://image.tmdb.org/t/p/w500/3kpxS7SZMyYSXvhDnmxQXOOxiTM.jpg", + "url": "https://www.themoviedb.org/movie/9028", + "genres": [ + "Western", + "Drama" + ], + "tags": [ + "dying and death", + "capitalist", + "gunslinger", + "sheriff", + "bounty hunter", + "saloon", + "desolateness", + "winter", + "repayment", + "sadistic", + "robber", + "sadness", + "anti hero", + "hunger", + "greed", + "self-defense", + "mountain village", + "rocky mountains", + "provocation", + "childhood trauma", + "coldness", + "spaghetti western" + ] + }, + { + "ranking": 1503, + "title": "Cold War", + "year": "2018", + "runtime": 88, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.4, + "vote_count": 1491, + "description": "A man and a woman meet in the ruins of post-war Poland. With vastly different backgrounds and temperaments, they are fatally mismatched and yet drawn to each other.", + "poster": "https://image.tmdb.org/t/p/w500/6rbS8oPIgUMhQgIX8oGVTtlNgLR.jpg", + "url": "https://www.themoviedb.org/movie/440298", + "genres": [ + "Romance", + "Music", + "Drama" + ], + "tags": [ + "berlin, germany", + "paris, france", + "cold war", + "love", + "tragic love", + "black and white", + "1950s", + "1960s" + ] + }, + { + "ranking": 1508, + "title": "Cell 211", + "year": "2009", + "runtime": 110, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.4, + "vote_count": 1263, + "description": "The story of two men on different sides of a prison riot -- the inmate leading the rebellion and the young guard trapped in the revolt, who poses as a prisoner in a desperate attempt to survive the ordeal.", + "poster": "https://image.tmdb.org/t/p/w500/koap5B3bQHQi3yaZ39vpWR66TGP.jpg", + "url": "https://www.themoviedb.org/movie/33273", + "genres": [ + "Action", + "Thriller", + "Drama" + ], + "tags": [ + "suicide", + "husband wife relationship", + "based on novel or book", + "pregnancy", + "prison cell", + "penitentiary", + "prison guard", + "flashback", + "jail", + "eta terrorist group", + "walkie talkie", + "prison riot", + "surveillance camera", + "wrist slitting", + "gagged", + "violence" + ] + }, + { + "ranking": 1510, + "title": "Ray", + "year": "2004", + "runtime": 152, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.445, + "vote_count": 2036, + "description": "Born on a sharecropping plantation in Northern Florida, Ray Charles went blind at seven. Inspired by a fiercely independent mom who insisted he make his own way, He found his calling and his gift behind a piano keyboard. Touring across the Southern musical circuit, the soulful singer gained a reputation and then exploded with worldwide fame when he pioneered coupling gospel and country together.", + "poster": "https://image.tmdb.org/t/p/w500/tSPC7sO2XYNL9QcMmK88tuUALL5.jpg", + "url": "https://www.themoviedb.org/movie/1677", + "genres": [ + "Drama", + "Music" + ], + "tags": [ + "blindness and impaired vision", + "country music", + "jazz", + "loss of loved one", + "overdose", + "bus ride", + "georgia", + "melancholy", + "record producer", + "biography", + "rags to riches", + "childhood trauma", + "gospel", + "indianapolis", + "record label", + "recording studio", + "pianist", + "usa history", + "cautionary" + ] + }, + { + "ranking": 1505, + "title": "Marty", + "year": "1955", + "runtime": 90, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.4, + "vote_count": 398, + "description": "Marty, a butcher who lives in the Bronx with his mother is unmarried at 34. Good-natured but socially awkward he faces constant badgering from family and friends to get married but has reluctantly resigned himself to bachelorhood. Marty meets Clara, an unattractive school teacher, realising their emotional connection, he promises to call but family and friends try to convince him not to.", + "poster": "https://image.tmdb.org/t/p/w500/8tnGO5VoAQII4DbE3hozWKhV4BY.jpg", + "url": "https://www.themoviedb.org/movie/15919", + "genres": [ + "Drama", + "Romance" + ], + "tags": [ + "italian american", + "bachelor", + "marriage", + "butcher", + "teacher", + "love", + "crying", + "dating", + "overbearing mother", + "dance hall", + "lonely", + "old maid" + ] + }, + { + "ranking": 1525, + "title": "Bāhubali 2: The Conclusion", + "year": "2017", + "runtime": 166, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.4, + "vote_count": 760, + "description": "When Mahendra, the son of Bāhubali, learns about his heritage, he begins to look for answers. His story is juxtaposed with past events that unfolded in the Mahishmati Kingdom.", + "poster": "https://image.tmdb.org/t/p/w500/xQ22LOWSkClP3maYhR9nZH0dnWM.jpg", + "url": "https://www.themoviedb.org/movie/350312", + "genres": [ + "Action", + "Adventure", + "Fantasy" + ], + "tags": [ + "kingdom", + "bilingual" + ] + }, + { + "ranking": 1524, + "title": "Fabrizio De André: Principe libero", + "year": "2018", + "runtime": 188, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.4, + "vote_count": 345, + "description": "A biopic on the personal and artistic life of Italian songwriter Fabrizio De André.", + "poster": "https://image.tmdb.org/t/p/w500/vPBLQRH0k05xiV6ciblrUBkRFbH.jpg", + "url": "https://www.themoviedb.org/movie/499631", + "genres": [ + "Music", + "History" + ], + "tags": [ + "biography" + ] + }, + { + "ranking": 1529, + "title": "The Gospel According to Matthew", + "year": "1965", + "runtime": 137, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.4, + "vote_count": 367, + "description": "Along a rocky, barren coastline, Jesus begins teaching, primarily using parables. He attracts disciples; he's stern, brusque, and demanding. His parables often take on the powers that be, so he and his teachings come to the attention of the Pharisees, the chief priests, and elders. They conspire to have him arrested, beaten, tried, and crucified, just as he prophesied to his followers.", + "poster": "https://image.tmdb.org/t/p/w500/oifi2CQkKbb6Y2x6J5K6CjaKab9.jpg", + "url": "https://www.themoviedb.org/movie/24192", + "genres": [ + "Drama" + ], + "tags": [ + "faith", + "christianity", + "biography", + "jesus christ" + ] + }, + { + "ranking": 1526, + "title": "The Last: Naruto the Movie", + "year": "2014", + "runtime": 114, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.441, + "vote_count": 2306, + "description": "Two years after the events of the Fourth Great Ninja War, the moon that Hagoromo Otsutsuki created long ago to seal away the Gedo Statue begins to descend towards the world, threatening to become a meteor that would destroy everything on impact. Amidst this crisis, a direct descendant of Kaguya Otsutsuki named Toneri Otsutsuki attempts to kidnap Hinata Hyuga but ends up abducting her younger sister Hanabi. Naruto and his allies now mount a rescue mission before finding themselves embroiled in a final battle to decide the fate of everything.", + "poster": "https://image.tmdb.org/t/p/w500/bAQ8O5Uw6FedtlCbJTutenzPVKd.jpg", + "url": "https://www.themoviedb.org/movie/317442", + "genres": [ + "Action", + "Romance", + "Animation" + ], + "tags": [ + "martial arts", + "ninja", + "martial artist", + "shounen", + "anime" + ] + }, + { + "ranking": 1527, + "title": "A Night at the Opera", + "year": "1935", + "runtime": 91, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.4, + "vote_count": 499, + "description": "The Marx Brothers take on high society and the opera world to bring two lovers together. A sly business manager and two wacky friends of two opera singers help them achieve success while humiliating their stuffy and snobbish enemies.", + "poster": "https://image.tmdb.org/t/p/w500/A4YDGfJwaG7aMxDVrVJsOHJ7ufK.jpg", + "url": "https://www.themoviedb.org/movie/37719", + "genres": [ + "Comedy", + "Music" + ], + "tags": [ + "opera", + "cross dressing", + "whimsical", + "farcical", + "ridiculous" + ] + }, + { + "ranking": 1531, + "title": "Lone Survivor", + "year": "2013", + "runtime": 121, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.4, + "vote_count": 4412, + "description": "Four Navy SEALs on a covert mission to neutralize a high-level Taliban operative must make an impossible moral decision in the mountains of Afghanistan that leads them into an enemy ambush. As they confront unthinkable odds, the SEALs must find reserves of strength and resilience to fight to the finish.", + "poster": "https://image.tmdb.org/t/p/w500/zaBIrloyhGK7iNTZMb3f9SARsl8.jpg", + "url": "https://www.themoviedb.org/movie/193756", + "genres": [ + "War", + "Action", + "Drama" + ], + "tags": [ + "based on novel or book", + "fight", + "afghanistan", + "biography", + "taliban", + "survival", + "u.s. navy seal", + "military", + "dangerous mission", + "soldiers", + "bold" + ] + }, + { + "ranking": 1535, + "title": "The Lady Vanishes", + "year": "1938", + "runtime": 96, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.4, + "vote_count": 942, + "description": "On a train headed for England a group of travelers is delayed by an avalanche. Holed up in a hotel in a fictional European country, young Iris befriends elderly Miss Froy. When the train resumes, Iris suffers a bout of unconsciousness and wakes to find the old woman has disappeared. The other passengers ominously deny Miss Froy ever existed, so Iris begins to investigate with another traveler and, as the pair sleuth, romantic sparks fly.", + "poster": "https://image.tmdb.org/t/p/w500/c1t9LB76LvEARPanfEzXmkm7fwY.jpg", + "url": "https://www.themoviedb.org/movie/940", + "genres": [ + "Mystery", + "Thriller", + "Comedy" + ], + "tags": [ + "espionage", + "secret agent", + "flowerpot", + "concussion", + "search for witnesses", + "conspiracy", + "train", + "british spy", + "old lady", + "missing person", + "magician" + ] + }, + { + "ranking": 1528, + "title": "Home Alone", + "year": "1990", + "runtime": 103, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.442, + "vote_count": 11569, + "description": "Eight-year-old Kevin McCallister makes the most of the situation after his family unwittingly leaves him behind when they go on Christmas vacation. When thieves try to break into his home, he puts up a fight like no other.", + "poster": "https://image.tmdb.org/t/p/w500/onTSipZ8R3bliBdKfPtsDuHTdlL.jpg", + "url": "https://www.themoviedb.org/movie/771", + "genres": [ + "Comedy", + "Family" + ], + "tags": [ + "burglar", + "holiday", + "home", + "alone", + "family relationships", + "slapstick comedy", + "little boy", + "home invasion", + "precocious child", + "booby trap", + "home alone", + "suburban chicago", + "mischievous child", + "aggressive", + "christmas", + "kids on their own", + "child rescue", + "burglars", + "cheerful", + "wet bandits" + ] + }, + { + "ranking": 1536, + "title": "The Life of David Gale", + "year": "2003", + "runtime": 130, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.437, + "vote_count": 2056, + "description": "A man against capital punishment is accused of murdering a fellow activist and is sent to death row.", + "poster": "https://image.tmdb.org/t/p/w500/7tcAvE82JyxIi79cwQV5br90KVz.jpg", + "url": "https://www.themoviedb.org/movie/11615", + "genres": [ + "Drama", + "Thriller", + "Crime" + ], + "tags": [ + "prison", + "journalist", + "death penalty", + "professor", + "texas", + "death row", + "interview", + "murder", + "reporter", + "intern", + "innocent", + "activist" + ] + }, + { + "ranking": 1534, + "title": "That Obscure Object of Desire", + "year": "1977", + "runtime": 103, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.4, + "vote_count": 401, + "description": "After dumping a bucket of water on a beautiful young woman from the window of a train car, wealthy Frenchman Mathieu, regales his fellow passengers with the story of the dysfunctional relationship between himself and the young woman in question, a fiery 19-year-old flamenco dancer named Conchita. What follows is a tale of cruelty, depravity and lies -- the very building blocks of love.", + "poster": "https://image.tmdb.org/t/p/w500/9iUdC4dftkjYSBUJq5DAxC6WqB9.jpg", + "url": "https://www.themoviedb.org/movie/5781", + "genres": [ + "Comedy", + "Drama", + "Romance" + ], + "tags": [ + "paris, france", + "bomb", + "parent child relationship", + "mistake in person", + "bucket", + "lausanne, switzerland", + "love", + "train", + "maid", + "humiliation", + "seville, spain" + ] + }, + { + "ranking": 1522, + "title": "Cape Fear", + "year": "1962", + "runtime": 105, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.4, + "vote_count": 588, + "description": "Sam Bowden witnesses a rape committed by Max Cady and testifies against him. When released after 8 years in prison, Cady begins stalking Bowden and his family but is always clever enough not to violate the law.", + "poster": "https://image.tmdb.org/t/p/w500/uWJgoWC3ZLPfGROZCKTYiPOMhtn.jpg", + "url": "https://www.themoviedb.org/movie/11349", + "genres": [ + "Thriller", + "Drama" + ], + "tags": [ + "small town", + "psychopath", + "poison", + "ex-detainee", + "boat", + "film noir", + "lawyer", + "killing a dog", + "listening to the radio", + "aggressive", + "intense", + "threat to family", + "family terrorized" + ] + }, + { + "ranking": 1540, + "title": "The Magdalene Sisters", + "year": "2002", + "runtime": 119, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.4, + "vote_count": 413, + "description": "Three young Irish women struggle to maintain their spirits while they endure dehumanizing abuse as inmates of a Magdalene Sisters Asylum.", + "poster": "https://image.tmdb.org/t/p/w500/akOnyPsfzcDvCwP3lzY35i2NIha.jpg", + "url": "https://www.themoviedb.org/movie/8094", + "genres": [ + "Drama", + "History" + ], + "tags": [ + "nun", + "girls' boarding school", + "based on true story", + "sin", + "psychological abuse", + "punishment", + "sexual harassment", + "religion", + "torture", + "ireland", + "human rights", + "catholic", + "convent school", + "laundry", + "physical abuse", + "evil nun", + "convent (nunnery)", + "1960s", + "women's rights", + "magdalene asylum" + ] + }, + { + "ranking": 1532, + "title": "I Want You", + "year": "2012", + "runtime": 130, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.4, + "vote_count": 1896, + "description": "The sexy Gin is the new love of Hache, but this can not forget his former girlfriend, so the love triangle is inevitable.", + "poster": "https://image.tmdb.org/t/p/w500/s16By5DjE1QJDPDfmTnbGozak0H.jpg", + "url": "https://www.themoviedb.org/movie/109689", + "genres": [ + "Drama", + "Romance" + ], + "tags": [ + "friendship", + "based on novel or book", + "rebel", + "sequel", + "motor sport", + "street race", + "love", + "teenage love", + "young love", + "based on young adult novel" + ] + }, + { + "ranking": 1523, + "title": "Bullet Train", + "year": "2022", + "runtime": 126, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.441, + "vote_count": 6551, + "description": "Unlucky assassin Ladybug is determined to do his job peacefully after one too many gigs gone off the rails. Fate, however, may have other plans, as Ladybug's latest mission puts him on a collision course with lethal adversaries from around the globe—all with connected, yet conflicting, objectives—on the world's fastest train.", + "poster": "https://image.tmdb.org/t/p/w500/j8szC8OgrejDQjjMKSVXyaAjw3V.jpg", + "url": "https://www.themoviedb.org/movie/718930", + "genres": [ + "Action", + "Comedy", + "Thriller" + ], + "tags": [ + "mission", + "japan", + "assassin", + "based on novel or book", + "train", + "luck", + "deadly snake", + "duringcreditsstinger", + "shinkansen" + ] + }, + { + "ranking": 1530, + "title": "Sorry If I Call You Love", + "year": "2014", + "runtime": 105, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.4, + "vote_count": 474, + "description": "A successful, attractive, intelligent and brilliant advertising executive is longing to finally find emotional stability in his life, and decides to propose to his girlfriend. After she refuses his proposal, his life takes a turn when a new young lady enters his life.", + "poster": "https://image.tmdb.org/t/p/w500/ekvI7HVl0RcA4iaZOqNa8vqFwAN.jpg", + "url": "https://www.themoviedb.org/movie/261470", + "genres": [ + "Romance", + "Drama" + ], + "tags": [ + "age difference", + "girlfriend", + "man woman relationship", + "love", + "relationship", + "boyfriend" + ] + }, + { + "ranking": 1537, + "title": "Leo", + "year": "2023", + "runtime": 102, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.4, + "vote_count": 1210, + "description": "Jaded 74-year-old lizard Leo has been stuck in the same Florida classroom for decades with his terrarium-mate turtle. When he learns he only has one year left to live, he plans to escape to experience life on the outside but instead gets caught up in the problems of his anxious students — including an impossibly mean substitute teacher.", + "poster": "https://image.tmdb.org/t/p/w500/pD6sL4vntUOXHmuvJPPZAgvyfd9.jpg", + "url": "https://www.themoviedb.org/movie/1075794", + "genres": [ + "Animation", + "Comedy", + "Family" + ], + "tags": [ + "classroom", + "musical", + "bucket list", + "exhilarated", + "familiar" + ] + }, + { + "ranking": 1539, + "title": "Chaplin", + "year": "1992", + "runtime": 143, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.4, + "vote_count": 1104, + "description": "An aged Charlie Chaplin narrates his life to his autobiography's editor, including his rise to wealth and comedic fame from poverty, his turbulent personal life and his run-ins with the FBI.", + "poster": "https://image.tmdb.org/t/p/w500/Aeltt5tl02zrEj4GoMynHc94lWG.jpg", + "url": "https://www.themoviedb.org/movie/10435", + "genres": [ + "Drama" + ], + "tags": [ + "escape", + "politics", + "success", + "biography", + "based on true story", + "family", + "hollywoodland", + "mccarthyism", + "1920s", + "1900s" + ] + }, + { + "ranking": 1521, + "title": "A Pure Formality", + "year": "1994", + "runtime": 111, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.442, + "vote_count": 362, + "description": "Onoff is a famous writer, now a recluse. The Inspector is suspicious when Onoff is brought into the station one night, disoriented and suffering a kind of amnesia. In an isolated, rural police station, the Inspector tries to establish the events surrounding a killing, to reach a startling resolution.", + "poster": "https://image.tmdb.org/t/p/w500/yBIc2Mc0Ds5HiYD1YOXGD3xTTUI.jpg", + "url": "https://www.themoviedb.org/movie/19223", + "genres": [ + "Mystery", + "Thriller", + "Crime", + "Drama" + ], + "tags": [] + }, + { + "ranking": 1538, + "title": "Missing", + "year": "2023", + "runtime": 111, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.436, + "vote_count": 1093, + "description": "When her mother disappears while on vacation in Colombia with her new boyfriend, June’s search for answers is hindered by international red tape. Stuck thousands of miles away in Los Angeles, June creatively uses all the latest technology at her fingertips to try and find her before it’s too late. But as she digs deeper, her digital sleuthing raises more questions than answers... and when June unravels secrets about her mom, she discovers that she never really knew her at all.", + "poster": "https://image.tmdb.org/t/p/w500/wEOUYSU5Uf8J7152PT6jdb5233Y.jpg", + "url": "https://www.themoviedb.org/movie/768362", + "genres": [ + "Drama", + "Mystery", + "Thriller" + ], + "tags": [ + "kidnapping", + "fbi", + "fake identity", + "detective story", + "sequel", + "teenage girl", + "los angeles, california", + "missing person", + "found footage", + "mysterious", + "abuse", + "generation z", + "amateur sleuth", + "complex", + "mother daughter relationship", + "screenlife", + "colombia", + "direct", + "empathetic" + ] + }, + { + "ranking": 1533, + "title": "Summer Wars", + "year": "2009", + "runtime": 114, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.4, + "vote_count": 943, + "description": "A student tries to fix a problem he accidentally caused in OZ, a digital world, while pretending to be the fiancé of his friend at her grandmother's 90th birthday.", + "poster": "https://image.tmdb.org/t/p/w500/yHy8TrRLnuBZ4t2C0l0pSpRXVHO.jpg", + "url": "https://www.themoviedb.org/movie/28874", + "genres": [ + "Animation", + "Science Fiction" + ], + "tags": [ + "card game", + "artificial intelligence (a.i.)", + "computer", + "hacker", + "virtual reality", + "family holiday", + "adult animation", + "anime" + ] + }, + { + "ranking": 1544, + "title": "Erin Brockovich", + "year": "2000", + "runtime": 131, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.4, + "vote_count": 3301, + "description": "A twice-divorced mother of three who sees an injustice, takes on the bad guy and wins -- with a little help from her push-up bra. Erin goes to work for an attorney and comes across medical records describing illnesses clustered in one nearby town. She starts investigating and soon exposes a monumental cover-up.", + "poster": "https://image.tmdb.org/t/p/w500/jEMvWBWVjndZT0vJnLrRWi9ajea.jpg", + "url": "https://www.themoviedb.org/movie/462", + "genres": [ + "Drama" + ], + "tags": [ + "biography", + "based on true story", + "single mother", + "water pollution", + "environmental law", + "legal drama", + "corporate negligence", + "inspirational" + ] + }, + { + "ranking": 1543, + "title": "Star Wars: Episode III - Revenge of the Sith", + "year": "2005", + "runtime": 140, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.435, + "vote_count": 13985, + "description": "The evil Darth Sidious enacts his final plan for unlimited power -- and the heroic Jedi Anakin Skywalker must choose a side.", + "poster": "https://image.tmdb.org/t/p/w500/xfSAoBEm9MNBjmlNcDYLvLSMlnq.jpg", + "url": "https://www.themoviedb.org/movie/1895", + "genres": [ + "Adventure", + "Action", + "Science Fiction" + ], + "tags": [ + "showdown", + "lava", + "fight", + "politics", + "volcano", + "chosen one", + "sequel", + "romance", + "prequel", + "tragedy", + "cult figure", + "tragic hero", + "vision", + "planet", + "hatred", + "dream sequence", + "expectant mother", + "space opera", + "chancel", + "burn injury", + "allegorical", + "tragic romance", + "fall from grace", + "graphic", + "power", + "violence", + "cruel" + ] + }, + { + "ranking": 1541, + "title": "Wind River", + "year": "2017", + "runtime": 107, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.4, + "vote_count": 5336, + "description": "An FBI agent teams with the town's veteran game tracker to investigate a murder that occurred on a Native American reservation.", + "poster": "https://image.tmdb.org/t/p/w500/pySivdR845Hom4u4T2WNkJxe6Ad.jpg", + "url": "https://www.themoviedb.org/movie/395834", + "genres": [ + "Crime", + "Mystery", + "Thriller" + ], + "tags": [ + "wyoming, usa", + "rape", + "gun", + "fbi", + "mountain", + "investigation", + "native american", + "forest", + "murder", + "shootout", + "photograph", + "native american reservation", + "binoculars", + "rape and revenge", + "snowmobile", + "missing and murdered indigenous women" + ] + }, + { + "ranking": 1553, + "title": "Miss Sloane", + "year": "2016", + "runtime": 133, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.4, + "vote_count": 1837, + "description": "An ambitious lobbyist faces off against the powerful gun lobby in an attempt to pass gun control legislation.", + "poster": "https://image.tmdb.org/t/p/w500/ptfvQlqe2xJiMSewSj52qAVq5z0.jpg", + "url": "https://www.themoviedb.org/movie/376290", + "genres": [ + "Drama", + "Crime" + ], + "tags": [ + "strong woman", + "politics", + "gun", + "empowerment", + "hearing", + "career woman", + "senator", + "female protagonist", + "female empowerment", + "determination", + "ethics", + "lobbyist", + "gun control" + ] + }, + { + "ranking": 1548, + "title": "Sullivan's Travels", + "year": "1941", + "runtime": 91, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.434, + "vote_count": 470, + "description": "Successful movie director John L. Sullivan, convinced he won't be able to film his ambitious masterpiece until he has suffered, dons a hobo disguise and sets off on a journey, aiming to \"know trouble\" first-hand. When all he finds is a train ride back to Hollywood and a beautiful blonde companion, he redoubles his efforts, managing to land himself in more trouble than he bargained for when he loses his memory and ends up a prisoner on a chain gang.", + "poster": "https://image.tmdb.org/t/p/w500/z5cqIM0ysVjkCmaDfyTQnlozdIp.jpg", + "url": "https://www.themoviedb.org/movie/16305", + "genres": [ + "Comedy", + "Romance", + "Adventure" + ], + "tags": [ + "homeless person", + "movie business", + "fake identity", + "mistaken identity", + "great depression", + "jail", + "chain gang", + "memory loss", + "on the road", + "screwball comedy", + "riding the rail", + "road movie", + "hidden identity", + "hobo", + "film director", + "lost memory", + "trains" + ] + }, + { + "ranking": 1549, + "title": "The Hurricane", + "year": "1999", + "runtime": 146, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.433, + "vote_count": 1422, + "description": "The story of Rubin \"Hurricane\" Carter, a boxer wrongly imprisoned for murder, and the people who aided in his fight to prove his innocence.", + "poster": "https://image.tmdb.org/t/p/w500/eOzbt7KsqTC8gcjJMxcQnr89cxJ.jpg", + "url": "https://www.themoviedb.org/movie/10400", + "genres": [ + "Drama" + ], + "tags": [ + "prison", + "new jersey", + "1970s", + "boxer", + "affectation", + "melancholy", + "boxing school", + "biography", + "based on memoir or autobiography", + "hard", + "angry", + "aggressive", + "1960s", + "boxing", + "legal drama", + "legal thriller", + "absurd", + "admiring", + "adoring", + "defiant", + "demeaning", + "familiar", + "scathing", + "tragic", + "vibrant" + ] + }, + { + "ranking": 1556, + "title": "The Motorcycle Diaries", + "year": "2004", + "runtime": 126, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.431, + "vote_count": 1310, + "description": "Based on the journals of Che Guevara, leader of the Cuban Revolution. In his memoirs, Guevara recounts adventures he and best friend Alberto Granado had while crossing South America by motorcycle in the early 1950s.", + "poster": "https://image.tmdb.org/t/p/w500/qz2aBYT8CAiJYvX4fRZpJ5G0Oz1.jpg", + "url": "https://www.themoviedb.org/movie/1653", + "genres": [ + "Drama" + ], + "tags": [ + "based on novel or book", + "peru", + "revolution", + "asthma", + "che guevara", + "cuban revolution", + "chile", + "argentina", + "motorcycle", + "guajira peninsula", + "leper colony", + "biochemist", + "road movie" + ] + }, + { + "ranking": 1551, + "title": "The Unforgivable", + "year": "2021", + "runtime": 112, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.432, + "vote_count": 1855, + "description": "A woman is released from prison after serving a sentence for a violent crime and re-enters a society that refuses to forgive her past.", + "poster": "https://image.tmdb.org/t/p/w500/1b3dNFDuE7i05TJlXrIC571yR01.jpg", + "url": "https://www.themoviedb.org/movie/645886", + "genres": [ + "Drama", + "Crime" + ], + "tags": [ + "redemption", + "incredulous" + ] + }, + { + "ranking": 1542, + "title": "The Right Stuff", + "year": "1983", + "runtime": 193, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.4, + "vote_count": 890, + "description": "As the Space Race ensues, seven pilots set off on a path to become the first American astronauts to enter space. However, the road to making history brings forth momentous challenges.", + "poster": "https://image.tmdb.org/t/p/w500/btqTjNRxecYgQ1FGfVlLqSSNjz.jpg", + "url": "https://www.themoviedb.org/movie/9549", + "genres": [ + "Drama", + "History", + "Adventure" + ], + "tags": [ + "epic", + "based on novel or book", + "nasa", + "politics", + "cold war", + "answering machine", + "pilot", + "u.s. air force", + "space travel", + "flight", + "historical figure", + "astronaut", + "space race", + "test pilot", + "1940s", + "1950s", + "1960s", + "sound barrier", + "space program", + "astronauts" + ] + }, + { + "ranking": 1550, + "title": "Extraction 2", + "year": "2023", + "runtime": 122, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.432, + "vote_count": 2560, + "description": "Back from the brink of death, highly skilled commando Tyler Rake takes on another dangerous mission: saving the imprisoned family of a ruthless gangster.", + "poster": "https://image.tmdb.org/t/p/w500/7gKI9hpEMcZUQpNgKrkDzJpbnNS.jpg", + "url": "https://www.themoviedb.org/movie/697843", + "genres": [ + "Action", + "Thriller", + "Crime" + ], + "tags": [ + "assassin", + "hero", + "escape", + "mercenary", + "rescue mission", + "sequel", + "survival", + "based on graphic novel", + "violence" + ] + }, + { + "ranking": 1545, + "title": "Justice League: Crisis on Infinite Earths Part One", + "year": "2024", + "runtime": 93, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.4, + "vote_count": 332, + "description": "Death is coming. Worse than death: oblivion. Not just for our Earth, but for everyone, everywhere, in every universe! Against this ultimate destruction, the mysterious Monitor has gathered the greatest team of Super Heroes ever assembled. But what can the combined might of Superman, Wonder Woman, Batman, The Flash, Green Lantern and hundreds of Super Heroes from multiple Earths even do to save all of reality from an unstoppable antimatter armageddon?!", + "poster": "https://image.tmdb.org/t/p/w500/zR6C66EDklgTPLHRSmmMt5878MR.jpg", + "url": "https://www.themoviedb.org/movie/1155089", + "genres": [ + "Animation", + "Science Fiction", + "Action" + ], + "tags": [ + "superhero", + "villain", + "end of the world", + "based on graphic novel", + "superhero team", + "parallel universe", + "dc animated movie universe" + ] + }, + { + "ranking": 1547, + "title": "Lemonade Mouth", + "year": "2011", + "runtime": 113, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.4, + "vote_count": 1050, + "description": "When five ragtag freshman first meet in detention, it seems they have nothing in common. But, through music, they form an unbreakable bond and discover they have the makings of the greatest high school garage band in history! In the face of incredible odds, Olivia, Stella, Wen, Mohini and Charlie find they can make a real difference when they learn to lean on each other and let go of everything holding back their dreams.", + "poster": "https://image.tmdb.org/t/p/w500/5Tbbxf38c16kbfezmXkPYS2tYRN.jpg", + "url": "https://www.themoviedb.org/movie/65218", + "genres": [ + "Drama", + "Comedy", + "Music", + "TV Movie" + ], + "tags": [ + "guitar", + "parent child relationship", + "cat", + "violin", + "narration", + "musical", + "lemonade", + "detention", + "school assembly", + "woman director" + ] + }, + { + "ranking": 1554, + "title": "Richard Jewell", + "year": "2019", + "runtime": 131, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.4, + "vote_count": 2549, + "description": "Richard Jewell thinks quick, works fast, and saves hundreds, perhaps thousands, of lives after a domestic terrorist plants several pipe bombs and they explode during a concert, only to be falsely suspected of the crime by sloppy FBI work and sensational media coverage.", + "poster": "https://image.tmdb.org/t/p/w500/5Lgkm8jt4roAFPZQ52fKMhVmDaZ.jpg", + "url": "https://www.themoviedb.org/movie/292011", + "genres": [ + "Drama" + ], + "tags": [ + "biography", + "standard police procedure", + "cautionary tale" + ] + }, + { + "ranking": 1559, + "title": "Once Upon a Time... in Hollywood", + "year": "2019", + "runtime": 162, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.4, + "vote_count": 13786, + "description": "Los Angeles, 1969. TV star Rick Dalton, a struggling actor specializing in westerns, and stuntman Cliff Booth, his best friend, try to survive in a constantly changing movie industry. Dalton is the neighbor of the young and promising actress and model Sharon Tate, who has just married the prestigious Polish director Roman Polanski…", + "poster": "https://image.tmdb.org/t/p/w500/8j58iEBw9pOXFD2L0nt0ZXeHviB.jpg", + "url": "https://www.themoviedb.org/movie/466272", + "genres": [ + "Comedy", + "Drama", + "Thriller" + ], + "tags": [ + "movie business", + "male friendship", + "cult", + "based on true story", + "celebrity", + "fame", + "hollywood", + "los angeles, california", + "historical fiction", + "buddy", + "filmmaking", + "struggling actor", + "satanic cult", + "revisionist history", + "duringcreditsstinger", + "western filmmaking", + "manson family murders", + "1960s", + "stunt double", + "old hollywood", + "playful", + "sharon tate", + "charles manson", + "suspenseful" + ] + }, + { + "ranking": 1558, + "title": "The Farewell", + "year": "2019", + "runtime": 100, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.43, + "vote_count": 1433, + "description": "A headstrong Chinese-American woman returns to China when her beloved grandmother is given a terminal diagnosis. Billi struggles with her family's decision to keep grandma in the dark about her own illness as they all stage an impromptu wedding to see grandma one last time.", + "poster": "https://image.tmdb.org/t/p/w500/7ht2IMGynDSVQGvAXhAb83DLET8.jpg", + "url": "https://www.themoviedb.org/movie/565310", + "genres": [ + "Comedy", + "Drama" + ], + "tags": [ + "grandparent grandchild relationship", + "family relationships", + "wedding", + "east asian lead", + "family reunion", + "grandmother", + "chinese american", + "family gathering", + "ethical dilemma", + "woman director", + "lung cancer", + "deadly disease", + "relationships", + "personal relationships", + "grandmother granddaughter relationship", + "asian american" + ] + }, + { + "ranking": 1560, + "title": "Contact", + "year": "1997", + "runtime": 150, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.4, + "vote_count": 4588, + "description": "A radio astronomer receives the first extraterrestrial radio signal ever picked up on Earth. As the world powers scramble to decipher the message and decide upon a course of action, she must make some difficult decisions between her beliefs, the truth, and reality.", + "poster": "https://image.tmdb.org/t/p/w500/bCpMIywuNZeWt3i5UMLEIc0VSwM.jpg", + "url": "https://www.themoviedb.org/movie/686", + "genres": [ + "Drama", + "Science Fiction", + "Mystery" + ], + "tags": [ + "based on novel or book", + "nasa", + "extraterrestrial technology", + "new mexico", + "prime number", + "radio wave", + "wormhole", + "fanatic", + "spirituality", + "religion", + "scientist", + "sabotage", + "ham radio", + "astronomy", + "alien contact", + "mechanical engineering", + "observatory", + "philosophical", + "eccentric man", + "radio telescope", + "wonder", + "introspective", + "inspirational", + "defiant" + ] + }, + { + "ranking": 1557, + "title": "Mixed by Erry", + "year": "2023", + "runtime": 113, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.4, + "vote_count": 445, + "description": "The rise and fall of the pirate mixtape empire of three brothers from Naples, Italy, during the '80s.", + "poster": "https://image.tmdb.org/t/p/w500/tCTqW2YLxx6gqrPFTlMswvDunuQ.jpg", + "url": "https://www.themoviedb.org/movie/921785", + "genres": [ + "Comedy", + "History", + "Music" + ], + "tags": [ + "based on novel or book", + "based on true story", + "music piracy" + ] + }, + { + "ranking": 1552, + "title": "Only the Brave", + "year": "2017", + "runtime": 133, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.4, + "vote_count": 1625, + "description": "Members of the Granite Mountain Hotshots battle deadly wildfires to save an Arizona town.", + "poster": "https://image.tmdb.org/t/p/w500/lC7WdUNLOJI3sllaDGNdFy2GT8g.jpg", + "url": "https://www.themoviedb.org/movie/395991", + "genres": [ + "Drama", + "Action" + ], + "tags": [ + "fire", + "bravery", + "arizona", + "natural disaster", + "heroism", + "addiction", + "based on true story", + "tragedy", + "firefighting", + "test by fire", + "forest fire", + "firefighter", + "based on magazine, newspaper or article", + "wildfire", + "proving oneself" + ] + }, + { + "ranking": 1555, + "title": "Watch Out, We're Mad", + "year": "1974", + "runtime": 102, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.431, + "vote_count": 817, + "description": "After a tied 1st place in a local stunt race, two drivers start a contest to decide who of them will own the prize, a dune buggy. But when a mobster destroys the car, they are determined to get it back.", + "poster": "https://image.tmdb.org/t/p/w500/oERikPHC3cr9UDCale6YrQxkyNW.jpg", + "url": "https://www.themoviedb.org/movie/6916", + "genres": [ + "Action", + "Comedy" + ], + "tags": [ + "car race", + "chase", + "crime boss", + "car crash", + "truck driver", + "dune buggy", + "bumper car", + "buddy movie" + ] + }, + { + "ranking": 1546, + "title": "Killers of the Flower Moon", + "year": "2023", + "runtime": 206, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.4, + "vote_count": 3546, + "description": "When oil is discovered in 1920s Oklahoma under Osage Nation land, the Osage people are murdered one by one—until the FBI steps in to unravel the mystery.", + "poster": "https://image.tmdb.org/t/p/w500/dB6Krk806zeqd0YNp2ngQ9zXteH.jpg", + "url": "https://www.themoviedb.org/movie/466420", + "genres": [ + "Crime", + "History", + "Drama" + ], + "tags": [ + "husband wife relationship", + "based on novel or book", + "war veteran", + "fbi", + "greed", + "oklahoma", + "manipulation", + "native american", + "based on true story", + "murder", + "racism", + "series of murders", + "genocide", + "period drama", + "courtroom", + "guilt", + "true crime", + "oil industry", + "death of sister", + "catholicism", + "uncle nephew relationship", + "catholic guilt", + "shocking", + "1920s", + "candid", + "grim", + "osage indian", + "gullibility", + "poisoning", + "complex", + "diabetes", + "revisionist western", + "cautionary", + "meta", + "grand", + "factual", + "western", + "depressing", + "empathetic", + "harsh", + "tragic" + ] + }, + { + "ranking": 1561, + "title": "Contact", + "year": "1997", + "runtime": 150, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.4, + "vote_count": 4588, + "description": "A radio astronomer receives the first extraterrestrial radio signal ever picked up on Earth. As the world powers scramble to decipher the message and decide upon a course of action, she must make some difficult decisions between her beliefs, the truth, and reality.", + "poster": "https://image.tmdb.org/t/p/w500/bCpMIywuNZeWt3i5UMLEIc0VSwM.jpg", + "url": "https://www.themoviedb.org/movie/686", + "genres": [ + "Drama", + "Science Fiction", + "Mystery" + ], + "tags": [ + "based on novel or book", + "nasa", + "extraterrestrial technology", + "new mexico", + "prime number", + "radio wave", + "wormhole", + "fanatic", + "spirituality", + "religion", + "scientist", + "sabotage", + "ham radio", + "astronomy", + "alien contact", + "mechanical engineering", + "observatory", + "philosophical", + "eccentric man", + "radio telescope", + "wonder", + "introspective", + "inspirational", + "defiant" + ] + }, + { + "ranking": 1566, + "title": "18 Presents", + "year": "2020", + "runtime": 110, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.4, + "vote_count": 682, + "description": "Elisa is only forty when an incurable disease takes her from her husband and their daughter. Before her heart stops, Elisa finds a way to stay close to her: a gift for every birthday up to her adult age, 18 gifts to try to accompany her child's growth year after year.", + "poster": "https://image.tmdb.org/t/p/w500/lS7lqDT3NF2LcSPdxXNJY9pMxZ6.jpg", + "url": "https://www.themoviedb.org/movie/630220", + "genres": [ + "Drama", + "Family" + ], + "tags": [] + }, + { + "ranking": 1565, + "title": "Crouching Tiger, Hidden Dragon", + "year": "2000", + "runtime": 120, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.4, + "vote_count": 3273, + "description": "Two warriors in pursuit of a stolen sword and a notorious fugitive are led to an impetuous, physically-skilled, teenage nobleman's daughter, who is at a crossroads in her life.", + "poster": "https://image.tmdb.org/t/p/w500/iNDVBFNz4XyYzM9Lwip6atSTFqf.jpg", + "url": "https://www.themoviedb.org/movie/146", + "genres": [ + "Adventure", + "Drama", + "Action", + "Romance" + ], + "tags": [ + "martial arts", + "kung fu", + "based on novel or book", + "flying", + "taskmaster", + "sword", + "tiger", + "villainess", + "mountain", + "comb", + "fistfight", + "sword fight", + "thief", + "revenge", + "theft", + "historical", + "female martial artist", + "18th century", + "wuxia", + "warrior", + "aggressive", + "bamboo", + "tavern fight", + "action hero", + "qing dynasty", + "vibrant" + ] + }, + { + "ranking": 1564, + "title": "The Lovers on the Bridge", + "year": "1991", + "runtime": 130, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.4, + "vote_count": 331, + "description": "Set against Paris' oldest bridge, the Pont Neuf, while it was closed for repairs, this film is a love story between two young vagrants: Alex, a would be circus performer addicted to alcohol and sedatives and Michele, a painter driven to a life on the streets because of a failed relationship and an affliction which is slowly turning her blind.", + "poster": "https://image.tmdb.org/t/p/w500/xz00yDmTtGr3Uy3PEiopenQH2Zh.jpg", + "url": "https://www.themoviedb.org/movie/2767", + "genres": [ + "Drama", + "Romance" + ], + "tags": [ + "prison", + "loss of eyesight", + "homeless person", + "paris, france", + "subway", + "fireworks", + "artist", + "bridge", + "tramp", + "seine", + "self-inflicted injury", + "fire-eater", + "romance", + "snow", + "unlikely romance" + ] + }, + { + "ranking": 1562, + "title": "The Swimmers", + "year": "2022", + "runtime": 134, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.4, + "vote_count": 573, + "description": "From war-torn Syria to the 2016 Rio Olympics, two young sisters embark on a risky voyage, putting their hearts and their swimming skills to heroic use.", + "poster": "https://image.tmdb.org/t/p/w500/u9MiJ6zLpDw4s3qZz93WDVwTUIo.jpg", + "url": "https://www.themoviedb.org/movie/821881", + "genres": [ + "Drama", + "History" + ], + "tags": [ + "refugee", + "olympian sports team", + "biography", + "based on true story", + "survival", + "sisters", + "admiring", + "comforting", + "forceful" + ] + }, + { + "ranking": 1575, + "title": "The Hunger Games: Catching Fire", + "year": "2013", + "runtime": 146, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.4, + "vote_count": 17573, + "description": "Katniss Everdeen has returned home safe after winning the 74th Annual Hunger Games along with fellow tribute Peeta Mellark. Winning means that they must turn around and leave their family and close friends, embarking on a \"Victor's Tour\" of the districts. Along the way Katniss senses that a rebellion is simmering, but the Capitol is still very much in control as President Snow prepares the 75th Annual Hunger Games (The Quarter Quell) - a competition that could change Panem forever.", + "poster": "https://image.tmdb.org/t/p/w500/qdXXEFGuLLfMWa1DGEkWFUo8Zwd.jpg", + "url": "https://www.themoviedb.org/movie/101299", + "genres": [ + "Adventure", + "Action", + "Science Fiction" + ], + "tags": [ + "rebellion", + "based on novel or book", + "propaganda", + "dystopia", + "uprising", + "sequel", + "president", + "survival", + "murder", + "conspiracy", + "female protagonist", + "tournament", + "game", + "survival competition", + "based on young adult novel", + "intense", + "antagonistic", + "powerful" + ] + }, + { + "ranking": 1578, + "title": "Justice Society: World War II", + "year": "2021", + "runtime": 84, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.425, + "vote_count": 563, + "description": "When the Flash finds himself dropped into the middle of World War II, he joins forces with Wonder Woman and her top-secret team known as the Justice Society of America.", + "poster": "https://image.tmdb.org/t/p/w500/e4REOC6CZW8J6FslA4nRvdQXFXR.jpg", + "url": "https://www.themoviedb.org/movie/736069", + "genres": [ + "Animation", + "War", + "Science Fiction" + ], + "tags": [ + "superhero", + "world war ii", + "time travel", + "dc animated movie universe" + ] + }, + { + "ranking": 1567, + "title": "The Guernsey Literary & Potato Peel Pie Society", + "year": "2018", + "runtime": 124, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.4, + "vote_count": 1332, + "description": "Free-spirited writer Juliet Ashton forms a life-changing bond with the delightful and eccentric Guernsey Literary and Potato Peel Pie Society, when she decides to write about the book club they formed during the occupation of Guernsey in WWII.", + "poster": "https://image.tmdb.org/t/p/w500/2XcN2aIma8TqShsOBPbcpxLzY1A.jpg", + "url": "https://www.themoviedb.org/movie/451480", + "genres": [ + "Romance", + "Drama", + "History" + ], + "tags": [ + "london, england", + "based on novel or book", + "world war ii", + "channel islands", + "book club", + "german occupation", + "historical fiction", + "period drama", + "reading a book", + "nazi occupation", + "1940s", + "guernsey" + ] + }, + { + "ranking": 1574, + "title": "Scrooge", + "year": "1951", + "runtime": 86, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.4, + "vote_count": 336, + "description": "Ebenezer Scrooge malcontentedly shuffles through life as a cruel, miserly businessman; until he is visited by three spirits on Christmas Eve who show him how his unhappy childhood and adult behavior has left him a selfish, lonely old man.", + "poster": "https://image.tmdb.org/t/p/w500/iUUfQZr87dBQNdyGcmTflAnCPXz.jpg", + "url": "https://www.themoviedb.org/movie/13188", + "genres": [ + "Fantasy", + "Drama" + ], + "tags": [ + "london, england", + "based on novel or book", + "businessman", + "holiday", + "greed", + "supernatural", + "redemption", + "business ethics", + "victorian england", + "money", + "black and white", + "miser", + "ghost", + "christmas", + "xmas eve" + ] + }, + { + "ranking": 1576, + "title": "Star Trek", + "year": "2009", + "runtime": 127, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.4, + "vote_count": 9983, + "description": "The fate of the galaxy rests in the hands of bitter rivals. One, James Kirk, is a delinquent, thrill-seeking Iowa farm boy. The other, Spock, a Vulcan, was raised in a logic-based society that rejects all emotion. As fiery instinct clashes with calm reason, their unlikely but powerful partnership is the only thing capable of leading their crew through unimaginable danger, boldly going where no one has gone before. The human adventure has begun again.", + "poster": "https://image.tmdb.org/t/p/w500/lV5OpzAss1z06YNagOVap1I35mH.jpg", + "url": "https://www.themoviedb.org/movie/13475", + "genres": [ + "Science Fiction", + "Action", + "Adventure" + ], + "tags": [ + "spacecraft", + "teleportation", + "san francisco, california", + "time travel", + "space mission", + "parachute", + "black hole", + "supernova", + "prequel", + "futuristic", + "warp speed", + "warp engine", + "space", + "romulans", + "space opera", + "reboot", + "unlikely friendship", + "child driving car", + "alternative reality", + "23rd century", + "based on tv series", + "24th century" + ] + }, + { + "ranking": 1571, + "title": "Unbroken", + "year": "2014", + "runtime": 137, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.4, + "vote_count": 4163, + "description": "A chronicle of the life of Louis Zamperini, an Olympic runner who was taken prisoner by Japanese forces during World War II.", + "poster": "https://image.tmdb.org/t/p/w500/vAlHUjHwLWMV5mg4epGR9WSIfiy.jpg", + "url": "https://www.themoviedb.org/movie/227306", + "genres": [ + "Drama", + "War" + ], + "tags": [ + "japan", + "berlin, germany", + "based on novel or book", + "sports", + "world war ii", + "prisoner of war", + "u.s. air force", + "biography", + "pacific war", + "raft", + "shark", + "woman director", + "olympic athlete" + ] + }, + { + "ranking": 1580, + "title": "Zelig", + "year": "1983", + "runtime": 79, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.4, + "vote_count": 871, + "description": "Fictional documentary about the life of human chameleon Leonard Zelig, a man who becomes a celebrity in the 1920s due to his ability to look and act like whoever is around him. Clever editing places Zelig in real newsreel footage of Woodrow Wilson, Babe Ruth, and others.", + "poster": "https://image.tmdb.org/t/p/w500/2rXeBWYx8g519Z4EiaBxEeQ1O6o.jpg", + "url": "https://www.themoviedb.org/movie/11030", + "genres": [ + "Comedy" + ], + "tags": [ + "great depression", + "celebrity", + "mockumentary", + "chameleon", + "psychiatrist", + "found footage", + "newsreel footage", + "electroconvulsive therapy", + "1920s", + "1930s", + "historical images", + "mocking", + "historical events" + ] + }, + { + "ranking": 1568, + "title": "Mission: Impossible - Fallout", + "year": "2018", + "runtime": 147, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.428, + "vote_count": 8409, + "description": "When an IMF mission ends badly, the world is faced with dire consequences. As Ethan Hunt takes it upon himself to fulfill his original briefing, the CIA begin to question his loyalty and his motives. The IMF team find themselves in a race against time, hunted by assassins while trying to prevent a global catastrophe.", + "poster": "https://image.tmdb.org/t/p/w500/AkJQpZp9WoNdj7pLYSj1L0RcMMN.jpg", + "url": "https://www.themoviedb.org/movie/353081", + "genres": [ + "Action", + "Adventure" + ], + "tags": [ + "race against time", + "london, england", + "helicopter", + "paris, france", + "plutonium", + "gun", + "spy", + "countdown", + "norway", + "sequel", + "motorcycle", + "bomb remote detonator", + "handgun", + "hand to hand combat", + "kashmir" + ] + }, + { + "ranking": 1569, + "title": "The Man Without a Past", + "year": "2002", + "runtime": 97, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.4, + "vote_count": 376, + "description": "Arriving in Helsinki, a nameless man is beaten within an inch of his life by thugs, miraculously recovering only to find that he has completely lost his memory. Back on the streets, he attempts to begin again from zero, befriending a moody dog and becoming besotted with a Salvation Army volunteer.", + "poster": "https://image.tmdb.org/t/p/w500/9tBepCujkyNg1qM52MsaJfDkIRw.jpg", + "url": "https://www.themoviedb.org/movie/7294", + "genres": [ + "Comedy", + "Drama", + "Romance" + ], + "tags": [ + "helsinki, finland", + "amnesia", + "trailer park" + ] + }, + { + "ranking": 1570, + "title": "Drive My Car", + "year": "2021", + "runtime": 179, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.4, + "vote_count": 1314, + "description": "Yusuke Kafuku, a stage actor and director, still unable, after two years, to cope with the loss of his beloved wife, accepts to direct Uncle Vanya at a theater festival in Hiroshima. There he meets Misaki, an introverted young woman, appointed to drive his car. In between rides, secrets from the past and heartfelt confessions will be unveiled.", + "poster": "https://image.tmdb.org/t/p/w500/3cOsf5HBjPK2QCz9ebQlGHNnE7y.jpg", + "url": "https://www.themoviedb.org/movie/758866", + "genres": [ + "Drama" + ], + "tags": [ + "infidelity", + "japan", + "loss of loved one", + "theater play", + "theater director", + "road trip", + "hiroshima, japan", + "grief", + "rehearsal", + "audition", + "sensuality", + "old car", + "driver", + "artistic sex", + "based on short story", + "sign languages", + "slow cinema", + "bilingual", + "loss of child" + ] + }, + { + "ranking": 1572, + "title": "Predestination", + "year": "2014", + "runtime": 98, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.427, + "vote_count": 6581, + "description": "Predestination chronicles the life of a Temporal Agent sent on an intricate series of time-travel journeys designed to prevent future killers from committing their crimes. Now, on his final assignment, the Agent must stop the one criminal that has eluded him throughout time and prevent a devastating attack in which thousands of lives will be lost.", + "poster": "https://image.tmdb.org/t/p/w500/38Xr1JnV1ZcLQ55zmdSp6n475cZ.jpg", + "url": "https://www.themoviedb.org/movie/206487", + "genres": [ + "Science Fiction", + "Thriller" + ], + "tags": [ + "mission", + "orphanage", + "pregnancy", + "bomber", + "secret organization", + "time travel", + "bartender", + "time machine", + "intersexuality", + "fate", + "terrorism", + "loner", + "shocking", + "time paradox", + "philosophical", + "intersex", + "temporal agent", + "determinism" + ] + }, + { + "ranking": 1579, + "title": "The Florida Project", + "year": "2017", + "runtime": 112, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.4, + "vote_count": 2840, + "description": "The story of a precocious six year-old and her ragtag group of friends whose summer break is filled with childhood wonder, possibility and a sense of adventure while the adults around them struggle with hard times.", + "poster": "https://image.tmdb.org/t/p/w500/eE1J6nCMw8UhsAOI6HhhItarWmN.jpg", + "url": "https://www.themoviedb.org/movie/394117", + "genres": [ + "Drama" + ], + "tags": [ + "florida", + "friendship", + "parent child relationship", + "drug addiction", + "innocence", + "motel", + "drug use", + "summer", + "single mother", + "social services", + "prostitute mother", + "children's perspectives", + "child", + "orlando florida", + "generation z", + "lower class", + "peer relationship", + "mother daughter relationship", + "unfit mother", + "non-professional acting" + ] + }, + { + "ranking": 1563, + "title": "Last Year at Marienbad", + "year": "1961", + "runtime": 95, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.4, + "vote_count": 494, + "description": "In a strange and isolated chateau, a man becomes acquainted with a woman and insists that they have met before.", + "poster": "https://image.tmdb.org/t/p/w500/tizZ7JnXRFMvoNegu2CtM2ab9E7.jpg", + "url": "https://www.themoviedb.org/movie/4024", + "genres": [ + "Drama", + "Romance" + ], + "tags": [ + "hotel", + "amnesia", + "card game", + "extramarital affair", + "mysterious", + "statue", + "chateau", + "complex", + "nouvelle vague", + "ghoulish" + ] + }, + { + "ranking": 1573, + "title": "Secretariat", + "year": "2010", + "runtime": 123, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.4, + "vote_count": 601, + "description": "Housewife and mother Penny Chenery agrees to take over her ailing father's Virginia-based Meadow Stables, despite her lack of horse-racing knowledge. Against all odds, Chenery - with the help of veteran trainer Lucien Laurin - manages to navigate the male-dominated business, ultimately fostering the first Triple Crown winner in 25 years.", + "poster": "https://image.tmdb.org/t/p/w500/6YJ39NqRJ0ljUQohizHmE2hB6Wh.jpg", + "url": "https://www.themoviedb.org/movie/39486", + "genres": [ + "Drama" + ], + "tags": [ + "horseback riding", + "horse race", + "1970s", + "biography", + "based on true story", + "equestrian", + "stallion", + "eccentricity", + "triple crown" + ] + }, + { + "ranking": 1577, + "title": "The Bourne Ultimatum", + "year": "2007", + "runtime": 115, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.4, + "vote_count": 7819, + "description": "Bourne is brought out of hiding once again by reporter Simon Ross who is trying to unveil Operation Blackbriar, an upgrade to Project Treadstone, in a series of newspaper columns. Information from the reporter stirs a new set of memories, and Bourne must finally uncover his dark past while dodging The Company's best efforts to eradicate him.", + "poster": "https://image.tmdb.org/t/p/w500/15rMz5MRXFp7CP4VxhjYw4y0FUn.jpg", + "url": "https://www.themoviedb.org/movie/2503", + "genres": [ + "Action", + "Drama", + "Mystery", + "Thriller" + ], + "tags": [ + "assassin", + "central intelligence agency (cia)", + "corruption", + "paris, france", + "based on novel or book", + "madrid, spain", + "espionage", + "prosecution", + "fake identity", + "revelation", + "europe", + "interpol", + "sequel", + "flashback", + "on the run", + "conspiracy", + "shootout", + "motorcycle", + "foot chase", + "dark past", + "langley virginia", + "moscow, russia", + "frantic", + "action hero", + "security leak", + "investigative reporter", + "jason bourne", + "furious", + "intense" + ] + }, + { + "ranking": 1584, + "title": "Hedwig and the Angry Inch", + "year": "2001", + "runtime": 95, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.4, + "vote_count": 388, + "description": "Raised a boy in East Berlin, Hedwig undergoes a personal transformation in order to emigrate to the U.S., where she reinvents herself as an 'internationally ignored' but divinely talented rock diva, inhabiting a 'beautiful gender of one'.", + "poster": "https://image.tmdb.org/t/p/w500/jafIFAW8sHQkzWPGoMDR4892dFI.jpg", + "url": "https://www.themoviedb.org/movie/13403", + "genres": [ + "Comedy", + "Music", + "Drama" + ], + "tags": [ + "transvestism", + "transsexuality", + "singer", + "glam rock", + "lgbt", + "self identity", + "rock odyssey", + "military brat", + "restaurant chain", + "lgbt in the military", + "child molestation", + "theatrical manager", + "nonbinary director" + ] + }, + { + "ranking": 1593, + "title": "Y Tu Mamá También", + "year": "2001", + "runtime": 106, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.4, + "vote_count": 1566, + "description": "In Mexico, two teenage boys and an attractive older woman embark on a road trip and learn a thing or two about life, friendship, sex, and each other.", + "poster": "https://image.tmdb.org/t/p/w500/eTAQWIqHyFtnvNyYpFO5IoaVi1L.jpg", + "url": "https://www.themoviedb.org/movie/1391", + "genres": [ + "Drama", + "Romance" + ], + "tags": [ + "friendship", + "adolescence", + "beach", + "mexico", + "group sex", + "male friendship", + "road trip", + "coming of age", + "travel", + "human relationship", + "new mexican cinema", + "self reflection", + "self-reflexive", + "roadtrip", + "sexual discovery", + "melodrama", + "amused" + ] + }, + { + "ranking": 1597, + "title": "I Can Quit Whenever I Want", + "year": "2014", + "runtime": 100, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.4, + "vote_count": 1805, + "description": "A university researcher is fired because of the cuts to university. To earn a living he decides to produce drugs recruiting his former colleagues, who despite their skills are living at the margins of society.", + "poster": "https://image.tmdb.org/t/p/w500/zcDqnuSpdRoXuw3kmbMDxLkdgXR.jpg", + "url": "https://www.themoviedb.org/movie/250219", + "genres": [ + "Comedy" + ], + "tags": [] + }, + { + "ranking": 1583, + "title": "Delusions of Grandeur", + "year": "1971", + "runtime": 108, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.424, + "vote_count": 688, + "description": "Don Sallust is the minister of the King of Spain. Being disingenuous, hypocritical, greedy and collecting the taxes for himself, he is hated by the people he oppresses. Accused by The Queen, a beautiful princess Bavarian, of having an illegitimate child to one of her maids of honor, he was stripped of his duties and ordered to retire to a monastery.", + "poster": "https://image.tmdb.org/t/p/w500/uJtEs9WRqyEREvdkS470n593z03.jpg", + "url": "https://www.themoviedb.org/movie/14257", + "genres": [ + "Comedy", + "History" + ], + "tags": [ + "spain", + "based on novel or book", + "queen", + "giftmord", + "royalty", + "lord", + "conspiracy", + "misunderstanding", + "disguise", + "valet", + "illegitimate child", + "interclass romance", + "public disgrace", + "stingy" + ] + }, + { + "ranking": 1581, + "title": "EverAfter", + "year": "1998", + "runtime": 121, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.4, + "vote_count": 1482, + "description": "Danielle, a vibrant young woman is forced into servitude after the death of her father when she was a young girl. Danielle's stepmother Rodmilla is a heartless woman who forces Danielle to do the cooking and cleaning, while she tries to marry off the eldest of her two daughters to the prince. But Danielle's life takes a wonderful turn when, under the guise of a visiting royal, she meets the charming Prince Henry.", + "poster": "https://image.tmdb.org/t/p/w500/9TspO5dThMBioF0DFrvy6YqrngH.jpg", + "url": "https://www.themoviedb.org/movie/9454", + "genres": [ + "Drama", + "Romance", + "Comedy" + ], + "tags": [ + "child abuse", + "france", + "gypsy", + "fairy tale", + "arranged marriage", + "leonardo da vinci", + "prince", + "royal family", + "death of father", + "royalty", + "evil stepmother", + "based on fairy tale", + "retelling", + "stepsister", + "master servant relationship", + "16th century", + "classism", + "commoner", + "father daughter relationship", + "masquerade ball", + "adaptation", + "cinderella story" + ] + }, + { + "ranking": 1589, + "title": "One Day", + "year": "2011", + "runtime": 107, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.422, + "vote_count": 4313, + "description": "A romantic comedy centered on Dexter and Emma, who first meet during their graduation in 1988 and proceed to keep in touch regularly. The film follows what they do on July 15 annually, usually doing something together.", + "poster": "https://image.tmdb.org/t/p/w500/n9jMwSg4IavdD8wqdYnyW5w3Mvp.jpg", + "url": "https://www.themoviedb.org/movie/51828", + "genres": [ + "Drama", + "Romance" + ], + "tags": [ + "based on novel or book", + "comedian", + "love", + "author", + "writer", + "divorce", + "friends in love", + "woman director", + "missed opportunity" + ] + }, + { + "ranking": 1592, + "title": "Cabaret", + "year": "1972", + "runtime": 124, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.421, + "vote_count": 901, + "description": "Inside the Kit Kat Club of 1931 Berlin, starry-eyed singer Sally Bowles and an impish emcee sound the clarion call to decadent fun, while outside a certain political party grows into a brutal force.", + "poster": "https://image.tmdb.org/t/p/w500/fMhOeJ2TvuY46iYGmsowhgRXfnr.jpg", + "url": "https://www.themoviedb.org/movie/10784", + "genres": [ + "Music", + "Drama", + "Romance" + ], + "tags": [ + "berlin, germany", + "nazi", + "entertainer", + "cabaret", + "bisexuality", + "musical", + "based on play or musical", + "hitler youth", + "fireplace", + "based on short story", + "lgbt", + "master of ceremonies", + "baron love", + "political unrest", + "english lesson", + "1930s", + "gay theme" + ] + }, + { + "ranking": 1594, + "title": "Un Chien Andalou", + "year": "1929", + "runtime": 16, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.421, + "vote_count": 1318, + "description": "Un Chien Andalou is an European avant-garde surrealist film, a collaboration between director Luis Buñuel and Salvador Dali.", + "poster": "https://image.tmdb.org/t/p/w500/obvE7ElAvCUhKtWFwDSvNbPw9PV.jpg", + "url": "https://www.themoviedb.org/movie/626", + "genres": [ + "Horror" + ], + "tags": [ + "dreams", + "midnight movie", + "donkey", + "cloud", + "razor", + "ant", + "surreal", + "surrealism", + "priest", + "death", + "psychotronic", + "severed hand", + "piano", + "short film" + ] + }, + { + "ranking": 1598, + "title": "Hour of the Wolf", + "year": "1968", + "runtime": 88, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.4, + "vote_count": 500, + "description": "While vacationing on a remote German island with his pregnant wife, an artist has an emotional breakdown while confronting his repressed desires.", + "poster": "https://image.tmdb.org/t/p/w500/jSqTnEP1x1OcOglqrInYvGSF1tL.jpg", + "url": "https://www.themoviedb.org/movie/18333", + "genres": [ + "Drama", + "Horror" + ], + "tags": [ + "island", + "nightmare", + "isolation", + "insanity", + "artist", + "diary", + "castle", + "insomnia", + "surrealism", + "gothic", + "pregnant wife", + "voyeurism", + "breakdown" + ] + }, + { + "ranking": 1590, + "title": "American Sniper", + "year": "2014", + "runtime": 133, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.4, + "vote_count": 13027, + "description": "U.S. Navy SEAL Chris Kyle takes his sole mission—protect his comrades—to heart and becomes one of the most lethal snipers in American history. His pinpoint accuracy not only saves countless lives but also makes him a prime target of insurgents. Despite grave danger and his struggle to be a good husband and father to his family back in the States, Kyle serves four tours of duty in Iraq. However, when he finally returns home, he finds that he cannot leave the war behind.", + "poster": "https://image.tmdb.org/t/p/w500/vJgtfUmZE5i4L12sOryAPuBa04K.jpg", + "url": "https://www.themoviedb.org/movie/190859", + "genres": [ + "War", + "Action" + ], + "tags": [ + "sniper", + "based on novel or book", + "biography", + "iraq", + "u.s. navy seal", + "iraq war", + "u.s. soldier", + "u.s. marine", + "9/11", + "pack", + "guns" + ] + }, + { + "ranking": 1600, + "title": "The Outlaw Josey Wales", + "year": "1976", + "runtime": 135, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.4, + "vote_count": 1166, + "description": "After avenging his family's brutal murder, Wales is pursued by a pack of soldiers. He prefers to travel alone, but ragtag outcasts are drawn to him - and Wales can't bring himself to leave them unprotected.", + "poster": "https://image.tmdb.org/t/p/w500/92BZIFPbyCPNhExyFScxA3xF1dy.jpg", + "url": "https://www.themoviedb.org/movie/10747", + "genres": [ + "Western" + ], + "tags": [ + "showdown", + "loss of loved one", + "texas", + "settler", + "native american", + "revenge", + "comanche", + "american civil war", + "avenge", + "19th century", + "guns", + "shooting" + ] + }, + { + "ranking": 1587, + "title": "Sweet Bean", + "year": "2015", + "runtime": 113, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.4, + "vote_count": 562, + "description": "The master of a dorayaki pastry store hires a 76-year-old woman whose talents attract customers from all over. But she's hiding a troubling secret. Life's joys are found in the little details, and no matter what may be weighing you down, everyone loves a good pastry.", + "poster": "https://image.tmdb.org/t/p/w500/5YV0eoUBFQ4vKaN71SPtUte2YcD.jpg", + "url": "https://www.themoviedb.org/movie/319373", + "genres": [ + "Drama" + ], + "tags": [ + "japan", + "based on novel or book", + "cooking", + "restaurant", + "sanatorium", + "slice of life", + "food", + "chef", + "street vendor", + "woman director", + "small business", + "cooking together", + "japanese cuisine" + ] + }, + { + "ranking": 1585, + "title": "Malena", + "year": "2000", + "runtime": 109, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.4, + "vote_count": 2283, + "description": "During WWII, a teenage boy discovering himself becomes love-stricken by Malèna, a sensual woman living in a small, narrow-minded Italian town.", + "poster": "https://image.tmdb.org/t/p/w500/doFIkrkO2gsWFju3KpIY5xUhpgJ.jpg", + "url": "https://www.themoviedb.org/movie/10867", + "genres": [ + "Drama" + ], + "tags": [ + "jealousy", + "sicily, italy", + "widow", + "world war ii", + "longing", + "beautiful woman", + "crush", + "sex trafficking", + "intrigue", + "pretty woman", + "milf", + "sad story", + "sympathetic", + "rich to poor", + "broken women" + ] + }, + { + "ranking": 1591, + "title": "Barbie and the Diamond Castle", + "year": "2008", + "runtime": 78, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.4, + "vote_count": 850, + "description": "Liana and Alexa (Barbie and Teresa) are best friends who share everything, including their love of singing. Upon meeting a girl inside a mirror, the duo embark on a journey that will put their friendship to the ultimate test.", + "poster": "https://image.tmdb.org/t/p/w500/qewfjmkNpggNuXQtrUjMl8hvHoM.jpg", + "url": "https://www.themoviedb.org/movie/13004", + "genres": [ + "Animation", + "Family" + ], + "tags": [ + "musical", + "based on toy" + ] + }, + { + "ranking": 1582, + "title": "Promising Young Woman", + "year": "2020", + "runtime": 113, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.4, + "vote_count": 3333, + "description": "A young woman, traumatized by a tragic event in her past, seeks out vengeance against those who crossed her path.", + "poster": "https://image.tmdb.org/t/p/w500/73QoFJFmUrJfDG2EynFjNc5gJxk.jpg", + "url": "https://www.themoviedb.org/movie/582014", + "genres": [ + "Thriller", + "Crime", + "Drama" + ], + "tags": [ + "psychopath", + "coffee shop", + "ohio", + "sociopath", + "revenge", + "predator turns victim", + "childhood friends", + "rape and revenge", + "woman director", + "medical school", + "pediatrician", + "living with parents", + "barista", + "sexual predator", + "nice guy", + "prosocial psychopath", + "transgender", + "audacious", + "sardonic" + ] + }, + { + "ranking": 1586, + "title": "Nocturnal Animals", + "year": "2016", + "runtime": 117, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.423, + "vote_count": 7905, + "description": "Susan Morrow receives a book manuscript from her ex-husband – a man she left 20 years earlier – asking for her opinion of his writing. As she reads, she is drawn into the fictional life of Tony Hastings, a mathematics professor whose family vacation turns violent.", + "poster": "https://image.tmdb.org/t/p/w500/mdLDgQBD0va09npSQX5Zgo2evXM.jpg", + "url": "https://www.themoviedb.org/movie/340666", + "genres": [ + "Drama", + "Thriller" + ], + "tags": [ + "based on novel or book", + "cheating", + "parent child relationship", + "hostage", + "insomnia", + "flashback", + "revenge", + "murder", + "cancer", + "writer", + "overbearing mother", + "art", + "novelist", + "ex-husband ex-wife relationship", + "carjacking", + "story within the story", + "sexual assault", + "abortion", + "art exhibition", + "ambiguity", + "ambiguous", + "ambivalent" + ] + }, + { + "ranking": 1596, + "title": "The Mauritanian", + "year": "2021", + "runtime": 129, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.4, + "vote_count": 1132, + "description": "The true story of the Mauritanian Mohamedou Ould Slahi, who was held at the U.S military's Guantanamo Bay detention center without charges for over a decade and sought help from a defense attorney for his release.", + "poster": "https://image.tmdb.org/t/p/w500/lIADEa6oH74uUapjsPbNRzxus8M.jpg", + "url": "https://www.themoviedb.org/movie/644583", + "genres": [ + "Drama", + "Thriller" + ], + "tags": [ + "prisoner", + "based on novel or book", + "falsely accused", + "war on terror", + "confession", + "guantanamo bay", + "based on true story", + "lawyer", + "torture", + "interrogation", + "sleep deprivation" + ] + }, + { + "ranking": 1599, + "title": "Crimes and Misdemeanors", + "year": "1989", + "runtime": 104, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.4, + "vote_count": 887, + "description": "A renowned ophthalmologist is desperate to cut off an adulterous relationship…which ends up in murder; and a frustrated documentary filmmaker woos an attractive television producer while making a film about her insufferably self-centered boss.", + "poster": "https://image.tmdb.org/t/p/w500/6vC6MLYUICH57MmEVi1UaNaj2Qs.jpg", + "url": "https://www.themoviedb.org/movie/11562", + "genres": [ + "Comedy", + "Drama", + "Crime" + ], + "tags": [ + "adultery", + "new york city", + "assassin", + "professor", + "brother-in-law", + "murder", + "mistress", + "doctor", + "hired killer", + "documentary filmmaking" + ] + }, + { + "ranking": 1588, + "title": "Trinity Is Still My Name", + "year": "1971", + "runtime": 117, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.423, + "vote_count": 919, + "description": "The two brothers Trinity and Bambino are exchanged by two federal agents and take advantage of the situation to steal a huge booty hidden in a monastery by a gang of outlaws.", + "poster": "https://image.tmdb.org/t/p/w500/oRd5Zb2MJEvBBxvyh3gVe6d4cAl.jpg", + "url": "https://www.themoviedb.org/movie/11829", + "genres": [ + "Comedy", + "Western" + ], + "tags": [ + "gunslinger", + "sibling relationship", + "brother", + "mistaken identity", + "hold-up robbery", + "cowboy", + "spaghetti western" + ] + }, + { + "ranking": 1595, + "title": "Sisu", + "year": "2022", + "runtime": 91, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.4, + "vote_count": 2285, + "description": "When an ex-soldier who discovers gold in the Lapland wilderness tries to take the loot into the city, German soldiers led by a brutal SS officer battle him.", + "poster": "https://image.tmdb.org/t/p/w500/ygO9lowFMXWymATCrhoQXd6gCEh.jpg", + "url": "https://www.themoviedb.org/movie/840326", + "genres": [ + "Action", + "War", + "Adventure" + ], + "tags": [ + "world war ii", + "lapland", + "nordic mythology", + "soldier", + "finnish mythology", + "vindictive", + "bloody", + "violence", + "foreboding", + "lapland war" + ] + }, + { + "ranking": 1602, + "title": "Duel", + "year": "1971", + "runtime": 89, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.42, + "vote_count": 1906, + "description": "Traveling businessman David Mann angers the driver of a rusty tanker while crossing the California desert. A simple trip turns deadly, as Mann struggles to stay on the road while the tanker plays cat and mouse with his life.", + "poster": "https://image.tmdb.org/t/p/w500/w9Vk1Txx14vWvACELFYFlixrsfr.jpg", + "url": "https://www.themoviedb.org/movie/839", + "genres": [ + "Action", + "Thriller", + "TV Movie" + ], + "tags": [ + "california", + "panic", + "chase", + "gas station", + "falsely accused", + "cliff", + "deputy", + "car crash", + "truck", + "salesman", + "stalking", + "cowardliness", + "desert", + "truck driver", + "based on short story", + "road rage", + "school bus", + "dangerous driving", + "eighteen wheeler", + "locked bumpers", + "overheating", + "railroad crossing" + ] + }, + { + "ranking": 1601, + "title": "The Last King of Scotland", + "year": "2006", + "runtime": 123, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.42, + "vote_count": 2174, + "description": "Young Scottish doctor, Nicholas Garrigan decides it's time for an adventure after he finishes his formal education, so he decides to try his luck in Uganda, and arrives during the downfall of President Obote. General Idi Amin comes to power and asks Garrigan to become his personal doctor.", + "poster": "https://image.tmdb.org/t/p/w500/mTtgpH6UnHUtD8moRJUzfGLOZTj.jpg", + "url": "https://www.themoviedb.org/movie/1523", + "genres": [ + "Drama" + ], + "tags": [ + "diplomat", + "luxury", + "naivety", + "based on novel or book", + "general", + "kidnapping", + "dictator", + "africa", + "mass murder", + "1970s", + "affectation", + "charisma", + "polygamy", + "uganda", + "dictatorship", + "historical fiction", + "doctor", + "angry", + "zealous", + "idi amin", + "scottish", + "kampala", + "absurd", + "admiring", + "adoring", + "ambiguous", + "ambivalent", + "amused", + "sympathetic", + "vibrant" + ] + }, + { + "ranking": 1605, + "title": "Ghost in the Shell 2.0", + "year": "2008", + "runtime": 85, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.418, + "vote_count": 420, + "description": "In the year 2029, Section 9, a group of cybernetically enhanced cops, are called in to investigate and stop a highly-wanted hacker known as 'The Puppetmaster'. Ghost in the Shell 2.0 is a reproduced version of its original 1995 counterpart. Among a numerous enhancements, for the film's 2.0 release, were a number of scenes were overhauled with 3D animation, visual improvements, and soundtrack rerecorded in 6.1 surround sound.", + "poster": "https://image.tmdb.org/t/p/w500/5ngIhoA0b4aGBoPFPURAbDwCKT7.jpg", + "url": "https://www.themoviedb.org/movie/14092", + "genres": [ + "Action", + "Animation", + "Drama", + "Crime", + "Mystery", + "Science Fiction", + "Thriller" + ], + "tags": [ + "future", + "android", + "cyborg", + "dystopia", + "cyberpunk", + "anime" + ] + }, + { + "ranking": 1603, + "title": "Kalashnikov AK-47", + "year": "2020", + "runtime": 105, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.4, + "vote_count": 301, + "description": "Tank commander Kalashnikov is severely injured in battle in 1941. The accident leaves him incapacitated and unable to return to the front line. While recovering in the hospital he begins creating the initial sketches of what will become one of the world’s most legendary weapons. A self-taught inventor, Mikhail Kalashnikov, is only 29 when he develops the now iconic assault riffle — the AK-47.", + "poster": "https://image.tmdb.org/t/p/w500/ApfjrFsGunqLo5MKYGtFMTSTaMq.jpg", + "url": "https://www.themoviedb.org/movie/592279", + "genres": [ + "War", + "History", + "Drama" + ], + "tags": [ + "world war ii" + ] + }, + { + "ranking": 1606, + "title": "A Better Tomorrow", + "year": "1986", + "runtime": 95, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.4, + "vote_count": 540, + "description": "A reforming ex-gangster tries to reconcile with his estranged policeman brother, but the ties to his former gang are difficult to break.", + "poster": "https://image.tmdb.org/t/p/w500/3LaUyoLADXqndKaX7ZjGYrWCedt.jpg", + "url": "https://www.themoviedb.org/movie/11471", + "genres": [ + "Action", + "Crime", + "Drama" + ], + "tags": [ + "prison", + "sibling relationship", + "snake", + "observer", + "conciliation", + "arrest", + "triade", + "revenge", + "counterfeit", + "hong kong", + "police officer" + ] + }, + { + "ranking": 1609, + "title": "They Call Me Jeeg", + "year": "2016", + "runtime": 112, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.417, + "vote_count": 2509, + "description": "Exposed to radioactive waste, small-time crook Enzo gains super-strength. A misanthropic, introverted brute, he uses his powers for personal gain until he meets Alessia, a mentally ill girl who believes Enzo is the hero from her favorite anime, Steel Jeeg.", + "poster": "https://image.tmdb.org/t/p/w500/5V54GvHclEuO4qJ13tEaFqaFTxP.jpg", + "url": "https://www.themoviedb.org/movie/364433", + "genres": [ + "Drama", + "Action", + "Science Fiction" + ], + "tags": [ + "rome, italy", + "anti hero", + "camorra", + "criminal underworld", + "superhero spoof", + "terrorist plot", + "terrorist bombing", + "masked superhero", + "township superhero", + "small time crook", + "eaten by animal", + "burned face", + "mentally handicapped", + "radioactive waste" + ] + }, + { + "ranking": 1607, + "title": "Sense and Sensibility", + "year": "1995", + "runtime": 136, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.4, + "vote_count": 1716, + "description": "The Dashwood sisters, sensible Elinor and passionate Marianne, whose chances at marriage seem doomed by their family's sudden loss of fortune. When Henry Dashwood dies unexpectedly, his estate must pass on by law to his son from his first marriage, John and wife Fanny. But these circumstances leave Mr. Dashwood's current wife, and daughters Elinor, Marianne and Margaret, without a home and with barely enough money to live on. As Elinor and Marianne struggle to find romantic fulfillment in a society obsessed with financial and social status, they must learn to mix sense with sensibility in their dealings with both money and men.", + "poster": "https://image.tmdb.org/t/p/w500/cBK2yL3HqhFvIVd7lLtazWlRZPR.jpg", + "url": "https://www.themoviedb.org/movie/4584", + "genres": [ + "Drama", + "Romance" + ], + "tags": [ + "secret love", + "london, england", + "countryside", + "based on novel or book", + "widow", + "military officer", + "servant", + "country life", + "pneumonia", + "inheritance", + "period drama", + "rainstorm", + "decorum", + "horse carriage", + "young love", + "dowry", + "social class", + "19th century", + "penniless", + "social elite", + "bloodletting", + "free spirited", + "sussex", + "1800s", + "sisters love", + "marry for money", + "secret engagement", + "devonshire, england" + ] + }, + { + "ranking": 1614, + "title": "Saw", + "year": "2004", + "runtime": 103, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.4, + "vote_count": 9403, + "description": "Two men wake up to find themselves shackled in a grimy, abandoned bathroom. As they struggle to comprehend their predicament, they discover a disturbing tape left behind by the sadistic mastermind known as Jigsaw. With a chilling voice and cryptic instructions, Jigsaw informs them that they must partake in a gruesome game in order to secure their freedom.", + "poster": "https://image.tmdb.org/t/p/w500/4da0TS3iQ1IzuyhDS8elgkmOfrN.jpg", + "url": "https://www.themoviedb.org/movie/176", + "genres": [ + "Horror", + "Mystery", + "Crime" + ], + "tags": [ + "sadism", + "shotgun", + "detective", + "affectation", + "flashback", + "hospital", + "doctor", + "torture", + "sadist", + "survival horror", + "chained", + "bludgeoning", + "death match", + "booby trap", + "mind game", + "thoughtful", + "extreme violence", + "death game", + "romantic", + "awestruck", + "恐佈", + "血腥", + "解謎", + "逃脫" + ] + }, + { + "ranking": 1613, + "title": "An American Werewolf in London", + "year": "1981", + "runtime": 97, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.4, + "vote_count": 2485, + "description": "American tourists David and Jack are savaged by an unidentified vicious animal whilst hiking on the Yorkshire Moors. Retiring to the home of a beautiful nurse to recuperate, David soon experiences disturbing changes to his mind and body.", + "poster": "https://image.tmdb.org/t/p/w500/hVEqUASJmCQaolkKFEySCHZ8uKG.jpg", + "url": "https://www.themoviedb.org/movie/814", + "genres": [ + "Comedy", + "Horror" + ], + "tags": [ + "dying and death", + "london, england", + "intensive care", + "nurse", + "loss of loved one", + "zoo", + "transformation", + "affectation", + "full moon", + "black humor", + "london underground", + "yorkshire", + "rural area", + "werewolf", + "creature", + "moor (terrain)", + "british pub", + "dream sequence", + "macabre", + "angry", + "hikers", + "aggressive", + "malicious", + "playful", + "london zoo", + "practical special effects", + "provocative", + "absurd", + "incredulous", + "hilarious", + "admiring", + "adoring", + "ambiguous", + "ambivalent", + "amused", + "baffled", + "defiant", + "foreboding", + "horrified" + ] + }, + { + "ranking": 1620, + "title": "Enemy at the Gates", + "year": "2001", + "runtime": 131, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.415, + "vote_count": 3717, + "description": "A Russian and a German sniper play a game of cat-and-mouse during the Battle of Stalingrad in WWII.", + "poster": "https://image.tmdb.org/t/p/w500/9cSoNnB31hGY2mL78VT8mAbz6nR.jpg", + "url": "https://www.themoviedb.org/movie/853", + "genres": [ + "Drama", + "War", + "History", + "Romance" + ], + "tags": [ + "sniper", + "hero", + "winter", + "world war ii", + "stalingrad", + "based on true story", + "nazi officer", + "battle", + "bombing", + "death", + "1940s", + "soviet propaganda", + "soldiers", + "war" + ] + }, + { + "ranking": 1612, + "title": "The Trial", + "year": "1962", + "runtime": 119, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.4, + "vote_count": 505, + "description": "Josef K wakes up in the morning and finds the police in his room. They tell him that he is on trial but nobody tells him what he is accused of. In order to find out about the reason for this accusation and to protest his innocence, he tries to look behind the façade of the judicial system. But since this remains fruitless, there seems to be no chance for him to escape from this nightmare.", + "poster": "https://image.tmdb.org/t/p/w500/2o1oe54a4doiwB4uJq9Kx1RHal0.jpg", + "url": "https://www.themoviedb.org/movie/3009", + "genres": [ + "Crime", + "Drama", + "Mystery" + ], + "tags": [ + "bureaucracy", + "based on novel or book", + "society", + "sexuality", + "paranoia", + "dystopia", + "judgment", + "hegemony", + "church", + "courtroom", + "oneiric", + "discrimination", + "guilty conscience", + "kafka", + "power relations", + "hierarchy", + "painter as artist", + "accusation", + "legal system", + "office worker", + "franz kafka", + "law" + ] + }, + { + "ranking": 1615, + "title": "The Lego Movie", + "year": "2014", + "runtime": 100, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.4, + "vote_count": 7966, + "description": "An ordinary Lego mini-figure, mistakenly thought to be the extraordinary MasterBuilder, is recruited to join a quest to stop an evil Lego tyrant from conquering the universe.", + "poster": "https://image.tmdb.org/t/p/w500/lbctonEnewCYZ4FYoTZhs8cidAl.jpg", + "url": "https://www.themoviedb.org/movie/137106", + "genres": [ + "Animation", + "Family", + "Adventure", + "Comedy", + "Fantasy" + ], + "tags": [ + "friendship", + "parent child relationship", + "prophecy", + "superhero", + "villain", + "based on comic", + "part live action", + "based on toy", + "falling in love", + "anti villain", + "super power", + "good cop bad cop", + "duringcreditsstinger", + "live action and animation", + "lego", + "father son relationship", + "loving", + "mischievous", + "playful", + "irreverent", + "evil tyrant", + "witty", + "hilarious", + "whimsical", + "celebratory", + "euphoric", + "exhilarated", + "exuberant", + "ridiculous" + ] + }, + { + "ranking": 1608, + "title": "Batman: The Long Halloween, Part Two", + "year": "2021", + "runtime": 87, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.4, + "vote_count": 532, + "description": "As Gotham City's young vigilante, the Batman, struggles to pursue a brutal serial killer, district attorney Harvey Dent gets caught in a feud involving the criminal family of the Falcones.", + "poster": "https://image.tmdb.org/t/p/w500/5X1n5q08mZ7NpNpxehMFODxfNYq.jpg", + "url": "https://www.themoviedb.org/movie/736074", + "genres": [ + "Animation", + "Mystery", + "Action", + "Crime" + ], + "tags": [ + "holiday", + "superhero", + "halloween", + "aftercreditsstinger", + "dc animated movie universe" + ] + }, + { + "ranking": 1604, + "title": "Doctor Strange", + "year": "2016", + "runtime": 115, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.418, + "vote_count": 22436, + "description": "After his career is destroyed, a brilliant but arrogant surgeon gets a new lease on life when a sorcerer takes him under her wing and trains him to defend the world against evil.", + "poster": "https://image.tmdb.org/t/p/w500/uGBVj3bEbCoZbDjjl9wTxcygko1.jpg", + "url": "https://www.themoviedb.org/movie/284052", + "genres": [ + "Action", + "Adventure", + "Fantasy" + ], + "tags": [ + "magic", + "superhero", + "training", + "time", + "based on comic", + "sorcerer", + "doctor", + "neurosurgeon", + "wizard", + "aftercreditsstinger", + "duringcreditsstinger", + "marvel cinematic universe (mcu)", + "suspenseful" + ] + }, + { + "ranking": 1616, + "title": "Scooby-Doo! in Where's My Mummy?", + "year": "2005", + "runtime": 75, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.4, + "vote_count": 403, + "description": "Scooby-Doo and the Mystery Inc. gang become involved in a supernatural mystery in Egypt.", + "poster": "https://image.tmdb.org/t/p/w500/w9CpKZmgDfQvHe8WzFsvxxKCNyc.jpg", + "url": "https://www.themoviedb.org/movie/20558", + "genres": [ + "Mystery", + "Animation", + "Family", + "Adventure", + "Comedy", + "Fantasy" + ], + "tags": [ + "egypt", + "mummy", + "criminal investigation" + ] + }, + { + "ranking": 1610, + "title": "The Legend of Drunken Master", + "year": "1994", + "runtime": 102, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.417, + "vote_count": 985, + "description": "Returning home with his father after a shopping expedition, Wong Fei-Hong is unwittingly caught up in the battle between foreigners who wish to export ancient Chinese artifacts and loyalists who don't want the pieces to leave the country. Fei-Hong must fight against the foreigners using his Drunken Boxing style, and overcome his father's antagonism as well.", + "poster": "https://image.tmdb.org/t/p/w500/xqUBrSBtPYLvCtfqHF5sapU6Div.jpg", + "url": "https://www.themoviedb.org/movie/12207", + "genres": [ + "Action", + "Comedy" + ], + "tags": [ + "friendship", + "martial arts", + "kung fu", + "showdown", + "china", + "alcohol", + "parent child relationship", + "fistfight", + "duel", + "drinking", + "drunken master", + "early republican china", + "drunken boxing", + "amused" + ] + }, + { + "ranking": 1619, + "title": "August Rush", + "year": "2007", + "runtime": 114, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.4, + "vote_count": 2701, + "description": "Lyla and Louis, a singer and a musician, fall in love, but are soon compelled to separate. Lyla is forced to give up her newborn but unknown to her, he grows up to become a musical genius.", + "poster": "https://image.tmdb.org/t/p/w500/oA6ZeICPINiS6YtD5WZeBaGVmuT.jpg", + "url": "https://www.themoviedb.org/movie/5123", + "genres": [ + "Family", + "Drama", + "Music" + ], + "tags": [ + "new york city", + "love of one's life", + "guitar", + "composer", + "loss of loved one", + "love at first sight", + "orphanage", + "lie", + "forbidden love", + "child prodigy", + "motherly love", + "woman director", + "rhapsody" + ] + }, + { + "ranking": 1617, + "title": "The Secret Garden", + "year": "1993", + "runtime": 102, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.416, + "vote_count": 917, + "description": "A young British girl born and reared in India loses her neglectful parents in an earthquake. She is returned to England to live at her uncle's castle. Her uncle is very distant due to the loss of his wife ten years before. Neglected once again, she begins exploring the estate and discovers a garden that has been locked and forgotten. Aided by one of the servants' boys, she begins restoring the garden, and eventually discovers some other secrets of the manor.", + "poster": "https://image.tmdb.org/t/p/w500/zf6h5dJ7wVG7LqMO9dhHGHVejzj.jpg", + "url": "https://www.themoviedb.org/movie/11236", + "genres": [ + "Drama", + "Family", + "Fantasy" + ], + "tags": [ + "based on novel or book", + "servant", + "garden", + "uncle", + "yorkshire", + "little girl", + "orphan", + "woman director", + "old mansion", + "english garden" + ] + }, + { + "ranking": 1618, + "title": "The Fly", + "year": "1986", + "runtime": 96, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.416, + "vote_count": 4546, + "description": "When Seth Brundle makes a huge scientific and technological breakthrough in teleportation, he decides to test it on himself. Unbeknownst to him, a common housefly manages to get inside the device and the two become one.", + "poster": "https://image.tmdb.org/t/p/w500/8gZWMhJHRvaXdXsNhERtqNHYpH3.jpg", + "url": "https://www.themoviedb.org/movie/9426", + "genres": [ + "Horror", + "Science Fiction" + ], + "tags": [ + "monster", + "experiment", + "mutation", + "toronto, canada", + "mutant", + "transformation", + "halloween", + "remake", + "creature", + "scientist", + "blunt", + "bodily dismemberment", + "psychotic", + "parasite underneath skin", + "fly (insect)", + "disturbed", + "animal horror", + "melting", + "animal research", + "fly/human hybrid", + "in-home laboratory", + "body horror", + "awestruck", + "commanding", + "disgusted", + "frightened", + "horrified" + ] + }, + { + "ranking": 1611, + "title": "This Is Spinal Tap", + "year": "1984", + "runtime": 82, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.4, + "vote_count": 1456, + "description": "\"This Is Spinal Tap\" shines a light on the self-contained universe of a metal band struggling to get back on the charts, including everything from its complicated history of ups and downs, gold albums, name changes and undersold concert dates, along with the full host of requisite groupies, promoters, hangers-on and historians, sessions, release events and those special behind-the-scenes moments that keep it all real.", + "poster": "https://image.tmdb.org/t/p/w500/z2LA8eBTSuuPC4NBhIZRNIwpimH.jpg", + "url": "https://www.themoviedb.org/movie/11031", + "genres": [ + "Music", + "Comedy" + ], + "tags": [ + "rock star", + "groupie", + "parody", + "mockumentary", + "rock band", + "found footage", + "aftercreditsstinger", + "duringcreditsstinger", + "amplifier", + "music industry", + "metal band" + ] + }, + { + "ranking": 1630, + "title": "Spider-Man: Far From Home", + "year": "2019", + "runtime": 129, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.411, + "vote_count": 15989, + "description": "Peter Parker and his friends go on a summer trip to Europe. However, they will hardly be able to rest - Peter will have to agree to help Nick Fury uncover the mystery of creatures that cause natural disasters and destruction throughout the continent.", + "poster": "https://image.tmdb.org/t/p/w500/4q2NNj4S5dG2RLF9CpXsej7yXl.jpg", + "url": "https://www.themoviedb.org/movie/429617", + "genres": [ + "Action", + "Adventure", + "Science Fiction" + ], + "tags": [ + "venice, italy", + "superhero", + "school trip", + "europe", + "based on comic", + "sequel", + "destruction", + "aftercreditsstinger", + "duringcreditsstinger", + "marvel cinematic universe (mcu)", + "tower of london", + "hilarious" + ] + }, + { + "ranking": 1623, + "title": "Glory Road", + "year": "2006", + "runtime": 118, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.4, + "vote_count": 735, + "description": "In 1966, Texas Western coach Don Haskins led the first all-black starting line-up for a college basketball team to the NCAA national championship.", + "poster": "https://image.tmdb.org/t/p/w500/bGRSV5tStxDNPRLCewnOeeiZzrY.jpg", + "url": "https://www.themoviedb.org/movie/9918", + "genres": [ + "Drama", + "History" + ], + "tags": [ + "racial segregation", + "basketball", + "teachers and students" + ] + }, + { + "ranking": 1629, + "title": "The Long Goodbye", + "year": "1973", + "runtime": 112, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.412, + "vote_count": 662, + "description": "In 1970s Hollywood, Detective Philip Marlowe tries to help a friend who is accused of murdering his wife.", + "poster": "https://image.tmdb.org/t/p/w500/oBhUK54yBJ0aH6u9zCzSV5iV7OP.jpg", + "url": "https://www.themoviedb.org/movie/1847", + "genres": [ + "Mystery", + "Crime", + "Thriller", + "Comedy", + "Drama" + ], + "tags": [ + "infidelity", + "suicide", + "corruption", + "police", + "cat", + "detective", + "greed", + "mission of murder", + "penthouse apartment", + "police operation", + "usa–mexico border", + "alcoholism", + "murder", + "chain smoking", + "whodunit", + "los angeles, california", + "interrogation", + "hit by a car", + "private eye", + "neo-noir", + "abuse", + "abusive boyfriend" + ] + }, + { + "ranking": 1627, + "title": "The Secret of Kells", + "year": "2009", + "runtime": 78, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.412, + "vote_count": 707, + "description": "Adventure awaits 12 year old Brendan who must fight Vikings and a serpent god to find a crystal and complete the legendary Book of Kells. In order to finish Brother Aiden's book, Brendan must overcome his deepest fears on a secret quest that will take him beyond the abbey walls and into the enchanted forest where dangerous mythical creatures hide. Will Brendan succeed in his quest?", + "poster": "https://image.tmdb.org/t/p/w500/vBymyj7QsXiW4TICD2JC5pAuBHO.jpg", + "url": "https://www.themoviedb.org/movie/26963", + "genres": [ + "Animation", + "Family", + "Fantasy" + ], + "tags": [ + "mythology", + "vikings (norsemen)", + "barbarian", + "underwater", + "trapped", + "sea monster", + "woman director", + "irish folklore", + "9th century", + "celtic mythology" + ] + }, + { + "ranking": 1639, + "title": "Peaceful Warrior", + "year": "2006", + "runtime": 120, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.4, + "vote_count": 407, + "description": "A chance encounter with a stranger changes the life of a college gymnast.", + "poster": "https://image.tmdb.org/t/p/w500/r4VQCZe3aSo7TmmsxcyLqaoMR1l.jpg", + "url": "https://www.themoviedb.org/movie/13689", + "genres": [ + "Drama" + ], + "tags": [ + "gymnastics", + "espiritualidad" + ] + }, + { + "ranking": 1631, + "title": "Then Came You", + "year": "2018", + "runtime": 97, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.4, + "vote_count": 494, + "description": "An American hypochondriac who is working as a baggage handler is forced to confront his fears when a British teenager with a terminal illness enlists him to help her carry out her eccentric bucket list.", + "poster": "https://image.tmdb.org/t/p/w500/658QP5tmBRUlE5JvxOnnmITfG1F.jpg", + "url": "https://www.themoviedb.org/movie/375785", + "genres": [ + "Comedy", + "Drama" + ], + "tags": [ + "airport", + "terminal illness", + "hypochondriac", + "coming of age", + "bucket list" + ] + }, + { + "ranking": 1638, + "title": "3096 Days", + "year": "2013", + "runtime": 111, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.4, + "vote_count": 912, + "description": "A young Austrian girl is kidnapped and held in captivity for eight years. Based on the real-life case of Natascha Kampusch.", + "poster": "https://image.tmdb.org/t/p/w500/x2bybyGMtyFSVNjFSxeDNu2fnPD.jpg", + "url": "https://www.themoviedb.org/movie/166666", + "genres": [ + "Drama" + ], + "tags": [ + "child abuse", + "rape", + "kidnapping", + "hostage", + "based on true story", + "survival", + "missing child", + "woman director", + "grooming", + "abduction" + ] + }, + { + "ranking": 1632, + "title": "Sicario", + "year": "2015", + "runtime": 122, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.4, + "vote_count": 8832, + "description": "An idealistic FBI agent is enlisted by a government task force to aid in the escalating war against drugs at the border area between the U.S. and Mexico.", + "poster": "https://image.tmdb.org/t/p/w500/lz8vNyXeidqqOdJW9ZjnDAMb5Vr.jpg", + "url": "https://www.themoviedb.org/movie/273481", + "genres": [ + "Action", + "Crime", + "Thriller" + ], + "tags": [ + "mission", + "assassin", + "central intelligence agency (cia)", + "mexico", + "corruption", + "bomb", + "fbi", + "smoking", + "texas", + "border", + "manipulation", + "cynicism", + "revenge", + "murder", + "dirty cop", + "football (soccer)", + "brutality", + "drugs", + "special forces", + "interrogation", + "desert", + "surveillance", + "night vision", + "death of daughter", + "moral dilemma", + "neo-noir", + "death of wife", + "mexican cartel", + "secret tunnel", + "violence", + "audacious", + "juárez, mexico" + ] + }, + { + "ranking": 1621, + "title": "The Godfather Part III", + "year": "1990", + "runtime": 162, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.415, + "vote_count": 6348, + "description": "In the midst of trying to legitimize his business dealings in 1979 New York and Italy, aging mafia don, Michael Corleone seeks forgiveness for his sins while taking a young protege under his wing.", + "poster": "https://image.tmdb.org/t/p/w500/lm3pQ2QoQ16pextRsmnUbG2onES.jpg", + "url": "https://www.themoviedb.org/movie/242", + "genres": [ + "Crime", + "Drama", + "Thriller" + ], + "tags": [ + "daughter", + "new york city", + "helicopter", + "assassination", + "italian american", + "italy", + "gangster", + "christianity", + "vatican", + "pope", + "confession", + "symbolism", + "revenge", + "organized crime", + "mafia", + "lawyer", + "catholic church", + "aggressive", + "audacious" + ] + }, + { + "ranking": 1622, + "title": "Big Fish & Begonia", + "year": "2016", + "runtime": 101, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.4, + "vote_count": 440, + "description": "Beyond the human realm, there is a magical race of beings who control the tides and the changing of the seasons. One of these beings, a young girl named Chun, seeks something more—she wants to experience the human world! At sixteen, she finally gets her chance and transforms into a dolphin in order to explore the world that has her fascinated. But she soon discovers that it's a dangerous place and nearly gets killed in a vortex. Luckily, her life is spared when a young boy sacrifices himself to save her. Moved by his kindness and courage, she uses magic to bring him back to life only to learn that this power comes at a serious price. On a new adventure, she’ll have to make her own sacrifices in order to protect his soul until it is ready to return to the human world.", + "poster": "https://image.tmdb.org/t/p/w500/fRCdXh9MZutj1JJPZlUXMex6AuB.jpg", + "url": "https://www.themoviedb.org/movie/271706", + "genres": [ + "Animation", + "Adventure", + "Fantasy" + ], + "tags": [ + "self sacrifice", + "magic", + "ocean", + "supernatural", + "human animal relationship", + "romance", + "coming of age", + "adult animation", + "anime", + "non-human protagonist", + "animal transformation" + ] + }, + { + "ranking": 1625, + "title": "The Peanut Butter Falcon", + "year": "2019", + "runtime": 97, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.413, + "vote_count": 1458, + "description": "A down-on-his-luck crab fisherman embarks on a journey to get a young man with Down syndrome to a professional wrestling school in rural North Carolina and away from the retirement home where he’s lived for the past two and a half years.", + "poster": "https://image.tmdb.org/t/p/w500/qyQcRGvdW3VtxHR4fSDgPOePEip.jpg", + "url": "https://www.themoviedb.org/movie/463257", + "genres": [ + "Adventure", + "Comedy", + "Drama" + ], + "tags": [ + "escape", + "runaway", + "wrestling", + "down syndrome", + "on the run", + "wrestling coach", + "raft", + "nursing home", + "disability", + "dream come true", + "escape plan", + "southern gothic" + ] + }, + { + "ranking": 1636, + "title": "The Conjuring: The Devil Made Me Do It", + "year": "2021", + "runtime": 111, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.41, + "vote_count": 6013, + "description": "Paranormal investigators Ed and Lorraine Warren encounter what would become one of the most sensational cases from their files. The fight for the soul of a young boy takes them beyond anything they'd ever seen before, to mark the first time in U.S. history that a murder suspect would claim demonic possession as a defense.", + "poster": "https://image.tmdb.org/t/p/w500/xbSuFiJbbBWCkyCCKIMfuDCA4yV.jpg", + "url": "https://www.themoviedb.org/movie/423108", + "genres": [ + "Horror", + "Mystery", + "Thriller" + ], + "tags": [ + "supernatural", + "exorcism", + "connecticut", + "sequel", + "paranormal investigation", + "1980s", + "somber", + "religious horror", + "the conjuring universe", + "frightened" + ] + }, + { + "ranking": 1624, + "title": "Jin-Roh: The Wolf Brigade", + "year": "1999", + "runtime": 102, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.4, + "vote_count": 503, + "description": "A member of an elite paramilitary counter-terrorism unit becomes traumatized after witnessing the suicide bombing of a young girl and is forced to undergo retraining. However, unbeknownst to him, he becomes a key player in a dispute between rival police divisions, as he finds himself increasingly involved with the sister of the girl he saw die.", + "poster": "https://image.tmdb.org/t/p/w500/iyLKFR339GCzTKUtrVO4hbeEhub.jpg", + "url": "https://www.themoviedb.org/movie/823", + "genres": [ + "Animation", + "Drama", + "Romance", + "Thriller", + "Science Fiction" + ], + "tags": [ + "japan", + "resistance", + "dystopia", + "little red riding hood", + "brothers grimm", + "politician", + "alternate history", + "suicide mission", + "atmospheric", + "resistance fighter", + "social issues", + "anime" + ] + }, + { + "ranking": 1626, + "title": "Being John Malkovich", + "year": "1999", + "runtime": 113, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.413, + "vote_count": 4458, + "description": "One day at work, unsuccessful puppeteer Craig finds a portal into the head of actor John Malkovich. The portal soon becomes a passion for anybody who enters its mad and controlling world of overtaking another human body.", + "poster": "https://image.tmdb.org/t/p/w500/xVSvIwRNzwXSs0CLefiiG6A96m4.jpg", + "url": "https://www.themoviedb.org/movie/492", + "genres": [ + "Comedy", + "Drama", + "Fantasy" + ], + "tags": [ + "witch", + "sexual identity", + "individual", + "secret love", + "transvestism", + "identity", + "subconsciousness", + "new identity", + "pet", + "chimp", + "puppeteer", + "appropriation of another human being", + "externally controlled action", + "pet shop", + "shocking" + ] + }, + { + "ranking": 1634, + "title": "Enter the Dragon", + "year": "1973", + "runtime": 102, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.411, + "vote_count": 1934, + "description": "A martial artist agrees to spy on a reclusive crime lord using his invitation to a tournament there as cover.", + "poster": "https://image.tmdb.org/t/p/w500/fyrh2ULEcmLpGTVLPQqFW45hqr5.jpg", + "url": "https://www.themoviedb.org/movie/9461", + "genres": [ + "Action" + ], + "tags": [ + "island", + "martial arts", + "kung fu", + "temple", + "monk", + "spy", + "shaolin", + "sister", + "hong kong", + "shaolin monk", + "east asian lead", + "martial arts tournament", + "crime lord" + ] + }, + { + "ranking": 1635, + "title": "Kal Ho Naa Ho", + "year": "2003", + "runtime": 187, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.4, + "vote_count": 400, + "description": "An uptight MBA student falls for the charismatic new neighbor who charms her troubled family – but he has a secret that forces him to push her away.", + "poster": "https://image.tmdb.org/t/p/w500/zhMI6I0kSLnewTMwE0A8Tz3Cj2f.jpg", + "url": "https://www.themoviedb.org/movie/4254", + "genres": [ + "Comedy", + "Drama", + "Romance" + ], + "tags": [ + "new york city", + "musical", + "bollywood" + ] + }, + { + "ranking": 1633, + "title": "Johnny Guitar", + "year": "1954", + "runtime": 110, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.4, + "vote_count": 433, + "description": "On the outskirts of town, the hard-nosed Vienna owns a saloon frequented by the undesirables of the region, including Dancin' Kid and his gang. Another patron of Vienna's establishment is Johnny Guitar, a former gunslinger and her lover. When a heist is pulled in town that results in a man's death, Emma Small, Vienna's rival, rallies the townsfolk to take revenge on Vienna's saloon – even without proof of her wrongdoing.", + "poster": "https://image.tmdb.org/t/p/w500/bap37yOCwcR9x4YDsNUaSo9nIp9.jpg", + "url": "https://www.themoviedb.org/movie/26596", + "genres": [ + "Western", + "Drama", + "Romance" + ], + "tags": [ + "saloon", + "saloon owner" + ] + }, + { + "ranking": 1637, + "title": "You're Not You", + "year": "2014", + "runtime": 104, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.4, + "vote_count": 796, + "description": "A drama centered on a classical pianist who has been diagnosed with ALS and the brash college student who becomes her caregiver.", + "poster": "https://image.tmdb.org/t/p/w500/jvrdukoeCuVckHlbAxU0MPoIzPI.jpg", + "url": "https://www.themoviedb.org/movie/290542", + "genres": [ + "Drama" + ], + "tags": [] + }, + { + "ranking": 1628, + "title": "Scream", + "year": "1996", + "runtime": 112, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.4, + "vote_count": 7231, + "description": "A year after the murder of her mother, a teenage girl is terrorized by a masked killer who targets her and her friends by using scary movies as part of a deadly game.", + "poster": "https://image.tmdb.org/t/p/w500/lr9ZIrmuwVmZhpZuTCW8D9g0ZJe.jpg", + "url": "https://www.themoviedb.org/movie/4232", + "genres": [ + "Crime", + "Horror", + "Mystery" + ], + "tags": [ + "high school", + "small town", + "riddle", + "killing", + "halloween", + "house party", + "serial killer", + "school", + "slasher", + "whodunit", + "killing spree", + "blunt", + "phone", + "tabloid", + "news reporter", + "self-referential", + "macabre", + "crime spree", + "halloween costume", + "young adult", + "anxious", + "teenager", + "suspenseful", + "intense", + "amused", + "farcical", + "foreboding", + "horrified", + "ominous", + "teen scream" + ] + }, + { + "ranking": 1640, + "title": "El Angel", + "year": "2018", + "runtime": 115, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.4, + "vote_count": 552, + "description": "Buenos Aires, Argentina, 1971. Carlos Robledo Puch is a 19-year-old boy with an angelic face, but a vocational thief as well, who acts ruthlessly, without remorse. When he meets Ramón, they follow together a dark path of crime and death.", + "poster": "https://image.tmdb.org/t/p/w500/hKtxOC2Mx9v4vx5TNJprzrFiy7.jpg", + "url": "https://www.themoviedb.org/movie/507505", + "genres": [ + "Drama", + "Crime" + ], + "tags": [ + "1970s", + "based on true story", + "male homosexuality", + "argentina", + "bisexual man", + "teenage gang", + "armed robbery", + "gay theme" + ] + }, + { + "ranking": 1644, + "title": "Tekkonkinkreet", + "year": "2006", + "runtime": 103, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.4, + "vote_count": 373, + "description": "Two penniless orphans, Black and White, struggle to survive on the mean streets of Treasure Town. When a megacorporation threatens to tear down the town to build an amusement park, Black and White engage in the fight of their life.", + "poster": "https://image.tmdb.org/t/p/w500/e2x1YDuZPpQiaQS25Ego7xMZYOI.jpg", + "url": "https://www.themoviedb.org/movie/13754", + "genres": [ + "Action", + "Adventure", + "Animation" + ], + "tags": [ + "flying", + "yakuza", + "minotaur", + "based on manga", + "urban setting", + "urban development", + "street children", + "save the neighborhood", + "giant man", + "adult animation", + "anime", + "psychological" + ] + }, + { + "ranking": 1646, + "title": "Waiting for Bojangles", + "year": "2021", + "runtime": 124, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.4, + "vote_count": 321, + "description": "A boy and his eccentric parents leave their home in Paris for a country house in Spain. As the mother descends deeper into her own mind, it's up to the boy and his father to keep her safe and happy.", + "poster": "https://image.tmdb.org/t/p/w500/i7zWGYTXPN0KgcbuTnIEV3qGpEC.jpg", + "url": "https://www.themoviedb.org/movie/851303", + "genres": [ + "Drama", + "Comedy", + "Romance" + ], + "tags": [] + }, + { + "ranking": 1642, + "title": "Migration", + "year": "2023", + "runtime": 83, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.4, + "vote_count": 1964, + "description": "After a migrating duck family alights on their pond with thrilling tales of far-flung places, the Mallard family embarks on a family road trip, from New England, to New York City, to tropical Jamaica.", + "poster": "https://image.tmdb.org/t/p/w500/apQL85BMRgkBWQq6pBXKOLfCyaV.jpg", + "url": "https://www.themoviedb.org/movie/940551", + "genres": [ + "Animation", + "Adventure", + "Comedy", + "Family" + ], + "tags": [ + "duck", + "villain", + "migration", + "flight", + "anthropomorphism", + "family", + "animals", + "chef", + "overprotective father", + "illumination", + "bird" + ] + }, + { + "ranking": 1647, + "title": "Summer of 85", + "year": "2020", + "runtime": 101, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.4, + "vote_count": 848, + "description": "What do you dream of when you're 16-years-old and in a seaside resort in Normandy in the 1980s? A best friend? A lifelong teen pact? Scooting off on adventures on a boat or a motorbike? Living life at breakneck speed? No. You dream of death. Because you can't get a bigger kick than dying. And that's why you save it till the very end. The summer holidays are just beginning, and this story recounts how Alexis grew into himself.", + "poster": "https://image.tmdb.org/t/p/w500/etH2pm1eMxEjY2dlltpQGLVspv.jpg", + "url": "https://www.themoviedb.org/movie/659959", + "genres": [ + "Romance", + "Drama" + ], + "tags": [ + "based on novel or book", + "sailing", + "normandy, france", + "motorcycle", + "teenage boy", + "lgbt", + "lgbt teen", + "summer job", + "seaside town", + "1980s", + "teenage protagonist", + "gay theme", + "boys' love (bl)" + ] + }, + { + "ranking": 1652, + "title": "Creed", + "year": "2015", + "runtime": 133, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.406, + "vote_count": 7541, + "description": "The former World Heavyweight Champion Rocky Balboa serves as a trainer and mentor to Adonis Johnson, the son of his late friend and former rival Apollo Creed.", + "poster": "https://image.tmdb.org/t/p/w500/1BfTsk5VWuw8FCocAhCyqnRbEzq.jpg", + "url": "https://www.themoviedb.org/movie/312221", + "genres": [ + "Action", + "Drama" + ], + "tags": [ + "underdog", + "mexico", + "philadelphia, pennsylvania", + "sports", + "mentor", + "trainer", + "cancer", + "spin off", + "underground fighting", + "boxing trainer", + "motivational speaker", + "boxing", + "legacy", + "boxing manager", + "boxing champion", + "famous brand" + ] + }, + { + "ranking": 1641, + "title": "Spellbound", + "year": "1945", + "runtime": 111, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.4, + "vote_count": 900, + "description": "When Dr. Anthony Edwardes arrives at a Vermont mental hospital to replace the outgoing hospital director, Dr. Constance Peterson, a psychoanalyst, discovers Edwardes is actually an impostor. The man confesses that the real Dr. Edwardes is dead and fears he may have killed him, but cannot recall anything. Dr. Peterson, however is convinced his impostor is innocent of the man's murder, and joins him on a quest to unravel his amnesia through psychoanalysis.", + "poster": "https://image.tmdb.org/t/p/w500/dPAox7jGScLBvxKLeRptJIBF7v.jpg", + "url": "https://www.themoviedb.org/movie/4174", + "genres": [ + "Thriller", + "Mystery", + "Romance" + ], + "tags": [ + "amnesia", + "sigmund freud", + "black and white", + "psychiatrist", + "dream sequence", + "freudian" + ] + }, + { + "ranking": 1654, + "title": "Romeo and Juliet", + "year": "1968", + "runtime": 138, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.4, + "vote_count": 684, + "description": "Romeo Montague and Juliet Capulet fall in love against the wishes of their feuding families. Driven by their passion, the young lovers defy their destiny and elope, only to suffer the ultimate tragedy.", + "poster": "https://image.tmdb.org/t/p/w500/vaBQKLbSWkXGTOlsz9ARdJP4lvg.jpg", + "url": "https://www.themoviedb.org/movie/6003", + "genres": [ + "Drama", + "Romance" + ], + "tags": [ + "secret love", + "new love", + "love of one's life", + "female lover", + "forbidden love", + "lovers", + "based on play or musical", + "tragedy", + "crush", + "romeo & juliet", + "tragic" + ] + }, + { + "ranking": 1648, + "title": "The Death of Superman", + "year": "2018", + "runtime": 81, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.407, + "vote_count": 766, + "description": "When a hulking monster arrives on Earth and begins a mindless rampage, the Justice League is quickly called in to stop it. But it soon becomes apparent that only Superman can stand against the monstrosity.", + "poster": "https://image.tmdb.org/t/p/w500/y0uxSHaSFmt6XaBJgjkeLqe7aM.jpg", + "url": "https://www.themoviedb.org/movie/487670", + "genres": [ + "Science Fiction", + "Animation", + "Action", + "Drama", + "Fantasy" + ], + "tags": [ + "superhero", + "based on comic", + "death of hero", + "alien abomination", + "dc animated movie universe" + ] + }, + { + "ranking": 1653, + "title": "The Muppet Christmas Carol", + "year": "1992", + "runtime": 89, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.406, + "vote_count": 1037, + "description": "A retelling of the classic Dickens tale of Ebenezer Scrooge, miser extraordinaire. He is held accountable for his dastardly ways during night-time visitations by the Ghosts of Christmas Past, Present and Future.", + "poster": "https://image.tmdb.org/t/p/w500/ssrV29QSVVJuemBHho0Qx7pFYak.jpg", + "url": "https://www.themoviedb.org/movie/10437", + "genres": [ + "Music", + "Comedy", + "Family", + "Fantasy", + "Drama" + ], + "tags": [ + "future", + "london, england", + "based on novel or book", + "holiday", + "redemption", + "musical", + "puppet", + "past", + "puppetry", + "lost love", + "ghost", + "christmas music", + "christmas", + "19th century", + "victorian era", + "christmas eve", + "christmas carols", + "christmas dinner", + "xmas eve" + ] + }, + { + "ranking": 1658, + "title": "Jeanne Dielman, 23, quai du Commerce, 1080 Bruxelles", + "year": "1976", + "runtime": 202, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.4, + "vote_count": 322, + "description": "A lonely widowed housewife does her daily chores and takes care of her apartment where she lives with her teenage son, and turns the occasional trick to make ends meet. Slowly, her ritualized daily routines begin to fall apart.", + "poster": "https://image.tmdb.org/t/p/w500/yeL8c24oBUQSdms8f7GmRvx3DIZ.jpg", + "url": "https://www.themoviedb.org/movie/44012", + "genres": [ + "Drama" + ], + "tags": [ + "widow", + "brussels, belgium", + "household", + "loneliness", + "feminist", + "prostitution", + "single mother", + "woman director", + "minimalism", + "slow cinema", + "chores", + "mother son relationship" + ] + }, + { + "ranking": 1651, + "title": "Frida", + "year": "2002", + "runtime": 123, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.407, + "vote_count": 2040, + "description": "A biography of artist Frida Kahlo, who channeled the pain of a crippling injury and her tempestuous marriage into her work.", + "poster": "https://image.tmdb.org/t/p/w500/a4hgR6aKoohB6MHni171jbi9BkU.jpg", + "url": "https://www.themoviedb.org/movie/1360", + "genres": [ + "Drama", + "Romance" + ], + "tags": [ + "mexico", + "love of one's life", + "bisexuality", + "painter", + "surrealism", + "biography", + "disabled", + "lgbt", + "female artist", + "woman director", + "female painter", + "frida kahlo" + ] + }, + { + "ranking": 1657, + "title": "Greyhound", + "year": "2020", + "runtime": 92, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.405, + "vote_count": 3012, + "description": "A first-time captain leads a convoy of allied ships carrying thousands of soldiers across the treacherous waters of the \"Black Pit\" to the front lines of WWII. With no air cover protection for 5 days, the captain and his convoy must battle the surrounding enemy Nazi U-boats in order to give the allies a chance to win the war.", + "poster": "https://image.tmdb.org/t/p/w500/kjMbDciooTbJPofVXgAoFjfX8Of.jpg", + "url": "https://www.themoviedb.org/movie/516486", + "genres": [ + "War", + "Action", + "Drama" + ], + "tags": [ + "submarine", + "allies", + "atlantic ocean", + "world war ii", + "based on true story", + "convoy", + "battleship", + "naval warfare", + "naval battleship" + ] + }, + { + "ranking": 1643, + "title": "Justice League: War", + "year": "2014", + "runtime": 79, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.408, + "vote_count": 1087, + "description": "The world is under attack by an alien armada led by the powerful Apokoliptian, Darkseid. A group of superheroes consisting of Superman, Batman, Wonder Woman, The Flash, Green Lantern, Cyborg, and Shazam must set aside their differences and gather together to defend Earth.", + "poster": "https://image.tmdb.org/t/p/w500/eu6zEhpt9QVgZk8T4FJCwKCbJkq.jpg", + "url": "https://www.themoviedb.org/movie/217993", + "genres": [ + "Animation", + "Action" + ], + "tags": [ + "cartoon", + "based on comic", + "super power", + "superhero team", + "dc animated movie universe" + ] + }, + { + "ranking": 1656, + "title": "The Experiment", + "year": "2001", + "runtime": 120, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.4, + "vote_count": 1115, + "description": "20 volunteers agree to take part in a seemingly well-paid experiment advertised by the university. It is supposed to be about aggressive behavior in an artificial prison situation. A journalist senses a story behind the ad and smuggles himself in among the test subjects. They are randomly divided into prisoners and guards. What seems like a game at the beginning soon turns into bloody seriousness.", + "poster": "https://image.tmdb.org/t/p/w500/mfxXel8k2UWkgJ4MIsvVBsqnvFp.jpg", + "url": "https://www.themoviedb.org/movie/575", + "genres": [ + "Drama", + "Thriller" + ], + "tags": [ + "prison", + "journalist", + "rape", + "prisoner", + "experiment", + "based on novel or book", + "authority", + "prison cell", + "blackbox", + "scientific study", + "aggression", + "test person", + "imprisonment", + "manipulation", + "torture", + "humiliation", + "angry", + "absurd", + "dramatic", + "critical", + "antagonistic", + "audacious", + "awestruck", + "baffled", + "defiant", + "demeaning", + "earnest" + ] + }, + { + "ranking": 1650, + "title": "Irma la Douce", + "year": "1963", + "runtime": 147, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.4, + "vote_count": 426, + "description": "When a naive policeman falls in love with a prostitute, he doesn’t want her seeing other men and creates an alter ego who’s to be her only customer.", + "poster": "https://image.tmdb.org/t/p/w500/5TgL8ql6WwXWmX4EvBL4geJ7gx5.jpg", + "url": "https://www.themoviedb.org/movie/2690", + "genres": [ + "Romance", + "Comedy" + ], + "tags": [ + "prostitute", + "paris, france", + "love of one's life", + "police", + "pimp", + "red-light district" + ] + }, + { + "ranking": 1660, + "title": "Lost Illusions", + "year": "2021", + "runtime": 149, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.4, + "vote_count": 507, + "description": "Lucien de Rubempré, a young, lower-class poet, leaves his family's printing house for Paris. Soon, he learns the dark side of the arts business as he tries to stay true to his dreams.", + "poster": "https://image.tmdb.org/t/p/w500/vLr7juofGqjOI2CyJ7hEKBXymxu.jpg", + "url": "https://www.themoviedb.org/movie/660000", + "genres": [ + "Drama", + "Romance", + "History" + ], + "tags": [ + "paris, france", + "based on novel or book", + "poet", + "19th century", + "1840s", + "theatre", + "affair", + "1830s", + "critical" + ] + }, + { + "ranking": 1649, + "title": "Repulsion", + "year": "1965", + "runtime": 105, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.4, + "vote_count": 1016, + "description": "Beautiful young manicurist Carole suffers from androphobia (the pathological fear of interaction with men). When her sister and roommate, Helen, leaves their London flat to go on an Italian holiday with her married boyfriend, Carole withdraws into her apartment. She begins to experience frightful hallucinations, her fear gradually mutating into madness.", + "poster": "https://image.tmdb.org/t/p/w500/dtyCKEPLqv9wxyVazL4b843vtUb.jpg", + "url": "https://www.themoviedb.org/movie/11481", + "genres": [ + "Drama", + "Thriller", + "Horror" + ], + "tags": [ + "london, england", + "schizophrenia", + "post-traumatic stress disorder (ptsd)", + "hallucination", + "rent", + "loneliness", + "black and white", + "psychosis" + ] + }, + { + "ranking": 1645, + "title": "The Omen", + "year": "1976", + "runtime": 111, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.4, + "vote_count": 2182, + "description": "Immediately after their miscarriage, the US diplomat Robert Thorn adopts the newborn Damien without the knowledge of his wife. Yet what he doesn’t know is that their new son is the son of the devil.", + "poster": "https://image.tmdb.org/t/p/w500/mDcjjEu1fMNmsXi4l4D8IftlTix.jpg", + "url": "https://www.themoviedb.org/movie/794", + "genres": [ + "Horror", + "Thriller" + ], + "tags": [ + "ambassador", + "prophecy", + "monk", + "photography", + "nanny", + "paranormal phenomena", + "rottweiler", + "devil's son", + "revelation", + "satan", + "anti-christ", + "decapitation", + "priest", + "religion", + "cowardliness", + "devil", + "baboon", + "archaeologist", + "awestruck", + "666" + ] + }, + { + "ranking": 1659, + "title": "Crush", + "year": "2022", + "runtime": 92, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.404, + "vote_count": 437, + "description": "When an aspiring young artist is forced to join her high school track team, she uses it as an opportunity to pursue the girl she's been harboring a long-time crush on. But she soon finds herself falling for an unexpected teammate and discovers what real love feels like.", + "poster": "https://image.tmdb.org/t/p/w500/hayr56csDzCSADaejgrRMVPHyDy.jpg", + "url": "https://www.themoviedb.org/movie/860159", + "genres": [ + "Comedy", + "Romance" + ], + "tags": [ + "high school", + "love triangle", + "comedian", + "coming of age", + "art", + "high school friends", + "lgbt athlete", + "lgbt", + "track and field", + "candid", + "thoughtful", + "unassuming", + "reflective", + "generation z", + "student athlete", + "wonder", + "loving", + "high school crush", + "lesbian", + "relaxed", + "inspirational", + "sapphic", + "lighthearted", + "intimate", + "direct", + "witty", + "whimsical", + "adoring", + "audacious", + "bold", + "celebratory", + "cheerful", + "comforting", + "compassionate", + "defiant", + "dignified", + "earnest", + "euphoric", + "exhilarated", + "exuberant", + "gentle", + "hopeful", + "joyful", + "modest", + "optimistic", + "sympathetic", + "vibrant", + "mural artist" + ] + }, + { + "ranking": 1655, + "title": "Braindead", + "year": "1992", + "runtime": 103, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.4, + "vote_count": 1678, + "description": "When a Sumatran rat-monkey bites Lionel Cosgrove's mother, she's transformed into a zombie and begins killing (and transforming) the entire town while Lionel races to keep things under control.", + "poster": "https://image.tmdb.org/t/p/w500/pa39D8TQs6aNw3hiUs4jLjHVUB0.jpg", + "url": "https://www.themoviedb.org/movie/763", + "genres": [ + "Horror", + "Comedy" + ], + "tags": [ + "infidelity", + "poison", + "new zealand", + "reanimation", + "zombie", + "back from the dead", + "monkey", + "attempted rape", + "wellington new zealand" + ] + }, + { + "ranking": 1664, + "title": "American Psycho", + "year": "2000", + "runtime": 102, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.4, + "vote_count": 11293, + "description": "A wealthy New York investment banking executive hides his alternate psychopathic ego from his co-workers and friends as he escalates deeper into his illogical, gratuitous fantasies.", + "poster": "https://image.tmdb.org/t/p/w500/9uGHEgsiUXjCNq8wdq4r49YL8A1.jpg", + "url": "https://www.themoviedb.org/movie/1359", + "genres": [ + "Thriller", + "Drama", + "Crime" + ], + "tags": [ + "new york city", + "based on novel or book", + "businessman", + "psychopath", + "dark comedy", + "satire", + "wall street", + "serial killer", + "chainsaw", + "big city", + "psychological thriller", + "character study", + "white collar", + "harvard business school", + "voice imitation", + "1980s", + "american businessman", + "bloody", + "ambiguity", + "psychological horror", + "horror" + ] + }, + { + "ranking": 1663, + "title": "Life of Pi", + "year": "2012", + "runtime": 127, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.404, + "vote_count": 13211, + "description": "The story of an Indian boy named Pi, a zookeeper's son who finds himself in the company of a hyena, zebra, orangutan, and a Bengal tiger after a shipwreck sets them adrift in the Pacific Ocean.", + "poster": "https://image.tmdb.org/t/p/w500/iLgRu4hhSr6V1uManX6ukDriiSc.jpg", + "url": "https://www.themoviedb.org/movie/87827", + "genres": [ + "Adventure", + "Drama" + ], + "tags": [ + "sea", + "faith", + "loss of loved one", + "1970s", + "zebra", + "survival", + "young boy", + "zookeeper", + "orangutan", + "teenage boy", + "hyena", + "meerkat", + "magic realism", + "cargo ship", + "lifeboat", + "injured animal", + "storm at sea", + "told in flashback", + "wreckage", + "loss of family", + "teenage protagonist", + "family loss", + "flying fish", + "vibrant" + ] + }, + { + "ranking": 1676, + "title": "Little Tickles", + "year": "2018", + "runtime": 103, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.399, + "vote_count": 361, + "description": "Odette is a 8-yr-old girl who loves to dance and draw. Once she has become an adult, Odette realizes she was abused, and immerses herself body and soul in her career as a dancer while trying to deal with her past.", + "poster": "https://image.tmdb.org/t/p/w500/h3oNso475RURIBQmrVkyEfwrWOS.jpg", + "url": "https://www.themoviedb.org/movie/484747", + "genres": [ + "Drama", + "Comedy" + ], + "tags": [ + "childhood sexual abuse" + ] + }, + { + "ranking": 1672, + "title": "A Quiet Place", + "year": "2018", + "runtime": 91, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.4, + "vote_count": 14459, + "description": "A family is forced to live in silence while hiding from creatures that hunt by sound.", + "poster": "https://image.tmdb.org/t/p/w500/nAU74GmpUk7t5iklEp3bufwDq4n.jpg", + "url": "https://www.themoviedb.org/movie/447332", + "genres": [ + "Horror", + "Drama", + "Science Fiction" + ], + "tags": [ + "pregnancy", + "fireworks", + "deaf", + "post-apocalyptic future", + "alien life-form", + "child in peril", + "creature", + "alien invasion", + "parenting", + "survival horror", + "human vs alien", + "sign languages", + "angry" + ] + }, + { + "ranking": 1666, + "title": "Women on the Verge of a Nervous Breakdown", + "year": "1988", + "runtime": 88, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.403, + "vote_count": 923, + "description": "Pepa resolves to kill herself with a batch of sleeping-pill-laced gazpacho after her lover leaves her. Fortunately, she is interrupted by a deliciously chaotic series of events.", + "poster": "https://image.tmdb.org/t/p/w500/lOehCiqghODNrNBpI1JS76zl6Lx.jpg", + "url": "https://www.themoviedb.org/movie/4203", + "genres": [ + "Comedy", + "Drama" + ], + "tags": [ + "infidelity", + "friendship", + "airport", + "madrid, spain", + "suicide attempt", + "pregnancy", + "female friendship", + "slapstick comedy", + "female protagonist", + "terrorism", + "relationship", + "nervous breakdown", + "ex-wife", + "mental health", + "sleeping pill", + "lies", + "independent film", + "apartment", + "actress", + "frustration" + ] + }, + { + "ranking": 1667, + "title": "When Harry Met Sally...", + "year": "1989", + "runtime": 96, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.4, + "vote_count": 4186, + "description": "During their travel from Chicago to New York, Harry and Sally debate whether or not sex ruins a friendship between a man and a woman. Eleven years later, and they're still no closer to finding the answer.", + "poster": "https://image.tmdb.org/t/p/w500/rFOiFUhTMtDetqCGClC9PIgnC1P.jpg", + "url": "https://www.themoviedb.org/movie/639", + "genres": [ + "Comedy", + "Romance", + "Drama" + ], + "tags": [ + "new york city", + "friendship", + "husband wife relationship", + "orgasm", + "restaurant", + "platonic love", + "diner", + "valentine's day" + ] + }, + { + "ranking": 1661, + "title": "Stargirl", + "year": "2020", + "runtime": 107, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.404, + "vote_count": 559, + "description": "An unassuming high schooler finds himself inexplicably drawn to the free-spirited new girl, whose unconventional ways change how they see themselves…and their world.", + "poster": "https://image.tmdb.org/t/p/w500/gwsrtzSrr7G6xjxsa7IwaAMHpEF.jpg", + "url": "https://www.themoviedb.org/movie/382748", + "genres": [ + "Comedy", + "Drama", + "Romance", + "Family" + ], + "tags": [ + "high school", + "small town", + "american football", + "woman director", + "young adult", + "teenager" + ] + }, + { + "ranking": 1665, + "title": "The Mad Adventures of Rabbi Jacob", + "year": "1973", + "runtime": 100, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.404, + "vote_count": 987, + "description": "In this riot of frantic disguises and mistaken identities, Victor Pivert, a blustering, bigoted French factory owner, finds himself taken hostage by Slimane, an Arab rebel leader. The two dress up as rabbis as they try to elude not only assasins from Slimane's country, but also the police, who think Pivert is a murderer. Pivert ends up posing as Rabbi Jacob, a beloved figure who's returned to France for his first visit after 30 years in the United States. Adding to the confusion are Pivert's dentist-wife, who thinks her husband is leaving her for another woman, their daughter, who's about to get married, and a Parisian neighborhood filled with people eager to celebrate the return of Rabbi Jacob.", + "poster": "https://image.tmdb.org/t/p/w500/oYuCFxS2BGCHNGuv9No0GoP2DZf.jpg", + "url": "https://www.themoviedb.org/movie/760", + "genres": [ + "Comedy" + ], + "tags": [ + "new york city", + "prisoner", + "airport", + "paris, france", + "red hair", + "liberation of prisoners", + "mistake in person", + "jewry", + "revolution", + "hearing", + "prosecution", + "fake identity", + "chewing gum", + "rabbi", + "synagogue", + "bar mitzvah", + "wedding", + "anarchic comedy" + ] + }, + { + "ranking": 1668, + "title": "Rise", + "year": "2022", + "runtime": 117, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.4, + "vote_count": 419, + "description": "Elise thought she had the perfect life: an ideal boyfriend and a promising career as a ballet dancer. It all falls apart the day she catches him cheating on her with her stage backup; and after she suffers an injury on stage, it seems like she might not be able to dance ever again.", + "poster": "https://image.tmdb.org/t/p/w500/ue6GyiX9dLSpmmAze1pPYcIlUrf.jpg", + "url": "https://www.themoviedb.org/movie/771077", + "genres": [ + "Comedy", + "Drama", + "Family" + ], + "tags": [ + "dance" + ] + }, + { + "ranking": 1670, + "title": "Ciao Alberto", + "year": "2021", + "runtime": 7, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.4, + "vote_count": 670, + "description": "With his best friend Luca away at school, Alberto is enjoying his new life in Portorosso working alongside Massimo—the imposing, tattooed, one-armed fisherman of few words—who's quite possibly the coolest human in the entire world as far as Alberto is concerned. He wants more than anything to impress his mentor, but it's easier said than done.", + "poster": "https://image.tmdb.org/t/p/w500/1SyTnaY0wte69oKdqxQLvxPT3hs.jpg", + "url": "https://www.themoviedb.org/movie/876716", + "genres": [ + "Animation", + "Comedy", + "Family", + "Fantasy" + ], + "tags": [ + "sea", + "boat", + "mentor", + "pasta", + "short film", + "silence" + ] + }, + { + "ranking": 1678, + "title": "Rushmore", + "year": "1998", + "runtime": 93, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.399, + "vote_count": 2525, + "description": "When a beautiful first-grade teacher arrives at a prep school, she soon attracts the attention of an ambitious teenager named Max, who quickly falls in love with her. Max turns to the father of two of his schoolmates for advice on how to woo the teacher. However, the situation soon gets complicated when Max's new friend becomes involved with her, setting the two pals against one another in a war for her attention.", + "poster": "https://image.tmdb.org/t/p/w500/hSJ6swahAuZ8wM96lHDTwQPXUvZ.jpg", + "url": "https://www.themoviedb.org/movie/11545", + "genres": [ + "Comedy", + "Drama" + ], + "tags": [ + "lone wolf", + "private school", + "theater play", + "theatre group", + "theater director", + "coming of age", + "precocious child", + "complex", + "teenager", + "comforting" + ] + }, + { + "ranking": 1669, + "title": "Like Crazy", + "year": "2016", + "runtime": 116, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.4, + "vote_count": 878, + "description": "Two mental patients with opposite personalities ditch their Tuscan hospital and embark on an unpredictable exploration of the real world.", + "poster": "https://image.tmdb.org/t/p/w500/pSVdOFu22jGWRHyCoJwIJTYuDBD.jpg", + "url": "https://www.themoviedb.org/movie/380225", + "genres": [ + "Drama", + "Comedy" + ], + "tags": [] + }, + { + "ranking": 1674, + "title": "New World", + "year": "2013", + "runtime": 134, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.4, + "vote_count": 475, + "description": "An undercover cop has his loyalties tested when the boss of the corporate gang he's spent years infiltrating dies.", + "poster": "https://image.tmdb.org/t/p/w500/5Ai3BMJlDGOlZXbcDv3vnOM1CSp.jpg", + "url": "https://www.themoviedb.org/movie/165213", + "genres": [ + "Thriller", + "Crime", + "Drama" + ], + "tags": [ + "gangster", + "undercover cop", + "gang warfare", + "criminal gang", + "neo-noir", + "korean chinese" + ] + }, + { + "ranking": 1675, + "title": "The Purple Rose of Cairo", + "year": "1985", + "runtime": 82, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.4, + "vote_count": 1059, + "description": "Cecilia is a waitress in New Jersey, living a dreary life during the Great Depression. Her only escape from her mundane reality is the movie theatre. After losing her job, Cecilia goes to see 'The Purple Rose of Cairo' in hopes of raising her spirits, where she watches dashing archaeologist Tom Baxter time and again.", + "poster": "https://image.tmdb.org/t/p/w500/ccsint43E44B7NGceEhVimD93Yt.jpg", + "url": "https://www.themoviedb.org/movie/10849", + "genres": [ + "Fantasy", + "Comedy", + "Romance" + ], + "tags": [ + "new york city", + "great depression", + "falling in love", + "movie star" + ] + }, + { + "ranking": 1673, + "title": "Memoir of a Murderer", + "year": "2017", + "runtime": 118, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.4, + "vote_count": 314, + "description": "A former serial killer with Alzheimer's fights to protect his daughter from her mysterious boyfriend who may be a serial killer too.", + "poster": "https://image.tmdb.org/t/p/w500/eTdvO9AwJrxq02iYf4Lu5qA0fNc.jpg", + "url": "https://www.themoviedb.org/movie/432836", + "genres": [ + "Crime", + "Mystery", + "Thriller" + ], + "tags": [ + "based on novel or book", + "dementia", + "alzheimer's disease", + "serial killer" + ] + }, + { + "ranking": 1680, + "title": "La Vie en Rose", + "year": "2007", + "runtime": 140, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.4, + "vote_count": 1635, + "description": "From the mean streets of the Belleville district of Paris to the dazzling limelight of New York's most famous concert halls, Edith Piaf's life was a constant battle to sing and survive, to live and love. Raised in her grandmother's brothel, Piaf was discovered in 1935 by nightclub owner Louis Leplee, who persuaded her to sing despite her extreme nervousness. Piaf became one of France's immortal icons, her voice one of the indelible signatures of the 20th century.", + "poster": "https://image.tmdb.org/t/p/w500/3b9DAONAsFRhJKu25R33PE3VwDh.jpg", + "url": "https://www.themoviedb.org/movie/1407", + "genres": [ + "Music", + "Drama" + ], + "tags": [ + "france", + "musical", + "biography", + "singer", + "female protagonist", + "audience", + "blindness", + "national anthem" + ] + }, + { + "ranking": 1671, + "title": "The Raid", + "year": "2012", + "runtime": 101, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.4, + "vote_count": 3525, + "description": "Deep in the heart of Jakarta's slums lies an impenetrable safe house for the world's most dangerous killers and gangsters. Until now, the run-down apartment block has been considered untouchable to even the bravest of police. Cloaked under the cover of pre-dawn darkness and silence, an elite swat team is tasked with raiding the safe house in order to take down the notorious drug lord that runs it. But when a chance encounter with a spotter blows their cover and news of their assault reaches the drug lord, the building's lights are cut and all the exits blocked. Stranded on the sixth floor with no way out, the unit must fight their way through the city's worst to survive their mission. Starring Indonesian martial arts sensation Iko Uwais.", + "poster": "https://image.tmdb.org/t/p/w500/Abnm1Ws3JH0ReCfEhLMPwPcMcGO.jpg", + "url": "https://www.themoviedb.org/movie/94329", + "genres": [ + "Action", + "Thriller", + "Crime" + ], + "tags": [ + "martial arts", + "crime boss", + "tenement", + "high rise", + "monitor", + "tower block", + "jakarta indonesia", + "swat", + "aggressive", + "powerful" + ] + }, + { + "ranking": 1662, + "title": "Leviathan", + "year": "2014", + "runtime": 141, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.404, + "vote_count": 872, + "description": "In a Russian coastal town, Kolya is forced to fight the corrupt mayor when he is told that his house will be demolished. He recruits a lawyer friend to help, but the man's arrival brings further misfortune for Kolya and his family.", + "poster": "https://image.tmdb.org/t/p/w500/dwmHSBBiu2ow271zrQ33rPKZDSC.jpg", + "url": "https://www.themoviedb.org/movie/265180", + "genres": [ + "Drama", + "Crime" + ], + "tags": [ + "small town", + "mayor", + "car mechanic", + "political corruption", + "coastal town", + "russian" + ] + }, + { + "ranking": 1679, + "title": "His Girl Friday", + "year": "1940", + "runtime": 92, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.4, + "vote_count": 855, + "description": "Walter Burns is an irresistibly conniving newspaper publisher desperate to woo back his paper’s star reporter, who also happens to be his estranged wife. She’s threatening to quit and settle down with a new beau, but, as Walter knows, she has a weakness: she can’t resist a juicy scoop.", + "poster": "https://image.tmdb.org/t/p/w500/lu86Y9zTPH3neCiUzLzHCEFHf7f.jpg", + "url": "https://www.themoviedb.org/movie/3085", + "genres": [ + "Comedy", + "Romance" + ], + "tags": [ + "prison", + "journalist", + "suicide", + "journalism", + "based on play or musical", + "wager", + "fugitive", + "black and white", + "screwball comedy", + "corrupt politician", + "newspaper editor", + "insurance agent", + "fiancé fiancée relationship", + "press room", + "political corruption", + "rolltop desk", + "reprieve", + "criterion", + "bride-to-be", + "ex spouses", + "imminent execution", + "convicted murderer", + "comedy of remarriage" + ] + }, + { + "ranking": 1677, + "title": "Interstate 60", + "year": "2002", + "runtime": 116, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.399, + "vote_count": 704, + "description": "An aspiring painter meets various characters and learns valuable lessons while traveling across America.", + "poster": "https://image.tmdb.org/t/p/w500/zZQt29qBWLoVVOo8HEFzFYRAgYQ.jpg", + "url": "https://www.themoviedb.org/movie/20312", + "genres": [ + "Adventure", + "Comedy", + "Fantasy" + ], + "tags": [ + "motel", + "highway", + "convertible", + "surrealism", + "road trip", + "dream girl", + "judgment", + "lawyer", + "parallel world", + "courtroom", + "inspirational", + "romantic" + ] + }, + { + "ranking": 1681, + "title": "Boys Don't Cry", + "year": "1999", + "runtime": 118, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.399, + "vote_count": 1357, + "description": "A young transgender man explores his gender identity and searches for love in rural Nebraska.", + "poster": "https://image.tmdb.org/t/p/w500/eB505ycEhFVfMwGglIzXNUyKAIs.jpg", + "url": "https://www.themoviedb.org/movie/226", + "genres": [ + "Crime", + "Drama" + ], + "tags": [ + "small town", + "rape", + "identity", + "based on true story", + "romance", + "love", + "friends", + "murder", + "anger", + "hate crime", + "woman director", + "nebraska", + "trans man", + "small town murder", + "transphobia", + "gender identity", + "1990s", + "rural town" + ] + }, + { + "ranking": 1683, + "title": "Happy as Lazzaro", + "year": "2018", + "runtime": 128, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.4, + "vote_count": 720, + "description": "Purehearted teen Lazzaro is content living as a sharecropper in rural Italy, but an unlikely friendship with the marquise’s son will change his world.", + "poster": "https://image.tmdb.org/t/p/w500/j4x1O6G0cbchHQwNsEZ0DntOJMJ.jpg", + "url": "https://www.themoviedb.org/movie/481432", + "genres": [ + "Drama", + "Fantasy" + ], + "tags": [ + "wolf", + "rural area", + "magic realism", + "sharecropper" + ] + }, + { + "ranking": 1682, + "title": "The Idea of You", + "year": "2024", + "runtime": 116, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.4, + "vote_count": 1650, + "description": "40-year-old single mom Solène begins an unexpected romance with 24-year-old Hayes Campbell, the lead singer of August Moon, the hottest boy band on the planet. As they begin a whirlwind romance, it isn't long before Hayes' superstar status poses unavoidable challenges to their relationship, and Solène soon discovers that life in the glare of his spotlight might be more than she bargained for.", + "poster": "https://image.tmdb.org/t/p/w500/Y5P4Q3q8nrruZ9aD3wXeJS2Plg.jpg", + "url": "https://www.themoviedb.org/movie/843527", + "genres": [ + "Romance", + "Drama", + "Comedy" + ], + "tags": [ + "based on novel or book", + "age difference", + "singer", + "forty something", + "single mother", + "older woman younger man relationship", + "boy band", + "loving" + ] + }, + { + "ranking": 1685, + "title": "The Basketball Diaries", + "year": "1995", + "runtime": 102, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.397, + "vote_count": 2032, + "description": "A high school basketball player’s life turns upside down after free-falling into the harrowing world of drug addiction.", + "poster": "https://image.tmdb.org/t/p/w500/AhvO1GGDPIgN0hOqZEgaFCbswMK.jpg", + "url": "https://www.themoviedb.org/movie/10474", + "genres": [ + "Drama", + "Crime" + ], + "tags": [ + "new york city", + "sports", + "heroin", + "addiction", + "basketball", + "friends", + "based on memoir or autobiography", + "drugs", + "1960s", + "school suspension", + "gay theme", + "teenager" + ] + }, + { + "ranking": 1689, + "title": "Once", + "year": "2007", + "runtime": 85, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.4, + "vote_count": 1334, + "description": "A vacuum repairman moonlights as a street musician and hopes for his big break. One day a Czech immigrant, who earns a living selling flowers, approaches him with the news that she is also an aspiring singer-songwriter. The pair decide to collaborate, and the songs that they compose reflect the story of their blossoming love.", + "poster": "https://image.tmdb.org/t/p/w500/pNrBQVwYbdnipkBq1HXl52UIePq.jpg", + "url": "https://www.themoviedb.org/movie/5723", + "genres": [ + "Drama", + "Music", + "Romance" + ], + "tags": [ + "rock 'n' roll", + "lovesickness", + "love of one's life", + "composer", + "pop", + "music instrument", + "lovers", + "dublin, ireland", + "recording studio", + "pianist", + "ireland", + "music store", + "street musician", + "songwriting", + "recording session", + "street singer", + "busking" + ] + }, + { + "ranking": 1688, + "title": "Justice League: Doom", + "year": "2012", + "runtime": 77, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.4, + "vote_count": 871, + "description": "An adaptation of Mark Waid's \"Tower of Babel\" story from the JLA comic. Vandal Savage steals confidential files Batman has compiled on the members of the Justice League, and learns all their weaknesses.", + "poster": "https://image.tmdb.org/t/p/w500/seCbcjdZYUl8SRKjeWfyi2ngzFj.jpg", + "url": "https://www.themoviedb.org/movie/76589", + "genres": [ + "Action", + "Animation", + "Science Fiction", + "Fantasy" + ], + "tags": [ + "based on comic", + "super power", + "superhero team", + "woman director" + ] + }, + { + "ranking": 1693, + "title": "Zulu", + "year": "1964", + "runtime": 138, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.4, + "vote_count": 526, + "description": "In 1879, during the Anglo-Zulu War, man-of-the-people Lt. Chard and snooty Lt. Bromhead are in charge of defending the isolated and vastly outnumbered Natal outpost of Rorke's Drift from tribal hordes.", + "poster": "https://image.tmdb.org/t/p/w500/43ddKmYjzNrvS7xvHVwtq03N6xP.jpg", + "url": "https://www.themoviedb.org/movie/14433", + "genres": [ + "Action", + "Drama", + "History", + "War" + ], + "tags": [ + "africa", + "south africa", + "british army", + "british empire", + "based on true story", + "mixed martial arts (mma)", + "attempted rape", + "zulu", + "tribal warfare", + "19th century", + "thoughtful", + "dramatic" + ] + }, + { + "ranking": 1684, + "title": "Joyeux Noel", + "year": "2005", + "runtime": 116, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.4, + "vote_count": 878, + "description": "France, 1914, during World War I. On Christmas Eve, an extraordinary event takes place in the bloody no man's land that the French and the Scots dispute with the Germans…", + "poster": "https://image.tmdb.org/t/p/w500/9Ka8lKCIiWjnZiMslPQeakS5UhW.jpg", + "url": "https://www.themoviedb.org/movie/11661", + "genres": [ + "Drama", + "War", + "Romance", + "History" + ], + "tags": [ + "world war i", + "based on true story", + "truce", + "opera singer", + "christmas", + "1910s", + "trench warfare", + "no man's land", + "christmas eve" + ] + }, + { + "ranking": 1691, + "title": "Tarzan", + "year": "1999", + "runtime": 88, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.394, + "vote_count": 6877, + "description": "Tarzan was a small orphan who was raised by an ape named Kala since he was a child. He believed that this was his family, but on an expedition Jane Porter is rescued by Tarzan. He then finds out that he's human. Now Tarzan must make the decision as to which family he should belong to...", + "poster": "https://image.tmdb.org/t/p/w500/bTvHlcqiOjGa3lFtbrTLTM3zasY.jpg", + "url": "https://www.themoviedb.org/movie/37135", + "genres": [ + "Family", + "Adventure", + "Animation", + "Drama" + ], + "tags": [ + "baby", + "africa", + "gorilla", + "adoption", + "cartoon", + "villain", + "feral child", + "tarzan", + "nest", + "anthropomorphism", + "jungle", + "camp", + "orphan" + ] + }, + { + "ranking": 1697, + "title": "Mr. Church", + "year": "2016", + "runtime": 104, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.393, + "vote_count": 475, + "description": "A unique friendship develops when a little girl and her dying mother inherit a cook - Mr. Church. What begins as an arrangement that should only last six months, instead spans fifteen years.", + "poster": "https://image.tmdb.org/t/p/w500/lZSsoVeBi9wTI8fyWz1DRkxoWl1.jpg", + "url": "https://www.themoviedb.org/movie/374461", + "genres": [ + "Drama" + ], + "tags": [ + "friendship", + "family", + "somber", + "reflective", + "inspirational", + "factual", + "gentle", + "hopeful" + ] + }, + { + "ranking": 1690, + "title": "Monster Pets: A Hotel Transylvania Short", + "year": "2021", + "runtime": 6, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.4, + "vote_count": 398, + "description": "Drac tries out some new monster pets to help occupy Tinkles for playtime.", + "poster": "https://image.tmdb.org/t/p/w500/dkokENeY5Ka30BFgWAqk14mbnGs.jpg", + "url": "https://www.themoviedb.org/movie/813258", + "genres": [ + "Animation", + "Comedy", + "Fantasy" + ], + "tags": [ + "monster", + "pet", + "dog", + "animals", + "pets", + "dracula", + "short film" + ] + }, + { + "ranking": 1698, + "title": "Dragon Ball: The Path to Power", + "year": "1996", + "runtime": 80, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.4, + "vote_count": 368, + "description": "A retelling of Dragon Ball's origin with a different take on the meeting of Goku, Bulma, and Kame-Sen'nin. It also retells the Red Ribbon Army story; but this time they find Goku rather than Goku finding them.", + "poster": "https://image.tmdb.org/t/p/w500/eZkTQ4epHmVygmNnUCGAOzFqQH9.jpg", + "url": "https://www.themoviedb.org/movie/39148", + "genres": [ + "Animation", + "Adventure", + "Fantasy" + ], + "tags": [ + "android", + "martial arts", + "resurrection", + "remake", + "quest", + "shounen", + "anime" + ] + }, + { + "ranking": 1686, + "title": "The Mission", + "year": "1986", + "runtime": 126, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.396, + "vote_count": 1426, + "description": "When a Spanish Jesuit goes into the South American wilderness to build a mission in the hope of converting the Indians of the region, a slave hunter is converted and joins his mission. When Spain sells the colony to Portugal, they are forced to defend all they have built against the Portuguese aggressors.", + "poster": "https://image.tmdb.org/t/p/w500/6K9cG6LOOtySZF4D4xBu1MApC1N.jpg", + "url": "https://www.themoviedb.org/movie/11416", + "genres": [ + "Adventure", + "Drama", + "Action", + "History" + ], + "tags": [ + "mission", + "resistance", + "christianity", + "religious conversion", + "waterfall", + "jungle", + "argentina", + "colonisation", + "south america", + "18th century", + "aftercreditsstinger", + "jesuits (society of jesus)", + "indigenous peoples", + "assimilation", + "portuguese colonialism", + "guaraní", + "colonial brazil" + ] + }, + { + "ranking": 1692, + "title": "Red Desert", + "year": "1964", + "runtime": 117, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.4, + "vote_count": 464, + "description": "In an industrializing Italian town, a married woman, rendered mentally unstable after a traffic accident, drifts into an affair with a friend of her husband.", + "poster": "https://image.tmdb.org/t/p/w500/rGcTVdyhaGzMxPPRVApXre6F7SD.jpg", + "url": "https://www.themoviedb.org/movie/26638", + "genres": [ + "Drama" + ], + "tags": [ + "adultery", + "depression", + "factory", + "husband wife relationship", + "italy", + "fog", + "loneliness", + "disturbed", + "mother son relationship" + ] + }, + { + "ranking": 1687, + "title": "Taken", + "year": "2008", + "runtime": 94, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.4, + "vote_count": 11418, + "description": "Bryan Mills, a former government operative, is trying to reconnect with his teenage daughter Kim. After reluctantly agreeing with his ex-wife to let Kim go to Paris on vacation with a friend, his worst nightmare comes true. While on the phone with his daughter shortly after she arrives in Paris, she and her friend are abducted by a gang of human traffickers. Working against the clock, Bryan relies on his extensive training and skills to track down the ruthless gang that abducted her and launch a one-man war to rescue his daughter.", + "poster": "https://image.tmdb.org/t/p/w500/y5Va1WXDX6nZElVirPrGxf6w99B.jpg", + "url": "https://www.themoviedb.org/movie/8681", + "genres": [ + "Action", + "Thriller" + ], + "tags": [ + "rescue", + "paris, france", + "kidnapping", + "prostitution", + "sex trafficking", + "albanian", + "missing daughter", + "ex special forces", + "ex-cia agent", + "abduction", + "search for daughter", + "army veteran" + ] + }, + { + "ranking": 1700, + "title": "Boy", + "year": "2010", + "runtime": 87, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.4, + "vote_count": 429, + "description": "Boy, an 11-year-old child and devout Michael Jackson fan who lives on the east coast of New Zealand in 1984, gets a chance to know his absentee criminal father, who has returned to find a bag of money he buried years ago.", + "poster": "https://image.tmdb.org/t/p/w500/jOcwOnCwTbCvJm7jAbeSo4Jgv0H.jpg", + "url": "https://www.themoviedb.org/movie/39356", + "genres": [ + "Drama", + "Comedy" + ], + "tags": [ + "farm", + "new zealand", + "maori", + "goat", + "coming of age", + "grief", + "dead mother", + "duringcreditsstinger", + "1980s", + "kids on their own", + "father son relationship" + ] + }, + { + "ranking": 1695, + "title": "As Good as It Gets", + "year": "1997", + "runtime": 139, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.394, + "vote_count": 3845, + "description": "Melvin Udall, a cranky, bigoted, obsessive-compulsive writer of romantic fiction, is rude to everyone he meets, including his gay neighbor, Simon. After Simon is brutally attacked and hospitalized, Melvin finds his life turned upside down when he has to look after Simon's dog. In addition, Carol, the only waitress at the local diner who will tolerate him, leaves work to care for her chronically ill son, making it impossible for Melvin to eat breakfast.", + "poster": "https://image.tmdb.org/t/p/w500/xXxuJPNUDZ0vjsAXca0O5p3leVB.jpg", + "url": "https://www.themoviedb.org/movie/2898", + "genres": [ + "Drama", + "Comedy", + "Romance" + ], + "tags": [ + "new york city", + "friendship", + "waitress", + "single parent", + "restaurant", + "lone wolf", + "dogsitter", + "road trip", + "racist", + "neighbor", + "author", + "obsessive compulsive disorder (ocd)", + "single mother", + "home invasion", + "dog", + "novelist", + "art dealer", + "rude", + "obnoxious", + "unlikely friendship", + "hospitalization", + "painter as artist", + "generosity", + "mother son relationship", + "dog owner", + "gay artist", + "unexpected romance", + "daily routine", + "child with illness", + "homophobic" + ] + }, + { + "ranking": 1696, + "title": "Inside Man", + "year": "2006", + "runtime": 129, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.4, + "vote_count": 5916, + "description": "When an armed, masked gang enter a Manhattan bank, lock the doors and take hostages, the detective assigned to effect their release enters negotiations preoccupied with corruption charges he is facing.", + "poster": "https://image.tmdb.org/t/p/w500/ffMUgkDZICNiyaws1Jkv8qG8uFW.jpg", + "url": "https://www.themoviedb.org/movie/388", + "genres": [ + "Crime", + "Drama", + "Thriller" + ], + "tags": [ + "new york city", + "nazi", + "court case", + "kidnapping", + "hostage", + "bank", + "bank manager", + "ultimatum", + "heist", + "anti-semitism", + "police detective", + "bank robbery", + "hostage situation", + "financial transactions", + "bank vault", + "dark past", + "manhattan, new york city", + "secret past", + "crooked banker", + "secret", + "public figure" + ] + }, + { + "ranking": 1699, + "title": "Selma", + "year": "2014", + "runtime": 127, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.392, + "vote_count": 2213, + "description": "\"Selma,\" as in Alabama, the place where segregation in the South was at its worst, leading to a march that ended in violence, forcing a famous statement by President Lyndon B. Johnson that ultimately led to the signing of the Voting Rights Act.", + "poster": "https://image.tmdb.org/t/p/w500/wq4lhMc4BuOyQqe1ZGzhxLyy3Uk.jpg", + "url": "https://www.themoviedb.org/movie/273895", + "genres": [ + "History", + "Drama" + ], + "tags": [ + "alabama", + "civil rights", + "martin luther king", + "president", + "protest march", + "woman director", + "selma", + "1960s", + "african american history" + ] + }, + { + "ranking": 1694, + "title": "My Girl", + "year": "1991", + "runtime": 103, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.4, + "vote_count": 2124, + "description": "Vada Sultenfuss is obsessed with death. Her mother is dead, and her father runs a funeral parlor. She is also in love with her English teacher, and joins a poetry class over the summer just to impress him. Thomas J., her best friend, is \"allergic to everything\", and sticks with Vada despite her hangups. When Vada's father hires Shelly, and begins to fall for her, things take a turn to the worse...", + "poster": "https://image.tmdb.org/t/p/w500/qyJJNHteA7BUwQSey05t7qP4vRV.jpg", + "url": "https://www.themoviedb.org/movie/4032", + "genres": [ + "Comedy", + "Drama" + ], + "tags": [ + "friendship", + "1970s", + "beehive", + "remarriage", + "neighbor", + "death", + "writing workshop", + "makeup artist", + "camper", + "cosmetologist", + "death in childbirth", + "tuba", + "funeral parlor", + "childhood crush", + "father daughter relationship" + ] + }, + { + "ranking": 1701, + "title": "Boy", + "year": "2010", + "runtime": 87, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.4, + "vote_count": 429, + "description": "Boy, an 11-year-old child and devout Michael Jackson fan who lives on the east coast of New Zealand in 1984, gets a chance to know his absentee criminal father, who has returned to find a bag of money he buried years ago.", + "poster": "https://image.tmdb.org/t/p/w500/jOcwOnCwTbCvJm7jAbeSo4Jgv0H.jpg", + "url": "https://www.themoviedb.org/movie/39356", + "genres": [ + "Drama", + "Comedy" + ], + "tags": [ + "farm", + "new zealand", + "maori", + "goat", + "coming of age", + "grief", + "dead mother", + "duringcreditsstinger", + "1980s", + "kids on their own", + "father son relationship" + ] + }, + { + "ranking": 1707, + "title": "The Devil Wears Prada", + "year": "2006", + "runtime": 109, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.391, + "vote_count": 12244, + "description": "Andy moves to New York to work in the fashion industry. Her boss is extremely demanding, cruel and won't let her succeed if she doesn't fit into the high class elegant look of their magazine.", + "poster": "https://image.tmdb.org/t/p/w500/1LwW0W0Zyik00OmQPTnCUjmCh1C.jpg", + "url": "https://www.themoviedb.org/movie/350", + "genres": [ + "Drama", + "Comedy" + ], + "tags": [ + "new york city", + "journalist", + "paris, france", + "based on novel or book", + "journalism", + "fashion journal", + "assistant", + "job entrant", + "job interview", + "editor-in-chief", + "fashion", + "fashion magazine", + "bullied", + "city life", + "fashion industry", + "bold" + ] + }, + { + "ranking": 1706, + "title": "Clerks", + "year": "1994", + "runtime": 92, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.391, + "vote_count": 2555, + "description": "Convenience and video store clerks Dante and Randal are sharp-witted, potty-mouthed and bored out of their minds. So in between needling customers, the counter jockeys play hockey on the roof, visit a funeral home and deal with their love lives.", + "poster": "https://image.tmdb.org/t/p/w500/9IiSgiq4h4siTIS9H3o4nZ3h5L9.jpg", + "url": "https://www.themoviedb.org/movie/2292", + "genres": [ + "Comedy" + ], + "tags": [ + "salesclerk", + "work", + "loser", + "male friendship", + "junk food", + "black and white", + "aftercreditsstinger", + "day in a life", + "workplace comedy", + "wry" + ] + }, + { + "ranking": 1704, + "title": "The Triplets of Belleville", + "year": "2003", + "runtime": 80, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.4, + "vote_count": 953, + "description": "When her grandson is kidnapped during the Tour de France, Madame Souza and her beloved pooch Bruno team up with the Belleville Sisters—an aged song-and-dance team from the days of Fred Astaire—to rescue him.", + "poster": "https://image.tmdb.org/t/p/w500/enw6C4fDw88g0nOQgIJXjgH3NHi.jpg", + "url": "https://www.themoviedb.org/movie/9662", + "genres": [ + "Animation", + "Comedy", + "Drama", + "Family" + ], + "tags": [ + "france", + "kidnapping", + "biker", + "tour de france", + "mafia", + "dog", + "triplet", + "band singer", + "silent film", + "adult animation", + "old woman" + ] + }, + { + "ranking": 1714, + "title": "The Umbrellas of Cherbourg", + "year": "1964", + "runtime": 92, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.4, + "vote_count": 805, + "description": "This simple romantic tragedy begins in 1957. Guy Foucher, a 20-year-old French auto mechanic, has fallen in love with 17-year-old Geneviève Emery, an employee in her widowed mother's chic but financially embattled umbrella shop. On the evening before Guy is to leave for a two-year tour of combat in Algeria, he and Geneviève make love. She becomes pregnant and must choose between waiting for Guy's return or accepting an offer of marriage from a wealthy diamond merchant.", + "poster": "https://image.tmdb.org/t/p/w500/tAgTf64XKK5ir7w5C7dnB53jWWG.jpg", + "url": "https://www.themoviedb.org/movie/5967", + "genres": [ + "Drama", + "Romance" + ], + "tags": [ + "car mechanic", + "letter", + "normandy, france", + "musical", + "single", + "umbrella", + "1950s", + "1960s", + "somber", + "cherbourg, france", + "earnest" + ] + }, + { + "ranking": 1703, + "title": "American Me", + "year": "1992", + "runtime": 125, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.4, + "vote_count": 367, + "description": "During his 18 years in Folsom Prison, street-gang leader Santana rules over all the drug-and-murder activities behind bars. Upon his release, Santana goes back to his old neighborhood, intending to lead a peaceful, crime-free life. But his old gang buddies force him back into his old habits.", + "poster": "https://image.tmdb.org/t/p/w500/mrcdh66L6K1Nb5xPORuZufvE9aE.jpg", + "url": "https://www.themoviedb.org/movie/13199", + "genres": [ + "Crime", + "Drama" + ], + "tags": [ + "prison", + "juvenile prison", + "jail", + "east los angeles", + "hood", + "gang", + "racism", + "mexican american", + "lowrider" + ] + }, + { + "ranking": 1713, + "title": "Miss You Already", + "year": "2015", + "runtime": 112, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.4, + "vote_count": 670, + "description": "The friendship between two life-long girlfriends is put to the test when one starts a family and the other falls ill.", + "poster": "https://image.tmdb.org/t/p/w500/eQ9ra8OrZML5w9A4yib8tscgDbY.jpg", + "url": "https://www.themoviedb.org/movie/290762", + "genres": [ + "Comedy", + "Drama" + ], + "tags": [ + "friendship", + "pregnancy", + "female friendship", + "love", + "cancer", + "best friend", + "relationship", + "family", + "woman director" + ] + }, + { + "ranking": 1711, + "title": "Neon Genesis Evangelion: Death and Rebirth", + "year": "1997", + "runtime": 101, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.389, + "vote_count": 453, + "description": "Originally a collection of clips from the Neon Genesis Evangelion TV series, Death was created as a precursor to the re-worked ending of the series. Rebirth was intended as that re-worked ending, but after production overruns Rebirth became only the first half of the first part of The End of Evangelion, with some minor differences.", + "poster": "https://image.tmdb.org/t/p/w500/lXBjqzo6c4NyLuJtqOiH39kswji.jpg", + "url": "https://www.themoviedb.org/movie/21832", + "genres": [ + "Animation", + "Drama", + "Science Fiction" + ], + "tags": [ + "surrealism", + "mecha", + "giant robot", + "piloted robot", + "compilation", + "edited from tv series", + "anime", + "based on tv series" + ] + }, + { + "ranking": 1712, + "title": "The Last Letter from Your Lover", + "year": "2021", + "runtime": 110, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.4, + "vote_count": 614, + "description": "A young journalist in London becomes obsessed with a series of letters she discovers that recounts an intense star-crossed love affair from the 1960s.", + "poster": "https://image.tmdb.org/t/p/w500/fDKK51YdOfu9pTmSRw7sHUhGFxm.jpg", + "url": "https://www.themoviedb.org/movie/638449", + "genres": [ + "Drama", + "Romance" + ], + "tags": [ + "london, england", + "based on novel or book", + "cheating", + "manipulation", + "love letter", + "french riviera", + "car accident", + "love affair", + "nonlinear timeline", + "female journalist", + "woman director", + "1960s", + "lost memory" + ] + }, + { + "ranking": 1705, + "title": "Legends of the Fall", + "year": "1994", + "runtime": 133, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.4, + "vote_count": 2634, + "description": "In early 20th-century Montana, Col. William Ludlow lives on a ranch in the wilderness with his sons, Alfred, Tristan, and Samuel. Eventually, the unconventional but close-knit family are bound by loyalty, tested by war, and torn apart by love, as told over the course of several decades in this epic saga.", + "poster": "https://image.tmdb.org/t/p/w500/t1KPGlW0UGd0m515LPQmk2F4nu1.jpg", + "url": "https://www.themoviedb.org/movie/4476", + "genres": [ + "Drama", + "Western", + "Romance", + "War", + "Action" + ], + "tags": [ + "sibling relationship", + "post-traumatic stress disorder (ptsd)", + "based on novel or book", + "world war i", + "journey around the world", + "montana", + "loyalty", + "ranch", + "affectation", + "native american", + "tragedy", + "interracial marriage", + "sibling rivalry", + "falling in love", + "interracial friendship", + "1910s", + "1900s", + "political aspiration", + "father son relationship", + "brother brother relationship", + "prohibition", + "beautiful landscapes", + "melodramatic", + "u.s. army soldier" + ] + }, + { + "ranking": 1720, + "title": "Mon Oncle", + "year": "1958", + "runtime": 118, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.387, + "vote_count": 556, + "description": "Genial, bumbling Monsieur Hulot loves his top-floor apartment in a grimy corner of the city, and cannot fathom why his sister's family has moved to the suburbs. Their house is an ultra-modern nightmare, which Hulot only visits for the sake of stealing away his rambunctious young nephew. Hulot's sister, however, wants to win him over to her new way of life, and conspires to set him up with a wife and job.", + "poster": "https://image.tmdb.org/t/p/w500/wH6RyPiXFy8INLbViVkchLVOmBc.jpg", + "url": "https://www.themoviedb.org/movie/427", + "genres": [ + "Comedy" + ], + "tags": [ + "factory worker", + "paris, france", + "parent child relationship", + "city portrait", + "modernity", + "new building", + "brother-in-law", + "suburb", + "housekeeper", + "sarcastic" + ] + }, + { + "ranking": 1719, + "title": "Mad Max 2", + "year": "1981", + "runtime": 96, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.4, + "vote_count": 3845, + "description": "Max Rockatansky returns as the heroic loner who drives the dusty roads of a postapocalyptic Australian Outback in an unending search for gasoline. Arrayed against him and the other scraggly defendants of a fuel-depot encampment are the bizarre warriors commanded by the charismatic Lord Humungus, a violent leader whose scruples are as barren as the surrounding landscape.", + "poster": "https://image.tmdb.org/t/p/w500/l1KVEhkGDpWRzQ0VqIhZqDDuOim.jpg", + "url": "https://www.themoviedb.org/movie/8810", + "genres": [ + "Adventure", + "Action", + "Thriller", + "Science Fiction" + ], + "tags": [ + "mask", + "australia", + "chase", + "explosive", + "dystopia", + "boomerang", + "deal", + "post-apocalyptic future", + "exploitation", + "pilot", + "villain", + "feral child", + "community", + "ex-cop", + "sequel", + "truck", + "oil", + "wasteland", + "gang rape", + "motorcycle gang", + "dog", + "desolate", + "oil refinery", + "music box", + "adventurer", + "oil tanker", + "wanderer", + "angry", + "frantic", + "grim", + "action hero", + "good versus evil", + "post-apocalyptic", + "antagonistic", + "exuberant", + "forceful", + "harsh", + "ominous", + "urgent" + ] + }, + { + "ranking": 1709, + "title": "Z-O-M-B-I-E-S 3", + "year": "2022", + "runtime": 88, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.4, + "vote_count": 396, + "description": "Zed and Addison are beginning their final year at Seabrook High in the town that’s become a safe haven for monsters and humans alike. Zed is anticipating an athletic scholarship that will make him the first Zombie to attend college, while Addison is gearing up for Seabrook’s first international cheer-off competition. Then suddenly, extraterrestrial beings appear around Seabrook, provoking something other than friendly competition.", + "poster": "https://image.tmdb.org/t/p/w500/d77E4mv8FvqPsTunLNNvqiX7Hd4.jpg", + "url": "https://www.themoviedb.org/movie/809107", + "genres": [ + "Fantasy", + "Comedy", + "Family", + "TV Movie" + ], + "tags": [ + "high school", + "musical", + "alien", + "high school graduation", + "zombie", + "alien contact" + ] + }, + { + "ranking": 1717, + "title": "Black Hawk Down", + "year": "2001", + "runtime": 145, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.4, + "vote_count": 5874, + "description": "When U.S. Rangers and an elite Delta Force team attempt to kidnap two underlings of a Somali warlord, their Black Hawk helicopters are shot down, and the Americans suffer heavy casualties, facing intense fighting from the militia on the ground.", + "poster": "https://image.tmdb.org/t/p/w500/imGygQbmuc7gC1JZiAVhJLsUWXq.jpg", + "url": "https://www.themoviedb.org/movie/855", + "genres": [ + "Action", + "War", + "History" + ], + "tags": [ + "based on novel or book", + "ambush", + "chaos", + "militia", + "prisoner of war", + "wound", + "somalia", + "warlord", + "famine", + "arms dealer", + "based on true story", + "delta force", + "gunfight", + "combat", + "us military", + "aggressive", + "1990s", + "somber", + "helicopter crash", + "mogadishu", + "rescue operation", + "peacekeeper", + "soldiers", + "street shootout", + "suspenseful", + "commanding" + ] + }, + { + "ranking": 1708, + "title": "Pain and Glory", + "year": "2019", + "runtime": 114, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.39, + "vote_count": 1804, + "description": "Salvador Mallo, a filmmaker in the twilight of his career, remembers his life: his mother, his lovers, the actors he worked with. The sixties in a small village in Valencia, the eighties in Madrid, the present, when he feels an immeasurable emptiness, facing his mortality, the incapability of continuing filming, the impossibility of separating creation from his own life. The need of narrating his past can be his salvation.", + "poster": "https://image.tmdb.org/t/p/w500/cMlueArJXXwZbeLpb4NhC3pxmBk.jpg", + "url": "https://www.themoviedb.org/movie/519010", + "genres": [ + "Drama" + ], + "tags": [ + "drug abuse", + "madrid, spain", + "cinema on cinema", + "movie business", + "creative crisis", + "sexual awakening", + "valencia, spain", + "chronic pain", + "film director", + "mother son relationship", + "theatrical production", + "gay theme", + "gay artist", + "earnest" + ] + }, + { + "ranking": 1702, + "title": "The Piano", + "year": "1993", + "runtime": 120, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.4, + "vote_count": 1530, + "description": "When an arranged marriage brings Ada and her spirited daughter to the wilderness of nineteenth-century New Zealand, she finds herself locked in a battle of wills with both her controlling husband and a rugged frontiersman to whom she develops a forbidden attraction.", + "poster": "https://image.tmdb.org/t/p/w500/rx8RKXn8OtuS6lqloYsjyrGOUp4.jpg", + "url": "https://www.themoviedb.org/movie/713", + "genres": [ + "Drama", + "Romance" + ], + "tags": [ + "adultery", + "secret love", + "beach", + "jealousy", + "love triangle", + "isolation", + "culture clash", + "sexuality", + "arranged marriage", + "strangeness", + "violent husband", + "new zealand", + "maori", + "settler", + "wilderness", + "mute", + "pianist", + "playing piano", + "woman director", + "sign languages", + "piano", + "19th century", + "severed finger", + "mother daughter relationship" + ] + }, + { + "ranking": 1718, + "title": "PAW Patrol: The Movie", + "year": "2021", + "runtime": 86, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.4, + "vote_count": 1223, + "description": "Ryder and the pups are called to Adventure City to stop Mayor Humdinger from turning the bustling metropolis into a state of chaos.", + "poster": "https://image.tmdb.org/t/p/w500/jXavWyam2VPR6bOhLwwuP3K2Hw4.jpg", + "url": "https://www.themoviedb.org/movie/675445", + "genres": [ + "Family", + "Comedy", + "Adventure", + "Animation" + ], + "tags": [ + "cartoon", + "dog", + "animals", + "kids" + ] + }, + { + "ranking": 1710, + "title": "Falling Down", + "year": "1993", + "runtime": 113, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.39, + "vote_count": 3745, + "description": "An ordinary man frustrated with the various flaws he sees in society begins to psychotically and violently lash out against them.", + "poster": "https://image.tmdb.org/t/p/w500/7ujqyF96Zg3rfrsh9M0cEF0Yzqj.jpg", + "url": "https://www.themoviedb.org/movie/37094", + "genres": [ + "Crime", + "Drama", + "Thriller" + ], + "tags": [ + "detective", + "rocket launcher", + "retirement", + "traffic jam", + "gang", + "los angeles, california", + "divorce", + "anger", + "cynical", + "psychotic", + "inequality", + "road rage", + "urban decay", + "laid off", + "disturbed", + "aggressive", + "philosophical", + "unassuming", + "price gouging", + "cautionary", + "suspenseful", + "critical", + "intense", + "antagonistic", + "farcical" + ] + }, + { + "ranking": 1715, + "title": "That Time I Got Reincarnated as a Slime the Movie: Scarlet Bond", + "year": "2022", + "runtime": 108, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.4, + "vote_count": 407, + "description": "A long-running conspiracy is swirling over a mysterious power wielded by the Queen in Raja, a small country west of Tempest. When a slime who evolved into a Demon Lord named Rimuru Tempest crosses paths with Hiiro, a survivor of the Ogre race, an incredible adventure packed with new characters begins. The power of bonds will be put to the test!", + "poster": "https://image.tmdb.org/t/p/w500/xITip9n9uMAUA0TU6niMXU2tbh0.jpg", + "url": "https://www.themoviedb.org/movie/876792", + "genres": [ + "Animation", + "Fantasy", + "Adventure" + ], + "tags": [ + "slime", + "reincarnation", + "demon", + "goblin", + "shounen", + "anime", + "other world", + "adventure" + ] + }, + { + "ranking": 1716, + "title": "The Woman in the Window", + "year": "1944", + "runtime": 107, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.4, + "vote_count": 349, + "description": "A seductive woman gets an innocent professor mixed up in murder.", + "poster": "https://image.tmdb.org/t/p/w500/i8jDpAWByVYaQZJXbsg8XqDOF5y.jpg", + "url": "https://www.themoviedb.org/movie/17136", + "genres": [ + "Thriller", + "Crime", + "Drama" + ], + "tags": [ + "dreams", + "window", + "scissors", + "professor", + "painting", + "college", + "barbed wire", + "film noir", + "clue", + "district attorney" + ] + }, + { + "ranking": 1722, + "title": "Waves", + "year": "2019", + "runtime": 135, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.385, + "vote_count": 719, + "description": "A controlling father’s attempts to ensure that his two children succeed in high school backfire after his son experiences a career-ending sports injury. Their familial bonds are eventually placed under severe strain by an unexpected tragedy.", + "poster": "https://image.tmdb.org/t/p/w500/3xbjL0z8iH8e8L3USyeKGQrBfuZ.jpg", + "url": "https://www.themoviedb.org/movie/533444", + "genres": [ + "Romance", + "Drama" + ], + "tags": [ + "high school", + "florida", + "regret", + "forgiveness", + "wrestling", + "loss", + "coming of age", + "grief", + "tragedy", + "interracial relationship", + "break-up", + "dying father", + "healing process", + "family dynamics", + "generation z", + "downward spiral", + "father son relationship", + "father daughter relationship", + "brother sister relationship", + "toxic masculinity", + "african american", + "teen pregnancy", + "stepmother stepdaughter relationship", + "high school athlete", + "stepmother stepson relationship", + "diverging narrative" + ] + }, + { + "ranking": 1723, + "title": "The Fighter", + "year": "2010", + "runtime": 116, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.4, + "vote_count": 4420, + "description": "Boxer \"Irish\" Micky Ward's unlikely road to the world light welterweight title. His Rocky-like rise was shepherded by half-brother Dicky, a boxer-turned-trainer who rebounded in life after nearly being KO'd by drugs and crime.", + "poster": "https://image.tmdb.org/t/p/w500/xfsFerGhO1h6rLk8vwLgMyQ8WVJ.jpg", + "url": "https://www.themoviedb.org/movie/45317", + "genres": [ + "Drama" + ], + "tags": [ + "sports", + "irish-american", + "boxer", + "biography", + "family business ", + "dysfunctional family", + "family conflict", + "hometown", + "boxing trainer", + "crack addict", + "lowell massachusetts", + "jumping rope", + "shadow boxing", + "boxing", + "boxer hero", + "professional athlete", + "black sheep", + "devoted girlfriend", + "local hero" + ] + }, + { + "ranking": 1726, + "title": "Lost in Translation", + "year": "2003", + "runtime": 102, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.4, + "vote_count": 7492, + "description": "Two lost souls visiting Tokyo -- the young, neglected wife of a photographer and a washed-up movie star shooting a TV commercial -- find an odd solace and pensive freedom to be real in each other's company, away from their lives in America.", + "poster": "https://image.tmdb.org/t/p/w500/wkSzJs7oMf8MIr9CQVICsvRfwA7.jpg", + "url": "https://www.themoviedb.org/movie/153", + "genres": [ + "Drama", + "Romance", + "Comedy" + ], + "tags": [ + "hotel room", + "adultery", + "japan", + "unsociability", + "upper class", + "pop star", + "age difference", + "photographer", + "commercial", + "karaoke", + "homesickness", + "culture clash", + "jet lag", + "midlife crisis", + "loneliness", + "tokyo, japan", + "older man younger woman relationship", + "unlikely friendship", + "aftercreditsstinger", + "woman director", + "loving" + ] + }, + { + "ranking": 1725, + "title": "Shine", + "year": "1996", + "runtime": 105, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.385, + "vote_count": 659, + "description": "Pianist David Helfgott, driven by his father and teachers, has a breakdown. Years later he returns to the piano, to popular if not critical acclaim.", + "poster": "https://image.tmdb.org/t/p/w500/cbmThowj2XAW7lKlMAXmnhZvjGI.jpg", + "url": "https://www.themoviedb.org/movie/7863", + "genres": [ + "Drama" + ], + "tags": [ + "australia", + "letter", + "child prodigy", + "biography", + "jumping", + "pianist", + "concert hall", + "breakdown", + "piano" + ] + }, + { + "ranking": 1728, + "title": "Mudbound", + "year": "2017", + "runtime": 135, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.384, + "vote_count": 1237, + "description": "In the post–World War II South, two families are pitted against a barbaric social hierarchy and an unrelenting landscape as they simultaneously fight the battle at home and the battle abroad.", + "poster": "https://image.tmdb.org/t/p/w500/tf21kSKepMOlnorszWaiFwksKU4.jpg", + "url": "https://www.themoviedb.org/movie/414425", + "genres": [ + "Drama" + ], + "tags": [ + "farm", + "post-traumatic stress disorder (ptsd)", + "based on novel or book", + "war veteran", + "ku klux klan", + "mississippi river", + "world war ii", + "air force", + "alcoholism", + "racism", + "lynching", + "post war", + "post world war ii", + "sharecropper", + "military veteran" + ] + }, + { + "ranking": 1727, + "title": "Bad Boys: Ride or Die", + "year": "2024", + "runtime": 115, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.4, + "vote_count": 2819, + "description": "After their late former Captain is framed, Lowrey and Burnett try to clear his name, only to end up on the run themselves.", + "poster": "https://image.tmdb.org/t/p/w500/oGythE98MYleE6mZlGs5oBGkux1.jpg", + "url": "https://www.themoviedb.org/movie/573435", + "genres": [ + "Action", + "Comedy", + "Crime", + "Thriller", + "Adventure" + ], + "tags": [ + "miami, florida", + "sequel", + "on the run", + "police detective", + "buddy cop", + "buddy comedy", + "aftercreditsstinger", + "hilarious" + ] + }, + { + "ranking": 1724, + "title": "The Last of the Mohicans", + "year": "1992", + "runtime": 112, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.4, + "vote_count": 3148, + "description": "In war-torn colonial America, in the midst of a bloody battle between British, the French and Native American allies, the aristocratic daughter of a British Colonel and her party are captured by a group of Huron warriors. Fortunately, a group of three Mohican trappers comes to their rescue.", + "poster": "https://image.tmdb.org/t/p/w500/qzJMPWRtZveBkxXOv3ucWhoJuyj.jpg", + "url": "https://www.themoviedb.org/movie/9361", + "genres": [ + "Action", + "History", + "Romance", + "War" + ], + "tags": [ + "based on novel or book", + "love triangle", + "native american", + "revenge", + "interracial relationship", + "period drama", + "historical", + "warfare", + "colonialism", + "18th century", + "warrior", + "french and indian war" + ] + }, + { + "ranking": 1733, + "title": "Naruto Shippuden the Movie", + "year": "2007", + "runtime": 94, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.4, + "vote_count": 1020, + "description": "Demons that once almost destroyed the world, are revived by someone. To prevent the world from being destroyed, the demon has to be sealed and the only one who can do it is the shrine maiden Shion from the country of demons, who has two powers; one is sealing demons and the other is predicting the deaths of humans. This time Naruto's mission is to guard Shion, but she predicts Naruto's death. The only way to escape it, is to get away from Shion, which would leave her unguarded, then the demon, whose only goal is to kill Shion will do so, thus meaning the end of the world. Naruto decides to challenge this \"prediction of death.\"", + "poster": "https://image.tmdb.org/t/p/w500/vDkct38sSFSWJIATlfJw0l3QOIR.jpg", + "url": "https://www.themoviedb.org/movie/20982", + "genres": [ + "Animation", + "Action", + "Fantasy" + ], + "tags": [ + "bodyguard", + "protection", + "premonition", + "ninja", + "demon", + "priestess", + "terracotta army", + "shounen", + "anime", + "adventure" + ] + }, + { + "ranking": 1736, + "title": "The Hunt for Red October", + "year": "1990", + "runtime": 135, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.381, + "vote_count": 3362, + "description": "A new technologically-superior Soviet nuclear sub, the Red October, is heading for the U.S. coast under the command of Captain Marko Ramius. The American government thinks Ramius is planning to attack. Lone CIA analyst Jack Ryan has a different idea: he thinks Ramius is planning to defect, but he has only a few hours to find him and prove it - because the entire Russian naval and air commands are trying to find Ramius, too. The hunt is on!", + "poster": "https://image.tmdb.org/t/p/w500/yVl7zidse4KiWtGMqHFtZCx4X3N.jpg", + "url": "https://www.themoviedb.org/movie/1669", + "genres": [ + "Action", + "Adventure", + "Thriller" + ], + "tags": [ + "based on novel or book", + "submarine", + "cold war", + "intelligence", + "u.s. navy", + "defection", + "jack ryan", + "ex military", + "1980s", + "political thriller", + "nuclear submarine", + "soviet/russian navy", + "intelligence service", + "suspenseful", + "awestruck", + "exhilarated", + "cia analyst", + "russian submarine", + "intelligence analyst" + ] + }, + { + "ranking": 1721, + "title": "The Stronghold", + "year": "2021", + "runtime": 105, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.385, + "vote_count": 1325, + "description": "A police brigade works in the dangerous northern neighborhoods of Marseille, where the level of crime is higher than anywhere else in France.", + "poster": "https://image.tmdb.org/t/p/w500/nLanxl7Xhfbd5s8FxPy8jWZw4rv.jpg", + "url": "https://www.themoviedb.org/movie/637534", + "genres": [ + "Thriller", + "Action", + "Crime" + ], + "tags": [ + "police", + "marseille, france" + ] + }, + { + "ranking": 1735, + "title": "Drunken Master", + "year": "1978", + "runtime": 111, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.381, + "vote_count": 981, + "description": "After getting into trouble, a mischievous young man is sent to train under a brutal, but slovenly old beggar, who teaches him the secret of the Drunken Fist.", + "poster": "https://image.tmdb.org/t/p/w500/cf43J2SH8tECZVl9N5n0Q6Ckche.jpg", + "url": "https://www.themoviedb.org/movie/11230", + "genres": [ + "Action", + "Comedy" + ], + "tags": [ + "kung fu", + "trainer", + "sake", + "uncle", + "dojo", + "master", + "drunken master", + "drunken boxing", + "absurd", + "amused" + ] + }, + { + "ranking": 1730, + "title": "Dear Diary", + "year": "1993", + "runtime": 101, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.4, + "vote_count": 473, + "description": "Nanni Moretti recalls in his diary three slice of life stories characterized by a sharply ironic look: in the first one he wanders through a deserted Rome, in the second he visits a reclusive friend on an island, and in the last he has to grapple with an unknown illness.", + "poster": "https://image.tmdb.org/t/p/w500/3BV4iLXqPdcQzfKpLVaLuWdRY25.jpg", + "url": "https://www.themoviedb.org/movie/25403", + "genres": [ + "Comedy", + "Drama" + ], + "tags": [ + "rome, italy", + "comeback", + "anthology", + "cancer", + "motorcycle", + "vespa", + "remote island", + "self-referential", + "semi autobiographical", + "autobiographical", + "urbanism", + "1990s", + "personal diary", + "diary film", + "self-reflexive", + "deadpan comedy" + ] + }, + { + "ranking": 1739, + "title": "Burning", + "year": "2018", + "runtime": 148, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.4, + "vote_count": 1643, + "description": "Deliveryman Jong-su is out on a job when he runs into Hae-mi, a girl who once lived in his neighborhood. She asks if he'd mind looking after her cat while she's away on a trip to Africa. On her return, she introduces to Jong-su an enigmatic young man named Ben, who she met during her trip. One day Ben tells Jong-su about his most unusual hobby.", + "poster": "https://image.tmdb.org/t/p/w500/kXiF80o74fE9gf3Utf9moAI7ar0.jpg", + "url": "https://www.themoviedb.org/movie/491584", + "genres": [ + "Mystery", + "Drama", + "Thriller" + ], + "tags": [ + "fire", + "jealousy", + "dreams", + "countryside", + "love triangle", + "cat", + "sex shop", + "sadness", + "sunlight", + "suspicion", + "greenhouse", + "love", + "arson", + "writer", + "class differences", + "based on short story", + "burning", + "metaphor", + "meditative", + "mysterious", + "dance ritual", + "complex", + "rural setting", + "sunsets", + "return to hometown", + "seoul, south korea", + "understated", + "disappearing" + ] + }, + { + "ranking": 1734, + "title": "The Lion in Winter", + "year": "1968", + "runtime": 134, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.4, + "vote_count": 360, + "description": "Henry II and his estranged queen battle over the choice of an heir.", + "poster": "https://image.tmdb.org/t/p/w500/yMgJnZADJObzfjA70ygXJkjnrFX.jpg", + "url": "https://www.themoviedb.org/movie/18988", + "genres": [ + "Drama", + "History" + ], + "tags": [ + "infidelity", + "france", + "england", + "queen", + "castle", + "based on play or musical", + "richard the lionheart", + "unfaithfulness", + "mistress", + "king", + "spear", + "homoeroticism", + "christmas", + "12th century", + "eleanor of aquitaine", + "gay theme" + ] + }, + { + "ranking": 1729, + "title": "Palm Trees in the Snow", + "year": "2015", + "runtime": 164, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.4, + "vote_count": 531, + "description": "Spain, 2003. An accidental discovery leads Clarence to travel from the snowy mountains of Huesca to Equatorial Guinea, to visit the land where her father Jacobo and her uncle Kilian spent most of their youth, the island of Fernando Poo.", + "poster": "https://image.tmdb.org/t/p/w500/iIVqgTKbqt24bUTzMlyRX8kB1Ac.jpg", + "url": "https://www.themoviedb.org/movie/274109", + "genres": [ + "Drama", + "History", + "Romance" + ], + "tags": [ + "sibling relationship", + "based on novel or book", + "1970s", + "plantation", + "forbidden love", + "family secrets", + "colonialism", + "1950s", + "1960s", + "west africa", + "2000s", + "african history", + "equatorial guinea" + ] + }, + { + "ranking": 1731, + "title": "Love & Basketball", + "year": "2000", + "runtime": 124, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.4, + "vote_count": 435, + "description": "Monica Wright and Quincy McCall grew up in the same neighborhood and have known each other since childhood. As they grow into adulthood, they fall in love, but they also share another all-consuming passion: basketball. As Quincy and Monica struggle to make their relationship work, they follow separate career paths though high school and college basketball and, they hope, into stardom in big-league professional ball.", + "poster": "https://image.tmdb.org/t/p/w500/zNZWNX19FZ5QyedprVM0ldsXFiP.jpg", + "url": "https://www.themoviedb.org/movie/14736", + "genres": [ + "Comedy", + "Drama", + "Romance" + ], + "tags": [ + "high school", + "sports", + "lovers", + "basketball", + "affection", + "high school sports", + "relationship", + "woman director", + "romantic", + "african american romance" + ] + }, + { + "ranking": 1732, + "title": "Law Abiding Citizen", + "year": "2009", + "runtime": 109, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.4, + "vote_count": 5255, + "description": "A frustrated man decides to take justice into his own hands after a plea bargain sets one of his family's killers free. He targets not only the killer but also the district attorney and others involved in the deal.", + "poster": "https://image.tmdb.org/t/p/w500/wqFq0wzRbuqnQfJJ14aXp36D3BD.jpg", + "url": "https://www.themoviedb.org/movie/22803", + "genres": [ + "Drama", + "Crime", + "Thriller" + ], + "tags": [ + "prison", + "assassin", + "philadelphia, pennsylvania", + "bomb", + "secret passage", + "deal", + "investigation", + "explosion", + "justice", + "criminal mastermind", + "district attorney", + "courtroom", + "rape and revenge", + "vigilantism", + "vigilante justice" + ] + }, + { + "ranking": 1737, + "title": "Interview with the Vampire", + "year": "1994", + "runtime": 123, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.4, + "vote_count": 5974, + "description": "A vampire relates his epic life story of love, betrayal, loneliness, and dark hunger to an over-curious reporter.", + "poster": "https://image.tmdb.org/t/p/w500/2162lAT2MP36MyJd2sttmj5du5T.jpg", + "url": "https://www.themoviedb.org/movie/628", + "genres": [ + "Horror", + "Drama", + "Fantasy" + ], + "tags": [ + "paris, france", + "based on novel or book", + "san francisco, california", + "vampire", + "bite", + "new orleans, louisiana", + "plantation", + "louisiana", + "pity", + "melancholy", + "child vampire", + "gothic horror", + "18th century", + "macabre", + "plague", + "19th century", + "playful", + "cautionary", + "reluctant vampire", + "grand", + "audacious", + "exuberant", + "melodramatic" + ] + }, + { + "ranking": 1740, + "title": "Stuck in Love", + "year": "2013", + "runtime": 97, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.4, + "vote_count": 1932, + "description": "An acclaimed writer, his ex-wife, and their teenaged children come to terms with the complexities of love in all its forms over the course of one tumultuous year.", + "poster": "https://image.tmdb.org/t/p/w500/byic4VFVrpPyjDWK54CcsxYWW85.jpg", + "url": "https://www.themoviedb.org/movie/111969", + "genres": [ + "Drama", + "Comedy" + ], + "tags": [ + "cheating", + "parent child relationship", + "writing", + "thanksgiving", + "north carolina", + "love", + "writer", + "dating", + "relationship", + "drugs", + "family", + "high school student", + "beach house", + "novelist", + "unhappiness", + "first love", + "ex-husband ex-wife relationship", + "divorced father", + "reconnect", + "college student", + "stuck", + "holidays", + "affair" + ] + }, + { + "ranking": 1738, + "title": "Grease", + "year": "1978", + "runtime": 110, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.4, + "vote_count": 7319, + "description": "Australian good girl Sandy and greaser Danny fell in love over the summer. But when they unexpectedly discover they're now in the same high school, will they be able to rekindle their romance despite their eccentric friends?", + "poster": "https://image.tmdb.org/t/p/w500/czVhhAaSBFpakur7U8pOIDV9NUG.jpg", + "url": "https://www.themoviedb.org/movie/621", + "genres": [ + "Romance", + "Comedy" + ], + "tags": [ + "australia", + "high school", + "flying car", + "california", + "jealousy", + "street gang", + "cheerleader", + "dance competition", + "carnival", + "musical", + "based on play or musical", + "rivalry", + "high school graduation", + "high school friends", + "tv show in film", + "gossip", + "makeover", + "clique", + "greaser", + "school dance", + "animated credits", + "pep rally", + "wrong side of the tracks", + "mooning", + "opposites attract", + "letterman jacket", + "girl gang", + "track and field", + "summer romance", + "1950s", + "sweethearts", + "street racing", + "west side story", + "goody two shoes", + "rival gang", + "going steady", + "two-faced" + ] + }, + { + "ranking": 1749, + "title": "The Lion in Winter", + "year": "1968", + "runtime": 134, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.4, + "vote_count": 360, + "description": "Henry II and his estranged queen battle over the choice of an heir.", + "poster": "https://image.tmdb.org/t/p/w500/yMgJnZADJObzfjA70ygXJkjnrFX.jpg", + "url": "https://www.themoviedb.org/movie/18988", + "genres": [ + "Drama", + "History" + ], + "tags": [ + "infidelity", + "france", + "england", + "queen", + "castle", + "based on play or musical", + "richard the lionheart", + "unfaithfulness", + "mistress", + "king", + "spear", + "homoeroticism", + "christmas", + "12th century", + "eleanor of aquitaine", + "gay theme" + ] + }, + { + "ranking": 1742, + "title": "On the Basis of Sex", + "year": "2018", + "runtime": 120, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.4, + "vote_count": 1047, + "description": "Young lawyer Ruth Bader Ginsburg teams with her husband Marty to bring a groundbreaking case before the U.S. Court of Appeals and overturn a century of sex discrimination.", + "poster": "https://image.tmdb.org/t/p/w500/izY9Le3QWtu7xkHq7bjJnuE5yGI.jpg", + "url": "https://www.themoviedb.org/movie/339380", + "genres": [ + "Drama", + "History" + ], + "tags": [ + "1970s", + "biography", + "based on true story", + "supreme court", + "lawyer", + "justice", + "harvard law school", + "woman director", + "1960s", + "courtroom drama", + "supreme court justice", + "inspirational", + "instructive" + ] + }, + { + "ranking": 1743, + "title": "My Sister's Keeper", + "year": "2009", + "runtime": 109, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.378, + "vote_count": 2127, + "description": "Sara and Brian live an idyllic life with their young son and daughter. But their family is rocked by sudden, heartbreaking news that forces them to make a difficult and unorthodox choice in order to save their baby girl's life. The parents' desperate decision raises both ethical and moral questions and rips away at the foundation of their relationship. Their actions ultimately set off a court case that threatens to tear the family apart, while revealing surprising truths that challenge everyone's perceptions of love and loyalty and give new meaning to the definition of healing.", + "poster": "https://image.tmdb.org/t/p/w500/atRGqnG7pe0hZP97RWDLrT2hRGZ.jpg", + "url": "https://www.themoviedb.org/movie/10024", + "genres": [ + "Drama" + ], + "tags": [ + "sibling relationship", + "court case", + "parent child relationship", + "in vitro fertilisation", + "medical examiner", + "kidney transplant ", + "cancer", + "chemotherapy" + ] + }, + { + "ranking": 1754, + "title": "Beetlejuice", + "year": "1988", + "runtime": 92, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.374, + "vote_count": 7835, + "description": "A newly dead New England couple seeks help from a deranged demon exorcist to scare an affluent New York family out of their home.", + "poster": "https://image.tmdb.org/t/p/w500/nnl6OWkyPpuMm595hmAxNW3rZFn.jpg", + "url": "https://www.themoviedb.org/movie/4011", + "genres": [ + "Fantasy", + "Comedy" + ], + "tags": [ + "skeleton", + "afterlife", + "calypso", + "supernatural", + "arts", + "halloween", + "haunted house", + "minister", + "possession", + "giant snake", + "surrealism", + "child bride", + "teenage girl", + "gothic", + "death", + "madness", + "dead", + "ghost", + "property", + "mischievous", + "lighthearted", + "earnest" + ] + }, + { + "ranking": 1747, + "title": "Through the Fire", + "year": "2018", + "runtime": 116, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.4, + "vote_count": 677, + "description": "Franck is a firefighter in Paris. He saves people. He lives at the station with his wife, who is about to have twins. He’s happy. During a call out to a fire, he puts himself in danger, to save his men. He’s going to have to learn to live again and accept to be the one being saved, this time.", + "poster": "https://image.tmdb.org/t/p/w500/mt9Knw6Cau64d9JZJwOM3LtlXW2.jpg", + "url": "https://www.themoviedb.org/movie/484751", + "genres": [ + "Drama" + ], + "tags": [] + }, + { + "ranking": 1748, + "title": "The Girl with the Dragon Tattoo", + "year": "2011", + "runtime": 158, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.4, + "vote_count": 7110, + "description": "Disgraced journalist Mikael Blomkvist investigates the disappearance of a weary patriarch's niece from 40 years ago. He is aided by the pierced, tattooed, punk computer hacker named Lisbeth Salander. As they work together in the investigation, Blomkvist and Salander uncover immense corruption beyond anything they have ever imagined.", + "poster": "https://image.tmdb.org/t/p/w500/8bokS83zGdhaXgN9tjidUKmAftW.jpg", + "url": "https://www.themoviedb.org/movie/65754", + "genres": [ + "Thriller", + "Crime", + "Mystery" + ], + "tags": [ + "journalist", + "island", + "rape", + "hacker", + "based on novel or book", + "nazi", + "journalism", + "investigation", + "punk rock", + "scandinavia", + "stockholm, sweden", + "remake", + "antisocial personality disorder", + "disappearance", + "serial killer", + "hacking", + "sadist", + "biting", + "bible quote", + "dead cat", + "millennium", + "based on movie", + "mysterious", + "aggressive", + "abuse", + "grim", + "locked room mystery", + "dreary", + "tense", + "cruel" + ] + }, + { + "ranking": 1744, + "title": "South Park: Post COVID: The Return of COVID", + "year": "2021", + "runtime": 62, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.4, + "vote_count": 427, + "description": "If Stan, Kyle and Cartman could just work together, they could go back in time to make sure Covid never happened. But traveling back to the past seems to be the easy answer until they meet Victor Chaos.", + "poster": "https://image.tmdb.org/t/p/w500/xD88mrJ8hsqYVqQ6kinNNGQLdg1.jpg", + "url": "https://www.themoviedb.org/movie/874300", + "genres": [ + "Animation", + "Comedy", + "TV Movie" + ], + "tags": [ + "time travel", + "pandemic", + "covid-19", + "disgusted" + ] + }, + { + "ranking": 1759, + "title": "A Time to Kill", + "year": "1996", + "runtime": 149, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.374, + "vote_count": 2607, + "description": "A young lawyer defends a black man accused of murdering two white men who raped his 10-year-old daughter, sparking a rebirth of the KKK.", + "poster": "https://image.tmdb.org/t/p/w500/w8UCke112E9jrhjKcwG32kyhTx5.jpg", + "url": "https://www.themoviedb.org/movie/1645", + "genres": [ + "Crime", + "Drama", + "Thriller" + ], + "tags": [ + "sniper", + "rape", + "court", + "jurors", + "ku klux klan", + "mississippi river", + "forgiveness", + "blackmail", + "attempted murder", + "trial", + "murder", + "lawyer", + "capital punishment", + "gang rape", + "racism", + "courtroom", + "racial tension", + "racial issues", + "courtroom drama", + "legal drama", + "legal thriller", + "black community", + "avenging father", + "inspirational", + "attempted hanging", + "deep south racism" + ] + }, + { + "ranking": 1755, + "title": "Teen Titans: The Judas Contract", + "year": "2017", + "runtime": 84, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.4, + "vote_count": 712, + "description": "Tara Markov is a girl who has power over earth and stone; she is also more than she seems. Is the newest Teen Titan an ally or a threat? And what are the mercenary Deathstroke's plans for the Titans?", + "poster": "https://image.tmdb.org/t/p/w500/nuGIlNAJUati4qEAH1nrYKUA3xa.jpg", + "url": "https://www.themoviedb.org/movie/408647", + "genres": [ + "Science Fiction", + "Animation", + "Action" + ], + "tags": [ + "superhero", + "cartoon", + "based on comic", + "superhero team", + "dc animated movie universe" + ] + }, + { + "ranking": 1753, + "title": "The Sucker", + "year": "1965", + "runtime": 111, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.4, + "vote_count": 660, + "description": "In this Franco-Italian gangster parody, a shopkeeper on his way to an Italian holiday suffers a crash that totals his car. The culprit can only compensate his ruined trip by driving an American friend's car from Naples to Bordeaux, but as it happens to be filled with such contraband as stolen money, jewelry and drugs, the involuntary and unwitting companions in crime soon attract all but recreational attention from the \"milieu\".", + "poster": "https://image.tmdb.org/t/p/w500/kGFE3U01sMApp5Q7h0akEvdTwPK.jpg", + "url": "https://www.themoviedb.org/movie/25866", + "genres": [ + "Comedy", + "Crime" + ], + "tags": [ + "france", + "paris, france", + "drug smuggling", + "diamond", + "italy", + "gangster", + "border", + "cadillac", + "naples, italy", + "vacation", + "car crash", + "bordeaux, france", + "road trip", + "fool", + "horn", + "hitchhiker", + "manicurist", + "jewel smuggling", + "carcassonne" + ] + }, + { + "ranking": 1746, + "title": "Tucker and Dale vs. Evil", + "year": "2010", + "runtime": 89, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.4, + "vote_count": 2832, + "description": "Two hillbillies are suspected of being killers by a group of paranoid college kids camping near the duo's West Virginian cabin. As the body count climbs, so does the fear and confusion as the college kids try to seek revenge against the pair.", + "poster": "https://image.tmdb.org/t/p/w500/8shwLEDzajJGSfLgbpac8x8xn1U.jpg", + "url": "https://www.themoviedb.org/movie/46838", + "genres": [ + "Comedy", + "Horror" + ], + "tags": [ + "countryside", + "west virginia", + "cabin", + "chainsaw", + "misunderstanding", + "accidental death", + "hillbilly", + "violent death", + "killer", + "held captive", + "old friends", + "isolated house", + "disturbed teenager", + "captured woman", + "country bumpkin", + "horror comedy", + "teens" + ] + }, + { + "ranking": 1752, + "title": "I Am a Hero", + "year": "2016", + "runtime": 126, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.374, + "vote_count": 438, + "description": "Hideo Suzuki is a 35-year-old mangaka assistant, whose life seem to be stuck around his exhausting but low-paying job, unfulfilled dreams, strange hallucinations and unsatisfying relationships. He sees himself as a supporting character in his own life, has low self-esteem, resulting in frustration. One day, the world as Hideo knows it is shattered by the presence of a disease that turns people into homicidal maniacs, whose first instinct is to attack and devour the nearest human.", + "poster": "https://image.tmdb.org/t/p/w500/4RnmHtCLtbBHD9jagVlcSzJTWX6.jpg", + "url": "https://www.themoviedb.org/movie/276624", + "genres": [ + "Action", + "Horror", + "Drama" + ], + "tags": [ + "japan", + "zombie", + "based on manga", + "epidemic", + "zombie apocalypse", + "comic strip artist" + ] + }, + { + "ranking": 1756, + "title": "Once in a Lifetime", + "year": "2014", + "runtime": 105, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.4, + "vote_count": 319, + "description": "At Léon Blum High School in Créteil, France, a history teacher decides to have her weakest 10th grade class participate in a national history competition.", + "poster": "https://image.tmdb.org/t/p/w500/dHGRwKIDyrMjudTp1BlBKxe4Gvq.jpg", + "url": "https://www.themoviedb.org/movie/303483", + "genres": [ + "Drama" + ], + "tags": [ + "woman director" + ] + }, + { + "ranking": 1745, + "title": "Maggie Simpson in \"Playdate with Destiny\"", + "year": "2020", + "runtime": 4, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.4, + "vote_count": 354, + "description": "When Maggie Simpson is rescued by a cute young baby from playground peril, it's girl meets boy, girl loses boy, guess what happens next?", + "poster": "https://image.tmdb.org/t/p/w500/k6fgOq7wPKujibXGWYlcIBgkcwQ.jpg", + "url": "https://www.themoviedb.org/movie/673595", + "genres": [ + "Animation", + "Comedy", + "Family", + "Romance" + ], + "tags": [ + "cartoon", + "playground", + "meet cute", + "babies", + "short film" + ] + }, + { + "ranking": 1741, + "title": "Ghostland", + "year": "2018", + "runtime": 91, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.379, + "vote_count": 2480, + "description": "A mother of two inherits a home from her aunt. On the first night in the new home she is confronted with murderous intruders and fights for her daughters’ lives. Sixteen years later the daughters reunite at the house, and that is when things get strange...", + "poster": "https://image.tmdb.org/t/p/w500/ma9gY6OikBev8MsMaeA6h2EIdGo.jpg", + "url": "https://www.themoviedb.org/movie/476299", + "genres": [ + "Horror", + "Mystery", + "Thriller" + ], + "tags": [ + "insanity", + "hallucination", + "torture", + "reality vs fantasy" + ] + }, + { + "ranking": 1760, + "title": "Bad Education", + "year": "2004", + "runtime": 105, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.373, + "vote_count": 977, + "description": "An examination on the effect of Franco-era religious schooling and sexual abuse on the lives of two longtime friends.", + "poster": "https://image.tmdb.org/t/p/w500/du716YH0PKiL2kZgIPLkEblgHLX.jpg", + "url": "https://www.themoviedb.org/movie/140", + "genres": [ + "Drama", + "Crime" + ], + "tags": [ + "sexual identity", + "friendship", + "spain", + "sexual abuse", + "drug abuse", + "transvestism", + "madrid, spain", + "transsexuality", + "boarding school", + "screenplay", + "identity", + "movie business", + "teacher", + "murder", + "priest", + "lgbt", + "childhood friends", + "catholicism", + "1980s", + "film director", + "homme fatale" + ] + }, + { + "ranking": 1751, + "title": "Asterix & Obelix: Mission Cleopatra", + "year": "2002", + "runtime": 108, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.375, + "vote_count": 3561, + "description": "The Egyptian Queen Cleopatra bets against the Roman Emperor, Julius Caesar, that her people are still great, even if the times of the Pharaohs has long passed. She vows (against all logic) to build a new palace for Caesar within three months. Since all her architects are either busy otherwise or too conservative in style, this ambivalent honor falls to Edifis. He is to build the palace and be covered in gold or, if not, his fate is to be eaten by crocodiles. Edifis calls upon an old friend to help him out: The fabulous Druid Getafix from Gaul, who brews a fantastic potion that gives supernatural strength. In order to help and protect the old Druid, Asterix and Obelix accompany him on his journey to Egypt. When Julius Caesar gets wind of the project succeeding, he has the building site attacked by his troops in order to win the bet and not lose face. But just like the local pirates, he hasn't counted on Asterix and Obelix.", + "poster": "https://image.tmdb.org/t/p/w500/iTzZHVEnG7ShDsaP4WPDhEuRuP0.jpg", + "url": "https://www.themoviedb.org/movie/2899", + "genres": [ + "Family", + "Fantasy", + "Comedy", + "Adventure" + ], + "tags": [ + "egypt", + "magic", + "palace", + "civil engineer", + "cleopatra", + "ancient rome", + "ancient world", + "based on children's book", + "ancient egypt", + "grand", + "witty", + "sympathetic" + ] + }, + { + "ranking": 1750, + "title": "A Royal Affair", + "year": "2012", + "runtime": 137, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.375, + "vote_count": 885, + "description": "A young queen falls in love with her physician, and they start a revolution that changes their nation forever.", + "poster": "https://image.tmdb.org/t/p/w500/AafVGIirBlCw8Whb4DSPSLX9nGW.jpg", + "url": "https://www.themoviedb.org/movie/88273", + "genres": [ + "Drama", + "History", + "Romance" + ], + "tags": [ + "infidelity", + "secret love", + "love triangle", + "politics", + "queen", + "coup d'etat", + "royal family", + "royalty", + "enlightenment", + "religion", + "historical fiction", + "doctor", + "period drama", + "18th century", + "illegitimate child", + "danish history", + "reform", + "aristocracy", + "unhappy marriage", + "unfaithful wife" + ] + }, + { + "ranking": 1757, + "title": "Black Panther", + "year": "2018", + "runtime": 135, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.4, + "vote_count": 22477, + "description": "King T'Challa returns home to the reclusive, technologically advanced African nation of Wakanda to serve as his country's new leader. However, T'Challa soon finds that he is challenged for the throne by factions within his own country as well as without. Using powers reserved to Wakandan kings, T'Challa assumes the Black Panther mantle to join with ex-girlfriend Nakia, the queen-mother, his princess-kid sister, members of the Dora Milaje (the Wakandan 'special forces') and an American secret agent, to prevent Wakanda from being dragged into a world war.", + "poster": "https://image.tmdb.org/t/p/w500/uxzzxijgPIY7slzFvMotPv8wjKA.jpg", + "url": "https://www.themoviedb.org/movie/284054", + "genres": [ + "Action", + "Adventure", + "Science Fiction" + ], + "tags": [ + "africa", + "superhero", + "based on comic", + "aftercreditsstinger", + "duringcreditsstinger", + "marvel cinematic universe (mcu)" + ] + }, + { + "ranking": 1758, + "title": "Blow Out", + "year": "1981", + "runtime": 108, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.373, + "vote_count": 1511, + "description": "While recording sound effects for a slasher flick, Jack Terry stumbles upon a real-life horror: a car careening off a bridge and into a river. Jack jumps into the water and fishes out Sally from the car, but the other passenger is already dead — a governor intending to run for president. As Jack does some investigating of his tapes, and starts a perilous romance with Sally, he enters a tangled web of conspiracy that might leave him dead.", + "poster": "https://image.tmdb.org/t/p/w500/weMW1wLzeagP3tw6BfmYf1iL7dz.jpg", + "url": "https://www.themoviedb.org/movie/11644", + "genres": [ + "Thriller", + "Mystery", + "Crime", + "Drama" + ], + "tags": [ + "philadelphia, pennsylvania", + "hitman", + "presidential election", + "politics", + "audio tape", + "paranoia", + "faithlessness", + "yell", + "conspiracy", + "tape recorder", + "whodunit", + "car accident", + "audio recording", + "sound effect", + "neo-noir", + "noise", + "grand" + ] + }, + { + "ranking": 1764, + "title": "The Way of the Dragon", + "year": "1972", + "runtime": 100, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.4, + "vote_count": 1166, + "description": "Tang Lung arrives in Rome to help his cousins in the restaurant business. They are being pressured to sell their property to the syndicate, who will stop at nothing to get what they want. When Tang arrives he poses a new threat to the syndicate, and they are unable to defeat him. The syndicate boss hires the best Japanese and European martial artists to fight Tang, but he easily finishes them off.", + "poster": "https://image.tmdb.org/t/p/w500/m7AIITQ624sfldI4SsX4htXPH1f.jpg", + "url": "https://www.themoviedb.org/movie/9462", + "genres": [ + "Action", + "Crime" + ], + "tags": [ + "martial arts", + "kung fu", + "rome, italy", + "colosseum", + "fight", + "culture clash", + "italy", + "gangster", + "restaurant", + "crime boss", + "chinese mafia", + "fistfight", + "honor", + "fish out of water", + "hong kong", + "east asian lead", + "combat", + "hoodlum", + "nunchaku", + "action hero", + "property" + ] + }, + { + "ranking": 1765, + "title": "Pierrot le Fou", + "year": "1965", + "runtime": 110, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.4, + "vote_count": 877, + "description": "Pierrot escapes his boring society and travels from Paris to the Mediterranean Sea with Marianne, a girl chased by hit-men from Algeria. They lead an unorthodox life, always on the run.", + "poster": "https://image.tmdb.org/t/p/w500/i124H6iQB4CawrgFW9aZaZs7OBO.jpg", + "url": "https://www.themoviedb.org/movie/2786", + "genres": [ + "Drama", + "Romance", + "Crime" + ], + "tags": [ + "paris, france", + "mediterranean", + "painting", + "bourgeoisie", + "road trip", + "femme fatale", + "money", + "bombing", + "dock", + "fugitive lovers" + ] + }, + { + "ranking": 1761, + "title": "Through My Window", + "year": "2022", + "runtime": 112, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.4, + "vote_count": 3208, + "description": "Raquel's longtime crush on her next-door neighbor turns into something more when he starts developing feelings for her, despite his family's objections.", + "poster": "https://image.tmdb.org/t/p/w500/jmkpZvMVIRrMFevxzOubSBfG0s0.jpg", + "url": "https://www.themoviedb.org/movie/818647", + "genres": [ + "Romance", + "Drama", + "Comedy" + ], + "tags": [ + "based on novel or book", + "family business ", + "stalking", + "class differences", + "teenage romance", + "toxic relationship", + "brothers", + "family obligations", + "teenager" + ] + }, + { + "ranking": 1772, + "title": "I Can Quit Whenever I Want 3: Ad Honorem", + "year": "2017", + "runtime": 97, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.4, + "vote_count": 971, + "description": "Has been an year since Pietro Zinni's gang got caught in the Sopox production laboratory and each of them locked up in different jails. From Regina Coeli jail, Pietro keep warning the authorities a fool syntetized nerve gas and he is ready to make a killing, but no one takes him seriously.", + "poster": "https://image.tmdb.org/t/p/w500/n4uLV4vdMltzUoxeHQJNoDKoiOY.jpg", + "url": "https://www.themoviedb.org/movie/439584", + "genres": [ + "Action", + "Comedy" + ], + "tags": [ + "university", + "illegal drugs" + ] + }, + { + "ranking": 1763, + "title": "The Man in the Moon", + "year": "1991", + "runtime": 99, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.4, + "vote_count": 313, + "description": "Maureen Trant and her younger sibling Dani share a strong connection, but local boy Court Foster threatens to throw their bond off balance. Dani and Court meet first and have a flirtatious rapport -- but when he meets Maureen, he falls hard and they begin a passionate affair. The new couple try to keep their love hidden from Dani, but she soon learns the truth, disavowing her sister. But a heartbreaking accident later reunites the girls.", + "poster": "https://image.tmdb.org/t/p/w500/57r0TXlqV5GIn4h0Htgh81OZou9.jpg", + "url": "https://www.themoviedb.org/movie/17474", + "genres": [ + "Drama", + "Family", + "Romance" + ], + "tags": [ + "sibling relationship", + "louisiana", + "coming of age", + "skinny dipping", + "first love", + "tractor accident", + "1950s", + "sister sister relationship" + ] + }, + { + "ranking": 1766, + "title": "Office Space", + "year": "1999", + "runtime": 90, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.4, + "vote_count": 3071, + "description": "A depressed white-collar worker tries hypnotherapy, only to find himself in a perpetual state of devil-may-care bliss that prompts him to start living by his own rules, and hatch a hapless attempt to embezzle money from his soul-killing employers.", + "poster": "https://image.tmdb.org/t/p/w500/v7fBXxHZ5WQn2PGgpXhTqHgtcJk.jpg", + "url": "https://www.themoviedb.org/movie/1542", + "genres": [ + "Comedy" + ], + "tags": [ + "work", + "printer", + "bad boss", + "satire", + "dallas texas", + "suburbia", + "co-workers relationship", + "corporate world", + "downsizing", + "software engineer", + "burnout", + "stapler", + "duringcreditsstinger", + "business rivalry" + ] + }, + { + "ranking": 1770, + "title": "Once Were Warriors", + "year": "1994", + "runtime": 99, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.4, + "vote_count": 441, + "description": "A drama about a Maori family living in Auckland, New Zealand. Lee Tamahori tells the story of Beth Heke’s strong will to keep her family together during times of unemployment and abuse from her violent and alcoholic husband.", + "poster": "https://image.tmdb.org/t/p/w500/1nd4SsytVc96hy92g8NNVPD3mzf.jpg", + "url": "https://www.themoviedb.org/movie/527", + "genres": [ + "Drama" + ], + "tags": [ + "individual", + "suicide", + "rape", + "strong woman", + "tattoo", + "slum", + "funeral", + "alcohol", + "tradition", + "approved school ", + "loss of loved one", + "despair", + "indigenous", + "ghetto", + "violent husband", + "new zealand", + "maori", + "lack of prospects", + "maori tradition", + "teacher", + "youth gang", + "crush", + "domestic violence", + "rebellious youth", + "alcohol abuse", + "incest", + "unemployment", + "auckland" + ] + }, + { + "ranking": 1780, + "title": "The Social Network", + "year": "2010", + "runtime": 121, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.368, + "vote_count": 12348, + "description": "In 2003, Harvard undergrad and computer programmer Mark Zuckerberg begins work on a new concept that eventually turns into the global social network known as Facebook. Six years later, Mark is one of the youngest billionaires ever, but his unprecedented success leads to both personal and legal complications when he ends up on the receiving end of two lawsuits, one involving his former friend.", + "poster": "https://image.tmdb.org/t/p/w500/n0ybibhJtQ5icDqTp8eRytcIHJx.jpg", + "url": "https://www.themoviedb.org/movie/37799", + "genres": [ + "Drama" + ], + "tags": [ + "hacker", + "based on novel or book", + "boston, massachusetts", + "ex-girlfriend", + "harvard university", + "narcissism", + "based on true story", + "hacking", + "historical fiction", + "twins", + "double cross", + "creator", + "frat party", + "social network", + "deposition", + "intellectual property", + "entrepreneur", + "arrogance", + "social media", + "meditative", + "young entrepreneur", + "facebook", + "legal drama", + "critical", + "tense", + "antagonistic", + "callous", + "wry" + ] + }, + { + "ranking": 1762, + "title": "Moonlight", + "year": "2016", + "runtime": 111, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.372, + "vote_count": 7130, + "description": "The tender, heartbreaking story of a young man’s struggle to find himself, told across three defining chapters in his life as he experiences the ecstasy, pain, and beauty of falling in love, while grappling with his own sexuality.", + "poster": "https://image.tmdb.org/t/p/w500/rcICfiL9fvwRjoWHxW8QeroLYrJ.jpg", + "url": "https://www.themoviedb.org/movie/376867", + "genres": [ + "Drama" + ], + "tags": [ + "drug dealer", + "high school", + "florida", + "drug abuse", + "parent child relationship", + "fight", + "drug addiction", + "ghetto", + "restaurant", + "coming of age", + "male homosexuality", + "lgbt", + "addict", + "masculinity", + "black lgbt", + "loving", + "gay theme", + "boys' love (bl)", + "melodramatic" + ] + }, + { + "ranking": 1768, + "title": "Babylon", + "year": "2022", + "runtime": 189, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.371, + "vote_count": 3296, + "description": "A tale of outsized ambition and outrageous excess, tracing the rise and fall of multiple characters in an era of unbridled decadence and depravity during Hollywood's transition from silent films to sound films in the late 1920s.", + "poster": "https://image.tmdb.org/t/p/w500/wjOHjWCUE0YzDiEzKv8AfqHj3ir.jpg", + "url": "https://www.themoviedb.org/movie/615777", + "genres": [ + "Drama", + "Comedy" + ], + "tags": [ + "elephant", + "gambling", + "gambling debt", + "movie business", + "orgy", + "cocaine", + "champagne", + "alcoholism", + "hollywood", + "alcoholic", + "filmmaking", + "movie star", + "silent film star", + "1920s", + "old hollywood", + "fading star", + "sex" + ] + }, + { + "ranking": 1774, + "title": "An Affair to Remember", + "year": "1957", + "runtime": 111, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.4, + "vote_count": 473, + "description": "A couple falls in love and agrees to meet in six months at the Empire State Building - but will it happen?", + "poster": "https://image.tmdb.org/t/p/w500/jwbWglYHbjqUu8M9DjTYzTOFklt.jpg", + "url": "https://www.themoviedb.org/movie/8356", + "genres": [ + "Drama", + "Romance" + ], + "tags": [ + "new year's eve", + "painting", + "nightclub", + "singer", + "cruise ship" + ] + }, + { + "ranking": 1775, + "title": "The One and Only Ivan", + "year": "2020", + "runtime": 93, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.4, + "vote_count": 591, + "description": "A gorilla named Ivan who’s living in a suburban shopping mall tries to piece together his past, with the help of other animals, as they hatch a plan to escape from captivity.", + "poster": "https://image.tmdb.org/t/p/w500/ktk2TlhVrukJv1jPJbiWY3nsHM6.jpg", + "url": "https://www.themoviedb.org/movie/508570", + "genres": [ + "Family", + "Comedy", + "Drama" + ], + "tags": [ + "based on novel or book", + "circus", + "gorilla", + "based on true story", + "talking animal" + ] + }, + { + "ranking": 1773, + "title": "If I Stay", + "year": "2014", + "runtime": 106, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.37, + "vote_count": 4213, + "description": "Mia Hall, a talented young cellist, thought the most difficult decision she would ever have to make would be whether to pursue her musical dreams at prestigious Juilliard or follow her heart to be with the love of her life, Adam, a rock singer/guitarist. However, a car wreck changes everything in an instant, and now Mia's life hangs in the balance. Suspended between life and death, Mia faces a choice that will decide her future.", + "poster": "https://image.tmdb.org/t/p/w500/7Twh8h3Wh7GC9npTAEUThgkxkWL.jpg", + "url": "https://www.themoviedb.org/movie/249164", + "genres": [ + "Drama" + ], + "tags": [ + "coma", + "based on novel or book", + "musician", + "teenage girl", + "car accident", + "out of body experience", + "teen drama", + "based on young adult novel" + ] + }, + { + "ranking": 1779, + "title": "A Letter to Momo", + "year": "2012", + "runtime": 120, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.4, + "vote_count": 370, + "description": "A shy 11-year-old's life takes a strange turn when she discovers three hungry goblins living in the attic of her new house. She misses her old life. She misses her father so very much. Until she makes some new ghoulish friends.", + "poster": "https://image.tmdb.org/t/p/w500/2l4T1bzskrcVlEoBB6lnZdydzns.jpg", + "url": "https://www.themoviedb.org/movie/100271", + "genres": [ + "Comedy", + "Fantasy", + "Animation", + "Drama", + "Family" + ], + "tags": [ + "parent child relationship", + "supernatural", + "family relationships", + "animism", + "supernatural creature", + "youkai", + "anime" + ] + }, + { + "ranking": 1769, + "title": "The Best of Enemies", + "year": "2019", + "runtime": 133, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.4, + "vote_count": 437, + "description": "Centers on the unlikely relationship between Ann Atwater, an outspoken civil rights activist, and C.P. Ellis, a local Ku Klux Klan leader who reluctantly co-chaired a community summit, battling over the desegregation of schools in Durham, North Carolina during the racially-charged summer of 1971. The incredible events that unfolded would change Durham and the lives of Atwater and Ellis forever.", + "poster": "https://image.tmdb.org/t/p/w500/4pA9318BY7CSnXVi3xKBtPYMe1T.jpg", + "url": "https://www.themoviedb.org/movie/458131", + "genres": [ + "Drama", + "History" + ], + "tags": [ + "based on novel or book", + "ku klux klan", + "1970s", + "north carolina", + "based on true story", + "racism", + "interracial friendship", + "segregation" + ] + }, + { + "ranking": 1771, + "title": "2 Hearts", + "year": "2020", + "runtime": 100, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.37, + "vote_count": 583, + "description": "When illness strikes two people who are polar opposites, life and death bring them together in surprising ways.", + "poster": "https://image.tmdb.org/t/p/w500/a7bW3uKOMPBnmHs8gnlpfhTD8YQ.jpg", + "url": "https://www.themoviedb.org/movie/710356", + "genres": [ + "Romance", + "Drama" + ], + "tags": [ + "faith", + "transplanted organ", + "disease", + "destiny" + ] + }, + { + "ranking": 1777, + "title": "I Can Quit Whenever I Want 2: Masterclass", + "year": "2017", + "runtime": 113, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.4, + "vote_count": 1222, + "description": "Pietro Zinni is asked by the police to revive the old gang to create a task force that will stop the spread of smart drugs.", + "poster": "https://image.tmdb.org/t/p/w500/hBQgBWtDym6E7Qem6uhbWJUUHW8.jpg", + "url": "https://www.themoviedb.org/movie/406385", + "genres": [ + "Action", + "Comedy", + "Crime" + ], + "tags": [ + "illegal drugs" + ] + }, + { + "ranking": 1776, + "title": "First They Killed My Father", + "year": "2017", + "runtime": 136, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.4, + "vote_count": 675, + "description": "A 5-year-old girl embarks on a harrowing quest for survival amid the sudden rise and terrifying reign of the Khmer Rouge in Cambodia.", + "poster": "https://image.tmdb.org/t/p/w500/5370jxJfZQY8TUZiiGkpNgvRwU9.jpg", + "url": "https://www.themoviedb.org/movie/433247", + "genres": [ + "War", + "Drama", + "History" + ], + "tags": [ + "cambodia", + "biography" + ] + }, + { + "ranking": 1767, + "title": "We Live in Time", + "year": "2024", + "runtime": 108, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.4, + "vote_count": 762, + "description": "An up-and-coming chef and a recent divorcée find their lives forever changed when a chance encounter brings them together, in a decade-spanning, deeply moving romance.", + "poster": "https://image.tmdb.org/t/p/w500/oeDNBgnlGF6rnyX1P1K8Vl2f3lW.jpg", + "url": "https://www.themoviedb.org/movie/1100099", + "genres": [ + "Romance", + "Drama" + ], + "tags": [ + "marriage", + "father", + "romance", + "love", + "relationship", + "family", + "child", + "sick mother", + "love story", + "moving", + "modern", + "sad", + "heartfelt", + "meaningful" + ] + }, + { + "ranking": 1778, + "title": "A Dog's Way Home", + "year": "2019", + "runtime": 96, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.368, + "vote_count": 1122, + "description": "The adventure of Bella, a dog who embarks on an epic 400-mile journey home after she is separated from her beloved human.", + "poster": "https://image.tmdb.org/t/p/w500/pZn87R7gtmMCGGO8KeaAfZDhXLg.jpg", + "url": "https://www.themoviedb.org/movie/508763", + "genres": [ + "Drama", + "Adventure", + "Family" + ], + "tags": [ + "based on novel or book", + "new mexico", + "homelessness", + "colorado", + "based on true story", + "pitbull", + "dog", + "veteran", + "avalanche", + "pets", + "pet owner", + "animal control" + ] + }, + { + "ranking": 1782, + "title": "Submarine", + "year": "2011", + "runtime": 97, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.4, + "vote_count": 1480, + "description": "15-year-old deep-thinking Welsh schoolboy Oliver Tate struggles to initiate and maintain a relationship with Jordana, his devilish, dark-haired classmate at their Swansea high school. As his parents' marriage begins to fall apart, similar problems arise in his relationship with Jordana.", + "poster": "https://image.tmdb.org/t/p/w500/nbzXX3CYtKUBrPeMcG7PVoLQHXB.jpg", + "url": "https://www.themoviedb.org/movie/49020", + "genres": [ + "Drama", + "Comedy", + "Romance" + ], + "tags": [ + "friendship", + "wales", + "beach", + "bullying", + "loss of virginity", + "coming of age", + "teenage girl", + "teenage protagonist", + "swansea", + "romantic", + "sarcastic" + ] + }, + { + "ranking": 1785, + "title": "No Time to Die", + "year": "2021", + "runtime": 163, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.4, + "vote_count": 6459, + "description": "Bond has left active service and is enjoying a tranquil life in Jamaica. His peace is short-lived when his old friend Felix Leiter from the CIA turns up asking for help. The mission to rescue a kidnapped scientist turns out to be far more treacherous than expected, leading Bond onto the trail of a mysterious villain armed with dangerous new technology.", + "poster": "https://image.tmdb.org/t/p/w500/iUgygt3fscRoKWCV1d0C7FbM9TP.jpg", + "url": "https://www.themoviedb.org/movie/370172", + "genres": [ + "Action", + "Thriller", + "Adventure" + ], + "tags": [ + "based on novel or book", + "forgiveness", + "poison", + "spy", + "mi6", + "family", + "british secret service", + "parents", + "global threat", + "nanobots" + ] + }, + { + "ranking": 1794, + "title": "What's Up, Doc?", + "year": "1972", + "runtime": 94, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.4, + "vote_count": 404, + "description": "The accidental mix-up of four identical plaid overnight bags leads to a series of increasingly wild and wacky situations.", + "poster": "https://image.tmdb.org/t/p/w500/d5WwZxneeAH2Kj2SeDV6oUY2oW0.jpg", + "url": "https://www.themoviedb.org/movie/6949", + "genres": [ + "Comedy", + "Romance" + ], + "tags": [ + "hotel", + "judge", + "chase", + "san francisco, california", + "chaos", + "screwball comedy", + "dictionary", + "bag", + "rocks", + "jewels" + ] + }, + { + "ranking": 1781, + "title": "Miracle on 34th Street", + "year": "1947", + "runtime": 96, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.4, + "vote_count": 767, + "description": "Kris Kringle, seemingly the embodiment of Santa Claus, is asked to portray the jolly old fellow at Macy's following his performance in the Thanksgiving Day parade. His portrayal is so complete that many begin to question if he truly is Santa Claus, while others question his sanity.", + "poster": "https://image.tmdb.org/t/p/w500/qyAc9X9XHloIqy3oJbbZ44Cw0Hm.jpg", + "url": "https://www.themoviedb.org/movie/11881", + "genres": [ + "Comedy", + "Drama", + "Family" + ], + "tags": [ + "court", + "judge", + "parent child relationship", + "holiday", + "department store", + "santa claus", + "thanksgiving", + "psychologist", + "lawyer", + "little girl", + "black and white", + "single mother", + "district attorney", + "skepticism", + "holiday season", + "commercialism", + "christmas", + "rationalism", + "loss of faith", + "mother daughter relationship", + "preserved film" + ] + }, + { + "ranking": 1784, + "title": "Twin Peaks: Fire Walk with Me", + "year": "1992", + "runtime": 135, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.4, + "vote_count": 2000, + "description": "In the questionable town of Deer Meadow, Washington, FBI Agent Desmond inexplicably disappears while hunting for the man who murdered a teen girl. The killer is never apprehended, and, after experiencing dark visions and supernatural encounters, Agent Dale Cooper chillingly predicts that the culprit will claim another life. Meanwhile, in the more cozy town of Twin Peaks, hedonistic beauty Laura Palmer hangs with lowlifes and seems destined for a grisly fate.", + "poster": "https://image.tmdb.org/t/p/w500/rol5H6loAojd6tH2VXQYEXzGQk1.jpg", + "url": "https://www.themoviedb.org/movie/1923", + "genres": [ + "Drama", + "Mystery", + "Horror" + ], + "tags": [ + "high school", + "small town", + "double life", + "sexual abuse", + "detective", + "fbi", + "drug addiction", + "orgy", + "investigation", + "supernatural", + "surreal", + "prequel", + "murder", + "rural area", + "serial killer", + "prostitution", + "brutality", + "drugs", + "incest", + "psychotronic", + "washington state", + "criterion", + "disturbed teenager", + "1990s", + "mysterious events", + "demonic", + "fbi agent", + "secret", + "violence" + ] + }, + { + "ranking": 1783, + "title": "The Red Violin", + "year": "1998", + "runtime": 130, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.367, + "vote_count": 421, + "description": "300 years of a remarkable musical instrument. Crafted by the Italian master Bussotti (Cecchi) in 1681, the red violin has traveled through Austria, England, China, and Canada, leaving both beauty and tragedy in its wake. In Montreal, Samuel L Jackson plays an appraiser going over its complex history.", + "poster": "https://image.tmdb.org/t/p/w500/uPjq8PaNDhFQTzOu4Ce91f6BFgZ.jpg", + "url": "https://www.themoviedb.org/movie/14283", + "genres": [ + "Drama", + "Thriller", + "Mystery", + "Music", + "Romance" + ], + "tags": [ + "violin", + "auction" + ] + }, + { + "ranking": 1792, + "title": "Serenity", + "year": "2005", + "runtime": 119, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.365, + "vote_count": 3586, + "description": "When the renegade crew of Serenity agrees to hide a fugitive on their ship, they find themselves in an action-packed battle between the relentless military might of a totalitarian regime who will destroy anything – or anyone – to get the girl back and the bloodthirsty creatures who roam the uncharted areas of space. But... the greatest danger of all may be on their ship.", + "poster": "https://image.tmdb.org/t/p/w500/4sqUOaPFoP2W81mq1UYqZqf5WzA.jpg", + "url": "https://www.themoviedb.org/movie/16320", + "genres": [ + "Science Fiction", + "Action", + "Adventure", + "Thriller" + ], + "tags": [ + "spacecraft", + "martial arts", + "telepathy", + "dystopia", + "fugitive", + "space western", + "planet", + "cannibal", + "space opera", + "operative", + "ex soldier", + "firefly", + "browncoat", + "awestruck" + ] + }, + { + "ranking": 1796, + "title": "Southpaw", + "year": "2015", + "runtime": 123, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.364, + "vote_count": 5524, + "description": "Billy \"The Great\" Hope, the reigning junior middleweight boxing champion, has an impressive career, a loving wife and daughter, and a lavish lifestyle. However, when tragedy strikes, Billy hits rock bottom, losing his family, his house and his manager. He soon finds an unlikely savior in Tick Willis, a former fighter who trains the city's toughest amateur boxers. With his future on the line, Hope fights to reclaim the trust of those he loves the most.", + "poster": "https://image.tmdb.org/t/p/w500/kSQ49Fi3NVTqGGXILmxV2T2pdkG.jpg", + "url": "https://www.themoviedb.org/movie/307081", + "genres": [ + "Action", + "Drama" + ], + "tags": [ + "sports", + "fighter", + "tragedy", + "death", + "boxing", + "box ring", + "father daughter relationship" + ] + }, + { + "ranking": 1788, + "title": "Perfume: The Story of a Murderer", + "year": "2006", + "runtime": 147, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.4, + "vote_count": 4655, + "description": "Jean-Baptiste Grenouille, born in the stench of 18th century Paris, develops a superior olfactory sense, which he uses to create the world's finest perfumes. However, his work takes a dark turn as he tries to preserve scents in the search for the ultimate perfume.", + "poster": "https://image.tmdb.org/t/p/w500/2wrFrUej8ri5EpjgIkjKTAnr686.jpg", + "url": "https://www.themoviedb.org/movie/1427", + "genres": [ + "Crime", + "Fantasy", + "Drama" + ], + "tags": [ + "daughter", + "small town", + "bad smell", + "prostitute", + "paris, france", + "based on novel or book", + "obsession", + "orgy", + "genius", + "supernatural", + "lone wolf", + "nose", + "lavender", + "child prodigy", + "fish market", + "murder", + "death", + "perfume", + "18th century" + ] + }, + { + "ranking": 1799, + "title": "The Impossible", + "year": "2012", + "runtime": 114, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.364, + "vote_count": 6358, + "description": "In December 2004, close-knit family Maria, Henry and their three sons begin their winter vacation in Thailand. But the day after Christmas, the idyllic holiday turns into an incomprehensible nightmare when a terrifying roar rises from the depths of the sea, followed by a wall of black water that devours everything in its path. Though Maria and her family face their darkest hour, unexpected displays of kindness and courage ameliorate their terror.", + "poster": "https://image.tmdb.org/t/p/w500/k0DLCiDbnYywOHiISALbl2EH2NE.jpg", + "url": "https://www.themoviedb.org/movie/80278", + "genres": [ + "Drama", + "Thriller", + "History" + ], + "tags": [ + "human vs nature", + "natural disaster", + "thailand", + "tsunami", + "historical fiction", + "family vacation", + "struggle for survival", + "survival horror", + "tidal wave", + "catastrophe", + "swept away", + "separation from family", + "boxing day", + "disaster movie", + "man vs nature" + ] + }, + { + "ranking": 1787, + "title": "Shane", + "year": "1953", + "runtime": 118, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.366, + "vote_count": 621, + "description": "A weary gunfighter attempts to settle down with a homestead family, but a smouldering settler and rancher conflict forces him to act.", + "poster": "https://image.tmdb.org/t/p/w500/svr5ADpjXTCOQv8hmuJnB7I14Qv.jpg", + "url": "https://www.themoviedb.org/movie/3110", + "genres": [ + "Drama", + "Western" + ], + "tags": [ + "friendship", + "showdown", + "based on novel or book", + "gun", + "harassment", + "settler", + "fistfight", + "little boy", + "gunfight", + "homesteader", + "intimidation", + "homestead", + "cattle ranch", + "gunfighter", + "cattleman", + "starting over", + "newcomer", + "adult child friendship", + "land rights" + ] + }, + { + "ranking": 1789, + "title": "The Remains of the Day", + "year": "1993", + "runtime": 134, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.4, + "vote_count": 1347, + "description": "A rule-bound head butler's world of manners and decorum in the household he maintains is tested by the arrival of a housekeeper who falls in love with him in post-WWI Britain. The possibility of romance and his master's cultivation of ties with the Nazi cause challenge his carefully maintained veneer of servitude.", + "poster": "https://image.tmdb.org/t/p/w500/uDGDtqSvuch324WnM7Ukdp1bCAQ.jpg", + "url": "https://www.themoviedb.org/movie/1245", + "genres": [ + "Drama", + "Romance" + ], + "tags": [ + "newspaper", + "london, england", + "nazi", + "england", + "butler", + "country house", + "loyalty", + "britain", + "housekeeper", + "employer", + "told in flashback", + "1950s", + "1930s" + ] + }, + { + "ranking": 1797, + "title": "Fruitvale Station", + "year": "2013", + "runtime": 82, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.364, + "vote_count": 1310, + "description": "Oakland, California. Young Afro-American Oscar Grant crosses paths with family members, friends, enemies and strangers before facing his fate on the platform at Fruitvale Station, in the early morning hours of New Year's Day 2009.", + "poster": "https://image.tmdb.org/t/p/w500/oXSy3nEKFtfw5iRxdG8ouEFAnxs.jpg", + "url": "https://www.themoviedb.org/movie/157354", + "genres": [ + "Drama" + ], + "tags": [ + "new year's eve", + "police brutality", + "based on true story", + "oakland, california", + "racism", + "boyfriend girlfriend relationship", + "day in a life", + "mother son relationship", + "father daughter relationship", + "2000s", + "train station", + "independent film" + ] + }, + { + "ranking": 1786, + "title": "Scooby-Doo! and the Witch's Ghost", + "year": "1999", + "runtime": 70, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.4, + "vote_count": 443, + "description": "Scooby-Doo and the Mystery Gang visit Oakhaven, Massachusetts to seek strange goings on involving a famous horror novelist and his ancestor who is rumored be a witch.", + "poster": "https://image.tmdb.org/t/p/w500/ljEEGImypBFGoXU7eZSTo4vE9nC.jpg", + "url": "https://www.themoviedb.org/movie/17681", + "genres": [ + "Animation", + "Comedy", + "Mystery", + "Family", + "Fantasy" + ], + "tags": [ + "witch", + "criminal investigation" + ] + }, + { + "ranking": 1793, + "title": "To Wong Foo, Thanks for Everything! Julie Newmar", + "year": "1995", + "runtime": 109, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.365, + "vote_count": 680, + "description": "Manhattan drag queens Vida Boheme and Noxeema Jackson impress regional judges in competition, securing berths in the Nationals in Los Angeles. When the two meet pathetic drag novice Chi-Chi Rodriguez — one of the losers that evening — the charmed Vida and Noxeema agree to take the hopeless youngster under their joined wing. Soon the three set off on a madcap road trip across America and struggle to make it to Los Angeles in time.", + "poster": "https://image.tmdb.org/t/p/w500/vosbsu1ImLaBMFtBjSETjeRrMwg.jpg", + "url": "https://www.themoviedb.org/movie/9090", + "genres": [ + "Comedy", + "Drama" + ], + "tags": [ + "new york city", + "transvestism", + "homophobia", + "drag queen", + "road trip", + "travel", + "drag", + "woman director", + "mischievous", + "amused", + "comforting", + "vibrant" + ] + }, + { + "ranking": 1791, + "title": "Dearest Relatives, Poisonous Relations", + "year": "1992", + "runtime": 105, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.4, + "vote_count": 330, + "description": "During the annual Christmas gathering at the family home, the parents surprise their children by announcing their decision to move in with one of them and pass on the house.", + "poster": "https://image.tmdb.org/t/p/w500/tDksTwkXNSTx7aO7cqG3oAZSO9X.jpg", + "url": "https://www.themoviedb.org/movie/24182", + "genres": [ + "Comedy" + ], + "tags": [ + "family", + "capodanno", + "sulmona", + "avós", + "ceia", + "velhice", + "christmas" + ] + }, + { + "ranking": 1800, + "title": "The Great Gatsby", + "year": "2013", + "runtime": 143, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.364, + "vote_count": 12383, + "description": "An adaptation of F. Scott Fitzgerald's Long Island-set novel, where Midwesterner Nick Carraway is lured into the lavish world of his neighbor, Jay Gatsby. Soon enough, however, Carraway will see through the cracks of Gatsby's nouveau riche existence, where obsession, madness, and tragedy await.", + "poster": "https://image.tmdb.org/t/p/w500/nimh1rrDDLhgpG8XAYoUZXHYwb6.jpg", + "url": "https://www.themoviedb.org/movie/64682", + "genres": [ + "Drama", + "Romance" + ], + "tags": [ + "infidelity", + "based on novel or book", + "obsession", + "hope", + "long island, new york", + "1920s", + "voiceover", + "tragic" + ] + }, + { + "ranking": 1798, + "title": "Rise of the Guardians", + "year": "2012", + "runtime": 97, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.364, + "vote_count": 6794, + "description": "When an evil spirit known as Pitch lays down the gauntlet to take over the world, the immortal Guardians must join forces for the first time to protect the hopes, beliefs and imagination of children all over the world.", + "poster": "https://image.tmdb.org/t/p/w500/sW4qOa9yF0Ikg7lppncQ0n5UhKX.jpg", + "url": "https://www.themoviedb.org/movie/81188", + "genres": [ + "Animation", + "Family", + "Fantasy" + ], + "tags": [ + "new york city", + "friendship", + "amnesia", + "santa claus", + "cartoon", + "villain", + "easter bunny", + "boogeyman", + "jack frost", + "duringcreditsstinger", + "christmas" + ] + }, + { + "ranking": 1790, + "title": "Injustice", + "year": "2021", + "runtime": 78, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.4, + "vote_count": 784, + "description": "When Lois Lane is killed, an unhinged Superman decides to take control of the Earth. Determined to stop him, Batman creates a team of freedom-fighting heroes. But when superheroes go to war, can the world survive?", + "poster": "https://image.tmdb.org/t/p/w500/rzrSeqqpm1BwJ3tcTznztBtLLSD.jpg", + "url": "https://www.themoviedb.org/movie/831405", + "genres": [ + "Animation", + "Science Fiction", + "Fantasy", + "Action" + ], + "tags": [ + "superhero", + "based on comic", + "based on video game" + ] + }, + { + "ranking": 1795, + "title": "Pirates of the Caribbean: Dead Man's Chest", + "year": "2006", + "runtime": 151, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.4, + "vote_count": 16256, + "description": "Captain Jack Sparrow races to recover the heart of Davy Jones to avoid enslaving his soul to Jones' service, as other friends and foes seek the heart for their own agenda as well.", + "poster": "https://image.tmdb.org/t/p/w500/uXEqmloGyP7UXAiphJUu2v2pcuE.jpg", + "url": "https://www.themoviedb.org/movie/58", + "genres": [ + "Adventure", + "Fantasy", + "Action" + ], + "tags": [ + "witch", + "daughter", + "ship", + "exotic island", + "bondage", + "monster", + "captain", + "fortune teller", + "compass", + "sword fight", + "pirate", + "cannibal", + "swashbuckler", + "kraken", + "aftercreditsstinger", + "based on theme park ride", + "incredulous", + "hilarious" + ] + }, + { + "ranking": 1805, + "title": "Frances Ha", + "year": "2013", + "runtime": 86, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.4, + "vote_count": 1665, + "description": "An aspiring dancer moves to New York City and becomes caught up in a whirlwind of flighty fair-weather friends, diminishing fortunes and career setbacks.", + "poster": "https://image.tmdb.org/t/p/w500/jrq1NoKvsxWCcffVOjegiYwloFN.jpg", + "url": "https://www.themoviedb.org/movie/121986", + "genres": [ + "Comedy", + "Drama" + ], + "tags": [ + "new york city", + "friendship", + "dancer", + "paris, france", + "freedom", + "loneliness", + "best friend", + "black and white", + "urban setting", + "responsibility", + "mumblecore", + "sacramento", + "dance teacher", + "millennials", + "late coming of age", + "dance show", + "joy", + "sincere" + ] + }, + { + "ranking": 1801, + "title": "La Belle Époque", + "year": "2019", + "runtime": 115, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.4, + "vote_count": 1017, + "description": "Victor, a disillusioned 60-something whose marriage is on the rocks, opts to relive the week of his life when, 40 years earlier, he met his true love through a company that allows customers to return to the time period of their choosing.", + "poster": "https://image.tmdb.org/t/p/w500/eHojoVxYRyqGABgoiTYyfkYqTra.jpg", + "url": "https://www.themoviedb.org/movie/595975", + "genres": [ + "Comedy", + "Drama" + ], + "tags": [ + "husband wife relationship", + "nostalgia", + "romance", + "back in time", + "theater", + "favourite time" + ] + }, + { + "ranking": 1802, + "title": "The Wailing", + "year": "2016", + "runtime": 156, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.4, + "vote_count": 1793, + "description": "A stranger arrives in a little village and soon after a mysterious sickness starts spreading. A policeman is drawn into the incident and is forced to solve the mystery in order to save his daughter.", + "poster": "https://image.tmdb.org/t/p/w500/aXlL7yYwpXInhltamtzKQFBG08G.jpg", + "url": "https://www.themoviedb.org/movie/293670", + "genres": [ + "Horror", + "Mystery" + ], + "tags": [ + "daughter", + "small town", + "police", + "investigation", + "exorcism", + "possession", + "murder", + "priest", + "rural area", + "curse", + "shaman", + "zombie", + "demon", + "shrine", + "occult", + "macabre", + "ghost", + "gluttony", + "shamanism", + "folk horror", + "acupuncture", + "divination", + "frightened" + ] + }, + { + "ranking": 1804, + "title": "Red River", + "year": "1948", + "runtime": 133, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.4, + "vote_count": 539, + "description": "Following the Civil War, headstrong rancher Thomas Dunson decides to lead a perilous cattle drive from Texas to Missouri. During the exhausting journey, his persistence becomes tyrannical in the eyes of Matthew Garth, his adopted son and protégé.", + "poster": "https://image.tmdb.org/t/p/w500/jyNTsAzrIWB441OtvfbgKtx1kFS.jpg", + "url": "https://www.themoviedb.org/movie/3089", + "genres": [ + "Western" + ], + "tags": [ + "texas", + "kansas, usa", + "cattle drive", + "revenge", + "black and white", + "cattle", + "adopted child", + "cattle empire", + "1850s" + ] + }, + { + "ranking": 1807, + "title": "Scooby-Doo! WrestleMania Mystery", + "year": "2014", + "runtime": 84, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.4, + "vote_count": 321, + "description": "The mystery begins when Shaggy and Scooby win tickets to \"WrestleMania\" and convince the crew to go with them to WWE City. But this city harbors a spooky secret - a ghastly Ghost Bear holds the town in his terrifying grip! To protect the coveted WWE Championship Title, the gang gets help from WWE Superstars like John Cena, Triple H, Sin Cara, Brodus Clay, AJ Lee, The Miz and Kane. Watch Scooby and the gang grapple with solving this case before it's too late.", + "poster": "https://image.tmdb.org/t/p/w500/vgnxicD1qvhTrh4db9F7hJLoOaa.jpg", + "url": "https://www.themoviedb.org/movie/258893", + "genres": [ + "Animation", + "Comedy", + "Family", + "Mystery" + ], + "tags": [ + "detective", + "supernatural", + "pro wrestling", + "crossover", + "pro wrestlers" + ] + }, + { + "ranking": 1803, + "title": "Blow", + "year": "2001", + "runtime": 124, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.363, + "vote_count": 4353, + "description": "A boy named George Jung grows up in a struggling family in the 1950's. His mother nags at her husband as he is trying to make a living for the family. It is finally revealed that George's father cannot make a living and the family goes bankrupt. George does not want the same thing to happen to him, and his friend Tuna, in the 1960's, suggests that he deal marijuana. He is a big hit in California in the 1960's, yet he goes to jail, where he finds out about the wonders of cocaine. As a result, when released, he gets rich by bringing cocaine to America. However, he soon pays the price.", + "poster": "https://image.tmdb.org/t/p/w500/yYZFVfk8aeMP4GxBSU9MTvqs9mJ.jpg", + "url": "https://www.themoviedb.org/movie/4133", + "genres": [ + "Crime", + "Drama" + ], + "tags": [ + "drug smuggling", + "war on drugs", + "drug trafficking", + "1970s", + "drug addiction", + "rise and fall", + "cautionary", + "factual", + "dramatic", + "suspenseful", + "intense" + ] + }, + { + "ranking": 1816, + "title": "The Collini Case", + "year": "2019", + "runtime": 118, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.358, + "vote_count": 405, + "description": "A young lawyer stumbles upon a vast conspiracy while investigating a brutal murder case.", + "poster": "https://image.tmdb.org/t/p/w500/crfpuX2d6TAGxQl3lnV2t3FIWmx.jpg", + "url": "https://www.themoviedb.org/movie/570661", + "genres": [ + "Drama", + "Thriller" + ], + "tags": [ + "affectation", + "disturbed", + "legal drama", + "awestruck", + "empathetic", + "enchant", + "enthusiastic" + ] + }, + { + "ranking": 1806, + "title": "Frantz", + "year": "2016", + "runtime": 113, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.361, + "vote_count": 702, + "description": "In the aftermath of WWI, a young German who grieves the death of her fiancé in France meets a mysterious French man who visits the fiance’s grave to lay flowers.", + "poster": "https://image.tmdb.org/t/p/w500/cL77uNb2BB8eXjYl9JIrWXCM8so.jpg", + "url": "https://www.themoviedb.org/movie/377263", + "genres": [ + "History", + "Drama", + "Romance" + ], + "tags": [ + "germany", + "post world war i", + "soldier", + "post war", + "little town", + "gay theme" + ] + }, + { + "ranking": 1817, + "title": "The Boss Baby: Family Business", + "year": "2021", + "runtime": 107, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.358, + "vote_count": 2564, + "description": "The Templeton brothers — Tim and his Boss Baby little bro Ted — have become adults and drifted away from each other. But a new boss baby with a cutting-edge approach and a can-do attitude is about to bring them together again … and inspire a new family business.", + "poster": "https://image.tmdb.org/t/p/w500/kv2Qk9MKFFQo4WQPaYta599HkJP.jpg", + "url": "https://www.themoviedb.org/movie/459151", + "genres": [ + "Animation", + "Comedy", + "Adventure", + "Family" + ], + "tags": [ + "baby", + "boss", + "sequel", + "sibling", + "family" + ] + }, + { + "ranking": 1811, + "title": "Futurama: Bender's Big Score", + "year": "2007", + "runtime": 89, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.359, + "vote_count": 698, + "description": "The Planet Express crew return from cancellation, only to be robbed blind by hideous \"sprunging\" scam artists. Things go from bad to worse when the scammers hack Bender, start traveling through time, and take Earth over entirely! Will the crew be able to save the day, or will Bender's larcenous tendencies and their general incompetence doom them all?", + "poster": "https://image.tmdb.org/t/p/w500/bmVE90IHvx4uXQgtbRtu4RyMWpt.jpg", + "url": "https://www.themoviedb.org/movie/7249", + "genres": [ + "Animation", + "Comedy", + "Science Fiction", + "TV Movie" + ], + "tags": [ + "saving the world", + "time travel", + "corporate greed", + "glitch", + "time paradox", + "revive dead", + "canceled" + ] + }, + { + "ranking": 1819, + "title": "Jackie Brown", + "year": "1997", + "runtime": 154, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.358, + "vote_count": 6473, + "description": "Jackie Brown is a flight attendant who gets caught in the middle of smuggling cash into the country for her gunrunner boss. When the cops try to use Jackie to get to her boss, she hatches a plan — with help from a bail bondsman — to keep the money for herself.", + "poster": "https://image.tmdb.org/t/p/w500/rOUx7qg4KmEh1juEDwqzbDSL1Nr.jpg", + "url": "https://www.themoviedb.org/movie/184", + "genres": [ + "Crime", + "Drama", + "Thriller" + ], + "tags": [ + "airport", + "based on novel or book", + "police", + "arms deal", + "stewardess", + "heist", + "money", + "los angeles, california", + "drugs", + "ex-con", + "flight attendant", + "neo-noir" + ] + }, + { + "ranking": 1809, + "title": "Ice Age", + "year": "2002", + "runtime": 81, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.361, + "vote_count": 13503, + "description": "With the impending ice age almost upon them, a mismatched trio of prehistoric critters – Manny the woolly mammoth, Diego the saber-toothed tiger and Sid the giant sloth – find an orphaned infant and decide to return it to its human parents. Along the way, the unlikely allies become friends but, when enemies attack, their quest takes on far nobler aims.", + "poster": "https://image.tmdb.org/t/p/w500/gLhHHZUzeseRXShoDyC4VqLgsNv.jpg", + "url": "https://www.themoviedb.org/movie/425", + "genres": [ + "Animation", + "Comedy", + "Family", + "Adventure" + ], + "tags": [ + "dying and death", + "human evolution", + "parent child relationship", + "squirrel", + "loss of loved one", + "mammoth", + "sloth", + "villain", + "stone age", + "prehistory", + "prehistoric creature", + "saber-toothed tiger", + "cavemen", + "road movie", + "neanderthal", + "prehistoric man", + "dodo bird", + "nut", + "ground sloth", + "cheerful" + ] + }, + { + "ranking": 1814, + "title": "Eraserhead", + "year": "1977", + "runtime": 89, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.359, + "vote_count": 2507, + "description": "First-time father Henry Spencer tries to survive his industrial environment, his angry girlfriend, and the unbearable screams of his newly born mutant child.", + "poster": "https://image.tmdb.org/t/p/w500/mxveW3mGVc0DzLdOmtkZsgd7c3B.jpg", + "url": "https://www.themoviedb.org/movie/985", + "genres": [ + "Horror", + "Fantasy" + ], + "tags": [ + "baby", + "nightmare", + "mutant", + "claustrophobia", + "parents-in-law", + "pencil", + "surrealism", + "torture", + "biting", + "parallel world" + ] + }, + { + "ranking": 1810, + "title": "The Killers", + "year": "1946", + "runtime": 103, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.359, + "vote_count": 391, + "description": "Two hit men walk into a diner asking for a man called \"the Swede\". When the killers find the Swede, he's expecting them and doesn't put up a fight. Since the Swede had a life insurance policy, an investigator, on a hunch, decides to look into the murder. As the Swede's past is laid bare, it comes to light that he was in love with a beautiful woman who may have lured him into pulling off a bank robbery overseen by another man.", + "poster": "https://image.tmdb.org/t/p/w500/uXnuc6pW01s1MDwb6QwBWg2JQeX.jpg", + "url": "https://www.themoviedb.org/movie/14638", + "genres": [ + "Crime", + "Mystery", + "Thriller" + ], + "tags": [ + "small town", + "new jersey", + "gas station", + "boxer", + "heist", + "femme fatale", + "film noir", + "murder", + "black and white", + "attempted robbery", + "insurance investigator", + "hemingway" + ] + }, + { + "ranking": 1815, + "title": "Match Point", + "year": "2005", + "runtime": 124, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.4, + "vote_count": 4124, + "description": "Chris, a former tennis player, looks for work as an instructor. He meets Tom Hewett, a wealthy young man whose sister Chloe falls in love with Chris. But Chris has his eye on Tom's fiancee Nola.", + "poster": "https://image.tmdb.org/t/p/w500/vHjEVTD8ucuwKSFOZJeyAnTZYli.jpg", + "url": "https://www.themoviedb.org/movie/116", + "genres": [ + "Drama", + "Thriller", + "Crime", + "Romance" + ], + "tags": [ + "adultery", + "london, england", + "love triangle", + "sports", + "upper class", + "tennis", + "river thames", + "love", + "wealth", + "lust", + "gold digger", + "instructor", + "social climbing" + ] + }, + { + "ranking": 1808, + "title": "Fantasia", + "year": "1940", + "runtime": 124, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.361, + "vote_count": 3102, + "description": "Walt Disney's timeless masterpiece is an extravaganza of sight and sound! See the music come to life, hear the pictures burst into song and experience the excitement that is Fantasia over and over again.", + "poster": "https://image.tmdb.org/t/p/w500/5m9njnidjR0syG2gpVPVgcEMB2X.jpg", + "url": "https://www.themoviedb.org/movie/756", + "genres": [ + "Animation", + "Family", + "Fantasy" + ], + "tags": [ + "classical music", + "cartoon", + "villain", + "orchestra", + "musical", + "cartoon mouse", + "wizard", + "live action and animation", + "amused", + "joyful" + ] + }, + { + "ranking": 1818, + "title": "Rudy", + "year": "1993", + "runtime": 114, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.358, + "vote_count": 685, + "description": "Rudy grew up in a steel mill town where most people ended up working, but wanted to play football at Notre Dame instead. There were only a couple of problems. His grades were a little low, his athletic skills were poor, and he was only half the size of the other players. But he had the drive and the spirit of 5 people and has set his sights upon joining the team.", + "poster": "https://image.tmdb.org/t/p/w500/fAbfTCRpjHe2rprXBly55KL1dL9.jpg", + "url": "https://www.themoviedb.org/movie/14534", + "genres": [ + "Drama", + "History" + ], + "tags": [ + "underdog", + "sports", + "american football", + "biography", + "family relationships", + "aspiration" + ] + }, + { + "ranking": 1812, + "title": "Jacob's Ladder", + "year": "1990", + "runtime": 113, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.4, + "vote_count": 1696, + "description": "After returning home from the Vietnam War, veteran Jacob Singer struggles to maintain his sanity. Plagued by hallucinations and flashbacks, Singer rapidly falls apart as the world and people around him morph and twist into disturbing images. His girlfriend, Jezzie, and ex-wife, Sarah, try to help, but to little avail. Even Singer's chiropractor friend, Louis, fails to reach him as he descends into madness.", + "poster": "https://image.tmdb.org/t/p/w500/ufLcHIi1aXjjH8MediAMvnwDsVI.jpg", + "url": "https://www.themoviedb.org/movie/2291", + "genres": [ + "Drama", + "Mystery", + "Horror" + ], + "tags": [ + "vietnam veteran", + "new york city", + "post-traumatic stress disorder (ptsd)", + "experiment", + "nightmare", + "subway", + "1970s", + "paranoia", + "hallucination", + "car bomb", + "grief", + "memory", + "chemist", + "demon", + "postal worker", + "figment of imagination", + "oneiric", + "chiropractor" + ] + }, + { + "ranking": 1813, + "title": "The Wind That Shakes the Barley", + "year": "2006", + "runtime": 127, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.4, + "vote_count": 821, + "description": "In 1920s Ireland young doctor Damien O'Donovan prepares to depart for a new job in a London hospital. As he says his goodbyes at a friend's farm, British Black and Tans arrive, and a young man is killed. Damien joins his brother Teddy in the Irish Republican Army, but political events are soon set in motion that tear the brothers apart.", + "poster": "https://image.tmdb.org/t/p/w500/9XquDdOGrlC0EAbPoOXALqS2dDh.jpg", + "url": "https://www.themoviedb.org/movie/1116", + "genres": [ + "Drama", + "War" + ], + "tags": [ + "guerrilla warfare", + "civil war", + "sibling relationship", + "england", + "underground", + "resistance", + "peace", + "independence", + "traitor", + "mercenary", + "british army", + "british empire", + "dublin, ireland", + "irish civil war (1922-23)", + "historical fiction", + "ira (irish republican army)", + "ireland", + "colonialism", + "irish history", + "irish", + "depressing" + ] + }, + { + "ranking": 1820, + "title": "The Hobbit: An Unexpected Journey", + "year": "2012", + "runtime": 169, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.357, + "vote_count": 18689, + "description": "Bilbo Baggins, a hobbit enjoying his quiet life, is swept into an epic quest by Gandalf the Grey and thirteen dwarves who seek to reclaim their mountain home from Smaug, the dragon.", + "poster": "https://image.tmdb.org/t/p/w500/yHA9Fc37VmpUA5UncTxxo3rTGVA.jpg", + "url": "https://www.themoviedb.org/movie/49051", + "genres": [ + "Adventure", + "Fantasy", + "Action" + ], + "tags": [ + "based on novel or book", + "orcs", + "elves", + "dwarf", + "magic", + "horseback riding", + "sword", + "burglar", + "legend", + "riddle", + "mountain", + "contract", + "travel", + "troll", + "creature", + "thunderstorm", + "fantasy world", + "wizard", + "epic battle", + "lost ring", + "journey", + "ring", + "tunnel", + "underground lake", + "buried treasure", + "invisibility", + "quest", + "live action and animation", + "high fantasy", + "sword and sorcery", + "trekking", + "goblins", + "good versus evil", + "creatures", + "fantasy creature", + "amused", + "excited", + "hobbit" + ] + }, + { + "ranking": 1821, + "title": "The Hobbit: An Unexpected Journey", + "year": "2012", + "runtime": 169, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.357, + "vote_count": 18688, + "description": "Bilbo Baggins, a hobbit enjoying his quiet life, is swept into an epic quest by Gandalf the Grey and thirteen dwarves who seek to reclaim their mountain home from Smaug, the dragon.", + "poster": "https://image.tmdb.org/t/p/w500/yHA9Fc37VmpUA5UncTxxo3rTGVA.jpg", + "url": "https://www.themoviedb.org/movie/49051", + "genres": [ + "Adventure", + "Fantasy", + "Action" + ], + "tags": [ + "based on novel or book", + "orcs", + "elves", + "dwarf", + "magic", + "horseback riding", + "sword", + "burglar", + "legend", + "riddle", + "mountain", + "contract", + "travel", + "troll", + "creature", + "thunderstorm", + "fantasy world", + "wizard", + "epic battle", + "lost ring", + "journey", + "ring", + "tunnel", + "underground lake", + "buried treasure", + "invisibility", + "quest", + "live action and animation", + "high fantasy", + "sword and sorcery", + "trekking", + "goblins", + "good versus evil", + "creatures", + "fantasy creature", + "amused", + "excited", + "hobbit" + ] + }, + { + "ranking": 1830, + "title": "El Dorado", + "year": "1966", + "runtime": 126, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.4, + "vote_count": 542, + "description": "Cole Thornton, a gunfighter for hire, joins forces with an old friend, Sheriff J.P. Harrah. Together with a fighter and a gambler, they help a rancher and his family fight a rival rancher that is trying to steal their water.", + "poster": "https://image.tmdb.org/t/p/w500/poJxkMtTA3E95lJ6RnBgNxF0Vmx.jpg", + "url": "https://www.themoviedb.org/movie/6644", + "genres": [ + "Western" + ], + "tags": [ + "sheriff", + "based on novel or book", + "texas", + "ranch", + "settler", + "liquor", + "revolver", + "two guns belt" + ] + }, + { + "ranking": 1825, + "title": "Belle de Jour", + "year": "1967", + "runtime": 101, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.356, + "vote_count": 916, + "description": "Beautiful young housewife Séverine Serizy cannot reconcile her masochistic fantasies with her everyday life alongside dutiful husband Pierre. When her lovestruck friend Henri mentions a secretive high-class brothel run by Madame Anais, Séverine begins to work there during the day under the name Belle de Jour. But when one of her clients grows possessive, she must try to go back to her normal life.", + "poster": "https://image.tmdb.org/t/p/w500/iUAFECovwPA0cVV9bo4uNGLJSGL.jpg", + "url": "https://www.themoviedb.org/movie/649", + "genres": [ + "Drama", + "Romance" + ], + "tags": [ + "adultery", + "prostitute", + "jealousy", + "dreams", + "husband wife relationship", + "dual identity", + "double life", + "sexual frustration", + "brothel", + "women's sexual identity", + "masochism", + "sexual exploration" + ] + }, + { + "ranking": 1822, + "title": "Nowhere", + "year": "2023", + "runtime": 109, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.4, + "vote_count": 1418, + "description": "A young pregnant woman named Mia escapes from a country at war by hiding in a maritime container aboard a cargo ship. After a violent storm, Mia gives birth to the child while lost at sea, where she must fight to survive.", + "poster": "https://image.tmdb.org/t/p/w500/cVxIX8JJJB179zh7wcUt0A6TpQQ.jpg", + "url": "https://www.themoviedb.org/movie/1151534", + "genres": [ + "Thriller", + "Drama" + ], + "tags": [ + "lost at sea", + "survival at sea", + "absurd", + "awestruck", + "distressing", + "tragic" + ] + }, + { + "ranking": 1836, + "title": "Tinker Bell and the Legend of the NeverBeast", + "year": "2014", + "runtime": 77, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.4, + "vote_count": 1123, + "description": "An ancient myth of a massive creature sparks the curiosity of Tinker Bell and her good friend Fawn, an animal fairy who’s not afraid to break the rules to help an animal in need. But this creature is not welcome in Pixie Hollow — and the scout fairies are determined to capture the mysterious beast, who they fear will destroy their home. Fawn must convince her fairy friends to risk everything to rescue the NeverBeast.", + "poster": "https://image.tmdb.org/t/p/w500/3S0mmmpYStB3GqodRghcfOt81wQ.jpg", + "url": "https://www.themoviedb.org/movie/297270", + "genres": [ + "Adventure", + "Animation", + "Family" + ], + "tags": [ + "fairy tale", + "fairy", + "tinkerbell" + ] + }, + { + "ranking": 1835, + "title": "The Abyss", + "year": "1989", + "runtime": 140, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.4, + "vote_count": 3092, + "description": "A civilian oil rig crew is recruited to conduct a search and rescue effort when a nuclear submarine mysteriously sinks. One diver soon finds himself on a spectacular odyssey 25,000 feet below the ocean's surface where he confronts a mysterious force that has the power to change the world or destroy it.", + "poster": "https://image.tmdb.org/t/p/w500/2dCit3XAtv9KWCJvRKdPkJ0FAkH.jpg", + "url": "https://www.themoviedb.org/movie/2756", + "genres": [ + "Adventure", + "Action", + "Thriller", + "Science Fiction" + ], + "tags": [ + "sea", + "flying saucer", + "submarine", + "ocean", + "diving suit", + "secret mission", + "insanity", + "nuclear missile", + "u.s. navy", + "alien life-form", + "ufo", + "warning", + "scuba diving", + "underwater", + "scuba", + "extraterrestrial life form", + "deepsea", + "message", + "trapped underwater ", + "thalassophobia" + ] + }, + { + "ranking": 1832, + "title": "Scooby-Doo! and the Reluctant Werewolf", + "year": "1988", + "runtime": 92, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.4, + "vote_count": 318, + "description": "Shaggy is turned into a werewolf, and it's up to Scooby, Scrappy and Shaggy's girlfriend to help him win a race against other monsters, and become human again.", + "poster": "https://image.tmdb.org/t/p/w500/cXUQuHnNBxFSZAmYfogMfrcvMk7.jpg", + "url": "https://www.themoviedb.org/movie/37211", + "genres": [ + "Animation", + "Family", + "TV Movie", + "Mystery", + "Comedy" + ], + "tags": [ + "monster", + "werewolf", + "race", + "hunchback", + "mr. hyde", + "dr. jekyll", + "frankenstein", + "dracula" + ] + }, + { + "ranking": 1824, + "title": "Adaptation.", + "year": "2002", + "runtime": 115, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.4, + "vote_count": 2542, + "description": "Charlie Kaufman is a confused L.A. screenwriter overwhelmed by feelings of inadequacy, sexual frustration, self-loathing, and by the screenwriting ambitions of his freeloading twin brother Donald. While struggling to adapt \"The Orchid Thief,\" by Susan Orlean, Kaufman's life spins from pathetic to bizarre. The lives of Kaufman, Orlean's book, become strangely intertwined as each one's search for passion collides with the others'.", + "poster": "https://image.tmdb.org/t/p/w500/ffEmHQAiD0m5dEQ6rlsuA9vlllW.jpg", + "url": "https://www.themoviedb.org/movie/2757", + "genres": [ + "Comedy", + "Crime", + "Drama" + ], + "tags": [ + "based on novel or book", + "marriage crisis", + "alligator", + "writer's block", + "orchid", + "writer", + "twins" + ] + }, + { + "ranking": 1837, + "title": "Lifeboat", + "year": "1944", + "runtime": 96, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.4, + "vote_count": 443, + "description": "During World War II, a small group of survivors is stranded in a lifeboat together after the ship they were traveling on is destroyed by a German U-boat.", + "poster": "https://image.tmdb.org/t/p/w500/2QXpzBMJJtmH7JvVf0ZzENvgc1o.jpg", + "url": "https://www.themoviedb.org/movie/13321", + "genres": [ + "War", + "Drama" + ], + "tags": [ + "sea", + "journalist", + "submarine", + "boat", + "world war ii", + "black and white", + "lifeboat", + "steward", + "radio operator" + ] + }, + { + "ranking": 1826, + "title": "The In Between", + "year": "2022", + "runtime": 116, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.355, + "vote_count": 770, + "description": "After surviving a car accident that took the life of her boyfriend, a teenage girl believes he's attempting to reconnect with her from the after world.", + "poster": "https://image.tmdb.org/t/p/w500/7RcyjraM1cB1Uxy2W9ZWrab4KCw.jpg", + "url": "https://www.themoviedb.org/movie/818750", + "genres": [ + "Romance", + "Science Fiction", + "Drama" + ], + "tags": [] + }, + { + "ranking": 1833, + "title": "My Father's Glory", + "year": "1990", + "runtime": 105, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.4, + "vote_count": 305, + "description": "Raised by his science teacher father, Joseph Pagnol, and seamstress mother Augustine, young Marcel grows up during the turn of the century in awe of his rationalist dad. When the family takes a summer vacation in the countryside, Marcel becomes friends with Lili, who teaches him about rural life.", + "poster": "https://image.tmdb.org/t/p/w500/4zwgcaKqIJ5GB6kCPpyMLZuNyoi.jpg", + "url": "https://www.themoviedb.org/movie/12716", + "genres": [ + "Adventure", + "Drama" + ], + "tags": [ + "parent child relationship", + "provence", + "southern france", + "biography", + "teacher", + "rural area", + "summer", + "based on memoir or autobiography", + "hill", + "turn of the century", + "1900s" + ] + }, + { + "ranking": 1823, + "title": "Road to Perdition", + "year": "2002", + "runtime": 117, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.4, + "vote_count": 3700, + "description": "Mike Sullivan works as a hit man for crime boss John Rooney. Sullivan views Rooney as a father figure, however after his son is witness to a killing, Mike Sullivan finds himself on the run in attempt to save the life of his son and at the same time looking for revenge on those who wronged him.", + "poster": "https://image.tmdb.org/t/p/w500/loSpBeirRfTPJ3cMIqpQArstGhh.jpg", + "url": "https://www.themoviedb.org/movie/4147", + "genres": [ + "Crime", + "Drama", + "Thriller" + ], + "tags": [ + "hotel", + "farm", + "hitman", + "illinois", + "great depression", + "road trip", + "based on comic", + "revenge", + "organized crime", + "mafia", + "bank robbery", + "based on graphic novel", + "homework", + "learning to drive", + "spoiled son", + "scarred face", + "liberty half dollar", + "lake michigan", + "1930s", + "cautionary", + "ambivalent", + "callous" + ] + }, + { + "ranking": 1827, + "title": "Operation Red Sea", + "year": "2018", + "runtime": 138, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.4, + "vote_count": 393, + "description": "A squad of the Jiaolong Commando Unit - Sea Dragon, a spec ops team of the Chinese Navy, carries out a hostage rescue operation in the nation of Yewaire, on the Arabian Peninsula, and fiercely fights against local rebel groups and Zaka, a terrorist organization.", + "poster": "https://image.tmdb.org/t/p/w500/6ctXBO0o5fKQvGdSJsPc8TAYCvp.jpg", + "url": "https://www.themoviedb.org/movie/460555", + "genres": [ + "Action", + "Thriller", + "War", + "Adventure" + ], + "tags": [ + "red sea", + "historical fiction", + "desert", + "hostage situation", + "tank battle", + "uranium", + "peoples army", + "naval battleship" + ] + }, + { + "ranking": 1839, + "title": "The African Queen", + "year": "1952", + "runtime": 105, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.4, + "vote_count": 977, + "description": "At the start of the First World War, in the middle of Africa’s nowhere, a gin soaked riverboat captain is persuaded by a strong-willed missionary to go down river and face-off a German warship.", + "poster": "https://image.tmdb.org/t/p/w500/2Ypg0KhQfFYWILelvHGtSHHR0dk.jpg", + "url": "https://www.themoviedb.org/movie/488", + "genres": [ + "Romance", + "Adventure", + "Drama" + ], + "tags": [ + "world war i", + "faith", + "africa", + "missionary", + "boat", + "river", + "hope", + "patriotism", + "hippopotamus", + "giraffe", + "methodist church", + "animal species", + "moqukito", + "boat wedding", + "leech", + "gin", + "tanzania", + "congo", + "man woman relationship", + "technicolor" + ] + }, + { + "ranking": 1831, + "title": "The Big Short", + "year": "2015", + "runtime": 131, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.4, + "vote_count": 9180, + "description": "The men who made millions from a global economic meltdown.", + "poster": "https://image.tmdb.org/t/p/w500/isuQWbJPbjybBEWdcCaBUPmU0XO.jpg", + "url": "https://www.themoviedb.org/movie/318846", + "genres": [ + "Comedy", + "Drama" + ], + "tags": [ + "based on novel or book", + "bank", + "fraud", + "wall street", + "biography", + "based on true story", + "finances", + "animated scene", + "historical fiction", + "loan", + "cynical", + "financial crisis", + "real estate", + "mortgage", + "factual", + "complicated" + ] + }, + { + "ranking": 1838, + "title": "The Lady from Shanghai", + "year": "1947", + "runtime": 87, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.4, + "vote_count": 670, + "description": "A romantic drifter gets caught between a corrupt tycoon and his voluptuous wife.", + "poster": "https://image.tmdb.org/t/p/w500/whqdqWavNMSoeXTx1X3DauO1LG6.jpg", + "url": "https://www.themoviedb.org/movie/3766", + "genres": [ + "Mystery", + "Crime", + "Thriller" + ], + "tags": [ + "new york city", + "shanghai, china", + "court", + "aquarium", + "san francisco, california", + "yacht", + "insurance fraud", + "romantic rivalry", + "blonde", + "film noir" + ] + }, + { + "ranking": 1829, + "title": "Those Happy Days", + "year": "2006", + "runtime": 103, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.355, + "vote_count": 1044, + "description": "Set in 1992, a manager Vincent has to run a children's holiday camp for three weeks and to face the unexpected concerning the place, his colleagues, various problems linked to children about the rooms, trips, their belongings...", + "poster": "https://image.tmdb.org/t/p/w500/507mUw7mtYpmjwJncOggw9gBZcG.jpg", + "url": "https://www.themoviedb.org/movie/19100", + "genres": [ + "Comedy", + "Family" + ], + "tags": [] + }, + { + "ranking": 1828, + "title": "Okja", + "year": "2017", + "runtime": 122, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.4, + "vote_count": 4310, + "description": "A young girl named Mija risks everything to prevent a powerful, multi-national company from kidnapping her best friend - a massive animal named Okja.", + "poster": "https://image.tmdb.org/t/p/w500/lHBYG2NcBMW7UpFL4rSCpsgvz4m.jpg", + "url": "https://www.themoviedb.org/movie/387426", + "genres": [ + "Adventure", + "Drama", + "Science Fiction" + ], + "tags": [ + "new york city", + "monster", + "slaughterhouse", + "east asian lead", + "twins", + "environmentalist", + "aftercreditsstinger", + "animal liberation", + "live action and animation", + "zoologist", + "korean", + "meat industry", + "seoul, south korea" + ] + }, + { + "ranking": 1834, + "title": "The Counterfeiters", + "year": "2007", + "runtime": 98, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.4, + "vote_count": 626, + "description": "The story of Jewish counterfeiter Salomon Sorowitsch, who was coerced into assisting the Nazi operation of the Sachsenhausen concentration camp during World War II.", + "poster": "https://image.tmdb.org/t/p/w500/Af6I9RZF0SIPeNnp8hAleGDTnKd.jpg", + "url": "https://www.themoviedb.org/movie/7862", + "genres": [ + "Drama", + "War" + ], + "tags": [ + "nazi", + "concentration camp", + "holocaust (shoah)", + "world war ii", + "sachsenhausen", + "counterfeit", + "based on memoir or autobiography", + "german jew", + "forgery", + "1940s", + "forger" + ] + }, + { + "ranking": 1840, + "title": "Philomena", + "year": "2013", + "runtime": 98, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.4, + "vote_count": 1623, + "description": "A woman searches for her adult son, who was taken away from her decades ago when she was forced to live in a convent.", + "poster": "https://image.tmdb.org/t/p/w500/eBUv2GmGdXmCk1AaSOmyiu70hN8.jpg", + "url": "https://www.themoviedb.org/movie/205220", + "genres": [ + "Drama" + ], + "tags": [ + "journalist", + "london, england", + "washington dc, usa", + "based on novel or book", + "nurse", + "faith", + "forgiveness", + "orphanage", + "adoption", + "based on true story", + "scandal", + "ireland", + "teenage pregnancy", + "chance meeting", + "human interest", + "unwed mother", + "international adoption", + "search for child", + "mother son relationship", + "abbey", + "convent", + "deep sadness", + "irish", + "secrets" + ] + }, + { + "ranking": 1843, + "title": "The Little Mermaid", + "year": "1989", + "runtime": 83, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.351, + "vote_count": 7997, + "description": "This colorful adventure tells the story of an impetuous mermaid princess named Ariel who falls in love with the very human Prince Eric and puts everything on the line for the chance to be with him. Memorable songs and characters -- including the villainous sea witch Ursula.", + "poster": "https://image.tmdb.org/t/p/w500/plcZXvI310FkbwIptvd6rqk63LP.jpg", + "url": "https://www.themoviedb.org/movie/10144", + "genres": [ + "Animation", + "Family", + "Fantasy" + ], + "tags": [ + "witch", + "princess", + "sea", + "daughter", + "kingdom", + "fireworks", + "cartoon", + "mermaid", + "prince", + "villain", + "musical", + "crab", + "fish out of water", + "misunderstanding", + "single father", + "female villain", + "based on fairy tale", + "true love", + "bargain", + "trident", + "father daughter relationship", + "wonder", + "vibrant" + ] + }, + { + "ranking": 1848, + "title": "Ghostbusters: Afterlife", + "year": "2021", + "runtime": 124, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.35, + "vote_count": 4759, + "description": "When single mom Callie and her two kids Trevor and Phoebe arrive in a small Oklahoma town, they begin to discover their connection to the original Ghostbusters and the secret legacy their grandfather left behind.", + "poster": "https://image.tmdb.org/t/p/w500/sg4xJaufDiQl7caFEskBtQXfD4x.jpg", + "url": "https://www.themoviedb.org/movie/425909", + "genres": [ + "Fantasy", + "Comedy", + "Adventure", + "Science Fiction" + ], + "tags": [ + "small town", + "afterlife", + "ghostbuster", + "nostalgia", + "sequel", + "ghost", + "nostalgic", + "aftercreditsstinger", + "duringcreditsstinger", + "dead grandfather", + "ancient evil", + "otherworldly beings", + "paranormal events", + "father absence", + "ghostbusters" + ] + }, + { + "ranking": 1850, + "title": "Blood and Bone", + "year": "2009", + "runtime": 93, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.35, + "vote_count": 793, + "description": "In Los Angeles, an ex-con takes the underground fighting world by storm in his quest to fulfill a promise to a dead friend.", + "poster": "https://image.tmdb.org/t/p/w500/4XoqjwKhqN3GlGt0fQtcY2OhkZq.jpg", + "url": "https://www.themoviedb.org/movie/22164", + "genres": [ + "Action", + "Crime", + "Thriller", + "Drama" + ], + "tags": [ + "fight", + "tournament", + "kick", + "prison fight", + "inspirational", + "appreciative", + "approving", + "compassionate", + "empathetic", + "euphoric", + "optimistic" + ] + }, + { + "ranking": 1855, + "title": "Superman II: The Richard Donner Cut", + "year": "2006", + "runtime": 116, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.349, + "vote_count": 334, + "description": "Superman agrees to sacrifice his powers to start a relationship with Lois Lane, unaware that three Kryptonian criminals he inadvertently released are conquering Earth.", + "poster": "https://image.tmdb.org/t/p/w500/9y5y3LrrdOVQ4spdT3skBntBGth.jpg", + "url": "https://www.themoviedb.org/movie/624479", + "genres": [ + "Science Fiction", + "Action", + "Adventure" + ], + "tags": [ + "saving the world", + "superhero", + "based on comic", + "sequel", + "niagara falls", + "criminal", + "super power", + "phantom zone", + "superhuman strength" + ] + }, + { + "ranking": 1849, + "title": "Darkest Hour", + "year": "2017", + "runtime": 125, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.3, + "vote_count": 5176, + "description": "In May 1940, the fate of World War II hangs on Winston Churchill, who must decide whether to negotiate with Adolf Hitler or fight on knowing that it could mean the end of the British Empire.", + "poster": "https://image.tmdb.org/t/p/w500/xa6G3aKlysQeVg9wOb0dRcIGlWu.jpg", + "url": "https://www.themoviedb.org/movie/399404", + "genres": [ + "Drama", + "History" + ], + "tags": [ + "world war ii", + "biography", + "based on true story", + "london underground", + "british politics", + "british prime minister", + "british history", + "autobiographical", + "dunkirk", + "1940s", + "winston churchill", + "based on real person", + "based on real events", + "biographical drama" + ] + }, + { + "ranking": 1841, + "title": "Just Another Christmas", + "year": "2020", + "runtime": 101, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.4, + "vote_count": 422, + "description": "After taking a very nasty fall on Christmas Eve, grinchy Jorge blacks out and wakes up one year later, with no memory of the year that has passed. He soon realizes that he’s doomed to keep waking up on Christmas Eve after Christmas Eve, having to deal with the aftermath of what his other self has done the other 364 days of the year.", + "poster": "https://image.tmdb.org/t/p/w500/pv4e8yKGMJAaZihYPFUjYHsG8Ob.jpg", + "url": "https://www.themoviedb.org/movie/755339", + "genres": [ + "Comedy", + "Family", + "Drama" + ], + "tags": [ + "rio de janeiro", + "christmas", + "time jump" + ] + }, + { + "ranking": 1844, + "title": "Glengarry Glen Ross", + "year": "1992", + "runtime": 100, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.4, + "vote_count": 1432, + "description": "When an office full of real estate salesmen is given the news that all but the top two will be fired at the end of the week, the atmosphere begins to heat up. Shelley Levene, who has a sick daughter, does everything in his power to get better leads from his boss, John Williamson, but to no avail. When his coworker Dave Moss comes up with a plan to steal the leads, things get complicated for the tough-talking salesmen.", + "poster": "https://image.tmdb.org/t/p/w500/nGZCeCfNseq1ee3cJLBp0rH0djT.jpg", + "url": "https://www.themoviedb.org/movie/9504", + "genres": [ + "Crime", + "Drama", + "Mystery" + ], + "tags": [ + "estate agent", + "robbery", + "office", + "shop", + "betrayal", + "contest", + "cowardliness", + "real estate", + "aggressive", + "neo-noir", + "bleak", + "desperate", + "cutthroat", + "dreary", + "pressure" + ] + }, + { + "ranking": 1853, + "title": "The Cook, the Thief, His Wife & Her Lover", + "year": "1989", + "runtime": 124, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.3, + "vote_count": 641, + "description": "The wife of an abusive criminal finds solace in the arms of a kind regular guest in her husband's restaurant.", + "poster": "https://image.tmdb.org/t/p/w500/fNkl7o1VQQqy1nEX9x56CDHULmr.jpg", + "url": "https://www.themoviedb.org/movie/7452", + "genres": [ + "Crime", + "Drama" + ], + "tags": [ + "sadism", + "sexuality", + "allegory", + "cooking", + "restaurant", + "crime boss", + "satire", + "surrealism", + "sociopath", + "murder", + "brutality", + "avant-garde", + "public humiliation", + "stray dog", + "abusive husband", + "french cuisine", + "adulterous wife", + "cannibalism", + "violence" + ] + }, + { + "ranking": 1852, + "title": "Kelly's Heroes", + "year": "1970", + "runtime": 144, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.3, + "vote_count": 742, + "description": "A misfit group of World War II American soldiers goes AWOL to rob a bank behind German lines.", + "poster": "https://image.tmdb.org/t/p/w500/hleMxFKSC42yT0TClS4G29HV11n.jpg", + "url": "https://www.themoviedb.org/movie/11589", + "genres": [ + "Adventure", + "Comedy", + "War" + ], + "tags": [ + "gold", + "armor", + "world war ii", + "campaign", + "tank", + "us army", + "colonel", + "front", + "lieutenant", + "lighthearted", + "bold" + ] + }, + { + "ranking": 1845, + "title": "Jerry & Marge Go Large", + "year": "2022", + "runtime": 96, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.35, + "vote_count": 371, + "description": "The remarkable true story of how retiree Jerry Selbee discovers a mathematical loophole in the Massachusetts lottery and, with the help of his wife, Marge, wins $27 million dollars and uses the money to revive their small Michigan town.", + "poster": "https://image.tmdb.org/t/p/w500/bbBGSm1kjgmZ0O3bPUQIbA0xlKQ.jpg", + "url": "https://www.themoviedb.org/movie/843847", + "genres": [ + "Comedy", + "Drama" + ], + "tags": [ + "small town", + "michigan", + "mathematics", + "massachusetts", + "harvard university", + "lottery", + "based on true story", + "winning lottery", + "based on magazine, newspaper or article" + ] + }, + { + "ranking": 1846, + "title": "Turning Red", + "year": "2022", + "runtime": 100, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.35, + "vote_count": 5365, + "description": "Thirteen-year-old Mei is experiencing the awkwardness of being a teenager with a twist – when she gets too excited, she transforms into a giant red panda.", + "poster": "https://image.tmdb.org/t/p/w500/qsdjk9oAKSQMWs0Vt5Pyfh6O4GZ.jpg", + "url": "https://www.themoviedb.org/movie/508947", + "genres": [ + "Animation", + "Family", + "Comedy", + "Fantasy" + ], + "tags": [ + "friendship", + "canada", + "concert", + "temple", + "shapeshifting", + "toronto, canada", + "coming of age", + "teenage girl", + "female protagonist", + "east asian lead", + "animals", + "domineering mother", + "perfectionist", + "aftercreditsstinger", + "woman director", + "ancestor", + "boy band", + "thoughtful", + "mother daughter relationship", + "appreciative" + ] + }, + { + "ranking": 1859, + "title": "The Wicker Man", + "year": "1973", + "runtime": 93, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.3, + "vote_count": 1454, + "description": "Police sergeant Neil Howie is called to an island village in search of a missing girl whom the locals claim never existed. Stranger still, however, are the rituals that take place there.", + "poster": "https://image.tmdb.org/t/p/w500/wwtrXRL8SiOWxhwLEvw7iBgYh0g.jpg", + "url": "https://www.themoviedb.org/movie/16307", + "genres": [ + "Horror" + ], + "tags": [ + "virgin", + "island", + "based on novel or book", + "sacrifice", + "scotland", + "ritual", + "cemetery", + "investigation", + "cult", + "human sacrifice", + "rural area", + "disappearance", + "paganism", + "policeman", + "bonfire", + "psychotronic", + "voyeurism", + "may day", + "folk horror", + "song", + "sea plane", + "harvest festival", + "horror musical" + ] + }, + { + "ranking": 1847, + "title": "Blindspotting", + "year": "2018", + "runtime": 95, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.35, + "vote_count": 675, + "description": "Collin must make it through his final three days of probation for a chance at a new beginning. He and his troublemaking childhood best friend, Miles, work as movers, and when Collin witnesses a police shooting, the two men’s friendship is tested as they grapple with identity and their changed realities in the rapidly-gentrifying neighborhood they grew up in.", + "poster": "https://image.tmdb.org/t/p/w500/x4DRZfTqOlmzNWAvy4vcKWkgEGL.jpg", + "url": "https://www.themoviedb.org/movie/489930", + "genres": [ + "Comedy", + "Crime", + "Drama" + ], + "tags": [ + "cheerful", + "sincere" + ] + }, + { + "ranking": 1842, + "title": "Remember", + "year": "2015", + "runtime": 94, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.4, + "vote_count": 717, + "description": "With the aid of a fellow Auschwitz survivor and a hand-written letter, an elderly man with dementia goes in search of the person responsible for the death of his family.", + "poster": "https://image.tmdb.org/t/p/w500/x496Ip0weJYfsEX23eNyzG4MjXV.jpg", + "url": "https://www.themoviedb.org/movie/302528", + "genres": [ + "Drama", + "Thriller", + "Mystery" + ], + "tags": [] + }, + { + "ranking": 1851, + "title": "Mutiny on the Bounty", + "year": "1935", + "runtime": 132, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.3, + "vote_count": 341, + "description": "Fletcher Christian successfully leads a revolt against the ruthless Captain Bligh on the HMS Bounty. However, Bligh returns one year later, hell bent on revenge.", + "poster": "https://image.tmdb.org/t/p/w500/GD98ozz6F6tSu8BWGulpseEKhv.jpg", + "url": "https://www.themoviedb.org/movie/12311", + "genres": [ + "Adventure", + "Drama", + "History" + ], + "tags": [ + "ship", + "mutiny", + "island", + "captain", + "boat", + "sailing", + "based on true story", + "tahiti", + "18th century", + "tyrant", + "flogging", + "voyage", + "high seas", + "mutiny on the bounty" + ] + }, + { + "ranking": 1856, + "title": "Descendants 2", + "year": "2017", + "runtime": 111, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.3, + "vote_count": 1682, + "description": "When the pressure to be royal becomes too much for Mal, she returns to the Isle of the Lost where her archenemy Uma, Ursula's daughter, has taken her spot as self-proclaimed queen.", + "poster": "https://image.tmdb.org/t/p/w500/qoNlGfQmFZ37Gf5fRBaCTLlOZtx.jpg", + "url": "https://www.themoviedb.org/movie/417320", + "genres": [ + "Family", + "Fantasy", + "TV Movie", + "Adventure" + ], + "tags": [ + "magic", + "fairy tale", + "villain", + "musical", + "teen movie" + ] + }, + { + "ranking": 1858, + "title": "Enola Holmes 2", + "year": "2022", + "runtime": 131, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.348, + "vote_count": 1508, + "description": "Now a detective-for-hire like her infamous brother, Enola Holmes takes on her first official case to find a missing girl, as the sparks of a dangerous conspiracy ignite a mystery that requires the help of friends — and Sherlock himself — to unravel.", + "poster": "https://image.tmdb.org/t/p/w500/tegBpjM5ODoYoM1NjaiHVLEA0QM.jpg", + "url": "https://www.themoviedb.org/movie/829280", + "genres": [ + "Adventure", + "Mystery", + "Crime" + ], + "tags": [ + "detective", + "victorian england", + "sequel", + "female detective", + "sherlock holmes" + ] + }, + { + "ranking": 1860, + "title": "Meet Joe Black", + "year": "1998", + "runtime": 178, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.348, + "vote_count": 5319, + "description": "William Parrish, media tycoon and loving father, is about to celebrate his 65th birthday. One morning, he is contacted by the inevitable, by hallucination, as he thinks. Later, Death enters his home and his life, personified in human form as Joe Black. His intention was to take William with him, but accidentally, Joe and William's beautiful daughter Susan have already met. Joe begins to develop certain interest in life on Earth, as well as in Susan, who has no clue with whom she's flirting.", + "poster": "https://image.tmdb.org/t/p/w500/fDPAjvfPMomkKF7cMRmL5Anak61.jpg", + "url": "https://www.themoviedb.org/movie/297", + "genres": [ + "Fantasy", + "Drama", + "Romance" + ], + "tags": [ + "life and death", + "broken engagement", + "love at first sight", + "fireworks", + "religion and supernatural", + "based on play or musical", + "fate", + "teenage crush", + "grim reaper", + "doctor", + "millionaire", + "death personified", + "death incarnate", + "angel of death", + "encontro marcado", + "romantic", + "appreciative", + "compassionate" + ] + }, + { + "ranking": 1854, + "title": "Goldfinger", + "year": "1964", + "runtime": 110, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.3, + "vote_count": 3639, + "description": "Special agent 007 comes face to face with one of the most notorious villains of all time, and now he must outwit and outgun the powerful tycoon to prevent him from cashing in on a devious scheme to raid Fort Knox -- and obliterate the world's economy.", + "poster": "https://image.tmdb.org/t/p/w500/yNW09AHdvWwIXshiF0tMLr4bAWA.jpg", + "url": "https://www.themoviedb.org/movie/658", + "genres": [ + "Adventure", + "Action", + "Thriller" + ], + "tags": [ + "airplane", + "based on novel or book", + "england", + "secret intelligence service", + "golf", + "secret organization", + "nuclear radiation", + "fort knox", + "aston martin", + "secret lab", + "laser", + "kentucky", + "gas attack", + "mi6", + "british secret service", + "duringcreditsstinger", + "serious", + "joyful" + ] + }, + { + "ranking": 1857, + "title": "Down by Law", + "year": "1986", + "runtime": 106, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.3, + "vote_count": 764, + "description": "A disc jockey, a pimp and an Italian tourist escape from jail in New Orleans.", + "poster": "https://image.tmdb.org/t/p/w500/4IyxoUQ7BB5kcSd7gASe2dTyWu7.jpg", + "url": "https://www.themoviedb.org/movie/1554", + "genres": [ + "Crime", + "Drama", + "Comedy" + ], + "tags": [ + "prison", + "prostitute", + "escape", + "fight", + "pimp", + "new orleans, louisiana", + "louisiana", + "prison escape", + "bayou", + "convict", + "dj", + "cell mate" + ] + }, + { + "ranking": 1864, + "title": "The Physician", + "year": "2013", + "runtime": 155, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.347, + "vote_count": 1090, + "description": "England, 1021. Rob Cole, a boy born in a miserable mining town, swears to become a physician and vanquish disease and death. His harsh path of many years, a quest for knowledge besieged by countless challenges and sacrifices, leads him to the remote Isfahan, in Persia, where he meets Ibn Sina, the greatest healer of his time.", + "poster": "https://image.tmdb.org/t/p/w500/6koFQEuyZKNYcBMSVEHYtAeIpUE.jpg", + "url": "https://www.themoviedb.org/movie/169881", + "genres": [ + "Adventure", + "Drama", + "History" + ], + "tags": [ + "based on novel or book", + "persia", + "jew persecution", + "historical figure", + "religious fundamentalism", + "teacher student relationship", + "middle ages (476-1453)", + "medieval", + "black death", + "medical student", + "11th century", + "medieval england", + "medieval physician", + "seljuk turks" + ] + }, + { + "ranking": 1873, + "title": "The Station Agent", + "year": "2003", + "runtime": 88, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.346, + "vote_count": 696, + "description": "When his only friend dies, a man born with dwarfism moves to rural New Jersey to live a life of solitude, only to meet a chatty hot dog vendor and a woman dealing with her own personal loss.", + "poster": "https://image.tmdb.org/t/p/w500/kjJg6eJa9I9flfHaJG67ecEv8YX.jpg", + "url": "https://www.themoviedb.org/movie/2056", + "genres": [ + "Drama", + "Comedy" + ], + "tags": [ + "friendship", + "new jersey", + "small person" + ] + }, + { + "ranking": 1874, + "title": "The Terminal", + "year": "2004", + "runtime": 128, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.346, + "vote_count": 8053, + "description": "An Eastern European tourist unexpectedly finds himself stranded in JFK airport, and must take up temporary residence there.", + "poster": "https://image.tmdb.org/t/p/w500/cPB3ZMM4UdsSAhNdS4c7ps5nypY.jpg", + "url": "https://www.themoviedb.org/movie/594", + "genres": [ + "Comedy", + "Drama" + ], + "tags": [ + "new york city", + "friendship", + "marriage proposal", + "airport", + "stewardess", + "translation", + "illegal immigration", + "language barrier", + "jfk international airport", + "immigration law", + "craftsman", + "fast food restaurant", + "jazz singer or musician", + "saxophonist", + "autograph", + "passport", + "eastern european", + "jazz history", + "ins" + ] + }, + { + "ranking": 1870, + "title": "Close Encounters of the Third Kind", + "year": "1977", + "runtime": 137, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.3, + "vote_count": 4307, + "description": "After an encounter with UFOs, an electricity linesman feels undeniably drawn to an isolated area in the wilderness where something spectacular is about to happen.", + "poster": "https://image.tmdb.org/t/p/w500/yaPx3cK9zGFX3SbcKwxWM1QIbUh.jpg", + "url": "https://www.themoviedb.org/movie/840", + "genres": [ + "Science Fiction", + "Drama" + ], + "tags": [ + "wyoming, usa", + "indiana, usa", + "flying saucer", + "extraterrestrial technology", + "obsession", + "evacuation", + "blackout", + "secret base", + "alien life-form", + "alien", + "ufo", + "vision", + "alien abduction", + "missing person", + "alien contact", + "mother ship", + "extraterrestrial life form", + "alien language", + "alien space craft", + "questioning", + "escapade", + "curious", + "obsessive quest", + "flying ship", + "ufo sighting", + "alien encounter", + "desperate", + "lightshow", + "extraterrestrial humanoids", + "wonder", + "mysterious lights", + "alien spaceship", + "extraterrestrial capsule", + "moving lights", + "humanoid alien", + "secret space ufos", + "whimsical", + "admiring", + "awestruck", + "flashing lights" + ] + }, + { + "ranking": 1865, + "title": "Saving Mr. Banks", + "year": "2013", + "runtime": 125, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.3, + "vote_count": 3332, + "description": "Author P.L. Travers looks back on her childhood while reluctantly meeting with Walt Disney, who seeks to adapt her Mary Poppins books for the big screen.", + "poster": "https://image.tmdb.org/t/p/w500/4RkcUe5PKnYvrCwMjk8giUAoID7.jpg", + "url": "https://www.themoviedb.org/movie/140823", + "genres": [ + "Comedy", + "Drama", + "History" + ], + "tags": [ + "biography", + "based on true story", + "author", + "writer", + "disneyland", + "1960s", + "film production", + "queensland, australia" + ] + }, + { + "ranking": 1880, + "title": "High Plains Drifter", + "year": "1973", + "runtime": 105, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.3, + "vote_count": 1183, + "description": "A gunfighting stranger comes to the small settlement of Lago. After gunning down three gunmen who tried to kill him, the townsfolk decide to hire the Stranger to hold off three outlaws who are on their way.", + "poster": "https://image.tmdb.org/t/p/w500/AjkJCFkqanK1OZqiHxc6Kl2wPQO.jpg", + "url": "https://www.themoviedb.org/movie/11901", + "genres": [ + "Western", + "Drama", + "Mystery" + ], + "tags": [ + "gunslinger", + "showdown", + "outlaw", + "gunfighter", + "guns", + "shooting", + "outlaws" + ] + }, + { + "ranking": 1866, + "title": "Horse Fever", + "year": "1976", + "runtime": 90, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.3, + "vote_count": 365, + "description": "Bruno Fioretti, known as \"Mandrake\", is an inveterate gambler who never misses a day at the horse racing track in Rome. He is doubly unlucky: he bets too much on one horse, and his wife is sleeping with his best friend because Mandrake is always at the track. Penniless and cuckolded, Mandrake decides to make one last bet.", + "poster": "https://image.tmdb.org/t/p/w500/zprLOtwwjjTF84YOGIZxakRu9Mc.jpg", + "url": "https://www.themoviedb.org/movie/38528", + "genres": [ + "Comedy" + ], + "tags": [ + "gambling", + "horse racing" + ] + }, + { + "ranking": 1861, + "title": "Minority Report", + "year": "2002", + "runtime": 145, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.3, + "vote_count": 8900, + "description": "John Anderton is a top 'Precrime' cop in the late-21st century, when technology can predict crimes before they're committed. But Anderton becomes the quarry when another investigator targets him for a murder charge.", + "poster": "https://image.tmdb.org/t/p/w500/qtgFcnwh9dAFLocsDk2ySDVS8UF.jpg", + "url": "https://www.themoviedb.org/movie/180", + "genres": [ + "Science Fiction", + "Action", + "Thriller" + ], + "tags": [ + "washington dc, usa", + "police chief", + "precognition", + "hologram", + "futuristic", + "murder", + "conspiracy", + "police chase", + "drugs", + "biting", + "home video", + "based on short story", + "ex-husband ex-wife relationship", + "mentor protégé relationship", + "tech noir", + "stasis", + "paranoid", + "prevention", + "missing son", + "future noir", + "loss of child", + "surveillance state", + "psychic vision", + "conspiracy thriller", + "2050s", + "suspenseful", + "critical", + "intense", + "authoritarian" + ] + }, + { + "ranking": 1869, + "title": "Oscar", + "year": "1967", + "runtime": 85, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.3, + "vote_count": 496, + "description": "This film originated as a play in Paris. The story focuses on the one-day adventures of Bertrand Barnier played with a genius of French cinema, Louis de Funes. In the same morning he learns that his daughter is pregnant, an employee stole a large amount of money from his company, his maid is about to resign in order to marry a wealthy neighbor and his body builder is interested in marrying his daughter. The seemingly complicated story-line is full of comedy or errors and some of the most hilarious mime scenes of the French cinema.", + "poster": "https://image.tmdb.org/t/p/w500/imsP4Vl1UpsLf27DPxX1atIubBB.jpg", + "url": "https://www.themoviedb.org/movie/2798", + "genres": [ + "Comedy" + ], + "tags": [ + "marriage proposal", + "husband wife relationship", + "mistake in person", + "blackmail", + "fraud", + "based on play or musical", + "family relationships", + "misunderstanding", + "suitcase full of money", + "accountant", + "1960s", + "father daughter relationship" + ] + }, + { + "ranking": 1876, + "title": "Resident Evil: Death Island", + "year": "2023", + "runtime": 91, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.344, + "vote_count": 1017, + "description": "In San Francisco, Jill Valentine is dealing with a zombie outbreak and a new T-Virus, Leon Kennedy is on the trail of a kidnapped DARPA scientist, and Claire Redfield is investigating a monstrous fish that is killing whales in the bay. Joined by Chris Redfield and Rebecca Chambers, they discover the trail of clues from their separate cases all converge on the same location, Alcatraz Island, where a new evil has taken residence and awaits their arrival.", + "poster": "https://image.tmdb.org/t/p/w500/qayga07ICNDswm0cMJ8P3VwklFZ.jpg", + "url": "https://www.themoviedb.org/movie/1083862", + "genres": [ + "Animation", + "Action", + "Horror" + ], + "tags": [ + "alcatraz prison", + "outbreak", + "zombie", + "based on video game", + "survival horror", + "special agent", + "anime" + ] + }, + { + "ranking": 1871, + "title": "End of Watch", + "year": "2012", + "runtime": 109, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.346, + "vote_count": 3318, + "description": "Two young officers are marked for death after confiscating a small cache of money and firearms from the members of a notorious cartel during a routine traffic stop.", + "poster": "https://image.tmdb.org/t/p/w500/pDeVKQICkcdwwjHxGj0MeS14YJ6.jpg", + "url": "https://www.themoviedb.org/movie/77016", + "genres": [ + "Crime", + "Drama", + "Thriller" + ], + "tags": [ + "friendship", + "street gang", + "ambush", + "human trafficking", + "arrest", + "shootout", + "los angeles, california", + "brutality", + "gang member", + "rookie cop", + "u.s. marine", + "pregnant wife", + "found footage", + "bullet proof vest", + "medal of valor", + "police sergeant", + "felon", + "golden gun", + "video camera", + "appreciative" + ] + }, + { + "ranking": 1862, + "title": "Cherry", + "year": "2021", + "runtime": 142, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.3, + "vote_count": 1294, + "description": "Cherry drifts from college dropout to army medic in Iraq - anchored only by his true love, Emily. But after returning from the war with PTSD, his life spirals into drugs and crime as he struggles to find his place in the world.", + "poster": "https://image.tmdb.org/t/p/w500/pwDvkDyaHEU9V7cApQhbcSJMG1w.jpg", + "url": "https://www.themoviedb.org/movie/544401", + "genres": [ + "Drama", + "Crime" + ], + "tags": [ + "post-traumatic stress disorder (ptsd)", + "based on novel or book", + "war veteran", + "heroin", + "drug addiction", + "bank robber", + "us army", + "iraq war veteran", + "iraq war", + "army medic" + ] + }, + { + "ranking": 1878, + "title": "Bianco, rosso e Verdone", + "year": "1981", + "runtime": 110, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.3, + "vote_count": 715, + "description": "Three Italians travel to their hometown to vote for elections: Pasquale is a Southern immigrant living in Munich who's genuinely happy to come back to Italy, even if just for a few days, but the country he dreams of is far from reality; Furio travels to Rome with his family, but his niggling attitude threatens to push his wife Magda over the edge; young Mimmo is also going to Rome, but the trip is repeatedly interrupted by worries about his grandma's health.", + "poster": "https://image.tmdb.org/t/p/w500/tS5ca077KEMbJHBVNLa1nCnycXJ.jpg", + "url": "https://www.themoviedb.org/movie/37775", + "genres": [ + "Comedy" + ], + "tags": [ + "italy", + "election day" + ] + }, + { + "ranking": 1867, + "title": "Wait Until Dark", + "year": "1967", + "runtime": 108, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.3, + "vote_count": 542, + "description": "After a flight back home, Sam Hendrix returns with a doll he innocently acquired along the way. As it turns out, the doll is actually stuffed with heroin, and a group of criminals led by the ruthless Roat has followed Hendrix back to his place to retrieve it. When Hendrix leaves for business, the crooks make their move -- and find his blind wife, Susy, alone in the apartment. Soon, a life-threatening game begins between Susy and the thugs.", + "poster": "https://image.tmdb.org/t/p/w500/cNW3ewCB52KkxzSE47PcE5Bqvmr.jpg", + "url": "https://www.themoviedb.org/movie/11206", + "genres": [ + "Thriller", + "Horror" + ], + "tags": [ + "police", + "photographer", + "heroin", + "search", + "murder", + "neighbor", + "doll", + "blindness", + "blind woman" + ] + }, + { + "ranking": 1863, + "title": "Pelé: Birth of a Legend", + "year": "2016", + "runtime": 107, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.347, + "vote_count": 1092, + "description": "The life story of Brazilian football legend, Pele.", + "poster": "https://image.tmdb.org/t/p/w500/b1XoAl8TJi7zbKO3GUzRUBrpSxq.jpg", + "url": "https://www.themoviedb.org/movie/245913", + "genres": [ + "Drama" + ], + "tags": [ + "sports", + "biography", + "football (soccer)", + "inspirational", + "биография" + ] + }, + { + "ranking": 1879, + "title": "True Grit", + "year": "1969", + "runtime": 128, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.3, + "vote_count": 790, + "description": "The murder of her father sends a teenage tomboy on a mission of 'justice', which involves avenging her father's death. She recruits a tough old marshal, 'Rooster' Cogburn because he has 'true grit', and a reputation of getting the job done.", + "poster": "https://image.tmdb.org/t/p/w500/lmexRC57l39elaIcnxhaHpcaIW2.jpg", + "url": "https://www.themoviedb.org/movie/17529", + "genres": [ + "Western" + ], + "tags": [ + "bounty hunter", + "man hunt" + ] + }, + { + "ranking": 1877, + "title": "A Hero", + "year": "2021", + "runtime": 127, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.344, + "vote_count": 336, + "description": "Rahim is in prison because of a debt he was unable to repay. During a two-day leave, he tries to convince his creditor to withdraw his complaint against the payment of part of the sum. But things don't go as planned. Is he truly a hero?", + "poster": "https://image.tmdb.org/t/p/w500/kQOTWC30v2IiBLJyJ0o24SMmV7C.jpg", + "url": "https://www.themoviedb.org/movie/672208", + "genres": [ + "Drama" + ], + "tags": [ + "gold", + "debt" + ] + }, + { + "ranking": 1868, + "title": "Pay It Forward", + "year": "2000", + "runtime": 122, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.3, + "vote_count": 1849, + "description": "Like some other kids, 12-year-old Trevor McKinney believed in the goodness of human nature. Like many other kids, he was determined to change the world for the better. Unlike most other kids, he succeeded.", + "poster": "https://image.tmdb.org/t/p/w500/62OIokwaxFwBFWM147ijLJsaVJD.jpg", + "url": "https://www.themoviedb.org/movie/10647", + "genres": [ + "Drama" + ], + "tags": [ + "child's point of view", + "candlelight vigil", + "good deed", + "exotic dancer", + "schoolteacher", + "extra credit assignment", + "disfigurement", + "junior high school", + "burn injury", + "woman director" + ] + }, + { + "ranking": 1872, + "title": "The Yellow Sea", + "year": "2010", + "runtime": 141, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.3, + "vote_count": 515, + "description": "A Korean man in China takes an assassination job in South Korea to make money and find his missing wife. But when the job is botched, he is forced to go on the run from the police and the gangsters who paid him.", + "poster": "https://image.tmdb.org/t/p/w500/16Pkg2ChCdACbBKVIAPAZtLL6eb.jpg", + "url": "https://www.themoviedb.org/movie/57361", + "genres": [ + "Drama", + "Thriller", + "Crime" + ], + "tags": [ + "immigrant", + "police", + "taxi driver", + "gang war", + "beaten to death", + "murder", + "knife fight", + "mahjong", + "bloodbath", + "money problems", + "korean chinese", + "seoul, south korea" + ] + }, + { + "ranking": 1875, + "title": "Patema Inverted", + "year": "2013", + "runtime": 98, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.3, + "vote_count": 416, + "description": "In an underground world where tunnels extend everywhere, even though they live in dark and confined spaces, people wear protective clothes and lead quiet and enjoyable lives. Patema, a princess in her underground village, loves to explore the tunnels. Her favorite place is a \"danger zone\" that her village prohibits people from entering. Even though she's scolded, Patema's curiosity can't be held back. No one ever explained what the supposed danger was. On her usual trip to the \"danger zone,\" Patema faces unexpected events. When hidden secrets come to light, the story begins to unfold.", + "poster": "https://image.tmdb.org/t/p/w500/1ZpDVSY15o0TWVj7qbvFf5BU8jE.jpg", + "url": "https://www.themoviedb.org/movie/212167", + "genres": [ + "Animation", + "Science Fiction", + "Adventure", + "Drama" + ], + "tags": [ + "underground world", + "dystopia", + "surrealism", + "school", + "missing parent", + "xenophobia", + "intercultural relationship", + "gravity", + "anime", + "authoritarian regime", + "adventure" + ] + }, + { + "ranking": 1882, + "title": "G.O.R.A.", + "year": "2004", + "runtime": 127, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.3, + "vote_count": 334, + "description": "Carpet dealer and UFO photo forger Arif is abducted by aliens and must outwit the evil commander-in-chief of G.O.R.A., the planet where he is being held.", + "poster": "https://image.tmdb.org/t/p/w500/ynPHp91bGTVjukRiNV7rwYEfHFT.jpg", + "url": "https://www.themoviedb.org/movie/27275", + "genres": [ + "Comedy", + "Adventure", + "Science Fiction" + ], + "tags": [ + "prison", + "spacecraft", + "turkey", + "space race", + "running away" + ] + }, + { + "ranking": 1883, + "title": "The 39 Steps", + "year": "1935", + "runtime": 86, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.3, + "vote_count": 967, + "description": "Richard Hanney has a rude awakening when a glamorous female spy falls into his bed - with a knife in her back. Having a bit of trouble explaining it all to Scotland Yard, he heads for the hills of Scotland to try to clear his name by locating the spy ring known as The 39 Steps.", + "poster": "https://image.tmdb.org/t/p/w500/yRnl3nTtKVTIBcLHHyXrrXPZWVS.jpg", + "url": "https://www.themoviedb.org/movie/260", + "genres": [ + "Mystery", + "Thriller" + ], + "tags": [ + "london, england", + "based on novel or book", + "scotland", + "falsely accused", + "scotland yard", + "secret agent", + "film noir", + "murder", + "fugitive", + "on the run", + "conspiracy", + "black and white", + "moor (terrain)", + "handcuffed", + "campaign speech", + "college professor", + "memorization", + "government secrets", + "runaway couple", + "posing as newlyweds", + "suspicious husband", + "london palladium", + "handcuffed together" + ] + }, + { + "ranking": 1881, + "title": "Don't Torture a Duckling", + "year": "1972", + "runtime": 105, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.3, + "vote_count": 376, + "description": "A reporter and a promiscuous young woman try to solve a series of child killings in a remote southern Italian town rife with superstition and a distrust of outsiders.", + "poster": "https://image.tmdb.org/t/p/w500/ehH1xFUdcLyEeJMBfW5FVeT0Flf.jpg", + "url": "https://www.themoviedb.org/movie/49361", + "genres": [ + "Horror" + ], + "tags": [ + "police", + "psychopath", + "homicide", + "child murder", + "forest", + "murder", + "reporter", + "whodunit", + "orphan", + "church", + "dog", + "lynching", + "psycho killer", + "murder investigation", + "persecuted", + "giallo" + ] + }, + { + "ranking": 1884, + "title": "Jungle Cruise", + "year": "2021", + "runtime": 127, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.342, + "vote_count": 5793, + "description": "Dr. Lily Houghton enlists the aid of wisecracking skipper Frank Wolff to take her down the Amazon in his dilapidated boat. Together, they search for an ancient tree that holds the power to heal – a discovery that will change the future of medicine.", + "poster": "https://image.tmdb.org/t/p/w500/yKy9ELL8CON5sqDg4yIvBb5LTZL.jpg", + "url": "https://www.themoviedb.org/movie/451048", + "genres": [ + "Fantasy", + "Adventure" + ], + "tags": [ + "jungle", + "riverboat", + "1910s", + "amazon river", + "based on theme park ride" + ] + }, + { + "ranking": 1885, + "title": "Johnny Stecchino", + "year": "1991", + "runtime": 115, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.3, + "vote_count": 1026, + "description": "Good hearted but not very wordly-wise, Dante is happy driving the school bus for a group of mentally handicapped children, while feeling he is somehow missing out on life and love. So he is very excited when after nearly being knocked down by her car he meets Maria, who seems immediately enamoured of him. He is soon invited to her sumptuous Palermo villa, little suspecting that this is part of a plot. He bears an amazing likeness to Maria's stool-pigeon gangster husband and it would be convenient for them if the mobster, in the shape of Dante, was seen to be dead and buried.", + "poster": "https://image.tmdb.org/t/p/w500/5scWsRsH5MUJEgXB52w0fM6I2gM.jpg", + "url": "https://www.themoviedb.org/movie/12776", + "genres": [ + "Comedy" + ], + "tags": [ + "sicily, italy", + "gangster", + "bus driver", + "fool", + "femme fatale", + "mafia", + "falling in love", + "sicilian mafia", + "doppelgänger" + ] + }, + { + "ranking": 1887, + "title": "Gentlemen Prefer Blondes", + "year": "1953", + "runtime": 91, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.342, + "vote_count": 983, + "description": "Lorelei Lee is a beautiful showgirl engaged to be married to the wealthy Gus Esmond, much to the disapproval of Gus' rich father, Esmond Sr., who thinks that Lorelei is just after his money. When Lorelei goes on a cruise accompanied only by her best friend, Dorothy Shaw, Esmond Sr. hires Ernie Malone, a private detective, to follow her and report any questionable behavior that would disqualify her from the marriage.", + "poster": "https://image.tmdb.org/t/p/w500/fDozhst5HVJJcd3BM8ZOsKniO7Q.jpg", + "url": "https://www.themoviedb.org/movie/759", + "genres": [ + "Comedy", + "Romance" + ], + "tags": [ + "robbery", + "paris, france", + "diamond", + "parent child relationship", + "jewelry", + "revue girls", + "double wedding", + "musical", + "millionaire", + "showgirl", + "gold digger", + "sea cruise", + "1950s", + "dumb blonde" + ] + }, + { + "ranking": 1890, + "title": "Suicide Room", + "year": "2011", + "runtime": 111, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.3, + "vote_count": 461, + "description": "Moody, dark and handsome Dominik is tormented by his classmates after video footage of his drunken kiss with bully Alex is spread across the Internet. Grappling with the public humiliation Dominik seeks solace in an avatar based “suicide room” where the pink-haired rebel Sylvia consoles him.", + "poster": "https://image.tmdb.org/t/p/w500/7mQyn9zDgrHfPtj37BLT1DK3mId.jpg", + "url": "https://www.themoviedb.org/movie/72478", + "genres": [ + "Drama", + "Thriller" + ], + "tags": [ + "high school", + "suicide", + "virtual reality", + "isolation", + "internet", + "teenage boy", + "computer game", + "humiliation", + "mental illness", + "lgbt", + "mental health", + "dare", + "chat room", + "virtual world", + "high school drop out", + "gay theme" + ] + }, + { + "ranking": 1888, + "title": "Split", + "year": "2017", + "runtime": 117, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.341, + "vote_count": 17577, + "description": "Though Kevin has evidenced 23 personalities to his trusted psychiatrist, Dr. Fletcher, there remains one still submerged who is set to materialize and dominate all the others. Compelled to abduct three teenage girls led by the willful, observant Casey, Kevin reaches a war for survival among all of those contained within him — as well as everyone around him — as the walls between his compartments shatter apart.", + "poster": "https://image.tmdb.org/t/p/w500/lli31lYTFpvxVBeFHWoe5PMfW5s.jpg", + "url": "https://www.themoviedb.org/movie/381288", + "genres": [ + "Horror", + "Thriller" + ], + "tags": [ + "child abuse", + "philadelphia, pennsylvania", + "kidnapping", + "gore", + "sequel", + "stalking", + "teenage girl", + "super power", + "mental illness", + "split personality", + "multiple personality", + "traumatic childhood", + "dissociative identity disorder", + "defiant" + ] + }, + { + "ranking": 1893, + "title": "Black Box", + "year": "2021", + "runtime": 130, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.3, + "vote_count": 1276, + "description": "Mathieu is a young and talented black box analyst on a mission to solve the reason behind the deadly crash of a brand new aircraft. Yet, when the case is closed by authorities, Mathieu cannot help but sense there is something wrong with the evidence. As he listens to the tracks again, he starts detecting some seriously disturbing details. Could the tape have been modified? Going against his boss' orders, Mathieu begins his own rogue investigation - an obsessional and dangerous quest for truth that will quickly threaten far more than his career...", + "poster": "https://image.tmdb.org/t/p/w500/nNY5YnqCsMEggz2Z0kCl4Fclc1N.jpg", + "url": "https://www.themoviedb.org/movie/663260", + "genres": [ + "Mystery", + "Thriller", + "Drama" + ], + "tags": [ + "airplane", + "airplane crash", + "french cinema", + "plane crash", + "aircraft crash", + "aeroplane" + ] + }, + { + "ranking": 1891, + "title": "Red Dog", + "year": "2011", + "runtime": 92, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.3, + "vote_count": 403, + "description": "The legendary true story of the Red Dog who united a disparate local community while roaming the Australian outback in search of his long lost master.", + "poster": "https://image.tmdb.org/t/p/w500/cbLh0tVqjqcDnob7w79XkIQ7gGI.jpg", + "url": "https://www.themoviedb.org/movie/66125", + "genres": [ + "Drama", + "Comedy", + "Family" + ], + "tags": [ + "australia", + "1970s", + "human animal relationship", + "search", + "based on true story", + "grief", + "dog", + "death", + "mourning", + "australian outback", + "pets" + ] + }, + { + "ranking": 1900, + "title": "The Zookeeper's Wife", + "year": "2017", + "runtime": 126, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.3, + "vote_count": 1509, + "description": "The account of keepers of the Warsaw Zoo, Jan and Antonina Zabinski, who helped save hundreds of people and animals during the Nazi invasion.", + "poster": "https://image.tmdb.org/t/p/w500/5TVBtMhwOldZW82g1Ka11IE86wC.jpg", + "url": "https://www.themoviedb.org/movie/289222", + "genres": [ + "Drama", + "History", + "War" + ], + "tags": [ + "nazi", + "holocaust (shoah)", + "world war ii", + "biography", + "zookeeper", + "biting" + ] + }, + { + "ranking": 1886, + "title": "The Enigma of Kaspar Hauser", + "year": "1974", + "runtime": 109, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.3, + "vote_count": 333, + "description": "The film follows Kaspar Hauser (Bruno S.), who lived the first seventeen years of his life chained in a tiny cellar with only a toy horse to occupy his time, devoid of all human contact except for a man who wears a black overcoat and top hat who feeds him.", + "poster": "https://image.tmdb.org/t/p/w500/z1rBBE8NWociDQClr8y6Onv1X62.jpg", + "url": "https://www.themoviedb.org/movie/11710", + "genres": [ + "Drama", + "History" + ], + "tags": [ + "liberation", + "nuremberg, germany", + "curious" + ] + }, + { + "ranking": 1896, + "title": "Dungeons & Dragons: Honor Among Thieves", + "year": "2023", + "runtime": 134, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.34, + "vote_count": 3902, + "description": "A charming thief and a band of unlikely adventurers undertake an epic heist to retrieve a lost relic, but things go dangerously awry when they run afoul of the wrong people.", + "poster": "https://image.tmdb.org/t/p/w500/v7UF7ypAqjsFZFdjksjQ7IUpXdn.jpg", + "url": "https://www.themoviedb.org/movie/493529", + "genres": [ + "Adventure", + "Fantasy", + "Comedy" + ], + "tags": [ + "platonic love", + "gang of thieves", + "dragon", + "role playing game", + "heist gone wrong", + "wizard", + "duringcreditsstinger", + "father daughter relationship", + "wizardry" + ] + }, + { + "ranking": 1899, + "title": "Sorry We Missed You", + "year": "2019", + "runtime": 101, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.339, + "vote_count": 756, + "description": "Ricky and his family have been fighting an uphill struggle against debt since the 2008 financial crash. An opportunity to wrestle back some independence appears with a shiny new van and the chance to run a franchise as a self-employed delivery driver. It's hard work, and his wife's job as a carer is no easier. The family unit is strong but when both are pulled in different directions everything comes to breaking point.", + "poster": "https://image.tmdb.org/t/p/w500/jNvlqNDnXH8aqBeiBxNNP0wWWO3.jpg", + "url": "https://www.themoviedb.org/movie/522369", + "genres": [ + "Drama" + ], + "tags": [ + "van", + "graffiti", + "postman", + "debt", + "working class", + "caregiver", + "mailman", + "delivery service", + "social realism", + "labor rights" + ] + }, + { + "ranking": 1892, + "title": "Unlocked", + "year": "2023", + "runtime": 117, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.34, + "vote_count": 337, + "description": "A woman's life is turned upside-down when a dangerous man gets a hold of her lost cell phone and uses it to track her every move.", + "poster": "https://image.tmdb.org/t/p/w500/yW43JgoYPnSois2V0bIpFQFuDWl.jpg", + "url": "https://www.themoviedb.org/movie/740441", + "genres": [ + "Thriller" + ], + "tags": [ + "based on novel or book", + "stalker", + "remake", + "serial killer", + "hacking", + "cell phone", + "phone", + "smart phone", + "father daughter relationship", + "lost" + ] + }, + { + "ranking": 1895, + "title": "Minari", + "year": "2021", + "runtime": 115, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.3, + "vote_count": 1658, + "description": "A Korean American family moves to an Arkansas farm in search of its own American dream. Amidst the challenges of this new life in the strange and rugged Ozarks, they discover the undeniable resilience of family and what really makes a home.", + "poster": "https://image.tmdb.org/t/p/w500/6mPNdmjdbVKPITv3LLCmQoKs9Zw.jpg", + "url": "https://www.themoviedb.org/movie/615643", + "genres": [ + "Drama" + ], + "tags": [ + "american dream", + "arkansas", + "church", + "east asian lead", + "farmland", + "farmer", + "semi autobiographical", + "heart condition", + "family tension", + "hatchery", + "1980s", + "vegetable farm", + "korean american", + "mobile home", + "rural setting", + "grandmother grandson relationship", + "korean", + "asian american", + "korean food", + "korean immigrant" + ] + }, + { + "ranking": 1894, + "title": "Chemical Hearts", + "year": "2020", + "runtime": 93, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.3, + "vote_count": 1120, + "description": "When a hopelessly romantic high school senior falls for a mysterious new classmate, it sets them both on an unexpected journey that teaches them about love, loss, and most importantly themselves.", + "poster": "https://image.tmdb.org/t/p/w500/aknnLs5SkaFKZIoFvtBsRhG1FxV.jpg", + "url": "https://www.themoviedb.org/movie/621013", + "genres": [ + "Drama", + "Romance" + ], + "tags": [ + "high school", + "based on young adult novel", + "teenager", + "pretentious" + ] + }, + { + "ranking": 1898, + "title": "Decision to Leave", + "year": "2022", + "runtime": 138, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.3, + "vote_count": 1269, + "description": "From a mountain peak in South Korea, a man plummets to his death. Did he jump, or was he pushed? When detective Hae-joon arrives on the scene, he begins to suspect the dead man’s wife Seo-rae. But as he digs deeper into the investigation, he finds himself trapped in a web of deception and desire.", + "poster": "https://image.tmdb.org/t/p/w500/TDaXKGBqJUSbCQ9XjkrJs8GYuU.jpg", + "url": "https://www.themoviedb.org/movie/705996", + "genres": [ + "Thriller", + "Mystery", + "Romance" + ], + "tags": [ + "sea", + "secret love", + "police", + "widow", + "detective", + "mountain", + "investigation", + "language barrier", + "forbidden love", + "foreign language", + "love", + "audio recording", + "phone", + "mountain climbing", + "murder mystery", + "murder suspect", + "busan, south korea", + "south korea", + "police procedural" + ] + }, + { + "ranking": 1889, + "title": "Wreck-It Ralph", + "year": "2012", + "runtime": 101, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.3, + "vote_count": 12459, + "description": "Wreck-It Ralph is the 9-foot-tall, 643-pound villain of an arcade video game named Fix-It Felix Jr., in which the game's titular hero fixes buildings that Ralph destroys. Wanting to prove he can be a good guy and not just a villain, Ralph escapes his game and lands in Hero's Duty, a first-person shooter where he helps the game's hero battle against alien invaders. He later enters Sugar Rush, a kart racing game set on tracks made of candies, cookies and other sweets. There, Ralph meets Vanellope von Schweetz who has learned that her game is faced with a dire threat that could affect the entire arcade, and one that Ralph may have inadvertently started.", + "poster": "https://image.tmdb.org/t/p/w500/zWoIgZ7mgmPkaZjG0102BSKFIqQ.jpg", + "url": "https://www.themoviedb.org/movie/82690", + "genres": [ + "Family", + "Animation", + "Comedy", + "Adventure" + ], + "tags": [ + "video game", + "support group", + "villain", + "bullying", + "medal", + "product placement", + "jail", + "racing", + "arcade", + "self esteem", + "curiosity", + "precocious child", + "aftercreditsstinger", + "duringcreditsstinger", + "first person shooter", + "glitch", + "carefree", + "interrupted wedding", + "social reject", + "escape from jail", + "hoverboard", + "admiring" + ] + }, + { + "ranking": 1897, + "title": "Papillon", + "year": "2017", + "runtime": 134, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.3, + "vote_count": 1971, + "description": "Henri “Papillon” Charrière, a safecracker from the Parisian underworld, is wrongfully convicted and sentenced to life imprisonment in the penal colony of French Guiana, where he forges a strong friendship with Louis Dega, a counterfeiter who needs his protection.", + "poster": "https://image.tmdb.org/t/p/w500/ahF5c6vyP8HWMqIwlhecbRALkjq.jpg", + "url": "https://www.themoviedb.org/movie/433498", + "genres": [ + "Drama" + ], + "tags": [ + "prisoner", + "based on novel or book", + "biography", + "based on true story", + "guillotine", + "remake", + "solitary confinement", + "south america", + "wrongful conviction", + "prison break", + "island prison", + "devil's island", + "shocking", + "reflective", + "french guiana", + "complex", + "critical", + "sentimental", + "whimsical", + "ambivalent", + "awestruck", + "baffled", + "bewildered", + "brisk", + "complicated", + "doubtful", + "melodramatic" + ] + }, + { + "ranking": 1910, + "title": "Loveless", + "year": "2017", + "runtime": 122, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.335, + "vote_count": 760, + "description": "Zhenya and Boris are going through a vicious divorce marked by resentment, frustration and recriminations. Already embarking on new lives, each with a new partner, they are impatient to start again, to turn the page – even if it means threatening to abandon their 12-year-old son Alyosha. Until, after witnessing one of their fights, Alyosha disappears.", + "poster": "https://image.tmdb.org/t/p/w500/oBUsLGZoGuLKMuHj19mjG9iCDoq.jpg", + "url": "https://www.themoviedb.org/movie/429174", + "genres": [ + "Drama" + ], + "tags": [ + "dysfunctional family", + "divorce", + "missing child", + "loveless" + ] + }, + { + "ranking": 1911, + "title": "The Butler", + "year": "2013", + "runtime": 132, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.336, + "vote_count": 2904, + "description": "A look at the life of Cecil Gaines, who served eight presidents as the White House's head butler from 1952 to 1986, and had a unique front-row seat as political and racial history was made.", + "poster": "https://image.tmdb.org/t/p/w500/qyWvpylSqs7wmA4TrUIrGCgWJtv.jpg", + "url": "https://www.themoviedb.org/movie/132363", + "genres": [ + "Drama" + ], + "tags": [ + "usa president", + "1970s", + "butler", + "slavery", + "civil rights", + "john f. kennedy", + "biography", + "based on true story", + "ronald reagan", + "richard nixon", + "historical drama", + "slave owner", + "1940s", + "1980s", + "1950s", + "1960s", + "1930s", + "african american history", + "jacqueline kennedy", + "jimmy carter", + "eisenhower", + "based on real person" + ] + }, + { + "ranking": 1904, + "title": "Sissi", + "year": "1955", + "runtime": 102, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.3, + "vote_count": 483, + "description": "The young Bavarian princess Elisabeth, who all call Sissi, goes with her mother and older sister Néné to Austria where Néné will be wed to an emperor named Franz Joseph, Yet unexpectedly Franz runs into Sissi while out fishing and they fall in love.", + "poster": "https://image.tmdb.org/t/p/w500/iGy9j4AdhkiOYRYeTSpq7g3zayL.jpg", + "url": "https://www.themoviedb.org/movie/457", + "genres": [ + "Comedy", + "Drama", + "Romance" + ], + "tags": [ + "marriage proposal", + "anonymity", + "husband wife relationship", + "sibling relationship", + "love of one's life", + "chase", + "attachment to nature", + "horseback riding", + "love at first sight", + "mistake in person", + "bavaria, germany", + "emperor", + "love of animals", + "ball", + "telegram", + "bad mother-in-law", + "biography", + "schloss schönbrunn", + "historical figure", + "empress", + "royalty", + "wedding", + "period drama", + "vienna, austria", + "austria-hungary", + "habsburger" + ] + }, + { + "ranking": 1903, + "title": "Possession", + "year": "1981", + "runtime": 124, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.3, + "vote_count": 1153, + "description": "A young woman left her family for an unspecified reason. The husband determines to find out the truth and starts following his wife. At first, he suspects that a man is involved. But gradually, he finds out more and more strange behaviors and bizarre incidents that indicate something more than a possessed love affair.", + "poster": "https://image.tmdb.org/t/p/w500/k2nVjEnMF0ZVE0V8x5WZQw231FF.jpg", + "url": "https://www.themoviedb.org/movie/21484", + "genres": [ + "Horror" + ], + "tags": [ + "adultery", + "berlin, germany", + "monster", + "police", + "marriage crisis", + "germany", + "berlin wall", + "obsession", + "investigation", + "gore", + "hysteria", + "teacher", + "murder", + "domestic abuse", + "serial killer", + "domestic violence", + "motorcycle", + "miscarriage", + "separation", + "extramarital affair", + "mental illness", + "private detective", + "spiral staircase", + "doppelgänger", + "dual role", + "marital separation", + "video nasty", + "breakdown", + "downward spiral", + "impending divorce", + "depressing", + "frustrated" + ] + }, + { + "ranking": 1916, + "title": "A Man for All Seasons", + "year": "1966", + "runtime": 120, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.3, + "vote_count": 445, + "description": "A depiction of the conflict between King Henry VIII of England and his Lord Chancellor, Sir Thomas More, who refuses to swear the Oath of Supremacy declaring Henry Supreme Head of the Church in England.", + "poster": "https://image.tmdb.org/t/p/w500/wK0PqNYRAKKozQvi6M9e1HCH6LA.jpg", + "url": "https://www.themoviedb.org/movie/874", + "genres": [ + "Drama", + "History" + ], + "tags": [ + "death penalty", + "england", + "pope", + "beheading", + "protestant church", + "oath", + "based on play or musical", + "tudor", + "henry viii", + "british monarchy" + ] + }, + { + "ranking": 1905, + "title": "The Sea Beast", + "year": "2022", + "runtime": 115, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.337, + "vote_count": 1519, + "description": "When a young girl stows away on the ship of a legendary sea monster hunter, they launch an epic journey into uncharted waters — and make history to boot.", + "poster": "https://image.tmdb.org/t/p/w500/9Zfv4Ap1e8eKOYnZPtYaWhLkk0d.jpg", + "url": "https://www.themoviedb.org/movie/560057", + "genres": [ + "Animation", + "Adventure", + "Action", + "Family", + "Fantasy" + ], + "tags": [ + "ship", + "orphan", + "sea monster", + "17th century", + "lighthearted", + "awestruck", + "cheerful" + ] + }, + { + "ranking": 1906, + "title": "Europa", + "year": "1991", + "runtime": 113, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.3, + "vote_count": 325, + "description": "A young, idealist American gets a job as a train conductor for the Zentropa railway network in postwar, US-occupied Frankfurt. As various people try to take advantage of him, he soon finds his position politically sensitive, and gets caught up in a whirlpool of conspiracies and Nazi sympathisers.", + "poster": "https://image.tmdb.org/t/p/w500/66SKAdMkW5vOABN2UteJlPabXBh.jpg", + "url": "https://www.themoviedb.org/movie/9065", + "genres": [ + "Crime", + "Drama", + "Thriller" + ], + "tags": [ + "chess", + "allies", + "munich, germany", + "hypnosis", + "bridge", + "employee", + "frankfurt am main, germany", + "travel", + "priest", + "post world war ii", + "1940s" + ] + }, + { + "ranking": 1920, + "title": "Air", + "year": "2023", + "runtime": 111, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.3, + "vote_count": 2028, + "description": "Discover the game-changing partnership between a then undiscovered Michael Jordan and Nike's fledgling basketball division which revolutionized the world of sports and culture with the Air Jordan brand.", + "poster": "https://image.tmdb.org/t/p/w500/76AKQPdH3M8cvsFR9K8JsOzVlY5.jpg", + "url": "https://www.themoviedb.org/movie/964980", + "genres": [ + "Drama", + "History" + ], + "tags": [ + "sports", + "based on true story", + "basketball", + "shoe", + "national basketball association (nba)", + "duringcreditsstinger", + "1980s" + ] + }, + { + "ranking": 1901, + "title": "Road to Ninja: Naruto the Movie", + "year": "2012", + "runtime": 109, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.339, + "vote_count": 1194, + "description": "Sixteen years ago, a mysterious masked ninja unleashes a powerful creature known as the Nine-Tailed Demon Fox on the Hidden Leaf Village Konoha, killing many people. In response, the Fourth Hokage Minato Namikaze and his wife Kushina Uzumaki, the Demon Fox's living prison or Jinchūriki, manage to seal the creature inside their newborn son Naruto Uzumaki. With the Tailed Beast sealed, things continued as normal. However, in the present day, peace ended when a group of ninja called the Akatsuki attack Konoha under the guidance of Tobi, the mysterious masked man behind Fox's rampage years ago who intends on executing his plan to rule the world by shrouding it in illusions.", + "poster": "https://image.tmdb.org/t/p/w500/xLal6fXNtiJN6Zw6qk21xAtdOeN.jpg", + "url": "https://www.themoviedb.org/movie/118406", + "genres": [ + "Animation", + "Fantasy", + "Action" + ], + "tags": [ + "fight", + "village", + "love", + "ninja", + "dead parents", + "alternative reality", + "shounen", + "anime", + "adventure" + ] + }, + { + "ranking": 1907, + "title": "Blow-Up", + "year": "1966", + "runtime": 111, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.3, + "vote_count": 1272, + "description": "A successful mod photographer in London whose world is bounded by fashion, pop music, marijuana, and easy sex, feels his life is boring and despairing. But in the course of a single day he unknowingly captures a death on film.", + "poster": "https://image.tmdb.org/t/p/w500/iVtUdWsT6Ed2DK762zZxjaQAdHy.jpg", + "url": "https://www.themoviedb.org/movie/1052", + "genres": [ + "Drama", + "Mystery", + "Thriller" + ], + "tags": [ + "london, england", + "loss of sense of reality", + "photographer", + "burglar", + "photography", + "suspicion of murder", + "surreal", + "municipal park", + "pantomime", + "photographic evidence", + "murder", + "counter-culture", + "corpse", + "drugs", + "photo shoot", + "avant-garde", + "modeling", + "swinging london" + ] + }, + { + "ranking": 1908, + "title": "A Hard Day's Night", + "year": "1964", + "runtime": 88, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.3, + "vote_count": 692, + "description": "Capturing John Lennon, Paul McCartney, George Harrison and Ringo Starr in their electrifying element, 'A Hard Day's Night' is a wildly irreverent journey through this pastiche of a day in the life of The Beatles during 1964. The band have to use all their guile and wit to avoid the pursuing fans and press to reach their scheduled television performance, in spite of Paul's troublemaking grandfather and Ringo's arrest.", + "poster": "https://image.tmdb.org/t/p/w500/6Ulsccp2VkaVU5qbya3bxm9JG4x.jpg", + "url": "https://www.themoviedb.org/movie/704", + "genres": [ + "Comedy", + "Music" + ], + "tags": [ + "adolescence", + "great britain", + "culture clash", + "pop culture", + "press conference", + "musical", + "mockumentary", + "behind the scenes", + "fame", + "police chase", + "older man younger woman relationship", + "shaving", + "swinging 60s", + "railway station", + "psychotronic", + "generation gap", + "television director" + ] + }, + { + "ranking": 1913, + "title": "Now You See Me", + "year": "2013", + "runtime": 116, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.335, + "vote_count": 15708, + "description": "An FBI agent and an Interpol detective track a team of illusionists who pull off bank heists during their performances and reward their audiences with the money.", + "poster": "https://image.tmdb.org/t/p/w500/tWsNYbrqy1p1w6K9zRk0mSchztT.jpg", + "url": "https://www.themoviedb.org/movie/75656", + "genres": [ + "Thriller", + "Crime" + ], + "tags": [ + "new york city", + "paris, france", + "escape", + "magic", + "bank", + "fbi", + "vault", + "new orleans, louisiana", + "investigation", + "heist", + "money", + "conspiracy", + "las vegas", + "magician", + "tense", + "awestruck", + "excited" + ] + }, + { + "ranking": 1915, + "title": "Christiane F.", + "year": "1981", + "runtime": 131, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.3, + "vote_count": 1346, + "description": "This movie portrays the drug scene in Berlin in the 70s, following tape recordings of Christiane F. 14 years old Christiane lives with her mother and little sister in a typical multi-storey apartment building in Berlin. She's fascinated by the 'Sound', a new disco with most modern equipment. Although she's legally too young, she asks a friend to take her. There she meets Detlef, who's in a clique where everybody's on drugs. Step by step she gets drawn deeper into the scene.", + "poster": "https://image.tmdb.org/t/p/w500/gDnWMZ8d39KwmweE4OK5P7ph4OL.jpg", + "url": "https://www.themoviedb.org/movie/9589", + "genres": [ + "Drama" + ], + "tags": [ + "berlin, germany", + "heroin", + "junkie", + "prostitution", + "illegal drugs", + "dramatic", + "critical", + "intense", + "complicated", + "informative" + ] + }, + { + "ranking": 1912, + "title": "Watchmen", + "year": "2009", + "runtime": 163, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.336, + "vote_count": 9371, + "description": "In a gritty and alternate 1985, the glory days of costumed vigilantes have been brought to a close by a government crackdown. But after one of the masked veterans is brutally murdered, an investigation into the killer is initiated. The reunited heroes set out to prevent their own destruction, but in doing so they uncover a sinister plot that puts all of humanity in grave danger.", + "poster": "https://image.tmdb.org/t/p/w500/aVURelN3pM56lFM7Dgfs5TixcIf.jpg", + "url": "https://www.themoviedb.org/movie/13183", + "genres": [ + "Mystery", + "Action", + "Science Fiction" + ], + "tags": [ + "usa president", + "nuclear war", + "mass murder", + "secret identity", + "narration", + "soviet union", + "melancholy", + "retirement", + "based on comic", + "conspiracy", + "animated scene", + "doomsday", + "masked vigilante", + "doomsday clock", + "red square", + "1980s", + "intense", + "admiring", + "assertive" + ] + }, + { + "ranking": 1909, + "title": "Blood and Black Lace", + "year": "1964", + "runtime": 88, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.3, + "vote_count": 421, + "description": "Isabella, a young model, is murdered by a mysterious masked figure at a fashion house in Rome. When her diary, which details the house employees' many vices, disappears, the masked killer begins killing off all the models in and around the house to find it.", + "poster": "https://image.tmdb.org/t/p/w500/zYCQjsdktEvlWTRap836iI5paEL.jpg", + "url": "https://www.themoviedb.org/movie/28055", + "genres": [ + "Horror", + "Thriller", + "Mystery" + ], + "tags": [ + "blackmail", + "murder", + "whodunit", + "model", + "killer" + ] + }, + { + "ranking": 1902, + "title": "French Fried Vacation 2", + "year": "1979", + "runtime": 87, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.339, + "vote_count": 1217, + "description": "In this sequel to Les Bronzes (1978) summer has passed, but that doesn't mean the fun has to end for Bernard, Nathalie, Gigi, Jerome, Popeye, Jean-Claude, and Christiane.", + "poster": "https://image.tmdb.org/t/p/w500/uTN0bp8yMUKesNTLXR1GnL2kLFs.jpg", + "url": "https://www.themoviedb.org/movie/33701", + "genres": [ + "Comedy" + ], + "tags": [ + "sequel", + "alps mountains", + "ski resort", + "french alps", + "skiing" + ] + }, + { + "ranking": 1919, + "title": "CJ7", + "year": "2008", + "runtime": 88, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.334, + "vote_count": 724, + "description": "A poor construction worker, who struggles to keep his son in private school, mistakes an orb he finds in a junkjard for a toy which proves to be much, much more once the young boy starts to play with it.", + "poster": "https://image.tmdb.org/t/p/w500/sRzSfpSb3wYYshbaiMRIuFCJJGU.jpg", + "url": "https://www.themoviedb.org/movie/13688", + "genres": [ + "Comedy", + "Drama", + "Family", + "Fantasy", + "Science Fiction" + ], + "tags": [ + "little boy", + "ufo", + "extraterrestrial", + "poverty", + "single father", + "construction worker", + "alien friendship", + "zealous", + "candid", + "father son relationship", + "hilarious", + "whimsical", + "admiring", + "adoring", + "enthusiastic", + "familiar", + "joyful", + "vibrant" + ] + }, + { + "ranking": 1917, + "title": "Harriet", + "year": "2019", + "runtime": 125, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.334, + "vote_count": 817, + "description": "The extraordinary tale of Harriet Tubman's escape from slavery and transformation into one of America's greatest heroes. Her courage, ingenuity and tenacity freed hundreds of slaves and changed the course of history.", + "poster": "https://image.tmdb.org/t/p/w500/rsUs58bDqpJJxZSOebZOMN9gzw2.jpg", + "url": "https://www.themoviedb.org/movie/506528", + "genres": [ + "Drama", + "History" + ], + "tags": [ + "southern usa", + "slavery", + "biography", + "harriet tubman", + "19th century", + "underground railroad" + ] + }, + { + "ranking": 1918, + "title": "Chocolate", + "year": "2008", + "runtime": 93, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.3, + "vote_count": 507, + "description": "Zen, an autistic teenage girl with powerful martial arts skills, gets money to pay for her sick mother Zin's treatment by seeking out all the people who owe Zin money and making them pay.", + "poster": "https://image.tmdb.org/t/p/w500/g8CBVNFdJOGINQW2KuOvl5NAPS5.jpg", + "url": "https://www.themoviedb.org/movie/15003", + "genres": [ + "Action", + "Crime" + ], + "tags": [ + "autism", + "yakuza", + "thailand", + "gang", + "debt", + "female martial artist", + "martial arts school", + "sick mother", + "mob" + ] + }, + { + "ranking": 1914, + "title": "A Woman Is a Woman", + "year": "1961", + "runtime": 83, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.3, + "vote_count": 376, + "description": "Longing for a baby, a stripper pursues another man in order to make her boyfriend jealous.", + "poster": "https://image.tmdb.org/t/p/w500/xrZu21hriGJQY3qY8nifh2smVHu.jpg", + "url": "https://www.themoviedb.org/movie/31522", + "genres": [ + "Comedy", + "Drama", + "Romance" + ], + "tags": [] + }, + { + "ranking": 1926, + "title": "John Wick: Chapter 2", + "year": "2017", + "runtime": 122, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.332, + "vote_count": 13326, + "description": "John Wick is forced out of retirement by a former associate looking to seize control of a shadowy international assassins’ guild. Bound by a blood oath to aid him, Wick travels to Rome and does battle against some of the world’s most dangerous killers.", + "poster": "https://image.tmdb.org/t/p/w500/hXWBc0ioZP3cN4zCu6SN3YHXZVO.jpg", + "url": "https://www.themoviedb.org/movie/324552", + "genres": [ + "Action", + "Thriller", + "Crime" + ], + "tags": [ + "martial arts", + "assassin", + "hitman", + "italy", + "roof", + "secret organization", + "sequel", + "revenge", + "shootout", + "handshake", + "neo-noir", + "guns", + "dark", + "dogs", + "roof-top" + ] + }, + { + "ranking": 1922, + "title": "Palm Springs", + "year": "2020", + "runtime": 90, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.333, + "vote_count": 3244, + "description": "When carefree Nyles and reluctant maid of honor Sarah have a chance encounter at a Palm Springs wedding, things get complicated when they find themselves unable to escape the venue, themselves, or each other.", + "poster": "https://image.tmdb.org/t/p/w500/yf5IuMW6GHghu39kxA0oFx7Bxmj.jpg", + "url": "https://www.themoviedb.org/movie/587792", + "genres": [ + "Comedy", + "Romance", + "Science Fiction" + ], + "tags": [ + "alcohol", + "cave", + "time travel", + "earthquake", + "swimming pool", + "drug use", + "palm springs", + "time loop", + "nemesis", + "wedding", + "maid of honor", + "carefree", + "older sister", + "groundhog day", + "stuck", + "absurd", + "sister's wedding", + "chance encounter" + ] + }, + { + "ranking": 1921, + "title": "A Boy Called Christmas", + "year": "2021", + "runtime": 104, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.333, + "vote_count": 753, + "description": "An ordinary young boy called Nikolas sets out on an extraordinary adventure into the snowy north in search of his father who is on a quest to discover the fabled village of the elves, Elfhelm. Taking with him a headstrong reindeer called Blitzen and a loyal pet mouse, Nikolas soon meets his destiny in this magical and endearing story that proves nothing is impossible…", + "poster": "https://image.tmdb.org/t/p/w500/1sRejtiHOZGggZd9RcmdqbapLM5.jpg", + "url": "https://www.themoviedb.org/movie/615666", + "genres": [ + "Family", + "Adventure", + "Fantasy" + ], + "tags": [ + "elves", + "holiday", + "santa claus", + "mouse", + "reindeer", + "snow", + "troll", + "santa hat", + "finland", + "bedtime story", + "pixie", + "christmas", + "origin story", + "talking animal", + "sincere" + ] + }, + { + "ranking": 1937, + "title": "Sophie's Choice", + "year": "1982", + "runtime": 151, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.33, + "vote_count": 868, + "description": "Stingo, a young writer, moves to Brooklyn in 1947 to begin work on his first novel. As he becomes friendly with Sophie and her lover Nathan, he learns that she is a Holocaust survivor. Flashbacks reveal her harrowing story, from pre-war prosperity to Auschwitz. In the present, Sophie and Nathan's relationship increasingly unravels as Stingo grows closer to Sophie and Nathan's fragile mental state becomes ever more apparent.", + "poster": "https://image.tmdb.org/t/p/w500/6zayvLCWvF8ImK5UqwRUbETcpVU.jpg", + "url": "https://www.themoviedb.org/movie/15764", + "genres": [ + "Drama", + "Romance", + "War" + ], + "tags": [ + "new york city", + "concentration camp", + "holocaust (shoah)", + "world war ii", + "writer", + "poland", + "1940s" + ] + }, + { + "ranking": 1924, + "title": "A Walk in the Clouds", + "year": "1995", + "runtime": 103, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.333, + "vote_count": 1044, + "description": "World War II vet Paul Sutton falls for a pregnant and unwed woman who persuades him -- during their first encounter -- to pose as her husband so she can face her family.", + "poster": "https://image.tmdb.org/t/p/w500/xencQzZnUWDRAOUydjf9PWet8Ae.jpg", + "url": "https://www.themoviedb.org/movie/9560", + "genres": [ + "Drama", + "Romance" + ], + "tags": [ + "pregnancy", + "world war ii", + "vineyard", + "love", + "remake", + "harvest", + "grape", + "abandoned woman", + "admiring", + "adoring", + "assertive", + "celebratory", + "familiar" + ] + }, + { + "ranking": 1930, + "title": "A Nightmare on Elm Street", + "year": "1984", + "runtime": 91, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.332, + "vote_count": 5269, + "description": "Teenagers in a small town are dropping like flies, apparently in the grip of mass hysteria causing their suicides. A cop's daughter, Nancy Thompson, traces the cause to child molester Fred Krueger, who was burned alive by angry parents many years before. Krueger has now come back in the dreams of his killers' children, claiming their lives as his revenge. Nancy and her boyfriend, Glen, must devise a plan to lure the monster out of the realm of nightmares and into the real world...", + "poster": "https://image.tmdb.org/t/p/w500/wGTpGGRMZmyFCcrY2YoxVTIBlli.jpg", + "url": "https://www.themoviedb.org/movie/377", + "genres": [ + "Horror" + ], + "tags": [ + "dreams", + "nightmare", + "psychopath", + "sleep", + "child murder", + "supernatural", + "ohio", + "murder", + "slasher", + "trapped", + "alcoholic", + "boiler room", + "booby trap", + "nostalgic", + "disfigurement", + "medical test", + "nightmare becomes reality", + "caffeine", + "shocking", + "vexed", + "frantic", + "grim", + "desperate", + "anxious", + "supernatural horror", + "suspenseful", + "frightened", + "franchise starter", + "teen scream" + ] + }, + { + "ranking": 1938, + "title": "The Time Machine", + "year": "1960", + "runtime": 103, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.33, + "vote_count": 843, + "description": "A Victorian Englishman travels to the far future and finds that humanity has divided into two hostile species.", + "poster": "https://image.tmdb.org/t/p/w500/x3BOzx2rUc5c3gG9UCelzSxv8n4.jpg", + "url": "https://www.themoviedb.org/movie/2134", + "genres": [ + "Thriller", + "Adventure", + "Fantasy", + "Science Fiction", + "Romance" + ], + "tags": [ + "new year's eve", + "future", + "london, england", + "based on novel or book", + "inventor", + "dystopia", + "time travel", + "time machine", + "victorian england", + "distant future", + "steampunk", + "new year", + "underground civilization", + "morlock", + "melodramatic", + "h.g. wells" + ] + }, + { + "ranking": 1931, + "title": "God's Crooked Lines", + "year": "2022", + "runtime": 155, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.331, + "vote_count": 706, + "description": "Alice Gould, a private investigator, pretends to be mentally ill in order to enter a psychiatric hospital and gather evidence for the case she is working on: the death of a patient in unclear circumstances.", + "poster": "https://image.tmdb.org/t/p/w500/n3X9tWYFYfE96BoNgtVffuwzQo.jpg", + "url": "https://www.themoviedb.org/movie/890980", + "genres": [ + "Drama", + "Mystery", + "Thriller" + ], + "tags": [ + "husband wife relationship", + "based on novel or book", + "psychiatric hospital", + "co-workers relationship", + "mental illness", + "private detective", + "murder investigation", + "spanish transition" + ] + }, + { + "ranking": 1929, + "title": "Ghost in the Shell 2: Innocence", + "year": "2004", + "runtime": 100, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.332, + "vote_count": 879, + "description": "Cyborg detective Batou is assigned to investigate a series of murders committed by gynoids—doll-like cyborgs, which all malfunctioned, killed, then self-destructed afterwards. The brains of the gynoids initialize in order to protect their manufacturer's software, but in one gynoid, which Batou himself neutralized, one file remains: a voice speaking the phrase \"Help me.\"", + "poster": "https://image.tmdb.org/t/p/w500/1ZJRbLDVr90KLtKdmTT4WZhT26E.jpg", + "url": "https://www.themoviedb.org/movie/12140", + "genres": [ + "Animation", + "Drama", + "Science Fiction" + ], + "tags": [ + "future", + "android", + "cyborg", + "elite unit", + "sexual violence", + "futuristic", + "cyberpunk", + "hong kong", + "based on manga", + "anime" + ] + }, + { + "ranking": 1936, + "title": "Dawn of the Planet of the Apes", + "year": "2014", + "runtime": 130, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.33, + "vote_count": 11613, + "description": "A group of scientists in San Francisco struggle to stay alive in the aftermath of a plague that is wiping out humanity, while Caesar tries to maintain dominance over his community of intelligent apes.", + "poster": "https://image.tmdb.org/t/p/w500/kScdQEwS9jPEdnO23XjGAtaoRcT.jpg", + "url": "https://www.themoviedb.org/movie/119450", + "genres": [ + "Science Fiction", + "Action", + "Drama", + "Thriller" + ], + "tags": [ + "san francisco, california", + "peace", + "solidarity", + "gorilla", + "intelligence", + "dystopia", + "horse", + "post-apocalyptic future", + "pacifism", + "animal attack", + "colony", + "tank", + "forest", + "sequel", + "woods", + "anthropomorphism", + "dam", + "revenge", + "betrayal", + "golden gate bridge", + "explosion", + "ape", + "scientist", + "orangutan", + "death", + "chimpanzee", + "medical research", + "primate", + "dead horse", + "allegorical", + "sign languages", + "virus", + "plague", + "assassination attempt", + "shocking", + "aggressive", + "murder by gunshot", + "contagion", + "guns", + "soldiers", + "2030s", + "animal human friendship", + "war", + "cgi-live action hybrid", + "violence against animals", + "war horse", + "intense", + "depressing", + "bitter", + "bold", + "powerful", + "horse riding" + ] + }, + { + "ranking": 1940, + "title": "Belladonna of Sadness", + "year": "1973", + "runtime": 86, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.329, + "vote_count": 321, + "description": "An evil feudal lord rapes a village girl on her wedding night and proceeds to ruin her and her husband's lives. After she's eventually banished from her village, the girl makes a pact with the devil to gain magical ability and take revenge.", + "poster": "https://image.tmdb.org/t/p/w500/lsgaGlGVIRXLj9xRqPQgzvlcffP.jpg", + "url": "https://www.themoviedb.org/movie/64847", + "genres": [ + "Animation", + "Drama", + "Fantasy" + ], + "tags": [ + "surrealism", + "pact with the devil", + "romance", + "anthropomorphism", + "tragedy", + "adult animation", + "gorgon", + "psychedelic", + "hentai", + "satyr", + "loss of innocence", + "baphomet", + "art film" + ] + }, + { + "ranking": 1934, + "title": "The Beekeeper", + "year": "2024", + "runtime": 105, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.3, + "vote_count": 3448, + "description": "One man's campaign for vengeance takes on national stakes after he is revealed to be a former operative of a powerful and clandestine organization known as Beekeepers.", + "poster": "https://image.tmdb.org/t/p/w500/A7EByudX0eOzlkQ2FIbogzyazm2.jpg", + "url": "https://www.themoviedb.org/movie/866398", + "genres": [ + "Action", + "Crime", + "Thriller" + ], + "tags": [ + "usa president", + "frantic", + "secret government agency", + "fbi agent", + "beekeepers", + "scammer", + "scam call center", + "retired assassin", + "amused", + "cliché", + "vibrant" + ] + }, + { + "ranking": 1925, + "title": "RoboCop", + "year": "1987", + "runtime": 102, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.3, + "vote_count": 5246, + "description": "In a violent, near-apocalyptic Detroit, evil corporation Omni Consumer Products wins a contract from the city government to privatize the police force. To test their crime-eradicating cyborgs, the company leads street cop Alex Murphy into an armed confrontation with crime lord Boddicker so they can use his body to support their untested RoboCop prototype. But when RoboCop learns of the company's nefarious plans, he turns on his masters.", + "poster": "https://image.tmdb.org/t/p/w500/esmAU0fCO28FbS6bUBKLAzJrohZ.jpg", + "url": "https://www.themoviedb.org/movie/5548", + "genres": [ + "Action", + "Thriller", + "Science Fiction" + ], + "tags": [ + "experiment", + "cyborg", + "crime fighter", + "dystopia", + "giant robot", + "evil corporation", + "cyberpunk", + "detroit, michigan", + "law enforcement", + "gentrification", + "corrupt system", + "megacorporation", + "shocking", + "excited" + ] + }, + { + "ranking": 1935, + "title": "Spider-Man: Homecoming", + "year": "2017", + "runtime": 133, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.3, + "vote_count": 22100, + "description": "Following the events of Captain America: Civil War, Peter Parker, with the help of his mentor Tony Stark, tries to balance his life as an ordinary high school student in Queens, New York City, with fighting crime as his superhero alter ego Spider-Man as a new threat, the Vulture, emerges.", + "poster": "https://image.tmdb.org/t/p/w500/c24sv2weTHPsmDa7jEMN0m2P3RT.jpg", + "url": "https://www.themoviedb.org/movie/315635", + "genres": [ + "Action", + "Adventure", + "Science Fiction", + "Drama" + ], + "tags": [ + "high school", + "new york city", + "washington dc, usa", + "superhero", + "based on comic", + "reboot", + "aftercreditsstinger", + "duringcreditsstinger", + "marvel cinematic universe (mcu)", + "excited" + ] + }, + { + "ranking": 1939, + "title": "20th Century Women", + "year": "2016", + "runtime": 119, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.329, + "vote_count": 1153, + "description": "In 1979 Santa Barbara, California, Dorothea Fields is a determined single mother in her mid-50s who is raising her adolescent son, Jamie, at a moment brimming with cultural change and rebellion. Dorothea enlists the help of two younger women – Abbie, a free-spirited punk artist living as a boarder in the Fields' home and Julie, a savvy and provocative teenage neighbour – to help with Jamie's upbringing.", + "poster": "https://image.tmdb.org/t/p/w500/mso2rEr9i0MilRIOao5HaWFipS9.jpg", + "url": "https://www.themoviedb.org/movie/342737", + "genres": [ + "Drama" + ], + "tags": [ + "parent child relationship", + "1970s", + "balcony", + "feminism", + "punk rock", + "coming of age", + "feminist", + "free spirit", + "single mother", + "generation gap", + "santa barbara, california", + "mother son relationship", + "teenager" + ] + }, + { + "ranking": 1923, + "title": "Vagabond", + "year": "1985", + "runtime": 105, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.3, + "vote_count": 321, + "description": "Mona Bergeron is dead, her frozen body found in a ditch in the French countryside. From this, the film flashes back to the weeks leading up to her death. Through these flashbacks, Mona gradually declines as she travels from place to place, taking odd jobs and staying with whomever will offer her a place to sleep. Mona is fiercely independent, craving freedom over comfort, but it is this desire to be free that will eventually lead to her demise.", + "poster": "https://image.tmdb.org/t/p/w500/pHw4CHC389eWaUa83PZKOfv6OAt.jpg", + "url": "https://www.themoviedb.org/movie/44018", + "genres": [ + "Drama" + ], + "tags": [ + "homeless person", + "freedom", + "southern france", + "dead body", + "drifter", + "told in flashback", + "vagrant", + "woman director" + ] + }, + { + "ranking": 1928, + "title": "A Dog's Life", + "year": "1918", + "runtime": 34, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.3, + "vote_count": 327, + "description": "The Tramp and his dog companion struggle to survive in the inner city.", + "poster": "https://image.tmdb.org/t/p/w500/41vqtliesQrsJQ9iTJh5nFYQgBg.jpg", + "url": "https://www.themoviedb.org/movie/36208", + "genres": [ + "Comedy" + ], + "tags": [ + "robbery", + "police", + "musician", + "tramp", + "thief", + "singing", + "black and white", + "dog", + "wallet", + "fired from the job", + "silent film", + "unemployment", + "dance hall", + "short film" + ] + }, + { + "ranking": 1927, + "title": "Rise of the Planet of the Apes", + "year": "2011", + "runtime": 105, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.332, + "vote_count": 12096, + "description": "A highly intelligent chimpanzee named Caesar has been living a peaceful suburban life ever since he was born. But when he gets taken to a cruel primate facility, Caesar decides to revolt against those who have harmed him.", + "poster": "https://image.tmdb.org/t/p/w500/oqA45qMyyo1TtrnVEBKxqmTPhbN.jpg", + "url": "https://www.themoviedb.org/movie/61791", + "genres": [ + "Thriller", + "Action", + "Drama", + "Science Fiction" + ], + "tags": [ + "san francisco, california", + "solidarity", + "gorilla", + "intelligence", + "dystopia", + "zoo", + "alzheimer's disease", + "death of father", + "cage", + "anthropomorphism", + "golden gate bridge", + "disease", + "ape", + "orangutan", + "chimpanzee", + "medical research", + "primate", + "duringcreditsstinger", + "sign languages", + "virus", + "animal testing", + "contagion", + "father son relationship", + "animal human friendship", + "cgi-live action hybrid", + "violence against animals", + "meddling neighbor", + "medical trials", + "amused", + "exhilarated" + ] + }, + { + "ranking": 1933, + "title": "Hamlet", + "year": "1996", + "runtime": 242, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.3, + "vote_count": 481, + "description": "Hamlet, Prince of Denmark, returns home to find his father murdered and his mother now marrying the murderer... his uncle. Meanwhile, war is brewing.", + "poster": "https://image.tmdb.org/t/p/w500/ilurgUOp6SCl4cuhfjctj1qxlfZ.jpg", + "url": "https://www.themoviedb.org/movie/10549", + "genres": [ + "Drama" + ], + "tags": [ + "mother", + "denmark", + "loss of loved one", + "prince", + "based on play or musical", + "madness", + "aggressive", + "complex", + "antagonistic" + ] + }, + { + "ranking": 1932, + "title": "The Big Sick", + "year": "2017", + "runtime": 120, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.331, + "vote_count": 2467, + "description": "Pakistan-born comedian Kumail Nanjiani and grad student Emily Gardner fall in love but struggle as their cultures clash. When Emily contracts a mysterious illness, Kumail finds himself forced to face her feisty parents, his family's expectations, and his true feelings.", + "poster": "https://image.tmdb.org/t/p/w500/9fJTT8pBxxQsFILJHTtHhdYFr77.jpg", + "url": "https://www.themoviedb.org/movie/416477", + "genres": [ + "Comedy", + "Drama", + "Romance" + ], + "tags": [ + "chicago, illinois", + "new york city", + "immigrant", + "muslim", + "roommates", + "sadness", + "sarcasm", + "comedian", + "based on true story", + "one-man show", + "pakistan", + "family relationships", + "film in film", + "matchmaking", + "cultural difference", + "hospital", + "falling in love", + "family", + "illness", + "group of friends", + "intercultural relationship", + "aftercreditsstinger", + "college student", + "uber", + "traditional family", + "comedy club", + "stand-up comedian", + "grad school" + ] + }, + { + "ranking": 1944, + "title": "Kirikou and the Sorceress", + "year": "1998", + "runtime": 71, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.328, + "vote_count": 1104, + "description": "Drawn from elements of West African folk tales, it depicts how a newborn boy, Kirikou, saves his village from the evil witch Karaba.", + "poster": "https://image.tmdb.org/t/p/w500/9RNrozaagFmpm6m0CP7q4XDcIXj.jpg", + "url": "https://www.themoviedb.org/movie/21348", + "genres": [ + "Fantasy", + "Adventure", + "Animation", + "Family" + ], + "tags": [ + "folk", + "power of goodness", + "folktale", + "bad witch", + "cultures of west africa", + "african tale", + "french" + ] + }, + { + "ranking": 1948, + "title": "Lucky", + "year": "2017", + "runtime": 88, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.3, + "vote_count": 585, + "description": "Follows the journey of a 90-year-old atheist and the quirky characters that inhabit his off-the-map desert town. He finds himself at the precipice of life, thrust into a journey of self-exploration.", + "poster": "https://image.tmdb.org/t/p/w500/fy2K8jqCV9rNC8fHx9muPJTNaqs.jpg", + "url": "https://www.themoviedb.org/movie/407449", + "genres": [ + "Drama" + ], + "tags": [ + "atheist", + "elderly", + "spiritual journey", + "powerful" + ] + }, + { + "ranking": 1953, + "title": "The Hobbit: The Battle of the Five Armies", + "year": "2014", + "runtime": 144, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.324, + "vote_count": 14525, + "description": "Immediately after the events of The Desolation of Smaug, Bilbo and the dwarves try to defend Erebor's mountain of treasure from others who claim it: the men of the ruined Laketown and the elves of Mirkwood. Meanwhile an army of Orcs led by Azog the Defiler is marching on Erebor, fueled by the rise of the dark lord Sauron. Dwarves, elves and men must unite, and the hope for Middle-Earth falls into Bilbo's hands.", + "poster": "https://image.tmdb.org/t/p/w500/xT98tLqatZPQApyRmlPL12LtiWp.jpg", + "url": "https://www.themoviedb.org/movie/122917", + "genres": [ + "Action", + "Adventure", + "Fantasy" + ], + "tags": [ + "gold", + "corruption", + "based on novel or book", + "orcs", + "elves", + "dwarf", + "mine", + "mountain", + "sequel", + "dragon", + "battle", + "unlikely friendship", + "fantasy world", + "wizard", + "epic battle", + "ring", + "invisibility", + "live action and animation", + "high fantasy", + "sword and sorcery", + "good versus evil", + "creatures", + "dwarves", + "hobbits", + "trolls", + "hobbit", + "armies" + ] + }, + { + "ranking": 1947, + "title": "An American Crime", + "year": "2007", + "runtime": 97, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.327, + "vote_count": 710, + "description": "The true story of suburban housewife Gertrude Baniszewski, who kept a teenage girl locked in the basement of her Indiana home during the 1960s.", + "poster": "https://image.tmdb.org/t/p/w500/bLsE0sMI1bycBxZX7QNYghy5iyi.jpg", + "url": "https://www.themoviedb.org/movie/13008", + "genres": [ + "Crime", + "Drama", + "Horror" + ], + "tags": [ + "child abuse", + "rape", + "carnival", + "based on true story", + "dysfunctional family", + "basement", + "murder", + "teenage girl", + "torture", + "church", + "single mother", + "true crime", + "watching tv", + "jumping on a bed", + "1960s", + "mistreatment", + "female child abuser" + ] + }, + { + "ranking": 1945, + "title": "Dirty Dancing", + "year": "1987", + "runtime": 100, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.3, + "vote_count": 6208, + "description": "Expecting the usual tedium that accompanies a summer in the Catskills with her family, 17-year-old Frances 'Baby' Houseman is surprised to find herself stepping into the shoes of a professional hoofer—and unexpectedly falling in love.", + "poster": "https://image.tmdb.org/t/p/w500/9Jw6jys7q9gjzVX5zm1z0gC8gY9.jpg", + "url": "https://www.themoviedb.org/movie/88", + "genres": [ + "Drama", + "Music", + "Romance" + ], + "tags": [ + "hotel", + "daughter", + "dancing", + "secret love", + "robbery", + "sibling relationship", + "summer camp", + "dancing master", + "mambo", + "dance performance", + "coming of age", + "teenage crush", + "teenage girl", + "doctor", + "class differences", + "family holiday", + "sensuality", + "summer romance", + "catskill resort", + "playful", + "romantic", + "audacious" + ] + }, + { + "ranking": 1943, + "title": "The Lunchbox", + "year": "2013", + "runtime": 104, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.3, + "vote_count": 723, + "description": "A mistaken delivery in Mumbai's famously efficient lunchbox delivery system (Mumbai's Dabbawallahs) connects a young housewife to a stranger in the dusk of his life. They build a fantasy world together through notes in the lunchbox. Gradually, this fantasy threatens to overwhelm their reality.", + "poster": "https://image.tmdb.org/t/p/w500/jSOiz1h97i3qwjZJXY8SeLvjPsl.jpg", + "url": "https://www.themoviedb.org/movie/191714", + "genres": [ + "Drama", + "Romance" + ], + "tags": [ + "housewife", + "mumbai (bombay), india", + "food", + "tiffin", + "gastronomia", + "indian cuisine", + "bollywood" + ] + }, + { + "ranking": 1949, + "title": "Lord of War", + "year": "2005", + "runtime": 122, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.3, + "vote_count": 4900, + "description": "Yuri Orlov is a globetrotting arms dealer and, through some of the deadliest war zones, he struggles to stay one step ahead of a relentless Interpol agent, his business rivals and even some of his customers who include many of the world's most notorious dictators. Finally, he must also face his own conscience.", + "poster": "https://image.tmdb.org/t/p/w500/3MGQD4yXokufNlW1AyRXdiy7ytP.jpg", + "url": "https://www.themoviedb.org/movie/1830", + "genres": [ + "Crime", + "Drama", + "Thriller" + ], + "tags": [ + "hotel", + "new york city", + "civil war", + "dictator", + "cold war", + "drug addiction", + "cocaine", + "warlord", + "car bomb", + "arms dealer", + "based on true story", + "interpol", + "prostitution", + "liberia" + ] + }, + { + "ranking": 1952, + "title": "The Judge", + "year": "2014", + "runtime": 141, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.324, + "vote_count": 4161, + "description": "A successful lawyer returns to his hometown for his mother's funeral only to discover that his estranged father, the town's judge, is suspected of murder.", + "poster": "https://image.tmdb.org/t/p/w500/3K93GWotLXe4FqpErri0xkpLaD5.jpg", + "url": "https://www.themoviedb.org/movie/205587", + "genres": [ + "Drama" + ], + "tags": [ + "small town", + "indiana, usa", + "judge", + "parent child relationship", + "dysfunctional family", + "trial", + "family relationships", + "lawyer", + "courtroom", + "courtroom drama", + "father son relationship", + "legal thriller" + ] + }, + { + "ranking": 1958, + "title": "Dark City", + "year": "1998", + "runtime": 100, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.3, + "vote_count": 2886, + "description": "A man struggles with memories of his past, including a wife he cannot remember, in a nightmarish world with no sun and run by beings with telekinetic powers who seek the souls of humans.", + "poster": "https://image.tmdb.org/t/p/w500/tNPEGju4DpTdbhBphNmZoEi9Bd3.jpg", + "url": "https://www.themoviedb.org/movie/2666", + "genres": [ + "Mystery", + "Science Fiction" + ], + "tags": [ + "beach", + "experiment", + "chaos", + "paranoia", + "dystopia", + "sleep", + "manipulation", + "mad scientist", + "fugitive", + "serial killer", + "memory", + "cyberpunk", + "duel", + "parallel world", + "alien race", + "tech noir", + "neo-noir", + "retrofuturism", + "complex", + "provocative", + "suspenseful", + "critical", + "commanding", + "powerful" + ] + }, + { + "ranking": 1957, + "title": "Operation Condor", + "year": "1991", + "runtime": 107, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.3, + "vote_count": 569, + "description": "Hired by a Spanish baron, Hong Kong treasure hunter Jackie, a.k.a. \"Asian Hawk\" and his entourage seek WWII Nazi gold buried in the Sahara Desert.", + "poster": "https://image.tmdb.org/t/p/w500/vkj5JxVgY1ZYhX4pBHHgwdRNEkl.jpg", + "url": "https://www.themoviedb.org/movie/10975", + "genres": [ + "Action", + "Adventure", + "Crime", + "Thriller" + ], + "tags": [ + "gold", + "nazi", + "wilderness", + "treasure hunt", + "desert" + ] + }, + { + "ranking": 1960, + "title": "Rocketman", + "year": "2019", + "runtime": 121, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.3, + "vote_count": 4731, + "description": "The story of Elton John's life, from his years as a prodigy at the Royal Academy of Music through his influential and enduring musical partnership with Bernie Taupin.", + "poster": "https://image.tmdb.org/t/p/w500/f4FF18ia7yTvHf2izNrHqBmgH8U.jpg", + "url": "https://www.themoviedb.org/movie/504608", + "genres": [ + "Music", + "Drama" + ], + "tags": [ + "london, england", + "drug abuse", + "pop star", + "1970s", + "musical", + "biography", + "based on true story", + "alcoholism", + "singer", + "rock music", + "los angeles, california", + "pianist", + "lgbt", + "rise to fame", + "1960s", + "gay theme" + ] + }, + { + "ranking": 1942, + "title": "The Mafia Kills Only in Summer", + "year": "2013", + "runtime": 90, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.3, + "vote_count": 1110, + "description": "While Arturo tries to gain the love of Flora, he witnesses the history of Sicily from 1969 to 1992, miraculously dodging the crimes of the Mafia and supporting as a journalist the heroic struggle of the judges and policemen who fought this infamous organization.", + "poster": "https://image.tmdb.org/t/p/w500/ckYR7w9XmbyQHNoC1UD5j1Lax3u.jpg", + "url": "https://www.themoviedb.org/movie/239877", + "genres": [ + "Romance", + "Comedy", + "Crime", + "Drama" + ], + "tags": [ + "journalist", + "judge", + "sicily, italy", + "mafia", + "sicilian mafia" + ] + }, + { + "ranking": 1951, + "title": "21 Grams", + "year": "2003", + "runtime": 124, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.3, + "vote_count": 3174, + "description": "Paul Rivers, an ailing mathematician lovelessly married to an English émigré; Christina Peck, an upper-middle-class suburban housewife and mother of two girls; and Jack Jordan, a born-again ex-con, are brought together by a terrible accident that changes their lives.", + "poster": "https://image.tmdb.org/t/p/w500/imIqC8ufkxwgz1YNlNQIugsFbrQ.jpg", + "url": "https://www.themoviedb.org/movie/470", + "genres": [ + "Drama", + "Crime", + "Thriller" + ], + "tags": [ + "life and death", + "rage and hate", + "transplantation", + "faith", + "suicide attempt", + "loss of loved one", + "widow", + "ex-detainee", + "new mexico", + "sadness", + "car crash", + "multiple storylines" + ] + }, + { + "ranking": 1959, + "title": "Kidnapped", + "year": "2023", + "runtime": 134, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.3, + "vote_count": 328, + "description": "The story of Edgardo Mortara, a young Jewish boy living in Bologna, Italy, who in 1858, after being secretly baptized, was forcibly taken from his family to be raised as a Christian. His parents’ struggle to free their son became part of a larger political battle that pitted the papacy against forces of democracy and Italian unification.", + "poster": "https://image.tmdb.org/t/p/w500/p0tanDacNHQhXPdu583UG3KS7fM.jpg", + "url": "https://www.themoviedb.org/movie/801112", + "genres": [ + "Drama", + "History" + ], + "tags": [ + "italy", + "pope", + "baptism", + "child kidnapping", + "19th century", + "bologna", + "1800s", + "1850s" + ] + }, + { + "ranking": 1941, + "title": "Crossroads", + "year": "1986", + "runtime": 99, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.329, + "vote_count": 438, + "description": "A wanna-be blues guitar virtuoso seeks a long-lost song by legendary musician, Robert Johnson.", + "poster": "https://image.tmdb.org/t/p/w500/2sMo7gwZ8L7KttiW210T0ueJ2eX.jpg", + "url": "https://www.themoviedb.org/movie/15392", + "genres": [ + "Drama", + "Music", + "Mystery", + "Romance" + ], + "tags": [ + "harmonica", + "blues" + ] + }, + { + "ranking": 1956, + "title": "Stalingrad", + "year": "1993", + "runtime": 134, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.324, + "vote_count": 566, + "description": "A German Platoon is explored through the brutal fighting of the Battle of Stalingrad. After half of their number is wiped out and they're placed under the command of a sadistic captain, the platoon lieutenant leads his men to desert. The platoon members attempt escape from the city, now surrounded by the Soviet Army.", + "poster": "https://image.tmdb.org/t/p/w500/rB78VDAOK94KJWp9ofgE3GSQEor.jpg", + "url": "https://www.themoviedb.org/movie/11101", + "genres": [ + "Drama", + "History", + "War" + ], + "tags": [ + "winter", + "world war ii", + "stalingrad", + "machine gun", + "horrors of war", + "german soldier", + "comradeship", + "soviet tank" + ] + }, + { + "ranking": 1946, + "title": "Stand by Me Doraemon", + "year": "2014", + "runtime": 94, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.3, + "vote_count": 540, + "description": "Sewashi and Doraemon find themselves way back in time and meet Nobita. It is up to Doraemon to take care of Nobita or else he will not return to the present.", + "poster": "https://image.tmdb.org/t/p/w500/wc7XQbfx6EIQqCuvmBMt3aisb2Y.jpg", + "url": "https://www.themoviedb.org/movie/265712", + "genres": [ + "Animation", + "Family", + "Science Fiction", + "Fantasy", + "Adventure" + ], + "tags": [ + "gadget", + "time travel", + "school", + "based on manga", + "anime", + "based on anime" + ] + }, + { + "ranking": 1950, + "title": "Lolita", + "year": "1962", + "runtime": 154, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.325, + "vote_count": 2104, + "description": "Humbert Humbert is a middle-aged British novelist who is both appalled by and attracted to the vulgarity of American culture. When he comes to stay at the boarding house run by Charlotte Haze, he soon becomes obsessed with Lolita, the woman's teenaged daughter.", + "poster": "https://image.tmdb.org/t/p/w500/8Puqbeh0D95DpXFWep1rmH78btu.jpg", + "url": "https://www.themoviedb.org/movie/802", + "genres": [ + "Drama", + "Comedy", + "Romance" + ], + "tags": [ + "hotel", + "depression", + "lolita", + "small town", + "secret love", + "based on novel or book", + "sexual obsession", + "summer camp", + "midlife crisis", + "loss of loved one", + "literature professor", + "widow", + "flirt", + "eroticism", + "youngster", + "motel", + "diary", + "seduction", + "provocation", + "fascination", + "one-sided love", + "forbidden love", + "adoptive father", + "older man younger woman relationship", + "sex with a minor" + ] + }, + { + "ranking": 1954, + "title": "The Bandit", + "year": "1996", + "runtime": 128, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.3, + "vote_count": 324, + "description": "Baran the Bandit, released from prison after serving 35 years, searches for vengeance against his former best friend who betrayed him and stole his lover, teaming up with a young punk with his own demons along the way.", + "poster": "https://image.tmdb.org/t/p/w500/nRr6jmqHczMCS3UfZLGQr5pksmd.jpg", + "url": "https://www.themoviedb.org/movie/26900", + "genres": [ + "Crime", + "Drama", + "Thriller" + ], + "tags": [] + }, + { + "ranking": 1955, + "title": "Undisputed II: Last Man Standing", + "year": "2006", + "runtime": 93, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.3, + "vote_count": 828, + "description": "Heavyweight Champ George \"Iceman\" Chambers is sent to a Russian jail on trumped-up drug charges. In order to win his freedom he must fight against the jailhouse fighting champ Uri Boyka in a battle to the death. This time he is not fighting for a title, he is fighting for his life!", + "poster": "https://image.tmdb.org/t/p/w500/2gMCokqpIJoh6u5o06LlOZWsI3k.jpg", + "url": "https://www.themoviedb.org/movie/15255", + "genres": [ + "Action", + "Crime", + "Thriller", + "Drama" + ], + "tags": [ + "jail" + ] + }, + { + "ranking": 1963, + "title": "Operation Condor", + "year": "1991", + "runtime": 107, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.323, + "vote_count": 568, + "description": "Hired by a Spanish baron, Hong Kong treasure hunter Jackie, a.k.a. \"Asian Hawk\" and his entourage seek WWII Nazi gold buried in the Sahara Desert.", + "poster": "https://image.tmdb.org/t/p/w500/vkj5JxVgY1ZYhX4pBHHgwdRNEkl.jpg", + "url": "https://www.themoviedb.org/movie/10975", + "genres": [ + "Action", + "Adventure", + "Crime", + "Thriller" + ], + "tags": [ + "gold", + "nazi", + "wilderness", + "treasure hunt", + "desert" + ] + }, + { + "ranking": 1971, + "title": "25th Hour", + "year": "2002", + "runtime": 135, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.3, + "vote_count": 2398, + "description": "In New York City in the days following the events of 9/11, Monty Brogan is a convicted drug dealer about to start a seven-year prison sentence, and his final hours of freedom are devoted to hanging out with his closest buddies and trying to prepare his girlfriend for his extended absence.", + "poster": "https://image.tmdb.org/t/p/w500/uW7tTRElr2tRhmAVESzvHy4ByXg.jpg", + "url": "https://www.themoviedb.org/movie/1429", + "genres": [ + "Crime", + "Drama" + ], + "tags": [ + "drug dealer", + "new york city", + "friendship", + "dreams", + "distrust", + "based on novel or book", + "bratva (russian mafia)", + "paranoia", + "sadness", + "irish-american", + "nightclub", + "american dream", + "melancholy", + "girlfriend", + "surrealism", + "betrayal", + "stockbroker", + "prison sentence", + "widower", + "reflection", + "post 9/11" + ] + }, + { + "ranking": 1962, + "title": "Cyrano de Bergerac", + "year": "1990", + "runtime": 137, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.323, + "vote_count": 775, + "description": "Famed swordsman and poet Cyrano de Bergerac is in love with his cousin Roxane. He has never expressed his love for her as he his large nose undermines his self-confidence. Then he finds a way to express his love to her, indirectly.", + "poster": "https://image.tmdb.org/t/p/w500/80XJ5UkGuYTKDuALeG03BLk1OT1.jpg", + "url": "https://www.themoviedb.org/movie/11673", + "genres": [ + "Drama", + "Comedy", + "History", + "Romance" + ], + "tags": [ + "new love", + "paris, france", + "fencing", + "love letter", + "poet", + "nose", + "inferiority complex", + "based on play or musical", + "unrequited love", + "long nose", + "17th century" + ] + }, + { + "ranking": 1964, + "title": "The Blue Angel", + "year": "1930", + "runtime": 108, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.3, + "vote_count": 317, + "description": "Prim professor Immanuel Rath finds some of his students ogling racy photos of cabaret performer Lola Lola and visits a local club, The Blue Angel, in an attempt to catch them there. Seeing Lola perform, the teacher is filled with lust, eventually resigning his position at the school to marry the young woman. However, his marriage to a coquette -- whose job is to entice men -- proves to be more difficult than Rath imagined.", + "poster": "https://image.tmdb.org/t/p/w500/khz2rKLAPDVu9auJt1sR1HO9SCG.jpg", + "url": "https://www.themoviedb.org/movie/228", + "genres": [ + "Drama" + ], + "tags": [ + "based on novel or book", + "professor", + "femme fatale", + "unrequited love", + "descent into madness", + "downfall", + "black and white", + "traveling circus", + "seductress", + "pre-code", + "cuckold", + "expressionism", + "cabaret performer", + "downward spiral", + "moral corruption", + "self-destructive behavior" + ] + }, + { + "ranking": 1980, + "title": "Les Misérables", + "year": "2012", + "runtime": 158, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.32, + "vote_count": 5332, + "description": "An adaptation of the successful stage musical based on Victor Hugo's classic novel set in 19th-century France. Jean Valjean, a man imprisoned for stealing bread, must flee a relentless policeman named Javert. The pursuit consumes both men's lives, and soon Valjean finds himself in the midst of the student revolutions in France.", + "poster": "https://image.tmdb.org/t/p/w500/6CuzBs2Lb8At7qQr64mLXg2RYRb.jpg", + "url": "https://www.themoviedb.org/movie/82695", + "genres": [ + "History", + "Drama" + ], + "tags": [ + "rebellion", + "army", + "robbery", + "france", + "based on novel or book", + "love triangle", + "love at first sight", + "brothel", + "mayor", + "french revolution", + "musical", + "arrest", + "based on play or musical", + "barricade", + "wedding", + "prostitution", + "falling in love", + "corpse", + "parole", + "convict", + "forced prostitution", + "police inspector", + "girl disguised as boy", + "historical drama", + "19th century", + "out of wedlock child", + "historical romance", + "death of a child", + "abusive family", + "corrupt businessman", + "indifferent" + ] + }, + { + "ranking": 1970, + "title": "The Bourne Supremacy", + "year": "2004", + "runtime": 108, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.3, + "vote_count": 7639, + "description": "A CIA operation to purchase classified Russian documents is blown by a rival agent, who then shows up in the sleepy seaside village where Bourne and Marie have been living. The pair run for their lives and Bourne, who promised retaliation should anyone from his former life attempt contact, is forced to once again take up his life as a trained assassin to survive.", + "poster": "https://image.tmdb.org/t/p/w500/g09UIYfShY8uWGMGP3HkvWp8L8n.jpg", + "url": "https://www.themoviedb.org/movie/2502", + "genres": [ + "Action", + "Drama", + "Thriller" + ], + "tags": [ + "sniper", + "assassin", + "berlin, germany", + "amnesia", + "based on novel or book", + "espionage", + "lie", + "sequel", + "on the run", + "shootout", + "foot chase", + "exploding house", + "one against many", + "rail car", + "dark past", + "moscow, russia", + "hand to hand combat", + "action hero", + "bourne", + "jason bourne", + "dramatic", + "suspenseful" + ] + }, + { + "ranking": 1966, + "title": "The Good Lie", + "year": "2014", + "runtime": 110, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.322, + "vote_count": 497, + "description": "A young refugee of the Sudanese Civil War who wins a lottery for relocation to the United States with three other lost boys. Encountering the modern world for the first time, they develop an unlikely friendship with a brash American woman assigned to help them, but the young man struggles to adjust to this new life and his feelings of guilt about the brother he left behind.", + "poster": "https://image.tmdb.org/t/p/w500/yAhoeIwwtPxJ7uf9HLIMHIqWFnL.jpg", + "url": "https://www.themoviedb.org/movie/250538", + "genres": [ + "Drama" + ], + "tags": [ + "refugee", + "kansas, usa", + "sudanese" + ] + }, + { + "ranking": 1969, + "title": "A Very Long Engagement", + "year": "2004", + "runtime": 133, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.322, + "vote_count": 1228, + "description": "Young Frenchwoman Mathilde searches for the truth about her missing fiancé, lost during World War I, and learns many unexpected things along the way. The love of her life is gone. But she refuses to believe he's gone forever — and she needs to know for sure.", + "poster": "https://image.tmdb.org/t/p/w500/t73m7lX0eFYDjlB1Gcb7r3S5Yt.jpg", + "url": "https://www.themoviedb.org/movie/2841", + "genres": [ + "Drama", + "Romance", + "War" + ], + "tags": [ + "prostitute", + "amnesia", + "paris, france", + "world war i", + "loss of loved one", + "bodily disabled person", + "wheelchair", + "lighthouse", + "lighthouse keeper ", + "verdun", + "airship", + "disappearance", + "teenage crush", + "soldier", + "private detective", + "missing person", + "polio", + "trenches" + ] + }, + { + "ranking": 1978, + "title": "The Kite Runner", + "year": "2007", + "runtime": 128, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.321, + "vote_count": 1170, + "description": "After spending years in California, Amir returns to his homeland in Afghanistan to help his old friend Hassan, whose son is in trouble.", + "poster": "https://image.tmdb.org/t/p/w500/dom2esWWW8C9jS2v7dOhW48LwHh.jpg", + "url": "https://www.themoviedb.org/movie/7979", + "genres": [ + "Drama" + ], + "tags": [ + "1970s", + "afghanistan", + "cowardice", + "hang gliding", + "afghanistan war (2001-2021)", + "taliban", + "best friend", + "cowardliness", + "child" + ] + }, + { + "ranking": 1968, + "title": "The Hangover", + "year": "2009", + "runtime": 100, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.3, + "vote_count": 17147, + "description": "When three friends finally come to after a raucous night of bachelor-party revelry, they find a baby in the closet and a tiger in the bathroom. But they can't seem to locate their best friend, Doug – who's supposed to be tying the knot. Launching a frantic search for Doug, the trio perseveres through a nasty hangover to try to make it to the church on time.", + "poster": "https://image.tmdb.org/t/p/w500/A0uS9rHR56FeBtpjVki16M5xxSW.jpg", + "url": "https://www.themoviedb.org/movie/18785", + "genres": [ + "Comedy" + ], + "tags": [ + "blackjack", + "stag night", + "lost weekend", + "chapel", + "hit with tire iron", + "memory loss", + "las vegas", + "drugs", + "irreverent", + "absurd", + "dramatic", + "hilarious", + "amused", + "celebratory", + "farcical", + "宿醉" + ] + }, + { + "ranking": 1961, + "title": "A Matter of Loaf and Death", + "year": "2008", + "runtime": 30, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.323, + "vote_count": 541, + "description": "Wallace and Gromit open a bakery, accidentally getting tied up with a murder mystery in the process. But when Wallace falls in love, Gromit is left to solve the case by himself.", + "poster": "https://image.tmdb.org/t/p/w500/egKYj3L9HMsHjHXk3tYMU0O87g8.jpg", + "url": "https://www.themoviedb.org/movie/14447", + "genres": [ + "Family", + "Animation", + "Comedy" + ], + "tags": [ + "bomb", + "bakery", + "romance", + "anthropomorphism", + "murder", + "stop motion", + "serial killer", + "dog", + "animal abuse", + "claymation", + "plasticine", + "advertising model", + "short film" + ] + }, + { + "ranking": 1967, + "title": "Star Trek Into Darkness", + "year": "2013", + "runtime": 132, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.3, + "vote_count": 9199, + "description": "When the crew of the Enterprise is called back home, they find an unstoppable force of terror from within their own organization has detonated the fleet and everything it stands for, leaving our world in a state of crisis. With a personal score to settle, Captain Kirk leads a manhunt to a war-zone world to capture a one man weapon of mass destruction. As our heroes are propelled into an epic chess game of life and death, love will be challenged, friendships will be torn apart, and sacrifices must be made for the only family Kirk has left: his crew.", + "poster": "https://image.tmdb.org/t/p/w500/7XrRkhMa9lQ71RszzSyVrJVvhyS.jpg", + "url": "https://www.themoviedb.org/movie/54138", + "genres": [ + "Action", + "Adventure", + "Science Fiction" + ], + "tags": [ + "spacecraft", + "friendship", + "sequel", + "alien", + "futuristic", + "space", + "mysterious force", + "space opera", + "terrorist bombing", + "new beginning" + ] + }, + { + "ranking": 1965, + "title": "The Last Full Measure", + "year": "2020", + "runtime": 110, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.322, + "vote_count": 454, + "description": "The incredible true story of Vietnam War hero William H. Pitsenbarger, a U.S. Air Force Pararescuemen medic who personally saved over sixty men. Thirty-two years later, Pentagon staffer Scott Huffman investigates a Congressional Medal of Honor request for Pitsenbarger and uncovers a high-level conspiracy behind the decades-long denial of the medal, prompting Huffman to put his own career on the line to seek justice for the fallen airman.", + "poster": "https://image.tmdb.org/t/p/w500/bMG8c80lyEkBXVgyHVqsdQhjgf6.jpg", + "url": "https://www.themoviedb.org/movie/442065", + "genres": [ + "Drama", + "Action", + "War" + ], + "tags": [ + "vietnam war" + ] + }, + { + "ranking": 1973, + "title": "Bubble", + "year": "2022", + "runtime": 101, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.3, + "vote_count": 428, + "description": "In an abandoned Tokyo overrun by bubbles and gravitational abnormalities, one gifted young man has a fateful meeting with a mysterious girl.", + "poster": "https://image.tmdb.org/t/p/w500/kk28Lk8oQBGjoHRGUCN2vxKb4O2.jpg", + "url": "https://www.themoviedb.org/movie/912598", + "genres": [ + "Animation", + "Adventure", + "Science Fiction", + "Fantasy" + ], + "tags": [ + "adolescence", + "disaster", + "battle", + "gravity", + "anime" + ] + }, + { + "ranking": 1975, + "title": "Enter the Void", + "year": "2010", + "runtime": 161, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.3, + "vote_count": 1825, + "description": "This psychedelic tour of life after death is seen entirely from the point of view of Oscar, a young American drug dealer and addict living in Tokyo with his prostitute sister, Linda. When Oscar is killed by police during a bust gone bad, his spirit journeys from the past -- where he sees his parents before their deaths -- to the present -- where he witnesses his own autopsy -- and then to the future, where he looks out for his sister from beyond the grave.", + "poster": "https://image.tmdb.org/t/p/w500/li3Jrxo6s1gXX0zRhvgtbLfAwIl.jpg", + "url": "https://www.themoviedb.org/movie/34647", + "genres": [ + "Fantasy", + "Drama" + ], + "tags": [ + "japan", + "prostitute", + "afterlife", + "hallucination", + "surrealism", + "reincarnation", + "stripper", + "strip club", + "drug trip", + "drug dealing", + "tokyo, japan", + "drugs", + "incest", + "psychedelic", + "neo-noir", + "abortion", + "dmt", + "new french extremism", + "intense", + "tokyo", + "euphoric" + ] + }, + { + "ranking": 1974, + "title": "What's in a Name", + "year": "2012", + "runtime": 109, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.321, + "vote_count": 1712, + "description": "Vincent, a wealthy real estate agent, is invited to dinner by his sister Elizabeth and her husband Peter, both professors in Paris. Claude, a childhood friend and trombonist in a symphony orchestra, is also present. Vincent brings news from the prenatal examination of his and his wife Anna's unborn son. The name chosen by the soon-to-be parents strongly offends the others for many reasons. The dispute between the guests quickly escalates and before long the resurgence of old grudges and hidden secrets is unavoidable ...", + "poster": "https://image.tmdb.org/t/p/w500/5xKkDkv506CiSp99SxmHLsnaoFs.jpg", + "url": "https://www.themoviedb.org/movie/112198", + "genres": [ + "Comedy" + ], + "tags": [] + }, + { + "ranking": 1977, + "title": "Batman Beyond: Return of the Joker", + "year": "2000", + "runtime": 77, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.321, + "vote_count": 1125, + "description": "The Joker is back with a vengeance, and Neo-Gotham's Dark Knight, Terry McGinnis, needs answers as he stands alone to face the old Gotham's most infamous Clown Prince of Crime.", + "poster": "https://image.tmdb.org/t/p/w500/rsqoX8tA6vD8kvJSQwLN8Df55nk.jpg", + "url": "https://www.themoviedb.org/movie/16234", + "genres": [ + "Animation", + "Action", + "Science Fiction", + "Thriller" + ], + "tags": [ + "joker", + "dystopia", + "superhero", + "cartoon", + "killer satellite", + "cyberpunk", + "super power", + "save the neighborhood", + "super villain", + "masked superhero", + "save the day", + "teen superhero", + "good versus evil", + "based on tv series", + "direct to video", + "dc animated universe (dcau)" + ] + }, + { + "ranking": 1979, + "title": "O Brother, Where Art Thou?", + "year": "2000", + "runtime": 107, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.321, + "vote_count": 4240, + "description": "In the deep south during the 1930s, three escaped convicts search for hidden treasure while a relentless lawman pursues them. On their journey they come across many comical characters and incredible situations. Based upon Homer's 'Odyssey'.", + "poster": "https://image.tmdb.org/t/p/w500/s9foMAcLg8GEzzQzer04qOGdD1k.jpg", + "url": "https://www.themoviedb.org/movie/134", + "genres": [ + "Adventure", + "Comedy", + "Crime" + ], + "tags": [ + "music record", + "country music", + "based on novel or book", + "prophecy", + "southern usa", + "mississippi river", + "seduction", + "fraud", + "philosophical", + "reflective", + "dramatic", + "hilarious", + "amused", + "complicated", + "enchant", + "excited", + "melodramatic" + ] + }, + { + "ranking": 1976, + "title": "Days of Being Wild", + "year": "1990", + "runtime": 94, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.321, + "vote_count": 502, + "description": "Yuddy, a Hong Kong playboy known for breaking girls' hearts, tries to find solace and the truth after discovering the woman who raised him isn't his mother.", + "poster": "https://image.tmdb.org/t/p/w500/acfLUO8E61u0ooWS6htbzTHDBcI.jpg", + "url": "https://www.themoviedb.org/movie/18311", + "genres": [ + "Crime", + "Drama", + "Romance" + ], + "tags": [ + "fight", + "underwear", + "rain", + "radio", + "kiss", + "philippines", + "beating", + "prostitution", + "drink", + "sailor" + ] + }, + { + "ranking": 1972, + "title": "Ride On", + "year": "2023", + "runtime": 126, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.32, + "vote_count": 361, + "description": "A washed-up stuntman and his stunt horse become an overnight social media sensation when their real-life fight with debt collectors goes viral.", + "poster": "https://image.tmdb.org/t/p/w500/7cVHSVDEltw7dO9t9ixClpQqekm.jpg", + "url": "https://www.themoviedb.org/movie/931102", + "genres": [ + "Action", + "Comedy", + "Drama" + ], + "tags": [ + "horse", + "stuntman", + "animals", + "viral video", + "father daughter relationship", + "skilled fighter" + ] + }, + { + "ranking": 1989, + "title": "The Magnificent Ambersons", + "year": "1942", + "runtime": 88, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.3, + "vote_count": 432, + "description": "The spoiled young heir to the decaying Amberson fortune comes between his widowed mother and the man she has always loved.", + "poster": "https://image.tmdb.org/t/p/w500/4QvsFW2cRY20GVpMQNcG406YVxP.jpg", + "url": "https://www.themoviedb.org/movie/965", + "genres": [ + "Drama", + "Romance" + ], + "tags": [ + "small town", + "marriage proposal", + "jealousy", + "love of one's life", + "marriage crisis", + "only child" + ] + }, + { + "ranking": 1986, + "title": "House", + "year": "1977", + "runtime": 88, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.314, + "vote_count": 681, + "description": "Hoping to find a sense of connection to her late mother, Gorgeous takes a trip to the countryside to visit her aunt at their ancestral house. She invites her six friends, Prof, Melody, Mac, Fantasy, Kung Fu, and Sweet, to join her. The girls soon discover that there is more to the old house than meets the eye.", + "poster": "https://image.tmdb.org/t/p/w500/tXlEgAJkGQuE9Vm6ppYERUBmdDM.jpg", + "url": "https://www.themoviedb.org/movie/25623", + "genres": [ + "Comedy", + "Fantasy", + "Horror" + ], + "tags": [ + "japan", + "cat", + "haunted house", + "house", + "teenage girl", + "death", + "schoolgirl", + "campy", + "ghost", + "piano", + "independent film", + "experimental", + "experimental cinema" + ] + }, + { + "ranking": 1981, + "title": "Summer with Monika", + "year": "1953", + "runtime": 98, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.3, + "vote_count": 356, + "description": "Monika from Stockholm falls in love with Harry, a young man on holiday. When she becomes pregnant they are forced into a marriage, which begins to fall apart soon after they take up residence in a cramped little flat.", + "poster": "https://image.tmdb.org/t/p/w500/82hLsn67V9TjgrLOZCFL7247pJd.jpg", + "url": "https://www.themoviedb.org/movie/47735", + "genres": [ + "Drama", + "Romance" + ], + "tags": [ + "pregnancy", + "stockholm, sweden", + "young love", + "archipelago", + "midsummer" + ] + }, + { + "ranking": 1983, + "title": "Finding Neverland", + "year": "2004", + "runtime": 106, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.32, + "vote_count": 3587, + "description": "During a writing slump, playwright J.M. Barrie meets a widow and her four children, all young boys—who soon become an important part of Barrie’s life and the inspiration that lead him to create his masterpiece. Peter Pan.", + "poster": "https://image.tmdb.org/t/p/w500/5JyDPH4qdr0I6pF7Bjh1Qrf1Jhh.jpg", + "url": "https://www.themoviedb.org/movie/866", + "genres": [ + "Drama", + "Fantasy" + ], + "tags": [ + "london, england", + "stroke of fate", + "becoming an adult", + "parent child relationship", + "faith", + "widow", + "theater play", + "peter pan", + "theatre group", + "author", + "illness", + "children's author" + ] + }, + { + "ranking": 1985, + "title": "Uncle Frank", + "year": "2020", + "runtime": 95, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.3, + "vote_count": 414, + "description": "In 1973, when Frank Bledsoe and his 18-year-old niece Beth take a road trip from Manhattan to Creekville, South Carolina for the family patriarch's funeral, they're unexpectedly joined by Frank's lover Walid.", + "poster": "https://image.tmdb.org/t/p/w500/u3yozs3oGY0ubwf4cKQKOMWqNx3.jpg", + "url": "https://www.themoviedb.org/movie/634544", + "genres": [ + "Drama" + ], + "tags": [ + "coming out", + "new york city", + "suicide", + "funeral", + "homophobia", + "1970s", + "uncle", + "alcoholism", + "road trip", + "grief", + "interracial relationship", + "male homosexuality", + "family", + "death", + "lgbt", + "death of parent", + "uncle niece relationship", + "gay muslim", + "college professor", + "father son relationship", + "gay theme", + "gay relationship" + ] + }, + { + "ranking": 1984, + "title": "Batman: Assault on Arkham", + "year": "2014", + "runtime": 76, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.3, + "vote_count": 1135, + "description": "Batman works desperately to find a bomb planted by the Joker while Amanda Waller sends her newly-formed Suicide Squad to break into Arkham Asylum and recover vital information stolen by the Riddler.", + "poster": "https://image.tmdb.org/t/p/w500/b9KxvIAZkl2f57kjObj8Z9z9LhL.jpg", + "url": "https://www.themoviedb.org/movie/242643", + "genres": [ + "Thriller", + "Animation", + "Action", + "Crime" + ], + "tags": [ + "superhero", + "based on comic", + "spin off" + ] + }, + { + "ranking": 1987, + "title": "Mesrine: Killer Instinct", + "year": "2008", + "runtime": 113, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.3, + "vote_count": 938, + "description": "Jacques Mesrine, a loyal son and dedicated soldier, is back home and living with his parents after serving in the Algerian War. Soon he is seduced by the neon glamour of sixties Paris and the easy money it presents. Mentored by Guido, Mesrine turns his back on middle class law-abiding and soon moves swiftly up the criminal ladder.", + "poster": "https://image.tmdb.org/t/p/w500/zCyuiyIhbhgEOZde81qTgXbO0pw.jpg", + "url": "https://www.themoviedb.org/movie/13635", + "genres": [ + "Drama", + "Action", + "Thriller", + "Crime" + ], + "tags": [ + "casino", + "france", + "based on novel or book", + "kidnapping", + "gangster", + "based on true story", + "montreal, canada", + "prison escape", + "murder", + "shootout", + "bank robbery", + "ex soldier", + "1960s", + "algerian war (1954-62)" + ] + }, + { + "ranking": 1982, + "title": "Santa Claus Is a Stinker", + "year": "1982", + "runtime": 88, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.32, + "vote_count": 1001, + "description": "Two neurotics, working for a suicide hotline on the night of Christmas Eve, get caught up in a catastrophe when a pregnant woman, her abusive boyfriend, and a transvestite visit their office.", + "poster": "https://image.tmdb.org/t/p/w500/jVFR1j0zUgRhgGDS26zHzXHBXVV.jpg", + "url": "https://www.themoviedb.org/movie/14645", + "genres": [ + "Comedy" + ], + "tags": [ + "suicide", + "transvestite", + "cake", + "pregnancy", + "pharmacist", + "black humor", + "phone", + "trapped in an elevator", + "christmas", + "marginal" + ] + }, + { + "ranking": 1994, + "title": "Ghost Dog: The Way of the Samurai", + "year": "1999", + "runtime": 116, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.3, + "vote_count": 1252, + "description": "An African-American Mafia hit man who models himself after the samurai of ancient Japan finds himself targeted for death by the mob.", + "poster": "https://image.tmdb.org/t/p/w500/gkH4zOxIfbb4BEbk9Q4cVOEpDaY.jpg", + "url": "https://www.themoviedb.org/movie/4816", + "genres": [ + "Crime", + "Drama" + ], + "tags": [ + "hip-hop", + "new jersey", + "hitman", + "mission of murder", + "revenge", + "mafia", + "park", + "pigeon", + "hagakure", + "ice cream", + "haitian", + "cd player", + "arm sling", + "racial slur", + "carrier pigeon", + "ice cream truck", + "contract killer", + "code of the samurai", + "african american" + ] + }, + { + "ranking": 1996, + "title": "Slumberland", + "year": "2022", + "runtime": 117, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.316, + "vote_count": 854, + "description": "A young girl discovers a secret map to the dreamworld of Slumberland, and with the help of an eccentric outlaw, she traverses dreams and flees nightmares, with the hope that she will be able to see her late father again.", + "poster": "https://image.tmdb.org/t/p/w500/eCgBLNAFC4XDZ4DiyQ80PIJdSHU.jpg", + "url": "https://www.themoviedb.org/movie/668461", + "genres": [ + "Family", + "Fantasy", + "Comedy" + ], + "tags": [ + "live action remake" + ] + }, + { + "ranking": 1997, + "title": "Judas and the Black Messiah", + "year": "2021", + "runtime": 126, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.316, + "vote_count": 1564, + "description": "Bill O'Neal infiltrates the Black Panthers on the orders of FBI Agent Mitchell and J. Edgar Hoover. As Black Panther Chairman Fred Hampton ascends—falling for a fellow revolutionary en route—a battle wages for O’Neal’s soul.", + "poster": "https://image.tmdb.org/t/p/w500/iIgr75GoqFxe1X5Wz9siOODGe9u.jpg", + "url": "https://www.themoviedb.org/movie/583406", + "genres": [ + "Drama", + "History" + ], + "tags": [ + "chicago, illinois", + "assassination", + "black panther party", + "based on true story", + "betrayal", + "betrayal by friend", + "hard", + "1960s", + "african american history", + "rainbow coalition", + "awestruck", + "exhilarated" + ] + }, + { + "ranking": 1995, + "title": "The Equalizer 3", + "year": "2023", + "runtime": 109, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.316, + "vote_count": 3210, + "description": "Robert McCall finds himself at home in Southern Italy but he discovers his friends are under the control of local crime bosses. As events turn deadly, McCall knows what he has to do: become his friends' protector by taking on the mafia.", + "poster": "https://image.tmdb.org/t/p/w500/b0Ej6fnXAP8fK75hlyi2jKqdhHz.jpg", + "url": "https://www.themoviedb.org/movie/926393", + "genres": [ + "Action", + "Thriller", + "Crime" + ], + "tags": [ + "italy", + "vigilante justice", + "dramatic", + "suspenseful", + "italian mafia", + "horrified", + "mean spirited" + ] + }, + { + "ranking": 1988, + "title": "Gangs of New York", + "year": "2002", + "runtime": 168, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.3, + "vote_count": 6736, + "description": "In 1863, Amsterdam Vallon returns to the Five Points of America to seek vengeance against the psychotic gangland kingpin, Bill the Butcher, who murdered his father years earlier. With an eager pickpocket by his side and a whole new army, Vallon fights his way to seek vengeance on the Butcher and restore peace in the area.", + "poster": "https://image.tmdb.org/t/p/w500/lemqKtcCuAano5aqrzxYiKC8kkn.jpg", + "url": "https://www.themoviedb.org/movie/3131", + "genres": [ + "Drama", + "History", + "Crime" + ], + "tags": [ + "rescue", + "immigrant", + "ship", + "fire", + "army", + "pickpocket", + "pig", + "irish-american", + "gang war", + "gang of thieves", + "butcher", + "gang", + "19th century", + "grim", + "american history" + ] + }, + { + "ranking": 1992, + "title": "The Twelve Tasks of Asterix", + "year": "1976", + "runtime": 82, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.3, + "vote_count": 1257, + "description": "Asterix and Obelix depart on an adventure to complete twelve impossible tasks to prove to Caesar that they are as strong as the Gods. You'll roar with laughter as they outwit, outrun, and generally outrage the very people who are trying to prove them \"only human\".", + "poster": "https://image.tmdb.org/t/p/w500/7cZQZOYZFJcLjZnxWjO5PcUtmDZ.jpg", + "url": "https://www.themoviedb.org/movie/9385", + "genres": [ + "Family", + "Animation", + "Comedy", + "Adventure" + ], + "tags": [ + "gladiator", + "rome, italy", + "roman empire", + "magic", + "village", + "cartoon", + "roman", + "mythology", + "ancient rome", + "based on comic", + "alternate history", + "historical fiction", + "1st century", + "celts", + "centurions" + ] + }, + { + "ranking": 1999, + "title": "Fantastic Beasts and Where to Find Them", + "year": "2016", + "runtime": 132, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.316, + "vote_count": 18987, + "description": "In 1926, Newt Scamander arrives at the Magical Congress of the United States of America with a magically expanded briefcase, which houses a number of dangerous creatures and their habitats. When the creatures escape from the briefcase, it sends the American wizarding authorities after Newt, and threatens to strain even further the state of magical and non-magical relations.", + "poster": "https://image.tmdb.org/t/p/w500/h6NYfVUyM6CDURtZSnBpz647Ldd.jpg", + "url": "https://www.themoviedb.org/movie/259316", + "genres": [ + "Fantasy", + "Adventure" + ], + "tags": [ + "witch", + "new york city", + "robbery", + "escape", + "teleportation", + "magic", + "suitcase", + "mistake", + "spin off", + "subway station", + "wizard", + "goblin", + "magical creature", + "1920s", + "based on young adult novel" + ] + }, + { + "ranking": 1991, + "title": "Precious", + "year": "2009", + "runtime": 110, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.3, + "vote_count": 1649, + "description": "Set in Harlem in 1987, Claireece \"Precious\" Jones is a 16-year-old African American girl born into a life no one would want. She's pregnant for the second time by her absent father; at home, she must wait hand and foot on her mother, an angry woman who abuses her emotionally and physically. School is chaotic and Precious has reached the ninth grade with good marks and a secret; She can't read.", + "poster": "https://image.tmdb.org/t/p/w500/d4ltLIDbvZskSwbzXqi0Hfv5ma4.jpg", + "url": "https://www.themoviedb.org/movie/25793", + "genres": [ + "Drama" + ], + "tags": [ + "rape", + "aids", + "illiteracy", + "unwillingly pregnant", + "balloon", + "school", + "crying", + "motorcycle", + "cynical", + "harlem, new york city", + "angry", + "aggressive", + "frantic", + "1980s", + "abusive mother", + "desperate", + "furious", + "apathetic", + "callous", + "derogatory", + "enraged", + "frightened", + "frustrated", + "harsh", + "horrified" + ] + }, + { + "ranking": 2000, + "title": "American Fiction", + "year": "2023", + "runtime": 117, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.3, + "vote_count": 1097, + "description": "A novelist fed up with the establishment profiting from \"Black\" entertainment uses a pen name to write a book that propels him into the heart of hypocrisy and the madness he claims to disdain.", + "poster": "https://image.tmdb.org/t/p/w500/57MFWGHarg9jid7yfDTka4RmcMU.jpg", + "url": "https://www.themoviedb.org/movie/1056360", + "genres": [ + "Comedy", + "Drama" + ], + "tags": [ + "sibling relationship", + "boston, massachusetts", + "writing", + "race politics", + "satire", + "alzheimer's disease", + "dysfunctional family", + "pseudonym", + "family drama", + "lgbt", + "racial stereotype", + "dramedy", + "thoughtful", + "philosophical", + "publishing", + "complex", + "mother son relationship", + "race relations", + "serious", + "inspirational", + "black stories", + "provocative", + "critical", + "witty", + "assertive", + "bold", + "complicated", + "defiant", + "dignified", + "empathetic", + "instructive", + "scathing", + "wry", + "гей-персонаж", + "гетеросексуальный актер гей персонаж" + ] + }, + { + "ranking": 1993, + "title": "Carrie", + "year": "1976", + "runtime": 98, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.316, + "vote_count": 3940, + "description": "Withdrawn and sensitive teen Carrie White faces taunting from classmates at school and abuse from her fanatically pious mother. When strange occurrences start happening around Carrie, she begins to suspect that she has supernatural powers.", + "poster": "https://image.tmdb.org/t/p/w500/bJJ3xK4pMnfao0wfzySfC47dp8G.jpg", + "url": "https://www.themoviedb.org/movie/7340", + "genres": [ + "Horror", + "Thriller" + ], + "tags": [ + "high school", + "child abuse", + "based on novel or book", + "isolation", + "cemetery", + "stage", + "bible", + "telekinesis", + "teacher", + "revenge", + "unrequited love", + "prom", + "religion", + "teenage girl", + "school", + "cruelty", + "rage", + "humiliation", + "crucifix", + "praying", + "outsider", + "taunting", + "hostile", + "abusive mother", + "firestorm", + "religious horror", + "mother daughter relationship", + "supernatural horror", + "school bullying", + "suspenseful", + "horrified", + "teen scream" + ] + }, + { + "ranking": 1990, + "title": "Dead Man Walking", + "year": "1995", + "runtime": 122, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.318, + "vote_count": 1379, + "description": "A death row inmate turns for spiritual guidance to a local nun in the days leading up to his scheduled execution for the murders of a young couple.", + "poster": "https://image.tmdb.org/t/p/w500/eShxyjhWoFl3BwsuEmVsr4nLaMZ.jpg", + "url": "https://www.themoviedb.org/movie/687", + "genres": [ + "Drama" + ], + "tags": [ + "prison", + "death penalty", + "right and justice", + "rape", + "rage and hate", + "unsociability", + "court case", + "court", + "nun", + "penalty", + "therapist", + "sentence", + "forgiveness", + "self-discovery", + "despair", + "prison cell", + "socially deprived family", + "death row", + "doomed man", + "death sentence", + "lethal injection", + "charity", + "mercy petition", + "cowardliness", + "angry", + "dreary", + "incredulous", + "depressing", + "bitter", + "callous", + "horrified" + ] + }, + { + "ranking": 1998, + "title": "Extraction", + "year": "2020", + "runtime": 116, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.316, + "vote_count": 6185, + "description": "A hardened gun-for-hire's latest mission becomes a soul-searching race to survive when he's sent into Bangladesh to rescue a drug lord's kidnapped son.", + "poster": "https://image.tmdb.org/t/p/w500/nygOUcBKPHFTbxsYRFZVePqgPK6.jpg", + "url": "https://www.themoviedb.org/movie/545609", + "genres": [ + "Action", + "Thriller" + ], + "tags": [ + "drug dealer", + "mercenary", + "crime boss", + "mumbai (bombay), india", + "rescue mission", + "based on comic", + "based on graphic novel", + "child kidnapping", + "dhaka (dacca), bangladesh" + ] + }, + { + "ranking": 2003, + "title": "Martyrs", + "year": "2008", + "runtime": 99, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.315, + "vote_count": 2763, + "description": "A young woman’s quest for revenge against the people who kidnapped and tortured her as a child leads her and her best friend, also a victim of child abuse, on a terrifying journey into a living hell of depravity.", + "poster": "https://image.tmdb.org/t/p/w500/5yfPA9lXqONtLMgZks87ECob1A5.jpg", + "url": "https://www.themoviedb.org/movie/9539", + "genres": [ + "Horror", + "Drama", + "Thriller" + ], + "tags": [ + "child abuse", + "suffering", + "nihilism", + "degradation", + "ecstasy", + "woman martyr", + "cult", + "hysteria", + "helplessness", + "revenge", + "torture chamber", + "mercilessness", + "torture", + "cruelty", + "home invasion", + "transcendence", + "decadence", + "martyr", + "angst", + "captivity", + "abuse", + "mistreatment", + "dehumanization", + "emaciation", + "new french extremism", + "incarceration", + "chloroform", + "mysticism", + "abused woman", + "depravation", + "blood on body", + "playful", + "murderess", + "lesbian", + "devastating", + "mental abuse", + "romantic" + ] + }, + { + "ranking": 2004, + "title": "Battle for Sevastopol", + "year": "2015", + "runtime": 110, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.314, + "vote_count": 467, + "description": "The story of Lyudmila Pavlichenko, the most successful female sniper in history.", + "poster": "https://image.tmdb.org/t/p/w500/cURuQIcuJ5U8ToPJByqytaIpL7U.jpg", + "url": "https://www.themoviedb.org/movie/332270", + "genres": [ + "War", + "Drama", + "Romance" + ], + "tags": [ + "sniper", + "world war ii", + "soviet union", + "sevastopol" + ] + }, + { + "ranking": 2002, + "title": "All That Heaven Allows", + "year": "1955", + "runtime": 89, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.3, + "vote_count": 308, + "description": "Two different social classes collide when Cary Scott, a wealthy upper-class widow, falls in love with her much younger and down-to-earth gardener, prompting disapproval and criticism from her children and country club friends.", + "poster": "https://image.tmdb.org/t/p/w500/wlSmIk6iQ8yQhBG795UOOBUs4gF.jpg", + "url": "https://www.themoviedb.org/movie/43316", + "genres": [ + "Drama", + "Romance" + ], + "tags": [ + "widow", + "gardener", + "new england", + "older woman younger man relationship", + "melodrama" + ] + }, + { + "ranking": 2016, + "title": "Tini: The New Life of Violetta", + "year": "2016", + "runtime": 95, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.3, + "vote_count": 389, + "description": "A teen star ventures out to the Italian countryside for a summer and emerges a new artist.", + "poster": "https://image.tmdb.org/t/p/w500/iH1d41fxNGPZ53kvQ6GRUFNwp0F.jpg", + "url": "https://www.themoviedb.org/movie/360365", + "genres": [ + "Comedy", + "Drama", + "Music" + ], + "tags": [ + "violetta" + ] + }, + { + "ranking": 2012, + "title": "The Hating Game", + "year": "2021", + "runtime": 102, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.3, + "vote_count": 1094, + "description": "Resolving to achieve professional success without compromising her ethics, Lucy embarks on a ruthless game of one-upmanship against cold and efficient nemesis Joshua, a rivalry that is complicated by her growing attraction to him.", + "poster": "https://image.tmdb.org/t/p/w500/prbZxJxGcy07y60eq8lCGMciTYz.jpg", + "url": "https://www.themoviedb.org/movie/603661", + "genres": [ + "Drama", + "Comedy", + "Romance" + ], + "tags": [ + "new york city", + "based on novel or book", + "rivalry", + "love-hate relationship", + "nemesis", + "falling in love", + "young woman", + "young man", + "merger", + "job promotion", + "office romance", + "publishing house", + "holidays", + "enemies to lovers", + "romantic", + "adoring", + "working toward job promotion" + ] + }, + { + "ranking": 2008, + "title": "His Secret Life", + "year": "2001", + "runtime": 106, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.312, + "vote_count": 568, + "description": "When Antonia's husband Massimo is killed in a car accident, she accidentally discovers that he has been having a same-sex affair with a produce wholesaler named Michele.", + "poster": "https://image.tmdb.org/t/p/w500/a0box9FWKJmFvZe7riVa6SebwsK.jpg", + "url": "https://www.themoviedb.org/movie/23550", + "genres": [ + "Drama", + "Romance" + ], + "tags": [ + "aids", + "affectation", + "male homosexuality", + "family", + "angry", + "candid", + "gay theme", + "admiring", + "adoring", + "ambiguous", + "ambivalent", + "amused", + "appreciative", + "approving", + "awestruck" + ] + }, + { + "ranking": 2014, + "title": "Trolls Band Together", + "year": "2023", + "runtime": 91, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.3, + "vote_count": 885, + "description": "When Branch's brother, Floyd, is kidnapped for his musical talents by a pair of nefarious pop-star villains, Branch and Poppy embark on a harrowing and emotional journey to reunite the other brothers and rescue Floyd from a fate even worse than pop-culture obscurity.", + "poster": "https://image.tmdb.org/t/p/w500/bkpPTZUdq31UGDovmszsg2CchiI.jpg", + "url": "https://www.themoviedb.org/movie/901362", + "genres": [ + "Animation", + "Family", + "Music", + "Fantasy", + "Comedy" + ], + "tags": [ + "pop star", + "brother", + "musical", + "sequel", + "based on toy", + "troll", + "duringcreditsstinger", + "reunite", + "sister sister relationship", + "brother brother relationship", + "jukebox musical" + ] + }, + { + "ranking": 2006, + "title": "Monty Python's The Meaning of Life", + "year": "1983", + "runtime": 107, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.3, + "vote_count": 1935, + "description": "Life's questions are 'answered' in a series of outrageous vignettes, beginning with a staid London insurance company which transforms before our eyes into a pirate ship. Then there's the National Health doctors who try to claim a healthy liver from a still-living donor. The world's most voracious glutton brings the art of vomiting to new heights before his spectacular demise.", + "poster": "https://image.tmdb.org/t/p/w500/9yavZ9WgEZIpWi2EbVW8At9RPdo.jpg", + "url": "https://www.themoviedb.org/movie/4543", + "genres": [ + "Comedy" + ], + "tags": [ + "sense of life", + "comedian", + "satire", + "sketch", + "breaking the fourth wall", + "aftercreditsstinger", + "duringcreditsstinger", + "vignette", + "the meaning of life", + "anarchic comedy" + ] + }, + { + "ranking": 2013, + "title": "Knife in the Water", + "year": "1962", + "runtime": 94, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.3, + "vote_count": 433, + "description": "On their way to an afternoon on the lake, husband and wife Andrzej and Krystyna nearly run over a young hitchhiker. Inviting the young man onto the boat with them, Andrzej begins to subtly torment him; the hitchhiker responds by making overtures toward Krystyna. When the hitchhiker is accidentally knocked overboard, the husband's panic results in unexpected consequences.", + "poster": "https://image.tmdb.org/t/p/w500/tkdeCwZhy9hzzVjZFjw0RPGWUIg.jpg", + "url": "https://www.themoviedb.org/movie/11502", + "genres": [ + "Drama", + "Thriller" + ], + "tags": [ + "sailing trip", + "sailing", + "knife", + "hitchhiker", + "moral panic", + "sail boat", + "man gets between a couple" + ] + }, + { + "ranking": 2017, + "title": "Patch Adams", + "year": "1998", + "runtime": 115, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.31, + "vote_count": 3250, + "description": "The true story of Dr. Hunter \"Patch\" Adams, who in the 1970s found that humor is the best medicine, and was willing to do just anything to make his patients laugh—even if it meant risking his own career.", + "poster": "https://image.tmdb.org/t/p/w500/xN1aKur5ddWQSXTqvzDPJD2TCxe.jpg", + "url": "https://www.themoviedb.org/movie/10312", + "genres": [ + "Comedy", + "Drama" + ], + "tags": [ + "based on novel or book", + "nurse", + "1970s", + "based on true story", + "psychiatric hospital", + "hospital", + "doctor", + "suicidal thoughts", + "medical school", + "determination", + "medical drama", + "1960s", + "based on real person" + ] + }, + { + "ranking": 2007, + "title": "Brooklyn", + "year": "2015", + "runtime": 111, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.3, + "vote_count": 3112, + "description": "In 1950s Ireland and New York, young Eilis Lacey has to choose between two men and two countries.", + "poster": "https://image.tmdb.org/t/p/w500/cs7W8j5lI7qzRW6tKSj9p1Q0Ze7.jpg", + "url": "https://www.themoviedb.org/movie/167073", + "genres": [ + "Romance", + "Drama", + "History" + ], + "tags": [ + "ship", + "based on novel or book", + "love triangle", + "homesickness", + "marriage", + "community", + "working class", + "boarding house", + "suburb", + "ireland", + "brooklyn, new york city", + "journey", + "irish immigrant", + "1950s" + ] + }, + { + "ranking": 2015, + "title": "The Guilty", + "year": "2018", + "runtime": 86, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.31, + "vote_count": 1715, + "description": "Police officer Asger Holm, demoted to desk work as an alarm dispatcher, answers a call from a panicked woman who claims to have been kidnapped. Confined to the police station and with the phone as his only tool, Asger races against time to get help and find her.", + "poster": "https://image.tmdb.org/t/p/w500/42QPG6p7oLcLd4LQOPeSTLhqfMx.jpg", + "url": "https://www.themoviedb.org/movie/486947", + "genres": [ + "Thriller", + "Drama", + "Crime" + ], + "tags": [ + "police officer", + "police station", + "cellular phone trace", + "phone call", + "suspended cop", + "emergency", + "desk work", + "alarm dispatch" + ] + }, + { + "ranking": 2011, + "title": "The Witch: Part 2. The Other One", + "year": "2022", + "runtime": 137, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.3, + "vote_count": 353, + "description": "A girl wakes up in a huge secret laboratory, then accidentally meets another girl who is trying to protect her house from a gang. The mystery girl overthrows the gang with her unexpected powers, and laboratory staff set out to find her.", + "poster": "https://image.tmdb.org/t/p/w500/9YTuscJXmr9Iua62amCgGSU8PDW.jpg", + "url": "https://www.themoviedb.org/movie/615173", + "genres": [ + "Action", + "Mystery", + "Thriller", + "Science Fiction" + ], + "tags": [ + "supernatural", + "sequel" + ] + }, + { + "ranking": 2020, + "title": "The Guns of Navarone", + "year": "1961", + "runtime": 160, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.3, + "vote_count": 799, + "description": "A team of allied saboteurs are assigned an impossible mission: infiltrate an impregnable Nazi-held island and destroy the two enormous long-range field guns that prevent the rescue of 2,000 trapped British soldiers.", + "poster": "https://image.tmdb.org/t/p/w500/j6VSFnm20GlkUi8yb7hM5Qfc1fA.jpg", + "url": "https://www.themoviedb.org/movie/10911", + "genres": [ + "War", + "Adventure", + "Thriller", + "Action" + ], + "tags": [ + "army", + "based on novel or book", + "fort", + "allies", + "world war ii" + ] + }, + { + "ranking": 2009, + "title": "Mystery Train", + "year": "1989", + "runtime": 106, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.312, + "vote_count": 452, + "description": "In Memphis, Tennessee, over the course of a single night, the Arcade Hotel, run by an eccentric night clerk and a clueless bellboy, is visited by a young Japanese couple traveling in search of the roots of rock; an Italian woman in mourning who stumbles upon a fleeing charlatan girl; and a comical trio of accidental thieves looking for a place to hide.", + "poster": "https://image.tmdb.org/t/p/w500/f11xq7dBGhz9UDc3dabldAGeXVH.jpg", + "url": "https://www.themoviedb.org/movie/11305", + "genres": [ + "Comedy" + ], + "tags": [ + "hotel room", + "memphis, tennessee", + "cheap hotel", + "episodic movie" + ] + }, + { + "ranking": 2001, + "title": "Phantom Thread", + "year": "2017", + "runtime": 130, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.3, + "vote_count": 3523, + "description": "In 1950s London, a renowned dressmaker's meticulous lifestyle begins drastically changing as his relationship with his young muse intensifies.", + "poster": "https://image.tmdb.org/t/p/w500/hgoWjp9Sh0MI97eAMZCnIoVfgvq.jpg", + "url": "https://www.themoviedb.org/movie/400617", + "genres": [ + "Drama", + "Romance" + ], + "tags": [ + "london, england", + "husband wife relationship", + "obsession", + "dressmaker", + "fashion designer", + "muse", + "doctor", + "wedding", + "fashion", + "fashion show", + "haute couture", + "fictional biography", + "1950s", + "calm", + "fashion industry", + "brother sister relationship", + "romantic" + ] + }, + { + "ranking": 2010, + "title": "Funny Games", + "year": "1997", + "runtime": 109, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.3, + "vote_count": 1868, + "description": "Two psychotic young men take a mother, father, and son hostage in their vacation cabin and force them to play sadistic \"games\" with one another for their own amusement.", + "poster": "https://image.tmdb.org/t/p/w500/48uCNgdyYIoN4ayWjTpLaqSDcWI.jpg", + "url": "https://www.themoviedb.org/movie/10234", + "genres": [ + "Drama", + "Horror", + "Thriller" + ], + "tags": [ + "lake", + "sadism", + "psychopath", + "hostage-taking", + "remote control", + "sociopath", + "breaking the fourth wall", + "serial killer", + "psychological thriller", + "family holiday", + "golf club", + "torment", + "voyeurism", + "disturbed", + "grim", + "wealthy family", + "lake house", + "children in danger", + "psychological horror", + "tense", + "harsh", + "sardonic", + "dark humor" + ] + }, + { + "ranking": 2019, + "title": "Kiss and Cry", + "year": "2017", + "runtime": 95, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.3, + "vote_count": 409, + "description": "A romantic drama based on the story of Carley Allison, a promising 18 year old figure skater and singer who made medical history in her fight against a rare 1 in 3.5 billion type of sarcoma.", + "poster": "https://image.tmdb.org/t/p/w500/uHErYJ2TfP0ihIEMpD2zCvbVIIB.jpg", + "url": "https://www.themoviedb.org/movie/440596", + "genres": [ + "Romance", + "Drama", + "Music" + ], + "tags": [ + "cancer", + "figure skating", + "teenage girl", + "woman director" + ] + }, + { + "ranking": 2005, + "title": "Brothers", + "year": "2009", + "runtime": 105, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.3, + "vote_count": 3665, + "description": "When his helicopter goes down during his fourth tour of duty in Afghanistan, Marine Sam Cahill is presumed dead. Back home, brother Tommy steps in to look over Sam’s wife, Grace, and two children. Sam’s surprise homecoming triggers domestic mayhem.", + "poster": "https://image.tmdb.org/t/p/w500/skHqceAFYee0JZuYd9MVk2IQggi.jpg", + "url": "https://www.themoviedb.org/movie/7445", + "genres": [ + "Drama", + "Thriller", + "War" + ], + "tags": [ + "sibling relationship", + "loss of loved one", + "brother-in-law", + "afghanistan war (2001-2021)", + "remake", + "sister-in-law", + "wistful" + ] + }, + { + "ranking": 2018, + "title": "Sonic the Hedgehog", + "year": "2020", + "runtime": 99, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.3, + "vote_count": 9851, + "description": "Powered with incredible speed, Sonic The Hedgehog embraces his new home on Earth. That is, until Sonic sparks the attention of super-uncool evil genius Dr. Robotnik. Now it’s super-villain vs. super-sonic in an all-out race across the globe to stop Robotnik from using Sonic’s unique power for world domination.", + "poster": "https://image.tmdb.org/t/p/w500/aQvJ5WPzZgYVDrxLX4R6cLJCEaQ.jpg", + "url": "https://www.themoviedb.org/movie/454626", + "genres": [ + "Action", + "Science Fiction", + "Comedy", + "Family" + ], + "tags": [ + "friendship", + "video game", + "san francisco, california", + "road trip", + "cop", + "based on video game", + "duringcreditsstinger", + "bar fight", + "hedgehog", + "live action and animation", + "live action remake", + "playful", + "flossing", + "joyous", + "adoring", + "joyful" + ] + }, + { + "ranking": 2025, + "title": "Bridge to Terabithia", + "year": "2007", + "runtime": 96, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.307, + "vote_count": 4891, + "description": "Jesse Aarons trained all summer to become the fastest runner in school. So he's very upset when newcomer Leslie Burke outruns him and everyone else. Despite this and other differences including that she's rich, he's poor, she's a city girl, and he's a country boy the two become fast friends. Together they create Terabithia, a land of monsters, trolls, ogres, and giants where they rule as king and queen.", + "poster": "https://image.tmdb.org/t/p/w500/3xFxGodKPMFLheS8rujFSmLfcq4.jpg", + "url": "https://www.themoviedb.org/movie/1265", + "genres": [ + "Adventure", + "Drama", + "Family" + ], + "tags": [ + "friendship", + "sibling relationship", + "bullying", + "neighbor", + "school", + "drawing", + "based on children's book", + "nostalgic", + "school bus", + "creek", + "clubhouse", + "reality vs fantasy", + "outsider", + "fantasy world", + "angry", + "overflowing with imagination", + "tragic" + ] + }, + { + "ranking": 2024, + "title": "Hello World", + "year": "2019", + "runtime": 98, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.3, + "vote_count": 373, + "description": "A shy high schooler in Kyoto meets a man claiming to be his future self, who tells him he’s hacked into the past to save their first love.", + "poster": "https://image.tmdb.org/t/p/w500/vmizP4G4EWsxNf6PLOvGNaFJ89Y.jpg", + "url": "https://www.themoviedb.org/movie/604605", + "genres": [ + "Animation", + "Romance", + "Science Fiction", + "Drama" + ], + "tags": [ + "japan", + "video game", + "rehabilitation", + "time travel", + "futuristic", + "anime", + "virtual world", + "enchant" + ] + }, + { + "ranking": 2021, + "title": "Stolen Kisses", + "year": "1968", + "runtime": 90, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.3, + "vote_count": 431, + "description": "The third in a series of films featuring François Truffaut's alter-ego, Antoine Doinel, the story resumes with Antoine being discharged from military service. His sweetheart Christine's father lands Antoine a job as a security guard, which he promptly loses. Stumbling into a position assisting a private detective, Antoine falls for his employers' seductive wife, Fabienne, and finds that he must choose between the older woman and Christine.", + "poster": "https://image.tmdb.org/t/p/w500/5qHh1Vp2TOOX5IaTVt4wyT8OTnR.jpg", + "url": "https://www.themoviedb.org/movie/255", + "genres": [ + "Comedy", + "Drama", + "Romance" + ], + "tags": [ + "hotel", + "hotel room", + "adultery", + "individual", + "secret love", + "army", + "lovesickness", + "paris, france", + "parent child relationship", + "students' movement", + "balzac", + "shyness", + "montmartre", + "detective", + "job-hopping", + "night watchman", + "repair", + "brothel", + "amateur detective", + "extramarital affair", + "eiffel tower, paris", + "may 68" + ] + }, + { + "ranking": 2022, + "title": "Scooby-Doo! and the Cyber Chase", + "year": "2001", + "runtime": 73, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.3, + "vote_count": 525, + "description": "When Scooby and the gang get trapped in a video game created for the gang, they must fight against the 'Phantom Virus.' To escape the game they must go level by level and defeat the game once and for all.", + "poster": "https://image.tmdb.org/t/p/w500/mKmFscYvGLMnZ5TslwxCge5oELO.jpg", + "url": "https://www.themoviedb.org/movie/15601", + "genres": [ + "Animation", + "Adventure", + "Comedy" + ], + "tags": [ + "video game", + "virtual reality" + ] + }, + { + "ranking": 2032, + "title": "Dazed and Confused", + "year": "1993", + "runtime": 102, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.3, + "vote_count": 2090, + "description": "The adventures of a group of Texas teens on their last day of school in 1976, centering on student Randall Floyd, who moves easily among stoners, jocks and geeks. Floyd is a star athlete, but he also likes smoking weed, which presents a conundrum when his football coach demands he sign a \"no drugs\" pledge.", + "poster": "https://image.tmdb.org/t/p/w500/msG9awbLhVZwv1Eh9Ge7SofMexW.jpg", + "url": "https://www.themoviedb.org/movie/9571", + "genres": [ + "Comedy", + "Drama" + ], + "tags": [ + "high school", + "1970s", + "texas", + "coming of age", + "marijuana", + "summer", + "period drama", + "nostalgic", + "lighthearted", + "teenager", + "sentimental", + "comforting" + ] + }, + { + "ranking": 2031, + "title": "Deliverance", + "year": "1972", + "runtime": 109, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.3, + "vote_count": 1633, + "description": "Intent on seeing the Cahulawassee River before it's turned into one huge lake, outdoor fanatic Lewis Medlock takes his friends on a river-rafting trip they'll never forget into the dangerous American back-country.", + "poster": "https://image.tmdb.org/t/p/w500/2TrAzNJlHyNYYSkQf6asg3rs2Xr.jpg", + "url": "https://www.themoviedb.org/movie/10669", + "genres": [ + "Drama", + "Adventure", + "Thriller" + ], + "tags": [ + "rape", + "based on novel or book", + "river", + "banjo", + "strangeness", + "wound", + "wilderness", + "georgia", + "canoe", + "rafting", + "hillbilly", + "rapids", + "male rape" + ] + }, + { + "ranking": 2026, + "title": "Total Recall", + "year": "1990", + "runtime": 113, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.307, + "vote_count": 5922, + "description": "Construction worker Douglas Quaid's obsession with the planet Mars leads him to visit Recall, a company that manufactures memories. When his memory implant goes wrong, Doug can no longer be sure what is and isn't reality.", + "poster": "https://image.tmdb.org/t/p/w500/wVbeL6fkbTKSmNfalj4VoAUUqJv.jpg", + "url": "https://www.themoviedb.org/movie/861", + "genres": [ + "Action", + "Adventure", + "Science Fiction" + ], + "tags": [ + "double life", + "planet mars", + "based on novel or book", + "oxygen", + "resistance", + "telepathy", + "falsely accused", + "dystopia", + "villainess", + "mutant", + "hologram", + "space travel", + "space colony", + "utopia", + "fake identity", + "secret agent", + "futuristic", + "cyberpunk", + "fictional war", + "false memory", + "robot cop", + "implanted memory", + "action hero", + "virtual world", + "2080s", + "mars", + "metro cdmx" + ] + }, + { + "ranking": 2027, + "title": "Good Morning, Vietnam", + "year": "1987", + "runtime": 121, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.3, + "vote_count": 2791, + "description": "A disk jockey goes to Vietnam to work for the Armed Forces Radio Service. While he becomes popular among the troops, his superiors disapprove of his humor.", + "poster": "https://image.tmdb.org/t/p/w500/sreISlFUn5TyR41QNjlfAdX5SEW.jpg", + "url": "https://www.themoviedb.org/movie/801", + "genres": [ + "Comedy", + "Drama", + "War" + ], + "tags": [ + "dying and death", + "vietnam war", + "rock 'n' roll", + "vietcong", + "right and justice", + "explosive", + "war crimes", + "radio station", + "radio presenter", + "cynic", + "entertainer", + "gi", + "u.s. air force", + "radio", + "saigon", + "provocation", + "amused" + ] + }, + { + "ranking": 2023, + "title": "Red Cliff II", + "year": "2009", + "runtime": 141, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.308, + "vote_count": 452, + "description": "The battle of Red Cliff continues and the alliance between Xu and East Wu is fracturing. With Cao Cao's massive forces on their doorstep, will the kingdoms of Xu and East Wu survive?", + "poster": "https://image.tmdb.org/t/p/w500/h4WZHa5K941lAthsa29g0RFJJtV.jpg", + "url": "https://www.themoviedb.org/movie/15384", + "genres": [ + "Action", + "Adventure", + "Drama", + "History", + "War" + ], + "tags": [ + "china", + "tea", + "sequel", + "chinese painting", + "3rd century" + ] + }, + { + "ranking": 2037, + "title": "True Grit", + "year": "2010", + "runtime": 110, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.3, + "vote_count": 5342, + "description": "Following the murder of her father by a hired hand, a 14-year-old farm girl sets out to capture the killer. To aid her, she hires the toughest U.S. Marshal she can find—a man with 'true grit'—Reuben J. 'Rooster' Cogburn.", + "poster": "https://image.tmdb.org/t/p/w500/tCrB8pcjadZjsDk7rleGJaIv78k.jpg", + "url": "https://www.themoviedb.org/movie/44264", + "genres": [ + "Drama", + "Adventure", + "Western" + ], + "tags": [ + "bounty hunter", + "based on novel or book", + "father murder", + "loss of loved one", + "texas ranger", + "arkansas", + "alcoholism", + "betrayal", + "eye patch" + ] + }, + { + "ranking": 2029, + "title": "War Horse", + "year": "2011", + "runtime": 146, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.3, + "vote_count": 3446, + "description": "On the brink of the First World War, Albert's beloved horse Joey is sold to the Cavalry by his father. Against the backdrop of the Great War, Joey begins an odyssey full of danger, joy, and sorrow, and he transforms everyone he meets along the way. Meanwhile, Albert, unable to forget his equine friend, searches the battlefields of France to find Joey and bring him home.", + "poster": "https://image.tmdb.org/t/p/w500/3aRHhvvngFPJFy5uAjo7GVr3PhL.jpg", + "url": "https://www.themoviedb.org/movie/57212", + "genres": [ + "War", + "History", + "Adventure" + ], + "tags": [ + "world war i", + "horse", + "farm life", + "execution", + "trapped", + "alcoholic", + "cavalry", + "plowing", + "artillery", + "candid", + "loving", + "depressing", + "compassionate" + ] + }, + { + "ranking": 2035, + "title": "Shadows in Paradise", + "year": "1986", + "runtime": 74, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.3, + "vote_count": 407, + "description": "Nikander, a rubbish collector and would-be entrepreneur, finds his plans for success dashed when his business associate dies. One evening, he meets Ilona, a down-on-her-luck cashier, in a local supermarket. Falteringly, a bond begins to develop between them.", + "poster": "https://image.tmdb.org/t/p/w500/nj01hspawPof0mJmlgfjuLyJuRN.jpg", + "url": "https://www.themoviedb.org/movie/3", + "genres": [ + "Comedy", + "Drama", + "Romance" + ], + "tags": [ + "helsinki, finland", + "salesclerk", + "garbage" + ] + }, + { + "ranking": 2028, + "title": "GANTZ:O", + "year": "2016", + "runtime": 95, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.3, + "vote_count": 764, + "description": "After being brutally murdered in a subway station, a teen boy awakens to find himself resurrected by a strange computer named Gantz, and forced to fight a large force of invading aliens in Osaka.", + "poster": "https://image.tmdb.org/t/p/w500/9yTuw6ddf28lItHwgeqFSNtXsaG.jpg", + "url": "https://www.themoviedb.org/movie/396263", + "genres": [ + "Animation", + "Science Fiction", + "Action" + ], + "tags": [ + "hero", + "monster", + "game", + "adult animation", + "anime", + "horror", + "杀戮都市:o" + ] + }, + { + "ranking": 2030, + "title": "Balto", + "year": "1995", + "runtime": 78, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.3, + "vote_count": 2057, + "description": "An outcast half-wolf risks his life to prevent a deadly epidemic from ravaging Nome, Alaska.", + "poster": "https://image.tmdb.org/t/p/w500/dCVcdb5oxDizqFLz0F7TE60NoC9.jpg", + "url": "https://www.themoviedb.org/movie/21032", + "genres": [ + "Family", + "Animation", + "Adventure" + ], + "tags": [ + "wolf", + "pet", + "cartoon", + "dog-sledding race", + "alaska", + "dog", + "goose", + "bear attack", + "dog sled", + "cartoon wolf", + "pets", + "cartoon animal" + ] + }, + { + "ranking": 2033, + "title": "Gone Baby Gone", + "year": "2007", + "runtime": 113, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.306, + "vote_count": 3852, + "description": "When 4 year old Amanda McCready disappears from her home and the police make little headway in solving the case, the girl's aunt, Beatrice McCready hires two private detectives, Patrick Kenzie and Angie Gennaro. The detectives freely admit that they have little experience with this type of case, but the family wants them for two reasons—they're not cops and they know the tough neighborhood in which they all live.", + "poster": "https://image.tmdb.org/t/p/w500/rm3Dl8DWYGO3UQ3w2kju62L9rkn.jpg", + "url": "https://www.themoviedb.org/movie/4771", + "genres": [ + "Crime", + "Drama", + "Mystery" + ], + "tags": [ + "robbery", + "corruption", + "based on novel or book", + "police", + "kidnapping", + "boston, massachusetts", + "blackmail", + "detective", + "drug addiction", + "murder", + "conspiracy", + "gang", + "pedophile", + "drugs", + "alcoholic", + "addict", + "child kidnapping", + "neo-noir", + "anxious", + "cautionary", + "critical", + "frightened" + ] + }, + { + "ranking": 2036, + "title": "Head Full of Honey", + "year": "2014", + "runtime": 139, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.3, + "vote_count": 354, + "description": "Before eleven years old Tilda's parents can put her beloved grandfather in an old people's home due to his progressing Alzheimer disease, she takes him on one last adventure that subliminally threatens to tear her family apart.", + "poster": "https://image.tmdb.org/t/p/w500/82T8Yax4blLICBPRcdzeJ6tZzxa.jpg", + "url": "https://www.themoviedb.org/movie/269258", + "genres": [ + "Comedy", + "Drama" + ], + "tags": [] + }, + { + "ranking": 2040, + "title": "Becoming Jane", + "year": "2007", + "runtime": 120, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.3, + "vote_count": 1184, + "description": "A biographical portrait of a pre-fame Jane Austen and her romance with a young Irishman.", + "poster": "https://image.tmdb.org/t/p/w500/yHA6JEn57MBGp2yGFgYyopJvk2O.jpg", + "url": "https://www.themoviedb.org/movie/2977", + "genres": [ + "Romance", + "Drama" + ], + "tags": [ + "future", + "new love", + "judge", + "england", + "empowerment", + "country life", + "letter", + "lovers", + "biography", + "sister", + "author", + "ireland", + "family", + "portrait of an artist", + "biographical" + ] + }, + { + "ranking": 2038, + "title": "Naruto Shippuden the Movie: The Will of Fire", + "year": "2009", + "runtime": 95, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.3, + "vote_count": 476, + "description": "Ninjas with bloodline limits begin disappearing in all the countries and blame points toward the fire nation. By Tsunade's order, Kakashi is sacrificed to prevent an all out war. After inheriting charms left by Kakashi, Naruto fights through friends and foes to prevent his death while changing the minds of those who've inherited the will of fire.", + "poster": "https://image.tmdb.org/t/p/w500/pZzdFmztwmg0FUOVCMa7vReHhQN.jpg", + "url": "https://www.themoviedb.org/movie/36728", + "genres": [ + "Action", + "Adventure", + "Comedy", + "Drama", + "Fantasy", + "Animation" + ], + "tags": [ + "ninja fighter", + "ninja", + "shounen", + "anime", + "adventure" + ] + }, + { + "ranking": 2034, + "title": "Spider-Man", + "year": "2002", + "runtime": 121, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.3, + "vote_count": 19477, + "description": "After being bitten by a genetically altered spider at Oscorp, nerdy but endearing high school student Peter Parker is endowed with amazing powers to become the superhero known as Spider-Man.", + "poster": "https://image.tmdb.org/t/p/w500/gh4cZbhZxyTbgxQPxD0dOudNPTn.jpg", + "url": "https://www.themoviedb.org/movie/557", + "genres": [ + "Action", + "Science Fiction" + ], + "tags": [ + "new york city", + "adolescence", + "photographer", + "loss of loved one", + "photography", + "secret identity", + "hostility", + "superhero", + "spider", + "bad boss", + "villain", + "based on comic", + "teenage boy", + "teenage love", + "evil", + "super villain", + "taking responsibility", + "suspenseful" + ] + }, + { + "ranking": 2039, + "title": "The Gruffalo", + "year": "2009", + "runtime": 27, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.305, + "vote_count": 315, + "description": "The magical tale of a mouse who sets foot on a woodland adventure in search of a nut. Encountering predators who all wish to eat him - Fox, Owl and Snake - the brave mouse creates a terrifying, imaginary monster to frighten them away. But what will the mouse do when he meets this frightful monster for real?", + "poster": "https://image.tmdb.org/t/p/w500/154eUuLvPnI0mwVDGpMgUyniFEy.jpg", + "url": "https://www.themoviedb.org/movie/28118", + "genres": [ + "Animation", + "Family" + ], + "tags": [ + "based on children's book", + "cartoon mouse", + "short film", + "cartoon fox", + "cartoon snake" + ] + }, + { + "ranking": 2041, + "title": "Dog", + "year": "2022", + "runtime": 101, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.3, + "vote_count": 1604, + "description": "An army ranger and his dog embark on a road trip along the Pacific Coast Highway to attend a friend's funeral.", + "poster": "https://image.tmdb.org/t/p/w500/zHQy4h36WwuCetKS7C3wcT1hkgA.jpg", + "url": "https://www.themoviedb.org/movie/626735", + "genres": [ + "Drama", + "Comedy" + ], + "tags": [ + "military working dogs", + "emotional support animal", + "belgian malinois", + "baddi-flies", + "ranger regiment" + ] + }, + { + "ranking": 2047, + "title": "Source Code", + "year": "2011", + "runtime": 93, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.301, + "vote_count": 8479, + "description": "When decorated soldier Captain Colter Stevens wakes up in the body of an unknown man, he discovers he's part of a mission to find the bomber of a Chicago commuter train.", + "poster": "https://image.tmdb.org/t/p/w500/nTr0lvAzeQmUjgSgDEHTJpnrxTz.jpg", + "url": "https://www.themoviedb.org/movie/45612", + "genres": [ + "Thriller", + "Science Fiction", + "Mystery" + ], + "tags": [ + "race against time", + "bomb", + "virtual reality", + "identity", + "investigation", + "bomber", + "suspicion", + "surrealism", + "time loop", + "soldier", + "helicopter pilot", + "augmented reality", + "action" + ] + }, + { + "ranking": 2057, + "title": "Hell or High Water", + "year": "2016", + "runtime": 102, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.3, + "vote_count": 4539, + "description": "A divorced dad and his ex-con brother resort to a desperate scheme in order to save their family's farm in West Texas.", + "poster": "https://image.tmdb.org/t/p/w500/ljRRxqy2aXIkIBXLmOVifcOR021.jpg", + "url": "https://www.themoviedb.org/movie/338766", + "genres": [ + "Western", + "Crime", + "Drama" + ], + "tags": [ + "brother", + "texas", + "bank robber", + "road trip", + "gun battle", + "police officer killed", + "criminal", + "held at gunpoint", + "car fire", + "cowboy", + "small western town", + "neo-western", + "divorced father", + "bullet hole", + "tense", + "audacious" + ] + }, + { + "ranking": 2060, + "title": "Nosferatu the Vampyre", + "year": "1979", + "runtime": 107, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.3, + "vote_count": 972, + "description": "A real estate agent leaves behind his beautiful wife to go to Transylvania to visit the mysterious Count Dracula and formalize the purchase of a property in Wismar.", + "poster": "https://image.tmdb.org/t/p/w500/jHKzGYwf7P34vz8MhJBTN6cnaYD.jpg", + "url": "https://www.themoviedb.org/movie/6404", + "genres": [ + "Drama", + "Horror" + ], + "tags": [ + "small town", + "ship", + "transylvania", + "vampire", + "bite", + "coffin", + "bed", + "castle", + "house", + "melancholy", + "cowardliness", + "doctor", + "plague", + "dread", + "gypsies", + "german expressionism", + "dracula" + ] + }, + { + "ranking": 2052, + "title": "13 Assassins", + "year": "2010", + "runtime": 141, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.3, + "vote_count": 1152, + "description": "A bravado period action film set at the end of Japan's feudal era in which a group of unemployed samurai are enlisted to bring down a sadistic lord and prevent him from ascending to the throne and plunging the country into a war-torn future.", + "poster": "https://image.tmdb.org/t/p/w500/yUsVsiVXUwClk4vSCx80vrdO6MV.jpg", + "url": "https://www.themoviedb.org/movie/58857", + "genres": [ + "Adventure", + "Drama", + "Action" + ], + "tags": [ + "suicide", + "mission", + "japan", + "assassin", + "samurai", + "immortality", + "swordsman", + "massacre", + "battle", + "samurai sword", + "seppuku", + "code of honor", + "ronin", + "kimono", + "jidaigeki", + "edo period", + "warrior", + "19th century", + "harakiri", + "bakumatsu" + ] + }, + { + "ranking": 2042, + "title": "Woman in Gold", + "year": "2015", + "runtime": 109, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.304, + "vote_count": 1391, + "description": "Maria Altmann, an octogenarian Jewish refugee, takes on the Austrian government to recover a world famous painting of her aunt plundered by the Nazis during World War II, she believes rightfully belongs to her family. She did so not just to regain what was rightfully hers, but also to obtain some measure of justice for the death, destruction, and massive art theft perpetrated by the Nazis.", + "poster": "https://image.tmdb.org/t/p/w500/sbJ3b8c6VpR9fHHnizPcqJ3cUIH.jpg", + "url": "https://www.themoviedb.org/movie/304357", + "genres": [ + "Drama" + ], + "tags": [ + "nazi", + "based on true story", + "art", + "stolen painting" + ] + }, + { + "ranking": 2053, + "title": "Justice League: Crisis on Two Earths", + "year": "2010", + "runtime": 75, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.3, + "vote_count": 716, + "description": "A heroic version of Lex Luthor from an alternate universe appears to recruit the Justice League to help save his Earth from the Crime Syndicate, an evil version of the League. What ensues is the ultimate battle of good versus evil in a war that threatens both planets and, through a devious plan launched by Batman's counterpart Owlman, puts the balance of all existence in peril.", + "poster": "https://image.tmdb.org/t/p/w500/5Cjrxbv0BIxzgKFC9PYcgmPtnMV.jpg", + "url": "https://www.themoviedb.org/movie/30061", + "genres": [ + "Action", + "Adventure", + "Animation", + "Science Fiction", + "Fantasy" + ], + "tags": [ + "saving the world", + "superhero", + "surrealism", + "based on comic", + "super power", + "woman director" + ] + }, + { + "ranking": 2055, + "title": "Scooby-Doo! and the Loch Ness Monster", + "year": "2004", + "runtime": 74, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.3, + "vote_count": 428, + "description": "While the gang travel to Scotland to visit Daphne's cousin and witness the annual Highland Games, they find themselves terrorized by the legendary Loch Ness Monster.", + "poster": "https://image.tmdb.org/t/p/w500/hmeJnofknkSnczzN3J7Wvfn7OGI.jpg", + "url": "https://www.themoviedb.org/movie/12902", + "genres": [ + "Family", + "Adventure", + "Animation", + "Comedy", + "Fantasy", + "Mystery" + ], + "tags": [ + "talking dog", + "curse", + "loch ness monster", + "loch ness", + "mystery", + "highland gaming", + "stolen van", + "scottish hotel" + ] + }, + { + "ranking": 2043, + "title": "Tomboy", + "year": "2011", + "runtime": 82, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.3, + "vote_count": 696, + "description": "A French family moves to a new neighborhood with during the summer holidays. The story follows a 10-year-old gender non-conforming child, Laure, who experiments with their gender presentation, adopting the name Mikäel.", + "poster": "https://image.tmdb.org/t/p/w500/plEV1Q5u5caYASlG3pq3ON7acN7.jpg", + "url": "https://www.themoviedb.org/movie/65229", + "genres": [ + "Drama" + ], + "tags": [ + "sexual identity", + "coming of age", + "gender roles", + "first crush", + "sexual confusion", + "lgbt", + "expectant mother", + "gender dysphoria", + "puppy love", + "glbt issues", + "woman director", + "gay theme" + ] + }, + { + "ranking": 2058, + "title": "Seconds", + "year": "1966", + "runtime": 107, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.3, + "vote_count": 369, + "description": "An unhappy middle-aged banker agrees to a procedure that will fake his death and give him a completely new look and identity; one that comes with its own price.", + "poster": "https://image.tmdb.org/t/p/w500/5G3q3OvulFTnFdiouaZdD8wjtIc.jpg", + "url": "https://www.themoviedb.org/movie/20620", + "genres": [ + "Science Fiction", + "Drama", + "Thriller", + "Horror" + ], + "tags": [ + "plastic surgery" + ] + }, + { + "ranking": 2050, + "title": "Gonjiam: Haunted Asylum", + "year": "2018", + "runtime": 95, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.3, + "vote_count": 749, + "description": "The crew of a horror web series travels to an abandoned asylum for a live broadcast, but they encounter much more than expected as they move deeper inside the nightmarish old building.", + "poster": "https://image.tmdb.org/t/p/w500/KPrZ8lbgbMD7gr1pkMKoNbtcCK.jpg", + "url": "https://www.themoviedb.org/movie/508642", + "genres": [ + "Horror", + "Mystery" + ], + "tags": [ + "asylum", + "camera", + "insane asylum", + "crew", + "paranormal", + "psychiatric hospital", + "paranormal investigation", + "ghost", + "found footage", + "horror filmmaking", + "paranormal activity", + "haunted attractions", + "haunted hospital", + "terror", + "livestream" + ] + }, + { + "ranking": 2048, + "title": "Robin Hood", + "year": "1973", + "runtime": 83, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.301, + "vote_count": 4405, + "description": "With King Richard off to the Crusades, Prince John and his slithering minion, Sir Hiss, set about taxing Nottingham's citizens with support from the corrupt sheriff - and staunch opposition by the wily Robin Hood and his band of merry men.", + "poster": "https://image.tmdb.org/t/p/w500/x9AvkYek0bGdxQSZ8W3lAjGrREm.jpg", + "url": "https://www.themoviedb.org/movie/11886", + "genres": [ + "Animation", + "Family", + "Adventure" + ], + "tags": [ + "hero", + "right and justice", + "fox", + "cartoon", + "villain", + "robin hood", + "forest", + "animal as human", + "sherwood forest", + "outlaw", + "teacher", + "thief", + "bear", + "playful", + "romantic", + "whimsical" + ] + }, + { + "ranking": 2051, + "title": "The Hidden Face", + "year": "2011", + "runtime": 92, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.3, + "vote_count": 1055, + "description": "A Spanish orchestra conductor deals with the mysterious disappearance of his girlfriend.", + "poster": "https://image.tmdb.org/t/p/w500/sk6D07ntxMgzqArCq1ufHSvxZvt.jpg", + "url": "https://www.themoviedb.org/movie/80184", + "genres": [ + "Thriller", + "Mystery" + ], + "tags": [ + "orchestra", + "girlfriend", + "disappearance", + "voyeurism", + "orchestra conductor", + "secret room" + ] + }, + { + "ranking": 2046, + "title": "Jack-Jack Attack", + "year": "2005", + "runtime": 5, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.302, + "vote_count": 941, + "description": "The Parrs' baby Jack-Jack is thought to be normal, not having any super-powers like his parents or siblings. But when an outsider is hired to watch him, Jack-Jack shows his true potential.", + "poster": "https://image.tmdb.org/t/p/w500/uKMYT8aAJS9LA8IM1juMqbXTtqU.jpg", + "url": "https://www.themoviedb.org/movie/13932", + "genres": [ + "Adventure", + "Animation", + "Family" + ], + "tags": [ + "hero", + "fire", + "baby", + "superhero", + "classical music", + "transformation", + "cartoon", + "babysitter", + "machine", + "short film" + ] + }, + { + "ranking": 2049, + "title": "Last Night in Soho", + "year": "2021", + "runtime": 116, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.3, + "vote_count": 3515, + "description": "A young girl, passionate about fashion design, is mysteriously able to enter the 1960s where she encounters her idol, a dazzling wannabe singer. But 1960s London is not what it seems, and time seems to be falling apart with shady consequences.", + "poster": "https://image.tmdb.org/t/p/w500/n1ZRmjlk1BJTY7aASqACfPAaLn2.jpg", + "url": "https://www.themoviedb.org/movie/576845", + "genres": [ + "Horror", + "Mystery" + ], + "tags": [ + "london, england", + "nightmare", + "go-go dancer", + "time travel", + "nostalgia", + "fashion designer", + "murder", + "soho london", + "burlesque", + "clairvoyant", + "fashion design", + "mysterious", + "shocking", + "1960s", + "somber", + "mirror", + "pub", + "suspenseful", + "amused", + "audacious", + "exuberant", + "tragic" + ] + }, + { + "ranking": 2045, + "title": "Minions: The Rise of Gru", + "year": "2022", + "runtime": 87, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.3, + "vote_count": 3697, + "description": "A fanboy of a supervillain supergroup known as the Vicious 6, Gru hatches a plan to become evil enough to join them, with the backup of his followers, the Minions.", + "poster": "https://image.tmdb.org/t/p/w500/wKiOkZTN9lUUUNZLmtnwubZYONg.jpg", + "url": "https://www.themoviedb.org/movie/438148", + "genres": [ + "Animation", + "Comedy", + "Family", + "Adventure" + ], + "tags": [ + "1970s", + "villain", + "sequel", + "spin off", + "duringcreditsstinger", + "supervillain", + "illumination", + "gentleminions" + ] + }, + { + "ranking": 2056, + "title": "Elisa & Marcela", + "year": "2019", + "runtime": 118, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.3, + "vote_count": 385, + "description": "The film tells the true story of Elisa Sánchez Loriga and Marcela Gracia Ibeas, two women in 1901 Spain who fell deeply in love. To overcome societal and legal barriers to their relationship, Elisa assumes a male identity, enabling the pair to marry in secret. Their daring act makes them the first recorded same-sex couple to marry in Spain, but their love is tested as they face relentless persecution and sacrifice.", + "poster": "https://image.tmdb.org/t/p/w500/3EhDSSdfdSXpojbXNLc09IqYRRj.jpg", + "url": "https://www.themoviedb.org/movie/535356", + "genres": [ + "Drama", + "Romance" + ], + "tags": [ + "spain", + "lesbian relationship", + "gay marriage", + "19th century", + "1900s", + "lesbian" + ] + }, + { + "ranking": 2054, + "title": "Shutter", + "year": "2004", + "runtime": 97, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.3, + "vote_count": 1252, + "description": "After killing a young girl in a hit-and-run accident, a couple is haunted by more than just the memory of their deadly choice.", + "poster": "https://image.tmdb.org/t/p/w500/zUyaVtyugDaDHtOC6kCMJhbZsWu.jpg", + "url": "https://www.themoviedb.org/movie/17111", + "genres": [ + "Horror", + "Mystery", + "Thriller" + ], + "tags": [ + "suicide", + "nightmare", + "photographer", + "bangkok, thailand", + "thailand", + "flashback", + "revenge", + "car accident", + "polaroid", + "ghost", + "secret lover", + "preserved corpse", + "lights out", + "mental hospital", + "young girl", + "young girls", + "nightmares", + "bangkok" + ] + }, + { + "ranking": 2059, + "title": "They Live", + "year": "1988", + "runtime": 93, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.299, + "vote_count": 3125, + "description": "A lone drifter stumbles upon a unique pair of sunglasses that reveal aliens are systematically gaining control of the Earth by masquerading as humans and lulling the public into submission.", + "poster": "https://image.tmdb.org/t/p/w500/ngnybFTuopfbfmmEeX9jjBQQmF6.jpg", + "url": "https://www.themoviedb.org/movie/8337", + "genres": [ + "Science Fiction", + "Action" + ], + "tags": [ + "dystopia", + "villainess", + "alien", + "social commentary", + "conspiracy", + "los angeles, california", + "alien invasion", + "sunglasses", + "glasses", + "brawl", + "subliminal message", + "horror", + "hilarious", + "whimsical", + "farcical", + "frightened" + ] + }, + { + "ranking": 2044, + "title": "Maleficent: Mistress of Evil", + "year": "2019", + "runtime": 119, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.3, + "vote_count": 6184, + "description": "Maleficent and her goddaughter Aurora begin to question the complex family ties that bind them as they are pulled in different directions by impending nuptials, unexpected allies, and dark new forces at play.", + "poster": "https://image.tmdb.org/t/p/w500/vloNTScJ3w7jwNwtNGoG8DbTThv.jpg", + "url": "https://www.themoviedb.org/movie/420809", + "genres": [ + "Family", + "Fantasy", + "Adventure", + "Action" + ], + "tags": [ + "magic", + "fairy tale", + "fairy", + "villain", + "sequel", + "live action remake", + "complicated" + ] + }, + { + "ranking": 2062, + "title": "La Chimera", + "year": "2023", + "runtime": 131, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.3, + "vote_count": 442, + "description": "Just out of jail, rumpled English archaeologist Arthur reconnects with his wayward crew of tombaroli accomplices – a happy-go-lucky collective of itinerant grave-robbers who survive by looting Etruscan tombs and fencing the ancient treasures they dig up.", + "poster": "https://image.tmdb.org/t/p/w500/lDaUha09CumsoSAt9MIRbS9WBNH.jpg", + "url": "https://www.themoviedb.org/movie/837335", + "genres": [ + "Drama", + "Fantasy", + "Comedy" + ], + "tags": [ + "magic realism", + "archeology", + "englishman abroad", + "1980s", + "tomb raiding", + "exuberant", + "chimera" + ] + }, + { + "ranking": 2074, + "title": "Winchester '73", + "year": "1950", + "runtime": 92, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.3, + "vote_count": 363, + "description": "Lin McAdam rides into town on the trail of Dutch Henry Brown, only to find himself in a shooting competition against him. McAdam wins the prize, a one-in-a-thousand Winchester rifle, but Dutch steals it and leaves town. McAdam follows, intent on settling his old quarrel, while the rifle keeps changing hands and touching a number of lives.", + "poster": "https://image.tmdb.org/t/p/w500/rqRgjWqSmK9oI6duvigPmn49aVG.jpg", + "url": "https://www.themoviedb.org/movie/14551", + "genres": [ + "Western" + ], + "tags": [ + "showdown", + "robbery", + "horseback riding", + "hostility", + "assault", + "search", + "rifle", + "stealing", + "contest", + "poker game", + "fourth of july", + "winchester rifle", + "prize", + "u.s. cavalry" + ] + }, + { + "ranking": 2063, + "title": "Suburra", + "year": "2015", + "runtime": 130, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.298, + "vote_count": 1272, + "description": "A gangster known as \"Samurai\" wants to turn the waterfront of Rome into a new Las Vegas. All the local mob bosses have agreed to work for this common goal. But peace is not to last long.", + "poster": "https://image.tmdb.org/t/p/w500/ml6iNvTVrWxDusMhbizphQjCHPw.jpg", + "url": "https://www.themoviedb.org/movie/356296", + "genres": [ + "Crime", + "Drama", + "Thriller" + ], + "tags": [ + "corruption", + "italy", + "mafia", + "church" + ] + }, + { + "ranking": 2072, + "title": "Kung Fu Panda", + "year": "2008", + "runtime": 90, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.296, + "vote_count": 11833, + "description": "When the Valley of Peace is threatened, lazy Po the panda discovers his destiny as the \"chosen one\" and trains to become a kung fu hero, but transforming the unsleek slacker into a brave warrior won't be easy. It's up to Master Shifu and the Furious Five -- Tigress, Crane, Mantis, Viper and Monkey -- to give it a try.", + "poster": "https://image.tmdb.org/t/p/w500/wWt4JYXTg5Wr3xBW2phBrMKgp3x.jpg", + "url": "https://www.themoviedb.org/movie/9502", + "genres": [ + "Action", + "Adventure", + "Animation", + "Family", + "Comedy" + ], + "tags": [ + "martial arts", + "kung fu", + "strong woman", + "china", + "tiger", + "bravery", + "restaurant", + "villain", + "shop", + "panda", + "sensei", + "anthropomorphism", + "fighting", + "master", + "destiny", + "crane", + "aftercreditsstinger", + "wuxia", + "monkey warrior", + "philosophical", + "viper", + "inspirational", + "lighthearted" + ] + }, + { + "ranking": 2065, + "title": "Christopher Robin", + "year": "2018", + "runtime": 104, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.297, + "vote_count": 2757, + "description": "Christopher Robin, the boy who had countless adventures in the Hundred Acre Wood, has grown up and lost his way. Now it’s up to his spirited and loveable stuffed animals, Winnie The Pooh, Tigger, Piglet, and the rest of the gang, to rekindle their friendship and remind him of endless days of childlike wonder and make-believe, when doing nothing was the very best something.", + "poster": "https://image.tmdb.org/t/p/w500/i6Ytex4d3CdfIKJFxB5v5vh24vb.jpg", + "url": "https://www.themoviedb.org/movie/420814", + "genres": [ + "Adventure", + "Comedy", + "Family", + "Fantasy" + ], + "tags": [ + "forest", + "family", + "animals", + "magic realism", + "childhood", + "live action and animation", + "father daughter relationship", + "live action remake", + "adulthood" + ] + }, + { + "ranking": 2068, + "title": "The Fundamentals of Caring", + "year": "2016", + "runtime": 97, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.296, + "vote_count": 2192, + "description": "Having suffered a tragedy, Ben becomes a caregiver to earn money. His first client, Trevor, is a hilarious 18-year-old with muscular dystrophy. One paralyzed emotionally, one paralyzed physically, Ben and Trevor hit the road on a trip into the western states. The folks they collect along the way will help them test their skills for surviving outside their calculated existence. Together, they come to understand the importance of hope and the necessity of true friendship.", + "poster": "https://image.tmdb.org/t/p/w500/zZ0eda1GyHILNSoq9KF5u0hcq6O.jpg", + "url": "https://www.themoviedb.org/movie/318121", + "genres": [ + "Comedy", + "Drama" + ], + "tags": [ + "wheelchair", + "affectation", + "road trip", + "caregiver", + "disability", + "muscular dystrophy", + "approving", + "comforting" + ] + }, + { + "ranking": 2066, + "title": "Death in Venice", + "year": "1971", + "runtime": 131, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.3, + "vote_count": 493, + "description": "Composer Gustav von Aschenbach travels to Venice for health reasons. There, he becomes obsessed with the stunning beauty of an adolescent Polish boy named Tadzio who is staying with his family at the same Grand Hôtel des Bains on the Lido as Aschenbach.", + "poster": "https://image.tmdb.org/t/p/w500/s81SuFBSqY8T5Lrn5R8ucX8LKxi.jpg", + "url": "https://www.themoviedb.org/movie/6619", + "genres": [ + "Drama" + ], + "tags": [ + "beach", + "venice, italy", + "composer", + "obsession", + "beauty", + "vacation", + "cholera", + "male homosexuality", + "epidemic", + "teenage boy", + "makeover", + "homoeroticism", + "unspoken love" + ] + }, + { + "ranking": 2070, + "title": "X-Men: First Class", + "year": "2011", + "runtime": 132, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.3, + "vote_count": 12898, + "description": "Before Charles Xavier and Erik Lensherr took the names Professor X and Magneto, they were two young men discovering their powers for the first time. Before they were arch-enemies, they were closest of friends, working together with other mutants (some familiar, some new), to stop the greatest threat the world has ever known.", + "poster": "https://image.tmdb.org/t/p/w500/hNEokmUke0dazoBhttFN0o3L7Xv.jpg", + "url": "https://www.themoviedb.org/movie/49538", + "genres": [ + "Action", + "Science Fiction", + "Adventure" + ], + "tags": [ + "central intelligence agency (cia)", + "nuclear war", + "superhero", + "mutant", + "mine", + "based on comic", + "superhuman", + "historical fiction", + "cuban missile crisis", + "world war iii", + "1960s", + "amused", + "powerful" + ] + }, + { + "ranking": 2075, + "title": "Merry Christmas, Mr. Lawrence", + "year": "1983", + "runtime": 124, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.3, + "vote_count": 475, + "description": "Island of Java, 1942, during World War II. British Major Jack Celliers arrives at a Japanese prison camp, run by the strict Captain Yonoi. Colonel John Lawrence, who has a profound knowledge of Japanese culture, and Sergeant Hara, brutal and simpleton, will witness the struggle of wills between two men from very different backgrounds who are tragically destined to clash.", + "poster": "https://image.tmdb.org/t/p/w500/qxlu6aiWxD16gkOUyGkcWDzrfwV.jpg", + "url": "https://www.themoviedb.org/movie/11948", + "genres": [ + "Drama", + "History", + "War" + ], + "tags": [ + "based on novel or book", + "war crimes", + "world war ii", + "prisoner of war", + "pacific war", + "court martial", + "prison camp", + "meditative", + "1940s", + "java, indonesia", + "depressing", + "complicated", + "distressing", + "frustrated" + ] + }, + { + "ranking": 2061, + "title": "Delicatessen", + "year": "1991", + "runtime": 99, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.299, + "vote_count": 1485, + "description": "In a post-apocalyptic world, the residents of an apartment above the butcher shop receive an occasional delicacy of meat, something that is in low supply. A young man new in town falls in love with the butcher's daughter, which causes conflicts in her family, who need the young man for other business-related purposes.", + "poster": "https://image.tmdb.org/t/p/w500/gNtOgQHxE5B8e08zuNRAdDpmK5Z.jpg", + "url": "https://www.themoviedb.org/movie/892", + "genres": [ + "Comedy", + "Science Fiction", + "Fantasy" + ], + "tags": [ + "underground", + "suicide attempt", + "dystopia", + "post-apocalyptic future", + "dark comedy", + "clown", + "butcher", + "butcher's shop", + "vegetarian", + "terror cell", + "cannibal" + ] + }, + { + "ranking": 2073, + "title": "Daisies", + "year": "1966", + "runtime": 76, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.3, + "vote_count": 383, + "description": "Two teenage girls embark on a series of destructive pranks in which they consume and destroy the world around them.", + "poster": "https://image.tmdb.org/t/p/w500/8sxMhdn3i1Pn8OlGCBBjr9rjP1y.jpg", + "url": "https://www.themoviedb.org/movie/46919", + "genres": [ + "Comedy", + "Drama" + ], + "tags": [ + "eroticism", + "feminism", + "collage", + "teenage girl", + "rebellious youth", + "flapper", + "woman director", + "repeated line", + "phallic symbol", + "dumbwaiter", + "sound effect", + "czech new wave", + "crazy girl" + ] + }, + { + "ranking": 2064, + "title": "Love and Monsters", + "year": "2020", + "runtime": 109, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.297, + "vote_count": 4105, + "description": "Seven years since the Monsterpocalypse began, Joel Dawson has been living underground in order to survive. But after reconnecting over radio with his high school girlfriend Aimee, Joel decides to venture out to reunite with her, despite all the dangerous monsters that stand in his way.", + "poster": "https://image.tmdb.org/t/p/w500/718NnyxyQuBQcGWt9sdelA1Zc3h.jpg", + "url": "https://www.themoviedb.org/movie/590223", + "genres": [ + "Comedy", + "Action", + "Adventure", + "Fantasy", + "Science Fiction" + ], + "tags": [ + "monster", + "bunker", + "post-apocalyptic future", + "coming of age", + "mutant animal", + "psychotronic", + "giant crab", + "teenager" + ] + }, + { + "ranking": 2076, + "title": "The Quiet Man", + "year": "1952", + "runtime": 129, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.3, + "vote_count": 545, + "description": "An American man returns to the village of his birth in Ireland, where he finds love and conflict.", + "poster": "https://image.tmdb.org/t/p/w500/u3B1hVKHE56yBRoxF3Nk9uxHdYN.jpg", + "url": "https://www.themoviedb.org/movie/3109", + "genres": [ + "Romance", + "Comedy", + "Drama" + ], + "tags": [ + "countryside", + "fight", + "brother", + "widow", + "boxer", + "beer", + "love", + "rural area", + "cottage", + "train", + "ireland", + "dowry", + "technicolor", + "return to birthplace", + "temper" + ] + }, + { + "ranking": 2079, + "title": "Hereditary", + "year": "2018", + "runtime": 128, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.3, + "vote_count": 7867, + "description": "Following the death of the Leigh family matriarch, Annie and her children uncover disturbing secrets about their heritage. Their daily lives are not only impacted, but they also become entangled in a chilling fate from which they cannot escape, driving them to the brink of madness.", + "poster": "https://image.tmdb.org/t/p/w500/4GFPuL14eXi66V96xBWY73Y9PfR.jpg", + "url": "https://www.themoviedb.org/movie/493922", + "genres": [ + "Horror", + "Mystery", + "Thriller" + ], + "tags": [ + "daughter", + "funeral", + "loss of loved one", + "ritual", + "supernatural", + "possession", + "cult", + "dysfunctional family", + "murder", + "family drama", + "fear", + "demon", + "attic", + "evil", + "ritual murder", + "satanic ritual", + "dollhouse", + "satanic cult", + "séance", + "matriarch", + "miniatures", + "didactic" + ] + }, + { + "ranking": 2071, + "title": "Barbie and the Three Musketeers", + "year": "2009", + "runtime": 81, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.3, + "vote_count": 688, + "description": "Corinne (Barbie) is a young country girl who heads to Paris to pursue her big dream – to become a female musketeer! Never could she imagine she would meet three other girls who secretly share the same dream! Using their special talents, the girls work together as a team to foil a plot and save the prince. It's all for one and one for all!", + "poster": "https://image.tmdb.org/t/p/w500/zR0ts7zL2P1kQIQXYlnS4KCqqmu.jpg", + "url": "https://www.themoviedb.org/movie/23566", + "genres": [ + "Animation", + "Family" + ], + "tags": [ + "based on toy", + "musketeer" + ] + }, + { + "ranking": 2080, + "title": "Tunnel", + "year": "2016", + "runtime": 126, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.3, + "vote_count": 592, + "description": "A man is on his way home when the poorly constructed tunnel he is driving through collapses, leaving him trapped leaving himself for the unexpected whilst emergency services struggle to help.", + "poster": "https://image.tmdb.org/t/p/w500/rLTYM8HeUo4YhgAlU888XEU8LMS.jpg", + "url": "https://www.themoviedb.org/movie/390497", + "genres": [ + "Thriller", + "Drama" + ], + "tags": [ + "survival", + "disaster", + "reporter", + "trapped", + "rescue team", + "news reporter", + "trapped underground", + "south korea" + ] + }, + { + "ranking": 2077, + "title": "Dead Man", + "year": "1995", + "runtime": 121, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.3, + "vote_count": 1595, + "description": "William Blake, an accountant turned fugitive, is on the run. During his travels, he meets a Native American man called Nobody, who guides him on a journey to the spiritual world.", + "poster": "https://image.tmdb.org/t/p/w500/jX3wGBVoYoAY3IixBpwYk1fjT4z.jpg", + "url": "https://www.themoviedb.org/movie/922", + "genres": [ + "Drama", + "Fantasy", + "Western" + ], + "tags": [ + "dying and death", + "sheriff", + "bounty hunter", + "gun", + "indigenous", + "attempted murder", + "prosecution", + "frontier", + "murder", + "black and white", + "19th century", + "fear of dying", + "wanted dead or alive" + ] + }, + { + "ranking": 2067, + "title": "Mrs. Harris Goes to Paris", + "year": "2022", + "runtime": 116, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.296, + "vote_count": 442, + "description": "A 1950s London cleaning lady falls in love with an haute couture dress by Christian Dior and decides to gamble everything for the sake of this folly.", + "poster": "https://image.tmdb.org/t/p/w500/eUg0HDLhTEDcXGBU2iK6QRBILv4.jpg", + "url": "https://www.themoviedb.org/movie/754609", + "genres": [ + "Drama", + "Comedy", + "History" + ], + "tags": [ + "paris, france", + "based on novel or book", + "widow", + "dress", + "fashion", + "cleaner", + "1950s", + "cheerful" + ] + }, + { + "ranking": 2069, + "title": "Berserk: The Golden Age Arc II - The Battle for Doldrey", + "year": "2012", + "runtime": 98, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.3, + "vote_count": 423, + "description": "The Band of the Hawk participates in the Midland war campaign. On the bloody battlefield, they conquer decisive victories that lead them to Doldrey, an old fortress that will decide the outcome of the war.", + "poster": "https://image.tmdb.org/t/p/w500/gzVQQaDazukAcmiFx6l9WLj1kwo.jpg", + "url": "https://www.themoviedb.org/movie/118412", + "genres": [ + "Animation", + "Action", + "Adventure", + "Drama", + "Fantasy" + ], + "tags": [ + "mercenary", + "sorcery", + "gore", + "sword fight", + "based on manga", + "demon", + "middle ages (476-1453)", + "dark fantasy", + "seinen", + "anime", + "adventure" + ] + }, + { + "ranking": 2078, + "title": "Airplane!", + "year": "1980", + "runtime": 88, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.295, + "vote_count": 4610, + "description": "An ex-fighter pilot forced to take over the controls of an airliner when the flight crew succumbs to food poisoning.", + "poster": "https://image.tmdb.org/t/p/w500/7Q3efxd3AF1vQjlSxnlerSA7RzN.jpg", + "url": "https://www.themoviedb.org/movie/813", + "genres": [ + "Comedy" + ], + "tags": [ + "chicago, illinois", + "post-traumatic stress disorder (ptsd)", + "airplane", + "cataclysm", + "guitar", + "alcohol", + "stewardess", + "taxi driver", + "passenger", + "fear of flying", + "pilot", + "medicine", + "air controller", + "landing", + "saxophone", + "autopilot", + "parody", + "spoof", + "food poisoning", + "los angeles, california", + "alcohol abuse", + "aftercreditsstinger", + "inflatable life raft", + "anarchic comedy" + ] + }, + { + "ranking": 2094, + "title": "Twice Born", + "year": "2012", + "runtime": 127, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.3, + "vote_count": 453, + "description": "Full-throttle melodrama about an ill-starred romance set against the backdrop of the siege of Sarajevo. A mother brings her teenage son to Sarajevo, where his father died in the Bosnian conflict years ago.", + "poster": "https://image.tmdb.org/t/p/w500/uQ0ERG8dy3kHVP8aVlDFv448Gc7.jpg", + "url": "https://www.themoviedb.org/movie/121642", + "genres": [ + "Drama", + "Romance", + "War" + ], + "tags": [ + "rape", + "civil war", + "based on novel or book", + "bosnia and herzegovina", + "balkan war", + "bosnian war (1992-95)", + "infertility", + "nonlinear timeline", + "1990s", + "balkans", + "mother son relationship", + "bosnia", + "sarajevo" + ] + }, + { + "ranking": 2091, + "title": "Vivo", + "year": "2021", + "runtime": 103, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.291, + "vote_count": 714, + "description": "A music-loving kinkajou named Vivo embarks on the journey of a lifetime to fulfill his destiny and deliver a love song for an old friend.", + "poster": "https://image.tmdb.org/t/p/w500/eRLlrhbdYE7XN6VtcZKy6o2BsOw.jpg", + "url": "https://www.themoviedb.org/movie/449406", + "genres": [ + "Animation", + "Family", + "Comedy" + ], + "tags": [ + "musical", + "monkey", + "animals" + ] + }, + { + "ranking": 2092, + "title": "Withnail & I", + "year": "1987", + "runtime": 108, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.3, + "vote_count": 566, + "description": "Two out-of-work actors -- the anxious, luckless Marwood and his acerbic, alcoholic friend, Withnail -- spend their days drifting between their squalid flat, the unemployment office and the pub. When they take a holiday \"by mistake\" at the country house of Withnail's flamboyantly gay uncle, Monty, they encounter the unpleasant side of the English countryside: tedium, terrifying locals and torrential rain.", + "poster": "https://image.tmdb.org/t/p/w500/i18cIp8A10A2JgByrfA9oIC9299.jpg", + "url": "https://www.themoviedb.org/movie/13446", + "genres": [ + "Comedy", + "Drama" + ], + "tags": [ + "drug dealer", + "london, england", + "northern england", + "countryside", + "alcohol", + "darkness", + "flat", + "bath", + "dark comedy", + "uncle", + "cigar smoking", + "cannabis", + "money", + "rural area", + "cottage", + "poverty", + "cafe", + "strangulation", + "drugs", + "buddy", + "alcohol abuse", + "farmer", + "british pub", + "buddy comedy", + "unemployed", + "1960s", + "gay theme" + ] + }, + { + "ranking": 2100, + "title": "Snake in the Eagle's Shadow", + "year": "1978", + "runtime": 98, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.3, + "vote_count": 322, + "description": "Everyone abuses and humiliates a downtrodden orphan until he befriends an old man, who turns out to be the last master of the snake fist fighting style. Jackie becomes the old man's student and finds himself in battle with the master of the eagle's claw style, who has vowed to destroy the snake fist clan.", + "poster": "https://image.tmdb.org/t/p/w500/oCt4990zVSNILSU0Q6DStmdbpIA.jpg", + "url": "https://www.themoviedb.org/movie/11537", + "genres": [ + "Action", + "Comedy" + ], + "tags": [ + "martial arts", + "beggar" + ] + }, + { + "ranking": 2082, + "title": "Mesrine: Public Enemy #1", + "year": "2008", + "runtime": 133, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.294, + "vote_count": 888, + "description": "After nearly two decades of legendary criminal feats, making him France's most notorious criminal while simultaneously feeding his desire for media attention and public adoration, Mesrine becomes increasingly paranoid and isolated, leading to a dramatic confrontation with the law that ultimately seals his fate as the nation's most infamous public enemy.", + "poster": "https://image.tmdb.org/t/p/w500/k9lhZ0PhY78nzwG034rNpsLXlpW.jpg", + "url": "https://www.themoviedb.org/movie/15362", + "genres": [ + "Action", + "Thriller", + "Crime", + "Drama" + ], + "tags": [] + }, + { + "ranking": 2085, + "title": "Indiana Jones and the Temple of Doom", + "year": "1984", + "runtime": 118, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.294, + "vote_count": 9464, + "description": "After arriving in India, Indiana Jones is asked by a desperate village to find a mystical stone. He agrees – and stumbles upon a secret cult plotting a terrible plan in the catacombs of an ancient palace.", + "poster": "https://image.tmdb.org/t/p/w500/om61eim8XwLfh6QXzh2r0Q4blBz.jpg", + "url": "https://www.themoviedb.org/movie/87", + "genres": [ + "Adventure", + "Action" + ], + "tags": [ + "treasure", + "skeleton", + "wind", + "elephant", + "heart", + "riddle", + "crocodile", + "bridge", + "treasure hunt", + "torture", + "india", + "monkey", + "archaeologist", + "conveyor belt", + "child driving car", + "mine car", + "rope bridge", + "splits", + "adventurer", + "archeology", + "1930s" + ] + }, + { + "ranking": 2099, + "title": "Loose Cannons", + "year": "2010", + "runtime": 108, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.289, + "vote_count": 781, + "description": "Tommaso is the youngest son of the Cantones, a large, traditional southern Italian family operating a pasta-making business since the 1960s. On a trip home from Rome, where he studies literature and lives with his boyfriend, Tommaso decides to tell his parents the truth about himself. But when he is finally ready to come out in front of the entire family, his older brother Antonio ruins his plans.", + "poster": "https://image.tmdb.org/t/p/w500/gYSXvD0sB2MRXF5YreSWtdcW4Jv.jpg", + "url": "https://www.themoviedb.org/movie/40794", + "genres": [ + "Comedy", + "Drama", + "Romance" + ], + "tags": [ + "coming out", + "lgbt", + "gay theme" + ] + }, + { + "ranking": 2083, + "title": "From Here to Eternity", + "year": "1953", + "runtime": 118, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.294, + "vote_count": 645, + "description": "In 1941 Hawaii, a private is cruelly punished for not boxing on his unit's team, while his captain's wife and second in command are falling in love.", + "poster": "https://image.tmdb.org/t/p/w500/25Rm1YJSyhXAEu8abonZvW83aPL.jpg", + "url": "https://www.themoviedb.org/movie/11426", + "genres": [ + "War", + "Romance", + "Drama" + ], + "tags": [ + "beach", + "based on novel or book", + "hawaii", + "world war ii", + "harassment", + "pearl harbor", + "military base", + "black and white", + "bombing", + "extramarital affair", + "military life", + "army base", + "1940s", + "boxing", + "army bugler" + ] + }, + { + "ranking": 2093, + "title": "Duck Soup", + "year": "1933", + "runtime": 69, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.3, + "vote_count": 787, + "description": "Rufus T. Firefly is named president/dictator of bankrupt Freedonia and declares war on neighboring Sylvania over the love of wealthy Mrs. Teasdale.", + "poster": "https://image.tmdb.org/t/p/w500/31t63plEGKHhYuuCpC9bFWO9SBS.jpg", + "url": "https://www.themoviedb.org/movie/3063", + "genres": [ + "Comedy", + "War" + ], + "tags": [ + "ambassador", + "dictator", + "widow", + "spy", + "siege", + "musical", + "lemonade", + "cigar smoking", + "slapstick comedy", + "black and white", + "pre-code", + "dowager", + "fictitious country", + "geofiction" + ] + }, + { + "ranking": 2088, + "title": "The Hundred-Foot Journey", + "year": "2014", + "runtime": 122, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.3, + "vote_count": 1455, + "description": "A story centered around an Indian family who moves to France and opens a restaurant across the street from a Michelin-starred French restaurant.", + "poster": "https://image.tmdb.org/t/p/w500/1vFhSr7INoulu18smHqicft05i8.jpg", + "url": "https://www.themoviedb.org/movie/228194", + "genres": [ + "Drama", + "Comedy" + ], + "tags": [ + "france", + "based on novel or book", + "restaurant", + "family", + "french cuisine", + "indian cuisine" + ] + }, + { + "ranking": 2081, + "title": "(500) Days of Summer", + "year": "2009", + "runtime": 95, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.3, + "vote_count": 10346, + "description": "Tom, greeting-card writer and hopeless romantic, is caught completely off-guard when his girlfriend, Summer, suddenly dumps him. He reflects on their 500 days together to try to figure out where their love affair went sour, and in doing so, Tom rediscovers his true passions in life.", + "poster": "https://image.tmdb.org/t/p/w500/qXAuQ9hF30sQRsXf40OfRVl0MJZ.jpg", + "url": "https://www.themoviedb.org/movie/19913", + "genres": [ + "Comedy", + "Drama", + "Romance" + ], + "tags": [ + "jealousy", + "gallery", + "fight", + "date", + "architect", + "interview", + "sister", + "love", + "friends", + "fate", + "los angeles, california", + "summer", + "year", + "heartache", + "romantic", + "assertive" + ] + }, + { + "ranking": 2084, + "title": "The Illusionist", + "year": "2006", + "runtime": 110, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.294, + "vote_count": 4977, + "description": "With his eye on a lovely aristocrat, a gifted illusionist named Eisenheim uses his powers to win her away from her betrothed, a crown prince. But Eisenheim's scheme creates tumult within the monarchy and ignites the suspicion of a dogged inspector.", + "poster": "https://image.tmdb.org/t/p/w500/1O9jUvqkHaGBMVRyOJz1AlkmALW.jpg", + "url": "https://www.themoviedb.org/movie/1491", + "genres": [ + "Fantasy", + "Drama", + "Thriller", + "Romance" + ], + "tags": [ + "princess", + "magic", + "rivalry", + "love", + "vienna, austria", + "super power", + "crown prince", + "duchess", + "mysterious", + "childhood sweetheart", + "romantic" + ] + }, + { + "ranking": 2095, + "title": "Now Where Did the Seventh Company Get to?", + "year": "1973", + "runtime": 95, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.3, + "vote_count": 359, + "description": "1940: During the chaotic running fights of the French army the 7th company disappears - nobody knows they've been taken captive. Only their scouting patrol, three witty but lazy guys, can escape and now wanders around behind the German lines. They'd like to just stay out the fights, but a Lieutenant urges them to use a captured truck to break through to their troops.", + "poster": "https://image.tmdb.org/t/p/w500/eGbSIQ9HumvikBxllond5uCVXjp.jpg", + "url": "https://www.themoviedb.org/movie/93289", + "genres": [ + "Comedy", + "War" + ], + "tags": [] + }, + { + "ranking": 2096, + "title": "Beating Hearts", + "year": "2024", + "runtime": 166, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.3, + "vote_count": 661, + "description": "Local rebellious teenager Clotaire falls for his schoolmate Jackie, but gang violence leads him to a darker destructive path. After years apart, the star-crossed lovers discover that every path they've taken leads them back together.", + "poster": "https://image.tmdb.org/t/p/w500/yu9dRyKcUHTfKcqsomUtpord4t3.jpg", + "url": "https://www.themoviedb.org/movie/959604", + "genres": [ + "Crime", + "Drama", + "Romance" + ], + "tags": [ + "based on novel or book", + "musical", + "romcom", + "nostalgic" + ] + }, + { + "ranking": 2089, + "title": "5 Centimeters per Second", + "year": "2007", + "runtime": 63, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.3, + "vote_count": 1983, + "description": "Three moments in Takaki's life: his relationship with Akari and their forced separation; his friendship with Kanae, who is secretly in love with him; the demands and disappointments of adulthood, an unhappy life in a cold city.", + "poster": "https://image.tmdb.org/t/p/w500/dFipUR6W0y3PPkuVS8gjFd929m2.jpg", + "url": "https://www.themoviedb.org/movie/38142", + "genres": [ + "Animation", + "Romance", + "Drama" + ], + "tags": [ + "coming of age", + "slice of life", + "surf", + "train", + "motorcycle", + "separation", + "childhood friends", + "anime", + "growing apart", + "rocket launch site" + ] + }, + { + "ranking": 2087, + "title": "Justice League Dark", + "year": "2017", + "runtime": 75, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.3, + "vote_count": 1073, + "description": "When innocent civilians begin committing unthinkable crimes across Metropolis, Gotham City and beyond, Batman must call upon mystical counterparts to eradicate this demonic threat to the planet; enter Justice League Dark. This team of Dark Arts specialists must unravel the mystery of Earth's supernatural plague and contend with the rising, powerful villainous forces behind the siege—before it's too late for all of mankind.", + "poster": "https://image.tmdb.org/t/p/w500/gWcTaDFXDrOAPfVzfBFz0Aya5BE.jpg", + "url": "https://www.themoviedb.org/movie/408220", + "genres": [ + "Animation", + "Action", + "Adventure", + "Fantasy", + "Horror", + "Science Fiction" + ], + "tags": [ + "monster", + "superhero", + "supernatural", + "based on comic", + "creature", + "dc animated movie universe" + ] + }, + { + "ranking": 2097, + "title": "The Conjuring 2", + "year": "2016", + "runtime": 134, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.289, + "vote_count": 8534, + "description": "Lorraine and Ed Warren travel to north London to help a single mother raising four children alone in a house plagued by malicious spirits.", + "poster": "https://image.tmdb.org/t/p/w500/zEqyD0SBt6HL7W9JQoWwtd5Do1T.jpg", + "url": "https://www.themoviedb.org/movie/259693", + "genres": [ + "Horror" + ], + "tags": [ + "london, england", + "england", + "1970s", + "spirit", + "single mother", + "demon", + "paranormal investigation", + "demonic possession", + "ghost", + "christmas", + "valak", + "the conjuring universe" + ] + }, + { + "ranking": 2086, + "title": "The Secret: Dare to Dream", + "year": "2020", + "runtime": 107, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.293, + "vote_count": 617, + "description": "A widow with three children hires a handyman to fix her house during a major storm. When not doing home repairs, he shares his philosophy of believing in the power of the universe to deliver what we want.", + "poster": "https://image.tmdb.org/t/p/w500/5mCqEeBA0MW7H6akFrFQXJu68rU.jpg", + "url": "https://www.themoviedb.org/movie/550231", + "genres": [ + "Drama", + "Romance" + ], + "tags": [ + "based on novel or book", + "love" + ] + }, + { + "ranking": 2098, + "title": "Sarah's Key", + "year": "2010", + "runtime": 111, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.289, + "vote_count": 683, + "description": "On the night of 16 July 1942, ten year old Sarah and her parents are being arrested and transported to the Velodrome d'Hiver in Paris where thousands of other jews are being sent to get deported. Sarah however managed to lock her little brother in a closet just before the police entered their apartment. Sixty years later, Julia Jarmond, an American journalist in Paris, gets the assignment to write an article about this raid, a black page in the history of France. She starts digging archives and through Sarah's file discovers a well kept secret about her own in-laws.", + "poster": "https://image.tmdb.org/t/p/w500/peGUaf6HrX7jSi1HifX64QJb7pm.jpg", + "url": "https://www.themoviedb.org/movie/53457", + "genres": [ + "Drama", + "War" + ], + "tags": [ + "survivor's guilt", + "good people" + ] + }, + { + "ranking": 2090, + "title": "Beautiful Thing", + "year": "1996", + "runtime": 92, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.3, + "vote_count": 313, + "description": "Set during a long, hot summer on the Thamesmead Estate in Southeast London, where three teenagers edge towards adulthood.", + "poster": "https://image.tmdb.org/t/p/w500/Jwhonh2EzmjuLwlvXK12Nh2wcG.jpg", + "url": "https://www.themoviedb.org/movie/10938", + "genres": [ + "Comedy", + "Drama", + "Romance" + ], + "tags": [ + "coming out", + "london, england", + "sexuality", + "based on play or musical", + "male homosexuality", + "summer", + "single mother", + "teenage love", + "teenage sexuality", + "lgbt", + "dancing in the street", + "lgbt teen", + "woman director", + "gay theme", + "teenager", + "romantic" + ] + }, + { + "ranking": 2105, + "title": "Star Trek: First Contact", + "year": "1996", + "runtime": 111, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.289, + "vote_count": 1798, + "description": "The Borg, a relentless race of cyborgs, are on a direct course for Earth. Violating orders to stay away from the battle, Captain Picard and the crew of the newly-commissioned USS Enterprise E pursue the Borg back in time to prevent the invaders from changing Federation history and assimilating the galaxy.", + "poster": "https://image.tmdb.org/t/p/w500/iqhHe893Vcf07jNkNQ31tu85dKG.jpg", + "url": "https://www.themoviedb.org/movie/199", + "genres": [ + "Science Fiction", + "Action", + "Adventure", + "Thriller" + ], + "tags": [ + "spacecraft", + "teleportation", + "inventor", + "starship", + "resistance", + "borg", + "enterprise-e", + "cyborg", + "montana", + "repayment", + "obsession", + "time travel", + "speed of light", + "business start-up", + "space opera", + "first contact", + "outer space", + "traumatized man", + "inspirational" + ] + }, + { + "ranking": 2116, + "title": "Bad Day at Black Rock", + "year": "1955", + "runtime": 81, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.3, + "vote_count": 374, + "description": "One-armed war veteran John J. Macreedy steps off a train at the sleepy little town of Black Rock. Once there, he begins to unravel a web of lies, secrecy, and murder.", + "poster": "https://image.tmdb.org/t/p/w500/8EnhHjU0DyCckmZRtn46s3WXeEf.jpg", + "url": "https://www.themoviedb.org/movie/14554", + "genres": [ + "Thriller", + "Mystery", + "Western", + "Crime", + "Drama" + ], + "tags": [ + "film noir", + "murder", + "racism", + "desert", + "based on short story", + "post world war ii", + "southwestern u.s.", + "one armed man", + "japanese american", + "1940s" + ] + }, + { + "ranking": 2104, + "title": "Vampyr", + "year": "1932", + "runtime": 73, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.3, + "vote_count": 537, + "description": "A student of the occult encounters supernatural haunts and local evildoers in a village outside of Paris.", + "poster": "https://image.tmdb.org/t/p/w500/yt3JS5JSoZseSohYkhs6FLU9B0O.jpg", + "url": "https://www.themoviedb.org/movie/779", + "genres": [ + "Horror", + "Fantasy", + "Mystery" + ], + "tags": [ + "dreams", + "based on novel or book", + "vampire", + "grave", + "castle", + "windmill", + "anemia", + "black and white", + "gothic horror", + "inn", + "blood transfusion", + "criterion", + "traveler" + ] + }, + { + "ranking": 2118, + "title": "Testament of Youth", + "year": "2015", + "runtime": 129, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.3, + "vote_count": 756, + "description": "Testament of Youth is a powerful story of love, war and remembrance, based on the First World War memoir by Vera Brittain, which has become the classic testimony of that war from a woman’s point of view. A searing journey from youthful hopes and dreams to the edge of despair and back again, it’s a film about young love, the futility of war and how to make sense of the darkest times.", + "poster": "https://image.tmdb.org/t/p/w500/a6kFsaDCulCLfYHmKLDKTYaddM4.jpg", + "url": "https://www.themoviedb.org/movie/284689", + "genres": [ + "History", + "Drama", + "War" + ], + "tags": [ + "nurse", + "world war i", + "poetry", + "pacifism", + "flanders", + "summer", + "based on memoir or autobiography", + "compassion", + "pacifist", + "war injury", + "aspiring writer", + "nursing", + "edwardian era", + "oxford university", + "1910s", + "edwardian england", + "summertime", + "bad news", + "tenacity", + "military nurse" + ] + }, + { + "ranking": 2103, + "title": "Shrek 2", + "year": "2004", + "runtime": 92, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.289, + "vote_count": 12582, + "description": "Shrek, Fiona, and Donkey set off to Far, Far Away to meet Fiona's mother and father, the Queen and King. But not everyone is happily ever after. Shrek and the King find it difficult to get along, and there's tension in the marriage. The Fairy Godmother discovers that Fiona has married Shrek instead of her son Prince Charming and plots to destroy their marriage.", + "poster": "https://image.tmdb.org/t/p/w500/2yYP0PQjG8zVqturh1BAqu2Tixl.jpg", + "url": "https://www.themoviedb.org/movie/809", + "genres": [ + "Animation", + "Family", + "Comedy", + "Fantasy", + "Adventure" + ], + "tags": [ + "prison", + "princess", + "magic", + "kingdom", + "fairy tale", + "liberation", + "transformation", + "honeymoon", + "prince", + "villain", + "parents-in-law", + "enchantment", + "sequel", + "anthropomorphism", + "dragon", + "ogre", + "fairy godmother", + "cartoon donkey" + ] + }, + { + "ranking": 2113, + "title": "Little Women", + "year": "1994", + "runtime": 119, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.3, + "vote_count": 1250, + "description": "With their father away as a chaplain in the Civil War, Jo, Meg, Beth and Amy grow up with their mother in somewhat reduced circumstances. They are a close family who inevitably have their squabbles and tragedies. But the bond holds even when, later, male friends start to become a part of the household.", + "poster": "https://image.tmdb.org/t/p/w500/1ZzH1XMcKAe5NdrKL5MfcqZHHsZ.jpg", + "url": "https://www.themoviedb.org/movie/9587", + "genres": [ + "Drama", + "Romance" + ], + "tags": [ + "depression", + "parent child relationship", + "holiday", + "pregnancy", + "sister", + "desire", + "chalkboard", + "nightgown", + "birth of twins", + "woman director", + "christmas", + "19th century", + "christmas romance", + "four sisters" + ] + }, + { + "ranking": 2112, + "title": "Dragon Ball Z: Wrath of the Dragon", + "year": "1995", + "runtime": 51, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.3, + "vote_count": 733, + "description": "The Z Warriors discover an unopenable music box and are told to open it with the Dragon Balls. The contents turn out to be a warrior named Tapion who had sealed himself inside along with a monster called Hildegarn. Goku must now perfect a new technique to defeat the evil monster.", + "poster": "https://image.tmdb.org/t/p/w500/7uRu9EA3nie0n2mlVDDLlTI3IzC.jpg", + "url": "https://www.themoviedb.org/movie/39108", + "genres": [ + "Animation", + "Action", + "Science Fiction" + ], + "tags": [ + "martial arts", + "fight", + "martial artist", + "demon", + "nostalgic", + "shounen", + "anime" + ] + }, + { + "ranking": 2101, + "title": "The Adventures of Priscilla, Queen of the Desert", + "year": "1994", + "runtime": 103, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.3, + "vote_count": 818, + "description": "Two drag queens and a transgender woman contract to perform a drag show at a resort in Alice Springs, a town in the remote Australian desert. As they head west from Sydney aboard their lavender bus, Priscilla, the three friends come to the forefront of a comedy of errors, encountering a number of strange characters, as well as incidents of homophobia, whilst widening comfort zones and exploring new horizons.", + "poster": "https://image.tmdb.org/t/p/w500/kJ7syYXEJgSBmBfSnF3Can9cK1J.jpg", + "url": "https://www.themoviedb.org/movie/2759", + "genres": [ + "Drama", + "Comedy" + ], + "tags": [ + "australia", + "van", + "homophobia", + "drag queen", + "affectation", + "musical", + "transsexual", + "lgbt", + "australian aboriginal", + "australian outback", + "aggressive", + "zealous", + "alice springs", + "gay theme", + "playful", + "transgender", + "absurd", + "whimsical", + "admiring", + "adoring", + "amused", + "appreciative", + "approving", + "awestruck", + "celebratory", + "defiant", + "vibrant" + ] + }, + { + "ranking": 2110, + "title": "Run Lola Run", + "year": "1998", + "runtime": 81, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.288, + "vote_count": 2330, + "description": "Lola receives a phone call from her boyfriend Manni. He lost 100,000 DM in a subway train that belongs to a very bad guy. She has 20 minutes to raise this amount and meet Manni. Otherwise, he will rob a store to get the money. Three different alternatives may happen depending on some minor event along Lola's run.", + "poster": "https://image.tmdb.org/t/p/w500/u34YzbFvX067IvJX1ocI4JBvYPa.jpg", + "url": "https://www.themoviedb.org/movie/104", + "genres": [ + "Action", + "Drama", + "Thriller" + ], + "tags": [ + "daughter", + "race against time", + "berlin, germany", + "homeless person", + "casino", + "red hair", + "nun", + "supermarket", + "ambulance", + "subway", + "money", + "fate", + "time loop" + ] + }, + { + "ranking": 2108, + "title": "Spider-Man 2", + "year": "2004", + "runtime": 127, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.288, + "vote_count": 15395, + "description": "Peter Parker is going through a major identity crisis. Burned out from being Spider-Man, he decides to shelve his superhero alter ego, which leaves the city suffering in the wake of carnage left by the evil Doc Ock. In the meantime, Parker still can't act on his feelings for Mary Jane Watson, a girl he's loved since childhood. A certain anger begins to brew in his best friend Harry Osborn as well...", + "poster": "https://image.tmdb.org/t/p/w500/aGuvNAaaZuWXYQQ6N2v7DeuP6mB.jpg", + "url": "https://www.themoviedb.org/movie/558", + "genres": [ + "Action", + "Adventure", + "Science Fiction" + ], + "tags": [ + "new york city", + "dual identity", + "love of one's life", + "secret identity", + "superhero", + "pizza boy", + "based on comic", + "sequel", + "romance", + "doctor", + "scientist", + "tentacle", + "death", + "super villain", + "young adult" + ] + }, + { + "ranking": 2107, + "title": "A Monster Calls", + "year": "2016", + "runtime": 108, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.3, + "vote_count": 3391, + "description": "A boy imagines a monster that helps him deal with his difficult life and see the world in a different way. Conor, a twelve-year-old boy, encounters an ancient tree monster who proceeds to help him cope with his mother's terminal illness and being bullied in school.", + "poster": "https://image.tmdb.org/t/p/w500/vNzWJwVqjszWwXrA7ZfsrJmhgV9.jpg", + "url": "https://www.themoviedb.org/movie/258230", + "genres": [ + "Fantasy", + "Adventure", + "Family" + ], + "tags": [ + "dreams", + "monster", + "based on novel or book", + "nightmare", + "grandparent grandchild relationship", + "truth", + "tree", + "artist", + "bullying", + "terminal illness", + "bully", + "cancer", + "disease", + "grandmother" + ] + }, + { + "ranking": 2111, + "title": "Freaks Out", + "year": "2021", + "runtime": 141, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.287, + "vote_count": 909, + "description": "Four super-powered circus freaks find themselves trapped in war-torn Rome after their foster father is captured by the Nazis.", + "poster": "https://image.tmdb.org/t/p/w500/6y0qa5rkSMuTmOPyQZ8u0g1VeEF.jpg", + "url": "https://www.themoviedb.org/movie/571468", + "genres": [ + "Adventure", + "Fantasy", + "Drama" + ], + "tags": [ + "circus", + "world war ii", + "anti-nazi resistance", + "nazi invasion", + "freaks", + "hidden powers", + "nazi occultism", + "italian resistance" + ] + }, + { + "ranking": 2120, + "title": "Scooby-Doo! and the Monster of Mexico", + "year": "2003", + "runtime": 75, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.3, + "vote_count": 321, + "description": "A friend of Fred's, Alejo Otero, invites the Scooby gang to Veracruz, Mexico. There they find a monster, El Chupacabra, terrorizing the town.", + "poster": "https://image.tmdb.org/t/p/w500/fv4e6pGhl4fDUdRt2WIDLDgEq7e.jpg", + "url": "https://www.themoviedb.org/movie/21956", + "genres": [ + "Animation", + "Comedy", + "Family", + "Mystery" + ], + "tags": [ + "mexico", + "talking dog", + "criminal investigation" + ] + }, + { + "ranking": 2117, + "title": "The Aristocats", + "year": "1970", + "runtime": 78, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.3, + "vote_count": 5079, + "description": "When Madame Adelaide Bonfamille leaves her fortune to Duchess and her children—Bonfamille’s beloved family of cats—the butler plots to steal the money and kidnaps the legatees, leaving them out on a country road. All seems lost until the wily Thomas O’Malley Cat and his jazz-playing alley cats come to the aristocats’ rescue.", + "poster": "https://image.tmdb.org/t/p/w500/1BVOSmQUhphMgnTxnXyfQ9tL1Sc.jpg", + "url": "https://www.themoviedb.org/movie/10112", + "genres": [ + "Animation", + "Comedy", + "Family", + "Adventure" + ], + "tags": [ + "paris, france", + "return", + "butler", + "cartoon", + "villain", + "suspension", + "inheritance", + "cartoon cat", + "kitten", + "1910s", + "greedy", + "cartoon animal", + "cartoon goose" + ] + }, + { + "ranking": 2115, + "title": "The Greatest Game Ever Played", + "year": "2005", + "runtime": 120, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.3, + "vote_count": 494, + "description": "A biopic of 20-year-old Francis Ouimet who defeated his golfing idol and 1900 US Open Champion, Harry Vardon.", + "poster": "https://image.tmdb.org/t/p/w500/kh4vd6wKa6j9xVFzxhQrsT0p2YN.jpg", + "url": "https://www.themoviedb.org/movie/15487", + "genres": [ + "Drama" + ], + "tags": [ + "friendship", + "sports", + "golf", + "champion", + "biography", + "based on true story", + "1910s", + "1900s", + "inspirational", + "idol", + "golfers", + "golf tournament", + "golf course", + "caddie" + ] + }, + { + "ranking": 2109, + "title": "The Fisher King", + "year": "1991", + "runtime": 138, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.288, + "vote_count": 1365, + "description": "Two troubled men face their terrible destinies and events of their past as they join together on a mission to find the Holy Grail and thus to save themselves.", + "poster": "https://image.tmdb.org/t/p/w500/hwIYw22HmAUMobV4zsX69MgfVUz.jpg", + "url": "https://www.themoviedb.org/movie/177", + "genres": [ + "Comedy", + "Drama" + ], + "tags": [ + "homeless person", + "unsociability", + "holy grail", + "sense of guilt", + "loss of loved one", + "cynic", + "gun rampage", + "talk show", + "suppressed past", + "yuppie", + "forgiveness", + "legend", + "self-discovery", + "housebreaking", + "mental illness", + "fugue state" + ] + }, + { + "ranking": 2114, + "title": "Walkabout", + "year": "1971", + "runtime": 95, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.288, + "vote_count": 408, + "description": "Under the pretense of having a picnic, a geologist takes his teenage daughter and 6-year-old son into the Australian outback and attempts to shoot them. When he fails, he turns the gun on himself, and the two city-bred children must contend with harsh wilderness alone. They are saved by a chance encounter with an Aboriginal boy who shows them how to survive, and in the process underscores the disharmony between nature and modern life.", + "poster": "https://image.tmdb.org/t/p/w500/24vooYt5StgtgcQObVr1GHuM5gy.jpg", + "url": "https://www.themoviedb.org/movie/36040", + "genres": [ + "Adventure", + "Drama" + ], + "tags": [ + "australia", + "suicide", + "sibling relationship", + "based on novel or book", + "hunter", + "picnic", + "wilderness", + "camel", + "tribe", + "coming of age", + "flashback", + "survival", + "teenage girl", + "death", + "outback", + "geologist", + "rite of passage", + "australian aboriginal" + ] + }, + { + "ranking": 2119, + "title": "Pitch Perfect", + "year": "2012", + "runtime": 112, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.3, + "vote_count": 6594, + "description": "College student Beca knows she does not want to be part of a clique, but that's exactly where she finds herself after arriving at her new school. Thrust in among mean gals, nice gals and just plain weird gals, Beca finds that the only thing they have in common is how well they sing together. She takes the women of the group out of their comfort zone of traditional arrangements and into a world of amazing harmonic combinations in a fight to the top of college music competitions.", + "poster": "https://image.tmdb.org/t/p/w500/cUjjK6tTrugybsBbIQlV6VTd0aK.jpg", + "url": "https://www.themoviedb.org/movie/114150", + "genres": [ + "Comedy", + "Music", + "Romance" + ], + "tags": [ + "competition", + "roommates", + "college", + "female friendship", + "misfit", + "hazing", + "university", + "audition", + "group of friends", + "dorm room", + "bickering", + "dj", + "singing competition", + "film score", + "young adult", + "acapella" + ] + }, + { + "ranking": 2102, + "title": "Heathers", + "year": "1988", + "runtime": 103, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.3, + "vote_count": 1741, + "description": "A girl who halfheartedly tries to be part of the \"in crowd\" of her school meets a rebel who teaches her a more devious way to play social politics: by killing the popular kids.", + "poster": "https://image.tmdb.org/t/p/w500/dGbVfM4WlM7uvIbyRehfPZUIgp2.jpg", + "url": "https://www.themoviedb.org/movie/2640", + "genres": [ + "Comedy", + "Crime" + ], + "tags": [ + "high school", + "friendship", + "adolescence", + "suicide", + "diary", + "dark comedy", + "bully", + "teen movie", + "death", + "clique", + "bullied", + "mischievous", + "vindictive", + "irreverent", + "provocative", + "tense", + "compassionate", + "defiant", + "derisive", + "sardonic" + ] + }, + { + "ranking": 2106, + "title": "Status Update", + "year": "2018", + "runtime": 106, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.288, + "vote_count": 543, + "description": "After being uprooted by his parents' separation and unable to fit into his new hometown, a teenager stumbles upon a magical app that causes his social media updates to come true.", + "poster": "https://image.tmdb.org/t/p/w500/E4twRNScyq3g6tRpvK6X8LdD1z.jpg", + "url": "https://www.themoviedb.org/movie/416494", + "genres": [ + "Comedy", + "Fantasy", + "Science Fiction" + ], + "tags": [ + "high school", + "social media", + "divorced parents" + ] + }, + { + "ranking": 2122, + "title": "Evil", + "year": "2003", + "runtime": 113, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.3, + "vote_count": 351, + "description": "Stockholm, in the 1950s. Erik is expelled from the local school for getting into one brawl too many. To protect Erik from his violent stepfather’s reaction to his expulsion, Erik's mother arranges for Erik to spend a year at Stjärnsberg Boarding School, the only school willing to accept him. This is Erik's last chance to graduate to Upper School and he promises his mother, for his and her sake, to do all he can to stay out of trouble.", + "poster": "https://image.tmdb.org/t/p/w500/a4qQlHDWshHGEbJWfCoKKlzgsh.jpg", + "url": "https://www.themoviedb.org/movie/11197", + "genres": [ + "Drama" + ], + "tags": [ + "based on novel or book", + "boarding school", + "private school", + "bullying", + "stepfather", + "spanking", + "domestic abuse", + "discipline", + "oppression", + "corporal punishment", + "boys' boarding school", + "abusive stepfather" + ] + }, + { + "ranking": 2121, + "title": "Infernal Affairs II", + "year": "2003", + "runtime": 119, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.3, + "vote_count": 427, + "description": "In this prequel to the original, a bloody power struggle among the Triads coincides with the 1997 handover of Hong Kong, setting up the events of the first film.", + "poster": "https://image.tmdb.org/t/p/w500/q9MCjc4CMXju59slJEzYEtr7F3W.jpg", + "url": "https://www.themoviedb.org/movie/11647", + "genres": [ + "Action", + "Thriller", + "Crime" + ], + "tags": [ + "police", + "undercover", + "gangster", + "chinese mafia", + "triade", + "murder" + ] + }, + { + "ranking": 2124, + "title": "Lethal Weapon", + "year": "1987", + "runtime": 110, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.285, + "vote_count": 4643, + "description": "Buttoned-down veteran LAPD detective Roger Murtaugh is partnered with unhinged cop Martin Riggs, who — distraught after his wife's death — has a death wish and takes unnecessary risks with criminals at every turn. The odd couple embark on their first homicide investigation as partners, involving a young woman known to Murtaugh with ties to a drug and prostitution ring.", + "poster": "https://image.tmdb.org/t/p/w500/fTq4ThIP3pQTYR9eDepsbDHqdcs.jpg", + "url": "https://www.themoviedb.org/movie/941", + "genres": [ + "Adventure", + "Action", + "Comedy", + "Thriller", + "Crime" + ], + "tags": [ + "showdown", + "police", + "self-destruction", + "mixed martial arts (mma)", + "los angeles, california", + "police detective", + "ex soldier", + "wisecrack humor", + "buddy cop", + "lapd", + "maverick cop", + "homicide detective", + "christmas", + "death of wife", + "action hero", + "shooting", + "cops", + "critical" + ] + }, + { + "ranking": 2127, + "title": "Anima", + "year": "2019", + "runtime": 15, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.3, + "vote_count": 443, + "description": "In a short musical film directed by Paul Thomas Anderson, Thom Yorke of Radiohead stars in a mind-bending visual piece. Best played loud.", + "poster": "https://image.tmdb.org/t/p/w500/xCBOjFAzsz8d2kABIPfwIAOeJ5t.jpg", + "url": "https://www.themoviedb.org/movie/610120", + "genres": [ + "Music" + ], + "tags": [ + "music video", + "one-reeler", + "slapstick" + ] + }, + { + "ranking": 2128, + "title": "Trolls World Tour", + "year": "2020", + "runtime": 91, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.284, + "vote_count": 2159, + "description": "Queen Poppy and Branch make a surprising discovery — there are other Troll worlds beyond their own, and their distinct differences create big clashes between these various tribes. When a mysterious threat puts all of the Trolls across the land in danger, Poppy, Branch, and their band of friends must embark on an epic quest to create harmony among the feuding Trolls to unite them against certain doom.", + "poster": "https://image.tmdb.org/t/p/w500/7W0G3YECgDAfnuiHG91r8WqgIOe.jpg", + "url": "https://www.themoviedb.org/movie/446893", + "genres": [ + "Family", + "Animation", + "Comedy", + "Fantasy", + "Adventure", + "Music" + ], + "tags": [ + "dancing", + "friendship", + "concert", + "country music", + "guitar", + "cloud", + "saxophone", + "sequel", + "jail", + "based on toy", + "rock music", + "alien abduction", + "singing", + "king", + "desert", + "pop music", + "flute", + "mirage", + "electronic music", + "k-pop", + "spaceship", + "jukebox musical" + ] + }, + { + "ranking": 2129, + "title": "Naked", + "year": "1993", + "runtime": 131, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.284, + "vote_count": 583, + "description": "An unemployed Brit vents his rage on unsuspecting strangers as he embarks on a nocturnal London odyssey.", + "poster": "https://image.tmdb.org/t/p/w500/xMYP4uaNeyPmX4FQ2xxWk2eIN6K.jpg", + "url": "https://www.themoviedb.org/movie/21450", + "genres": [ + "Drama", + "Comedy" + ], + "tags": [ + "london, england", + "rape", + "nihilism", + "sadism", + "narcissism", + "mental breakdown", + "alienation", + "sexual violence", + "loneliness", + "urban", + "drifter", + "cruelty", + "desolate", + "humiliation", + "stranger", + "character study", + "misogynist", + "voyeurism", + "existentialism", + "manchester", + "self hatred", + "bitter" + ] + }, + { + "ranking": 2126, + "title": "When Evil Lurks", + "year": "2023", + "runtime": 100, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.3, + "vote_count": 1105, + "description": "Residents of a small rural town discover that a demon is about to be born among them. They desperately try to escape before the evil is born, but it may be too late.", + "poster": "https://image.tmdb.org/t/p/w500/iQ7G9LhP7NRRIUM4Vlai3eOxBAc.jpg", + "url": "https://www.themoviedb.org/movie/744857", + "genres": [ + "Horror", + "Thriller" + ], + "tags": [ + "farm", + "small town", + "shotgun", + "village", + "possession", + "gore", + "goat", + "demon", + "police officer", + "dog", + "ex-wife", + "evil", + "brother brother relationship", + "body horror" + ] + }, + { + "ranking": 2134, + "title": "Hair", + "year": "1979", + "runtime": 121, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.283, + "vote_count": 671, + "description": "Upon receiving his draft notice and leaving his family ranch in Oklahoma, Claude heads to New York and befriends a tribe of long-haired hippies on his way to boot camp.", + "poster": "https://image.tmdb.org/t/p/w500/z0ctToyPWCB2RgIkMpD6RhRKAeH.jpg", + "url": "https://www.themoviedb.org/movie/10654", + "genres": [ + "Music", + "Drama", + "Comedy" + ], + "tags": [ + "vietnam war", + "new york city", + "army", + "hippie", + "free love", + "commune", + "musical", + "skinny dipping", + "lgbt", + "1960s", + "gay theme" + ] + }, + { + "ranking": 2125, + "title": "Holy Spider", + "year": "2022", + "runtime": 118, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.3, + "vote_count": 429, + "description": "A journalist descends into the dark underbelly of the Iranian holy city of Mashhad as she investigates the serial killings of sex workers by the so called \"Spider Killer\", who believes he is cleansing the streets of sinners.", + "poster": "https://image.tmdb.org/t/p/w500/6ObJ4x7m1F5QRY06WzOxNJQHwGb.jpg", + "url": "https://www.themoviedb.org/movie/889699", + "genres": [ + "Crime", + "Drama", + "Thriller" + ], + "tags": [ + "journalist", + "prostitute", + "investigation", + "based on true story", + "serial killer", + "religion", + "iran" + ] + }, + { + "ranking": 2138, + "title": "Stardust", + "year": "2007", + "runtime": 127, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.282, + "vote_count": 4128, + "description": "In a countryside town bordering on a magical land, a young man makes a promise to his beloved that he'll retrieve a fallen star by venturing into the magical realm. His journey takes him into a world beyond his wildest dreams and reveals his true identity.", + "poster": "https://image.tmdb.org/t/p/w500/7zbFmxy3DqKYL2M8Hop6uylp2Uy.jpg", + "url": "https://www.themoviedb.org/movie/2270", + "genres": [ + "Adventure", + "Fantasy", + "Romance", + "Family" + ], + "tags": [ + "witch", + "new love", + "based on novel or book", + "kingdom", + "transformation", + "prince", + "beauty", + "wall", + "falling star", + "goat", + "royalty", + "unrequited love", + "pirate", + "fratricide", + "air pirate", + "turned into animal" + ] + }, + { + "ranking": 2123, + "title": "Battle Royale", + "year": "2000", + "runtime": 113, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.3, + "vote_count": 3483, + "description": "In the future, the Japanese government captures a class of ninth-grade students and forces them to kill each other under the revolutionary \"Battle Royale\" act.", + "poster": "https://image.tmdb.org/t/p/w500/gFX7NuBUeKysOB9nEzRqVpHNT32.jpg", + "url": "https://www.themoviedb.org/movie/3176", + "genres": [ + "Drama", + "Thriller", + "Action" + ], + "tags": [ + "high school", + "friendship", + "suicide", + "island", + "japan", + "based on novel or book", + "asia", + "dystopia", + "gore", + "survival", + "tragedy", + "murder", + "soldier", + "battle", + "death", + "death match", + "school class", + "japanese", + "extreme violence", + "psychological", + "science fiction", + "students", + "suspense", + "death game" + ] + }, + { + "ranking": 2139, + "title": "Spirit Untamed", + "year": "2021", + "runtime": 88, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.281, + "vote_count": 526, + "description": "Lucky Prescott's life is changed forever when she moves from her home in the city to a small frontier town and befriends a wild mustang named Spirit.", + "poster": "https://image.tmdb.org/t/p/w500/fLE2mvuvhvzmSICOsqR9uE50Ave.jpg", + "url": "https://www.themoviedb.org/movie/637693", + "genres": [ + "Animation", + "Adventure", + "Family" + ], + "tags": [ + "horse", + "mustang", + "female protagonist", + "animals", + "wild horse", + "reboot", + "3d animation" + ] + }, + { + "ranking": 2132, + "title": "The Texas Chain Saw Massacre", + "year": "1974", + "runtime": 83, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.3, + "vote_count": 3417, + "description": "Five friends head out to rural Texas to visit the grave of a grandfather. On the way they stumble across what appears to be a deserted house, only to discover something sinister within. Something armed with a chainsaw.", + "poster": "https://image.tmdb.org/t/p/w500/aLG1o8vJRzXR8Z0zlHnVKifg2Ra.jpg", + "url": "https://www.themoviedb.org/movie/30497", + "genres": [ + "Horror" + ], + "tags": [ + "van", + "gas station", + "sadistic", + "texas", + "midnight movie", + "leatherface", + "hitchhiker", + "slaughterhouse", + "chainsaw", + "cannibal", + "family", + "polaroid", + "grave robber", + "cannibalism", + "vacation gone wrong", + "disgusted", + "one day" + ] + }, + { + "ranking": 2136, + "title": "Lean On Me", + "year": "1989", + "runtime": 108, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.3, + "vote_count": 309, + "description": "When principal Joe Clark takes over decaying Eastside High School, he's faced with students wearing gang colors and graffiti-covered walls. Determined to do anything he must to turn the school around, he expels suspected drug dealers, padlocks doors and demands effort and results from students, staff and parents. Autocratic to a fault, this real-life educator put it all on the line.", + "poster": "https://image.tmdb.org/t/p/w500/7xOyz2NlaoqZ6xIjJh0Goptm0tP.jpg", + "url": "https://www.themoviedb.org/movie/14621", + "genres": [ + "Drama" + ], + "tags": [ + "high school", + "violence in schools", + "based on true story", + "gang", + "drug dealing", + "school principal", + "public education" + ] + }, + { + "ranking": 2130, + "title": "Moxie", + "year": "2021", + "runtime": 111, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.283, + "vote_count": 807, + "description": "Inspired by her mom's rebellious past and a confident new friend, a shy 16-year-old publishes an anonymous zine calling out sexism at her school.", + "poster": "https://image.tmdb.org/t/p/w500/aLBo1Ca9PggcWY98ItW5ZkdxTuA.jpg", + "url": "https://www.themoviedb.org/movie/583689", + "genres": [ + "Comedy", + "Drama", + "Music" + ], + "tags": [ + "based on novel or book", + "woman director" + ] + }, + { + "ranking": 2135, + "title": "The Devil's Backbone", + "year": "2001", + "runtime": 108, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.283, + "vote_count": 1240, + "description": "Spain, 1939. In the last days of the Spanish Civil War, the young Carlos arrives at the Santa Lucía orphanage, where he will make friends and enemies as he follows the quiet footsteps of a mysterious presence eager for revenge.", + "poster": "https://image.tmdb.org/t/p/w500/iP1z1aJzPnkP8FHg77TS7ukqoEZ.jpg", + "url": "https://www.themoviedb.org/movie/1433", + "genres": [ + "Fantasy", + "Drama", + "Horror", + "Thriller" + ], + "tags": [ + "spain", + "orphanage", + "spanish civil war (1936-39)", + "gothic horror", + "ghost", + "political repression", + "1930s", + "isolated place", + "supernatural being", + "ghost child" + ] + }, + { + "ranking": 2140, + "title": "Promise at Dawn", + "year": "2017", + "runtime": 130, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.281, + "vote_count": 493, + "description": "From his childhood in Poland to his adolescence in Nice to his years as a student in Paris and his tough training as a pilot during World War II, this tragi-comedy tells the romantic story of Romain Gary, one of the most famous French novelists and sole writer to have won the Goncourt Prize for French literature two times.", + "poster": "https://image.tmdb.org/t/p/w500/vkRt22pxIow6dtDLyS2sJKJIL3b.jpg", + "url": "https://www.themoviedb.org/movie/432616", + "genres": [ + "Drama", + "Romance", + "History", + "War" + ], + "tags": [ + "based on novel or book", + "based on memoir or autobiography", + "french cinema", + "french air force", + "french actress", + "biographical drama", + "french actor", + "famous actor" + ] + }, + { + "ranking": 2137, + "title": "The Prince of Egypt", + "year": "1998", + "runtime": 99, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.282, + "vote_count": 4023, + "description": "The strong bond between two brothers is challenged when their chosen responsibilities set them at odds, with extraordinary consequences.", + "poster": "https://image.tmdb.org/t/p/w500/2xUjYwL6Ol7TLJPPKs7sYW5PWLX.jpg", + "url": "https://www.themoviedb.org/movie/9837", + "genres": [ + "Adventure", + "Animation", + "Drama", + "Family" + ], + "tags": [ + "epic", + "egypt", + "moses", + "kingdom", + "pyramid", + "exodus", + "bible", + "musical", + "governance", + "ancient egypt", + "pharaoh", + "woman director", + "passover", + "music", + "dramatic", + "hopeful", + "powerful", + "13th century bc" + ] + }, + { + "ranking": 2131, + "title": "Malicious", + "year": "1973", + "runtime": 93, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.283, + "vote_count": 315, + "description": "A widower and two of his sons become infatuated by their beautiful housekeeper, and all three set out to seduce her using their own unique methods.", + "poster": "https://image.tmdb.org/t/p/w500/s1ioOR6IZ6pRN59wEIYCPcY6vW8.jpg", + "url": "https://www.themoviedb.org/movie/44741", + "genres": [ + "Comedy" + ], + "tags": [ + "virgin", + "blackmail", + "underwear", + "taboo", + "housekeeper", + "voyeur", + "father son relationship" + ] + }, + { + "ranking": 2133, + "title": "A Place in the Sun", + "year": "1951", + "runtime": 122, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.3, + "vote_count": 390, + "description": "A young social climber wins the heart of a beautiful heiress but his former girlfriend's pregnancy stands in the way of his ambition.", + "poster": "https://image.tmdb.org/t/p/w500/3tKYbChwIRYCwFrMUDBkbZyDIoN.jpg", + "url": "https://www.themoviedb.org/movie/25673", + "genres": [ + "Drama", + "Romance", + "Crime" + ], + "tags": [ + "based on novel or book", + "love at first sight", + "ambition", + "trial", + "black and white", + "attraction", + "heiress", + "rowboat", + "courtship", + "unwanted pregnancy", + "secret relationship", + "factory girl", + "social elite", + "moral crisis", + "romantic triangle" + ] + }, + { + "ranking": 2153, + "title": "Assault on Precinct 13", + "year": "1976", + "runtime": 91, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.3, + "vote_count": 1102, + "description": "The lone inhabitants of an abandoned police station are under attack by the overwhelming numbers of a seemingly unstoppable street gang.", + "poster": "https://image.tmdb.org/t/p/w500/RtGDEmXbSxE8NThCCY1SXFXLLw.jpg", + "url": "https://www.themoviedb.org/movie/17814", + "genres": [ + "Thriller", + "Action", + "Crime" + ], + "tags": [ + "street gang", + "police", + "ambush", + "psychopath", + "child murder", + "blackout", + "siege", + "survival", + "shootout", + "gunfight", + "los angeles, california", + "brutality", + "convict", + "police station", + "silencer", + "jail cell", + "ice cream man  ", + "modern-day western", + "neo-western", + "ice cream truck", + "prison bus", + "claustrophobic", + "horror western" + ] + }, + { + "ranking": 2150, + "title": "The Wandering Earth II", + "year": "2023", + "runtime": 173, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.3, + "vote_count": 606, + "description": "Humans built huge engines on the surface of the earth to find a new home. But the road to the universe is perilous. In order to save earth, young people once again have to step forward to start a race against time for life and death.", + "poster": "https://image.tmdb.org/t/p/w500/jAZzFYS36UFT0SKhKVmEY7qShal.jpg", + "url": "https://www.themoviedb.org/movie/842675", + "genres": [ + "Science Fiction" + ], + "tags": [ + "space travel", + "space station", + "earth in peril", + "insecure", + "global threat", + "giant engine", + "global government" + ] + }, + { + "ranking": 2149, + "title": "House of Flying Daggers", + "year": "2004", + "runtime": 119, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.3, + "vote_count": 1661, + "description": "In 9th century China, a corrupt government wages war against a rebel army called the Flying Daggers. A romantic warrior breaks a beautiful rebel out of prison to help her rejoin her fellows, but things are not what they seem.", + "poster": "https://image.tmdb.org/t/p/w500/93feGsGiCtG5ymrRcErUgBsdo6v.jpg", + "url": "https://www.themoviedb.org/movie/9550", + "genres": [ + "Adventure", + "Drama", + "Action" + ], + "tags": [ + "rebellion", + "martial arts", + "government", + "china", + "swordplay", + "tang dynasty", + "dagger", + "wuxia", + "9th century" + ] + }, + { + "ranking": 2145, + "title": "Weekend", + "year": "2011", + "runtime": 96, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.3, + "vote_count": 533, + "description": "After a drunken house party with his straight mates, Russell heads out to a gay club. Just before closing time he picks up Glen but what's expected to be just a one-night stand becomes something else, something special.", + "poster": "https://image.tmdb.org/t/p/w500/ksg3QX2iMLzEkvS6AwIGh5A9CXT.jpg", + "url": "https://www.themoviedb.org/movie/79120", + "genres": [ + "Drama", + "Romance" + ], + "tags": [ + "gay club", + "one-night stand", + "nottingham", + "club", + "lgbt", + "autumn", + "gay theme", + "gay relationship", + "boys' love (bl)" + ] + }, + { + "ranking": 2148, + "title": "Frost/Nixon", + "year": "2008", + "runtime": 122, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.28, + "vote_count": 1205, + "description": "For three years after being forced from office, Nixon remained silent. But in summer 1977, the steely, cunning former commander-in-chief agreed to sit for one all-inclusive interview to confront the questions of his time in office and the Watergate scandal that ended his presidency. Nixon surprised everyone in selecting Frost as his televised confessor, intending to easily outfox the breezy British showman and secure a place in the hearts and minds of Americans. Likewise, Frost's team harboured doubts about their boss's ability to hold his own. But as the cameras rolled, a charged battle of wits resulted.", + "poster": "https://image.tmdb.org/t/p/w500/z4cQ2mJxwPZUwVh97yX9oNsLLZQ.jpg", + "url": "https://www.themoviedb.org/movie/11499", + "genres": [ + "Drama", + "History" + ], + "tags": [ + "usa president", + "politics", + "1970s", + "camera", + "lie", + "watergate scandal", + "scandal", + "richard nixon", + "reporter", + "writer" + ] + }, + { + "ranking": 2147, + "title": "Moneyball", + "year": "2011", + "runtime": 134, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.3, + "vote_count": 5279, + "description": "The story of Oakland Athletics general manager Billy Beane's successful attempt to put together a baseball team on a budget, by employing computer-generated analysis to draft his players.", + "poster": "https://image.tmdb.org/t/p/w500/4yIQq1e6iOcaZ5rLDG3lZBP3j7a.jpg", + "url": "https://www.themoviedb.org/movie/60308", + "genres": [ + "Drama" + ], + "tags": [ + "underdog", + "california", + "sports", + "baseball", + "based on true story", + "oakland, california", + "job transfer", + "oakland athletics", + "franchise", + "talent manager", + "statistics", + "2000s", + "major league baseball (mlb)", + "inspirational" + ] + }, + { + "ranking": 2144, + "title": "The Evil Dead", + "year": "1981", + "runtime": 85, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.28, + "vote_count": 4087, + "description": "In 1979, a group of college students find a Sumerian Book of the Dead in an old wilderness cabin they've rented for a weekend getaway.", + "poster": "https://image.tmdb.org/t/p/w500/uYxQ6xhP3WjqPZtxyAOnZQWnZqn.jpg", + "url": "https://www.themoviedb.org/movie/764", + "genres": [ + "Horror" + ], + "tags": [ + "falsely accused", + "audio tape", + "aggression", + "log cabin", + "friends", + "zombie", + "occult", + "book of the dead", + "necronomicon", + "demonic possession", + "macabre", + "disturbed", + "aggressive", + "zealous", + "disgusted" + ] + }, + { + "ranking": 2152, + "title": "The Equalizer", + "year": "2014", + "runtime": 132, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.279, + "vote_count": 9260, + "description": "McCall believes he has put his mysterious past behind him and dedicated himself to beginning a new, quiet life. But when he meets Teri, a young girl under the control of ultra-violent Russian gangsters, he can’t stand idly by – he has to help her. Armed with hidden skills that allow him to serve vengeance against anyone who would brutalize the helpless, McCall comes out of his self-imposed retirement and finds his desire for justice reawakened. If someone has a problem, if the odds are stacked against them, if they have nowhere else to turn, McCall will help. He is The Equalizer.", + "poster": "https://image.tmdb.org/t/p/w500/9u4yW7yPA0BQ2pv9XwiNzItwvp8.jpg", + "url": "https://www.themoviedb.org/movie/156022", + "genres": [ + "Thriller", + "Action", + "Crime" + ], + "tags": [ + "assassin", + "corruption", + "hitman", + "call girl", + "sadism", + "hostage", + "gangster", + "fbi", + "gore", + "remake", + "sociopath", + "revenge", + "vigilante", + "organized crime", + "teenage prostitute", + "commando", + "interrogation", + "surveillance", + "fake death", + "ex soldier", + "loner", + "black ops", + "hand to hand combat", + "mysterious past", + "vigilante justice" + ] + }, + { + "ranking": 2154, + "title": "Swades", + "year": "2004", + "runtime": 195, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.3, + "vote_count": 331, + "description": "A successful Indian scientist returns home to his village to take his nanny back to America with him, and in the process rediscovers his roots.", + "poster": "https://image.tmdb.org/t/p/w500/yUSL24kpHc9Nls4Pohia4shgcIM.jpg", + "url": "https://www.themoviedb.org/movie/15774", + "genres": [ + "Drama" + ], + "tags": [ + "nasa", + "social issues", + "inspirational", + "bollywood" + ] + }, + { + "ranking": 2141, + "title": "Jeremiah Johnson", + "year": "1972", + "runtime": 108, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.281, + "vote_count": 618, + "description": "A mountain man who wishes to live the life of a hermit becomes the unwilling object of a long vendetta by Indians when he proves to be the match of their warriors in one-to-one combat on the early frontier.", + "poster": "https://image.tmdb.org/t/p/w500/732cOohUbdH3FCo7lPbYVtbgUot.jpg", + "url": "https://www.themoviedb.org/movie/11943", + "genres": [ + "Adventure", + "Western" + ], + "tags": [ + "based on novel or book", + "loss of loved one", + "rocky mountains", + "survival", + "snow", + "cabin", + "19th century", + "mountain man", + "fur trapper", + "blackfoot" + ] + }, + { + "ranking": 2146, + "title": "Argo", + "year": "2012", + "runtime": 120, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.28, + "vote_count": 8403, + "description": "As the Iranian revolution reaches a boiling point, a CIA 'exfiltration' specialist concocts a risky plan to free six Americans who have found shelter at the home of the Canadian ambassador.", + "poster": "https://image.tmdb.org/t/p/w500/m5gPWFZFIp4UJFABgWyLkbXv8GX.jpg", + "url": "https://www.themoviedb.org/movie/68734", + "genres": [ + "Drama", + "Thriller" + ], + "tags": [ + "central intelligence agency (cia)", + "husband wife relationship", + "revolution", + "press conference", + "biography", + "american abroad", + "extraction", + "iran hostage crisis", + "intelligence agent", + "langley virginia", + "1980s", + "political thriller", + "factual" + ] + }, + { + "ranking": 2160, + "title": "Three Days of the Condor", + "year": "1975", + "runtime": 117, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.277, + "vote_count": 1192, + "description": "A bookish CIA researcher finds all his co-workers dead, and must outwit those responsible until he figures out who he can really trust.", + "poster": "https://image.tmdb.org/t/p/w500/zinwtZqdb7gnc4zMu8dfkK1fMN3.jpg", + "url": "https://www.themoviedb.org/movie/11963", + "genres": [ + "Thriller", + "Mystery" + ], + "tags": [ + "central intelligence agency (cia)", + "office", + "conspiracy", + "condor", + "christmas", + "political thriller", + "frightened" + ] + }, + { + "ranking": 2155, + "title": "Great Expectations", + "year": "1946", + "runtime": 118, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.3, + "vote_count": 342, + "description": "In this Dickens adaptation, orphan Pip discovers through lawyer Mr. Jaggers that a mysterious benefactor wishes to ensure that he becomes a gentleman. Reunited with his childhood patron, Miss Havisham, and his first love, the beautiful but emotionally cold Estella, he discovers that the elderly spinster has gone mad from having been left at the altar as a young woman, and has made her charge into a warped, unfeeling heartbreaker.", + "poster": "https://image.tmdb.org/t/p/w500/ynaFuVvW2jaG06pMV67dOhzMYfJ.jpg", + "url": "https://www.themoviedb.org/movie/14320", + "genres": [ + "Drama", + "Romance" + ], + "tags": [ + "london, england", + "based on novel or book", + "escaped convict", + "orphan", + "spinster", + "19th century", + "benefactor" + ] + }, + { + "ranking": 2158, + "title": "The First Beautiful Thing", + "year": "2010", + "runtime": 122, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.3, + "vote_count": 508, + "description": "The film tells the story of the Michelucci family, from the nineteen-seventies to the present day: the central character is the stunningly beautiful Anna, the lively, frivolous and sometimes embarrassing mother of Bruno and Valeria. Everything begins in the Summer of 1971, at the annual Summer beauty pageant held at Livorno’s most popular bathing establishment. Anna is unexpectedly crowned “Most Beautiful Mother”, unwittingly stirring the violent jealousy of her husband. From then on, chaos strikes the family and for Anna, Bruno and his sister Valeria, it is the start of an adventure that will only end thirty years later.", + "poster": "https://image.tmdb.org/t/p/w500/7h4BbIGigxaECJFQWEaQ9ih3INp.jpg", + "url": "https://www.themoviedb.org/movie/36940", + "genres": [ + "Comedy", + "Drama" + ], + "tags": [ + "mother", + "parent child relationship" + ] + }, + { + "ranking": 2151, + "title": "The Rider", + "year": "2018", + "runtime": 103, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.3, + "vote_count": 503, + "description": "Once a rising star of the rodeo circuit, and a gifted horse trainer, young cowboy Brady is warned that his riding days are over after a horse crushed his skull at a rodeo. In an attempt to regain control of his own fate, Brady undertakes a search for a new identity and what it means to be a man in the heartland of the United States.", + "poster": "https://image.tmdb.org/t/p/w500/cFsrA0Is5xode2INrPj1VJcQ18n.jpg", + "url": "https://www.themoviedb.org/movie/453278", + "genres": [ + "Drama", + "Western" + ], + "tags": [ + "rodeo", + "horseback riding", + "horse", + "riding accident", + "head injury", + "sioux", + "cowboy", + "native american reservation", + "lasso", + "hook for a hand", + "south dakota", + "disabled person" + ] + }, + { + "ranking": 2143, + "title": "Stranger Than Fiction", + "year": "2006", + "runtime": 113, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.281, + "vote_count": 2333, + "description": "Harold Crick is a lonely IRS agent whose mundane existence is transformed when he hears a mysterious voice narrating his life.", + "poster": "https://image.tmdb.org/t/p/w500/nCzcepubwShvZ4vbCsygQNgF2Z1.jpg", + "url": "https://www.themoviedb.org/movie/1262", + "genres": [ + "Comedy", + "Drama", + "Fantasy", + "Romance" + ], + "tags": [ + "literature", + "professor", + "writer's block", + "love", + "fate", + "author", + "death", + "dying", + "novelist", + "publisher", + "what if", + "book", + "narrator" + ] + }, + { + "ranking": 2142, + "title": "The Return", + "year": "2003", + "runtime": 111, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.281, + "vote_count": 647, + "description": "The relationships among two pre-pubescent brothers and their estranged father are tested on a trip into the Russian wilderness.", + "poster": "https://image.tmdb.org/t/p/w500/7V8iHBs34cPYw7ohpLqliF9x8Gv.jpg", + "url": "https://www.themoviedb.org/movie/11190", + "genres": [ + "Drama" + ], + "tags": [ + "brother", + "abusive father", + "relationship problems", + "road trip", + "troubled teen", + "father son reunion", + "troubled past", + "troubled youth", + "father son relationship", + "roadtrip", + "dysfunctional father-son relationship" + ] + }, + { + "ranking": 2157, + "title": "The Jungle Book", + "year": "1967", + "runtime": 78, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.3, + "vote_count": 6331, + "description": "The boy Mowgli makes his way to the man-village with Bagheera, the wise panther. Along the way he meets jazzy King Louie, the hypnotic snake Kaa and the lovable, happy-go-lucky bear Baloo, who teaches Mowgli \"The Bare Necessities\" of life and the true meaning of friendship.", + "poster": "https://image.tmdb.org/t/p/w500/9BgcTVV43dZ8A1TpuXWkuNTXtfI.jpg", + "url": "https://www.themoviedb.org/movie/9325", + "genres": [ + "Family", + "Animation", + "Adventure" + ], + "tags": [ + "based on novel or book", + "narration", + "human animal relationship", + "cartoon", + "villain", + "musical", + "feral child", + "anthropomorphism", + "jungle", + "orphan", + "india", + "animal lead" + ] + }, + { + "ranking": 2159, + "title": "Victor/Victoria", + "year": "1982", + "runtime": 134, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.277, + "vote_count": 419, + "description": "A struggling female soprano finds work playing a male female impersonator, but it complicates her personal life.", + "poster": "https://image.tmdb.org/t/p/w500/mCjXcPRM3Rc7gOCGeVrBdPvF2bk.jpg", + "url": "https://www.themoviedb.org/movie/12614", + "genres": [ + "Music", + "Comedy", + "Romance" + ], + "tags": [ + "paris, france", + "cabaret", + "remake", + "cross dresser", + "soprano", + "1930s" + ] + }, + { + "ranking": 2156, + "title": "A Single Man", + "year": "2009", + "runtime": 100, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.278, + "vote_count": 1562, + "description": "The life of George Falconer, a British college professor, is reeling with the recent and sudden loss of his longtime partner. This traumatic event makes George challenge his own will to live as he seeks the console of his close girl friend Charley, who is struggling with her own questions about life.", + "poster": "https://image.tmdb.org/t/p/w500/AvqTb66bS1i1NjlPC76zvxo0taT.jpg", + "url": "https://www.themoviedb.org/movie/34653", + "genres": [ + "Drama", + "Romance" + ], + "tags": [ + "based on novel or book", + "suicidal", + "death of lover", + "teacher student relationship", + "grieving", + "1960s" + ] + }, + { + "ranking": 2166, + "title": "Great Expectations", + "year": "1946", + "runtime": 118, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.276, + "vote_count": 343, + "description": "In this Dickens adaptation, orphan Pip discovers through lawyer Mr. Jaggers that a mysterious benefactor wishes to ensure that he becomes a gentleman. Reunited with his childhood patron, Miss Havisham, and his first love, the beautiful but emotionally cold Estella, he discovers that the elderly spinster has gone mad from having been left at the altar as a young woman, and has made her charge into a warped, unfeeling heartbreaker.", + "poster": "https://image.tmdb.org/t/p/w500/ynaFuVvW2jaG06pMV67dOhzMYfJ.jpg", + "url": "https://www.themoviedb.org/movie/14320", + "genres": [ + "Drama", + "Romance" + ], + "tags": [ + "london, england", + "based on novel or book", + "escaped convict", + "orphan", + "spinster", + "19th century", + "benefactor" + ] + }, + { + "ranking": 2163, + "title": "Rocky II", + "year": "1979", + "runtime": 120, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.3, + "vote_count": 4467, + "description": "After Rocky goes the distance with champ Apollo Creed, both try to put the fight behind them and move on. Rocky settles down with Adrian but can't put his life together outside the ring, while Creed seeks a rematch to restore his reputation. Soon enough, the \"Master of Disaster\" and the \"Italian Stallion\" are set on a collision course for a climactic battle that is brutal and unforgettable.", + "poster": "https://image.tmdb.org/t/p/w500/nMaiiu0CzT77U4JZkUYV7KqdAjK.jpg", + "url": "https://www.themoviedb.org/movie/1367", + "genres": [ + "Drama" + ], + "tags": [ + "hero", + "husband wife relationship", + "coma", + "transporter", + "love of one's life", + "intensive care", + "sports", + "publicity", + "boxer", + "training", + "world champion", + "victory", + "hospital", + "boxing", + "cheerful", + "powerful" + ] + }, + { + "ranking": 2167, + "title": "Manhattan Murder Mystery", + "year": "1993", + "runtime": 104, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.3, + "vote_count": 1100, + "description": "A middle-aged couple suspects foul play when their neighbor's wife suddenly drops dead.", + "poster": "https://image.tmdb.org/t/p/w500/axriUXXcBVZMZT8I9boo07Jgptw.jpg", + "url": "https://www.themoviedb.org/movie/10440", + "genres": [ + "Comedy", + "Mystery" + ], + "tags": [ + "investigation", + "dark comedy", + "neighbor", + "manhattan, new york city" + ] + }, + { + "ranking": 2161, + "title": "The Commitments", + "year": "1991", + "runtime": 118, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.3, + "vote_count": 555, + "description": "Jimmy Rabbitte, just a thick-ya out of school, gets a brilliant idea: to put a soul band together in Barrytown, his slum home in north Dublin. First he needs musicians and singers: things slowly start to click when he finds three fine-voiced females virtually in his back yard, a lead singer (Deco) at a wedding, and, responding to his ad, an aging trumpet player, Joey \"The Lips\" Fagan.", + "poster": "https://image.tmdb.org/t/p/w500/iccBDq9aS1gwi6b8aJjBgPU4t2D.jpg", + "url": "https://www.themoviedb.org/movie/11663", + "genres": [ + "Comedy", + "Drama", + "Music" + ], + "tags": [ + "dublin, ireland", + "ireland", + "soul music", + "band", + "the barrytown trilogy", + "wilson pickett" + ] + }, + { + "ranking": 2174, + "title": "Violent Night", + "year": "2022", + "runtime": 111, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.3, + "vote_count": 2267, + "description": "When a team of mercenaries breaks into a wealthy family compound on Christmas Eve, taking everyone inside hostage, the team isn’t prepared for a surprise combatant: Santa Claus is on the grounds, and he’s about to show why this Nick is no saint.", + "poster": "https://image.tmdb.org/t/p/w500/e8CpMgdyihz9Td7amQDqubPuzfN.jpg", + "url": "https://www.themoviedb.org/movie/899112", + "genres": [ + "Action", + "Comedy", + "Fantasy", + "Thriller" + ], + "tags": [ + "holiday", + "santa claus", + "mercenary", + "saving christmas", + "booby trap", + "questioning", + "duringcreditsstinger", + "aggressive", + "christmas", + "audacious" + ] + }, + { + "ranking": 2180, + "title": "Clueless", + "year": "1995", + "runtime": 97, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.3, + "vote_count": 4495, + "description": "Shallow, rich and socially successful Cher is at the top of her Beverly Hills high school's pecking scale. Seeing herself as a matchmaker, Cher first coaxes two teachers into dating each other. Emboldened by her success, she decides to give hopelessly klutzy new student Tai a makeover. When Tai becomes more popular than she is, Cher realizes that her disapproving ex-stepbrother was right about how misguided she was -- and falls for him.", + "poster": "https://image.tmdb.org/t/p/w500/8AwVTcgpTnmeOs4TdTWqcFDXEsA.jpg", + "url": "https://www.themoviedb.org/movie/9603", + "genres": [ + "Comedy", + "Romance" + ], + "tags": [ + "puberty", + "high school", + "based on novel or book", + "make a match", + "spoiled child", + "coming of age", + "matchmaking", + "conflict", + "wedding", + "high school friends", + "makeover", + "woman director", + "popular girl", + "matchmaker", + "gay theme", + "match making" + ] + }, + { + "ranking": 2171, + "title": "Warhorse One", + "year": "2023", + "runtime": 125, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.274, + "vote_count": 305, + "description": "A gunned down Navy SEAL Master Chief must guide a child to safety through a gauntlet of hostile Taliban insurgents and survive the brutal Afghanistan wilderness.", + "poster": "https://image.tmdb.org/t/p/w500/1WYSPpjZ0zKr65yQes03QTPCrUh.jpg", + "url": "https://www.themoviedb.org/movie/1076487", + "genres": [ + "Action", + "War", + "Drama" + ], + "tags": [ + "afghanistan", + "rescue mission", + "afghanistan war (2001-2021)", + "taliban", + "u.s. navy seal", + "helicopter crash", + "war child", + "child in danger", + "missionaries" + ] + }, + { + "ranking": 2179, + "title": "Angela's Ashes", + "year": "1999", + "runtime": 145, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.273, + "vote_count": 324, + "description": "An Irish Catholic family returns to 1930s Limerick after a child's death in America. The unemployed I.R.A. veteran father struggles with poverty, prejudice, and alcoholism as the family endures harsh slum conditions.", + "poster": "https://image.tmdb.org/t/p/w500/3Zzcys11nAPP14sKW9l97fIHhkK.jpg", + "url": "https://www.themoviedb.org/movie/10397", + "genres": [ + "Drama" + ], + "tags": [ + "emigration", + "irish-american", + "hunger", + "socially deprived family", + "rain", + "famine", + "alcoholism", + "poverty", + "based on memoir or autobiography", + "ireland", + "brooklyn, new york city", + "alcoholic father", + "dead children", + "irish catholic", + "1930s", + "life in the slums", + "drunkard", + "children in need", + "limerick", + "rainy setting" + ] + }, + { + "ranking": 2162, + "title": "Bloody Sunday", + "year": "2002", + "runtime": 107, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.3, + "vote_count": 316, + "description": "The dramatised story of the Irish civil rights protest march on January 30 1972 which ended in a massacre by British troops.", + "poster": "https://image.tmdb.org/t/p/w500/oqdQMDJucR7R0ol0LFvzmqcDyEb.jpg", + "url": "https://www.themoviedb.org/movie/4107", + "genres": [ + "Drama", + "History" + ], + "tags": [ + "1970s", + "demonstration", + "civil rights", + "british army", + "based on true story", + "northern ireland", + "murder", + "ira (irish republican army)", + "ireland", + "the troubles (north ireland, 1966-98)", + "irish history", + "irish", + "british injustice", + "british crimes" + ] + }, + { + "ranking": 2178, + "title": "The Party", + "year": "1968", + "runtime": 99, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.273, + "vote_count": 785, + "description": "Hrundi V. Bakshi, an accident-prone actor from India, is accidentally put on the guest list for an upcoming party at the home of a Hollywood film producer. Unfortunately, from the moment he arrives, one thing after another goes wrong with compounding effect.", + "poster": "https://image.tmdb.org/t/p/w500/8d2Msw39YzwkBWfBMauCulp7D0.jpg", + "url": "https://www.themoviedb.org/movie/10794", + "genres": [ + "Comedy" + ], + "tags": [ + "movie business", + "misunderstanding", + "filmmaking", + "clumsy", + "indian" + ] + }, + { + "ranking": 2176, + "title": "The Duellists", + "year": "1977", + "runtime": 100, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.3, + "vote_count": 568, + "description": "In 1800, as Napoleon Bonaparte rises to power in France, a rivalry erupts between Armand and Gabriel, two lieutenants in the French Army, over a perceived insult. For over a decade, they engage in a series of duels amidst larger conflicts, including the failed French invasion of Russia in 1812, and shifts in the political and social systems of Europe.", + "poster": "https://image.tmdb.org/t/p/w500/s9sPhcfD4LtrIGwix11bKtl9VLR.jpg", + "url": "https://www.themoviedb.org/movie/19067", + "genres": [ + "Drama", + "War" + ], + "tags": [ + "fencing", + "cossack", + "napoleonic wars", + "based on short story", + "pistol duel", + "sword duel", + "19th century", + "waterloo", + "strasbourg" + ] + }, + { + "ranking": 2164, + "title": "Mia and the White Lion", + "year": "2018", + "runtime": 98, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.3, + "vote_count": 877, + "description": "A young girl from London moves to Africa with her parents where she befriends a lion cub.", + "poster": "https://image.tmdb.org/t/p/w500/zXfwBeYe0RnqsJ0dnBoFTB4SSrG.jpg", + "url": "https://www.themoviedb.org/movie/498248", + "genres": [ + "Adventure", + "Family", + "Drama" + ], + "tags": [ + "south africa", + "lion cub", + "football (soccer) fan", + "runaway child", + "white lion", + "gift" + ] + }, + { + "ranking": 2175, + "title": "13 Hours: The Secret Soldiers of Benghazi", + "year": "2016", + "runtime": 144, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.273, + "vote_count": 3638, + "description": "An American Ambassador is killed during an attack at a U.S. compound in Libya as a security team struggles to make sense out of the chaos.", + "poster": "https://image.tmdb.org/t/p/w500/AskDcQ6Sa6jImyt2KDQbgRuPebH.jpg", + "url": "https://www.themoviedb.org/movie/300671", + "genres": [ + "War", + "Action", + "History", + "Drama", + "Thriller" + ], + "tags": [ + "central intelligence agency (cia)", + "based on novel or book", + "libya", + "assault rifle", + "mercenary", + "heroism", + "biography", + "based on true story", + "explosion", + "american abroad", + "death", + "u.s. ambassador" + ] + }, + { + "ranking": 2172, + "title": "Lights Out", + "year": "2013", + "runtime": 3, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.274, + "vote_count": 370, + "description": "A woman prepares for bed, but realizes that something may be lurking in the shadows.", + "poster": "https://image.tmdb.org/t/p/w500/1VzEIaYWO9HFIp6lgjfbLRJRKSF.jpg", + "url": "https://www.themoviedb.org/movie/259761", + "genres": [ + "Horror" + ], + "tags": [ + "short film" + ] + }, + { + "ranking": 2170, + "title": "Pickpocket", + "year": "1959", + "runtime": 75, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.275, + "vote_count": 522, + "description": "Michel takes up pickpocketing on a lark and is arrested soon after. His mother dies shortly after his release, and despite the objections of his only friend, Jacques, and his mother's neighbor Jeanne, Michel teams up with a couple of petty thieves in order to improve his craft. With a police inspector keeping an eye on him, Michel also tries to get a straight job, but the temptation to steal is hard to resist.", + "poster": "https://image.tmdb.org/t/p/w500/kxpvceDv9fhFc4OAs82fmdzu17Y.jpg", + "url": "https://www.themoviedb.org/movie/690", + "genres": [ + "Crime", + "Drama" + ], + "tags": [ + "prison", + "france", + "unsociability", + "pickpocket", + "modern society", + "materialism", + "black and white" + ] + }, + { + "ranking": 2177, + "title": "Eddie Murphy Raw", + "year": "1987", + "runtime": 90, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.273, + "vote_count": 337, + "description": "Eddie Murphy delights, shocks and entertains with dead-on celebrity impersonations, observations on '80s love, sex and marriage, a remembrance of Mom's hamburgers and much more.", + "poster": "https://image.tmdb.org/t/p/w500/irVU3PHIdg36Rh8tSKnKCdmHLEO.jpg", + "url": "https://www.themoviedb.org/movie/17159", + "genres": [ + "Comedy" + ], + "tags": [ + "stand-up comedy" + ] + }, + { + "ranking": 2169, + "title": "The Hours", + "year": "2002", + "runtime": 114, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.3, + "vote_count": 1758, + "description": "\"The Hours\" is the story of three women searching for more potent, meaningful lives. Each is alive at a different time and place, all are linked by their yearnings and their fears. Their stories intertwine, and finally come together in a surprising, transcendent moment of shared recognition.", + "poster": "https://image.tmdb.org/t/p/w500/4myDtowDJQPQnkEDB1IWGtJR1Fo.jpg", + "url": "https://www.themoviedb.org/movie/590", + "genres": [ + "Drama" + ], + "tags": [ + "depression", + "suicide", + "london, england", + "drowning", + "based on novel or book", + "aids", + "self-destruction", + "home", + "poetry", + "literature", + "province", + "empowerment", + "way of life", + "delusion", + "sense of life", + "country life", + "family's daily life", + "homelessness", + "leaving one's family" + ] + }, + { + "ranking": 2165, + "title": "Russian Ark", + "year": "2002", + "runtime": 99, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.28, + "vote_count": 468, + "description": "A ghost and a French marquis wander through the Winter Palace in St Petersburg, encountering scenes from many different periods of its history.", + "poster": "https://image.tmdb.org/t/p/w500/ceEMxpXrbWo823I3KZlS5t54Nwo.jpg", + "url": "https://www.themoviedb.org/movie/16646", + "genres": [ + "Drama", + "Fantasy", + "History" + ], + "tags": [ + "museum", + "time travel", + "st. petersburg, russia", + "russian history", + "one take" + ] + }, + { + "ranking": 2173, + "title": "Hunger", + "year": "2023", + "runtime": 145, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.273, + "vote_count": 429, + "description": "A talented young street-food cook pushes herself to the limit after accepting an invitation to train under an infamous and ruthless chef.", + "poster": "https://image.tmdb.org/t/p/w500/rNYHsKHFP3AY2PIDZgz3AuY7QoC.jpg", + "url": "https://www.themoviedb.org/movie/1071806", + "genres": [ + "Drama" + ], + "tags": [ + "chef", + "fine dining", + "cuisine" + ] + }, + { + "ranking": 2168, + "title": "The Front Page", + "year": "1974", + "runtime": 105, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.276, + "vote_count": 351, + "description": "A journalist suffering from burn-out wants to finally say goodbye to his office – but his boss doesn’t like the idea one bit.", + "poster": "https://image.tmdb.org/t/p/w500/r4RtbJk8wVyZ1yk6yBZjzGD4ANU.jpg", + "url": "https://www.themoviedb.org/movie/987", + "genres": [ + "Comedy" + ], + "tags": [ + "chicago, illinois", + "newspaper", + "journalist", + "marriage proposal", + "stress", + "father-in-law", + "newspaper man" + ] + }, + { + "ranking": 2182, + "title": "To Catch a Thief", + "year": "1955", + "runtime": 106, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.3, + "vote_count": 1530, + "description": "An ex-thief is accused of enacting a new crime spree, so to clear his name he sets off to catch the new thief, who’s imitating his signature style.", + "poster": "https://image.tmdb.org/t/p/w500/9UdAlTenWqxj2l5oFExkjuVHmKO.jpg", + "url": "https://www.themoviedb.org/movie/381", + "genres": [ + "Mystery", + "Romance", + "Thriller" + ], + "tags": [ + "hotel", + "jealousy", + "villa", + "police", + "expensive restaurant", + "age difference", + "cat", + "jewelry", + "falsely accused", + "fireworks", + "masked ball", + "picnic", + "nice", + "roof", + "côte d'azur", + "southern france", + "blonde", + "french riviera", + "on the run", + "cat burglar", + "riviera", + "man on the run" + ] + }, + { + "ranking": 2184, + "title": "Megan Leavey", + "year": "2017", + "runtime": 116, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.272, + "vote_count": 788, + "description": "The true story of Marine Corporal Megan Leavey, who forms a powerful bond with an aggressive combat dog, Rex. While deployed in Iraq, the two complete more than 100 missions and save countless lives, until an IED explosion puts their faithfulness to the test.", + "poster": "https://image.tmdb.org/t/p/w500/Tknz5ijgdxL7xAyErQvlLRjOSb.jpg", + "url": "https://www.themoviedb.org/movie/424488", + "genres": [ + "Drama", + "War" + ], + "tags": [ + "human animal relationship", + "biography", + "iraq war veteran", + "female soldier", + "iraq war", + "dog", + "animals", + "german shepherd", + "u.s. marine", + "purple heart", + "woman director", + "war dog", + "pets" + ] + }, + { + "ranking": 2193, + "title": "Play", + "year": "2019", + "runtime": 108, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.269, + "vote_count": 353, + "description": "In 1993, Max was 13 when he was offered his first camera. For 25 years he will not stop filming. The bunch of friends, the loves, the successes, the failures. From the 90s to the 2010s, it is the portrait of a whole generation that is emerging through its objective.", + "poster": "https://image.tmdb.org/t/p/w500/cBJDYlzDnt0BcVzzusFvMI7RWDP.jpg", + "url": "https://www.themoviedb.org/movie/547258", + "genres": [ + "Comedy" + ], + "tags": [ + "found footage" + ] + }, + { + "ranking": 2183, + "title": "Ip Man 4: The Finale", + "year": "2019", + "runtime": 107, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.272, + "vote_count": 1985, + "description": "Following the death of his wife, Ip Man travels to San Francisco to ease tensions between the local kung fu masters and his star student, Bruce Lee, while searching for a better future for his son.", + "poster": "https://image.tmdb.org/t/p/w500/b5cz6BoyHrgBnhfDHOW5hXRWbln.jpg", + "url": "https://www.themoviedb.org/movie/449924", + "genres": [ + "Action", + "History", + "Drama" + ], + "tags": [ + "immigrant", + "martial arts", + "kung fu", + "california", + "fight", + "san francisco, california", + "chinatown", + "karate", + "based on true story", + "sequel", + "cancer", + "racism", + "chinese", + "wing chun", + "1960s", + "san francisco", + "factual" + ] + }, + { + "ranking": 2198, + "title": "One Man Band", + "year": "2005", + "runtime": 4, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.3, + "vote_count": 571, + "description": "With one coin to make a wish at the piazza fountain, a peasant girl encounters two competing street performers who'd prefer the coin find its way into their tip jars. The little girl, Tippy, is caught in the middle as a musical duel ensues between the one-man-bands.", + "poster": "https://image.tmdb.org/t/p/w500/nBBl8gWJvVppKqyY4ugdm3znZ9G.jpg", + "url": "https://www.themoviedb.org/movie/13933", + "genres": [ + "Animation", + "Comedy", + "Family", + "Music" + ], + "tags": [ + "fountain", + "rivalry", + "coin", + "bag of money", + "little girl", + "aftercreditsstinger", + "one man band", + "street musician", + "busker", + "short film" + ] + }, + { + "ranking": 2187, + "title": "Fullmetal Alchemist the Movie: Conqueror of Shamballa", + "year": "2005", + "runtime": 105, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.3, + "vote_count": 358, + "description": "Munich, Germany, 1923. Two years have passed since Edward Elric was dragged from his own world to ours, leaving behind his country, his friends and his younger brother, Alphonse. Stripped of his alchemical powers, he has been all this time researching rocketry together with Alphonse Heiderich, a young man who resembles his own brother, hoping to one day find a way back home. His efforts so far had proven fruitless, but after lending a hand to a troubled gipsy girl, Edward is thrown in a series of events that can wreak havoc in both worlds. Meanwhile, at his own world, Alphonse Elric ventures deeper into the mysteries of alchemy in search for a way to reunite with his older brother.", + "poster": "https://image.tmdb.org/t/p/w500/dJd04WW6UAMllSoGZoWxB90fAIz.jpg", + "url": "https://www.themoviedb.org/movie/14003", + "genres": [ + "Action", + "Adventure", + "Animation", + "Drama" + ], + "tags": [ + "germany", + "sequel", + "historical", + "alchemy", + "military", + "alchemist", + "shounen", + "anime", + "series finale", + "isekai", + "based on tv series", + "war", + "adventure" + ] + }, + { + "ranking": 2190, + "title": "Justice League vs. Teen Titans", + "year": "2016", + "runtime": 78, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.3, + "vote_count": 975, + "description": "Robin is sent by Batman to work with the Teen Titans after his volatile behavior botches up a Justice League mission. The Titans must then step up to face Trigon after he possesses the League and threatens to conquer the world.", + "poster": "https://image.tmdb.org/t/p/w500/ctHGhbe19xIX6wlECsFydHiha4W.jpg", + "url": "https://www.themoviedb.org/movie/379291", + "genres": [ + "Science Fiction", + "Action", + "Animation", + "Adventure", + "Comedy", + "Drama", + "Fantasy" + ], + "tags": [ + "superhero", + "cartoon", + "based on comic", + "super power", + "superhero team", + "teen superhero", + "dc animated movie universe" + ] + }, + { + "ranking": 2189, + "title": "Green Street Hooligans", + "year": "2005", + "runtime": 109, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.3, + "vote_count": 2396, + "description": "After being wrongfully expelled from Harvard University, American Matt Buckner flees to his sister's home in England. Once there, he is befriended by her charming and dangerous brother-in-law, Pete Dunham, and introduced to the underworld of British football hooliganism. Matt learns to stand his ground through a friendship that develops against the backdrop of this secret and often violent world. 'Green Street Hooligans' is a story of loyalty, trust and the sometimes brutal consequences of living close to the edge.", + "poster": "https://image.tmdb.org/t/p/w500/oTxHFRSbFcCWdfJB4ozA41Yq57c.jpg", + "url": "https://www.themoviedb.org/movie/8923", + "genres": [ + "Crime", + "Drama" + ], + "tags": [ + "london, england", + "sports", + "harvard university", + "hooligan", + "revenge", + "football (soccer)", + "cruelty", + "american", + "brutality", + "reputation", + "woman director", + "bar fight", + "firm" + ] + }, + { + "ranking": 2188, + "title": "Radio", + "year": "2003", + "runtime": 109, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.271, + "vote_count": 742, + "description": "In the racially divided town of Anderson, South Carolina in 1976, football coach Harold Jones spots a mentally disabled African-American young man nicknamed Radio near his practice field and is inspired to befriend him. Soon, Radio is Jones' loyal assistant, and he becomes a student at T.L. Hanna High School. But things start to sour when Coach Jones begins taking guff from parents and fans who feel that his devotion to Radio is getting in the way of the team's quest for a championship.", + "poster": "https://image.tmdb.org/t/p/w500/uQ6ci4iFHhB6TWB2f4wftR7AEly.jpg", + "url": "https://www.themoviedb.org/movie/13920", + "genres": [ + "Drama" + ], + "tags": [ + "mentally disabled", + "high school", + "friendship", + "sports", + "american football", + "1970s", + "american football coach", + "biography", + "based on true story", + "inspiration", + "kindness", + "inspiring story", + "teenage daughter", + "disability", + "schoolteacher", + "mentor protégé relationship", + "racial issues", + "based on magazine, newspaper or article", + "father daughter relationship", + "uplifting" + ] + }, + { + "ranking": 2186, + "title": "Avengers: Age of Ultron", + "year": "2015", + "runtime": 141, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.271, + "vote_count": 23334, + "description": "When Tony Stark tries to jumpstart a dormant peacekeeping program, things go awry and Earth’s Mightiest Heroes are put to the ultimate test as the fate of the planet hangs in the balance. As the villainous Ultron emerges, it is up to The Avengers to stop him from enacting his terrible plans, and soon uneasy alliances and unexpected action pave the way for an epic and unique global adventure.", + "poster": "https://image.tmdb.org/t/p/w500/4ssDuvEDkSArWEdyBl2X5EHvYKU.jpg", + "url": "https://www.themoviedb.org/movie/99861", + "genres": [ + "Action", + "Adventure", + "Science Fiction" + ], + "tags": [ + "artificial intelligence (a.i.)", + "saving the world", + "superhero", + "based on comic", + "sequel", + "vision", + "superhero team", + "creator", + "super villain", + "duringcreditsstinger", + "marvel cinematic universe (mcu)", + "fictitious country", + "complex", + "evil robot", + "good versus evil" + ] + }, + { + "ranking": 2181, + "title": "La Ceremonie", + "year": "1995", + "runtime": 111, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.3, + "vote_count": 353, + "description": "Sophie, a quiet and shy maid working for an upper-class French family, finds a friend in the energetic and uncompromising postmaster Jeanne, who encourages her to stand up against her bourgeois employers.", + "poster": "https://image.tmdb.org/t/p/w500/vq2x8JfEoVrdQZqo0fppjw7ZI3d.jpg", + "url": "https://www.themoviedb.org/movie/1802", + "genres": [ + "Drama", + "Thriller" + ], + "tags": [ + "class society", + "france", + "illiteracy", + "country life", + "bourgeoisie", + "female friendship", + "pregnant minor", + "post", + "gallery owner", + "maid", + "family" + ] + }, + { + "ranking": 2191, + "title": "Labyrinth", + "year": "1986", + "runtime": 102, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.3, + "vote_count": 2498, + "description": "When teen Sarah is forced to babysit her half-brother Toby, she summons Jareth the Goblin King to take him away. When he is actually kidnapped, Sarah is given just thirteen hours to solve a labyrinth and rescue him.", + "poster": "https://image.tmdb.org/t/p/w500/hbSdA1DmNA9IlfVoqJkIWYF2oYm.jpg", + "url": "https://www.themoviedb.org/movie/13597", + "genres": [ + "Adventure", + "Family", + "Fantasy" + ], + "tags": [ + "rescue", + "race against time", + "maze", + "castle", + "musical", + "puppet", + "babysitter", + "surrealism", + "baby-snatching", + "coming of age", + "growing up", + "teenage girl", + "puppetry", + "fantasy world", + "child kidnapping", + "goblin", + "thoughtful", + "goblins", + "magic land", + "giant creature", + "grand", + "bizarre creatures", + "absurd", + "goblin king", + "baffled", + "ghoulish" + ] + }, + { + "ranking": 2194, + "title": "Suite Française", + "year": "2015", + "runtime": 103, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.268, + "vote_count": 1111, + "description": "France, 1940. In the first days of occupation, beautiful Lucile Angellier is trapped in a stifled existence with her controlling mother-in-law as they both await news of her husband: a prisoner of war. Parisian refugees start to pour into their small town, soon followed by a regiment of German soldiers who take up residence in the villagers' own homes. Lucile initially tries to ignore Bruno von Falk, the handsome and refined German officer staying with them. But soon, a powerful love draws them together and leads them into the tragedy of war.", + "poster": "https://image.tmdb.org/t/p/w500/mPgijY9f79FfD7K8MmzsynXpq0R.jpg", + "url": "https://www.themoviedb.org/movie/271674", + "genres": [ + "Drama", + "Romance", + "War" + ], + "tags": [ + "based on novel or book", + "world war ii", + "prisoner of war", + "forbidden love", + "french resistance", + "nazi occupation", + "german soldier", + "1940s" + ] + }, + { + "ranking": 2200, + "title": "Marrowbone", + "year": "2017", + "runtime": 111, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.266, + "vote_count": 1644, + "description": "A young man and his three younger siblings are plagued by a sinister presence in the sprawling manor in which they live.", + "poster": "https://image.tmdb.org/t/p/w500/iX77zMSqUv2Qt7ToEnN2mmEudEf.jpg", + "url": "https://www.themoviedb.org/movie/399366", + "genres": [ + "Thriller", + "Horror", + "Mystery" + ], + "tags": [ + "beach", + "sibling relationship", + "library", + "rifle", + "abandoned house", + "flashback", + "murder", + "mental illness", + "attic", + "morse code", + "1960s", + "orphan siblings", + "fear of mirrors", + "intense", + "distressing", + "tragic" + ] + }, + { + "ranking": 2199, + "title": "Videodrome", + "year": "1983", + "runtime": 88, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.267, + "vote_count": 2253, + "description": "As the president of a trashy TV channel, Max Renn is desperate for new programming to attract viewers. When he happens upon \"Videodrome,\" a TV show dedicated to gratuitous torture and punishment, Max sees a potential hit and broadcasts the show on his channel. However, after his girlfriend auditions for the show and never returns, Max investigates the truth behind Videodrome and discovers that the graphic violence may not be as fake as he thought.", + "poster": "https://image.tmdb.org/t/p/w500/qqqkiZSU9EBGZ1KiDmfn07S7qvv.jpg", + "url": "https://www.themoviedb.org/movie/837", + "genres": [ + "Horror", + "Science Fiction", + "Mystery" + ], + "tags": [ + "suicide", + "virtual reality", + "radio presenter", + "black market", + "insanity", + "paranoia", + "dystopia", + "toronto, canada", + "hallucination", + "surrealism", + "sadomasochism", + "cyberpunk", + "brainwashing", + "pittsburgh, pennsylvania", + "snuff film", + "pirate broadcast", + "depressed", + "ridiculous" + ] + }, + { + "ranking": 2196, + "title": "Fracture", + "year": "2007", + "runtime": 113, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.268, + "vote_count": 3978, + "description": "A husband is on trial for the attempted murder of his wife, in what is seemingly an open/shut case for the ambitious district attorney trying to put him away. However, there are surprises for both around every corner, and, as a suspenseful game of cat-and-mouse is played out, each must manipulate and outwit the other.", + "poster": "https://image.tmdb.org/t/p/w500/qNen8x5gaikjIg9CFihgxYcJwQe.jpg", + "url": "https://www.themoviedb.org/movie/6145", + "genres": [ + "Thriller" + ], + "tags": [ + "perfect crime", + "prosecution", + "legal thriller" + ] + }, + { + "ranking": 2195, + "title": "The Gods Must Be Crazy", + "year": "1980", + "runtime": 109, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.3, + "vote_count": 1183, + "description": "A Coca-Cola bottle dropped from an airplane raises havoc among a normally peaceful tribe of African bushmen who believe it to be a utensil of the gods.", + "poster": "https://image.tmdb.org/t/p/w500/IgBfj5LfT7nwpodCZ34QCHp17x.jpg", + "url": "https://www.themoviedb.org/movie/8393", + "genres": [ + "Action", + "Comedy" + ], + "tags": [ + "airplane", + "africa", + "coca-cola", + "tribe", + "god", + "desert", + "soda bottle", + "kalahari", + "bushman", + "tribal", + "independent film" + ] + }, + { + "ranking": 2197, + "title": "Phineas and Ferb the Movie: Candace Against the Universe", + "year": "2020", + "runtime": 85, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.3, + "vote_count": 376, + "description": "Phineas and Ferb travel across the galaxy to rescue their older sister Candace, who has been abducted by aliens and taken to a utopia in a far-off planet, free of her pesky little brothers.", + "poster": "https://image.tmdb.org/t/p/w500/afOa3CpPffC3uQCH2fhMaO3AYpB.jpg", + "url": "https://www.themoviedb.org/movie/594328", + "genres": [ + "Family", + "Animation", + "Science Fiction", + "Comedy" + ], + "tags": [ + "cartoon", + "enthusiastic" + ] + }, + { + "ranking": 2185, + "title": "Detroit", + "year": "2017", + "runtime": 143, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.272, + "vote_count": 1654, + "description": "A police raid in Detroit in 1967 results in one of the largest citizens' uprisings in the history of the United States.", + "poster": "https://image.tmdb.org/t/p/w500/7dkFHwJ4OXkm3tt1sNHOBPvcSNM.jpg", + "url": "https://www.themoviedb.org/movie/407448", + "genres": [ + "Crime", + "Drama", + "Thriller", + "History" + ], + "tags": [ + "fire", + "police brutality", + "church choir", + "based on true story", + "beating", + "murder", + "racism", + "church", + "detroit, michigan", + "1960s" + ] + }, + { + "ranking": 2192, + "title": "Die Hard: With a Vengeance", + "year": "1995", + "runtime": 128, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.27, + "vote_count": 6227, + "description": "New York detective John McClane is back and kicking bad-guy butt in the third installment of this action-packed series, which finds him teaming with civilian Zeus Carver to prevent the loss of innocent lives. McClane thought he'd seen it all, until a genius named Simon engages McClane, his new \"partner\" -- and his beloved city -- in a deadly game that demands their concentration.", + "poster": "https://image.tmdb.org/t/p/w500/amwo4CjYKynZ2yKvKMxoiRSsaE1.jpg", + "url": "https://www.themoviedb.org/movie/1572", + "genres": [ + "Action", + "Thriller" + ], + "tags": [ + "new york city", + "taxi", + "gold", + "helicopter", + "robbery", + "police", + "bomb", + "riddle", + "detective", + "fbi", + "sequel", + "flashback", + "revenge", + "shootout", + "explosion", + "nypd", + "cargo ship", + "wild goose chase", + "simon says", + "dump truck", + "harlem, new york city", + "aqueduct", + "bomb threat", + "action hero", + "deadly game", + "federal reserve bank", + "nyc subway" + ] + }, + { + "ranking": 2210, + "title": "Doctor Strange in the Multiverse of Madness", + "year": "2022", + "runtime": 126, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.263, + "vote_count": 9443, + "description": "Doctor Strange, with the help of mystical allies both old and new, traverses the mind-bending and dangerous alternate realities of the Multiverse to confront a mysterious new adversary.", + "poster": "https://image.tmdb.org/t/p/w500/ddJcSKbcp4rKZTmuyWaMhuwcfMz.jpg", + "url": "https://www.themoviedb.org/movie/453395", + "genres": [ + "Fantasy", + "Action", + "Adventure" + ], + "tags": [ + "magic", + "superhero", + "based on comic", + "alternative reality", + "aftercreditsstinger", + "duringcreditsstinger", + "marvel cinematic universe (mcu)" + ] + }, + { + "ranking": 2202, + "title": "The House with Laughing Windows", + "year": "1976", + "runtime": 110, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.3, + "vote_count": 355, + "description": "A young restorer is commissioned to save a fresco representing the suffering of St. Sebastiano, which was painted on the wall of a local church by a mysterious, long-dead artist.", + "poster": "https://image.tmdb.org/t/p/w500/zBUJ8pXxnaTalLoX8ElFIxdeAVk.jpg", + "url": "https://www.themoviedb.org/movie/57447", + "genres": [ + "Mystery", + "Thriller", + "Horror" + ], + "tags": [ + "whodunit", + "art restoration" + ] + }, + { + "ranking": 2204, + "title": "Dracula", + "year": "1958", + "runtime": 82, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.3, + "vote_count": 626, + "description": "After Jonathan Harker attacks Dracula at his castle, the vampire travels to a nearby city, where he preys on the family of Harker's fiancée. The only one who may be able to protect them is Dr. van Helsing, Harker's friend and fellow-student of vampires, who is determined to destroy Dracula, whatever the cost.", + "poster": "https://image.tmdb.org/t/p/w500/9UHOATvzXQWbElSGygOY1ar3vpp.jpg", + "url": "https://www.themoviedb.org/movie/11868", + "genres": [ + "Horror" + ], + "tags": [ + "based on novel or book", + "vampire", + "victim", + "vampire hunter (slayer)", + "gothic", + "technicolor", + "dracula" + ] + }, + { + "ranking": 2217, + "title": "The Ladykillers", + "year": "1955", + "runtime": 91, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.3, + "vote_count": 487, + "description": "Five oddball criminals planning a bank robbery rent rooms on a cul-de-sac from an octogenarian widow under the pretext that they are classical musicians.", + "poster": "https://image.tmdb.org/t/p/w500/9LJ6ZV59Q92LAJAbmb7xm9dUBGU.jpg", + "url": "https://www.themoviedb.org/movie/5506", + "genres": [ + "Comedy", + "Crime" + ], + "tags": [ + "widow", + "dark comedy", + "parrot", + "gang of thieves", + "money", + "criminal", + "old lady", + "landlady", + "planning", + "steam locomotive", + "octogenarian", + "quintet", + "armored van robbery", + "rented rooms", + "bumbling crooks" + ] + }, + { + "ranking": 2201, + "title": "Adventures in Babysitting", + "year": "2016", + "runtime": 95, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.266, + "vote_count": 421, + "description": "Two teen rival babysitters, Jenny and Lola, team up to hunt down one of their kids who accidentally ran away into the big city without any supervision.", + "poster": "https://image.tmdb.org/t/p/w500/t12bYhmv7LIcHT4TGGpW6WaMV2W.jpg", + "url": "https://www.themoviedb.org/movie/360606", + "genres": [ + "Comedy", + "Family", + "Adventure", + "TV Movie" + ], + "tags": [ + "babysitter", + "remake" + ] + }, + { + "ranking": 2206, + "title": "Riders of Justice", + "year": "2020", + "runtime": 116, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.265, + "vote_count": 909, + "description": "Markus returns home to care for his daughter when his wife dies in a tragic train accident. However, when a survivor of the wreck surfaces and claims foul play, Markus suspects his wife was murdered and embarks on a mission to find those responsible.", + "poster": "https://image.tmdb.org/t/p/w500/sshNnwmQLk720iBQ0dZg3GVGKfK.jpg", + "url": "https://www.themoviedb.org/movie/663870", + "genres": [ + "Action", + "Comedy", + "Drama", + "Thriller" + ], + "tags": [ + "mathematics", + "train accident", + "revenge", + "train", + "father daughter relationship", + "gay sub-plot" + ] + }, + { + "ranking": 2218, + "title": "Notting Hill", + "year": "1999", + "runtime": 124, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.3, + "vote_count": 6232, + "description": "William Thacker is a London bookstore owner whose humdrum existence is thrown into romantic turmoil when famous American actress Anna Scott appears in his shop. A chance encounter over spilled orange juice leads to a kiss that blossoms into a full-blown affair. As the average bloke and glamorous movie star draw closer and closer together, they struggle to reconcile their radically different lifestyles in the name of love.", + "poster": "https://image.tmdb.org/t/p/w500/k7cwPG5sVmCumxKZCukyu3SbyjG.jpg", + "url": "https://www.themoviedb.org/movie/509", + "genres": [ + "Romance", + "Comedy" + ], + "tags": [ + "new love", + "london, england", + "bookshop", + "roommates", + "press conference", + "paparazzi", + "interview", + "romcom", + "birthday party", + "fame", + "falling in love", + "group of friends", + "tabloid", + "valentine's day", + "movie star", + "social differences", + "movie set", + "dinner party", + "dating woes", + "wealth differences", + "awkward situation", + "movie theater", + "unexpected romance", + "best friends", + "unlikely romance", + "bookstore owner", + "famous actress", + "charming romances and delightful chemistry", + "bookshop owner" + ] + }, + { + "ranking": 2207, + "title": "Dark Passage", + "year": "1947", + "runtime": 106, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.3, + "vote_count": 328, + "description": "A man convicted of murdering his wife escapes from prison and works with a woman to try and prove his innocence.", + "poster": "https://image.tmdb.org/t/p/w500/dvwmiD6qQ05gojrFQRaFbdhbNDF.jpg", + "url": "https://www.themoviedb.org/movie/16227", + "genres": [ + "Romance", + "Thriller", + "Mystery" + ], + "tags": [ + "fire escape", + "san francisco, california", + "plastic surgery", + "prison escape", + "escaped convict", + "film noir", + "trolley", + "crime wave", + "1940s" + ] + }, + { + "ranking": 2211, + "title": "Crazy, Stupid, Love.", + "year": "2011", + "runtime": 118, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.264, + "vote_count": 8690, + "description": "Cal Weaver is living the American dream. He has a good job, a beautiful house, great children and a beautiful wife, named Emily. Cal's seemingly perfect life unravels, however, when he learns that Emily has been unfaithful and wants a divorce. Over 40 and suddenly single, Cal is adrift in the fickle world of dating. Enter, Jacob Palmer, a self-styled player who takes Cal under his wing and teaches him how to be a hit with the ladies.", + "poster": "https://image.tmdb.org/t/p/w500/p4RafgAPk558muOjnBMHhMArjS2.jpg", + "url": "https://www.themoviedb.org/movie/50646", + "genres": [ + "Comedy", + "Drama", + "Romance" + ], + "tags": [ + "friendship", + "soulmates", + "marriage crisis", + "midlife crisis", + "babysitter", + "womanizer", + "law school", + "los angeles, california", + "middle school", + "relationship", + "love affair", + "divorcee", + "teenage love" + ] + }, + { + "ranking": 2203, + "title": "Like Water for Chocolate", + "year": "1992", + "runtime": 105, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.3, + "vote_count": 515, + "description": "Tita is passionately in love with Pedro, but her controlling mother forbids her from marrying him. When Pedro marries her sister, Tita throws herself into her cooking and discovers she can transfer her emotions through the food she prepares, infecting all who eat it with her intense heartbreak.", + "poster": "https://image.tmdb.org/t/p/w500/itwUdMqLmPfhtGJ44hiDxkqZhiq.jpg", + "url": "https://www.themoviedb.org/movie/18183", + "genres": [ + "Drama", + "Romance" + ], + "tags": [ + "jealousy", + "sibling relationship", + "based on novel or book", + "cooking", + "marriage", + "mexican revolution", + "platonic love", + "wedding", + "single mother", + "magic realism", + "former lovers", + "lovers separated", + "mexican cooking recipes" + ] + }, + { + "ranking": 2208, + "title": "Brother Bear", + "year": "2003", + "runtime": 85, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.3, + "vote_count": 5484, + "description": "When an impulsive boy named Kenai is magically transformed into a bear, he must literally walk in another's footsteps until he learns some valuable life lessons. His courageous and often zany journey introduces him to a forest full of wildlife, including the lovable bear cub Koda, hilarious moose Rutt and Tuke, woolly mammoths and rambunctious rams.", + "poster": "https://image.tmdb.org/t/p/w500/otptPbEY0vBostmo95xwiiumMJm.jpg", + "url": "https://www.themoviedb.org/movie/10009", + "genres": [ + "Adventure", + "Animation", + "Family" + ], + "tags": [ + "friendship", + "sibling relationship", + "transformation", + "grizzly bear", + "inuit", + "bear", + "sibling rivalry", + "turns into animal", + "unlikely friendship", + "aftercreditsstinger", + "duringcreditsstinger", + "animal lead", + "brother bear", + "bjørne brødre" + ] + }, + { + "ranking": 2216, + "title": "Dolores Claiborne", + "year": "1995", + "runtime": 132, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.263, + "vote_count": 784, + "description": "Dolores Claiborne was accused of killing her abusive husband twenty years ago, but the court's findings were inconclusive and she was allowed to walk free. Now she has been accused of killing her employer, Vera Donovan, and this time there is a witness who can place her at the scene of the crime. Things look bad for Dolores when her daughter Selena, a successful Manhattan magazine writer, returns to cover the story.", + "poster": "https://image.tmdb.org/t/p/w500/3RlG7uhJEqc5Ws2PIpNok0LuJ1I.jpg", + "url": "https://www.themoviedb.org/movie/11929", + "genres": [ + "Crime", + "Drama", + "Mystery" + ], + "tags": [ + "depression", + "child abuse", + "island", + "based on novel or book", + "detective", + "suspicion of murder", + "abusive father", + "melancholy", + "dysfunctional family", + "lawsuit", + "alcoholism", + "murder", + "maine", + "domestic violence", + "reporter", + "maid", + "anger", + "alcoholic father", + "macabre", + "angry", + "accident", + "abusive husband", + "anti-depressant", + "bank account", + "antagonistic", + "awestruck" + ] + }, + { + "ranking": 2220, + "title": "How Green Was My Valley", + "year": "1941", + "runtime": 118, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.3, + "vote_count": 410, + "description": "A man in his fifties reminisces about his childhood growing up in a Welsh mining village at the turn of the 20th century.", + "poster": "https://image.tmdb.org/t/p/w500/8N7OmxBqjRVUrqergUduGgr6exy.jpg", + "url": "https://www.themoviedb.org/movie/43266", + "genres": [ + "Drama" + ], + "tags": [ + "wales", + "based on novel or book", + "family relationships", + "rural area", + "black and white", + "gossip", + "mining town", + "coal mining", + "coal mine", + "corporal punishment", + "coal miner", + "preserved film" + ] + }, + { + "ranking": 2205, + "title": "Everything Is Illuminated", + "year": "2005", + "runtime": 106, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.266, + "vote_count": 768, + "description": "A young Jewish American man endeavors—with the help of eccentric, distant relatives—to find the woman who saved his grandfather during World War II—in a Ukrainian village which was ultimately razed by the Nazis.", + "poster": "https://image.tmdb.org/t/p/w500/gk469Y3fJTlbcAkSNMZc4OtETOK.jpg", + "url": "https://www.themoviedb.org/movie/340", + "genres": [ + "Comedy", + "Drama" + ], + "tags": [ + "blindness and impaired vision", + "nazi", + "grandparent grandchild relationship", + "mass murder", + "pop culture", + "journey in the past", + "souvenir", + "collector", + "anti-semitism", + "photograph", + "closeted homosexual", + "gay theme", + "ukraine" + ] + }, + { + "ranking": 2212, + "title": "South Park: Bigger, Longer & Uncut", + "year": "1999", + "runtime": 81, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.3, + "vote_count": 2730, + "description": "In this feature film based on the hit animated series, the third graders of South Park sneak into an R-rated film by ultra-vulgar Canadian television personalities Terrance and Phillip, and emerge with expanded vocabularies that leave their parents and teachers scandalized. When outraged Americans try to censor the film, the controversy spirals into a call to wage war on Canada and Terrance and Phillip end up on death row, with the kids their only hope of rescue.", + "poster": "https://image.tmdb.org/t/p/w500/tS0PedvA2mFO9VCHYwQpaU1K36U.jpg", + "url": "https://www.themoviedb.org/movie/9473", + "genres": [ + "Animation", + "Comedy" + ], + "tags": [ + "hell", + "musical", + "surrealism", + "world supremacy", + "visions of hell", + "elementary school", + "atheist", + "satan", + "demon", + "lgbt", + "adult animation", + "based on tv series", + "gay sex", + "saddam hussein" + ] + }, + { + "ranking": 2214, + "title": "Star Wars: The Force Awakens", + "year": "2015", + "runtime": 136, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.3, + "vote_count": 19652, + "description": "Thirty years after defeating the Galactic Empire, Han Solo and his allies face a new threat from the evil Kylo Ren and his army of Stormtroopers.", + "poster": "https://image.tmdb.org/t/p/w500/wqnLdwVXoBjKibFRR5U3y0aDUhs.jpg", + "url": "https://www.themoviedb.org/movie/140607", + "genres": [ + "Adventure", + "Action", + "Science Fiction" + ], + "tags": [ + "android", + "spacecraft", + "space opera" + ] + }, + { + "ranking": 2213, + "title": "Team Thor", + "year": "2016", + "runtime": 3, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.3, + "vote_count": 541, + "description": "Discover what Thor was up to during the events of Captain America: Civil War.", + "poster": "https://image.tmdb.org/t/p/w500/jVSmX89BvsQV2z3wh2IVYVNVw1a.jpg", + "url": "https://www.themoviedb.org/movie/413279", + "genres": [ + "Comedy", + "Science Fiction" + ], + "tags": [ + "superhero", + "based on comic", + "mockumentary", + "norse mythology", + "marvel cinematic universe (mcu)", + "short film" + ] + }, + { + "ranking": 2219, + "title": "Inception: The Cobol Job", + "year": "2010", + "runtime": 14, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.3, + "vote_count": 304, + "description": "This \"Inception\" prequel unfolds courtesy of a beautiful Motion Comic, and explains how Cobb, Arthur and Nash were enlisted by Cobol Engineering.", + "poster": "https://image.tmdb.org/t/p/w500/sNxqwtyHMNQwKWoFYDqcYTui5Ok.jpg", + "url": "https://www.themoviedb.org/movie/64956", + "genres": [ + "Animation", + "Action", + "Thriller", + "Science Fiction" + ], + "tags": [ + "motion comic" + ] + }, + { + "ranking": 2209, + "title": "My Name Is Nobody", + "year": "1973", + "runtime": 117, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.3, + "vote_count": 970, + "description": "Jack Beauregard, an ageing gunman of the Old West, only wants to retire in peace and move to Europe. But a young gunfighter, known as \"Nobody\", who idolizes Beauregard, wants him to go out in a blaze of glory. So he arranges for Jack to face the 150-man gang known as The Wild Bunch and earn his place in history.", + "poster": "https://image.tmdb.org/t/p/w500/tJQEVI1p00Jh9TUgNEI623iu7ST.jpg", + "url": "https://www.themoviedb.org/movie/9474", + "genres": [ + "Comedy", + "Western" + ], + "tags": [ + "hero", + "spaghetti western" + ] + }, + { + "ranking": 2215, + "title": "Barbie as the Island Princess", + "year": "2007", + "runtime": 85, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.263, + "vote_count": 740, + "description": "Shipwrecked as a child, Rosella (Barbie) grows up on the island under the watchful eyes of her loving animal friends. The arrival of Prince Antonio leads Rosella and her furry pals to explore civilization and ultimately save the kingdom by uncovering a secret plot.", + "poster": "https://image.tmdb.org/t/p/w500/oguRPUFeHt0H0wO0He4ewTseMXo.jpg", + "url": "https://www.themoviedb.org/movie/13283", + "genres": [ + "Animation", + "Family" + ], + "tags": [ + "musical", + "based on toy", + "shipwrecked" + ] + }, + { + "ranking": 2221, + "title": "Land of Bad", + "year": "2024", + "runtime": 113, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.3, + "vote_count": 1244, + "description": "When a Delta Force special ops mission goes terribly wrong, Air Force drone pilot Reaper has 48 hours to remedy what has devolved into a wild rescue operation. With no weapons and no communication other than the drone above, the ground mission suddenly becomes a full-scale battle when the team is discovered by the enemy.", + "poster": "https://image.tmdb.org/t/p/w500/h3jYanWMEJq6JJsCopy1h7cT2Hs.jpg", + "url": "https://www.themoviedb.org/movie/969492", + "genres": [ + "Action", + "War", + "Thriller" + ], + "tags": [ + "air force", + "battle", + "behind enemy lines", + "special ops", + "rescue operation", + "intense", + "cliché" + ] + }, + { + "ranking": 2223, + "title": "Old Henry", + "year": "2021", + "runtime": 99, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.3, + "vote_count": 592, + "description": "A widowed farmer and his son warily take in a mysterious, injured man with a satchel of cash. When a posse of men claiming to be the law come for the money, the farmer must decide who to trust. Defending a siege of his homestead, the farmer reveals a talent for gun-slinging that surprises everyone calling his true identity into question.", + "poster": "https://image.tmdb.org/t/p/w500/eE1SL0QoDsvAMqQly56IkRtlN1W.jpg", + "url": "https://www.themoviedb.org/movie/785663", + "genres": [ + "Western", + "Action" + ], + "tags": [ + "double cross", + "hidden cache", + "headstrong son", + "hell unleashed", + "old west legend", + "branded gang" + ] + }, + { + "ranking": 2224, + "title": "Lava", + "year": "2014", + "runtime": 9, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.26, + "vote_count": 1086, + "description": "Inspired by the isolated beauty of tropical islands and the explosive allure of ocean volcanoes, Lava is a musical love story that takes place over millions of years.", + "poster": "https://image.tmdb.org/t/p/w500/blZSkXNN4CzRBxdxXnz3YpUjnJp.jpg", + "url": "https://www.themoviedb.org/movie/286192", + "genres": [ + "Animation", + "Family" + ], + "tags": [ + "volcano", + "musical", + "romance", + "loneliness", + "native hawaiian", + "short film" + ] + }, + { + "ranking": 2227, + "title": "Naruto Shippuden the Movie: Bonds", + "year": "2008", + "runtime": 90, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.3, + "vote_count": 486, + "description": "A mysterious group of ninjas makes a surprise attack on the Konohagakure, which takes great damage. The nightmare of another Shinobi World War could become a reality. Sasuke, who was still a missing nin from Konoha trying to kill his brother, Itachi, appears for the second time in front of Naruto at an unknown location to prevent it from happening.", + "poster": "https://image.tmdb.org/t/p/w500/bBqEiQbbfyt4MWR3NhDZMbS4Wp8.jpg", + "url": "https://www.themoviedb.org/movie/17581", + "genres": [ + "Fantasy", + "Animation", + "Action" + ], + "tags": [ + "ninja", + "shounen", + "anime", + "adventure" + ] + }, + { + "ranking": 2230, + "title": "Venus in Fur", + "year": "2013", + "runtime": 96, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.259, + "vote_count": 697, + "description": "An enigmatic actress may have a hidden agenda when she auditions for a part in a misogynistic writer's play.", + "poster": "https://image.tmdb.org/t/p/w500/b9pCYixO3ZO7tB303efB3O4nkqC.jpg", + "url": "https://www.themoviedb.org/movie/197082", + "genres": [ + "Drama" + ], + "tags": [ + "eroticism", + "feminism", + "seduction", + "masochism", + "theater play", + "machismo", + "audition", + "bdsm" + ] + }, + { + "ranking": 2222, + "title": "Hud", + "year": "1963", + "runtime": 112, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.3, + "vote_count": 322, + "description": "Hud Bannon is a ruthless young man who tarnishes everything and everyone he touches. Hud represents the perfect embodiment of alienated youth, out for kicks with no regard for the consequences. There is bitter conflict between the callous Hud and his stern and highly principled father, Homer. Hud's nephew Lon admires Hud's cheating ways, though he soon becomes too aware of Hud's reckless amorality to bear him anymore. In the world of the takers and the taken, Hud is a winner. He's a cheat, but, he explains, \"I always say the law was meant to be interpreted in a lenient manner.\"", + "poster": "https://image.tmdb.org/t/p/w500/A168bF52vmAIGkC2Qafj7M2EmaE.jpg", + "url": "https://www.themoviedb.org/movie/24748", + "genres": [ + "Drama", + "Western" + ], + "tags": [ + "based on novel or book", + "rodeo", + "texas", + "ranch", + "alcoholism", + "rebellious youth", + "housekeeper", + "neo-western", + "hero worship", + "preserved film" + ] + }, + { + "ranking": 2226, + "title": "Zombieland", + "year": "2009", + "runtime": 88, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.26, + "vote_count": 12450, + "description": "Columbus has made a habit of running from what scares him. Tallahassee doesn't have fears. If he did, he'd kick their ever-living ass. In a world overrun by zombies, these two are perfectly evolved survivors. But now, they're about to stare down the most terrifying prospect of all: each other.", + "poster": "https://image.tmdb.org/t/p/w500/dUkAmAyPVqubSBNRjRqCgHggZcK.jpg", + "url": "https://www.themoviedb.org/movie/19908", + "genres": [ + "Comedy", + "Horror" + ], + "tags": [ + "washington dc, usa", + "sibling relationship", + "circus", + "post-apocalyptic future", + "gore", + "parody", + "road trip", + "zombie", + "survival horror", + "amusement park", + "twinkie", + "body count", + "zombification", + "disposing of a dead body", + "loner", + "aftercreditsstinger", + "zombie apocalypse", + "fear of clowns", + "absurd", + "dramatic", + "enthusiastic", + "foreboding", + "frightened", + "sarcastic" + ] + }, + { + "ranking": 2231, + "title": "Tyrannosaur", + "year": "2011", + "runtime": 93, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.259, + "vote_count": 456, + "description": "The story of Joseph, a man plagued by violence and a rage that is driving him to self-destruction. As Joseph's life spirals into turmoil a chance of redemption appears in the form of Hannah, a Christian charity shop worker. Their relationship develops to reveal that Hannah is hiding a secret of her own with devastating results on both of their lives.", + "poster": "https://image.tmdb.org/t/p/w500/p6PJGuO6K94YylUcAsTTn7Q4cQn.jpg", + "url": "https://www.themoviedb.org/movie/76543", + "genres": [ + "Drama", + "Romance" + ], + "tags": [ + "northern england", + "beating", + "religion", + "domestic violence", + "pitbull", + "urination", + "rage", + "prison visit", + "drunkenness", + "council estate", + "abusive husband", + "anger issues", + "charity shop", + "based on short" + ] + }, + { + "ranking": 2233, + "title": "Deconstructing Harry", + "year": "1997", + "runtime": 96, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.3, + "vote_count": 976, + "description": "Writer Harry Block draws inspiration from people he knows, and from events that happened to him, sometimes causing these people to become alienated from him as a result.", + "poster": "https://image.tmdb.org/t/p/w500/i7Z5DdznqANJUjqWISEFu9bw6J7.jpg", + "url": "https://www.themoviedb.org/movie/2639", + "genres": [ + "Comedy", + "Drama" + ], + "tags": [ + "new york city", + "insanity", + "writer's block", + "author" + ] + }, + { + "ranking": 2234, + "title": "Enola Holmes", + "year": "2020", + "runtime": 123, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.258, + "vote_count": 6137, + "description": "While searching for her missing mother, intrepid teen Enola Holmes uses her sleuthing skills to outsmart big brother Sherlock and help a runaway lord.", + "poster": "https://image.tmdb.org/t/p/w500/riYInlsq2kf1AWoGm80JQW5dLKp.jpg", + "url": "https://www.themoviedb.org/movie/497582", + "genres": [ + "Adventure", + "Mystery", + "Crime" + ], + "tags": [ + "based on novel or book", + "detective", + "child prodigy", + "victorian england", + "female protagonist", + "period drama", + "female detective", + "runaway teen", + "books", + "mother daughter relationship", + "brother sister relationship", + "detectives", + "sherlock holmes", + "childish love interest", + "indifferent" + ] + }, + { + "ranking": 2232, + "title": "Missing", + "year": "1982", + "runtime": 123, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.3, + "vote_count": 395, + "description": "Based on the real-life experiences of Ed Horman. A conservative American businessman travels to Chile to investigate the sudden disappearance of his son after a military takeover. Accompanied by his son's wife he uncovers a trail of cover-ups that implicate the US State department which supports the dictatorship.", + "poster": "https://image.tmdb.org/t/p/w500/z8K4EIb8wxHaHnfU4MXywkZ6VYO.jpg", + "url": "https://www.themoviedb.org/movie/15600", + "genres": [ + "Drama", + "Mystery", + "Thriller" + ], + "tags": [ + "journalist", + "corruption", + "coup d'etat", + "dictatorship", + "chile", + "conspiracy", + "disappearance", + "south america", + "military", + "military coup", + "missing", + "disappeared" + ] + }, + { + "ranking": 2237, + "title": "The Piano Teacher", + "year": "2001", + "runtime": 131, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.3, + "vote_count": 1143, + "description": "Erika Kohut, a sexually repressed piano teacher living with her domineering mother, meets a young man who starts romantically pursuing her.", + "poster": "https://image.tmdb.org/t/p/w500/gNHKYQnP1RnqEhkivHJzBPb4MOP.jpg", + "url": "https://www.themoviedb.org/movie/1791", + "genres": [ + "Drama", + "Romance" + ], + "tags": [ + "mother", + "concert", + "based on novel or book", + "fetish", + "conservatory", + "masochism", + "victim", + "piano lessons", + "teacher", + "love", + "perversion", + "loneliness", + "female protagonist", + "pianist", + "attraction", + "vienna, austria", + "desire", + "domineering mother", + "older woman younger man relationship", + "character study", + "voyeur", + "piano", + "abuse", + "repression", + "self-harm", + "complex", + "mother daughter relationship", + "age-gap relationship", + "kink", + "power dynamics", + "romantic", + "bold" + ] + }, + { + "ranking": 2240, + "title": "Cape Fear", + "year": "1991", + "runtime": 128, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.257, + "vote_count": 3509, + "description": "Sam Bowden is a small-town corporate attorney. Max Cady is a tattooed, cigar-smoking, Bible-quoting, psychotic rapist. What do they have in common? 14 years ago, Sam was a public defender assigned to Max Cady's rape trial, and he made a serious error: he hid a document from his illiterate client that could have gotten him acquitted. Now, the cagey Cady has been released, and he intends to teach Sam Bowden and his family a thing or two about loss.", + "poster": "https://image.tmdb.org/t/p/w500/meJZAAuVcjic2ipvbOPz5UlE4P9.jpg", + "url": "https://www.themoviedb.org/movie/1598", + "genres": [ + "Drama", + "Crime", + "Thriller" + ], + "tags": [ + "prison", + "small town", + "child abuse", + "rape", + "houseboat", + "cigar smoking", + "remake", + "revenge", + "stalking", + "lawyer", + "psychological thriller", + "fear", + "rebellious daughter", + "rapist", + "private detective", + "killing a dog", + "threat to family", + "family terrorized" + ] + }, + { + "ranking": 2228, + "title": "Quiz Show", + "year": "1994", + "runtime": 133, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.3, + "vote_count": 920, + "description": "Herbert Stempel's transformation into an unexpected television personality unfolds as he secures victory on the cherished American game show, 'Twenty-One.' However, when the show introduces the highly skilled contestant Charles Van Doren to replace Stempel, it compels Stempel to let out his frustrations and call out the show as rigged. Lawyer Richard Goodwin steps in and attempts to uncover the orchestrated deception behind the scenes.", + "poster": "https://image.tmdb.org/t/p/w500/yoGJo1h3Hl2exXPVcG9UXWDENtX.jpg", + "url": "https://www.themoviedb.org/movie/11450", + "genres": [ + "History", + "Drama", + "Mystery" + ], + "tags": [ + "investigation", + "manipulation", + "manipulation of the media", + "game show", + "idealism", + "tv ratings", + "based on true story", + "quiz", + "idealist", + "product placement", + "lawyer", + "1950s", + "fighting the system", + "audacious", + "awestruck", + "cruel", + "frustrated" + ] + }, + { + "ranking": 2225, + "title": "The Names of Love", + "year": "2010", + "runtime": 100, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.3, + "vote_count": 311, + "description": "Bahia Benmahmoud, a free-spirited young woman, has a particular way of seeing political engagement, as she doesn't hesitate to sleep with those who don't agree with her to convert them to her cause - which is a lot of people, as all right-leaning people are concerned. Generally, it works pretty well. Until the day she meets Arthur Martin, a discreet forty-something who doesn't like taking risks. She imagines that with a name like that, he's got to be slightly fascist. But names are deceitful and appearances deceiving.", + "poster": "https://image.tmdb.org/t/p/w500/qnUyni6Cc5bQbgyvvof6yNwoIUd.jpg", + "url": "https://www.themoviedb.org/movie/50848", + "genres": [ + "Drama", + "Comedy", + "Romance" + ], + "tags": [ + "politics", + "voting results" + ] + }, + { + "ranking": 2229, + "title": "The Day of the Beast", + "year": "1995", + "runtime": 103, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.3, + "vote_count": 544, + "description": "The story revolves around a Basque Roman Catholic priest dedicated to committing as many sins as possible, a death metal salesman from Carabanchel, and the Italian host of a TV show on the occult. These go on a literal \"trip\" through Christmas-time Madrid to hunt for and prevent the reincarnation of the Antichrist.", + "poster": "https://image.tmdb.org/t/p/w500/yEXhgACPIV4PmTgHT2HS3Ko2oS3.jpg", + "url": "https://www.themoviedb.org/movie/10722", + "genres": [ + "Horror", + "Comedy", + "Action" + ], + "tags": [ + "virgin", + "neo-nazism", + "madrid, spain", + "prophecy", + "telecaster", + "dark comedy", + "black magic", + "surrealism", + "heavy metal", + "hallucinogen", + "anti-christ", + "murder", + "inferno", + "apocalypse", + "devil", + "crucifix", + "catholic priest", + "christmas", + "violence" + ] + }, + { + "ranking": 2239, + "title": "La Bamba", + "year": "1987", + "runtime": 108, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.257, + "vote_count": 725, + "description": "Los Angeles teenager Ritchie Valens becomes an overnight rock 'n' roll success in 1958, thanks to a love ballad called \"Donna\" that he wrote for his girlfriend. But as his star rises, Valens has conflicts with his jealous brother, Bob, and becomes haunted by a recurring nightmare of a plane crash just as he begins his first national tour alongside Buddy Holly.", + "poster": "https://image.tmdb.org/t/p/w500/6Znulqtc7cdqlUC69HGf26Ef5fi.jpg", + "url": "https://www.themoviedb.org/movie/16620", + "genres": [ + "Drama", + "Music" + ], + "tags": [ + "rock 'n' roll", + "biography", + "death", + "dying young", + "nostalgic", + "mexican american", + "marital rape", + "1950s", + "romantic" + ] + }, + { + "ranking": 2235, + "title": "Lady Bird", + "year": "2017", + "runtime": 94, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.258, + "vote_count": 8643, + "description": "Lady Bird McPherson, a strong willed, deeply opinionated, artistic 17 year old comes of age in Sacramento. Her relationship with her mother and her upbringing are questioned and tested as she plans to head off to college.", + "poster": "https://image.tmdb.org/t/p/w500/gl66K7zRdtNYGrxyS2YDUP5ASZd.jpg", + "url": "https://www.themoviedb.org/movie/391713", + "genres": [ + "Drama", + "Comedy" + ], + "tags": [ + "friendship", + "loss of virginity", + "coming of age", + "teen angst", + "high school graduation", + "teenage girl", + "best friend", + "loss of job", + "high school student", + "catholic school", + "first love", + "semi autobiographical", + "sacramento", + "woman director", + "father daughter relationship", + "mother daughter relationship", + "college applications", + "2000s" + ] + }, + { + "ranking": 2236, + "title": "Colonia", + "year": "2015", + "runtime": 106, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.3, + "vote_count": 1907, + "description": "A young woman's desperate search for her abducted boyfriend draws her into the infamous Colonia Dignidad, a sect nobody ever escaped from.", + "poster": "https://image.tmdb.org/t/p/w500/p7oGFkMGaQR27R1olN9RoMzg4vS.jpg", + "url": "https://www.themoviedb.org/movie/318781", + "genres": [ + "Drama", + "History" + ], + "tags": [ + "kidnapping", + "1970s", + "cult", + "chile", + "pinochet regime", + "religion", + "torture chamber", + "religious fundamentalism", + "military dictatorship", + "political unrest" + ] + }, + { + "ranking": 2238, + "title": "The Family Plan", + "year": "2023", + "runtime": 118, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.257, + "vote_count": 1475, + "description": "Dan Morgan is many things: a devoted husband, a loving father, a celebrated car salesman. He's also a former assassin. And when his past catches up to his present, he's forced to take his unsuspecting family on a road trip unlike any other.", + "poster": "https://image.tmdb.org/t/p/w500/jLLtx3nTRSLGPAKl4RoIv1FbEBr.jpg", + "url": "https://www.themoviedb.org/movie/1029575", + "genres": [ + "Action", + "Comedy" + ], + "tags": [ + "assassin", + "las vegas", + "family", + "duringcreditsstinger", + "hidden identity", + "family trip", + "father son relationship", + "roadtrip", + "former soldier", + "cheerful", + "optimistic" + ] + }, + { + "ranking": 2242, + "title": "Cape Fear", + "year": "1991", + "runtime": 128, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.257, + "vote_count": 3509, + "description": "Sam Bowden is a small-town corporate attorney. Max Cady is a tattooed, cigar-smoking, Bible-quoting, psychotic rapist. What do they have in common? 14 years ago, Sam was a public defender assigned to Max Cady's rape trial, and he made a serious error: he hid a document from his illiterate client that could have gotten him acquitted. Now, the cagey Cady has been released, and he intends to teach Sam Bowden and his family a thing or two about loss.", + "poster": "https://image.tmdb.org/t/p/w500/meJZAAuVcjic2ipvbOPz5UlE4P9.jpg", + "url": "https://www.themoviedb.org/movie/1598", + "genres": [ + "Drama", + "Crime", + "Thriller" + ], + "tags": [ + "prison", + "small town", + "child abuse", + "rape", + "houseboat", + "cigar smoking", + "remake", + "revenge", + "stalking", + "lawyer", + "psychological thriller", + "fear", + "rebellious daughter", + "rapist", + "private detective", + "killing a dog", + "threat to family", + "family terrorized" + ] + }, + { + "ranking": 2243, + "title": "The Family Plan", + "year": "2023", + "runtime": 118, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.257, + "vote_count": 1475, + "description": "Dan Morgan is many things: a devoted husband, a loving father, a celebrated car salesman. He's also a former assassin. And when his past catches up to his present, he's forced to take his unsuspecting family on a road trip unlike any other.", + "poster": "https://image.tmdb.org/t/p/w500/jLLtx3nTRSLGPAKl4RoIv1FbEBr.jpg", + "url": "https://www.themoviedb.org/movie/1029575", + "genres": [ + "Action", + "Comedy" + ], + "tags": [ + "assassin", + "las vegas", + "family", + "duringcreditsstinger", + "hidden identity", + "family trip", + "father son relationship", + "roadtrip", + "former soldier", + "cheerful", + "optimistic" + ] + }, + { + "ranking": 2246, + "title": "The Hurt Locker", + "year": "2008", + "runtime": 131, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.3, + "vote_count": 5721, + "description": "During the Iraq War, a Sergeant recently assigned to an army bomb squad is put at odds with his squad mates due to his maverick way of handling his work.", + "poster": "https://image.tmdb.org/t/p/w500/io2dfBJhasvGbgkCX9cCGVOiA99.jpg", + "url": "https://www.themoviedb.org/movie/12162", + "genres": [ + "Drama", + "Thriller", + "War" + ], + "tags": [ + "rescue", + "sniper", + "explosive", + "loyalty", + "us army", + "car bomb", + "iraq", + "tension", + "disaster", + "terrorism", + "soldier", + "iraq war", + "booby trap", + "anti war", + "bomb squad", + "body armor", + "woman director", + "army sergeant", + "unexploded bomb", + "weapons of war", + "dramatic", + "violence", + "bomb disposal unit", + "disarming a bomb" + ] + }, + { + "ranking": 2244, + "title": "Dragons: Dawn of the Dragon Racers", + "year": "2014", + "runtime": 26, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.3, + "vote_count": 349, + "description": "A hunt for a lost sheep turns into a competition between Hiccup and friends as they compete to become the first Dragon Racing champion of Berk.", + "poster": "https://image.tmdb.org/t/p/w500/sgOXOQyPIjeMi1bnWu1r0CzLsZD.jpg", + "url": "https://www.themoviedb.org/movie/298115", + "genres": [ + "Animation", + "Family", + "Adventure", + "Comedy", + "Fantasy" + ], + "tags": [ + "based on novel or book", + "tournament", + "dragon", + "father son relationship", + "short film" + ] + }, + { + "ranking": 2247, + "title": "The Hawks and the Sparrows", + "year": "1966", + "runtime": 85, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.3, + "vote_count": 348, + "description": "A man and his son take an allegorical stroll through life with a talking bird that spouts social and political philosophy.", + "poster": "https://image.tmdb.org/t/p/w500/aQiV5CX94SDMGucAIZ8act7VdL1.jpg", + "url": "https://www.themoviedb.org/movie/33954", + "genres": [ + "Comedy", + "Fantasy" + ], + "tags": [ + "rome, italy", + "mythology", + "satire", + "crow", + "hawk" + ] + }, + { + "ranking": 2248, + "title": "Superbad", + "year": "2007", + "runtime": 113, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.3, + "vote_count": 7478, + "description": "Two co-dependent high school seniors are forced to deal with separation anxiety after their plan to stage a booze-soaked party goes awry.", + "poster": "https://image.tmdb.org/t/p/w500/ek8e8txUyUwd2BNqj6lFEerJfbq.jpg", + "url": "https://www.themoviedb.org/movie/8363", + "genres": [ + "Comedy" + ], + "tags": [ + "high school", + "police", + "alcohol", + "chaos", + "nerd", + "coming of age", + "school", + "los angeles, california", + "drugs", + "buddy", + "one night", + "fake id", + "serene", + "hilarious" + ] + }, + { + "ranking": 2252, + "title": "The Phantom of the Opera", + "year": "2004", + "runtime": 141, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.3, + "vote_count": 1659, + "description": "A young soprano becomes the obsession of a disfigured and murderous musical genius who lives beneath the Paris Opera House.", + "poster": "https://image.tmdb.org/t/p/w500/pFf1Xxzgxo6ffxAJeSkAb5b0P4S.jpg", + "url": "https://www.themoviedb.org/movie/9833", + "genres": [ + "Thriller", + "Drama", + "Romance" + ], + "tags": [ + "mask", + "dancing", + "paris, france", + "based on novel or book", + "love triangle", + "obsession", + "musical", + "based on play or musical", + "remake", + "tragic villain", + "rooftop", + "disfigured face", + "opera singer", + "1910s", + "phantom of the opera" + ] + }, + { + "ranking": 2253, + "title": "Army of Darkness", + "year": "1992", + "runtime": 81, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.252, + "vote_count": 3236, + "description": "Ash, a handsome, shotgun-toting, chainsaw-armed department store clerk, is time warped backwards into England's Dark Ages, where he romances a beauty and faces legions of the undead.", + "poster": "https://image.tmdb.org/t/p/w500/xsgTuAtR2zSH8Umg3jWZcZjlDpe.jpg", + "url": "https://www.themoviedb.org/movie/766", + "genres": [ + "Fantasy", + "Horror", + "Comedy" + ], + "tags": [ + "witch", + "skeleton", + "swordplay", + "supermarket", + "prophecy", + "castle", + "time travel", + "catapult", + "chain saw", + "incantation", + "time frame", + "pit", + "windmill", + "undead", + "knight", + "zombie", + "middle ages (476-1453)", + "necronomicon", + "doppelgänger", + "psychotronic", + "disturbed", + "13th century", + "mischievous", + "absurd", + "hilarious", + "dignified", + "enchant" + ] + }, + { + "ranking": 2245, + "title": "The Public Enemy", + "year": "1931", + "runtime": 84, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.3, + "vote_count": 351, + "description": "Two young Chicago hoodlums, Tom Powers and Matt Doyle, rise up from their poverty-stricken slum life to become petty thieves, bootleggers and cold-blooded killers. But with street notoriety and newfound wealth, the duo feels the heat from the cops and rival gangsters both. Despite his ruthless criminal reputation, Tom tries to remain connected to his family, however, gang warfare and the need for revenge eventually pull him away.", + "poster": "https://image.tmdb.org/t/p/w500/vVxdaRMprQO2DM4AFyJ6C4qZSFO.jpg", + "url": "https://www.themoviedb.org/movie/17687", + "genres": [ + "Crime", + "Drama" + ], + "tags": [ + "gangster", + "anti hero", + "tragedy", + "organized crime", + "best friend", + "juvenile delinquent", + "pre-code", + "grapefruit" + ] + }, + { + "ranking": 2249, + "title": "Masculin Féminin", + "year": "1966", + "runtime": 105, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.3, + "vote_count": 393, + "description": "Paul, a young idealist trying to figure out what he wants to do with his life, takes a job interviewing people for a marketing research firm. He moves in with aspiring pop singer Madeleine. Paul, however, is disillusioned by the growing commercialism in society, while Madeleine just wants to be successful. The story is told in a series of 15 unrelated vignettes.", + "poster": "https://image.tmdb.org/t/p/w500/AroNQnZiqjJOWf32lLNZUzWlGvd.jpg", + "url": "https://www.themoviedb.org/movie/4710", + "genres": [ + "Drama", + "Romance" + ], + "tags": [ + "suicide", + "paris, france", + "students' movement", + "politics", + "pop culture", + "menage a trois", + "interview", + "magazine", + "aspiring singer", + "singer", + "murder", + "youth culture", + "anti war", + "commercialism" + ] + }, + { + "ranking": 2241, + "title": "Bicentennial Man", + "year": "1999", + "runtime": 131, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.3, + "vote_count": 3666, + "description": "Richard Martin buys a gift, a new NDR-114 robot. The product is named Andrew by the youngest of the family's children. \"Bicentennial Man\" follows the life and times of Andrew, a robot purchased as a household appliance programmed to perform menial tasks. As Andrew begins to experience emotions and creative thought, the Martin family soon discovers they don't have an ordinary robot.", + "poster": "https://image.tmdb.org/t/p/w500/wrs23eO0VEWwOQpXoOasMnlW9Y4.jpg", + "url": "https://www.themoviedb.org/movie/2277", + "genres": [ + "Science Fiction", + "Drama" + ], + "tags": [ + "android", + "based on novel or book", + "freedom", + "hologram", + "futuristic", + "robot", + "based on short story", + "journey", + "22nd century", + "2040s", + "23rd century", + "2060s" + ] + }, + { + "ranking": 2250, + "title": "Juliet of the Spirits", + "year": "1965", + "runtime": 148, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.3, + "vote_count": 318, + "description": "Middle-aged Giulietta grows suspicious of her husband, Giorgio, when his behavior grows increasingly questionable. One night when Giorgio initiates a seance amongst his friends, Giulietta gets in touch with spirits and learns more about herself and her painful past. Slightly skeptical, but intrigued, she visits a mystic who gives her more information -- and nudges her toward the realization that her husband is indeed a philanderer.", + "poster": "https://image.tmdb.org/t/p/w500/durUhLVqmYlgXsA064A6P5sM4Lc.jpg", + "url": "https://www.themoviedb.org/movie/19120", + "genres": [ + "Comedy", + "Drama", + "Fantasy" + ], + "tags": [ + "eccentric", + "memory", + "psychic" + ] + }, + { + "ranking": 2254, + "title": "At War for Love", + "year": "2016", + "runtime": 99, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.3, + "vote_count": 512, + "description": "It's 1943 and World War II is raging in Europe. In New York, Arturo and Flora the daughter of a restaurant owner are in love, but she is promised in marriage to the son of a Mafia boss. There is a way around this, but to be able to marry Flora, Arturo needs to get permission from her father, who lives in a village in Sicily. Arturo doesn't have any money, so the only way he can get to Sicily is to enlist in the U.S. Army, which is preparing for a landing on the island.", + "poster": "https://image.tmdb.org/t/p/w500/bmy7S1xTY9yLJTg48pxucx790xZ.jpg", + "url": "https://www.themoviedb.org/movie/403450", + "genres": [ + "War", + "Drama", + "Comedy", + "Romance" + ], + "tags": [ + "italy", + "sicily, italy", + "world war ii", + "mafia boss", + "mafia", + "1940s" + ] + }, + { + "ranking": 2251, + "title": "Conspiracy", + "year": "2001", + "runtime": 96, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.3, + "vote_count": 418, + "description": "At the Wannsee Conference on January 20, 1942, senior Nazi officials meet to determine the manner in which the so-called \"Final Solution to the Jewish Question\" can be best implemented.", + "poster": "https://image.tmdb.org/t/p/w500/Onqn8XXyhANuy1LIL7AIN6unQk.jpg", + "url": "https://www.themoviedb.org/movie/12900", + "genres": [ + "History", + "Drama", + "War", + "TV Movie" + ], + "tags": [ + "berlin, germany", + "nazi", + "war crimes", + "holocaust (shoah)", + "world war ii", + "jew persecution", + "europe", + "psychotic", + "1940s", + "complex", + "tragic" + ] + }, + { + "ranking": 2255, + "title": "Marshall", + "year": "2017", + "runtime": 118, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.3, + "vote_count": 626, + "description": "Thurgood Marshall, the first African-American Supreme Court Justice, battles through one of his career-defining cases.", + "poster": "https://image.tmdb.org/t/p/w500/2KfdXsXTCbMie0wB1mSmIX60C2F.jpg", + "url": "https://www.themoviedb.org/movie/392982", + "genres": [ + "Drama" + ], + "tags": [ + "court", + "interracial relationship", + "lawyer", + "1940s", + "courtroom drama" + ] + }, + { + "ranking": 2258, + "title": "Are You There God? It's Me, Margaret.", + "year": "2023", + "runtime": 107, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.3, + "vote_count": 408, + "description": "When her family moves from New York City to New Jersey, an 11-year-old girl navigates new friends, feelings, and the beginning of adolescence.", + "poster": "https://image.tmdb.org/t/p/w500/yb6UB4WC3znlwU0L4AqMnjR9G9S.jpg", + "url": "https://www.themoviedb.org/movie/555285", + "genres": [ + "Comedy", + "Drama" + ], + "tags": [ + "puberty", + "adolescence", + "new jersey", + "based on novel or book", + "christianity", + "1970s", + "female friendship", + "coming of age", + "religion", + "insecurity", + "woman director", + "speculative", + "mother daughter relationship", + "grandmother granddaughter relationship", + "jewish", + "stay-at-home mom" + ] + }, + { + "ranking": 2259, + "title": "The Past", + "year": "2013", + "runtime": 130, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.3, + "vote_count": 562, + "description": "After four years apart, Ahmad returns to his wife Marie in Paris in order to progress their divorce. During his brief stay, he cannot help noticing the strained relationship between Marie and her daughter Lucie. As he attempts to improve matters between mother and daughter Ahmad unwittingly lifts the lid on a long buried secret...", + "poster": "https://image.tmdb.org/t/p/w500/8nff89qjYN3Hck5G33xeRPsM8TZ.jpg", + "url": "https://www.themoviedb.org/movie/152780", + "genres": [ + "Drama", + "Mystery" + ], + "tags": [ + "depression", + "suicide", + "coma", + "paris, france", + "childhood trauma", + "laundromat", + "family secrets", + "dysfunctional family", + "divorce" + ] + }, + { + "ranking": 2260, + "title": "The Naked Gun: From the Files of Police Squad!", + "year": "1988", + "runtime": 86, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.251, + "vote_count": 3810, + "description": "When the incompetent Lieutenant Frank Drebin seeks the ruthless killer of his partner, he stumbles upon an attempt to assassinate Queen Elizabeth II.", + "poster": "https://image.tmdb.org/t/p/w500/wQHTHJ3jBKtz2c6VT9JZ8TD73yl.jpg", + "url": "https://www.themoviedb.org/movie/37136", + "genres": [ + "Comedy", + "Crime" + ], + "tags": [ + "assassination", + "police", + "aquarium", + "baseball", + "parody", + "slapstick comedy", + "los angeles, california", + "terrorism", + "illegal drugs", + "criminal investigation", + "buddy cop", + "hypnotize", + "anarchic comedy", + "good versus evil", + "based on tv series" + ] + }, + { + "ranking": 2256, + "title": "Planes, Trains and Automobiles", + "year": "1987", + "runtime": 93, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.3, + "vote_count": 1975, + "description": "An irritable marketing executive, Neal Page, is heading home to Chicago for Thanksgiving when a number of delays force him to travel with a well meaning but overbearing shower curtain ring salesman, Del Griffith.", + "poster": "https://image.tmdb.org/t/p/w500/3RSucVsX96Ste8WDJfZP1hbNGqQ.jpg", + "url": "https://www.themoviedb.org/movie/2609", + "genres": [ + "Comedy" + ], + "tags": [ + "chicago, illinois", + "new york city", + "thanksgiving", + "flight", + "road trip", + "train", + "buddy", + "receptionist", + "slob", + "st. louis, missouri", + "double take", + "chatter box", + "wichita kansas", + "speeding ticket", + "chewing tobacco", + "credit card fraud", + "state trooper", + "unlikely friendship", + "aftercreditsstinger", + "delayed flight", + "whimsical", + "cheerful" + ] + }, + { + "ranking": 2257, + "title": "Speak No Evil", + "year": "2024", + "runtime": 110, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.3, + "vote_count": 1373, + "description": "When an American family is invited to spend the weekend at the idyllic country estate of a charming British family they befriended on vacation, what begins as a dream holiday soon warps into a snarled psychological nightmare.", + "poster": "https://image.tmdb.org/t/p/w500/6NwAlU6ZH6ua3sYpFAUpUnoKUmi.jpg", + "url": "https://www.themoviedb.org/movie/1114513", + "genres": [ + "Horror", + "Thriller" + ], + "tags": [ + "husband wife relationship", + "manipulation", + "remake", + "hopeless", + "weekend getaway", + "europe vacation", + "children in danger", + "psychological horror", + "disturbing", + "suspenseful", + "depressing", + "gloomy", + "ominous" + ] + }, + { + "ranking": 2272, + "title": "Marvel One-Shot: Agent Carter", + "year": "2013", + "runtime": 15, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.2, + "vote_count": 790, + "description": "The film takes place one year after the events of Captain America: The First Avenger, in which Agent Carter, a member of the Strategic Scientific Reserve, is in search of the mysterious Zodiac.", + "poster": "https://image.tmdb.org/t/p/w500/4vFKKWPvCVDJTOWiwReBfpAMScP.jpg", + "url": "https://www.themoviedb.org/movie/211387", + "genres": [ + "Action", + "Adventure", + "Science Fiction", + "Fantasy" + ], + "tags": [ + "based on comic", + "misogynist", + "marvel cinematic universe (mcu)", + "woman agent", + "short film" + ] + }, + { + "ranking": 2264, + "title": "Frozen II", + "year": "2019", + "runtime": 103, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.25, + "vote_count": 9859, + "description": "Elsa, Anna, Kristoff and Olaf head far into the forest to learn the truth about an ancient mystery of their kingdom.", + "poster": "https://image.tmdb.org/t/p/w500/mINJaa34MtknCYl5AjtNJzWj8cD.jpg", + "url": "https://www.themoviedb.org/movie/330457", + "genres": [ + "Family", + "Animation", + "Adventure", + "Comedy", + "Fantasy" + ], + "tags": [ + "princess", + "magic", + "kingdom", + "winter", + "queen", + "castle", + "musical", + "sequel", + "dam", + "spirit", + "aftercreditsstinger", + "frozen", + "personification", + "thoughtful", + "mother daughter relationship", + "compassionate" + ] + }, + { + "ranking": 2268, + "title": "The Boondock Saints", + "year": "1999", + "runtime": 108, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.2, + "vote_count": 2467, + "description": "Tired of the crime overrunning the streets of Boston, Irish Catholic twin brothers Conner and Murphy are inspired by their faith to cleanse their hometown of evil with their own brand of zealous vigilante justice. As they hunt down and kill one notorious gangster after another, they become controversial folk heroes in the community. But Paul Smecker, an eccentric FBI agent, is fast closing in on their blood-soaked trail.", + "poster": "https://image.tmdb.org/t/p/w500/oCPwq7TVk8XZWDv1ErxyuR6Sn5n.jpg", + "url": "https://www.themoviedb.org/movie/8374", + "genres": [ + "Action", + "Thriller", + "Crime" + ], + "tags": [ + "bratva (russian mafia)", + "boston, massachusetts", + "detective", + "irish-american", + "prologue", + "shootout", + "police station", + "pager", + "mob boss", + "duringcreditsstinger", + "vigilantism", + "angry", + "complex", + "brother brother relationship", + "public execution", + "hilarious" + ] + }, + { + "ranking": 2261, + "title": "Hunger", + "year": "2008", + "runtime": 96, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.3, + "vote_count": 1129, + "description": "The story of Bobby Sands, the IRA member who led the 1981 hunger strike during The Troubles in which Irish Republican prisoners tried to win political status.", + "poster": "https://image.tmdb.org/t/p/w500/84HdTM39G2MzyTl8N9R0wVU9I5b.jpg", + "url": "https://www.themoviedb.org/movie/10360", + "genres": [ + "Drama", + "History" + ], + "tags": [ + "prison", + "police brutality", + "prisoner", + "hunger strike", + "biography", + "northern ireland", + "ira (irish republican army)", + "belfast, north ireland", + "catholic priest", + "1980s" + ] + }, + { + "ranking": 2267, + "title": "The Road to El Dorado", + "year": "2000", + "runtime": 89, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.2, + "vote_count": 3800, + "description": "Stowing away after a failed con, a pair of swindlers end up on El Dorado, the fabled \"city of gold\", where they quickly get in over their heads when they are mistaken as gods by the inhabitants.", + "poster": "https://image.tmdb.org/t/p/w500/ryXm7xp4aqQyda0FU2eMfHehPBg.jpg", + "url": "https://www.themoviedb.org/movie/10501", + "genres": [ + "Family", + "Adventure", + "Animation", + "Comedy", + "Fantasy" + ], + "tags": [ + "gold", + "horse", + "cartoon", + "musical", + "con artist", + "sword fight", + "adventurer", + "16th century", + "conquistador", + "el dorado", + "age of discovery" + ] + }, + { + "ranking": 2262, + "title": "Pleasantville", + "year": "1998", + "runtime": 124, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.251, + "vote_count": 1720, + "description": "Geeky teenager David and his popular twin sister, Jennifer, get sucked into the black-and-white world of a 1950s TV sitcom called \"Pleasantville,\" and find a world where everything is peachy keen all the time. But when Jennifer's modern attitude disrupts Pleasantville's peaceful but boring routine, she literally brings color into its life.", + "poster": "https://image.tmdb.org/t/p/w500/m1hhYP6OScjKU5Z9iZaWirSn4I6.jpg", + "url": "https://www.themoviedb.org/movie/2657", + "genres": [ + "Fantasy", + "Comedy", + "Drama" + ], + "tags": [ + "sibling relationship", + "dystopia", + "diner", + "satire", + "book burning", + "coming of age", + "racism", + "black and white", + "bathtub", + "tv show in film", + "masturbation", + "magic realism", + "alternative reality", + "color", + "1950s", + "tv repairman" + ] + }, + { + "ranking": 2265, + "title": "Safe Haven", + "year": "2013", + "runtime": 115, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.2, + "vote_count": 2333, + "description": "A young woman with a mysterious past lands in Southport, North Carolina where her bond with a widower forces her to confront the dark secret that haunts her.", + "poster": "https://image.tmdb.org/t/p/w500/2CbJ3HTb6SFbMeguYH52UQSHOwY.jpg", + "url": "https://www.themoviedb.org/movie/112949", + "genres": [ + "Romance", + "Thriller" + ], + "tags": [ + "small town", + "based on novel or book", + "widower", + "single father", + "abusive husband" + ] + }, + { + "ranking": 2266, + "title": "Lagaan: Once Upon a Time in India", + "year": "2001", + "runtime": 224, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.2, + "vote_count": 581, + "description": "In 1890s India, an arrogant British commander challenges the harshly taxed residents of Champaner to a high-stakes cricket match.", + "poster": "https://image.tmdb.org/t/p/w500/yNX9lFRAFeNLNRIXdqZK9gYrYKa.jpg", + "url": "https://www.themoviedb.org/movie/19666", + "genres": [ + "Adventure", + "Drama", + "History" + ], + "tags": [ + "countryside", + "sports", + "patriotism", + "village", + "musical", + "challenge", + "cricket", + "taxes", + "based on true story", + "period drama", + "colonialism", + "british colonial", + "arrogance", + "untouchable", + "caste system", + "drought", + "19th century", + "british raj", + "gujarati", + "bollywood" + ] + }, + { + "ranking": 2263, + "title": "Run", + "year": "2020", + "runtime": 90, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.2, + "vote_count": 2624, + "description": "Chloe, a teenager who is confined to a wheelchair, is homeschooled by her mother, Diane. Chloe soon becomes suspicious of her mother and begins to suspect that she may be harboring a dark secret.", + "poster": "https://image.tmdb.org/t/p/w500/ilHG4EayOVoYeKqslspY3pR4wzC.jpg", + "url": "https://www.themoviedb.org/movie/546121", + "genres": [ + "Thriller", + "Horror", + "Drama" + ], + "tags": [ + "small town", + "wheelchair user ", + "homeschooling", + "single mother", + "washington state", + "prescription medication", + "physical disability", + "cloistered life", + "college applications" + ] + }, + { + "ranking": 2279, + "title": "Of Mice and Men", + "year": "1992", + "runtime": 110, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.2, + "vote_count": 656, + "description": "Two drifters, one a gentle but slow giant, try to make money working the fields during the Depression so they can fulfill their dreams.", + "poster": "https://image.tmdb.org/t/p/w500/qAHLUMZyoW3iwj2b01B2nKcePTA.jpg", + "url": "https://www.themoviedb.org/movie/9609", + "genres": [ + "Drama" + ], + "tags": [ + "farm", + "worker", + "dreams", + "country life", + "farm worker", + "great depression", + "error" + ] + }, + { + "ranking": 2280, + "title": "Zatoichi", + "year": "2003", + "runtime": 111, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.2, + "vote_count": 880, + "description": "Blind traveler Zatoichi is a master swordsman and a masseur with a fondness for gambling on dice games. When he arrives in a village torn apart by warring gangs, he sets out to protect the townspeople.", + "poster": "https://image.tmdb.org/t/p/w500/iCIycswWbX1EDS6PYYBcR9ohrC.jpg", + "url": "https://www.themoviedb.org/movie/246", + "genres": [ + "Adventure", + "Drama", + "Action" + ], + "tags": [ + "martial arts", + "japan", + "samurai", + "sword", + "geisha", + "blackmail", + "revenge", + "blind", + "jidaigeki" + ] + }, + { + "ranking": 2276, + "title": "The Great Debaters", + "year": "2007", + "runtime": 126, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.2, + "vote_count": 638, + "description": "The true story of a brilliant but politically radical debate team coach who uses the power of words to transform a group of underdog African-American college students into a historical powerhouse that took on the Harvard elite.", + "poster": "https://image.tmdb.org/t/p/w500/nuF3DDlZzNb2qq0tEsYU0zpXf8K.jpg", + "url": "https://www.themoviedb.org/movie/14047", + "genres": [ + "Drama" + ], + "tags": [ + "biography" + ] + }, + { + "ranking": 2278, + "title": "Roma", + "year": "1972", + "runtime": 120, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.2, + "vote_count": 327, + "description": "A virtually plotless, gaudy, impressionistic portrait of Rome through the eyes of one of its most famous citizens.", + "poster": "https://image.tmdb.org/t/p/w500/rqK75R3tTz2iWU0AQ6tLz3KMOU1.jpg", + "url": "https://www.themoviedb.org/movie/11035", + "genres": [ + "Comedy", + "Drama" + ], + "tags": [ + "rome, italy", + "subway", + "illegal prostitution", + "semi autobiographical", + "child" + ] + }, + { + "ranking": 2269, + "title": "Leaving Las Vegas", + "year": "1995", + "runtime": 111, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.2, + "vote_count": 1486, + "description": "Ben Sanderson, an alcoholic Hollywood screenwriter who lost everything because of his drinking, arrives in Las Vegas to drink himself to death. There, he meets and forms an uneasy friendship and non-interference pact with prostitute Sera.", + "poster": "https://image.tmdb.org/t/p/w500/wTrFpGe3U65kXTldIUxuM2hmOAK.jpg", + "url": "https://www.themoviedb.org/movie/451", + "genres": [ + "Drama", + "Romance" + ], + "tags": [ + "hotel room", + "dying and death", + "individual", + "prostitute", + "lovesickness", + "rage and hate", + "casino", + "unsociability", + "alcohol", + "love at first sight", + "movie business", + "screenwriter", + "alcoholism", + "los angeles, california", + "las vegas", + "alcohol abuse", + "dramatic", + "depressing", + "tragic" + ] + }, + { + "ranking": 2274, + "title": "Race", + "year": "2016", + "runtime": 134, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.2, + "vote_count": 1552, + "description": "Based on the story of Jesse Owens, the athlete whose quest to become the greatest track and field athlete in history thrusts him onto the world stage of the 1936 Olympics, where he faces off against Adolf Hitler's vision of Aryan supremacy.", + "poster": "https://image.tmdb.org/t/p/w500/3pKLVyz6LGQU8xEDhYHSHsfy5Bg.jpg", + "url": "https://www.themoviedb.org/movie/323677", + "genres": [ + "Drama", + "History" + ], + "tags": [ + "berlin, germany", + "sports", + "olympic games", + "biography", + "historical figure", + "racism", + "track and field", + "olympic athlete", + "star athlete", + "inspirational", + "jesse owens", + "olympic champion", + "olympic medal", + "biographical" + ] + }, + { + "ranking": 2271, + "title": "Queen of Katwe", + "year": "2016", + "runtime": 124, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.2, + "vote_count": 438, + "description": "A young girl overcomes her disadvantaged upbringing in the slums of Uganda to become a Chess master.", + "poster": "https://image.tmdb.org/t/p/w500/m8V2ud6uhV7qH6wEDoQ4Ujw99ji.jpg", + "url": "https://www.themoviedb.org/movie/317557", + "genres": [ + "Drama" + ], + "tags": [ + "chess", + "based on novel or book", + "sports", + "biography", + "based on true story", + "woman director", + "life in the slums", + "based on magazine, newspaper or article" + ] + }, + { + "ranking": 2275, + "title": "Batman: Year One", + "year": "2011", + "runtime": 64, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.248, + "vote_count": 976, + "description": "A wealthy playboy named Bruce Wayne and a Chicago cop named Jim Gordon both return to Gotham City where their lives unexpectedly intersect.", + "poster": "https://image.tmdb.org/t/p/w500/mLZRhulJcDsxZWTdfx0trtk6y07.jpg", + "url": "https://www.themoviedb.org/movie/69735", + "genres": [ + "Action", + "Animation", + "Crime", + "Thriller" + ], + "tags": [ + "superhero", + "based on comic", + "vigilante", + "police corruption", + "based on graphic novel", + "origin of hero", + "masked vigilante", + "adult animation", + "police vigilantism", + "woman director", + "vigilantism" + ] + }, + { + "ranking": 2273, + "title": "Rosetta", + "year": "1999", + "runtime": 95, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.249, + "vote_count": 305, + "description": "Young, impulsive Rosetta lives a hard and stressful life as she struggles to support herself and her alcoholic mother. Refusing all charity, she is desperate to maintain a dignified job.", + "poster": "https://image.tmdb.org/t/p/w500/buwLjQPPA9FaATvKzeAppLXiGMB.jpg", + "url": "https://www.themoviedb.org/movie/11489", + "genres": [ + "Drama" + ], + "tags": [ + "rape", + "trailer park", + "fishing", + "socially deprived family", + "belgium", + "poverty", + "waffle", + "struggle for survival", + "alcoholic", + "unemployment", + "substance abuse", + "social realism", + "caravan park", + "food vendor", + "alcoholic mother", + "mother daughter relationship", + "betrayal of trust" + ] + }, + { + "ranking": 2270, + "title": "Mune: Guardian of the Moon", + "year": "2015", + "runtime": 86, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.249, + "vote_count": 548, + "description": "When a faun named Mune becomes the Guardian of the Moon, little did he had unprepared experience with the Moon and an accident that could put both the Moon and the Sun in danger, including a corrupt titan named Necross who wants the Sun for himself and placing the balance of night and day in great peril. Now with the help of a wax-child named Glim and the warrior, Sohone who also became the Sun Guardian, they go out on an exciting journey to get the Sun back and restore the Moon to their rightful place in the sky.", + "poster": "https://image.tmdb.org/t/p/w500/fWjm8AH9YqkRUR2yf4y1mDIvj0O.jpg", + "url": "https://www.themoviedb.org/movie/323661", + "genres": [ + "Animation", + "Family", + "Adventure", + "Fantasy" + ], + "tags": [ + "moon" + ] + }, + { + "ranking": 2277, + "title": "Fist of Fury", + "year": "1972", + "runtime": 108, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.2, + "vote_count": 970, + "description": "Chen Chen returns to his former school in Shanghai when he learns that his beloved instructor has been murdered. While investigating the man's death, Chen discovers that a rival Japanese school is operating a drug smuggling ring. To avenge his master’s death, Chen takes on both Chinese and Japanese assassins… and even a towering Russian.", + "poster": "https://image.tmdb.org/t/p/w500/dlcipCOa9hlfBBz7kCAyjsf3q0E.jpg", + "url": "https://www.themoviedb.org/movie/11713", + "genres": [ + "Drama", + "Action", + "Thriller" + ], + "tags": [ + "martial arts", + "kung fu", + "teacher", + "revenge", + "honor", + "murder", + "tragic hero", + "one man army", + "tough guy", + "chinese", + "brutality", + "east asian lead", + "brawl", + "nunchaku", + "kung fu master", + "japanese man", + "puño de furia" + ] + }, + { + "ranking": 2286, + "title": "The Many Adventures of Winnie the Pooh", + "year": "1977", + "runtime": 74, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.2, + "vote_count": 1063, + "description": "Whether we’re young or forever young at heart, the Hundred Acre Wood calls to that place in each of us that still believes in magic. Join pals Pooh, Piglet, Kanga, Roo, Owl, Rabbit, Tigger and Christopher Robin as they enjoy their days together and sing their way through adventures.", + "poster": "https://image.tmdb.org/t/p/w500/2xwaFVLv5geVrFd81eUttv7OutF.jpg", + "url": "https://www.themoviedb.org/movie/250480", + "genres": [ + "Animation", + "Family", + "Adventure" + ], + "tags": [ + "cartoon", + "dream sequence", + "short compilation", + "cartoon bear", + "playful", + "cartoon donkey", + "whimsical" + ] + }, + { + "ranking": 2283, + "title": "Biutiful", + "year": "2010", + "runtime": 148, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.2, + "vote_count": 1119, + "description": "This is a story of a man in free fall. On the road to redemption, darkness lights his way. Connected with the afterlife, Uxbal is a tragic hero and father of two who's sensing the danger of death. He struggles with a tainted reality and a fate that works against him in order to forgive, for love, and forever.", + "poster": "https://image.tmdb.org/t/p/w500/4BLshBMp8INRDhvfuKwxMlHDIIt.jpg", + "url": "https://www.themoviedb.org/movie/45958", + "genres": [ + "Drama" + ], + "tags": [ + "immigrant", + "barcelona, spain", + "undocumented immigrant", + "chinese", + "single father", + "nostalgic", + "terminal cancer", + "tense", + "harsh" + ] + }, + { + "ranking": 2296, + "title": "Transformers: Rise of the Beasts", + "year": "2023", + "runtime": 127, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.245, + "vote_count": 4851, + "description": "When a new threat capable of destroying the entire planet emerges, Optimus Prime and the Autobots must team up with a powerful faction known as the Maximals. With the fate of humanity hanging in the balance, humans Noah and Elena will do whatever it takes to help the Transformers as they engage in the ultimate battle to save Earth.", + "poster": "https://image.tmdb.org/t/p/w500/gPbM0MK8CP8A174rmUwGsADNYKD.jpg", + "url": "https://www.themoviedb.org/movie/667538", + "genres": [ + "Science Fiction", + "Adventure", + "Action" + ], + "tags": [ + "peru", + "alien", + "end of the world", + "based on toy", + "robot", + "duringcreditsstinger", + "1990s", + "brother brother relationship" + ] + }, + { + "ranking": 2282, + "title": "Full Out", + "year": "2015", + "runtime": 94, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.2, + "vote_count": 342, + "description": "Based on the true life story of California gymnast Ariana Berlin. As she zoned in on her Olympic goals, 14 year old Ariana Berlin's life took a sharp turn when she was involved in a debilitating car accident. Gaining her confidence and movement back through learning hip hop dance, she unexpectedly found herself called back to the gymnastics world thanks to world renowned UCLA Coach Valorie Kondos Field. With Val's help, Ariana was eventually able to secure a spot on the UCLA gymnastics team and win an NCAA championship, a lifelong goal that she had always dreamed of. This is a wonderfully inspiring story of persistence, confidence, and the heart and courage to make a somewhat impossible comeback in life.", + "poster": "https://image.tmdb.org/t/p/w500/e9c2JOwJlWUfIZRaxIWE2BZt5GV.jpg", + "url": "https://www.themoviedb.org/movie/298582", + "genres": [ + "History", + "Drama", + "Family" + ], + "tags": [ + "dancing", + "sports", + "gymnastics", + "biography", + "car accident" + ] + }, + { + "ranking": 2289, + "title": "Despicable Me", + "year": "2010", + "runtime": 95, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.246, + "vote_count": 15309, + "description": "Villainous Gru lives up to his reputation as a despicable, deplorable and downright unlikable guy when he hatches a plan to steal the moon from the sky. But he has a tough time staying on task after three orphans land in his care.", + "poster": "https://image.tmdb.org/t/p/w500/9lOloREsAhBu0pEtU0BgeR1rHyo.jpg", + "url": "https://www.themoviedb.org/movie/20352", + "genres": [ + "Animation", + "Family", + "Comedy" + ], + "tags": [ + "moon", + "parent child relationship", + "orphanage", + "villain", + "adoptive father", + "life's dream", + "rivalry", + "ballet", + "stealing", + "little girl", + "orphan", + "tomboy", + "intelligent", + "evil doctor", + "duringcreditsstinger", + "supervillain", + "illumination", + "joyful" + ] + }, + { + "ranking": 2291, + "title": "The Last Temptation of Christ", + "year": "1988", + "runtime": 163, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.2, + "vote_count": 1085, + "description": "Jesus, a humble Judean carpenter beginning to see that he is the son of God, is drawn into revolutionary action against the Roman occupiers by Judas -- despite his protestations that love, not violence, is the path to salvation. The burden of being the savior of mankind torments Jesus throughout his life, leading him to doubt.", + "poster": "https://image.tmdb.org/t/p/w500/7L4qwrC1mipZXJfU5oRgQWChLv1.jpg", + "url": "https://www.themoviedb.org/movie/11051", + "genres": [ + "Drama" + ], + "tags": [ + "christianity", + "traitor", + "roman", + "crucifixion", + "longing", + "moral conflict", + "spirituality", + "cross", + "temptation", + "mary magdalene", + "controversial" + ] + }, + { + "ranking": 2290, + "title": "Violent Cop", + "year": "1989", + "runtime": 103, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.246, + "vote_count": 384, + "description": "A detective breaks all rules of ethical conduct while investigating a colleague’s involvement in drug pushing and Yakuza activities.", + "poster": "https://image.tmdb.org/t/p/w500/9MmLBW1xFlSBu0xcv5KZOKp89OC.jpg", + "url": "https://www.themoviedb.org/movie/12622", + "genres": [ + "Crime", + "Thriller", + "Action", + "Drama" + ], + "tags": [ + "drug dealer", + "police brutality", + "police", + "drug trafficking", + "male friendship", + "torturing police", + "policeman" + ] + }, + { + "ranking": 2287, + "title": "Frozen", + "year": "2013", + "runtime": 102, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.2, + "vote_count": 16770, + "description": "Young princess Anna of Arendelle dreams about finding true love at her sister Elsa’s coronation. Fate takes her on a dangerous journey in an attempt to end the eternal winter that has fallen over the kingdom. She's accompanied by ice delivery man Kristoff, his reindeer Sven, and snowman Olaf. On an adventure where she will find out what friendship, courage, family, and true love really means.", + "poster": "https://image.tmdb.org/t/p/w500/mmWheq3cFI4tYrZDiATOkCNTqgK.jpg", + "url": "https://www.themoviedb.org/movie/109445", + "genres": [ + "Animation", + "Family", + "Adventure", + "Fantasy" + ], + "tags": [ + "princess", + "magic", + "mistake in person", + "queen", + "cartoon", + "villain", + "musical", + "betrayal", + "snowman", + "reindeer", + "curse", + "snow", + "troll", + "based on children's book", + "mountain climbing", + "evil prince", + "based on fairy tale", + "aftercreditsstinger", + "frozen", + "woman director", + "sister sister relationship", + "magic land" + ] + }, + { + "ranking": 2284, + "title": "Skyfall", + "year": "2012", + "runtime": 143, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.2, + "vote_count": 15385, + "description": "When Bond's latest assignment goes gravely wrong, agents around the world are exposed and MI6 headquarters is attacked. While M faces challenges to her authority and position from Gareth Mallory, the new Chairman of the Intelligence and Security Committee, it's up to Bond, aided only by field agent Eve, to locate the mastermind behind the attack.", + "poster": "https://image.tmdb.org/t/p/w500/d0IVecFQvsGdSbnMAHqiYsNYaJT.jpg", + "url": "https://www.themoviedb.org/movie/37724", + "genres": [ + "Action", + "Adventure", + "Thriller" + ], + "tags": [ + "spy", + "secret agent", + "sociopath", + "police impersonator", + "mi6", + "killer", + "art gallery", + "british secret service", + "uzi", + "booby trap", + "macao", + "komodo dragon", + "intense", + "vibrant" + ] + }, + { + "ranking": 2288, + "title": "The Concert", + "year": "2009", + "runtime": 119, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.2, + "vote_count": 506, + "description": "A former world-famous conductor of the Bolshoï orchestra, known as \"The Maëstro\", Andreï Filipov had seen his career publicly broken by Leonid Brezhnev for hiring Jewish musicians and now works cleaning the concert hall where he once directed. One day, he intercepts an official invitation from the prestigious Théâtre du Châtelet. Through a series of mad antics, he reunites his old orchestra, now composed of old alcoholic musicians, and flies to perform in Paris and complete the Tchaikovsky concerto interrupted 30 years earlier. For the concerto, he engages a young violin soloist with whom he has an unexpected connection.", + "poster": "https://image.tmdb.org/t/p/w500/nMIDVIq7p2mcvolG93FH4Ku3aYJ.jpg", + "url": "https://www.themoviedb.org/movie/25205", + "genres": [ + "Drama", + "Comedy" + ], + "tags": [ + "concert", + "orchestra", + "musical", + "violin player", + "gipsy" + ] + }, + { + "ranking": 2292, + "title": "Frequency", + "year": "2000", + "runtime": 118, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.2, + "vote_count": 1819, + "description": "When a rare phenomenon gives police officer John Sullivan the chance to speak to his father, 30 years in the past, he takes the opportunity to prevent his dad's tragic death. After his actions inadvertently give rise to a series of brutal murders he and his father must find a way to fix the consequences of altering time.", + "poster": "https://image.tmdb.org/t/p/w500/eu3Hrjj271dnBdNAF0HqfmwWASt.jpg", + "url": "https://www.themoviedb.org/movie/10559", + "genres": [ + "Science Fiction", + "Thriller" + ], + "tags": [ + "rescue", + "future", + "new york city", + "race against time", + "mother", + "escape", + "detective", + "baseball", + "investigation", + "time travel", + "radio", + "father", + "time", + "family relationships", + "paranormal", + "flashback", + "murder", + "explosion", + "criminal investigation", + "firefighter", + "phenomenon", + "amateur radio", + "aurora borealis", + "altering history" + ] + }, + { + "ranking": 2293, + "title": "North Country", + "year": "2005", + "runtime": 126, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.246, + "vote_count": 674, + "description": "A fictionalized account of the first major successful sexual harassment case in the United States -- Jenson vs. Eveleth Mines, where a woman who endured a range of abuse while working as a miner filed and won the landmark 1984 lawsuit.", + "poster": "https://image.tmdb.org/t/p/w500/upxUN4zmX79o49mBW9htKZDeNq7.jpg", + "url": "https://www.themoviedb.org/movie/9701", + "genres": [ + "Drama" + ], + "tags": [ + "rape", + "court", + "minnesota", + "harassment", + "witness", + "based on true story", + "lawsuit", + "miner", + "insult", + "love", + "sexual harassment", + "battle", + "single mother", + "woman director", + "landmark", + "1980s" + ] + }, + { + "ranking": 2281, + "title": "Strays", + "year": "2023", + "runtime": 93, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.247, + "vote_count": 883, + "description": "When Reggie is abandoned on the mean city streets by his lowlife owner, Doug, Reggie is certain that his beloved owner would never leave him on purpose. But once Reggie falls in with Bug, a fast-talking, foul-mouthed stray who loves his freedom and believes that owners are for suckers, Reggie finally realizes he was in a toxic relationship and begins to see Doug for the heartless sleazeball that he is.", + "poster": "https://image.tmdb.org/t/p/w500/n1hqbSCtyBAxaXEl1Dj3ipXJAJG.jpg", + "url": "https://www.themoviedb.org/movie/912908", + "genres": [ + "Comedy", + "Adventure" + ], + "tags": [ + "talking dog", + "magic mushroom", + "crude humor", + "male masturbation", + "duringcreditsstinger", + "animal liberation", + "self-liberation", + "abandonment", + "abandoned puppy", + "toxic relationship", + "talking animal" + ] + }, + { + "ranking": 2298, + "title": "The City of Lost Children", + "year": "1995", + "runtime": 113, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.2, + "vote_count": 1117, + "description": "A scientist in a surrealist society kidnaps children to steal their dreams, hoping that they slow his aging process.", + "poster": "https://image.tmdb.org/t/p/w500/whwT3Q9JxbAYzEc3t7uYYcCbTMf.jpg", + "url": "https://www.themoviedb.org/movie/902", + "genres": [ + "Fantasy", + "Science Fiction", + "Adventure" + ], + "tags": [ + "rescue", + "friendship", + "island", + "dreams", + "clone", + "dystopia", + "eye", + "aging", + "steampunk", + "childhood", + "child kidnapping", + "flea" + ] + }, + { + "ranking": 2295, + "title": "The Last Kingdom: Seven Kings Must Die", + "year": "2023", + "runtime": 111, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.2, + "vote_count": 710, + "description": "In the wake of King Edward's death, Uhtred of Bebbanburg and his comrades adventure across a fractured kingdom in the hopes of uniting England at last.", + "poster": "https://image.tmdb.org/t/p/w500/qcNDxDzd5OW9wE3c8nWxCBQoBrM.jpg", + "url": "https://www.themoviedb.org/movie/948713", + "genres": [ + "Action", + "Adventure", + "War" + ], + "tags": [ + "fight", + "kingdom", + "heir to the throne", + "battle for power", + "vikings (norsemen)", + "crown", + "king", + "battle", + "death of king", + "invaders", + "northumbria", + "10th century", + "heirs" + ] + }, + { + "ranking": 2294, + "title": "Forbidden Planet", + "year": "1956", + "runtime": 98, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.2, + "vote_count": 958, + "description": "Starship C57D travels to planet Altair 4 in search of the crew of spaceship \"Bellerophon,\" a scientific expedition that has been missing for twenty years. They find themselves unwelcome by the expedition's lone survivor and warned of destruction by an invisible force if they don't turn back immediately.", + "poster": "https://image.tmdb.org/t/p/w500/aq0OQfRS7hDDI8vyD0ICbH9eguC.jpg", + "url": "https://www.themoviedb.org/movie/830", + "genres": [ + "Science Fiction", + "Adventure" + ], + "tags": [ + "flying saucer", + "rescue mission", + "space", + "alien planet", + "robot", + "sabotage", + "mysterious death", + "alien civilization", + "lone survivor", + "extinct race", + "invisible monster", + "ray weapons", + "mind enhancement", + "atomic power plant", + "romantic triangle" + ] + }, + { + "ranking": 2285, + "title": "The Painted Veil", + "year": "2006", + "runtime": 125, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.247, + "vote_count": 1185, + "description": "A British medical doctor fights a cholera outbreak in a small Chinese village, while also being trapped at home in a loveless marriage to an unfaithful wife.", + "poster": "https://image.tmdb.org/t/p/w500/k41IvHDLgZO2ae7RuU77wQjScIj.jpg", + "url": "https://www.themoviedb.org/movie/14202", + "genres": [ + "Romance", + "Drama" + ], + "tags": [ + "infidelity", + "china", + "based on novel or book", + "shanghai, china", + "nun", + "cholera", + "foreign aid", + "doctor", + "epidemic", + "convent (nunnery)", + "loveless marriage", + "1920s", + "bacteriologist" + ] + }, + { + "ranking": 2299, + "title": "Everything, Everything", + "year": "2017", + "runtime": 96, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.2, + "vote_count": 3694, + "description": "A teenager who's lived a sheltered life because she's allergic to everything, falls for the boy who moves in next door.", + "poster": "https://image.tmdb.org/t/p/w500/gukkmf3W5Cev7winxBa8FHvKLql.jpg", + "url": "https://www.themoviedb.org/movie/417678", + "genres": [ + "Drama", + "Romance" + ], + "tags": [ + "based on novel or book", + "nurse", + "isolation", + "love", + "neighbor", + "teenage girl", + "air", + "teenage love", + "illness", + "sheltered", + "taking a risk", + "based on young adult novel" + ] + }, + { + "ranking": 2300, + "title": "Every Day", + "year": "2018", + "runtime": 97, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.243, + "vote_count": 2238, + "description": "16-year old Rhiannon falls in love with a mysterious spirit named “A” that inhabits a different body every day. Feeling an unmatched connection, Rhiannon and “A” work each day to find each other, not knowing what the next day will bring.", + "poster": "https://image.tmdb.org/t/p/w500/4UnME3icxSspwL0UoGZNSyyp7Xs.jpg", + "url": "https://www.themoviedb.org/movie/465136", + "genres": [ + "Romance", + "Fantasy" + ], + "tags": [ + "based on novel or book", + "transformation", + "body switch", + "based on young adult novel" + ] + }, + { + "ranking": 2297, + "title": "Betty Blue", + "year": "1986", + "runtime": 120, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.2, + "vote_count": 420, + "description": "A lackadaisical handyman and aspiring novelist tries to support his younger girlfriend as she slowly succumbs to madness.", + "poster": "https://image.tmdb.org/t/p/w500/dGkxgj2ozlD4yRtsJL35EUXegFv.jpg", + "url": "https://www.themoviedb.org/movie/11986", + "genres": [ + "Drama", + "Romance" + ], + "tags": [ + "self-destruction", + "kiss", + "mental breakdown", + "self-inflicted injury", + "borderline personality disorder", + "femme fatale" + ] + }, + { + "ranking": 2320, + "title": "Man on the Moon", + "year": "1999", + "runtime": 118, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.2, + "vote_count": 1821, + "description": "The story of the life and career of eccentric avant-garde comedian, Andy Kaufman.", + "poster": "https://image.tmdb.org/t/p/w500/msOZS07xRIFnapwp3fprGbKEAfT.jpg", + "url": "https://www.themoviedb.org/movie/1850", + "genres": [ + "Comedy", + "Drama" + ], + "tags": [ + "show business", + "comedian", + "biography", + "pro wrestling", + "mentally unstable", + "pro wrestlers" + ] + }, + { + "ranking": 2301, + "title": "The Shape of Water", + "year": "2017", + "runtime": 123, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.2, + "vote_count": 12280, + "description": "An other-worldly story, set against the backdrop of Cold War era America circa 1962, where a mute janitor working at a lab falls in love with an amphibious man being held captive there and devises a plan to help him escape.", + "poster": "https://image.tmdb.org/t/p/w500/9zfwPffUXpBrEP26yp0q1ckXDcj.jpg", + "url": "https://www.themoviedb.org/movie/399055", + "genres": [ + "Drama", + "Fantasy", + "Romance" + ], + "tags": [ + "government", + "fairy tale", + "cold war", + "supernatural", + "baltimore, usa", + "laboratory", + "orphan", + "bathtub", + "scientist", + "magic realism", + "capture", + "sign languages", + "1960s", + "fishman", + "amphibious creature", + "dramatic", + "romantic" + ] + }, + { + "ranking": 2303, + "title": "Barbie: A Fashion Fairytale", + "year": "2010", + "runtime": 79, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.243, + "vote_count": 763, + "description": "Join Barbie in a colourful, modern-day fairytale filled with fashion, friends and fun! Barbie and her dog Sequin jet off to visit her Aunt's amazing fashion house in Paris, and much to her surprise it's about to be shut down forever. After she discovers three enchanting Flairies with sparkle-magic powers, Barbie comes up with a brilliant idea to save the business. She even inspires Alice, a shy fashion designer, and together they create a dazzling runway fashion show. Barbie shows that magic happens when you believe in yourself.", + "poster": "https://image.tmdb.org/t/p/w500/bFnf8f8DXdCANQ7Y62djgubhh4P.jpg", + "url": "https://www.themoviedb.org/movie/44874", + "genres": [ + "Family", + "Animation" + ], + "tags": [ + "magic", + "based on toy", + "fashion" + ] + }, + { + "ranking": 2305, + "title": "The Lady Eve", + "year": "1941", + "runtime": 97, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.2, + "vote_count": 352, + "description": "It's no accident when wealthy Charles falls for Jean. Jean is a con artist with her sights set on Charles' fortune. Matters complicate when Jean starts falling for her mark. When Charles suspects Jean is a gold digger, he dumps her. Jean, fixated on revenge and still pining for the millionaire, devises a plan to get back in Charles' life. With love and payback on her mind, she re-introduces herself to Charles, this time as an aristocrat named Lady Eve Sidwich.", + "poster": "https://image.tmdb.org/t/p/w500/lJYD3CMgKtv12hazSHc7xt3i2uq.jpg", + "url": "https://www.themoviedb.org/movie/3086", + "genres": [ + "Comedy", + "Romance" + ], + "tags": [ + "daughter", + "ship", + "snake", + "gambling", + "passenger", + "fraud", + "romcom", + "deception", + "con artist", + "money", + "revenge", + "wealth", + "hair", + "cardsharp", + "screwball comedy", + "gold digger" + ] + }, + { + "ranking": 2306, + "title": "She Said", + "year": "2022", + "runtime": 129, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.242, + "vote_count": 620, + "description": "New York Times reporters Megan Twohey and Jodi Kantor break one of the most important stories in a generation — a story that helped launch the #MeToo movement and shattered decades of silence around the subject of sexual assault in Hollywood.", + "poster": "https://image.tmdb.org/t/p/w500/jG4UI2dbNWlWtTTupjeU3fRJ5Fn.jpg", + "url": "https://www.themoviedb.org/movie/837881", + "genres": [ + "Drama", + "History" + ], + "tags": [ + "based on novel or book", + "journalism", + "biography", + "sexual violence", + "sexual harassment", + "hollywood", + "female journalist", + "new york times", + "sexual assault", + "judiciary", + "abuse of power", + "metoo", + "2010s", + "harvey weinstein" + ] + }, + { + "ranking": 2318, + "title": "3:10 to Yuma", + "year": "1957", + "runtime": 92, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.239, + "vote_count": 372, + "description": "Dan Evans, a small time farmer, is hired to escort Ben Wade, a dangerous outlaw, to Yuma. As Evans and Wade wait for the 3:10 train to Yuma, Wade's gang is racing to free him.", + "poster": "https://image.tmdb.org/t/p/w500/emYeJVZrpl2WfndJlhbls1e7lzQ.jpg", + "url": "https://www.themoviedb.org/movie/14168", + "genres": [ + "Western", + "Drama", + "Thriller" + ], + "tags": [ + "hotel", + "small town", + "arizona", + "hunger", + "ranch", + "outlaw", + "shootout", + "black and white", + "train", + "bandit", + "stagecoach", + "based on short story", + "drought", + "19th century" + ] + }, + { + "ranking": 2312, + "title": "Tell No One", + "year": "2006", + "runtime": 131, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.24, + "vote_count": 1420, + "description": "A man receives a mysterious e-mail appearing to be from his wife, who was murdered years earlier. As he frantically tries to find out whether she's alive, he finds himself being implicated in her death.", + "poster": "https://image.tmdb.org/t/p/w500/fr2wEeO1H8dzx6EDfzYTRBIvZaE.jpg", + "url": "https://www.themoviedb.org/movie/10795", + "genres": [ + "Drama", + "Thriller", + "Crime", + "Mystery" + ], + "tags": [ + "dying and death", + "drug abuse", + "based on novel or book", + "loss of loved one", + "falsely accused", + "sadness", + "e-mail", + "cover-up", + "love", + "grief", + "disappearance", + "murderer", + "false accusations", + "killer" + ] + }, + { + "ranking": 2311, + "title": "OSS 117: Cairo, Nest of Spies", + "year": "2006", + "runtime": 99, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.2, + "vote_count": 1758, + "description": "Set in 1955, French secret agent Hubert Bonisseur de La Bath/OSS 117 is sent to Cairo to investigate the disappearance of his best friend and fellow spy Jack Jefferson, only to stumble into a web of international intrigue.", + "poster": "https://image.tmdb.org/t/p/w500/dDVHVZVEbTV4JsB8ZjdXNmMK7rA.jpg", + "url": "https://www.themoviedb.org/movie/15152", + "genres": [ + "Crime", + "Action", + "Adventure", + "Comedy" + ], + "tags": [ + "france", + "cairo", + "nazi", + "espionage", + "secret agent" + ] + }, + { + "ranking": 2310, + "title": "Fast Five", + "year": "2011", + "runtime": 130, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.2, + "vote_count": 8337, + "description": "Former cop Brian O'Conner partners with ex-con Dom Toretto on the opposite side of the law. Since Brian and Mia Toretto broke Dom out of custody, they've blown across many borders to elude authorities. Now backed into a corner in Rio de Janeiro, they must pull one last job in order to gain their freedom.", + "poster": "https://image.tmdb.org/t/p/w500/gEfQjjQwY7fh5bI4GlG0RrBu7Pz.jpg", + "url": "https://www.themoviedb.org/movie/51497", + "genres": [ + "Action", + "Thriller", + "Crime" + ], + "tags": [ + "car race", + "freedom", + "fbi", + "car crash", + "prison escape", + "heist", + "escaped convict", + "street race", + "money", + "organized crime", + "fugitive", + "on the run", + "police chase", + "duringcreditsstinger", + "intense", + "vibrant" + ] + }, + { + "ranking": 2304, + "title": "Blood Simple", + "year": "1984", + "runtime": 97, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.243, + "vote_count": 1459, + "description": "The owner of a seedy small-town Texas bar discovers that one of his employees is having an affair with his wife. A chaotic chain of misunderstandings, lies and mischief ensues after he devises a plot to have them murdered.", + "poster": "https://image.tmdb.org/t/p/w500/svU6pu4lfHn0T5BVZchVxL58HB5.jpg", + "url": "https://www.themoviedb.org/movie/11368", + "genres": [ + "Crime", + "Drama", + "Thriller" + ], + "tags": [ + "husband wife relationship", + "boss", + "texas", + "lover", + "employee", + "money", + "killer", + "double cross", + "extramarital affair", + "shallow grave", + "private detective", + "hired killer", + "neo-noir" + ] + }, + { + "ranking": 2307, + "title": "Pearl", + "year": "2022", + "runtime": 102, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.241, + "vote_count": 2141, + "description": "Trapped on her family’s isolated farm, Pearl must tend to her ailing father under the bitter and overbearing watch of her devout mother. Lusting for a glamorous life like she’s seen in the movies, Pearl’s ambitions, temptations, and repressions collide.", + "poster": "https://image.tmdb.org/t/p/w500/z5uIG81pXyHKg7cUFIu84Wjn4NS.jpg", + "url": "https://www.themoviedb.org/movie/949423", + "genres": [ + "Horror" + ], + "tags": [ + "farm", + "pornography", + "dance performance", + "confession", + "texas", + "alligator", + "barn", + "prequel", + "murder", + "serial killer", + "slasher", + "corpse", + "murderer", + "lust", + "religious fundamentalism", + "audition", + "mental illness", + "projectionist", + "isolated farmhouse", + "pandemic", + "1910s", + "mother daughter relationship", + "origin story", + "aspiring actress", + "pastiche", + "callous" + ] + }, + { + "ranking": 2308, + "title": "The Good, the Bart, and the Loki", + "year": "2021", + "runtime": 6, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.2, + "vote_count": 672, + "description": "Loki is banished from Asgard once again and must face his toughest opponents yet: the Simpsons and Springfield’s mightiest heroes. The God of Mischief teams up with Bart Simpson in the ultimate crossover event paying tribute to the Marvel Cinematic Universe of superheroes and villains.", + "poster": "https://image.tmdb.org/t/p/w500/rtMdtzywcAGOrF6t8fbxJBqpdcq.jpg", + "url": "https://www.themoviedb.org/movie/846214", + "genres": [ + "Animation", + "Comedy", + "Family" + ], + "tags": [ + "springfield illinois", + "mischief" + ] + }, + { + "ranking": 2315, + "title": "It", + "year": "2017", + "runtime": 135, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.239, + "vote_count": 19273, + "description": "In a small town in Maine, seven children known as The Losers Club come face to face with life problems, bullies and a monster that takes the shape of a clown called Pennywise.", + "poster": "https://image.tmdb.org/t/p/w500/9E2y5Q7WlCVNEhP5GiVTjhEhx1o.jpg", + "url": "https://www.themoviedb.org/movie/346364", + "genres": [ + "Horror", + "Thriller" + ], + "tags": [ + "small town", + "based on novel or book", + "clown", + "bullying", + "abandoned house", + "coming of age", + "flashback", + "murder", + "balloon", + "maine", + "school", + "creature", + "fear", + "summer", + "killer", + "missing person", + "death of brother", + "well", + "child", + "demonic", + "town history", + "frightened" + ] + }, + { + "ranking": 2309, + "title": "Chinese Take-Away", + "year": "2011", + "runtime": 93, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.241, + "vote_count": 407, + "description": "A comedy that chronicles a chance encounter between Robert and a Chinese named Jun who wanders lost through the city of Buenos Aires in search of his uncle after being assaulted by a taxi driver and his henchmen.", + "poster": "https://image.tmdb.org/t/p/w500/wSrMT1YrcMH4NdzH7IdJaQzgzJc.jpg", + "url": "https://www.themoviedb.org/movie/67884", + "genres": [ + "Comedy" + ], + "tags": [] + }, + { + "ranking": 2319, + "title": "On Golden Pond", + "year": "1981", + "runtime": 109, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.238, + "vote_count": 478, + "description": "For Norman and Ethel Thayer, this summer on golden pond is filled with conflict and resolution. When their daughter Chelsea arrives, the family is forced to renew the bonds of love and overcome the generational friction that has existed for years.", + "poster": "https://image.tmdb.org/t/p/w500/2Hota8YZwhvCn6BJT3iK5gz4ANg.jpg", + "url": "https://www.themoviedb.org/movie/11816", + "genres": [ + "Drama", + "Romance" + ], + "tags": [ + "daughter", + "lake", + "parent child relationship", + "son", + "based on play or musical", + "family relationships", + "family holiday", + "new england", + "family conflict", + "lake house", + "optimistic" + ] + }, + { + "ranking": 2316, + "title": "In the House", + "year": "2012", + "runtime": 105, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.2, + "vote_count": 850, + "description": "A sixteen-year-old boy insinuates himself into the house of a fellow student from his literature class and writes about it in essays for his French teacher. Faced with this gifted and unusual pupil, the teacher rediscovers his enthusiasm for his work, but the boy’s intrusion will unleash a series of uncontrollable events.", + "poster": "https://image.tmdb.org/t/p/w500/6NCBSCCcyef9aNcABsVGZwuehSC.jpg", + "url": "https://www.themoviedb.org/movie/121875", + "genres": [ + "Comedy", + "Drama", + "Mystery", + "Thriller" + ], + "tags": [ + "high school", + "teacher", + "teen angst", + "male homosexuality", + "school", + "writer", + "teacher student relationship", + "lgbt", + "homework", + "gay theme" + ] + }, + { + "ranking": 2313, + "title": "A Christmas Story", + "year": "1983", + "runtime": 93, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.24, + "vote_count": 1283, + "description": "The comic mishaps and adventures of a young boy named Ralph, trying to convince his parents, teachers, and Santa that a Red Ryder B.B. gun really is the perfect Christmas gift for the 1940s.", + "poster": "https://image.tmdb.org/t/p/w500/f3VITMLSmP3Ai65AvXT54RcF5Sw.jpg", + "url": "https://www.themoviedb.org/movie/850", + "genres": [ + "Comedy", + "Family" + ], + "tags": [ + "holiday", + "nostalgia", + "young boy", + "snow", + "chinese restaurant", + "tongue", + "christmas tree dealer", + "mall santa", + "christmas", + "1940s", + "cleveland, ohio", + "parker family", + "xmas eve" + ] + }, + { + "ranking": 2317, + "title": "Headhunters", + "year": "2011", + "runtime": 100, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.2, + "vote_count": 1261, + "description": "An accomplished headhunter risks everything to obtain a valuable painting owned by a former mercenary.", + "poster": "https://image.tmdb.org/t/p/w500/ll32Hyillq6VSC1F7v4m2uZjGKI.jpg", + "url": "https://www.themoviedb.org/movie/70670", + "genres": [ + "Thriller", + "Crime", + "Action" + ], + "tags": [ + "based on novel or book", + "chase", + "mercenary", + "dark comedy", + "morgue", + "norway", + "heist", + "on the run", + "death of lover", + "art thief", + "cat and mouse", + "art gallery", + "presumed dead", + "cat burglar", + "police investigation", + "troubled marriage", + "tracking device", + "nordic noir", + "oslo, norway", + "forgery", + "poisoning", + "art heist", + "tracking" + ] + }, + { + "ranking": 2314, + "title": "Love at First Sight", + "year": "2023", + "runtime": 91, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.239, + "vote_count": 608, + "description": "Hadley and Oliver begin falling in love on a flight from New York to London, but when they lose each other at customs, can they defy all odds to reunite?", + "poster": "https://image.tmdb.org/t/p/w500/vCMGlarDrcmhclBmnYoH7JUCDuA.jpg", + "url": "https://www.themoviedb.org/movie/353577", + "genres": [ + "Romance", + "Drama" + ], + "tags": [ + "based on novel or book", + "love at first sight", + "reunion", + "twenty something" + ] + }, + { + "ranking": 2302, + "title": "The Vow", + "year": "2012", + "runtime": 104, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.243, + "vote_count": 4086, + "description": "Happy young married couple Paige and Leo are, well, happy. Then a car accident puts Paige into a life-threatening coma. Upon awakening she has lost the previous five years of memories, including those of her beloved Leo, her wedding, a confusing relationship with her parents, or the ending of her relationship with her ex-fiance. Despite these complications, Leo endeavors to win her heart again and rebuild their marriage.", + "poster": "https://image.tmdb.org/t/p/w500/y5GUXzTvt7kSQbdQrSvbYNoa8HB.jpg", + "url": "https://www.themoviedb.org/movie/72570", + "genres": [ + "Drama", + "Romance" + ], + "tags": [ + "amnesia", + "coma", + "based on true story", + "romance", + "memory loss", + "car accident", + "valentine's day" + ] + }, + { + "ranking": 2326, + "title": "The Last Metro", + "year": "1980", + "runtime": 131, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.2, + "vote_count": 488, + "description": "In occupied Paris, an actress married to a Jewish theater owner must keep him hidden from the Nazis while doing both of their jobs.", + "poster": "https://image.tmdb.org/t/p/w500/yJbA6jjuj9h8x2tZSgTkzpQ8PzS.jpg", + "url": "https://www.themoviedb.org/movie/1716", + "genres": [ + "Drama", + "Romance", + "War" + ], + "tags": [ + "jew persecution", + "theater play", + "theatre group", + "nouvelle vague" + ] + }, + { + "ranking": 2324, + "title": "The Last Song", + "year": "2010", + "runtime": 107, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.237, + "vote_count": 3316, + "description": "A drama centered on a rebellious girl who is sent to a Southern beach town for the summer to stay with her father. Through their mutual love of music, the estranged duo learn to reconnect.", + "poster": "https://image.tmdb.org/t/p/w500/76twEOHXAM2oKnvZYBI5bP6GeDu.jpg", + "url": "https://www.themoviedb.org/movie/35690", + "genres": [ + "Drama", + "Family", + "Romance" + ], + "tags": [ + "daughter", + "new love", + "sibling relationship", + "romance", + "summer vacation", + "woman director" + ] + }, + { + "ranking": 2332, + "title": "Blazing Saddles", + "year": "1974", + "runtime": 93, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.236, + "vote_count": 1917, + "description": "A town—where everyone seems to be named Johnson—stands in the way of the railroad. In order to grab their land, robber baron Hedley Lamarr sends his henchmen to make life in the town unbearable. After the sheriff is killed, the town demands a new sheriff from the Governor, so Hedley convinces him to send the town the first black sheriff in the west.", + "poster": "https://image.tmdb.org/t/p/w500/vNw1gOEDdYTDeNMuuq8OmiEHrfH.jpg", + "url": "https://www.themoviedb.org/movie/11072", + "genres": [ + "Western", + "Comedy" + ], + "tags": [ + "governor", + "saloon", + "gun", + "parody", + "marching band", + "breaking the fourth wall", + "spoof", + "racism", + "railroad", + "interrupted hanging", + "cowboy", + "western town", + "western spoof", + "ceremony", + "frontier town", + "saloon girl", + "coot", + "self-referential", + "anarchic comedy", + "anachronistic", + "farting" + ] + }, + { + "ranking": 2335, + "title": "The Roundup", + "year": "2022", + "runtime": 106, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.2, + "vote_count": 339, + "description": "The 'Beast Cop' Ma Seok-do heads to a foreign country to extradite a suspect, but soon after his arrival, he discovers additional murder cases and hears about a vicious killer who has been committing crimes against tourists for several years.", + "poster": "https://image.tmdb.org/t/p/w500/aTogcymFfYXYb2sx950ntIpgOJe.jpg", + "url": "https://www.themoviedb.org/movie/619803", + "genres": [ + "Action", + "Crime", + "Thriller", + "Adventure" + ], + "tags": [ + "vietnam", + "police", + "gangster", + "detective", + "sequel", + "murder investigation", + "international crime", + "2000s", + "vindictive", + "seoul, south korea", + "ho chi minh", + "intense" + ] + }, + { + "ranking": 2340, + "title": "The Wonderful Story of Henry Sugar", + "year": "2023", + "runtime": 39, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.234, + "vote_count": 1079, + "description": "A rich man learns about a guru who can see without using his eyes. He sets out to master the skill in order to cheat at gambling.", + "poster": "https://image.tmdb.org/t/p/w500/fDUywEHwHh6nsLnVXAdPN9m4ZUG.jpg", + "url": "https://www.themoviedb.org/movie/923939", + "genres": [ + "Comedy", + "Fantasy", + "Adventure" + ], + "tags": [ + "london, england", + "card game", + "casino", + "based on novel or book", + "gambling", + "charity", + "training", + "wealth", + "breaking the fourth wall", + "calcutta", + "storytelling", + "story within the story", + "1930s", + "yogi" + ] + }, + { + "ranking": 2327, + "title": "Ruby Gillman, Teenage Kraken", + "year": "2023", + "runtime": 91, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.2, + "vote_count": 1008, + "description": "Ruby Gillman, a sweet and awkward high school student, discovers she's a direct descendant of the warrior kraken queens. The kraken are sworn to protect the oceans of the world against the vain, power-hungry mermaids. Destined to inherit the throne from her commanding grandmother, Ruby must use her newfound powers to protect those she loves most.", + "poster": "https://image.tmdb.org/t/p/w500/8ChIb3WzYAcza1vrXR56v510MWk.jpg", + "url": "https://www.themoviedb.org/movie/1040148", + "genres": [ + "Animation", + "Family", + "Fantasy", + "Comedy" + ], + "tags": [ + "high school", + "ocean", + "boat", + "transformation", + "fisherman", + "mermaid", + "villain", + "coming of age", + "prom", + "female protagonist", + "kraken", + "female villain", + "coastal town", + "fitting in", + "trident", + "3d animation", + "teenager", + "animation" + ] + }, + { + "ranking": 2333, + "title": "Set It Off", + "year": "1996", + "runtime": 123, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.2, + "vote_count": 360, + "description": "Four inner-city Black women, determined to end their constant struggle, decide to live by one rule — get what you want or die trying. So the four women take back their lives and take out some banks in the process.", + "poster": "https://image.tmdb.org/t/p/w500/wpiARyUqTfabzakAXHMIUY6Tl1A.jpg", + "url": "https://www.themoviedb.org/movie/9400", + "genres": [ + "Crime", + "Drama", + "Thriller" + ], + "tags": [ + "single parent", + "bank robber", + "last chance", + "heist", + "los angeles, california", + "biting", + "angry", + "somber", + "complex", + "cautionary", + "suspenseful", + "incredulous", + "tense", + "authoritarian", + "distressing", + "hopeful", + "pessimistic", + "scathing" + ] + }, + { + "ranking": 2321, + "title": "West Side Story", + "year": "1961", + "runtime": 153, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.238, + "vote_count": 1914, + "description": "In the slums of the upper West Side of Manhattan, tensions are high as a gang of Polish-Americans compete against a gang of recently immigrated Puerto Ricans, but this doesn't stop two romantics from each gang falling in love.", + "poster": "https://image.tmdb.org/t/p/w500/vCtErvzF6S93DtoD7URwy9Mr7oe.jpg", + "url": "https://www.themoviedb.org/movie/1725", + "genres": [ + "Crime", + "Drama", + "Romance" + ], + "tags": [ + "immigrant", + "showdown", + "street gang", + "slum", + "love at first sight", + "puerto rico", + "highway", + "forbidden love", + "musical", + "based on play or musical", + "rivalry", + "feud", + "interracial relationship", + "tragic love", + "attempted rape", + "policeman", + "obsessive love", + "lifting female in air", + "young love", + "modern day adaptation", + "shakespeare in modern dress", + "romeo & juliet", + "romantic", + "tragic" + ] + }, + { + "ranking": 2325, + "title": "Milk", + "year": "2008", + "runtime": 128, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.237, + "vote_count": 2241, + "description": "The true story of Harvey Milk, the first openly gay man ever elected to public office. In San Francisco in the late 1970s, Harvey Milk becomes an activist for gay rights and inspires others to join him in his fight for equal rights that should be available to all Americans.", + "poster": "https://image.tmdb.org/t/p/w500/ot4ImF4b7QbS6XsTdMH3pWxNmX2.jpg", + "url": "https://www.themoviedb.org/movie/10139", + "genres": [ + "History", + "Drama" + ], + "tags": [ + "california", + "election campaign", + "politics", + "homophobia", + "san francisco, california", + "1970s", + "mayor", + "politician", + "biography", + "based on true story", + "murder", + "male homosexuality", + "morality", + "election", + "biting", + "lgbt", + "candlelight vigil", + "lgbt activist", + "mayoral campaign", + "gay history", + "gay theme", + "gay rights", + "cautionary", + "intense", + "antagonistic", + "enraged", + "inflammatory" + ] + }, + { + "ranking": 2331, + "title": "The Boat That Rocked", + "year": "2009", + "runtime": 135, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.236, + "vote_count": 2138, + "description": "An ensemble comedy, where the romance is between the young people of the 60s, and pop music. It's about a band of DJs that captivate Britain, playing the music that defines a generation and standing up to a government that wanted control of popular culture via the British Broadcasting Corporation. Loosely based on the events in Britain in the 60's when the Labour government of Harold Wilson, wanted to bring the pirate radio stations under control, enough to see the passage of the Marine Broadcasting Offences Act on 15 August 1967. Also known as \"Pirate Radio\".", + "poster": "https://image.tmdb.org/t/p/w500/l7CBRLAXUnHi0kp2krhLtlJvtWI.jpg", + "url": "https://www.themoviedb.org/movie/18947", + "genres": [ + "Drama", + "Comedy" + ], + "tags": [ + "ship", + "rock 'n' roll", + "great britain", + "radio station", + "north sea", + "swinging 60s", + "dj", + "1960s", + "teenage protagonist" + ] + }, + { + "ranking": 2329, + "title": "Ida", + "year": "2013", + "runtime": 82, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.236, + "vote_count": 987, + "description": "Anna, a young novitiate in 1960s Poland, is on the verge of taking her vows when she discovers a family secret dating back to the years of the German occupation.", + "poster": "https://image.tmdb.org/t/p/w500/rQnBiFyHeSDxSaIgZpDaK52lflZ.jpg", + "url": "https://www.themoviedb.org/movie/209274", + "genres": [ + "Drama" + ], + "tags": [ + "nun", + "mine", + "family secrets", + "black and white", + "poland", + "convent (nunnery)", + "1960s" + ] + }, + { + "ranking": 2339, + "title": "Driving Miss Daisy", + "year": "1989", + "runtime": 99, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.235, + "vote_count": 1618, + "description": "The story of an old Jewish widow named Daisy Werthan and her relationship with her black chauffeur, Hoke. From an initial mere work relationship grew in 25 years a strong friendship between the two very different characters, in a time when those types of relationships were shunned.", + "poster": "https://image.tmdb.org/t/p/w500/iaCzvcY42HihFxQBTZCTKMpsI0P.jpg", + "url": "https://www.themoviedb.org/movie/403", + "genres": [ + "Drama" + ], + "tags": [ + "individual", + "chauffeur", + "culture clash", + "self-discovery", + "widow", + "1970s", + "atlanta", + "pulitzer prize", + "civil rights", + "racial segregation", + "based on play or musical", + "car accident", + "unlikely friendship", + "elderly", + "african american servant", + "1940s", + "1950s", + "1960s", + "elderly lady", + "race relations" + ] + }, + { + "ranking": 2334, + "title": "Lust, Caution", + "year": "2007", + "runtime": 158, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.2, + "vote_count": 714, + "description": "During World War II, a secret agent must seduce then assassinate an official who works for the Japanese puppet government in Shanghai. Her mission becomes clouded when she finds herself falling in love with the man she is assigned to kill.", + "poster": "https://image.tmdb.org/t/p/w500/6c1tqfJEBuIyhQC19SLlLQAUAvJ.jpg", + "url": "https://www.themoviedb.org/movie/4588", + "genres": [ + "Action", + "Drama", + "Romance", + "Thriller" + ], + "tags": [ + "secret love", + "china", + "sexual obsession", + "shanghai, china", + "cheating", + "espionage", + "resistance", + "in love with enemy", + "traitor", + "lover", + "insurgence", + "war on freedom", + "occupying power", + "insurrection", + "love", + "hong kong", + "older man younger woman relationship", + "extramarital affair", + "mahjong", + "resistance fighter", + "erotic thriller", + "1940s" + ] + }, + { + "ranking": 2323, + "title": "The Salesman", + "year": "2016", + "runtime": 125, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.237, + "vote_count": 876, + "description": "Forced out of their apartment due to dangerous works on a neighboring building, Emad and Rana move into a new flat in the center of Tehran. An incident linked to the previous tenant will dramatically change the young couple’s life.", + "poster": "https://image.tmdb.org/t/p/w500/x4PIuYU5ZMMXiTrheNR8vCTYPBf.jpg", + "url": "https://www.themoviedb.org/movie/375315", + "genres": [ + "Drama", + "Thriller" + ], + "tags": [ + "rape", + "trauma", + "assault", + "theater play", + "teheran (tehran), iran", + "attack", + "iran", + "rape and revenge", + "death of a salesman" + ] + }, + { + "ranking": 2337, + "title": "Baaria", + "year": "2009", + "runtime": 160, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.235, + "vote_count": 640, + "description": "Giuseppe Tornatore traces three generations of a Sicilian family in in the Sicilian town of Bagheria (known as Baarìa in the local Sicilian dialect), from the 1930s to the 1980s, to tell the story of the loves, dreams and delusions of an unusual community.", + "poster": "https://image.tmdb.org/t/p/w500/sRbZbmaAUKgQN8K0X5itaQZ8xBp.jpg", + "url": "https://www.themoviedb.org/movie/25846", + "genres": [ + "Drama", + "Comedy", + "Romance" + ], + "tags": [ + "sicily, italy", + "fascism", + "mafia", + "communism" + ] + }, + { + "ranking": 2338, + "title": "Jumanji", + "year": "1995", + "runtime": 104, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.2, + "vote_count": 10704, + "description": "When siblings Judy and Peter discover an enchanted board game that opens the door to a magical world, they unwittingly invite Alan -- an adult who's been trapped inside the game for 26 years -- into their living room. Alan's only hope for freedom is to finish the game, which proves risky as all three find themselves running from giant rhinoceroses, evil monkeys and other terrifying creatures.", + "poster": "https://image.tmdb.org/t/p/w500/p67m5dzwyxWd46a6of2c9IVfQz7.jpg", + "url": "https://www.themoviedb.org/movie/8844", + "genres": [ + "Adventure", + "Fantasy", + "Family" + ], + "tags": [ + "giant insect", + "board game", + "disappearance", + "jungle", + "recluse", + "stampede", + "based on young adult novel", + "mischievous" + ] + }, + { + "ranking": 2328, + "title": "On Body and Soul", + "year": "2017", + "runtime": 116, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.2, + "vote_count": 559, + "description": "Two introverted people find out by pure chance that they share the same dream every night. They are puzzled, incredulous, a bit frightened. As they hesitantly accept this strange coincidence, they try to recreate in broad daylight what happens in their dream.", + "poster": "https://image.tmdb.org/t/p/w500/uguWEoZelSSckxgiQctlkZ6gpfU.jpg", + "url": "https://www.themoviedb.org/movie/436343", + "genres": [ + "Drama", + "Romance", + "Fantasy" + ], + "tags": [ + "slaughterhouse", + "dream interpretation", + "dream sequence", + "betrayal by friend", + "physical disability", + "fear of contact" + ] + }, + { + "ranking": 2322, + "title": "Alita: Battle Angel", + "year": "2019", + "runtime": 122, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.2, + "vote_count": 9365, + "description": "When Alita awakens with no memory of who she is in a future world she does not recognize, she is taken in by Ido, a compassionate doctor who realizes that somewhere in this abandoned cyborg shell is the heart and soul of a young woman with an extraordinary past.", + "poster": "https://image.tmdb.org/t/p/w500/xRWht48C2V8XNfzvPehyClOvDni.jpg", + "url": "https://www.themoviedb.org/movie/399579", + "genres": [ + "Action", + "Science Fiction", + "Adventure" + ], + "tags": [ + "martial arts", + "bounty hunter", + "dystopia", + "extreme sports", + "superhero", + "cyberpunk", + "based on manga", + "female cyborg", + "live action remake", + "floating city", + "gunnm", + "suspenseful", + "assertive", + "enraged", + "straightforward" + ] + }, + { + "ranking": 2336, + "title": "Barbie in A Mermaid Tale", + "year": "2010", + "runtime": 75, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.2, + "vote_count": 774, + "description": "Barbie stars as Merliah, a surfer who learns a shocking secret: she's a mermaid! She and her dolphin friend set out for an undersea adventure to rescue her mother, the queen of Oceana.", + "poster": "https://image.tmdb.org/t/p/w500/jtOlo3AaXVBnqfMeKGFrZUMPFui.jpg", + "url": "https://www.themoviedb.org/movie/34134", + "genres": [ + "Animation", + "Family", + "Fantasy" + ], + "tags": [ + "princess", + "surfing", + "surfboard", + "beach", + "atlantis", + "mermaid", + "surf", + "based on toy", + "female surfer" + ] + }, + { + "ranking": 2330, + "title": "The Man from the Future", + "year": "2011", + "runtime": 106, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.2, + "vote_count": 356, + "description": "Zero is a brilliant scientist. However, 20 years ago, he was publicly humiliated when he lost Helena, the love of his life. One day, an accidental experience with one of his inventions causes him to travel back in time to 1991. Having taken the opportunity to change history, Zero returns to own time to find totally changed.", + "poster": "https://image.tmdb.org/t/p/w500/cWfdBMbe3SodE14h3VptXy6sQZm.jpg", + "url": "https://www.themoviedb.org/movie/73624", + "genres": [ + "Comedy", + "Fantasy", + "Science Fiction", + "Romance" + ], + "tags": [ + "time travel" + ] + }, + { + "ranking": 2350, + "title": "The Miracle Season", + "year": "2018", + "runtime": 100, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.2, + "vote_count": 307, + "description": "After the tragic death of star volleyball player Caroline \"Line\" Found, a team of dispirited high school girls must band together under the guidance of their tough-love coach in hopes of winning the state championship!", + "poster": "https://image.tmdb.org/t/p/w500/cIVYjwi8QcZ9AQk4WRYgW4iUmXb.jpg", + "url": "https://www.themoviedb.org/movie/425373", + "genres": [ + "Drama" + ], + "tags": [ + "high school", + "sports", + "volleyball" + ] + }, + { + "ranking": 2353, + "title": "The Hedgehog", + "year": "2009", + "runtime": 100, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.2, + "vote_count": 392, + "description": "Paloma is a serious and highly articulate but deeply bored 11-year-old who has decided to kill herself on her 12th birthday. Fascinated by art and philosophy, she questions and documents her life and immediate circle, drawing trenchant and often hilarious observations on the world around her. But as her appointment with death approaches, Paloma finally meets some kindred spirits in her building's grumpy janitor and an enigmatic, elegant neighbor, both of whom inspire Paloma to question her rather pessimistic outlook on life.", + "poster": "https://image.tmdb.org/t/p/w500/dGV6PP3m871ur8pUFWR3NUysTi2.jpg", + "url": "https://www.themoviedb.org/movie/19597", + "genres": [ + "Comedy", + "Drama" + ], + "tags": [ + "goldfish", + "death of neighbor", + "bookcase", + "parisian", + "distinguished gentleman", + "insightful", + "suicidal thoughts", + "dancing in the street", + "woman director", + "child" + ] + }, + { + "ranking": 2347, + "title": "The Illusionist", + "year": "2010", + "runtime": 80, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.2, + "vote_count": 622, + "description": "A French illusionist travels to Scotland to work. He meets a young woman in a small village. Their ensuing adventure in Edinburgh changes both their lives forever.", + "poster": "https://image.tmdb.org/t/p/w500/Ac2tNYW9sRaOhmtMJQuhf2mvo00.jpg", + "url": "https://www.themoviedb.org/movie/41201", + "genres": [ + "Animation", + "Drama" + ], + "tags": [ + "stage", + "edinburgh, scotland", + "disillusionment", + "aftercreditsstinger", + "magician", + "adult child friendship" + ] + }, + { + "ranking": 2354, + "title": "Love Me If You Dare", + "year": "2003", + "runtime": 93, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.2, + "vote_count": 1805, + "description": "As adults, best friends Julien and Sophie continue the odd game they started as children -- a fearless competition to outdo one another with daring and outrageous stunts. While they often act out to relieve one another's pain, their game might be a way to avoid the fact that they are truly meant for one another.", + "poster": "https://image.tmdb.org/t/p/w500/3jwY4llYNzONpSwvdX4hH4q0nas.jpg", + "url": "https://www.themoviedb.org/movie/8424", + "genres": [ + "Drama", + "Comedy", + "Romance" + ], + "tags": [ + "test of courage", + "belgium", + "crush" + ] + }, + { + "ranking": 2342, + "title": "The Sword in the Stone", + "year": "1963", + "runtime": 79, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.2, + "vote_count": 3880, + "description": "Wart is a young boy who aspires to be a knight's squire. On a hunting trip he falls in on Merlin, a powerful but amnesiac wizard who has plans for him beyond mere squiredom. He starts by trying to give him an education, believing that once one has an education, one can go anywhere. Needless to say, it doesn't quite work out that way.", + "poster": "https://image.tmdb.org/t/p/w500/7lyeeuhGAJSNXYEW34S8mJ1bwI8.jpg", + "url": "https://www.themoviedb.org/movie/9078", + "genres": [ + "Animation", + "Family", + "Fantasy" + ], + "tags": [ + "witch", + "based on novel or book", + "magic", + "transformation", + "cartoon", + "villain", + "knight", + "king arthur", + "turns into animal", + "female villain", + "excalibur", + "wizard", + "wart", + "whimsical" + ] + }, + { + "ranking": 2343, + "title": "National Lampoon's Christmas Vacation", + "year": "1989", + "runtime": 97, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.233, + "vote_count": 2466, + "description": "It's Christmastime, and the Griswolds are preparing for a family seasonal celebration. But things never run smoothly for Clark, his wife Ellen, and their two kids. Clark's continual bad luck is worsened by his obnoxious family guests, but he manages to keep going, knowing that his Christmas bonus is due soon.", + "poster": "https://image.tmdb.org/t/p/w500/oat42hUw8XzKYUmfy0YLAxYd484.jpg", + "url": "https://www.themoviedb.org/movie/5825", + "genres": [ + "Comedy" + ], + "tags": [ + "squirrel", + "holiday", + "boss", + "rottweiler", + "christmas tree", + "family dinner", + "neighbor", + "domestic life", + "fantasy sequence", + "lights", + "christmas", + "christmas bonus", + "jello", + "xmas eve" + ] + }, + { + "ranking": 2358, + "title": "Coherence", + "year": "2013", + "runtime": 89, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.2, + "vote_count": 3008, + "description": "On the night of an astronomical anomaly, eight friends at a dinner party experience a troubling chain of reality bending events.", + "poster": "https://image.tmdb.org/t/p/w500/ezUtb9m5DeLwL2gxi4gktzNCvQv.jpg", + "url": "https://www.themoviedb.org/movie/220289", + "genres": [ + "Thriller", + "Science Fiction" + ], + "tags": [ + "clone", + "paranoia", + "comet", + "alter ego", + "reunion", + "friends", + "power outage", + "biting", + "candle", + "parallel world", + "alternative reality", + "dinner party", + "ketamine", + "quantum physics", + "broken cellphone", + "glowstick", + "excited" + ] + }, + { + "ranking": 2359, + "title": "Begin Again", + "year": "2014", + "runtime": 104, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.23, + "vote_count": 3812, + "description": "Gretta, a budding songwriter, finds herself alone after her boyfriend Dave ditches her. Her life gains purpose when Dan, a record label executive, notices her talent.", + "poster": "https://image.tmdb.org/t/p/w500/qx4HXHXt528hS4rwePZbZo20xqZ.jpg", + "url": "https://www.themoviedb.org/movie/198277", + "genres": [ + "Comedy", + "Music", + "Romance", + "Drama" + ], + "tags": [ + "new york city", + "music recording", + "singer-songwriter", + "street musician", + "city life", + "recording session", + "street singer", + "inspirational" + ] + }, + { + "ranking": 2341, + "title": "Bridge of Spies", + "year": "2015", + "runtime": 141, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.234, + "vote_count": 6903, + "description": "During the Cold War, the Soviet Union captures U.S. pilot Francis Gary Powers after shooting down his U-2 spy plane. Sentenced to 10 years in prison, Powers' only hope is New York lawyer James Donovan, recruited by a CIA operative to negotiate his release. Donovan boards a plane to Berlin, hoping to win the young man's freedom through a prisoner exchange. If all goes well, the Russians would get Rudolf Abel, the convicted spy who Donovan defended in court.", + "poster": "https://image.tmdb.org/t/p/w500/fmOOjHAQzxr0c1sfcY4qkiSRBH6.jpg", + "url": "https://www.themoviedb.org/movie/296098", + "genres": [ + "Thriller", + "Drama" + ], + "tags": [ + "central intelligence agency (cia)", + "spy", + "cold war", + "soviet union", + "pilot", + "lawyer", + "american", + "courtroom", + "russian spy", + "legal drama" + ] + }, + { + "ranking": 2355, + "title": "The Orphanage", + "year": "2007", + "runtime": 105, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.2, + "vote_count": 2915, + "description": "A woman brings her family back to her childhood home, which used to be an orphanage, intent on reopening it. Before long, her son starts to communicate with a new invisible friend.", + "poster": "https://image.tmdb.org/t/p/w500/vIpi1KtHLXUOfSVC2m6MqpjSPgL.jpg", + "url": "https://www.themoviedb.org/movie/6537", + "genres": [ + "Horror", + "Drama", + "Thriller" + ], + "tags": [ + "beach", + "wife", + "suppressed past", + "orphanage", + "cave", + "medium", + "haunted house", + "imaginary friend", + "gothic horror", + "missing child", + "séance", + "somber" + ] + }, + { + "ranking": 2348, + "title": "Nashville", + "year": "1975", + "runtime": 160, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.2, + "vote_count": 411, + "description": "The intersecting stories of twenty-four characters—from country star to wannabe to reporter to waitress—connect to the music business in Nashville, Tennessee.", + "poster": "https://image.tmdb.org/t/p/w500/twl4ovyjb8muFKvZmcCDzPR0hy1.jpg", + "url": "https://www.themoviedb.org/movie/3121", + "genres": [ + "Drama", + "Music", + "Comedy" + ], + "tags": [ + "country music", + "satire", + "music festival", + "candidate", + "nashville, tennessee", + "multiple storylines", + "presidential campaign", + "celebrity worship", + "rally" + ] + }, + { + "ranking": 2360, + "title": "A Bridge Too Far", + "year": "1977", + "runtime": 175, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.2, + "vote_count": 840, + "description": "The story of Operation Market Garden—a failed attempt by the allies in the latter stages of WWII to end the war quickly by securing three bridges in Holland allowing access over the Rhine into Germany. A combination of poor allied intelligence and the presence of two crack German panzer divisions meant that the final part of this operation (the bridge in Arnhem over the Rhine) was doomed to failure.", + "poster": "https://image.tmdb.org/t/p/w500/lszOk3Xmh7qpLaM9J4K9E6ADLk1.jpg", + "url": "https://www.themoviedb.org/movie/5902", + "genres": [ + "Drama", + "History", + "War" + ], + "tags": [ + "mission", + "army", + "allies", + "world war ii", + "netherlands", + "bridge", + "tank", + "based on true story", + "operation market garden", + "soldier", + "arnhem", + "military operation", + "1940s", + "historical battle", + "dramatic" + ] + }, + { + "ranking": 2352, + "title": "Detour", + "year": "1945", + "runtime": 68, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.2, + "vote_count": 363, + "description": "The life of Al Roberts, a pianist in a New York nightclub, turns into a nightmare when he decides to hitchhike to Los Angeles to visit his girlfriend.", + "poster": "https://image.tmdb.org/t/p/w500/gJb9HRAs1V4bA0VKsWpT6mhv2RT.jpg", + "url": "https://www.themoviedb.org/movie/20367", + "genres": [ + "Drama", + "Thriller" + ], + "tags": [ + "based on novel or book", + "film noir", + "hitchhiker", + "road movie", + "male pianist" + ] + }, + { + "ranking": 2351, + "title": "Berserk: The Golden Age Arc I - The Egg of the King", + "year": "2012", + "runtime": 76, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.2, + "vote_count": 494, + "description": "Guts, an immensely strong sword-for-hire, has little direction in his life, simply fighting one battle after the next. However, this all changes suddenly when he meets and is bested by Griffith, a beautiful and charismatic young man who leads the Band of the Hawk mercenary army. After Guts joins the Band and the relationship between the two men begins to blossom, Casca, the tough, lone swordswoman in the Band of the Hawk, struggles to accept Guts and the influence he has on the world around her. While the two men begin to fight together, Griffith continues to rise to power, all seemingly in order to reach his mysterious, prophesied goals. What lengths will Guts and Griffith go to in order to reach these goals, and where will fate take the two men?", + "poster": "https://image.tmdb.org/t/p/w500/vES8WAzjowrMT8gwnoEaCioZXXk.jpg", + "url": "https://www.themoviedb.org/movie/113082", + "genres": [ + "Animation", + "Action", + "Adventure", + "Fantasy" + ], + "tags": [ + "mercenary", + "sorcery", + "gore", + "sword fight", + "based on manga", + "demon", + "dark fantasy", + "seinen", + "anime", + "adventure" + ] + }, + { + "ranking": 2349, + "title": "#Alive", + "year": "2020", + "runtime": 98, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.231, + "vote_count": 1868, + "description": "As a grisly virus rampages a city, a lone man stays locked inside his apartment, digitally cut off from seeking help and desperate to find a way out.", + "poster": "https://image.tmdb.org/t/p/w500/lZPvLUMYEPLTE2df1VW5FHTYC8N.jpg", + "url": "https://www.themoviedb.org/movie/614696", + "genres": [ + "Action", + "Horror" + ], + "tags": [ + "escape", + "alone", + "survival", + "drone", + "zombie", + "apartment building", + "zombie apocalypse", + "virus", + "live stream", + "south korea", + "apartment", + "frightened" + ] + }, + { + "ranking": 2346, + "title": "Wadjda", + "year": "2012", + "runtime": 98, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.2, + "vote_count": 489, + "description": "An enterprising Saudi girl signs on for her school's Quran recitation competition as a way to raise the remaining funds she needs in order to buy the green bicycle that has captured her interest.", + "poster": "https://image.tmdb.org/t/p/w500/w4iCIZ1kWSOCt0yELjfUMNAToUF.jpg", + "url": "https://www.themoviedb.org/movie/129112", + "genres": [ + "Drama" + ], + "tags": [ + "saudi arabia", + "independence", + "bicycle", + "growing up", + "woman director", + "child protagonist", + "mother daughter relationship" + ] + }, + { + "ranking": 2344, + "title": "The Message", + "year": "1976", + "runtime": 178, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.2, + "vote_count": 361, + "description": "In sixth-century Mecca, Prophet Muhammad receives his first revelation from God as a messenger. Three years later, he's not alone in his quest and publicly declares his prophecy. Muhammad is fought by Abu Sufian and his wife Hind, rulers of Mecca. Muhammad's followers are hunted and tortured but he continues his calling.", + "poster": "https://image.tmdb.org/t/p/w500/5ztMGggVOOouDcTj96vNU6dyyU9.jpg", + "url": "https://www.themoviedb.org/movie/26842", + "genres": [ + "Adventure", + "Drama", + "Action", + "History" + ], + "tags": [ + "epic", + "middle east", + "muslim", + "islam", + "religion", + "muhammad", + "arab", + "mecca", + "monotheism" + ] + }, + { + "ranking": 2356, + "title": "Z-O-M-B-I-E-S", + "year": "2018", + "runtime": 94, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.2, + "vote_count": 689, + "description": "Two star-crossed freshmen – a zombie, Zed and a cheerleader, Addison – each outsiders in their unique ways, befriend each other and work together to show their high school and the Seabrook community what they can achieve when they embrace their differences.", + "poster": "https://image.tmdb.org/t/p/w500/snGVInrnUBK6LrfLZkOdbj5PpJo.jpg", + "url": "https://www.themoviedb.org/movie/483980", + "genres": [ + "Fantasy", + "Comedy", + "Romance", + "TV Movie" + ], + "tags": [ + "high school", + "cheerleader", + "musical", + "zombie", + "curious", + "absurd", + "hilarious", + "amused" + ] + }, + { + "ranking": 2357, + "title": "The Ten Commandments: The Movie", + "year": "2016", + "runtime": 120, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.2, + "vote_count": 306, + "description": "Follows Moses leading and conducting the Hebrew people from the slavery of Egypt to the freedom towards the Promised Land according to the Ancient Testament Bible book of the Exodus. The story told like never before is faithful to the Scriptures.", + "poster": "https://image.tmdb.org/t/p/w500/yctfYDrHAPcJP54D2BCH9R5GTY2.jpg", + "url": "https://www.themoviedb.org/movie/372519", + "genres": [ + "Drama" + ], + "tags": [] + }, + { + "ranking": 2345, + "title": "The Teachers' Lounge", + "year": "2023", + "runtime": 98, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.2, + "vote_count": 568, + "description": "When one of her students is suspected of theft, teacher Carla Nowak decides to get to the bottom of the matter. Caught between her ideals and the school system, the consequences of her actions threaten to break her.", + "poster": "https://image.tmdb.org/t/p/w500/kWXA6PfQ0PpZpoCXoeBFRciRrUw.jpg", + "url": "https://www.themoviedb.org/movie/998022", + "genres": [ + "Drama" + ], + "tags": [ + "teacher" + ] + }, + { + "ranking": 2362, + "title": "28 Days Later", + "year": "2002", + "runtime": 113, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.23, + "vote_count": 7017, + "description": "Twenty-eight days after a killer virus was accidentally unleashed from a British research facility, a small group of London survivors are caught in a desperate struggle to protect themselves from the infected. Carried by animals and humans, the virus turns those it infects into homicidal maniacs -- and it's absolutely impossible to contain.", + "poster": "https://image.tmdb.org/t/p/w500/sQckQRt17VaWbo39GIu0TMOiszq.jpg", + "url": "https://www.themoviedb.org/movie/170", + "genres": [ + "Horror", + "Thriller", + "Science Fiction" + ], + "tags": [ + "daughter", + "taxi", + "london, england", + "submachine gun", + "gas station", + "infection", + "outbreak", + "survival", + "laboratory", + "hospital", + "zombie", + "brutality", + "church", + "rage", + "epidemic", + "military", + "virus", + "hopeless", + "waking from coma", + "animal research", + "dreary", + "suspenseful", + "sinister", + "distressing", + "foreboding", + "frightened", + "zombies" + ] + }, + { + "ranking": 2374, + "title": "The Stranger", + "year": "1946", + "runtime": 95, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.2, + "vote_count": 586, + "description": "An investigator from the War Crimes Commission travels to Connecticut to find an infamous Nazi, who may be hiding out in a small town in the guise of a distinguished professor engaged to the Supreme Court Justice’s daughter.", + "poster": "https://image.tmdb.org/t/p/w500/bzjoPScBLUWpSu10m3GbSbSwVhS.jpg", + "url": "https://www.themoviedb.org/movie/20246", + "genres": [ + "Thriller", + "Crime" + ], + "tags": [ + "nazi", + "clock tower", + "professor", + "clock", + "connecticut", + "film noir", + "black and white", + "convert", + "supreme court justice" + ] + }, + { + "ranking": 2364, + "title": "And Now for Something Completely Different", + "year": "1971", + "runtime": 88, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.229, + "vote_count": 532, + "description": "A collection of Monty Python's Flying Circus skits from the first two seasons of their British TV series.", + "poster": "https://image.tmdb.org/t/p/w500/ajbdFQLvJTlNu4LnVWGnNMb4mZ8.jpg", + "url": "https://www.themoviedb.org/movie/9267", + "genres": [ + "Comedy" + ], + "tags": [ + "blackmail", + "stupidity", + "spoof", + "compilation", + "lumberjack", + "sketch comedy", + "dead parrot", + "twit", + "physical comedy", + "intentional mistranslation", + "foot race", + "obstacle course", + "anarchic comedy" + ] + }, + { + "ranking": 2373, + "title": "The Lego Batman Movie", + "year": "2017", + "runtime": 104, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.225, + "vote_count": 5083, + "description": "A cooler-than-ever Bruce Wayne must deal with the usual suspects as they plan to rule Gotham City, while discovering that he has accidentally adopted a teenage orphan who wishes to become his sidekick.", + "poster": "https://image.tmdb.org/t/p/w500/snGwr2gag4Fcgx2OGmH9otl6ofW.jpg", + "url": "https://www.themoviedb.org/movie/324849", + "genres": [ + "Animation", + "Action", + "Comedy", + "Family" + ], + "tags": [ + "superhero", + "based on comic", + "based on toy", + "spin off", + "super power", + "lego", + "sarcastic", + "sardonic", + "wry" + ] + }, + { + "ranking": 2361, + "title": "Batman", + "year": "1989", + "runtime": 126, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.23, + "vote_count": 8000, + "description": "Batman must face his most ruthless nemesis when a deformed madman calling himself \"The Joker\" seizes control of Gotham's criminal underworld.", + "poster": "https://image.tmdb.org/t/p/w500/cij4dd21v2Rk2YtUQbV5kW69WB2.jpg", + "url": "https://www.themoviedb.org/movie/268", + "genres": [ + "Fantasy", + "Action", + "Crime" + ], + "tags": [ + "dual identity", + "double life", + "joker", + "chemical", + "crime fighter", + "superhero", + "villain", + "based on comic", + "vigilante", + "mobster", + "organized crime", + "criminal", + "super power", + "madness", + "vigilantism", + "cautionary", + "good versus evil" + ] + }, + { + "ranking": 2367, + "title": "Man Bites Dog", + "year": "1992", + "runtime": 96, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.2, + "vote_count": 940, + "description": "The activities of rampaging, indiscriminate serial killer Ben are recorded by a willingly complicit documentary team, who eventually become his accomplices and active participants. Ben provides casual commentary on the nature of his work and arbitrary musings on topics of interest to him, such as music or the conditions of low-income housing, and even goes so far as to introduce the documentary crew to his family. But their reckless indulgences soon get the better of them.", + "poster": "https://image.tmdb.org/t/p/w500/uRVI98a6MxdLkpsXM8LqIM9W7XZ.jpg", + "url": "https://www.themoviedb.org/movie/10086", + "genres": [ + "Comedy", + "Crime" + ], + "tags": [ + "movie business", + "dark comedy", + "mockumentary", + "brutality", + "found footage", + "arab" + ] + }, + { + "ranking": 2366, + "title": "Children Who Chase Lost Voices", + "year": "2011", + "runtime": 116, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.2, + "vote_count": 713, + "description": "The film centers on Asuna, a young girl who spends her solitary days listening to the mysterious music emanating from the crystal radio she received from her late father as a memento. One day while walking home she is attacked by a fearsome monster and saved mysterious boy named Shun. However, Shun disappears and Asuna embarks on a journey of adventure to the land of Agartha with her teacher Mr. Morisaki to meet a Shun again. Through her journey she comes to know the cruelty and beauty of the world, as well as loss.", + "poster": "https://image.tmdb.org/t/p/w500/hWyBwsjMgtuZL2i1QBWQY0OCh0M.jpg", + "url": "https://www.themoviedb.org/movie/79707", + "genres": [ + "Animation", + "Adventure", + "Fantasy", + "Family" + ], + "tags": [ + "life and death", + "supernatural", + "rescue mission", + "female protagonist", + "spirit", + "adult animation", + "anime", + "adventure" + ] + }, + { + "ranking": 2369, + "title": "I Am Dragon", + "year": "2015", + "runtime": 110, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.227, + "vote_count": 381, + "description": "In the midst of the wedding princess Miroslava is kidnapped by a dragon and carried away into his castle on the remote island. Mira left everything behind in the past - family, friends and groom. Now the only things she had were a stone cage and a mysterious young man named Arman ... but who is he and what is he doing on that island? Miroslava will know the truth too late: loving a dragon will reveal the bitter truth - love is scary.", + "poster": "https://image.tmdb.org/t/p/w500/9R9mwkXs0W78WMzh4M1yFP7v7RP.jpg", + "url": "https://www.themoviedb.org/movie/370964", + "genres": [ + "Fantasy", + "Romance" + ], + "tags": [ + "fairy tale", + "dragon" + ] + }, + { + "ranking": 2365, + "title": "Suffragette", + "year": "2015", + "runtime": 106, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.2, + "vote_count": 1626, + "description": "Based on true events about the foot soldiers of the early feminist movement, women who were forced underground to pursue a dangerous game of cat and mouse with an increasingly brutal State.", + "poster": "https://image.tmdb.org/t/p/w500/y706qec117bN2S7XgCs2Yz8jEfv.jpg", + "url": "https://www.themoviedb.org/movie/245168", + "genres": [ + "Drama", + "History" + ], + "tags": [ + "london, england", + "biography", + "feminist", + "period drama", + "woman director", + "1910s", + "suffragettes" + ] + }, + { + "ranking": 2363, + "title": "My Little Pony: The Movie", + "year": "2017", + "runtime": 99, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.2, + "vote_count": 385, + "description": "A new dark force threatens Ponyville, and the Mane 6 – Twilight Sparkle, Applejack, Rainbow Dash, Pinkie Pie, Fluttershy and Rarity – embark on an unforgettable journey beyond Equestria where they meet new friends and exciting challenges on a quest to use the magic of friendship and save their home.", + "poster": "https://image.tmdb.org/t/p/w500/AiJRCzcZSVs9xPHoEKZRp80TyTA.jpg", + "url": "https://www.themoviedb.org/movie/335360", + "genres": [ + "Family", + "Animation", + "Adventure", + "Fantasy" + ], + "tags": [ + "friendship", + "villain", + "pony", + "based on toy", + "journey", + "based on tv series" + ] + }, + { + "ranking": 2370, + "title": "Collateral", + "year": "2004", + "runtime": 120, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.2, + "vote_count": 5749, + "description": "Cab driver Max picks up a man who offers him $600 to drive him around. But the promise of easy money sours when Max realizes his fare is an assassin.", + "poster": "https://image.tmdb.org/t/p/w500/6IGO8Ivgczdo8nMBsKfTl6Lw7FQ.jpg", + "url": "https://www.themoviedb.org/movie/1538", + "genres": [ + "Drama", + "Crime", + "Thriller" + ], + "tags": [ + "taxi", + "police", + "hitman", + "hostage", + "self-fulfilling prophecy", + "taxi driver", + "fbi", + "nightclub", + "briefcase", + "sociopath", + "train", + "professional hit", + "one night", + "gun violence", + "lapd", + "contract killer", + "neo-noir", + "cabbie", + "frantic", + "federal prosecutor", + "dreary", + "cautionary", + "taxi ride", + "suspense thriller", + "los angeles airport (lax)", + "bold" + ] + }, + { + "ranking": 2368, + "title": "Last Christmas", + "year": "2019", + "runtime": 102, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.227, + "vote_count": 2444, + "description": "Kate is a young woman who has a habit of making bad decisions, and her last date with disaster occurs after she accepts work as Santa's elf for a department store. However, after she meets Tom there, her life takes a new turn.", + "poster": "https://image.tmdb.org/t/p/w500/kDEjffiKgjuGo2DRzsqfjvW0CQh.jpg", + "url": "https://www.themoviedb.org/movie/549053", + "genres": [ + "Comedy", + "Romance" + ], + "tags": [ + "london, england", + "holiday", + "romcom", + "singing", + "homeless shelter", + "holiday season", + "angry", + "christmas", + "santa's elves", + "introspective", + "intimate", + "intense", + "romantic", + "admiring", + "adoring", + "amused", + "awestruck", + "familiar", + "vibrant" + ] + }, + { + "ranking": 2372, + "title": "Teenage Mutant Ninja Turtles: Mutant Mayhem", + "year": "2023", + "runtime": 100, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.2, + "vote_count": 1378, + "description": "After years of being sheltered from the human world, the Turtle brothers set out to win the hearts of New Yorkers and be accepted as normal teenagers through heroic acts. Their new friend April O'Neil helps them take on a mysterious crime syndicate, but they soon get in over their heads when an army of mutants is unleashed upon them.", + "poster": "https://image.tmdb.org/t/p/w500/kbnhvFPyXKCKLNhg1pkz6rXQ4Le.jpg", + "url": "https://www.themoviedb.org/movie/614930", + "genres": [ + "Animation", + "Comedy", + "Action", + "Science Fiction" + ], + "tags": [ + "new york city", + "sibling relationship", + "skateboarding", + "crime fighter", + "superhero", + "turtle", + "ninja", + "duringcreditsstinger", + "playful", + "aspiring journalist", + "anthropomorphic animal", + "lighthearted", + "sentimental", + "hilarious", + "whimsical", + "adoring", + "audacious", + "earnest", + "enthusiastic", + "vibrant" + ] + }, + { + "ranking": 2371, + "title": "Furious 7", + "year": "2015", + "runtime": 137, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.226, + "vote_count": 10755, + "description": "Deckard Shaw seeks revenge against Dominic Toretto and his family for his comatose brother.", + "poster": "https://image.tmdb.org/t/p/w500/wurKlC3VKUgcfsn0K51MJYEleS2.jpg", + "url": "https://www.themoviedb.org/movie/168259", + "genres": [ + "Action", + "Thriller", + "Crime" + ], + "tags": [ + "car race", + "speed", + "street race", + "revenge", + "race", + "muscle car", + "admiring" + ] + }, + { + "ranking": 2375, + "title": "Short Cuts", + "year": "1993", + "runtime": 187, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.2, + "vote_count": 610, + "description": "Many loosely connected characters cross paths in this film, based on the stories of Raymond Carver. Waitress Doreen Piggot accidentally runs into a boy with her car. Soon after walking away, the child lapses into a coma. While at the hospital, the boy's grandfather tells his son, Howard, about his past affairs. Meanwhile, a baker starts harassing the family when they fail to pick up the boy's birthday cake.", + "poster": "https://image.tmdb.org/t/p/w500/mbNTvbtWfV4soyErimDTdX67OAr.jpg", + "url": "https://www.themoviedb.org/movie/695", + "genres": [ + "Drama", + "Comedy" + ], + "tags": [ + "suicide", + "helicopter", + "cheating", + "loss of loved one", + "fishing", + "jazz singer or musician", + "modern society", + "cellist", + "earthquake", + "los angeles, california", + "hit by a car", + "multiple storylines" + ] + }, + { + "ranking": 2376, + "title": "Ghost", + "year": "1990", + "runtime": 126, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.2, + "vote_count": 5671, + "description": "After a young man is murdered, his spirit stays behind to warn his lover of impending danger, with the help of a reluctant psychic.", + "poster": "https://image.tmdb.org/t/p/w500/w9RaPHov8oM5cnzeE27isnFMsvS.jpg", + "url": "https://www.themoviedb.org/movie/251", + "genres": [ + "Fantasy", + "Drama", + "Thriller", + "Mystery", + "Romance" + ], + "tags": [ + "fortune teller", + "corruption", + "afterlife", + "money transfer", + "money laundering", + "pottery", + "hell", + "heaven", + "murder", + "death", + "ghost", + "spiritism" + ] + }, + { + "ranking": 2379, + "title": "Freeheld", + "year": "2015", + "runtime": 103, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.223, + "vote_count": 656, + "description": "New Jersey car mechanic Stacie Andree and her police detective girlfriend Laurel Hester both battle to secure Hester's pension benefits after she was diagnosed with a terminal illness.", + "poster": "https://image.tmdb.org/t/p/w500/794PfYjTz3yxMRdTRmdFYt6w6ff.jpg", + "url": "https://www.themoviedb.org/movie/306745", + "genres": [ + "Romance", + "Drama" + ], + "tags": [ + "new jersey", + "equality", + "lesbian relationship", + "cancer", + "lesbian", + "assertive" + ] + }, + { + "ranking": 2378, + "title": "Collateral Beauty", + "year": "2016", + "runtime": 97, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.2, + "vote_count": 5418, + "description": "Retreating from life after a tragedy, a man questions the universe by writing to Love, Time and Death. Receiving unexpected answers, he begins to see how these things interlock and how even loss can reveal moments of meaning and beauty.", + "poster": "https://image.tmdb.org/t/p/w500/4vfqosgik5pLb32RpskYifp8PWJ.jpg", + "url": "https://www.themoviedb.org/movie/345920", + "genres": [ + "Drama", + "Romance" + ], + "tags": [ + "friendship", + "despair", + "group therapy", + "loss", + "grief", + "death", + "shocking", + "grieving father", + "actor", + "apathetic" + ] + }, + { + "ranking": 2380, + "title": "Dog Pound", + "year": "2010", + "runtime": 91, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.2, + "vote_count": 370, + "description": "Three juvenile delinquents arrive at a correctional center and are put under the care of an experienced guard.", + "poster": "https://image.tmdb.org/t/p/w500/gp2ZbLAH1mlcGHoM1c8Bo2t13JI.jpg", + "url": "https://www.themoviedb.org/movie/43920", + "genres": [ + "Drama" + ], + "tags": [ + "juvenile prison" + ] + }, + { + "ranking": 2377, + "title": "Clue", + "year": "1985", + "runtime": 94, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.224, + "vote_count": 1767, + "description": "Clue finds six colorful dinner guests gathered at the mansion of their host, Mr. Boddy -- who turns up dead after his secret is exposed: He was blackmailing all of them. With the killer among them, the guests and Boddy's chatty butler must suss out the culprit before the body count rises.", + "poster": "https://image.tmdb.org/t/p/w500/aRxbYOYHS8T73nzR8hsLousoplR.jpg", + "url": "https://www.themoviedb.org/movie/15196", + "genres": [ + "Comedy", + "Thriller", + "Crime", + "Mystery" + ], + "tags": [ + "blackmail", + "butler", + "board game", + "mansion", + "whodunit", + "maid", + "old house", + "one by one", + "secret passageway", + "murder mystery", + "murder weapon", + "dinner guest", + "multiple endings", + "witty", + "based on board game" + ] + }, + { + "ranking": 2386, + "title": "Upgraded", + "year": "2024", + "runtime": 105, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.2, + "vote_count": 878, + "description": "Ana is an ambitious intern dreaming of a career in the art world while trying to impress her demanding boss Claire. When she's upgraded to first class on a work trip, she meets handsome Will, who mistakes Ana for her boss– a white lie that sets off a glamorous chain of events, romance and opportunity, until her fib threatens to surface.", + "poster": "https://image.tmdb.org/t/p/w500/uhOXS17gRpTwA85WsZLlYFK3rz0.jpg", + "url": "https://www.themoviedb.org/movie/1014590", + "genres": [ + "Romance", + "Comedy" + ], + "tags": [ + "female protagonist", + "intern", + "woman director" + ] + }, + { + "ranking": 2382, + "title": "Little Boy", + "year": "2015", + "runtime": 106, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.2, + "vote_count": 532, + "description": "An eight-year-old boy is willing to do whatever it takes to end World War II so he can bring his father home. The story reveals the indescribable love a father has for his little boy and the love a son has for his father.", + "poster": "https://image.tmdb.org/t/p/w500/lAU9pgq3niI6sFemcKm4FGGmrnW.jpg", + "url": "https://www.themoviedb.org/movie/256962", + "genres": [ + "Comedy", + "Drama", + "War" + ], + "tags": [ + "world war ii", + "spirituality" + ] + }, + { + "ranking": 2390, + "title": "The Professional", + "year": "1981", + "runtime": 108, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.2, + "vote_count": 547, + "description": "French secret service agent Josselin Beaumont is dispatched to take down African warlord N'Jala. But when his assignment is canceled, he's shocked to learn that his government is surrendering him to local authorities. He is given a mock trial and sentenced to 20 years of hard labor. But Beaumont escapes from prison and vows not only to avenge himself against his betrayers but also to finish his original assignment.", + "poster": "https://image.tmdb.org/t/p/w500/dhAZ8T0tTlTNw3D7Cn8wc87sk1w.jpg", + "url": "https://www.themoviedb.org/movie/1672", + "genres": [ + "Action", + "Adventure", + "Thriller" + ], + "tags": [ + "prison", + "sniper", + "homeless person", + "husband wife relationship", + "paris, france", + "africa", + "intelligence", + "secret agent", + "prison escape", + "love", + "revenge", + "political assassination", + "french spy", + "car pursuit", + "adventure" + ] + }, + { + "ranking": 2383, + "title": "Only Lovers Left Alive", + "year": "2013", + "runtime": 123, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.2, + "vote_count": 2239, + "description": "A depressed musician reunites with his lover in the desolate streets of Detroit. Though their romance has endured several centuries, it is tested by the arrival of her capricious and unpredictable younger sister.", + "poster": "https://image.tmdb.org/t/p/w500/6xY2MhYjFPb4xU3KlBJcFAJmMsF.jpg", + "url": "https://www.themoviedb.org/movie/152603", + "genres": [ + "Drama", + "Romance" + ], + "tags": [ + "musician", + "vampire", + "tangier morocco", + "melancholy", + "love", + "detroit, michigan", + "contamination", + "vampiress (female vampire)" + ] + }, + { + "ranking": 2384, + "title": "Mask", + "year": "1985", + "runtime": 126, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.2, + "vote_count": 458, + "description": "A boy with a massive facial skull deformity and his biker gang mother attempt to live as normal a life as possible under the circumstances.", + "poster": "https://image.tmdb.org/t/p/w500/miyTmJ8RVBTLisgMA4hQFGIuefT.jpg", + "url": "https://www.themoviedb.org/movie/11177", + "genres": [ + "Drama" + ], + "tags": [ + "deformation", + "rocker", + "falling in love", + "single mother", + "disabled", + "body image", + "bikers", + "inner beauty" + ] + }, + { + "ranking": 2400, + "title": "Irreversible", + "year": "2002", + "runtime": 94, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.2, + "vote_count": 2972, + "description": "A woman’s lover and her ex-boyfriend take justice into their own hands after she becomes the victim of a rapist. Because some acts can’t be undone. Because man is an animal. Because the desire for vengeance is a natural impulse. Because most crimes remain unpunished.", + "poster": "https://image.tmdb.org/t/p/w500/rxeDxo8FvZpLu6iplNpxdtAVnfu.jpg", + "url": "https://www.themoviedb.org/movie/979", + "genres": [ + "Drama", + "Thriller", + "Crime" + ], + "tags": [ + "prostitute", + "rape", + "paris, france", + "police", + "nihilism", + "homophobia", + "homicide", + "insanity", + "heroin", + "celibacy", + "trauma", + "assault", + "masochism", + "gore", + "knife", + "violence against women", + "love", + "revenge", + "fear", + "cruelty", + "brutality", + "drugs", + "evil", + "boyfriend", + "lgbt", + "misogyny", + "debauchery", + "degeneration", + "disfigurement", + "rape and revenge", + "dehumanization", + "new french extremism", + "altruism" + ] + }, + { + "ranking": 2387, + "title": "The Intern", + "year": "2015", + "runtime": 121, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.2, + "vote_count": 6811, + "description": "70-year-old widower Ben Whittaker has discovered that retirement isn't all it's cracked up to be. Seizing an opportunity to get back in the game, he becomes a senior intern at an online fashion site, founded and run by Jules Ostin.", + "poster": "https://image.tmdb.org/t/p/w500/9UoAC9tu8kIyRy8AcJnGhnH0gOH.jpg", + "url": "https://www.themoviedb.org/movie/257211", + "genres": [ + "Comedy" + ], + "tags": [ + "new york city", + "friendship", + "san francisco, california", + "office", + "masseuse", + "website", + "tai chi", + "internet", + "fish out of water", + "brooklyn, new york city", + "business start-up", + "driver", + "senior citizen", + "ceo", + "father figure", + "intern", + "social media", + "gentleman", + "woman director", + "city life", + "chivalry", + "retired life", + "professional woman", + "internship", + "e-comm", + "retailer", + "elderly widower", + "online store" + ] + }, + { + "ranking": 2385, + "title": "Woman at War", + "year": "2018", + "runtime": 101, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.2, + "vote_count": 410, + "description": "Halla declares a one-woman-war on the local aluminium industry. She is prepared to risk everything to protect the pristine Icelandic Highlands she loves… Until an orphan unexpectedly enters her life.", + "poster": "https://image.tmdb.org/t/p/w500/9IwRoLxbYF1Vu1KxHt0aLbyeS5u.jpg", + "url": "https://www.themoviedb.org/movie/348657", + "genres": [ + "Drama", + "Thriller", + "Comedy" + ], + "tags": [ + "adoption", + "iceland", + "saboteur", + "nature", + "eco terrorism", + "environmentalism", + "environmental conservation", + "industrialisation", + "environmental activist" + ] + }, + { + "ranking": 2393, + "title": "The Town", + "year": "2010", + "runtime": 125, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.219, + "vote_count": 5153, + "description": "Doug MacRay is a longtime thief, who, smarter than the rest of his crew, is looking for his chance to exit the game. When a bank job leads to the group kidnapping an attractive branch manager, he takes on the role of monitoring her – but their burgeoning relationship threatens to unveil the identities of Doug and his crew to the FBI Agent who is on their case.", + "poster": "https://image.tmdb.org/t/p/w500/3NIzyXkfylsjflRKSz8Fts3lXzm.jpg", + "url": "https://www.themoviedb.org/movie/23168", + "genres": [ + "Crime", + "Drama", + "Thriller" + ], + "tags": [ + "drug dealer", + "based on novel or book", + "ambulance", + "boston, massachusetts", + "money laundering", + "irish-american", + "bank manager", + "massachusetts", + "florist", + "flower shop", + "stolen money", + "hold-up robbery", + "volunteer", + "heist", + "friends", + "boston garden", + "shootout", + "police chase", + "best friend", + "bank robbery", + "car fire", + "fenway park", + "criminal gang", + "desperate", + "fbi agent", + "violence" + ] + }, + { + "ranking": 2389, + "title": "The Damned United", + "year": "2009", + "runtime": 97, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.2, + "vote_count": 649, + "description": "Taking over Leeds United, Brian Clough's abrasive approach and his clear dislike of the players' dirty style of play make it certain there is going to be friction. Glimpses of his earlier career help explain both his hostility to previous manager Don Revie and how much he is missing right-hand man Peter Taylor.", + "poster": "https://image.tmdb.org/t/p/w500/ftlbCma6QoRiZgiflVmLuPKHrkq.jpg", + "url": "https://www.themoviedb.org/movie/21641", + "genres": [ + "Drama", + "History" + ], + "tags": [ + "northern england", + "based on novel or book", + "sports", + "1970s", + "biography", + "yorkshire", + "brighton, england", + "football (soccer)", + "cup", + "management", + "football (soccer) team", + "sports controversy" + ] + }, + { + "ranking": 2395, + "title": "The Princess and the Frog", + "year": "2009", + "runtime": 98, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.2, + "vote_count": 5735, + "description": "A waitress, desperate to fulfill her dreams as a restaurant owner, is set on a journey to turn a frog prince back into a human being, but she has to face the same problem after she kisses him.", + "poster": "https://image.tmdb.org/t/p/w500/v6nAUs62OJ4DXmnnmPFeVmMz8H9.jpg", + "url": "https://www.themoviedb.org/movie/10198", + "genres": [ + "Animation", + "Romance", + "Fantasy", + "Family" + ], + "tags": [ + "princess", + "voodoo", + "new orleans, louisiana", + "restaurant", + "villain", + "kiss", + "musical", + "cajun", + "firefly", + "based on fairy tale", + "duringcreditsstinger", + "big dreams", + "frog prince", + "charlatan", + "1920s", + "magic spell" + ] + }, + { + "ranking": 2397, + "title": "Crash", + "year": "2005", + "runtime": 112, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.219, + "vote_count": 3569, + "description": "In post-Sept. 11 Los Angeles, tensions erupt when the lives of a Brentwood housewife, her district attorney husband, a Persian shopkeeper, two cops, a pair of carjackers and a Korean couple converge during a 36-hour period.", + "poster": "https://image.tmdb.org/t/p/w500/86BdPC6RDX88NC880pLidKn2LCj.jpg", + "url": "https://www.themoviedb.org/movie/1640", + "genres": [ + "Drama" + ], + "tags": [ + "daughter", + "police", + "race politics", + "installer", + "fall", + "car crash", + "racism", + "los angeles, california", + "bigotry", + "social services", + "collision" + ] + }, + { + "ranking": 2388, + "title": "Rudderless", + "year": "2014", + "runtime": 105, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.2, + "vote_count": 312, + "description": "A grieving father in a downward spiral stumbles across a box of his recently deceased son's demo tapes and lyrics. Shocked by the discovery of this unknown talent, he forms a band in the hope of finding some catharsis.", + "poster": "https://image.tmdb.org/t/p/w500/ka3gEmHph5FTJouSdOOK02Ck6bx.jpg", + "url": "https://www.themoviedb.org/movie/244403", + "genres": [ + "Music", + "Drama", + "Comedy" + ], + "tags": [ + "parent child relationship", + "rock band", + "mourning", + "grieving father", + "reflective", + "sympathetic" + ] + }, + { + "ranking": 2399, + "title": "Trading Places", + "year": "1983", + "runtime": 116, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.2, + "vote_count": 3370, + "description": "A snobbish investor and a wily street con-artist find their positions reversed as part of a bet by two callous millionaires.", + "poster": "https://image.tmdb.org/t/p/w500/8mBuLCOcpWnmYtZc4aqtvDXslv6.jpg", + "url": "https://www.themoviedb.org/movie/1621", + "genres": [ + "Comedy" + ], + "tags": [ + "new year's eve", + "prostitute", + "philadelphia, pennsylvania", + "butler", + "christmas party", + "rags to riches", + "broker", + "beggar", + "wager", + "stockbroker", + "fish out of water", + "millionaire", + "commodities", + "investor", + "hoodlum", + "wrongful arrest", + "rich snob", + "christmas", + "riches to rags", + "new year", + "mischievous", + "christmas eve", + "irreverent", + "dramatic", + "disrespectful", + "african american lead" + ] + }, + { + "ranking": 2392, + "title": "The Old Oak", + "year": "2023", + "runtime": 113, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.218, + "vote_count": 339, + "description": "A pub landlord in a previously thriving mining community struggles to hold onto his pub. Meanwhile, tensions rise in the town when Syrian refugees are placed in the empty houses in the community.", + "poster": "https://image.tmdb.org/t/p/w500/xN293BKB0MDqpILmLCtGGYxQXKW.jpg", + "url": "https://www.themoviedb.org/movie/970348", + "genres": [ + "Drama" + ], + "tags": [ + "small town", + "photographer", + "refugee", + "community", + "working class", + "sympathy", + "syrian refugee", + "north of england", + "pub", + "empathetic" + ] + }, + { + "ranking": 2391, + "title": "The Wing or the Thigh?", + "year": "1976", + "runtime": 104, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.2, + "vote_count": 892, + "description": "Charles Duchemin, a well-known gourmet and publisher of a famous restaurant guide, is waging a war against fast food entrepreneur Tri- catel to save the French art of cooking. After having agreed to appear on a talk show to show his skills in naming food and wine by taste, he is confronted with two disasters: his son wants to become a clown rather than a restaurant tester and he, the famous Charles Duchemin, has lost his taste!", + "poster": "https://image.tmdb.org/t/p/w500/ywkIu5l3iAgPZvLFEVBDYxLouH8.jpg", + "url": "https://www.themoviedb.org/movie/761", + "genres": [ + "Comedy" + ], + "tags": [ + "double life", + "escape", + "circus", + "talk show", + "fast food restaurant", + "restaurant", + "clown", + "fake identity", + "restaurant guide", + "restaurant critic", + "loss of taste", + "duel", + "torture", + "food industry", + "food critic", + "father son relationship", + "paris suburb" + ] + }, + { + "ranking": 2398, + "title": "Tootsie", + "year": "1982", + "runtime": 116, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.218, + "vote_count": 1787, + "description": "When struggling, out of work actor Michael Dorsey secretly adopts a female alter ego – Dorothy Michaels – in order to land a part in a daytime drama, he unwittingly becomes a feminist icon and ends up in a romantic pickle.", + "poster": "https://image.tmdb.org/t/p/w500/ngyCzZwb9y5sMUCig5JQT4Y33Q.jpg", + "url": "https://www.themoviedb.org/movie/9576", + "genres": [ + "Comedy", + "Romance" + ], + "tags": [ + "infidelity", + "new york city", + "love", + "friends", + "feminist", + "cross dressing", + "agent", + "reputation", + "serenade", + "apology", + "live television", + "witty", + "clever social commentary" + ] + }, + { + "ranking": 2396, + "title": "The Aviator", + "year": "2004", + "runtime": 170, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.219, + "vote_count": 5435, + "description": "A biopic depicting the life of filmmaker and aviation pioneer Howard Hughes from 1927 to 1947, during which time he became a successful film producer and an aviation magnate, while simultaneously growing more unstable due to severe obsessive-compulsive disorder.", + "poster": "https://image.tmdb.org/t/p/w500/lx4kWcZc3o9PaNxlQpEJZM17XUI.jpg", + "url": "https://www.themoviedb.org/movie/2567", + "genres": [ + "Drama" + ], + "tags": [ + "ladykiller", + "pilot", + "biography", + "womanizer", + "phobia", + "aviation", + "u.s. congress", + "flying boat", + "test flight" + ] + }, + { + "ranking": 2394, + "title": "Django", + "year": "1966", + "runtime": 93, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.2, + "vote_count": 923, + "description": "A coffin-dragging gunslinger and a prostitute become embroiled in a bitter feud between a merciless masked clan and a band of Mexican revolutionaries.", + "poster": "https://image.tmdb.org/t/p/w500/vs4vieNstSEfbgLFEelXXOPvr6h.jpg", + "url": "https://www.themoviedb.org/movie/10772", + "genres": [ + "Action", + "Western" + ], + "tags": [ + "hitman", + "coffin", + "lone wolf", + "stetson", + "spaghetti western", + "django" + ] + }, + { + "ranking": 2381, + "title": "Crazy About Her", + "year": "2021", + "runtime": 102, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.2, + "vote_count": 460, + "description": "After a magical night together, Adri voluntarily turns himself into the psychiatric institution where Carla lives.", + "poster": "https://image.tmdb.org/t/p/w500/hPBJckYsL1UOsz44InZ2wYJyJTy.jpg", + "url": "https://www.themoviedb.org/movie/778730", + "genres": [ + "Comedy", + "Romance" + ], + "tags": [ + "romcom", + "mental health clinic" + ] + }, + { + "ranking": 2405, + "title": "The Awful Truth", + "year": "1937", + "runtime": 91, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.2, + "vote_count": 311, + "description": "Unfounded suspicions lead a married couple to begin divorce proceedings, whereupon they start undermining each other's attempts to find new romance.", + "poster": "https://image.tmdb.org/t/p/w500/2VtsJoxvjpcMpwh0gweS8IMfHxO.jpg", + "url": "https://www.themoviedb.org/movie/14675", + "genres": [ + "Comedy", + "Romance" + ], + "tags": [ + "husband wife relationship", + "upper class", + "aunt niece relationship", + "romcom", + "aunt", + "neighbor", + "misunderstanding", + "divorce", + "dog", + "heiress", + "screwball comedy", + "nightclub singer", + "wealthy man", + "romantic misunderstanding", + "suspiciousness", + "relationship sabotage", + "mischievous", + "pet custody", + "impending divorce", + "comedy of remarriage", + "romantic" + ] + }, + { + "ranking": 2420, + "title": "Open Range", + "year": "2003", + "runtime": 139, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.214, + "vote_count": 1108, + "description": "A former gunslinger is forced to take up arms again when he and his cattle crew are threatened by a corrupt lawman.", + "poster": "https://image.tmdb.org/t/p/w500/5bmt52Fijy71W0E72on8xnnYHgP.jpg", + "url": "https://www.themoviedb.org/movie/2055", + "genres": [ + "Western", + "Drama", + "Action", + "Romance" + ], + "tags": [ + "gunslinger", + "montana", + "horse", + "beef", + "ranger", + "revenge", + "shootout", + "doctor", + "cattle", + "thunderstorm", + "cowboy", + "crooked sheriff", + "civil war veteran", + "19th century", + "land baron", + "vengeance", + "lawman", + "violence" + ] + }, + { + "ranking": 2408, + "title": "Mean Girls", + "year": "2004", + "runtime": 97, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.216, + "vote_count": 8949, + "description": "Cady Heron is a hit with The Plastics, the A-list girl clique at her new school, until she makes the mistake of falling for Aaron Samuels, the ex-boyfriend of alpha Plastic Regina George.", + "poster": "https://image.tmdb.org/t/p/w500/alKvY5LuVcXraRBfi5UtVV8Ii6Y.jpg", + "url": "https://www.themoviedb.org/movie/10625", + "genres": [ + "Drama", + "Comedy" + ], + "tags": [ + "based on novel or book", + "illinois", + "female friendship", + "bullying", + "coming of age", + "prom", + "teenage girl", + "fish out of water", + "best friend", + "math teacher", + "biting", + "gossip", + "clique", + "former best friend", + "teen comedy", + "exploitation of friendship", + "public humiliation", + "high school rivalry", + "new girl at school", + "teenage life", + "manipulative friend", + "math genius", + "female bully", + "teenage friendship", + "teenager", + "antagonistic", + "cruel", + "derisive", + "mean spirited", + "mocking", + "sarcastic" + ] + }, + { + "ranking": 2406, + "title": "Wonder Woman", + "year": "2017", + "runtime": 141, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.2, + "vote_count": 20144, + "description": "An Amazon princess comes to the world of Man in the grips of the First World War to confront the forces of evil and bring an end to human conflict.", + "poster": "https://image.tmdb.org/t/p/w500/v4ncgZjG2Zu8ZW5al1vIZTsSjqX.jpg", + "url": "https://www.themoviedb.org/movie/297762", + "genres": [ + "Action", + "Adventure", + "Fantasy" + ], + "tags": [ + "island", + "hero", + "strong woman", + "world war i", + "empowerment", + "superhero", + "feminism", + "greek mythology", + "based on comic", + "female protagonist", + "period drama", + "super power", + "heroine", + "woman director", + "female empowerment", + "1910s", + "dc extended universe (dceu)" + ] + }, + { + "ranking": 2413, + "title": "The Hunger Games", + "year": "2012", + "runtime": 142, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.2, + "vote_count": 22262, + "description": "Every year in the ruins of what was once North America, the nation of Panem forces each of its twelve districts to send a teenage boy and girl to compete in the Hunger Games. Part twisted entertainment, part government intimidation tactic, the Hunger Games are a nationally televised event in which “Tributes” must fight with one another until one survivor remains. Pitted against highly-trained Tributes who have prepared for these Games their entire lives, Katniss is forced to rely upon her sharp instincts as well as the mentorship of drunken former victor Haymitch Abernathy. If she’s ever to return home to District 12, Katniss must make impossible choices in the arena that weigh survival against humanity and life against love. The world will be watching.", + "poster": "https://image.tmdb.org/t/p/w500/yXCbOiVDCxO71zI7cuwBRXdftq8.jpg", + "url": "https://www.themoviedb.org/movie/70160", + "genres": [ + "Science Fiction", + "Adventure", + "Fantasy" + ], + "tags": [ + "based on novel or book", + "revolution", + "dystopia", + "female protagonist", + "bow and arrow", + "game", + "archery", + "death match", + "survival competition", + "forced to kill", + "based on young adult novel" + ] + }, + { + "ranking": 2402, + "title": "Sick of Myself", + "year": "2022", + "runtime": 97, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.2, + "vote_count": 316, + "description": "Increasingly overshadowed by her boyfriend's recent rise to fame as a contemporary artist creating sculptures from stolen furniture, Signe hatches a vicious plan to reclaim her rightfully deserved attention within the milieu of Oslo's cultural elite.", + "poster": "https://image.tmdb.org/t/p/w500/ynePU5z7JFn2Gf82RmfZgV84H8X.jpg", + "url": "https://www.themoviedb.org/movie/788734", + "genres": [ + "Comedy", + "Drama" + ], + "tags": [ + "drug abuse", + "narcissism", + "dark comedy", + "social satire", + "female protagonist", + "disease", + "social media", + "oslo, norway", + "toxic relationship", + "body horror", + "new persona", + "unlikeable protagonist" + ] + }, + { + "ranking": 2419, + "title": "Sherlock Holmes", + "year": "2009", + "runtime": 129, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.2, + "vote_count": 14102, + "description": "Eccentric consulting detective Sherlock Holmes and Doctor John Watson battle to bring down a new nemesis and unravel a deadly plot that could destroy England.", + "poster": "https://image.tmdb.org/t/p/w500/fvnu6QHyR0gSV1JI6lMyXCny21a.jpg", + "url": "https://www.themoviedb.org/movie/10528", + "genres": [ + "Action", + "Adventure", + "Crime", + "Mystery" + ], + "tags": [ + "london, england", + "based on novel or book", + "detective", + "scotland yard", + "coffin", + "pentagram", + "black magic", + "arrest", + "partner", + "murder", + "serial killer", + "steampunk", + "whodunit", + "buddy", + "clue", + "observation", + "19th century", + "sherlock", + "victorian era", + "sherlock holmes", + "sherlock films", + "mystery" + ] + }, + { + "ranking": 2401, + "title": "2046", + "year": "2004", + "runtime": 128, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.2, + "vote_count": 937, + "description": "Women enter and exit a science fiction author's life over the course of a few years after the author loses the woman he considers his one true love.", + "poster": "https://image.tmdb.org/t/p/w500/jIN65qw0Giplo4CshzMrxz204Wn.jpg", + "url": "https://www.themoviedb.org/movie/844", + "genres": [ + "Drama", + "Science Fiction", + "Romance" + ], + "tags": [ + "android", + "regret", + "lovesickness", + "jealousy", + "soulmates", + "based on novel or book", + "love of one's life", + "sexuality", + "symbolism", + "nostalgia", + "womanizer", + "murder", + "author", + "hong kong", + "train", + "break-up", + "illegal prostitution", + "extramarital affair", + "sensuality", + "2040s", + "christmas eve" + ] + }, + { + "ranking": 2415, + "title": "Monster", + "year": "2003", + "runtime": 110, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.2, + "vote_count": 2373, + "description": "An emotionally scarred highway drifter shoots a sadistic trick who rapes her, and ultimately becomes America's first female serial killer.", + "poster": "https://image.tmdb.org/t/p/w500/aevmNtJCNG4ZlfEeEGZ79frMUes.jpg", + "url": "https://www.themoviedb.org/movie/504", + "genres": [ + "Crime", + "Drama" + ], + "tags": [ + "death penalty", + "prostitute", + "rape", + "sexual abuse", + "motel", + "based on true story", + "murder", + "betrayal", + "serial killer", + "poverty", + "prostitution", + "heartbreak", + "mental illness", + "woman director", + "female serial killer" + ] + }, + { + "ranking": 2411, + "title": "Boiling Point", + "year": "2021", + "runtime": 95, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.215, + "vote_count": 585, + "description": "A head chef balances multiple personal and professional crises at a popular restaurant in London.", + "poster": "https://image.tmdb.org/t/p/w500/kdkk7OBnIL1peW2zwcAAp6O54Jo.jpg", + "url": "https://www.themoviedb.org/movie/807196", + "genres": [ + "Drama", + "Thriller" + ], + "tags": [ + "depression", + "london, england", + "waitress", + "restaurant", + "bartender", + "stress", + "addiction", + "alcoholism", + "chef", + "food critic", + "mental health", + "christmas", + "one take", + "fine dining", + "kitchen", + "based on short", + "cuisine", + "bold", + "tragic" + ] + }, + { + "ranking": 2404, + "title": "Official Secrets", + "year": "2019", + "runtime": 112, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.2, + "vote_count": 1003, + "description": "The true story of British intelligence whistleblower Katharine Gun who—prior to the 2003 Iraq invasion—leaked a top-secret NSA memo exposing a joint US-UK illegal spying operation against members of the UN Security Council. The memo proposed blackmailing member states into voting for war.", + "poster": "https://image.tmdb.org/t/p/w500/lyCGqSkT3PqLYQXiWs4FCVJBAYW.jpg", + "url": "https://www.themoviedb.org/movie/393624", + "genres": [ + "Thriller", + "History", + "Drama" + ], + "tags": [ + "london, england", + "washington dc, usa", + "politics", + "biography", + "iraq war", + "calm", + "whistleblower", + "2000s", + "admiring" + ] + }, + { + "ranking": 2403, + "title": "To the Bone", + "year": "2017", + "runtime": 107, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.2, + "vote_count": 3503, + "description": "A young woman dealing with anorexia meets an unconventional doctor who challenges her to face her condition and embrace life.", + "poster": "https://image.tmdb.org/t/p/w500/pkdxhdB3dRUqazqoy9lzUvhayjc.jpg", + "url": "https://www.themoviedb.org/movie/401104", + "genres": [ + "Drama" + ], + "tags": [ + "smoking", + "arizona", + "artist", + "restaurant", + "anorexia", + "los angeles, california", + "pregnant woman", + "therapy", + "eating disorder" + ] + }, + { + "ranking": 2418, + "title": "Ferdinand", + "year": "2017", + "runtime": 108, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.214, + "vote_count": 2891, + "description": "Ferdinand, a little bull, prefers sitting quietly under a cork tree just smelling the flowers versus jumping around, snorting, and butting heads with other bulls. As Ferdinand grows big and strong, his temperament remains mellow, but one day five men come to choose the \"biggest, fastest, roughest bull\" for the bullfights in Madrid and Ferdinand is mistakenly chosen. Based on the classic 1936 children's book by Munro Leaf.", + "poster": "https://image.tmdb.org/t/p/w500/rMm94JsRfcOPiPVsTRcBiiVBOhz.jpg", + "url": "https://www.themoviedb.org/movie/364689", + "genres": [ + "Animation", + "Family", + "Adventure", + "Comedy" + ], + "tags": [ + "friendship", + "spain", + "madrid, spain", + "europe", + "anthropomorphism", + "remake", + "bull", + "based on children's book", + "capture", + "joyous", + "adoring", + "assertive", + "cheerful", + "empathetic", + "enthusiastic", + "excited" + ] + }, + { + "ranking": 2414, + "title": "Picnic at Hanging Rock", + "year": "1975", + "runtime": 115, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.2, + "vote_count": 801, + "description": "In the early 1900s, Miranda attends a girls boarding school in Australia. One Valentine's Day, the school's typically strict headmistress treats the girls to a picnic field trip to an unusual but scenic volcanic formation called Hanging Rock. Despite rules against it, Miranda and several other girls venture off. It's not until the end of the day that the faculty realizes the girls and one of the teachers have disappeared mysteriously.", + "poster": "https://image.tmdb.org/t/p/w500/7BAXwmFN4pZDNb9N6kzmAAwdssi.jpg", + "url": "https://www.themoviedb.org/movie/11020", + "genres": [ + "Drama", + "Mystery" + ], + "tags": [ + "australia", + "based on novel or book", + "orphanage", + "girls' boarding school", + "based on true story", + "coming of age", + "hanging rock", + "atmospheric", + "valentine's day", + "mysterious", + "1900s" + ] + }, + { + "ranking": 2409, + "title": "Alien: Romulus", + "year": "2024", + "runtime": 119, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.2, + "vote_count": 3486, + "description": "While scavenging the deep ends of a derelict space station, a group of young space colonizers come face to face with the most terrifying life form in the universe.", + "poster": "https://image.tmdb.org/t/p/w500/b33nnKl1GSFbao4l3fZDDqsMx0F.jpg", + "url": "https://www.themoviedb.org/movie/945961", + "genres": [ + "Horror", + "Science Fiction" + ], + "tags": [ + "alien life-form", + "sequel", + "alien", + "space", + "alien contact", + "alien monster", + "alien encounter", + "space capsule", + "cryonics", + "alien hostility", + "spaceship", + "ambiguous", + "frightened" + ] + }, + { + "ranking": 2407, + "title": "Steel Magnolias", + "year": "1989", + "runtime": 117, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.216, + "vote_count": 669, + "description": "A young beautician, newly arrived in a small Louisiana town, finds work at the local salon, where a small group of women share a close bond of friendship and welcome her into the fold.", + "poster": "https://image.tmdb.org/t/p/w500/7ExUSN9s9gX9bhVM17zDLEizano.jpg", + "url": "https://www.themoviedb.org/movie/10860", + "genres": [ + "Comedy", + "Drama", + "Romance" + ], + "tags": [ + "strong woman", + "southern usa", + "beauty", + "female friendship", + "based on play or musical", + "mourning", + "loving", + "sentimental", + "hilarious", + "compassionate", + "distressing" + ] + }, + { + "ranking": 2416, + "title": "C'mon C'mon", + "year": "2021", + "runtime": 109, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.2, + "vote_count": 697, + "description": "Johnny and his young nephew forge a tenuous but transformational relationship when they embark on a cross-country trip to see life away from Los Angeles.", + "poster": "https://image.tmdb.org/t/p/w500/1oOyJsdcJnnE7cl9bZdUQvBjKNH.jpg", + "url": "https://www.themoviedb.org/movie/632617", + "genres": [ + "Drama" + ], + "tags": [ + "new york city", + "new orleans, louisiana", + "interview", + "los angeles, california", + "black and white", + "parenting", + "childhood", + "uncle nephew relationship", + "motherhood", + "bipolar disorder", + "brother sister relationship", + "kids speaking" + ] + }, + { + "ranking": 2410, + "title": "Downton Abbey: A New Era", + "year": "2022", + "runtime": 125, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.215, + "vote_count": 509, + "description": "The Crawley family goes on a grand journey to the south of France to uncover the mystery of the dowager countess's newly inherited villa. Meanwhile, a Hollywood director seeks to film his latest production at Downton.", + "poster": "https://image.tmdb.org/t/p/w500/r5n4CLoIjUcnT3shWDi6MHdJ25a.jpg", + "url": "https://www.themoviedb.org/movie/820446", + "genres": [ + "Drama", + "Romance" + ], + "tags": [ + "villa", + "country house", + "southern france", + "testament", + "travel", + "britain", + "period drama", + "based on tv series" + ] + }, + { + "ranking": 2412, + "title": "Secret of the Wings", + "year": "2012", + "runtime": 75, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.215, + "vote_count": 1292, + "description": "Tinkerbell wanders into the forbidden Winter woods and meets Periwinkle. Together they learn the secret of their wings and try to unite the warm fairies and the winter fairies to help Pixie Hollow.", + "poster": "https://image.tmdb.org/t/p/w500/5q72GagtB9NM4i3z7M40EXLb3ut.jpg", + "url": "https://www.themoviedb.org/movie/75258", + "genres": [ + "Animation", + "Family", + "Fantasy", + "Adventure" + ], + "tags": [ + "cold", + "winter", + "fairy tale", + "fairy", + "sister", + "separation", + "duringcreditsstinger", + "woman director" + ] + }, + { + "ranking": 2417, + "title": "After the Storm", + "year": "2016", + "runtime": 117, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.2, + "vote_count": 339, + "description": "Ryota is an unpopular writer although he won a literary award 15 years ago. Now, Ryota works as a private detective. He is divorced from his ex-wife Kyoko and he has an 11-year-old son Shingo. His mother Yoshiko lives alone at her apartment. One day, Ryota, his ex-wife Kyoko, and son Shingo gather at Yoshiko's apartment. A typhoon passes and the family must stay there all night long.", + "poster": "https://image.tmdb.org/t/p/w500/oScZQ3ZVvnVtgZpuFW75msSVmHC.jpg", + "url": "https://www.themoviedb.org/movie/374671", + "genres": [ + "Drama" + ], + "tags": [ + "japan", + "gambling", + "family relationships", + "slice of life", + "writer", + "storm", + "divorce", + "private detective", + "grandmother" + ] + }, + { + "ranking": 2433, + "title": "South Park: Post COVID", + "year": "2021", + "runtime": 59, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.212, + "vote_count": 344, + "description": "What happened to the children who lived through the Pandemic? Stan, Kyle, Cartman and Kenny survived but will never be the same Post Covid.", + "poster": "https://image.tmdb.org/t/p/w500/abDxPtElhJnLnnJxgMqJ1N2H8yl.jpg", + "url": "https://www.themoviedb.org/movie/874299", + "genres": [ + "Animation", + "Comedy", + "TV Movie" + ], + "tags": [ + "future", + "blunt", + "pandemic", + "covid-19" + ] + }, + { + "ranking": 2424, + "title": "Pat Garrett & Billy the Kid", + "year": "1973", + "runtime": 115, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.2, + "vote_count": 415, + "description": "Pat Garrett is hired as a lawman on behalf of a group of wealthy New Mexico cattle barons to bring down his old friend Billy the Kid.", + "poster": "https://image.tmdb.org/t/p/w500/wiXsTZh2eUkOWcco1ldCmhhevuk.jpg", + "url": "https://www.themoviedb.org/movie/11577", + "genres": [ + "Western", + "Drama", + "History", + "Action", + "Adventure" + ], + "tags": [ + "sheriff", + "gore", + "aging", + "lawlessness", + "breast", + "gun battle", + "old friends", + "flogging", + "pat garrett", + "manhunt" + ] + }, + { + "ranking": 2426, + "title": "Big Trouble in Little China", + "year": "1986", + "runtime": 100, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.2, + "vote_count": 3082, + "description": "Truck driver Jack Burton gets embroiled in a supernatural battle when his best friend Wang Chi's green-eyed fiancée is kidnapped by henchmen of the sorcerer Lo Pan, who must marry a girl with green eyes in order to return to the human realm.", + "poster": "https://image.tmdb.org/t/p/w500/aeGy6SZua7eFXEZP9zAvrLkkbI2.jpg", + "url": "https://www.themoviedb.org/movie/6978", + "genres": [ + "Action", + "Comedy", + "Fantasy", + "Adventure" + ], + "tags": [ + "martial arts", + "kung fu", + "magic", + "san francisco, california", + "kidnapping", + "chinatown", + "mercenary", + "mythology", + "truck driver", + "adventurer", + "1980s", + "fantasy", + "awestruck" + ] + }, + { + "ranking": 2427, + "title": "Donkey Skin", + "year": "1970", + "runtime": 90, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.2, + "vote_count": 521, + "description": "A fairy godmother helps a princess disguise herself so she won't have to marry her father.", + "poster": "https://image.tmdb.org/t/p/w500/mZ5pUyr9bOPIl0PfkZenMGSr9iN.jpg", + "url": "https://www.themoviedb.org/movie/5590", + "genres": [ + "Fantasy", + "Comedy", + "Music", + "Romance" + ], + "tags": [ + "princess", + "loss of loved one", + "cake", + "donkey", + "prince", + "surrealism", + "imaginary land", + "wedding", + "king", + "leaving home", + "based on fairy tale", + "ring", + "anachronism", + "fairy godmother", + "father daughter relationship" + ] + }, + { + "ranking": 2425, + "title": "[REC]", + "year": "2007", + "runtime": 78, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.2, + "vote_count": 4503, + "description": "A television reporter and cameraman follow emergency workers into a dark apartment building and are quickly locked inside with something terrifying.", + "poster": "https://image.tmdb.org/t/p/w500/5XsVGgo8I12v3KlPcD0r1CNHMC6.jpg", + "url": "https://www.themoviedb.org/movie/8329", + "genres": [ + "Horror", + "Mystery" + ], + "tags": [ + "obsession", + "bite", + "religion and supernatural", + "attempt to escape", + "cinematographer", + "lodger", + "live-reportage", + "found footage", + "firefighter" + ] + }, + { + "ranking": 2429, + "title": "DC League of Super-Pets", + "year": "2022", + "runtime": 105, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.2, + "vote_count": 1596, + "description": "When Superman and the rest of the Justice League are kidnapped, Krypto the Super-Dog must convince a rag-tag shelter pack - Ace the hound, PB the potbellied pig, Merton the turtle and Chip the squirrel - to master their own newfound powers and help him rescue the superheroes.", + "poster": "https://image.tmdb.org/t/p/w500/qpPMewlugFaejXjz4YNDnpTniFX.jpg", + "url": "https://www.themoviedb.org/movie/539681", + "genres": [ + "Animation", + "Action", + "Family", + "Comedy", + "Science Fiction" + ], + "tags": [ + "superhero", + "villain", + "based on comic", + "super power", + "aftercreditsstinger", + "duringcreditsstinger", + "evil mastermind", + "supervillain", + "talking animal" + ] + }, + { + "ranking": 2432, + "title": "In the Mouth of Madness", + "year": "1995", + "runtime": 95, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.2, + "vote_count": 1694, + "description": "An insurance investigator begins discovering the impact a horror writer's books has on his fans is more than inspirational.", + "poster": "https://image.tmdb.org/t/p/w500/msh4tEUzbnEqlHcFOUH4O0Zti8r.jpg", + "url": "https://www.themoviedb.org/movie/2654", + "genres": [ + "Horror", + "Mystery" + ], + "tags": [ + "small town", + "insanity", + "paranoia", + "diner", + "new hampshire", + "disappearance", + "author", + "church", + "gothic", + "crucifix", + "new england", + "insurance investigator", + "ghost town", + "publisher", + "horror novel", + "lovecraftian", + "cheerful" + ] + }, + { + "ranking": 2434, + "title": "Happening", + "year": "2021", + "runtime": 100, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.2, + "vote_count": 442, + "description": "France, 1963. Anne is a bright young student with a promising future ahead of her. But when she falls pregnant, she sees the opportunity to finish her studies and escape the constraints of her social background disappearing. With her final exams fast approaching and her belly growing, Anne resolves to act, even if she has to confront shame and pain, even if she must risk prison to do so.", + "poster": "https://image.tmdb.org/t/p/w500/f2lTAmLYpWpd8JxtJrMXFFGV9gZ.jpg", + "url": "https://www.themoviedb.org/movie/793998", + "genres": [ + "Drama" + ], + "tags": [ + "france", + "pregnancy", + "woman director", + "abortion", + "1960s" + ] + }, + { + "ranking": 2440, + "title": "Fear and Loathing in Las Vegas", + "year": "1998", + "runtime": 118, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.2, + "vote_count": 4684, + "description": "Raoul Duke and his attorney Dr. Gonzo drive a red convertible across the Mojave desert to Las Vegas with a suitcase full of drugs to cover a motorcycle race. As their consumption of drugs increases at an alarming rate, the stoned duo trash their hotel room and fear legal repercussions. Duke begins to drive back to L.A., but after an odd run-in with a cop, he returns to Sin City and continues his wild drug binge.", + "poster": "https://image.tmdb.org/t/p/w500/tisNLcMkxryU2zxhi0PiyDFqhm0.jpg", + "url": "https://www.themoviedb.org/movie/1878", + "genres": [ + "Adventure", + "Drama", + "Comedy" + ], + "tags": [ + "journalist", + "casino", + "based on novel or book", + "1970s", + "paranoia", + "cocaine", + "dark comedy", + "lsd", + "hallucination", + "fake identity", + "surrealism", + "road trip", + "lawyer", + "hitchhiker", + "las vegas", + "drugs", + "buddy", + "desert", + "gonzo journalist", + "cadillac convertible", + "police convention", + "psychedelia", + "hotel suite" + ] + }, + { + "ranking": 2438, + "title": "Naruto the Movie: Ninja Clash in the Land of Snow", + "year": "2004", + "runtime": 82, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.21, + "vote_count": 563, + "description": "Naruto is thrilled when he is sent on a mission to protect his favorite actress, Yukie Fujikaze, on the set of her new movie, The Adventures of Princess Gale. But when the crew ventures out to film in the icy, foreboding Land of Snow, Yukie mysteriously flees! Naruto and his squad set off to find her... unaware that three Snow Ninja lie in wait, with a sinister purpose that will force Yukie to face her hidden past!", + "poster": "https://image.tmdb.org/t/p/w500/eUNRUeSNzm8LktH4HRaYiAReB6R.jpg", + "url": "https://www.themoviedb.org/movie/16907", + "genres": [ + "Comedy", + "Action", + "Animation", + "Adventure" + ], + "tags": [ + "ninja", + "shounen", + "anime", + "adventure" + ] + }, + { + "ranking": 2439, + "title": "The Muppet Movie", + "year": "1979", + "runtime": 97, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.2, + "vote_count": 630, + "description": "A Hollywood agent persuades Kermit the Frog to leave the swamp to pursue a career in Hollywood. On his way there, he meets a bear, a pig, a whatever – his future muppet crew – while being chased by the desperate owner of a frog-leg restaurant!", + "poster": "https://image.tmdb.org/t/p/w500/8LUjnIW5ph6pHoXDE3Zg4iVi6BV.jpg", + "url": "https://www.themoviedb.org/movie/11176", + "genres": [ + "Adventure", + "Music", + "Family", + "Comedy" + ], + "tags": [ + "chicken", + "musical", + "puppet", + "road trip", + "fame", + "puppetry", + "hollywood", + "fozzie bear", + "floyd", + "dr teeth", + "miss piggy", + "studebaker", + "movie star", + "aftercreditsstinger", + "muppets", + "kermit the frog" + ] + }, + { + "ranking": 2437, + "title": "Jane Eyre", + "year": "2011", + "runtime": 120, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.2, + "vote_count": 1478, + "description": "After a bleak childhood, Jane Eyre goes out into the world to become a governess. As she lives happily in her new position at Thornfield Hall, she meet the dark, cold, and abrupt master of the house, Mr. Rochester. Jane and her employer grow close in friendship and she soon finds herself falling in love with him. Happiness seems to have found Jane at last, but could Mr. Rochester's terrible secret be about to destroy it forever?", + "poster": "https://image.tmdb.org/t/p/w500/3Cn7D0wEaxnvm8kTta1osNu3QJv.jpg", + "url": "https://www.themoviedb.org/movie/38684", + "genres": [ + "Drama", + "Romance" + ], + "tags": [ + "friendship", + "prayer", + "smoking", + "painting", + "man woman relationship", + "love", + "rural area", + "snow", + "memory", + "orphan", + "cruelty", + "free will", + "guardian", + "wedding ceremony", + "ward" + ] + }, + { + "ranking": 2423, + "title": "Barbie and the Magic of Pegasus", + "year": "2005", + "runtime": 85, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.213, + "vote_count": 734, + "description": "Princess Annika escapes the clutches of the evil wizard, explores the wonders of Cloud Kingdom, and teams up with a magnificent winged horse - who turns out to be her sister, Princess Brietta - to defeat the wizard and break the spells that imprisoned her family.", + "poster": "https://image.tmdb.org/t/p/w500/wqKNLSzGN9lqnmtFFwu40g2eWgQ.jpg", + "url": "https://www.themoviedb.org/movie/15906", + "genres": [ + "Animation", + "Family", + "Romance" + ], + "tags": [ + "princess", + "flying horse", + "pegasus", + "based on toy", + "ice skating" + ] + }, + { + "ranking": 2436, + "title": "Black Widow", + "year": "2021", + "runtime": 134, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.21, + "vote_count": 10421, + "description": "Natasha Romanoff, also known as Black Widow, confronts the darker parts of her ledger when a dangerous conspiracy with ties to her past arises. Pursued by a force that will stop at nothing to bring her down, Natasha must deal with her history as a spy and the broken relationships left in her wake long before she became an Avenger.", + "poster": "https://image.tmdb.org/t/p/w500/kwB7d51AIcyzPOBOHLCEZJkmPhQ.jpg", + "url": "https://www.themoviedb.org/movie/497698", + "genres": [ + "Action", + "Adventure", + "Science Fiction" + ], + "tags": [ + "assassin", + "hero", + "spy", + "kgb", + "based on comic", + "female assassin", + "female spy", + "female hero", + "aftercreditsstinger", + "marvel cinematic universe (mcu)", + "woman director" + ] + }, + { + "ranking": 2428, + "title": "Miraculous World: Paris, Tales of Shadybug and Claw Noir", + "year": "2023", + "runtime": 48, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.212, + "vote_count": 590, + "description": "Miraculous holders from another world appear in Paris. They come from a parallel universe where everything is reversed: the holders of Ladybug and Black Cat Miraculouses, Shadybug and Claw Noir, are the bad guys, and the holder of the Butterfly Miraculous, Hesperia, is a superhero. Ladybug and Cat Noir will have to help Hesperia counter the attacks of their evil doubles and prevent them from seizing the Butterfly's Miraculous. Can our heroes also help Hesperia make Shadybug and Claw Noir better people?", + "poster": "https://image.tmdb.org/t/p/w500/nydROKumZe9oFZNiSn792MDDA1v.jpg", + "url": "https://www.themoviedb.org/movie/1147400", + "genres": [ + "Animation", + "Adventure", + "Action", + "Fantasy", + "Family" + ], + "tags": [ + "paris, france", + "superhero", + "kids" + ] + }, + { + "ranking": 2422, + "title": "Over the Moon", + "year": "2020", + "runtime": 95, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.213, + "vote_count": 1312, + "description": "Fueled by memories of her mother, resourceful Fei Fei builds a rocket to the moon on a mission to prove the existence of a legendary moon goddess.", + "poster": "https://image.tmdb.org/t/p/w500/lG0TF0wj1n9p9CPy5xlIUIkF56a.jpg", + "url": "https://www.themoviedb.org/movie/560050", + "genres": [ + "Animation", + "Adventure", + "Family", + "Fantasy" + ], + "tags": [ + "moon", + "rocket" + ] + }, + { + "ranking": 2421, + "title": "The Fortune Cookie", + "year": "1966", + "runtime": 125, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.2, + "vote_count": 316, + "description": "A cameraman is knocked over during a football game. His brother-in-law, as the king of the ambulance-chasing lawyers, starts a suit while he's still knocked out. The cameraman is against it until he hears that his ex-wife will be coming to see him. He pretends to be injured to get her back, but also sees what the strain is doing to the football player who injured him.", + "poster": "https://image.tmdb.org/t/p/w500/tGZc0sRoXgGzRDhHaCRmqxNSKVZ.jpg", + "url": "https://www.themoviedb.org/movie/1888", + "genres": [ + "Comedy" + ], + "tags": [ + "shadowing", + "american football", + "brother-in-law", + "wheelchair", + "honesty", + "insurance fraud", + "cinematographer", + "fortune cookie", + "ex-wife", + "cleveland browns", + "cleveland, ohio" + ] + }, + { + "ranking": 2431, + "title": "Naruto Shippuden the Movie: Blood Prison", + "year": "2011", + "runtime": 108, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.211, + "vote_count": 659, + "description": "After his capture for attempted assassination of the Raikage, leader of Kumogakure, as well as killing Jōnin from Kirigakure and Iwagakure, Naruto is imprisoned in Hōzukijou: A criminal containment facility known as the Blood Prison. Mui, the castle master, uses the ultimate imprisonment technique to steal power from the prisoners, which is when Naruto notices his life has been targeted. Thus begins the battle to uncover the truth behind the mysterious murders and prove Naruto's innocence.", + "poster": "https://image.tmdb.org/t/p/w500/4WT7zYFpe0fsbg6TitppiHddWAh.jpg", + "url": "https://www.themoviedb.org/movie/75624", + "genres": [ + "Thriller", + "Animation", + "Action", + "Comedy", + "Horror", + "Mystery" + ], + "tags": [ + "ninja", + "shounen", + "anime", + "adventure" + ] + }, + { + "ranking": 2435, + "title": "Hocus Pocus 2", + "year": "2022", + "runtime": 107, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.21, + "vote_count": 1708, + "description": "29 years since the Black Flame Candle was last lit, the 17th-century Sanderson sisters are resurrected, and they are looking for revenge. Now it's up to three high school students to stop the ravenous witches from wreaking a new kind of havoc on Salem before dawn on All Hallow's Eve.", + "poster": "https://image.tmdb.org/t/p/w500/7ze7YNmUaX81ufctGqt0AgHxRtL.jpg", + "url": "https://www.themoviedb.org/movie/642885", + "genres": [ + "Fantasy", + "Comedy", + "Family" + ], + "tags": [ + "witch", + "high school", + "sibling relationship", + "halloween", + "resurrection", + "sister", + "sequel", + "zombie", + "salem, massachusetts", + "aftercreditsstinger", + "duringcreditsstinger" + ] + }, + { + "ranking": 2430, + "title": "One Piece Film: GOLD", + "year": "2016", + "runtime": 120, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.211, + "vote_count": 495, + "description": "The glittering Gran Tesoro, a city of entertainment beyond the laws of the government, is a sanctuary for the world’s most infamous pirates, Marines, and filthy rich millionaires. Drawn by dreams of hitting the jackpot, Captain Luffy and his crew sail straight for the gold. But behind the gilded curtains lies a powerful king whose deep pockets and deeper ambitions spell disaster for the Straw Hats and the New World alike.", + "poster": "https://image.tmdb.org/t/p/w500/9PgiOFTLZXP7emlwcIt0yRasJ9h.jpg", + "url": "https://www.themoviedb.org/movie/374205", + "genres": [ + "Action", + "Animation", + "Adventure", + "Comedy" + ], + "tags": [ + "gold", + "pirate", + "based on manga", + "shounen", + "anime", + "adventure" + ] + }, + { + "ranking": 2441, + "title": "Saw X", + "year": "2023", + "runtime": 118, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.2, + "vote_count": 2053, + "description": "Between the events of 'Saw' and 'Saw II', a sick and desperate John Kramer travels to Mexico for a risky and experimental medical procedure in hopes of a miracle cure for his cancer, only to discover the entire operation is a scam to defraud the most vulnerable. Armed with a newfound purpose, the infamous serial killer returns to his work, turning the tables on the con artists in his signature visceral way through devious, deranged, and ingenious traps.", + "poster": "https://image.tmdb.org/t/p/w500/u7Lp1Hi8aBS73jv4KRMIv5aK4ax.jpg", + "url": "https://www.themoviedb.org/movie/951491", + "genres": [ + "Horror", + "Mystery", + "Thriller" + ], + "tags": [ + "mexico", + "mexico city, mexico", + "sadism", + "riddle", + "gore", + "sequel", + "con artist", + "cancer", + "scam", + "serial killer", + "torture", + "drugs", + "survival horror", + "duringcreditsstinger", + "franchise", + "jigsaw", + "saw", + "death game", + "requel" + ] + }, + { + "ranking": 2445, + "title": "3:10 to Yuma", + "year": "2007", + "runtime": 122, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.2, + "vote_count": 3699, + "description": "In Arizona in the late 1800s, infamous outlaw Ben Wade and his vicious gang of thieves and murderers have plagued the Southern Railroad. When Wade is captured, Civil War veteran Dan Evans, struggling to survive on his drought-plagued ranch, volunteers to deliver him alive to the \"3:10 to Yuma\", a train that will take the killer to trial.", + "poster": "https://image.tmdb.org/t/p/w500/voMB69AsLnPNmtfbrBl0lbeFKDH.jpg", + "url": "https://www.themoviedb.org/movie/5176", + "genres": [ + "Western" + ], + "tags": [ + "dying and death", + "race against time", + "hero", + "saloon", + "parent child relationship", + "liberation of prisoners", + "arizona", + "transport of prisoners", + "wilderness", + "stetson", + "railway car", + "rivalry", + "gang", + "gunfight", + "family", + "dishonesty", + "heroic mission", + "righting the wronged", + "grand", + "factual" + ] + }, + { + "ranking": 2442, + "title": "Little Manhattan", + "year": "2005", + "runtime": 90, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.209, + "vote_count": 720, + "description": "Ten-year-old Gabe was just a normal kid growing up in Manhattan until Rosemary Telesco walked into his life, actually into his karate class. But before Gabe can tell Rosemary how he feels, she tells him she will not be going to public school any more. Gabe has a lot more to learn about life, love, and girls.", + "poster": "https://image.tmdb.org/t/p/w500/z0RNI1NMtsvLsuTo1rWZfNHVs1z.jpg", + "url": "https://www.themoviedb.org/movie/16553", + "genres": [ + "Comedy", + "Romance" + ], + "tags": [ + "new york city", + "jealousy", + "dreams", + "marriage", + "karate", + "flower girl", + "love", + "television producer", + "school", + "divorce", + "first love", + "manhattan, new york city", + "interracial adoption" + ] + }, + { + "ranking": 2444, + "title": "The Parent Trap", + "year": "1998", + "runtime": 128, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.2, + "vote_count": 4251, + "description": "Hallie Parker and Annie James are identical twins separated at a young age because of their parents' divorce. Unknowingly to their parents, the girls are sent to the same summer camp where they meet, discover the truth about themselves, and then plot with each other to switch places.", + "poster": "https://image.tmdb.org/t/p/w500/dNqgjqxHIdfsQRQL5XTujNfX9pj.jpg", + "url": "https://www.themoviedb.org/movie/9820", + "genres": [ + "Comedy", + "Family", + "Romance" + ], + "tags": [ + "california", + "summer camp", + "twin sister", + "remake", + "matchmaking", + "twins separated at birth", + "identity swap", + "divorced parents", + "woman director", + "napa valley", + "sleepaway camp", + "sister sister relationship", + "parent child reunion", + "cheerful" + ] + }, + { + "ranking": 2447, + "title": "Good Time", + "year": "2017", + "runtime": 102, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.2, + "vote_count": 2869, + "description": "After a botched bank robbery lands his younger brother in prison, Connie Nikas embarks on a twisted odyssey through New York City's underworld to get his brother Nick out of jail.", + "poster": "https://image.tmdb.org/t/p/w500/yE1c9hj5Hf8a9KplAdRdhADqUro.jpg", + "url": "https://www.themoviedb.org/movie/429200", + "genres": [ + "Crime", + "Thriller", + "Drama" + ], + "tags": [ + "prison", + "mentally disabled", + "new york city", + "brother", + "bank robber", + "wheelchair", + "on the run", + "hospital", + "drugs", + "foot chase", + "security guard", + "amusement park", + "one night", + "botched robbery", + "acid", + "dreary" + ] + }, + { + "ranking": 2446, + "title": "The Outsiders", + "year": "1983", + "runtime": 91, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.2, + "vote_count": 1401, + "description": "When two poor Greasers, Johnny and Ponyboy, are assaulted by a vicious gang, the Socs, and Johnny kills one of the attackers, tension begins to mount between the two rival gangs, setting off a turbulent chain of events.", + "poster": "https://image.tmdb.org/t/p/w500/pl8Tf36TAOb2i561yPbQ9xl4P4D.jpg", + "url": "https://www.themoviedb.org/movie/227", + "genres": [ + "Crime", + "Drama" + ], + "tags": [ + "street gang", + "based on novel or book", + "children's home", + "coming of age", + "gang", + "juvenile delinquent", + "tulsa, oklahoma", + "based on young adult novel", + "teenager" + ] + }, + { + "ranking": 2449, + "title": "Big Time Adolescence", + "year": "2020", + "runtime": 91, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.207, + "vote_count": 348, + "description": "A seemingly bright and mostly innocent 16-year-old named Mo attempts to navigate high school under the guidance of his best friend Zeke, an unmotivated-yet-charismatic college dropout. Although Zeke genuinely cares about Mo, things start to go awry as he teaches Mo nontraditional life lessons in drug dealing, partying, and dating. Meanwhile, Mo’s well-meaning dad tries to step in and take back the reins of his son’s upbringing.", + "poster": "https://image.tmdb.org/t/p/w500/ydpl7tqYyYFhCIJpslbvlUpVdc9.jpg", + "url": "https://www.themoviedb.org/movie/539617", + "genres": [ + "Comedy", + "Drama" + ], + "tags": [ + "slacker", + "coming of age", + "drug dealing", + "teenage boy", + "father son relationship" + ] + }, + { + "ranking": 2451, + "title": "Mission: Impossible - Rogue Nation", + "year": "2015", + "runtime": 131, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.2, + "vote_count": 8983, + "description": "Ethan and team take on their most impossible mission yet—eradicating 'The Syndicate', an International and highly-skilled rogue organization committed to destroying the IMF.", + "poster": "https://image.tmdb.org/t/p/w500/sGvcWcI99OTXLzghD7qXw00KaY5.jpg", + "url": "https://www.themoviedb.org/movie/177677", + "genres": [ + "Action", + "Adventure" + ], + "tags": [ + "mission", + "london, england", + "spy", + "morocco", + "villain", + "austria", + "europe", + "sequel", + "conspiracy", + "vienna, austria", + "vienna opera", + "based on tv series" + ] + }, + { + "ranking": 2454, + "title": "Jack and the Cuckoo-Clock Heart", + "year": "2014", + "runtime": 94, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.206, + "vote_count": 718, + "description": "In Scotland 1874, Jack is born on the coldest day ever. Because of the extreme cold, his heart stops beating. The responsible midwife in Edinburgh finds a way to save him by replacing his heart with a clock. So he lives and remains under the midwife's protective care. But he must not get angry or excited because that endangers his life by causing his clock to stop working. Worse than that, when he grows up, he has to face the fact he cannot fall in love because that too could stop his delicate heart.", + "poster": "https://image.tmdb.org/t/p/w500/ZSrU2mvlzM5Jr30XtKCU1fziIj.jpg", + "url": "https://www.themoviedb.org/movie/204436", + "genres": [ + "Animation", + "Romance", + "Adventure", + "Drama", + "Fantasy" + ], + "tags": [ + "musical", + "sad story" + ] + }, + { + "ranking": 2453, + "title": "Reign Over Me", + "year": "2007", + "runtime": 124, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.207, + "vote_count": 1090, + "description": "A man who lost his family in the September 11 attack on New York City runs into his old college roommate. Rekindling the friendship is the one thing that appears able to help the man recover from his grief.", + "poster": "https://image.tmdb.org/t/p/w500/b5EtDvwj2gdG1qMBLijamlLfJLB.jpg", + "url": "https://www.themoviedb.org/movie/2355", + "genres": [ + "Drama" + ], + "tags": [ + "airplane", + "loss of loved one", + "war on terror", + "confidence", + "trauma", + "leaving one's family", + "alone", + "grief", + "cowardliness", + "family", + "post 9/11" + ] + }, + { + "ranking": 2448, + "title": "I Am Legend", + "year": "2007", + "runtime": 101, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.208, + "vote_count": 15972, + "description": "Robert Neville is a scientist who was unable to stop the spread of the terrible virus that was incurable and man-made. Immune, Neville is now the last human survivor in what is left of New York City and perhaps the world. For three years, Neville has faithfully sent out daily radio messages, desperate to find any other survivors who might be out there. But he is not alone.", + "poster": "https://image.tmdb.org/t/p/w500/iPDkaSdKk2jRLTM65UOEoKtsIZ8.jpg", + "url": "https://www.themoviedb.org/movie/6479", + "genres": [ + "Drama", + "Science Fiction", + "Thriller" + ], + "tags": [ + "new york city", + "saving the world", + "based on novel or book", + "dystopia", + "post-apocalyptic future", + "lost civilisation", + "infection", + "matter of life and death", + "alone", + "helplessness", + "loneliness", + "zombie", + "virus", + "pandemic", + "pets" + ] + }, + { + "ranking": 2452, + "title": "A League of Their Own", + "year": "1992", + "runtime": 128, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.207, + "vote_count": 1420, + "description": "As America's stock of athletic young men is depleted during World War II, a professional all-female baseball league springs up in the Midwest, funded by publicity-hungry candy maker Walter Harvey. Competitive sisters Dottie Hinson and Kit Keller spar with each other, scout Ernie Capadino and grumpy has-been coach Jimmy Dugan on their way to fame.", + "poster": "https://image.tmdb.org/t/p/w500/7xpFXAOjgzFPE3vyVerFGfrXhFK.jpg", + "url": "https://www.themoviedb.org/movie/11287", + "genres": [ + "Comedy", + "Drama" + ], + "tags": [ + "sports", + "baseball", + "world war ii", + "baseball player", + "female athlete", + "home front", + "woman director", + "1940s" + ] + }, + { + "ranking": 2455, + "title": "The Cutting Edge", + "year": "1992", + "runtime": 101, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.2, + "vote_count": 357, + "description": "Two former Olympians, one a figure skater and the other a hockey player, pin their hopes of one last shot at Olympic glory on one another. That is, of course, if they can keep from killing each other in the process...", + "poster": "https://image.tmdb.org/t/p/w500/sx4qf2XoW0xaLITQLpajsYc4mcj.jpg", + "url": "https://www.themoviedb.org/movie/16562", + "genres": [ + "Romance", + "Comedy", + "Drama" + ], + "tags": [ + "sports", + "olympic games", + "romcom", + "skating", + "figure skating" + ] + }, + { + "ranking": 2457, + "title": "The Age of Shadows", + "year": "2016", + "runtime": 140, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.205, + "vote_count": 336, + "description": "Set in the late 1920s, The Age of Shadows follows the cat-and-mouse game that unfolds between a group of resistance fighters trying to bring in explosives from Shanghai to destroy key Japanese facilities in Seoul, and Japanese agents trying to stop them.", + "poster": "https://image.tmdb.org/t/p/w500/fdmbC7BRAvDfgzPtfk9tNqn8QNx.jpg", + "url": "https://www.themoviedb.org/movie/363579", + "genres": [ + "Action", + "Thriller" + ], + "tags": [ + "japan", + "shanghai, china", + "independence movement", + "1920s", + "korean resistance", + "japanese occupation of korea", + "korea" + ] + }, + { + "ranking": 2459, + "title": "Don't Worry, I'm Fine", + "year": "2006", + "runtime": 96, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.196, + "vote_count": 581, + "description": "A 19-year-old searches for her twin brother after he runs away from home, following a fight with their father.", + "poster": "https://image.tmdb.org/t/p/w500/yD6skMZZq0Rgn2NhI9dk4B2Dipu.jpg", + "url": "https://www.themoviedb.org/movie/1254", + "genres": [ + "Drama" + ], + "tags": [ + "sibling relationship", + "france", + "love triangle", + "parent child relationship", + "loss of loved one", + "lie", + "leaving one's family", + "normandy, france", + "postcard", + "anorexia", + "twins", + "family" + ] + }, + { + "ranking": 2450, + "title": "Life Itself", + "year": "2018", + "runtime": 118, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.2, + "vote_count": 571, + "description": "As a young New York couple goes from college romance to marriage and the birth of their first child, the unexpected twists of their journey create reverberations that echo over continents and through lifetimes.", + "poster": "https://image.tmdb.org/t/p/w500/pE2hxC8bPbIi9tGyhFg5xiFW6dA.jpg", + "url": "https://www.themoviedb.org/movie/446696", + "genres": [ + "Drama", + "Romance" + ], + "tags": [ + "pregnancy", + "family relationships", + "theme song", + "estranged couple", + "intercultural relationship", + "unreliable narrator", + "traumatic accident", + "traumatic childhood", + "expecting", + "psychiatric treatment" + ] + }, + { + "ranking": 2458, + "title": "War for the Planet of the Apes", + "year": "2017", + "runtime": 140, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.205, + "vote_count": 9190, + "description": "Caesar and his apes are forced into a deadly conflict with an army of humans led by a ruthless Colonel. After the apes suffer unimaginable losses, Caesar wrestles with his darker instincts and begins his own mythic quest to avenge his kind. As the journey finally brings them face to face, Caesar and the Colonel are pitted against each other in an epic battle that will determine the fate of both their species and the future of the planet.", + "poster": "https://image.tmdb.org/t/p/w500/mMA1qhBFgZX8O36qPPTC016kQl1.jpg", + "url": "https://www.themoviedb.org/movie/281338", + "genres": [ + "Drama", + "Science Fiction", + "War" + ], + "tags": [ + "suicide", + "civil war", + "escape", + "winter", + "mutation", + "peace", + "solidarity", + "gorilla", + "intelligence", + "dystopia", + "horse", + "slavery", + "pacifism", + "imprisonment", + "colony", + "sequel", + "anthropomorphism", + "revenge", + "betrayal", + "mute", + "snow", + "torture", + "disease", + "ape", + "orangutan", + "death of family", + "death", + "evolution", + "chimpanzee", + "avalanche", + "albino", + "primate", + "sign languages", + "virus", + "underground tunnel", + "assassination attempt", + "enslavement", + "murder by gunshot", + "human becoming an animal", + "contagion", + "father son relationship", + "2040s", + "guns", + "soldiers", + "avenging father", + "animal human friendship", + "war", + "cgi-live action hybrid", + "serious", + "violence against animals", + "post-apocalyptic", + "explosions", + "war horse", + "survival of the fittest", + "cruel" + ] + }, + { + "ranking": 2456, + "title": "The Devil All the Time", + "year": "2020", + "runtime": 138, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.205, + "vote_count": 3419, + "description": "In Knockemstiff, Ohio and its neighboring backwoods, sinister characters converge around young Arvin Russell as he fights the evil forces that threaten him and his family.", + "poster": "https://image.tmdb.org/t/p/w500/sdMZmKVvrnyYbl9Az4L6ehuIrFp.jpg", + "url": "https://www.themoviedb.org/movie/499932", + "genres": [ + "Crime", + "Drama", + "Thriller" + ], + "tags": [ + "small town", + "suicide", + "sheriff", + "based on novel or book", + "war veteran", + "gun", + "ohio", + "west virginia", + "murder", + "serial killer", + "photograph", + "church", + "gothic", + "madness", + "post world war ii", + "reverend", + "violence" + ] + }, + { + "ranking": 2460, + "title": "Maria Full of Grace", + "year": "2004", + "runtime": 101, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.2, + "vote_count": 396, + "description": "A pregnant Colombian teenager becomes a drug mule to make some desperately needed money for her family.", + "poster": "https://image.tmdb.org/t/p/w500/30CImATfvHWLXy6a3KmHXnYXB6c.jpg", + "url": "https://www.themoviedb.org/movie/436", + "genres": [ + "Drama", + "Thriller", + "Crime" + ], + "tags": [ + "new york city", + "individual", + "adolescence", + "airplane", + "drug crime", + "drug trafficking", + "pregnancy", + "bravery", + "cocaine", + "drug mule", + "illegal immigration", + "maquiladora", + "teacher", + "self esteem", + "teenage protagonist" + ] + }, + { + "ranking": 2443, + "title": "Invasion of the Body Snatchers", + "year": "1978", + "runtime": 116, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.209, + "vote_count": 1154, + "description": "The residents of San Francisco are becoming drone-like shadows of their former selves, and as the phenomenon spreads, two Department of Health workers uncover the horrifying truth.", + "poster": "https://image.tmdb.org/t/p/w500/5oNHdVo0vTsaC47Jv2Wb4eeo4V4.jpg", + "url": "https://www.themoviedb.org/movie/11850", + "genres": [ + "Science Fiction", + "Horror" + ], + "tags": [ + "based on novel or book", + "san francisco, california", + "1970s", + "psychoanalysis", + "alien", + "remake", + "apocalypse", + "alien invasion", + "alien infection", + "epidemic", + "biologist", + "doppelgänger", + "body snatchers" + ] + }, + { + "ranking": 2470, + "title": "Cleveland Abduction", + "year": "2015", + "runtime": 88, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.2, + "vote_count": 394, + "description": "A single mother becomes Ariel Castro's first kidnapping victim, and finds herself trapped in his home with two other women for 11 years.", + "poster": "https://image.tmdb.org/t/p/w500/uo1OCJrh2fErmuSdrz4gVw67q5n.jpg", + "url": "https://www.themoviedb.org/movie/336845", + "genres": [ + "Drama", + "Crime", + "TV Movie" + ], + "tags": [ + "kidnapping", + "based on true story", + "true crime", + "woman director" + ] + }, + { + "ranking": 2463, + "title": "Peter Pan", + "year": "1953", + "runtime": 77, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.2, + "vote_count": 5450, + "description": "Leaving the safety of their nursery behind, Wendy, Michael and John follow Peter Pan to a magical world where childhood lasts forever. But while in Neverland, the kids must face Captain Hook and foil his attempts to get rid of Peter for good.", + "poster": "https://image.tmdb.org/t/p/w500/fJJOs1iyrhKfZceANxoPxPwNGF1.jpg", + "url": "https://www.themoviedb.org/movie/10693", + "genres": [ + "Animation", + "Family", + "Adventure", + "Fantasy" + ], + "tags": [ + "london, england", + "sibling relationship", + "flying", + "becoming an adult", + "magic", + "crocodile", + "clock", + "bravery", + "fairy", + "cartoon", + "mermaid", + "villain", + "child hero", + "peter pan", + "musical", + "pirate gang", + "pirate", + "native peoples" + ] + }, + { + "ranking": 2476, + "title": "The NeverEnding Story", + "year": "1984", + "runtime": 102, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.2, + "vote_count": 4085, + "description": "While hiding from bullies in his school's attic, a young boy discovers the extraordinary land of Fantasia, through a magical book called The Neverending Story. The book tells the tale of Atreyu, a young warrior who, with the help of a luck dragon named Falkor, must save Fantasia from the destruction of The Nothing.", + "poster": "https://image.tmdb.org/t/p/w500/ddYCa91iDXfJCxaqSYzwi2fjfnl.jpg", + "url": "https://www.themoviedb.org/movie/34584", + "genres": [ + "Adventure", + "Fantasy", + "Family", + "Drama" + ], + "tags": [ + "based on novel or book", + "wolf", + "magic", + "fairy tale", + "horse", + "mythology", + "child hero", + "anthropomorphism", + "bully", + "school", + "creature", + "reading", + "book store", + "fantasy world", + "giant", + "gnome", + "quest", + "child protagonist", + "father son relationship", + "based on young adult novel", + "magical necklace" + ] + }, + { + "ranking": 2462, + "title": "Dragon Ball Z: Broly - The Legendary Super Saiyan", + "year": "1993", + "runtime": 70, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.204, + "vote_count": 925, + "description": "While the Saiyan Paragus persuades Vegeta to rule a new planet, King Kai alerts Goku of the South Galaxy's destruction by an unknown Super Saiyan.", + "poster": "https://image.tmdb.org/t/p/w500/6iO8TJCyLI4BiPYOvdwzPV2bhoV.jpg", + "url": "https://www.themoviedb.org/movie/34433", + "genres": [ + "Animation", + "Science Fiction", + "Action" + ], + "tags": [ + "mind control", + "martial arts", + "legend", + "superhero", + "transformation", + "space travel", + "based on manga", + "martial artist", + "super power", + "super villain", + "shounen", + "anime", + "father son relationship" + ] + }, + { + "ranking": 2466, + "title": "It's Only the End of the World", + "year": "2016", + "runtime": 99, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.2, + "vote_count": 1615, + "description": "Louis, a terminally ill writer, returns home after a long absence to tell his family that he is dying.", + "poster": "https://image.tmdb.org/t/p/w500/riWa3WZrO3n8lLWuaEVMgaqAZGn.jpg", + "url": "https://www.themoviedb.org/movie/338189", + "genres": [ + "Drama" + ], + "tags": [ + "narration", + "based on play or musical", + "dysfunctional family", + "male homosexuality", + "illness", + "critically bashed", + "lgbt", + "resentment", + "incommunicability", + "small talk", + "gay theme", + "dreary" + ] + }, + { + "ranking": 2464, + "title": "Breakfast on Pluto", + "year": "2005", + "runtime": 128, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.204, + "vote_count": 398, + "description": "In the 1970s, a young transgender woman called “Kitten” leaves her small Irish town for London in search of love, acceptance, and her long-lost mother.", + "poster": "https://image.tmdb.org/t/p/w500/14tmdb1PiLNDZf3VD29S2nUKVV0.jpg", + "url": "https://www.themoviedb.org/movie/1420", + "genres": [ + "Drama", + "Comedy" + ], + "tags": [ + "london, england", + "transvestism", + "transsexuality", + "loss of loved one", + "transvestite", + "1970s", + "pregnancy", + "pastor", + "male homosexuality", + "ireland", + "lgbt", + "wonder", + "playful", + "sentimental", + "witty", + "amused", + "audacious", + "compassionate", + "exuberant", + "hopeful" + ] + }, + { + "ranking": 2468, + "title": "The Diary of Anne Frank", + "year": "1959", + "runtime": 180, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.2, + "vote_count": 352, + "description": "The true, harrowing story of a young Jewish girl who, with her family and their friends, is forced into hiding in an attic in Nazi-occupied Amsterdam.", + "poster": "https://image.tmdb.org/t/p/w500/i7kUdUAF9eTxQG7GdR6lKUK96En.jpg", + "url": "https://www.themoviedb.org/movie/2576", + "genres": [ + "Drama", + "History" + ], + "tags": [ + "amsterdam, netherlands", + "holocaust (shoah)", + "world war ii", + "diary", + "biography", + "black and white", + "based on memoir or autobiography", + "family", + "attic", + "nazi occupation", + "hiding in attic", + "children in wartime", + "hiding from nazis" + ] + }, + { + "ranking": 2461, + "title": "Burlesque", + "year": "2010", + "runtime": 119, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.2, + "vote_count": 2260, + "description": "Ali leaves behind a troubled life and follows her dreams to Los Angeles, where she lands a job as a cocktail waitress at the Burlesque Lounge, a once-majestic theater that houses an inspired musical revue. Vowing to perform there, she makes the leap from bar to stage, helping restore the club's former glory.", + "poster": "https://image.tmdb.org/t/p/w500/3U9zBIibERQZqYKM3N1a4MYgBsN.jpg", + "url": "https://www.themoviedb.org/movie/42297", + "genres": [ + "Drama", + "Romance" + ], + "tags": [ + "musical", + "los angeles, california", + "burlesque", + "burlesque dancer", + "dancers", + "dancing girls" + ] + }, + { + "ranking": 2467, + "title": "A Touch of Sin", + "year": "2013", + "runtime": 131, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.2, + "vote_count": 342, + "description": "Four independent stories set in modern China about random acts of violence.", + "poster": "https://image.tmdb.org/t/p/w500/6I6XVBrUYBWPDPMdk647VvTSNqx.jpg", + "url": "https://www.themoviedb.org/movie/187022", + "genres": [ + "Drama", + "Crime", + "Action" + ], + "tags": [ + "bureaucracy", + "china", + "based on true story", + "alienation", + "rifle", + "anthology", + "displacement", + "humiliation", + "modern china", + "decadence", + "embezzlement", + "return of son", + "anomie" + ] + }, + { + "ranking": 2474, + "title": "Shoot the Piano Player", + "year": "1960", + "runtime": 85, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.2, + "vote_count": 412, + "description": "Charlie is a former classical pianist who has changed his name and now plays jazz in a grimy Paris bar. When Charlie's brothers, Richard and Chico, surface and ask for Charlie's help while on the run from gangsters they have scammed, he aids their escape. Soon Charlie and Lena, a waitress at the same bar, face trouble when the gangsters arrive, looking for his brothers.", + "poster": "https://image.tmdb.org/t/p/w500/6UhMIZaaoe2HUU7sEIwYpuYgugh.jpg", + "url": "https://www.themoviedb.org/movie/1818", + "genres": [ + "Drama", + "Thriller", + "Crime" + ], + "tags": [ + "based on novel or book", + "organized crime", + "pianist", + "french noir" + ] + }, + { + "ranking": 2465, + "title": "Men in Black", + "year": "1997", + "runtime": 98, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.2, + "vote_count": 13985, + "description": "After a police chase with an otherworldly being, a New York City cop is recruited as an agent in a top-secret organization established to monitor and police alien activity on Earth: the Men in Black. Agent K and new recruit Agent J find themselves in the middle of a deadly plot by an intergalactic terrorist who has arrived on Earth to assassinate two ambassadors from opposing galaxies.", + "poster": "https://image.tmdb.org/t/p/w500/uLOmOF5IzWoyrgIF5MfUnh5pa1X.jpg", + "url": "https://www.themoviedb.org/movie/607", + "genres": [ + "Action", + "Adventure", + "Comedy", + "Science Fiction" + ], + "tags": [ + "new york city", + "cannon", + "space marine", + "flying saucer", + "undercover", + "secret identity", + "superhero", + "deportation", + "illegal immigration", + "new identity", + "stay permit", + "giant cockroach", + "based on comic", + "alien", + "buddy cop", + "fictional government agency" + ] + }, + { + "ranking": 2477, + "title": "Dangerous Liaisons", + "year": "1988", + "runtime": 119, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.2, + "vote_count": 1181, + "description": "In 18th century France, Marquise de Merteuil asks her ex-lover Vicomte de Valmont to seduce the future wife of another ex-lover of hers in return for one last night with her. Yet things don’t go as planned.", + "poster": "https://image.tmdb.org/t/p/w500/7etDozwd9Pf5oCcyo4h1Hki6U13.jpg", + "url": "https://www.themoviedb.org/movie/859", + "genres": [ + "Drama", + "Romance" + ], + "tags": [ + "plan", + "lovesickness", + "paris, france", + "based on novel or book", + "cheating", + "cynic", + "sexuality", + "boredom", + "praise", + "lover", + "ladykiller", + "fiancé", + "seduction", + "love letter", + "courtly life", + "loss of virginity", + "wager", + "gender roles", + "18th century", + "sword duel", + "baroque", + "seducer" + ] + }, + { + "ranking": 2469, + "title": "A Fish Called Wanda", + "year": "1988", + "runtime": 109, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.2, + "vote_count": 2228, + "description": "While a diamond advocate attempts to steal a collection of diamonds, troubles arise when he realises he’s not the only one after the collection.", + "poster": "https://image.tmdb.org/t/p/w500/hkSGFNVfEEUXFCxRZDITFHVhUlu.jpg", + "url": "https://www.themoviedb.org/movie/623", + "genres": [ + "Comedy", + "Crime" + ], + "tags": [ + "infidelity", + "robbery", + "cheating", + "heart attack", + "heist", + "lawyer", + "silencer", + "courtroom", + "american abroad", + "animal abuse", + "stuttering", + "yelling", + "killing a dog", + "cutical scissors", + "run over by a steamroller", + "gag", + "excuse", + "barrel", + "zoophilia", + "screwball", + "heathrow airport", + "stolen jewelry" + ] + }, + { + "ranking": 2472, + "title": "The Choice", + "year": "2016", + "runtime": 111, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.201, + "vote_count": 1906, + "description": "Travis and Gabby first meet as neighbors in a small coastal town and wind up in a relationship that is tested by life's most defining events.", + "poster": "https://image.tmdb.org/t/p/w500/6MF3cdAasnF17SG9bmeamQ066iJ.jpg", + "url": "https://www.themoviedb.org/movie/330483", + "genres": [ + "Drama", + "Romance" + ], + "tags": [ + "based on novel or book", + "cheating", + "love", + "opposites attract", + "girl next door" + ] + }, + { + "ranking": 2471, + "title": "Doubt", + "year": "2008", + "runtime": 104, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.2, + "vote_count": 1743, + "description": "In 1964 Bronx, two Catholic school nuns question the new priest's ambiguous relationship with a troubled African-American student.", + "poster": "https://image.tmdb.org/t/p/w500/9lypT2ghNuUPYVJf66oe4fKvUqI.jpg", + "url": "https://www.themoviedb.org/movie/14359", + "genres": [ + "Drama" + ], + "tags": [ + "sexual abuse", + "wine", + "janitor", + "singing", + "pedophile", + "gossip", + "compassion", + "tolerance", + "1960s" + ] + }, + { + "ranking": 2479, + "title": "Resort to Love", + "year": "2021", + "runtime": 101, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.2, + "vote_count": 413, + "description": "Aspiring pop star Erica ends up as the entertainment at her ex-fiancé’s wedding after reluctantly taking a gig at a luxurious island resort while in the wake of a music career meltdown.", + "poster": "https://image.tmdb.org/t/p/w500/7w4gX4zRlONqThjhmjdxw93FAXt.jpg", + "url": "https://www.themoviedb.org/movie/785539", + "genres": [ + "Romance", + "Comedy" + ], + "tags": [ + "paradise", + "love", + "singer", + "wedding" + ] + }, + { + "ranking": 2478, + "title": "Beverly Hills Cop", + "year": "1984", + "runtime": 105, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.2, + "vote_count": 4257, + "description": "Fast-talking, quick-thinking Detroit street cop Axel Foley has bent more than a few rules and regs in his time, but when his best friend is murdered, he heads to sunny Beverly Hills to work the case like only he can.", + "poster": "https://image.tmdb.org/t/p/w500/eBJEvKkhQ0tUt1dBAcTEYW6kCle.jpg", + "url": "https://www.themoviedb.org/movie/90", + "genres": [ + "Comedy", + "Crime", + "Action" + ], + "tags": [ + "showdown", + "drug smuggling", + "undercover", + "cocaine", + "strip club", + "gunfight", + "mansion", + "los angeles, california", + "foot chase", + "art gallery", + "detroit, michigan", + "warehouse", + "childhood friends", + "murder investigation", + "beverly hills", + "black cop", + "buddy cop", + "buddy comedy", + "country club", + "maverick cop", + "narcotics detective", + "damsel in distress", + "bar fight", + "bearer bonds", + "detective comedy", + "food delivery" + ] + }, + { + "ranking": 2473, + "title": "The Lincoln Lawyer", + "year": "2011", + "runtime": 119, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.201, + "vote_count": 3344, + "description": "Mick Haller is a charismatic defense attorney who does business out of his Lincoln Continental sedan. Mick spends most of his time defending petty crooks and other bottom-feeders, so it comes as quite a surprise when he lands the case of a lifetime: defending a Beverly Hills playboy who is accused of attempted murder. However, what Mick initially thinks is an open-and-shut case with a big monetary reward develops into something more sinister.", + "poster": "https://image.tmdb.org/t/p/w500/gOn8Ve9Yi8fxjRkmLr5BZoOc7KV.jpg", + "url": "https://www.themoviedb.org/movie/50348", + "genres": [ + "Crime", + "Drama", + "Thriller" + ], + "tags": [ + "california", + "prostitute", + "based on novel or book", + "judge", + "attempted murder", + "video surveillance", + "jury", + "playboy", + "private investigator", + "lawyer", + "crime scene", + "motorcycle gang", + "courtroom", + "defense attorney", + "divorced father", + "courtroom drama", + "car driver", + "innocent in jail", + "murder of a prostitute", + "legal thriller", + "defense lawyer", + "attorney client privilege", + "high-profile client" + ] + }, + { + "ranking": 2475, + "title": "The Captain", + "year": "2018", + "runtime": 118, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.2, + "vote_count": 451, + "description": "Germany, 1945. Soldier Willi Herold, a deserter of the German army, stumbles into a uniform of Nazi captain abandoned during the last and desperate weeks of the Third Reich. Newly emboldened by the allure of a suit that he has stolen only to stay warm, Willi discovers that many Germans will follow the leader, whoever he is.", + "poster": "https://image.tmdb.org/t/p/w500/jdUSP7svZ3DOgCnB0upT1yiueUY.jpg", + "url": "https://www.themoviedb.org/movie/475094", + "genres": [ + "War", + "Drama", + "History" + ], + "tags": [ + "prisoner", + "desertion", + "nazi officer", + "impersonator", + "black and white", + "army captain", + "third reich (iii reich 1933-45)", + "1940s" + ] + }, + { + "ranking": 2480, + "title": "Munna Bhai M.B.B.S.", + "year": "2003", + "runtime": 156, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.2, + "vote_count": 311, + "description": "A gangster sets out to fulfill his father's dream of becoming a doctor.", + "poster": "https://image.tmdb.org/t/p/w500/nZNUTxGsSB4nLEC9Bpa2xfu81qV.jpg", + "url": "https://www.themoviedb.org/movie/19625", + "genres": [ + "Comedy", + "Drama" + ], + "tags": [ + "medicine", + "hospital", + "bollywood" + ] + }, + { + "ranking": 2482, + "title": "42", + "year": "2013", + "runtime": 128, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.198, + "vote_count": 1831, + "description": "In 1946, Branch Rickey, owner of the Brooklyn Dodgers, took a stand against Major League Baseball's infamous color line when he signed Jackie Robinson to the team. The deal put both men in the crosshairs of the public, the press and even other players. Facing unabashed racism from every side, Robinson was forced to demonstrate tremendous courage and let his talent on the field wins over fans and his teammates – silencing his critics and forever changing the world by changing the game of baseball.", + "poster": "https://image.tmdb.org/t/p/w500/iZ7jVGQWj3eBUdqwAPUlKk0BaS2.jpg", + "url": "https://www.themoviedb.org/movie/109410", + "genres": [ + "Drama" + ], + "tags": [ + "sports", + "baseball", + "biography", + "racial segregation", + "racial tension", + "racial prejudice", + "brooklyn dodgers", + "1940s" + ] + }, + { + "ranking": 2493, + "title": "Batman vs. Robin", + "year": "2015", + "runtime": 72, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.196, + "vote_count": 930, + "description": "Damian Wayne is having a hard time coping with his father's \"no killing\" rule. Meanwhile, Gotham is going through hell with threats such as the insane Dollmaker, and the secretive Court of Owls.", + "poster": "https://image.tmdb.org/t/p/w500/aGp9XDXmVM5lCKHWtgBC15S7XLr.jpg", + "url": "https://www.themoviedb.org/movie/321528", + "genres": [ + "Science Fiction", + "Action", + "Adventure", + "Animation", + "Crime", + "Drama", + "Fantasy", + "Thriller" + ], + "tags": [ + "superhero", + "cartoon", + "based on comic", + "robin", + "super power", + "dollmaker", + "court of owls", + "dc animated movie universe" + ] + }, + { + "ranking": 2481, + "title": "Joe: The Busybody", + "year": "1971", + "runtime": 85, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.2, + "vote_count": 314, + "description": "A writer accidentally shoots his blackmailer and tries to hide the body.", + "poster": "https://image.tmdb.org/t/p/w500/oO916dKqqKIWcQjUnbWjEcLF47Y.jpg", + "url": "https://www.themoviedb.org/movie/12598", + "genres": [ + "Comedy", + "Crime" + ], + "tags": [ + "police", + "blackmail", + "firearm", + "author", + "hidden corpse" + ] + }, + { + "ranking": 2494, + "title": "Ovosodo", + "year": "1997", + "runtime": 100, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.196, + "vote_count": 443, + "description": "From childhood to fatherhood, Piero learns things the hard way while growing up in a working-class neighborhood of Livorno.", + "poster": "https://image.tmdb.org/t/p/w500/lV5uNrculiODLGqzWsP7uV3EUPm.jpg", + "url": "https://www.themoviedb.org/movie/48254", + "genres": [ + "Comedy", + "Drama" + ], + "tags": [ + "puberty", + "rich woman poor man", + "coming of age", + "working class", + "oil refinery", + "tuscany, italy", + "blue collar worker", + "proletarian", + "manipulative friend", + "late coming of age", + "italian suburbs", + "bittersweet", + "father in prison" + ] + }, + { + "ranking": 2489, + "title": "K-PAX", + "year": "2001", + "runtime": 120, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.2, + "vote_count": 2473, + "description": "Prot is a patient at a mental hospital who claims to be from a far away planet. His psychiatrist tries to help him, only to begin to doubt his own explanations.", + "poster": "https://image.tmdb.org/t/p/w500/tafXZX0I6rso7EyoEzfygfTqxq6.jpg", + "url": "https://www.themoviedb.org/movie/167", + "genres": [ + "Science Fiction", + "Drama", + "Mystery" + ], + "tags": [ + "dreams", + "robbery", + "investigation", + "hypnosis", + "alien", + "murder", + "hospital", + "planet", + "patient", + "medication", + "psychiatrist", + "claim", + "mental", + "fugue state" + ] + }, + { + "ranking": 2488, + "title": "Kiss Me Deadly", + "year": "1955", + "runtime": 106, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.2, + "vote_count": 381, + "description": "One evening, Hammer gives a ride to Christina, an attractive hitchhiker on a lonely country road, who has escaped from the nearby lunatic asylum. Thugs waylay them and force his car to crash. When Hammer returns to semi-consciousness, he hears Christina being tortured until she dies. Hammer, both for vengeance and in hopes that \"something big\" is behind it all, decides to pursue the case.", + "poster": "https://image.tmdb.org/t/p/w500/z7me91nrpWLHY1mZOB2v20cK0zY.jpg", + "url": "https://www.themoviedb.org/movie/18030", + "genres": [ + "Mystery", + "Thriller", + "Crime" + ], + "tags": [ + "film noir", + "hitchhiker", + "beach house", + "convertable" + ] + }, + { + "ranking": 2491, + "title": "Utøya: July 22", + "year": "2018", + "runtime": 92, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.2, + "vote_count": 400, + "description": "The movie tells the story about a girl who has to hide and survive from a right wing terrorist while looking for her little sister during the terrorist attacks in Norway on the island Utøya, July 22nd.", + "poster": "https://image.tmdb.org/t/p/w500/bpa91Opnvl4XxUCycyNGvhwRWqC.jpg", + "url": "https://www.themoviedb.org/movie/500006", + "genres": [ + "History", + "Drama" + ], + "tags": [ + "based on true story", + "norway", + "terrorism", + "real time", + "one take" + ] + }, + { + "ranking": 2485, + "title": "Babette's Feast", + "year": "1987", + "runtime": 104, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.2, + "vote_count": 407, + "description": "A French housekeeper with a mysterious past brings quiet revolution in the form of one exquisite meal to a circle of starkly pious villagers in late 19th century Denmark.", + "poster": "https://image.tmdb.org/t/p/w500/3ibptSbnAHd0SUBnOKapNZQBpCl.jpg", + "url": "https://www.themoviedb.org/movie/11832", + "genres": [ + "Drama" + ], + "tags": [ + "servant", + "charity", + "community service", + "feast", + "reconciliation", + "sect", + "frenchwoman", + "coastal village", + "master servant relationship", + "gourmet", + "french cuisine", + "fine dining", + "generosity", + "gourmet cook", + "sister sister relationship", + "selflessness", + "gastronomia", + "piety" + ] + }, + { + "ranking": 2495, + "title": "The Player", + "year": "1992", + "runtime": 124, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.2, + "vote_count": 844, + "description": "A Hollywood studio executive is being sent death threats by a writer whose script he rejected - but which one?", + "poster": "https://image.tmdb.org/t/p/w500/tZ3kDut2dhFVGkWNEn9xoCHCNAx.jpg", + "url": "https://www.themoviedb.org/movie/10403", + "genres": [ + "Mystery", + "Drama", + "Thriller", + "Comedy", + "Crime" + ], + "tags": [ + "based on novel or book", + "homicide", + "movie business", + "blackmail", + "screenwriter", + "hollywood", + "death threat", + "movie mogul", + "movie studio", + "studio executive" + ] + }, + { + "ranking": 2486, + "title": "Lady and the Tramp", + "year": "2019", + "runtime": 101, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.2, + "vote_count": 1575, + "description": "The love story between a pampered Cocker Spaniel named Lady and a streetwise mongrel named Tramp. Lady finds herself out on the street after her owners have a baby and is saved from a pack by Tramp, who tries to show her to live her life footloose and collar-free.", + "poster": "https://image.tmdb.org/t/p/w500/8wBEye516IKul9sW7JKGcFXVGfV.jpg", + "url": "https://www.themoviedb.org/movie/512895", + "genres": [ + "Family", + "Romance", + "Comedy" + ], + "tags": [ + "freedom", + "family", + "streetwise", + "live action and animation", + "live action remake" + ] + }, + { + "ranking": 2483, + "title": "The Sunset Limited", + "year": "2011", + "runtime": 90, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.2, + "vote_count": 443, + "description": "A deeply religious black ex-con thwarts the suicide attempt of an asocial white college professor who tries to throw himself in front of an oncoming subway train, 'The Sunset Limited.' As the one attempts to connect on a rational, spiritual and emotional level, the other remains steadfast in his hard-earned despair. Locked in a philosophical debate, both passionately defend their personal credos and try to convert the other.", + "poster": "https://image.tmdb.org/t/p/w500/8cwqylJVbCfMflcjXQ71CwsXdpf.jpg", + "url": "https://www.themoviedb.org/movie/56831", + "genres": [ + "Drama", + "TV Movie" + ], + "tags": [ + "faith", + "loneliness", + "self-doubt", + "confined", + "complex", + "race relations" + ] + }, + { + "ranking": 2490, + "title": "In the Name of the Land", + "year": "2019", + "runtime": 103, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.2, + "vote_count": 312, + "description": "Pierre is 25 when he returns from Wyoming to his fiancée and take over the family farm. Twenty years later, the farm expanded and so did the family. It's the time of happy days, at least at the beginning. The debts accumulate and Pierre is exhausted at work. Despite the love of his wife and children, he is slowly falling...", + "poster": "https://image.tmdb.org/t/p/w500/4n4Mrn3StPtzWu8IOBII4k1T127.jpg", + "url": "https://www.themoviedb.org/movie/612368", + "genres": [ + "Drama" + ], + "tags": [ + "farmer family", + "rural life" + ] + }, + { + "ranking": 2499, + "title": "Standing Tall", + "year": "2015", + "runtime": 119, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.2, + "vote_count": 472, + "description": "The film tells the story of Malony and his education as he grows from a six-year-old into an 18-year-old. A minors’ judge and a caseworker work tirelessly to try to save the young offender.", + "poster": "https://image.tmdb.org/t/p/w500/4L5KtKzbNYLSGaSXvzqTWRniLxb.jpg", + "url": "https://www.themoviedb.org/movie/329819", + "genres": [ + "Drama" + ], + "tags": [ + "social worker", + "juvenile delinquent", + "woman director" + ] + }, + { + "ranking": 2484, + "title": "What Dreams May Come", + "year": "1998", + "runtime": 113, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.198, + "vote_count": 2338, + "description": "Chris Neilson dies to find himself in a heaven more amazing than he could have ever dreamed of. There is one thing missing: his wife. After he dies, his wife, Annie killed herself and went to hell. Chris decides to risk eternity in hades for the small chance that he will be able to bring her back to heaven.", + "poster": "https://image.tmdb.org/t/p/w500/2gUfJKfJ6LwdqQebiAWuNzIWyp9.jpg", + "url": "https://www.themoviedb.org/movie/12159", + "genres": [ + "Drama", + "Fantasy", + "Romance" + ], + "tags": [ + "paradise", + "afterlife", + "painting", + "hell", + "heaven", + "spiritism" + ] + }, + { + "ranking": 2492, + "title": "Heidi", + "year": "2015", + "runtime": 111, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.2, + "vote_count": 403, + "description": "Heidi, is an eight-year-old Swiss orphan who is given by her aunt to her mountain-dwelling grandfather. She is then stolen back by her aunt from her grandfather to live in the wealthy Sesemann household in Frankfurt, Germany as a companion to Klara, a sheltered, disabled girl in a wheelchair. Heidi is unhappy but makes the best of the situation, always longing for her grandfather.", + "poster": "https://image.tmdb.org/t/p/w500/ue6L0x3C9V4c5kIiWnEIOPwtGhw.jpg", + "url": "https://www.themoviedb.org/movie/365045", + "genres": [ + "Adventure", + "Family", + "Drama" + ], + "tags": [ + "friendship", + "orphan", + "family", + "swiss alps" + ] + }, + { + "ranking": 2496, + "title": "Bound", + "year": "1996", + "runtime": 105, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.196, + "vote_count": 968, + "description": "Corky, a tough female ex-convict working on an apartment renovation in a Chicago building, meets a couple living next door, Caesar, a paranoid mobster, and Violet, his seductive girlfriend, who is immediately attracted to her.", + "poster": "https://image.tmdb.org/t/p/w500/nfXU25TsAUsLMTJ6oHlgxPUcUOF.jpg", + "url": "https://www.themoviedb.org/movie/9303", + "genres": [ + "Drama", + "Thriller", + "Crime" + ], + "tags": [ + "money laundering", + "plumber", + "crime boss", + "lesbian relationship", + "ex-con", + "neo-noir", + "lesbian" + ] + }, + { + "ranking": 2487, + "title": "Evangelion: 3.0 You Can (Not) Redo", + "year": "2012", + "runtime": 96, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.197, + "vote_count": 837, + "description": "Fourteen years after Third Impact, Shinji Ikari awakens to a world he does not remember. He hasn't aged. Much of Earth is laid in ruins, NERV has been dismantled, and people who he once protected have turned against him. Befriending the enigmatic Kaworu Nagisa, Shinji continues the fight against the angels and realizes the fighting is far from over, even when it could be against his former allies. The characters' struggles continue amidst the battles against the angels and each other, spiraling down to what could inevitably be the end of the world.", + "poster": "https://image.tmdb.org/t/p/w500/d0s1xvykzl0kz7fP5S2ROYqphdz.jpg", + "url": "https://www.themoviedb.org/movie/75629", + "genres": [ + "Animation", + "Science Fiction", + "Action", + "Drama" + ], + "tags": [ + "depression", + "post-apocalyptic future", + "alien", + "mecha", + "giant robot", + "lgbt", + "military", + "anime", + "father son conflict", + "time skip", + "gay theme", + "based on tv series", + "boys' love (bl)" + ] + }, + { + "ranking": 2497, + "title": "Lars and the Real Girl", + "year": "2007", + "runtime": 106, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.196, + "vote_count": 1867, + "description": "Extremely shy Lars finds it impossible to make friends or socialize. His brother and sister-in-law worry about him, so when he announces that he has a girlfriend he met on the Internet, they are overjoyed. But Lars' new lady is a life-size plastic woman. On the advice of a doctor, his family and the rest of the community go along with his delusion.", + "poster": "https://image.tmdb.org/t/p/w500/nkAt4a7KIPc7Fi1BhxNHhYYbe2b.jpg", + "url": "https://www.themoviedb.org/movie/6615", + "genres": [ + "Comedy", + "Drama", + "Romance" + ], + "tags": [ + "dying and death", + "shyness", + "wisconsin", + "delusion", + "lone wolf", + "loss", + "doll", + "mental illness", + "blow up doll" + ] + }, + { + "ranking": 2500, + "title": "Labyrinth of Lies", + "year": "2014", + "runtime": 122, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.2, + "vote_count": 577, + "description": "A young prosecutor in postwar West Germany investigates a massive conspiracy to cover up the Nazi pasts of prominent public figures.", + "poster": "https://image.tmdb.org/t/p/w500/lCnzlBatc1Rsciny0tRwxb9dnwL.jpg", + "url": "https://www.themoviedb.org/movie/287495", + "genres": [ + "Drama", + "History" + ], + "tags": [ + "nazi", + "germany", + "war crimes", + "holocaust (shoah)", + "world war ii", + "investigation", + "based on true story", + "trial", + "post war germany", + "lawyer", + "prosecutor", + "war criminal", + "1950s", + "josef mengele", + "nazi war criminal" + ] + }, + { + "ranking": 2498, + "title": "The Dreamers", + "year": "2003", + "runtime": 115, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.2, + "vote_count": 2909, + "description": "When Isabelle and Theo invite Matthew to stay with them, what begins as a casual friendship ripens into a sensual voyage of discovery and desire in which nothing is off limits and everything is possible.", + "poster": "https://image.tmdb.org/t/p/w500/gBb7GGaFYPu7nEUYvC8G4LaJJN1.jpg", + "url": "https://www.themoviedb.org/movie/1278", + "genres": [ + "Drama", + "Romance" + ], + "tags": [ + "hotel", + "first time", + "paris, france", + "love triangle", + "students' movement", + "sexuality", + "bathing", + "flat", + "riot", + "crush", + "american", + "twins", + "incest", + "polyamory" + ] + }, + { + "ranking": 2501, + "title": "Labyrinth of Lies", + "year": "2014", + "runtime": 122, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.2, + "vote_count": 577, + "description": "A young prosecutor in postwar West Germany investigates a massive conspiracy to cover up the Nazi pasts of prominent public figures.", + "poster": "https://image.tmdb.org/t/p/w500/lCnzlBatc1Rsciny0tRwxb9dnwL.jpg", + "url": "https://www.themoviedb.org/movie/287495", + "genres": [ + "Drama", + "History" + ], + "tags": [ + "nazi", + "germany", + "war crimes", + "holocaust (shoah)", + "world war ii", + "investigation", + "based on true story", + "trial", + "post war germany", + "lawyer", + "prosecutor", + "war criminal", + "1950s", + "josef mengele", + "nazi war criminal" + ] + }, + { + "ranking": 2504, + "title": "Bound", + "year": "1996", + "runtime": 105, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.196, + "vote_count": 968, + "description": "Corky, a tough female ex-convict working on an apartment renovation in a Chicago building, meets a couple living next door, Caesar, a paranoid mobster, and Violet, his seductive girlfriend, who is immediately attracted to her.", + "poster": "https://image.tmdb.org/t/p/w500/nfXU25TsAUsLMTJ6oHlgxPUcUOF.jpg", + "url": "https://www.themoviedb.org/movie/9303", + "genres": [ + "Drama", + "Thriller", + "Crime" + ], + "tags": [ + "money laundering", + "plumber", + "crime boss", + "lesbian relationship", + "ex-con", + "neo-noir", + "lesbian" + ] + }, + { + "ranking": 2503, + "title": "Alice in Wonderland", + "year": "1951", + "runtime": 75, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.195, + "vote_count": 5927, + "description": "On a golden afternoon, wildly curious young Alice tumbles into the burrow and enters the merry, madcap world of Wonderland full of whimsical escapades.", + "poster": "https://image.tmdb.org/t/p/w500/20cvfwfaFqNbe9Fc3VEHJuPRxmn.jpg", + "url": "https://www.themoviedb.org/movie/12092", + "genres": [ + "Animation", + "Family", + "Fantasy", + "Adventure" + ], + "tags": [ + "dreams", + "heart", + "queen", + "villain", + "cartoon cat", + "nothing", + "female villain", + "tea party", + "based on young adult novel", + "adaptation", + "adventure" + ] + }, + { + "ranking": 2508, + "title": "The Secret Life of Walter Mitty", + "year": "2013", + "runtime": 114, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.194, + "vote_count": 7731, + "description": "A timid magazine photo manager who lives life vicariously through daydreams embarks on a true-life adventure when a negative goes missing.", + "poster": "https://image.tmdb.org/t/p/w500/tY6ypjKOOtujhxiSwTmvA4OZ5IE.jpg", + "url": "https://www.themoviedb.org/movie/116745", + "genres": [ + "Adventure", + "Comedy", + "Drama", + "Fantasy" + ], + "tags": [ + "himalaya mountain range", + "photographer", + "iceland", + "daydream", + "magazine", + "photograph", + "shark", + "fired from the job", + "dreamer", + "online dating", + "daydreaming" + ] + }, + { + "ranking": 2516, + "title": "Last Holiday", + "year": "2006", + "runtime": 112, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.2, + "vote_count": 780, + "description": "The discovery that she has a terminal illness prompts introverted department store saleswoman Georgia Byrd to reflect on what she realizes has been an overly cautious life. With weeks to live, she withdraws her life savings, sells all her possessions and jets off to Europe where she lives it up at a posh hotel. Upbeat and passionate, Georgia charms everybody she meets, including renowned Chef Didier. The only one missing from her new life is her longtime crush Sean Matthews.", + "poster": "https://image.tmdb.org/t/p/w500/hRNZszPHjIpYGlrMN3o4f6f6cVd.jpg", + "url": "https://www.themoviedb.org/movie/17379", + "genres": [ + "Adventure", + "Comedy", + "Drama" + ], + "tags": [ + "hotel", + "new year's eve", + "holiday", + "department store", + "cooking", + "new orleans, louisiana", + "austria", + "vacation", + "terminal illness", + "remake", + "dying woman", + "avalanche", + "saleswoman", + "luxury hotel", + "change of heart", + "narcissist", + "hotel clerk", + "winter vacation", + "christmas", + "snooping", + "czech republic", + "introvert", + "hotel employee", + "celebrity cameo" + ] + }, + { + "ranking": 2509, + "title": "Wonder Woman", + "year": "2009", + "runtime": 74, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.194, + "vote_count": 567, + "description": "On the mystical island of Themyscira, a proud and fierce warrior race of Amazons have raised a daughter of untold beauty, grace and strength: Princess Diana. When an Army fighter pilot, Steve Trevor, crash-lands on the island, the rebellious and headstrong Diana defies Amazonian law by accompanying Trevor back to civilization.", + "poster": "https://image.tmdb.org/t/p/w500/u6sI0yLJXkmrbSJzVRCmmfa4nhx.jpg", + "url": "https://www.themoviedb.org/movie/15359", + "genres": [ + "Action", + "Adventure", + "Animation", + "Fantasy", + "Science Fiction" + ], + "tags": [ + "superhero", + "based on comic", + "super power", + "woman director" + ] + }, + { + "ranking": 2507, + "title": "Ballerina", + "year": "2016", + "runtime": 89, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.2, + "vote_count": 1888, + "description": "In 1879 Paris, a young orphan dreams of becoming a ballerina and flees her rural Brittany for Paris, where she passes for someone else and accedes to the position of pupil at the Grand Opera house.", + "poster": "https://image.tmdb.org/t/p/w500/qBxMhcmNnFniuDAZTKEHcSgKtsn.jpg", + "url": "https://www.themoviedb.org/movie/342473", + "genres": [ + "Animation", + "Adventure", + "Comedy", + "Family" + ], + "tags": [ + "opera", + "dance", + "paris, france", + "flying", + "inventor", + "musical", + "life's dream", + "ballet", + "orphan", + "statue of liberty", + "eiffel tower, paris", + "19th century" + ] + }, + { + "ranking": 2512, + "title": "Nomadland", + "year": "2021", + "runtime": 108, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.2, + "vote_count": 3068, + "description": "A woman in her sixties embarks on a journey through the western United States after losing everything in the Great Recession, living as a van-dwelling modern-day nomad.", + "poster": "https://image.tmdb.org/t/p/w500/k5XzjWihzum1YgLMlqRDRZDmVMn.jpg", + "url": "https://www.themoviedb.org/movie/581734", + "genres": [ + "Drama" + ], + "tags": [ + "factory worker", + "van", + "based on novel or book", + "nevada", + "affectation", + "recession", + "homelessness", + "road trip", + "unemployment", + "recreational vehicle", + "road movie", + "death of husband", + "western usa", + "nomad", + "late stage capitalism", + "clinical" + ] + }, + { + "ranking": 2505, + "title": "The Karate Kid", + "year": "1984", + "runtime": 126, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.195, + "vote_count": 4291, + "description": "Daniel LaRusso moves to Los Angeles with his mother, Lucille, and soon strikes up a relationship with Ali. He quickly finds himself the target of bullying by a group of high school students, led by Ali's ex-boyfriend Johnny, who study karate at the Cobra Kai dojo under ruthless sensei, John Kreese. Fortunately, Daniel befriends Mr. Miyagi, an unassuming repairman who just happens to be a martial arts master himself. Miyagi takes Daniel under his wing, training him in a more compassionate form of karate for self-defense and, later, preparing him to compete against the brutal Cobra Kai.", + "poster": "https://image.tmdb.org/t/p/w500/1mp4ViklKvA0WXXsNvNx0RBuiit.jpg", + "url": "https://www.themoviedb.org/movie/1885", + "genres": [ + "Action", + "Adventure", + "Drama", + "Family" + ], + "tags": [ + "high school", + "friendship", + "martial arts", + "fight", + "halloween", + "karate", + "bullying", + "sensei", + "teen movie", + "los angeles, california", + "martial arts master", + "single mother", + "sabotage", + "beaten", + "high school student", + "martial arts tournament", + "martial arts training", + "crane", + "sport competition", + "nostalgic", + "school dance", + "semi autobiographical", + "mentor protégé relationship", + "teenage gang", + "teenage romance", + "philosophical", + "high school romance", + "the karate kid", + "hopeful", + "optimistic" + ] + }, + { + "ranking": 2514, + "title": "A Cinderella Story: If the Shoe Fits", + "year": "2016", + "runtime": 92, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.193, + "vote_count": 835, + "description": "A contemporary musical version of the classic Cinderella story in which the servant step daughter hope to compete in a musical competition for a famous pop star.", + "poster": "https://image.tmdb.org/t/p/w500/qtxOA6Sb8lK1PfRiwduxYVuzaEv.jpg", + "url": "https://www.themoviedb.org/movie/407655", + "genres": [ + "Comedy", + "Family", + "Fantasy", + "Music" + ], + "tags": [ + "dance", + "dancer", + "fairy tale", + "musical", + "celebrity", + "orphan", + "modern fairy tale" + ] + }, + { + "ranking": 2519, + "title": "The Talented Mr. Ripley", + "year": "1999", + "runtime": 140, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.193, + "vote_count": 3832, + "description": "Tom Ripley is a calculating young man who believes it's better to be a fake somebody than a real nobody. Opportunity knocks in the form of a wealthy U.S. shipbuilder who hires Tom to travel to Italy to bring back his playboy son, Dickie. Ripley worms his way into the idyllic lives of Dickie and his girlfriend, plunging into a daring scheme of duplicity, lies and murder.", + "poster": "https://image.tmdb.org/t/p/w500/6ojHgqtIR41O2qLKa7LFUVj0cZa.jpg", + "url": "https://www.themoviedb.org/movie/1213", + "genres": [ + "Thriller", + "Crime", + "Drama" + ], + "tags": [ + "new york city", + "friendship", + "ship", + "new love", + "lovesickness", + "jealousy", + "dual identity", + "double life", + "based on novel or book", + "venice, italy", + "beguilement", + "italy", + "homicide", + "yacht", + "secret identity", + "atlantic ocean", + "new identity", + "prosecution", + "fake identity", + "rejection", + "inferiority", + "inferiority complex", + "wealth", + "male homosexuality", + "envy", + "identity theft", + "gay theme", + "euphoric" + ] + }, + { + "ranking": 2506, + "title": "Sully", + "year": "2016", + "runtime": 96, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.2, + "vote_count": 7307, + "description": "On 15 January 2009, the world witnessed the 'Miracle on the Hudson' when Captain 'Sully' Sullenberger glided his disabled plane onto the Hudson River, saving the lives of all 155 souls aboard. However, even as Sully was being heralded by the public and the media for his unprecedented feat of aviation skill, an investigation was unfolding that threatened to destroy his reputation and career.", + "poster": "https://image.tmdb.org/t/p/w500/4vs83YcJ8TsabADDtaeCJ6ZTjYY.jpg", + "url": "https://www.themoviedb.org/movie/363676", + "genres": [ + "Drama", + "History" + ], + "tags": [ + "rescue", + "new york city", + "airplane", + "investigation", + "pilot", + "based on true story", + "emergency landing", + "flight", + "aviation", + "airplane accident", + "based on memoir or autobiography", + "bird attack", + "hudson river", + "duringcreditsstinger", + "dramatic" + ] + }, + { + "ranking": 2518, + "title": "Thank You for Smoking", + "year": "2005", + "runtime": 92, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.193, + "vote_count": 2220, + "description": "Nick Naylor is a charismatic spin-doctor for Big Tobacco who'll fight to protect America's right to smoke -- even if it kills him -- while still remaining a role model for his 12-year old son. When he incurs the wrath of a senator bent on snuffing out cigarettes, Nick's powers of \"filtering the truth\" will be put to the test.", + "poster": "https://image.tmdb.org/t/p/w500/cJpeM7U36diFinieBWNLVi0FlQz.jpg", + "url": "https://www.themoviedb.org/movie/9388", + "genres": [ + "Comedy", + "Drama" + ], + "tags": [ + "research", + "based on novel or book", + "capitalism", + "politics", + "smoking", + "cigarette", + "lie", + "affectation", + "politician", + "tobacco", + "health", + "marketing", + "social satire", + "morality", + "advertising", + "lung cancer", + "candid", + "lobbyist", + "tobacco industry", + "nicotine", + "father son relationship", + "absurd", + "admiring", + "adoring", + "ambiguous", + "ambivalent", + "antagonistic", + "audacious", + "conceited" + ] + }, + { + "ranking": 2517, + "title": "Pusher II", + "year": "2004", + "runtime": 100, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.2, + "vote_count": 466, + "description": "Tonny is released from prison - again. This time he has his mind set on changing his broken down life, but that is easier said than done.", + "poster": "https://image.tmdb.org/t/p/w500/qxvyw5NZBphzWliVdSzn7gSxUel.jpg", + "url": "https://www.themoviedb.org/movie/11328", + "genres": [ + "Crime", + "Drama", + "Action" + ], + "tags": [ + "prison", + "copenhagen, denmark", + "parent child relationship", + "debt", + "drugs", + "nordic noir", + "hard" + ] + }, + { + "ranking": 2510, + "title": "A Simple Plan", + "year": "1998", + "runtime": 121, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.2, + "vote_count": 958, + "description": "Captivated by the lure of sudden wealth, the quiet rural lives of two brothers erupt into conflicts of greed, paranoia and distrust when over $4 million in cash is discovered at the remote site of a downed small airplane. Their simple plan to retain the money while avoiding detection opens a Pandora's box when the fear of getting caught triggers panicked behavior and leads to virulent consequences.", + "poster": "https://image.tmdb.org/t/p/w500/iJYGDwZmVEYRkSPbWQdxzvBLTcK.jpg", + "url": "https://www.themoviedb.org/movie/10223", + "genres": [ + "Crime", + "Drama", + "Thriller" + ], + "tags": [ + "friendship", + "sibling relationship", + "airplane", + "based on novel or book", + "money delivery", + "minnesota", + "greed", + "snow", + "bag of money", + "police officer", + "financial transactions", + "neo-noir", + "plane wreck" + ] + }, + { + "ranking": 2502, + "title": "Inside Llewyn Davis", + "year": "2013", + "runtime": 104, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.2, + "vote_count": 2732, + "description": "In Greenwich Village in the early 1960s, gifted but volatile folk musician Llewyn Davis struggles with money, relationships, and his uncertain future.", + "poster": "https://image.tmdb.org/t/p/w500/nNxK3pC3DMpPpWKMvo2p3liREVT.jpg", + "url": "https://www.themoviedb.org/movie/86829", + "genres": [ + "Drama", + "Music" + ], + "tags": [ + "depression", + "new york city", + "guitar", + "winter", + "cat", + "subway", + "pregnancy", + "overdose", + "dark comedy", + "melancholy", + "folk music", + "aspiring singer", + "grief", + "hitchhiker", + "cafe", + "recording", + "self expression", + "greenwich village", + "merchant marine", + "1960s", + "couchsurfing", + "bleak", + "struggling musician", + "death of friend" + ] + }, + { + "ranking": 2520, + "title": "Limitless", + "year": "2011", + "runtime": 105, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.2, + "vote_count": 10789, + "description": "The life of an unsuccessful writer is transformed by a top-secret 'smart drug' that allows him to use 100% of his brain and become a perfect version of himself. His enhanced abilities soon attract shadowy forces that threaten his new life.", + "poster": "https://image.tmdb.org/t/p/w500/kCokPP4WCQRrrAuZ7FcpIyHr8b2.jpg", + "url": "https://www.themoviedb.org/movie/51876", + "genres": [ + "Thriller", + "Mystery", + "Science Fiction" + ], + "tags": [ + "new york city", + "medicine", + "politician", + "iq", + "pill", + "stalking", + "superhuman", + "writer", + "drugs", + "threat", + "knowledge", + "nootropics", + "mind booster" + ] + }, + { + "ranking": 2515, + "title": "Toy Story of Terror!", + "year": "2013", + "runtime": 22, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.192, + "vote_count": 946, + "description": "What starts out as a fun road trip for the Toy Story gang takes an unexpected turn for the worse when the trip detours to a roadside motel. After one of the toys goes missing, the others find themselves caught up in a mysterious sequence of events that must be solved before they all suffer the same fate in this Toy Story of Terror.", + "poster": "https://image.tmdb.org/t/p/w500/oPBEnNP4Fg4gv9c0KBhchmtoG4H.jpg", + "url": "https://www.themoviedb.org/movie/213121", + "genres": [ + "Adventure", + "Animation", + "Comedy", + "Family" + ], + "tags": [ + "halloween", + "television special", + "short film" + ] + }, + { + "ranking": 2513, + "title": "The Kissing Booth", + "year": "2018", + "runtime": 105, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.193, + "vote_count": 7257, + "description": "When teenager Elle's first kiss leads to a forbidden romance with the hottest boy in high school, she risks her relationship with her best friend.", + "poster": "https://image.tmdb.org/t/p/w500/7Dktk2ST6aL8h9Oe5rpk903VLhx.jpg", + "url": "https://www.themoviedb.org/movie/454983", + "genres": [ + "Romance", + "Comedy" + ], + "tags": [ + "based on novel or book", + "crush", + "los angeles, california", + "high school student", + "based on young adult novel" + ] + }, + { + "ranking": 2511, + "title": "Les Misérables", + "year": "1998", + "runtime": 134, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.2, + "vote_count": 636, + "description": "In 19th century France, Jean Valjean, a man imprisoned for stealing bread, must flee a relentless policeman named Javert. The pursuit consumes both men's lives, and soon Valjean finds himself in the midst of the student revolutions in France.", + "poster": "https://image.tmdb.org/t/p/w500/3TOgmlIY8X3WjIjvU7Z0jqeNkyU.jpg", + "url": "https://www.themoviedb.org/movie/4415", + "genres": [ + "Crime", + "Drama", + "History", + "Romance" + ], + "tags": [ + "prisoner", + "paris, france", + "based on novel or book", + "falsely accused", + "blackmail", + "french revolution", + "motherly love", + "19th century", + "altruism" + ] + }, + { + "ranking": 2523, + "title": "Smoke", + "year": "1995", + "runtime": 112, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.192, + "vote_count": 496, + "description": "Writer Paul Benjamin is nearly hit by a bus when he leaves Auggie Wren's smoke shop. Stranger Rashid Cole saves his life, and soon middle-aged Paul tells homeless Rashid that he wouldn't mind a short-term housemate. Still grieving over his wife's murder, Paul is moved by both Rashid's quest to reconnect with his father and Auggie's discovery that a woman who might be his daughter is about to give birth.", + "poster": "https://image.tmdb.org/t/p/w500/1WMUaTQaj2dQrhsPI3Px0OR9eTF.jpg", + "url": "https://www.themoviedb.org/movie/10149", + "genres": [ + "Comedy", + "Drama" + ], + "tags": [ + "smoking", + "robber", + "cigarette", + "laden", + "writer" + ] + }, + { + "ranking": 2522, + "title": "Citizen X", + "year": "1995", + "runtime": 105, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.2, + "vote_count": 342, + "description": "Based on the true story of a Russian serial killer who, over many years, claimed victim to over 50 people. His victims were mostly under the age of 17. In what was then a communists state, the police investigations were hampered by bureaucracy, incompetence and those in power. The story is told from the viewpoint of the detective in charge of the case.", + "poster": "https://image.tmdb.org/t/p/w500/mr3lIjSRhXGVP2o9HY3P9PX2KsH.jpg", + "url": "https://www.themoviedb.org/movie/12554", + "genres": [ + "Crime", + "Drama" + ], + "tags": [ + "bureaucracy", + "homophobia", + "homicide", + "detective", + "soviet union", + "impotence", + "investigation", + "based on true story", + "serial killer", + "corpse", + "sadist", + "series of murders", + "surveillance", + "mental illness", + "shallow grave", + "communism", + "1980s" + ] + }, + { + "ranking": 2527, + "title": "The Maze Runner", + "year": "2014", + "runtime": 113, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.2, + "vote_count": 17257, + "description": "Set in a post-apocalyptic world, young Thomas is deposited in a community of boys after his memory is erased, soon learning they're all trapped in a maze that will require him to join forces with fellow “runners” for a shot at escape.", + "poster": "https://image.tmdb.org/t/p/w500/ode14q7WtDugFDp78fo9lCsmay9.jpg", + "url": "https://www.themoviedb.org/movie/198663", + "genres": [ + "Action", + "Mystery", + "Science Fiction", + "Thriller" + ], + "tags": [ + "based on novel or book", + "escape", + "dystopia", + "maze", + "post-apocalyptic future", + "memory loss", + "erased memory", + "trapped", + "runner", + "based on young adult novel" + ] + }, + { + "ranking": 2524, + "title": "Time to Hunt", + "year": "2020", + "runtime": 135, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.191, + "vote_count": 325, + "description": "Four young men want to leave their dystopian world behind and go to a distant paradise to execute a money robbery, a daring act that will have unexpected consequences.", + "poster": "https://image.tmdb.org/t/p/w500/bkuuvDoPkOJpg0ZDzHkUWt8ZG5A.jpg", + "url": "https://www.themoviedb.org/movie/571785", + "genres": [ + "Drama", + "Action", + "Thriller" + ], + "tags": [ + "robbery", + "dystopia", + "male friendship", + "bromance", + "armed robbery", + "aggressive", + "manhunt", + "2040s", + "male male relationship", + "suspenseful", + "cruel" + ] + }, + { + "ranking": 2536, + "title": "The Animatrix", + "year": "2003", + "runtime": 102, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.2, + "vote_count": 1614, + "description": "Straight from the creators of the groundbreaking Matrix trilogy, this collection of short animated films from the world's leading anime directors fuses computer graphics and Japanese anime to provide the background of the Matrix universe and the conflict between man and machines. The shorts include Final Flight of the Osiris, The Second Renaissance, Kid's Story, Program, World Record, Beyond, A Detective Story and Matriculated.", + "poster": "https://image.tmdb.org/t/p/w500/g52SOsTvdjzY8oPIn5znLJMzLHG.jpg", + "url": "https://www.themoviedb.org/movie/55931", + "genres": [ + "Animation", + "Science Fiction" + ], + "tags": [ + "martial arts", + "artificial intelligence (a.i.)", + "hacker", + "virtual reality", + "dystopia", + "post-apocalyptic future", + "cyberpunk", + "adult animation", + "multiple storylines", + "alternative reality", + "matrix", + "short compilation", + "anime", + "action hero", + "supernatural power" + ] + }, + { + "ranking": 2530, + "title": "One Piece Film Red", + "year": "2022", + "runtime": 115, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.2, + "vote_count": 1051, + "description": "Uta — the most beloved singer in the world. Her voice, which she sings with while concealing her true identity, has been described as “otherworldly.” She will appear in public for the first time at a live concert. As the venue fills with all kinds of Uta fans — excited pirates, the Navy watching closely, and the Straw Hats led by Luffy who simply came to enjoy her sonorous performance — the voice that the whole world has been waiting for is about to resound.", + "poster": "https://image.tmdb.org/t/p/w500/ogDXuVkO92GcETZfSofXXemw7gb.jpg", + "url": "https://www.themoviedb.org/movie/900667", + "genres": [ + "Animation", + "Adventure", + "Action", + "Fantasy", + "Music" + ], + "tags": [ + "pirate", + "fighting", + "super power", + "aftercreditsstinger", + "shounen", + "anime", + "idol", + "one piece", + "adventure", + "non-canon" + ] + }, + { + "ranking": 2538, + "title": "Village of the Damned", + "year": "1960", + "runtime": 77, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.2, + "vote_count": 446, + "description": "In a small English village everyone suddenly falls unconscious. When they awake every woman of child bearing age is pregnant. The resulting children have the same strange blond hair, eyes and a strong connection to each other.", + "poster": "https://image.tmdb.org/t/p/w500/qcpXud1UjQzlSe9A062w8Wqgira.jpg", + "url": "https://www.themoviedb.org/movie/11773", + "genres": [ + "Horror", + "Science Fiction" + ], + "tags": [ + "suicide", + "based on novel or book", + "england", + "parent child relationship", + "pregnancy", + "village", + "youngster", + "parish", + "car crash", + "mind reading", + "black and white", + "explosion", + "military", + "evil child", + "forced suicide" + ] + }, + { + "ranking": 2521, + "title": "Marley & Me", + "year": "2008", + "runtime": 115, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.192, + "vote_count": 4608, + "description": "A newly married couple, in the process of starting a family, learn many of life's important lessons from their trouble-loving retriever, Marley. Packed with plenty of laughs to lighten the load, the film explores the highs and lows of marriage, maturity and confronting one's own mortality, as seen through the lens of family life with a dog.", + "poster": "https://image.tmdb.org/t/p/w500/pnB6hjTKylb0Ve2nUWt16gzkErr.jpg", + "url": "https://www.themoviedb.org/movie/14306", + "genres": [ + "Comedy", + "Family" + ], + "tags": [ + "journalist", + "based on novel or book", + "affectation", + "grave", + "melancholy", + "puppy", + "love", + "dog", + "cynical", + "macabre", + "nostalgic", + "taunting", + "duringcreditsstinger", + "speculative", + "hard", + "angry", + "detached", + "paranoid", + "aggressive", + "pets", + "frantic", + "zealous", + "columnist", + "calm", + "candid", + "philosophical", + "unassuming", + "satirical", + "animal lead", + "desperate", + "lyrical", + "pet ownership", + "malicious", + "anxious", + "playful", + "dreary", + "cautionary", + "relaxed", + "clinical", + "inspirational", + "lighthearted", + "casual", + "grand", + "intimate", + "provocative", + "factual", + "didactic", + "negative", + "understated", + "absurd", + "critical", + "egotistical", + "sentimental", + "hilarious", + "romantic", + "whimsical", + "admiring", + "adoring", + "ambiguous", + "ambivalent", + "amused", + "antagonistic", + "apathetic", + "apologetic", + "appreciative", + "approving", + "arrogant", + "assertive", + "audacious", + "authoritarian", + "awestruck", + "baffled", + "bold", + "callous", + "celebratory", + "commanding", + "compassionate", + "complicated", + "defiant", + "demeaning", + "derogatory", + "disapproving", + "disdainful", + "disheartening", + "earnest", + "embarrassed", + "empathetic", + "enchant", + "enraged", + "enthusiastic", + "exhilarated", + "exuberant", + "familiar", + "farcical", + "frightened", + "frustrated", + "ghoulish", + "harsh", + "impartial", + "inflammatory", + "informative", + "joyful", + "matter of fact", + "mean spirited", + "melodramatic", + "pessimistic", + "sarcastic", + "sardonic", + "scathing", + "sceptical", + "skeptical", + "straightforward", + "sympathetic", + "tragic", + "vibrant" + ] + }, + { + "ranking": 2529, + "title": "Mrs. Doubtfire", + "year": "1993", + "runtime": 125, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.189, + "vote_count": 6221, + "description": "Loving but irresponsible dad Daniel Hillard, estranged from his exasperated spouse, is crushed by a court order allowing only weekly visits with his kids. When Daniel learns his ex needs a housekeeper, he gets the job -- disguised as a British nanny. Soon he becomes not only his children's best pal but the kind of parent he should have been from the start.", + "poster": "https://image.tmdb.org/t/p/w500/shHrSmXS5140o6sQzgzXxn3KqSm.jpg", + "url": "https://www.themoviedb.org/movie/788", + "genres": [ + "Comedy", + "Drama", + "Family" + ], + "tags": [ + "mask", + "parent child relationship", + "san francisco, california", + "social worker", + "transvestite", + "nanny", + "restaurant", + "fake identity", + "custody battle", + "responsibility", + "voice acting", + "divorced couple" + ] + }, + { + "ranking": 2531, + "title": "Riley's First Date?", + "year": "2015", + "runtime": 5, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.188, + "vote_count": 1070, + "description": "Riley, now 12, who is hanging out with her parents at home when potential trouble comes knocking. Mom's and Dad's Emotions find themselves forced to deal with Riley going on her first \"date.\"", + "poster": "https://image.tmdb.org/t/p/w500/cGLwfmLqg39822RFQMUDat0UJev.jpg", + "url": "https://www.themoviedb.org/movie/355338", + "genres": [ + "Animation", + "Family" + ], + "tags": [ + "parent child relationship", + "rock music", + "boyfriend", + "first date", + "emotions", + "overprotective father", + "short film" + ] + }, + { + "ranking": 2532, + "title": "No", + "year": "2012", + "runtime": 118, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.188, + "vote_count": 436, + "description": "In 1988, Chilean military dictator Augusto Pinochet, due to international pressure, is forced to call a plebiscite on his presidency. The country will vote ‘Yes’ or ‘No’ to Pinochet extending his rule for another eight years. Opposition leaders for the ‘No’ vote persuade a brash young advertising executive, René Saavedra, to spearhead their campaign. Against all odds, with scant resources and while under scrutiny by the despot’s minions, Saavedra and his team devise an audacious plan to win the election and set Chile free.", + "poster": "https://image.tmdb.org/t/p/w500/Aqp4PH27zI4Uqqag41y2gXwmXma.jpg", + "url": "https://www.themoviedb.org/movie/110398", + "genres": [ + "Drama", + "History" + ], + "tags": [ + "campaign", + "dictatorship", + "based on true story", + "chile", + "pinochet regime", + "democracy", + "intimidation", + "oppression", + "referendum", + "advertising agency", + "advertising jingle" + ] + }, + { + "ranking": 2533, + "title": "Bagdad Cafe", + "year": "1987", + "runtime": 108, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.2, + "vote_count": 404, + "description": "A German woman named Jasmin stumbles upon a dilapidated motel/diner in the middle of nowhere. Her unusual appearance and demeanor are at first suspicious to Brenda, the exasperated owner who has difficulty making ends meet. But when an unlikely magic sparks between the two women, this lonely desert outpost is transformed into a thriving and popular oasis.", + "poster": "https://image.tmdb.org/t/p/w500/zeEa3jVkLE8C0KjOiiKqMbhHgaL.jpg", + "url": "https://www.themoviedb.org/movie/3543", + "genres": [ + "Comedy", + "Drama" + ], + "tags": [ + "cleaning lady", + "motel", + "magic show", + "highway", + "wilderness", + "rosenheim", + "mysterious woman", + "deserted by husband", + "portrait painting", + "truck stop", + "german abroad", + "stranded traveler", + "california desert", + "friendship between women", + "popular character", + "helping people" + ] + }, + { + "ranking": 2534, + "title": "The Edge of Heaven", + "year": "2007", + "runtime": 122, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.188, + "vote_count": 317, + "description": "The lives of six German-Turkish immigrants are drawn together by circumstance: An old man and a prostitute forging a partnership, a young scholar reconciling his past, two young women falling in love, and a mother putting the shattered pieces of her life back together.", + "poster": "https://image.tmdb.org/t/p/w500/kqhVVpXFtOotSlK0npVaBHXUqxV.jpg", + "url": "https://www.themoviedb.org/movie/2014", + "genres": [ + "Drama" + ], + "tags": [ + "prison", + "dying and death", + "mother", + "funeral", + "germany", + "loss of loved one", + "release from prison", + "homeland", + "women's prison", + "turkey", + "stepmother", + "bremen" + ] + }, + { + "ranking": 2537, + "title": "Chak De! India", + "year": "2007", + "runtime": 148, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.2, + "vote_count": 334, + "description": "A team of rag-tag girls with their own agenda form Team India competing for international fame in field hockey. Their coach, the ex-men's Indian National team captain, returns from a life of shame after being unjustly accused of match fixing in his last match. Can he give the girls the motivation required to win, while dealing with the shadows of his own past?", + "poster": "https://image.tmdb.org/t/p/w500/mmFMgEsTRCAGAtwffGpuo3mJsxN.jpg", + "url": "https://www.themoviedb.org/movie/14163", + "genres": [ + "Drama" + ], + "tags": [ + "sports", + "coach", + "field hockey", + "bollywood" + ] + }, + { + "ranking": 2535, + "title": "Barbara", + "year": "2012", + "runtime": 105, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.2, + "vote_count": 331, + "description": "In 1980s East Germany, Barbara is a Berlin doctor banished to a country medical clinic for applying for an exit visa. Deeply unhappy with her reassignment and fearful of her co-workers as possible Stasi informants, Barbara stays aloof, especially from the good natured clinic head, Andre.", + "poster": "https://image.tmdb.org/t/p/w500/i7yjITqgz5zSW1jJWzxfwQsyDeo.jpg", + "url": "https://www.themoviedb.org/movie/88284", + "genres": [ + "Drama" + ], + "tags": [ + "small town", + "visa", + "stasi", + "lover", + "doctor", + "east germany", + "1980s" + ] + }, + { + "ranking": 2525, + "title": "Romanzo Criminale", + "year": "2005", + "runtime": 152, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.2, + "vote_count": 657, + "description": "After serving prison time for a juvenile offense, Freddo gathers his old buddies Libano and Dandi and embarks on a crime spree that makes the trio the most powerful gangsters in Rome. Libano loves their new status, and seeks to spread their influence throughout the underworld, while the other two pursue more fleshly desires. For decades, their gang perpetrates extravagant crimes, until paranoia threatens to split the friends apart.", + "poster": "https://image.tmdb.org/t/p/w500/jd06ZOSBpjfKEthqli5O2urO0nm.jpg", + "url": "https://www.themoviedb.org/movie/14375", + "genres": [ + "Crime", + "Drama" + ], + "tags": [ + "gang of thieves", + "neo-noir", + "banda della magliana" + ] + }, + { + "ranking": 2540, + "title": "The Flight of the Phoenix", + "year": "1965", + "runtime": 142, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.2, + "vote_count": 326, + "description": "A cargo aircraft crashes in a sandstorm in the Sahara with less than a dozen men on board. One of the passengers is an airplane designer who comes up with the idea of ripping off the undamaged wing and using it as the basis for a replacement aircraft they need to build before their food and water run out.", + "poster": "https://image.tmdb.org/t/p/w500/zrzLl7NWdjwGhVE7bqpOAxMVtF.jpg", + "url": "https://www.themoviedb.org/movie/10243", + "genres": [ + "Adventure", + "Drama" + ], + "tags": [ + "thirst", + "affectation", + "pilot", + "sahara desert", + "crew", + "disaster", + "airplane crash", + "desert", + "alcoholic", + "angry", + "candid", + "absurd", + "admiring", + "adoring", + "ambivalent", + "amused", + "approving", + "awestruck", + "enchant" + ] + }, + { + "ranking": 2526, + "title": "Escape from Pretoria", + "year": "2020", + "runtime": 102, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.189, + "vote_count": 1360, + "description": "South Africa, 1978. Tim Jenkin and Stephen Lee, two white political activists from the African National Congress imprisoned by the apartheid regime, put a plan in motion to escape from the infamous Pretoria Prison.", + "poster": "https://image.tmdb.org/t/p/w500/8GGS0jkFFCnmdStvZED6NL6V7gd.jpg", + "url": "https://www.themoviedb.org/movie/502425", + "genres": [ + "Drama", + "History", + "Thriller" + ], + "tags": [ + "based on novel or book", + "1970s", + "political activism", + "apartheid", + "anc (african national congress)", + "based on true story", + "racism", + "prison break", + "anti-racism", + "political persecution", + "pretoria, south africa" + ] + }, + { + "ranking": 2539, + "title": "Vera Drake", + "year": "2004", + "runtime": 125, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.2, + "vote_count": 366, + "description": "Abortionist Vera Drake finds her beliefs and practices clash with the mores of 1950s Britain – a conflict that leads to tragedy for her family.", + "poster": "https://image.tmdb.org/t/p/w500/556fElboCLlEmP8UULaYosU45Bc.jpg", + "url": "https://www.themoviedb.org/movie/11109", + "genres": [ + "Drama" + ], + "tags": [ + "police", + "england", + "pregnancy", + "mother role", + "women's prison", + "neighbor", + "female protagonist", + "miscarriage", + "tailor", + "fingerprint", + "unwanted pregnancy", + "1950s" + ] + }, + { + "ranking": 2528, + "title": "The Unknown Woman", + "year": "2006", + "runtime": 118, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.189, + "vote_count": 349, + "description": "Irena, a Ukrainian woman, comes to Italy looking for a job as a maid. She does everything she can to become a beloved nanny for an adorable little girl, Thea. However, that is just the very beginning of her unknown journey.", + "poster": "https://image.tmdb.org/t/p/w500/piBn5ydvdfCHSfys6N1A7LNwQft.jpg", + "url": "https://www.themoviedb.org/movie/10886", + "genres": [ + "Thriller", + "Drama", + "Mystery" + ], + "tags": [ + "prostitute", + "cleaning lady", + "italy", + "suppressed past" + ] + }, + { + "ranking": 2557, + "title": "Conclave", + "year": "2024", + "runtime": 120, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.183, + "vote_count": 1747, + "description": "After the unexpected death of the Pope, Cardinal Lawrence is tasked with managing the covert and ancient ritual of electing a new one. Sequestered in the Vatican with the Catholic Church’s most powerful leaders until the process is complete, Lawrence finds himself at the center of a conspiracy that could lead to its downfall.", + "poster": "https://image.tmdb.org/t/p/w500/m5x8D0bZ3eKqIVWZ5y7TnZ2oTVg.jpg", + "url": "https://www.themoviedb.org/movie/974576", + "genres": [ + "Drama", + "Thriller", + "Mystery" + ], + "tags": [ + "vatican", + "religion", + "election", + "transsexual", + "catholic church", + "lgbt", + "catholicism", + "cardinal", + "papal conclave", + "suspenseful", + "bold", + "defiant" + ] + }, + { + "ranking": 2541, + "title": "Operation Petticoat", + "year": "1959", + "runtime": 124, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.187, + "vote_count": 372, + "description": "A World War II submarine commander finds himself stuck with a damaged sub, a con-man executive officer, and a group of army nurses.", + "poster": "https://image.tmdb.org/t/p/w500/pIsm8JvpFZidVxKexv5UgoCjwpZ.jpg", + "url": "https://www.themoviedb.org/movie/9660", + "genres": [ + "Comedy", + "War", + "Romance" + ], + "tags": [ + "ship", + "navy", + "casino", + "tattoo", + "submarine", + "pig", + "date", + "flirt", + "world war ii", + "naval officer", + "philippines", + "army nurse" + ] + }, + { + "ranking": 2552, + "title": "Midnight Run", + "year": "1988", + "runtime": 126, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.2, + "vote_count": 1122, + "description": "A bounty hunter pursues a former Mafia accountant who embezzled $15 million of mob money. He is also being chased by a rival bounty hunter, the F.B.I., and his old mob boss after jumping bail.", + "poster": "https://image.tmdb.org/t/p/w500/vT4hIPxQIfYPOwIQaTvOY2gHzJg.jpg", + "url": "https://www.themoviedb.org/movie/9013", + "genres": [ + "Action", + "Comedy", + "Crime", + "Thriller" + ], + "tags": [ + "crooked lawyer", + "road trip", + "buddy", + "bail jumper", + "mafia accountant", + "stretch limousine", + "manhattan, new york city", + "southwestern u.s.", + "bus station", + "police surveillance" + ] + }, + { + "ranking": 2544, + "title": "Barbie and the Secret Door", + "year": "2014", + "runtime": 81, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.2, + "vote_count": 413, + "description": "It's the ultimate fairytale musical! Barbie stars as Alexa, a shy princess who discovers a secret door in her kingdom and enters a whimsical land filled with magical creatures and surprises. Inside, Alexa meets Romy and Nori, a mermaid and a fairy, who explain that a spoiled ruler named Malucia is trying to take all the magic in the land. To her surprise, Alexa has magical powers in this world, and her new friends are certain that only she can restore their magic. Discover what happens when Alexa finds the courage to stand up for what's right and learns that the power of friendship is far more precious than magic.", + "poster": "https://image.tmdb.org/t/p/w500/i4BIMP1KZmERVwt4BFXKeBBIDvJ.jpg", + "url": "https://www.themoviedb.org/movie/285733", + "genres": [ + "Animation", + "Family" + ], + "tags": [ + "musical", + "based on toy" + ] + }, + { + "ranking": 2548, + "title": "A Shot in the Dark", + "year": "1964", + "runtime": 102, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.2, + "vote_count": 564, + "description": "Inspector Jacques Clouseau, smitten with the accused maid Maria Gambrelli, unwittingly turns a straightforward murder investigation into a comedic series of mishaps, testing the patience of his irritable boss Charles Dreyfus as casualties mount.", + "poster": "https://image.tmdb.org/t/p/w500/pR6tNqNLYIbRRYC5TFKWVWaVvvK.jpg", + "url": "https://www.themoviedb.org/movie/1594", + "genres": [ + "Comedy", + "Mystery", + "Crime" + ], + "tags": [ + "suspicion of murder", + "unskillfulness" + ] + }, + { + "ranking": 2546, + "title": "Thief", + "year": "1981", + "runtime": 123, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.2, + "vote_count": 724, + "description": "Frank is an expert professional safecracker, specialized in high-profile diamond heists. He plans to use his ill-gotten income to retire from crime and build a nice life for himself complete with a home, wife and kids. To accelerate the process, he signs on with a top gangster for a big score.", + "poster": "https://image.tmdb.org/t/p/w500/bpjRGwfYJ71bU0hNhLIz7g3t6Oy.jpg", + "url": "https://www.themoviedb.org/movie/11524", + "genres": [ + "Crime", + "Thriller", + "Drama" + ], + "tags": [ + "chicago, illinois", + "based on novel or book", + "shadowing", + "loss of loved one", + "burglar", + "gangster", + "car dealer", + "rain", + "idealist", + "safe", + "error", + "thief", + "dirty cop", + "convict", + "diamond heist", + "ex-con", + "safecracker", + "police surveillance", + "neo-noir", + "provocative", + "violence", + "suspenseful", + "critical", + "ambiguous", + "assertive", + "awestruck", + "commanding", + "harsh" + ] + }, + { + "ranking": 2543, + "title": "Fear Street: 1978", + "year": "2021", + "runtime": 111, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.186, + "vote_count": 1975, + "description": "In 1978, two rival groups at Camp Nightwing must band together to solve a terrifying mystery when horrors from their towns' history come alive.", + "poster": "https://image.tmdb.org/t/p/w500/cQywpstS8m9VyU0ho5E0KTNqd50.jpg", + "url": "https://www.themoviedb.org/movie/591274", + "genres": [ + "Horror", + "Mystery" + ], + "tags": [ + "based on novel or book", + "summer camp", + "1970s", + "curse", + "teenage girl", + "slasher", + "witchcraft", + "sister sister relationship" + ] + }, + { + "ranking": 2551, + "title": "Kahaani", + "year": "2012", + "runtime": 122, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.2, + "vote_count": 311, + "description": "Pregnant and alone in the city of Kolkata, a woman begins a relentless search for her missing husband, only to find that nothing is what it seems.", + "poster": "https://image.tmdb.org/t/p/w500/shsN1B7IPAQG1NLF6WVVi3X89lM.jpg", + "url": "https://www.themoviedb.org/movie/82825", + "genres": [ + "Mystery", + "Thriller" + ], + "tags": [ + "investigation", + "police corruption", + "india", + "missing husband", + "nerve gas", + "bollywood" + ] + }, + { + "ranking": 2554, + "title": "Bye Bye Morons", + "year": "2020", + "runtime": 87, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.184, + "vote_count": 883, + "description": "When 43-year-old hairdresser Suze Trappet finds out that she's seriously ill, she decides to go looking for a child she was forced to abandon when she was only 15. On her madcap bureaucratic quest she crosses paths with JB, a 50-year-old man in the middle of a burnout, and Mr. Blin, a blind archivist prone to overenthusiasm. The unlikely trio set off on a hilarious and poignant helterskelter journey across the city in search of Suze's long-lost child.", + "poster": "https://image.tmdb.org/t/p/w500/iEzAKYpwdfFprRV39B7GxJoz9LV.jpg", + "url": "https://www.themoviedb.org/movie/651881", + "genres": [ + "Comedy", + "Drama" + ], + "tags": [] + }, + { + "ranking": 2547, + "title": "Law of Desire", + "year": "1987", + "runtime": 102, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.2, + "vote_count": 301, + "description": "Pablo, a successful film director, disappointed in his relationship with his young lover, Juan, concentrates in a new project, a monologue starring his transgender sister, Tina. Antonio, an uptight young man, falls possessively in love with the director and in his passion would stop at nothing to obtain the object of his desire.", + "poster": "https://image.tmdb.org/t/p/w500/tAKaUaYGPCUStvlOaLwsJldrOJQ.jpg", + "url": "https://www.themoviedb.org/movie/4043", + "genres": [ + "Drama", + "Romance", + "Thriller", + "Comedy" + ], + "tags": [ + "sibling relationship", + "madrid, spain", + "movie business", + "longing", + "murder", + "extramarital affair", + "lgbt", + "trans woman", + "gay theme" + ] + }, + { + "ranking": 2542, + "title": "P.S. I Love You", + "year": "2007", + "runtime": 126, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.187, + "vote_count": 3331, + "description": "A young widow discovers that her late husband has left her 10 messages intended to help ease her pain and start a new life.", + "poster": "https://image.tmdb.org/t/p/w500/x6M9nlTpgpI4AOw0tMkOAVbhL5z.jpg", + "url": "https://www.themoviedb.org/movie/6023", + "genres": [ + "Drama", + "Romance" + ], + "tags": [ + "dying and death", + "loss of loved one", + "job-hopping", + "letter", + "ireland" + ] + }, + { + "ranking": 2550, + "title": "Nappily Ever After", + "year": "2018", + "runtime": 100, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.2, + "vote_count": 810, + "description": "After an accident at the hair salon, Violet realizes she's not living life to the fullest. A soulful barber helps her put the pieces back together.", + "poster": "https://image.tmdb.org/t/p/w500/lxXsGqxUwSxypffv8hn3r332jf4.jpg", + "url": "https://www.themoviedb.org/movie/519035", + "genres": [ + "Comedy", + "Romance", + "Drama" + ], + "tags": [ + "romcom", + "hair", + "woman director", + "barber", + "black hair" + ] + }, + { + "ranking": 2545, + "title": "Sweeney Todd: The Demon Barber of Fleet Street", + "year": "2007", + "runtime": 116, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.2, + "vote_count": 5970, + "description": "The infamous story of Benjamin Barker, a.k.a Sweeney Todd, who sets up a barber shop down in London which is the basis for a sinister partnership with his fellow tenant, Mrs. Lovett. Based on the hit Broadway musical.", + "poster": "https://image.tmdb.org/t/p/w500/gAW4J1bkRjZKmFsJsIiOBASeoAp.jpg", + "url": "https://www.themoviedb.org/movie/13885", + "genres": [ + "Drama", + "Horror" + ], + "tags": [ + "widow", + "asylum", + "confession", + "razor", + "villain", + "musical", + "beggar", + "based on play or musical", + "child in peril", + "cane", + "lust", + "cannibal", + "person on fire", + "incest", + "infatuation", + "shaving", + "social injustice", + "barbershop", + "oven", + "beadle", + "uxoricide", + "seaman", + "mother figure", + "folktale", + "corrupt judge", + "dramatic", + "suspenseful", + "horror musical", + "horrified" + ] + }, + { + "ranking": 2549, + "title": "300", + "year": "2007", + "runtime": 116, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.2, + "vote_count": 13930, + "description": "Based on Frank Miller's graphic novel, \"300\" is very loosely based the 480 B.C. Battle of Thermopylae, where the King of Sparta led his army against the advancing Persians; the battle is said to have inspired all of Greece to band together against the Persians, and helped usher in the world's first democracy.", + "poster": "https://image.tmdb.org/t/p/w500/h7Lcio0c9ohxPhSZg42eTlKIVVY.jpg", + "url": "https://www.themoviedb.org/movie/1271", + "genres": [ + "Action", + "Adventure", + "War" + ], + "tags": [ + "epic", + "army", + "narration", + "gore", + "based on comic", + "sword fight", + "massacre", + "ancient world", + "based on graphic novel", + "ancient greece", + "warrior", + "ancient warfare", + "sparta greece", + "5th century bc", + "war", + "bloody death", + "sparta", + "spartans", + "battle of thermopylae", + "god king", + "battle axe", + "amused", + "audacious", + "based on real events" + ] + }, + { + "ranking": 2560, + "title": "Professor Marston and the Wonder Women", + "year": "2017", + "runtime": 108, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.2, + "vote_count": 887, + "description": "The unconventional life of Dr. William Marston, the Harvard psychologist and inventor who helped invent the modern lie detector test and created Wonder Woman in 1941.", + "poster": "https://image.tmdb.org/t/p/w500/tbrzHlnE8dNpllLWEe9bwDGNzLe.jpg", + "url": "https://www.themoviedb.org/movie/420622", + "genres": [ + "Drama", + "Romance" + ], + "tags": [ + "comic book", + "biography", + "polyamory", + "bdsm", + "censorship", + "freedom of expression" + ] + }, + { + "ranking": 2556, + "title": "In America", + "year": "2003", + "runtime": 105, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.184, + "vote_count": 353, + "description": "A family of Irish immigrants adjusts to life on the mean streets of Hell's Kitchen while also grieving the death of a child.", + "poster": "https://image.tmdb.org/t/p/w500/cUhMjWQyyApA0pFinogCsE2wy8g.jpg", + "url": "https://www.themoviedb.org/movie/10511", + "genres": [ + "Drama" + ], + "tags": [ + "new york city", + "aids", + "immigration", + "tenement", + "struggling actor", + "semi autobiographical", + "halloween costume", + "ice cream parlor", + "home renovation", + "1980s", + "inspirational" + ] + }, + { + "ranking": 2553, + "title": "The Bucket List", + "year": "2007", + "runtime": 97, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.185, + "vote_count": 3834, + "description": "Corporate billionaire Edward Cole and working class mechanic Carter Chambers are worlds apart. At a crossroads in their lives, they share a hospital room and discover they have two things in common: a desire to spend the time they have left doing everything they ever wanted to do and an unrealized need to come to terms with who they are. Together they embark on the road trip of a lifetime, becoming friends along the way and learning to live life to the fullest, with insight and humor.", + "poster": "https://image.tmdb.org/t/p/w500/idbNSe8zsYKQL97dJApfOrDSdya.jpg", + "url": "https://www.themoviedb.org/movie/7350", + "genres": [ + "Drama", + "Comedy" + ], + "tags": [ + "dying and death", + "friendship", + "husband wife relationship", + "himalaya mountain range", + "parent child relationship", + "brain tumor", + "africa", + "journey around the world", + "sense of life", + "safari", + "male friendship", + "wish", + "terminal illness", + "road trip", + "cancer", + "billionaire", + "estranged father", + "list", + "elderly", + "journey", + "bucket list", + "taj mahal, india" + ] + }, + { + "ranking": 2559, + "title": "Teen Titans Go! To the Movies", + "year": "2018", + "runtime": 84, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.2, + "vote_count": 1121, + "description": "All the major DC superheroes are starring in their own films, all but the Teen Titans, so Robin is determined to remedy this situation by getting over his role as a sidekick and becoming a movie star. Thus, with a few madcap ideas and an inspirational song in their hearts, the Teen Titans head to Hollywood to fulfill their dreams.", + "poster": "https://image.tmdb.org/t/p/w500/mFHihhE9hlvJEk2f1AqdLRaYHd6.jpg", + "url": "https://www.themoviedb.org/movie/474395", + "genres": [ + "Animation", + "Action", + "Comedy", + "Science Fiction" + ], + "tags": [ + "movie business", + "dc comics", + "superhero", + "time travel", + "slapstick comedy", + "hollywood", + "super power", + "aftercreditsstinger", + "duringcreditsstinger", + "based on tv series" + ] + }, + { + "ranking": 2555, + "title": "The Return of the Living Dead", + "year": "1985", + "runtime": 91, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.184, + "vote_count": 2111, + "description": "When foreman Frank shows new employee Freddy a secret military experiment in a supply warehouse in Louisville, Kentucky, the two klutzes accidentally release a gas that reanimates corpses into flesh-eating zombies. As the epidemic spreads throughout the town, and the creatures satisfy their hunger in gory and outlandish ways, Frank and Freddy fight to survive with the help of their boss and a mysterious mortician.", + "poster": "https://image.tmdb.org/t/p/w500/qVTFBabgnWz4jZ8wOQRYZI5EITF.jpg", + "url": "https://www.themoviedb.org/movie/10925", + "genres": [ + "Horror", + "Comedy", + "Science Fiction" + ], + "tags": [ + "cemetery", + "crematorium", + "punk rock", + "undead", + "zombie", + "paramedic", + "attic", + "warehouse", + "night of the living dead", + "walking dead", + "horror comedy", + "louisville", + "louisville, ky" + ] + }, + { + "ranking": 2558, + "title": "Our Friend", + "year": "2019", + "runtime": 124, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.2, + "vote_count": 306, + "description": "After learning that his terminally ill wife has six months to live, a man welcomes the support of his best friend who moves into their home to help out.", + "poster": "https://image.tmdb.org/t/p/w500/vg9C5LttsKBqoLuqeQvOXaeBGiD.jpg", + "url": "https://www.themoviedb.org/movie/583903", + "genres": [ + "Drama", + "Romance" + ], + "tags": [ + "friendship", + "support", + "based on true story", + "terminal illness" + ] + }, + { + "ranking": 2563, + "title": "Watership Down", + "year": "1978", + "runtime": 92, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.2, + "vote_count": 641, + "description": "When the warren belonging to a community of rabbits is threatened, a brave group led by Fiver, Bigwig, Blackberry and Hazel leave their homeland in a search of a safe new haven.", + "poster": "https://image.tmdb.org/t/p/w500/q9ZcNxfquJbMTd6UfhAlJbmLBts.jpg", + "url": "https://www.themoviedb.org/movie/11837", + "genres": [ + "Adventure", + "Animation", + "Drama" + ], + "tags": [ + "based on novel or book", + "gore", + "trap", + "anthropomorphism", + "seagull", + "based on children's book", + "rabbit", + "runt", + "river crossing", + "adult animation", + "journey", + "myth", + "berkshire", + "rabbits" + ] + }, + { + "ranking": 2572, + "title": "Invictus", + "year": "2009", + "runtime": 134, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.181, + "vote_count": 4157, + "description": "Newly elected President Nelson Mandela knows his nation remains racially and economically divided in the wake of apartheid. Believing he can bring his people together through the universal language of sport, Mandela rallies South Africa's rugby union team as they make their historic run to the 1995 Rugby World Cup Championship match.", + "poster": "https://image.tmdb.org/t/p/w500/runuhBAAX7PmdjGhqRKCyl4bh7z.jpg", + "url": "https://www.themoviedb.org/movie/22954", + "genres": [ + "Drama", + "History" + ], + "tags": [ + "sports", + "stadium", + "south africa", + "apartheid", + "idealism", + "nelson mandela", + "based on true story", + "idealist", + "rugby", + "president", + "racism", + "poverty", + "celebration", + "duringcreditsstinger", + "1990s", + "fighting the system" + ] + }, + { + "ranking": 2565, + "title": "MFKZ", + "year": "2018", + "runtime": 95, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.182, + "vote_count": 311, + "description": "Angelino is just one of thousands of deadbeats living in Dark Meat City. But an otherwise unremarkable scooter accident caused by a beautiful, mysterious stranger is about to transform his life... into a waking nightmare! He starts seeing monstrous forms prowling around all over the city... Is Angelino losing his mind, or could an alien invasion really be happening this quietly...?", + "poster": "https://image.tmdb.org/t/p/w500/oSMIKsznGYzGfdl611kgEJF889.jpg", + "url": "https://www.themoviedb.org/movie/461615", + "genres": [ + "Science Fiction", + "Animation", + "Action", + "Crime", + "Comedy" + ], + "tags": [ + "adult animation", + "run", + "mutafukaz" + ] + }, + { + "ranking": 2580, + "title": "Nowhere Boy", + "year": "2009", + "runtime": 98, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.2, + "vote_count": 822, + "description": "A rebellious teenager, future Beatle John Lennon lives with his Aunt Mimi in working-class mid-1950s Liverpool, England. Mimi's husband suddenly dies, and John spies his mother Julia at the funeral. Despite Mimi's misgivings, John intends to have a real relationship with his mother. Julia introduces him to popular music and the banjo and, though a family conflict looms, young John is inspired to form his own band.", + "poster": "https://image.tmdb.org/t/p/w500/1rFcosLtBnGL2ru0IPtwx3QSeKK.jpg", + "url": "https://www.themoviedb.org/movie/33511", + "genres": [ + "Drama" + ], + "tags": [ + "musician", + "biography", + "based on true story", + "liverpool, england", + "dark past", + "hit by a car", + "new brighton england", + "woman director", + "1950s", + "1960s", + "aspiring musician", + "mother son relationship" + ] + }, + { + "ranking": 2566, + "title": "Bedevilled", + "year": "2010", + "runtime": 115, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.2, + "vote_count": 423, + "description": "A disillusioned Seoul woman visits a remote island to reconnect with a childhood friend, only to find her trapped in an oppressive cycle of physical, mental, and sexual abuse. As tensions escalate, the situation spirals into a harrowing tale of survival and retribution.", + "poster": "https://image.tmdb.org/t/p/w500/3ZgFJY1kje1XhXPvC8UtRKA2tX.jpg", + "url": "https://www.themoviedb.org/movie/59421", + "genres": [ + "Thriller", + "Crime", + "Drama", + "Horror" + ], + "tags": [ + "friendship", + "island", + "prostitute", + "rape", + "isolation", + "revenge", + "domestic abuse", + "rural area", + "domestic violence", + "killing spree", + "heartbreak", + "mental illness", + "childhood friends", + "senior citizen", + "rape and revenge", + "social issues", + "abuse", + "island life", + "social problems", + "girls love", + "unhealthy relationship" + ] + }, + { + "ranking": 2562, + "title": "Juice", + "year": "1992", + "runtime": 96, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.183, + "vote_count": 396, + "description": "Four Harlem friends -- Bishop, Q, Steel and Raheem -- dabble in petty crime, but they decide to go big by knocking off a convenience store. Bishop, the magnetic leader of the group, has the gun. But Q has different aspirations. He wants to be a DJ and happens to have a gig the night of the robbery. Unfortunately for him, Bishop isn't willing to take no for answer in a game where everything's for keeps.", + "poster": "https://image.tmdb.org/t/p/w500/hfXFPMhNjLnCugBHMN0nrtKW7Ra.jpg", + "url": "https://www.themoviedb.org/movie/16136", + "genres": [ + "Crime", + "Drama", + "Thriller", + "Action" + ], + "tags": [ + "rap music", + "hip-hop", + "street gang" + ] + }, + { + "ranking": 2569, + "title": "Fallen Leaves", + "year": "2023", + "runtime": 81, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.181, + "vote_count": 590, + "description": "In modern-day Helsinki, two lonely souls in search of love meet by chance in a karaoke bar. However, their path to happiness is beset by obstacles – from lost phone numbers to mistaken addresses, alcoholism, and a charming stray dog.", + "poster": "https://image.tmdb.org/t/p/w500/9ayYOpeqHhxfHHUoyt3kXzznECO.jpg", + "url": "https://www.themoviedb.org/movie/986280", + "genres": [ + "Romance", + "Comedy", + "Drama" + ], + "tags": [ + "helsinki, finland", + "coma", + "karaoke", + "alcoholism", + "romance", + "loneliness", + "stray dog", + "deadpan comedy", + "russian invasion of ukraine (2022)", + "movie theater", + "independent film", + "working class people", + "romantic dramedy", + "dry humor" + ] + }, + { + "ranking": 2578, + "title": "The Return of Godzilla", + "year": "1984", + "runtime": 103, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.2, + "vote_count": 307, + "description": "After a fishing boat is attacked, the sole surviving crew member realizes it is none other than a resurrected Godzilla. However, efforts to bring the story to light are suppressed by the Japanese government amid growing political tensions between the United States and the Soviet Union, who are both willing to bomb Japan to stop the monster.", + "poster": "https://image.tmdb.org/t/p/w500/j6jPBig1P30VZmFTZJdLzFk3hrL.jpg", + "url": "https://www.themoviedb.org/movie/421467", + "genres": [ + "Science Fiction", + "Action", + "Thriller", + "Horror" + ], + "tags": [ + "brother", + "cold war", + "soviet union", + "giant monster", + "cover-up", + "reporter", + "pop music", + "parasite", + "creature feature", + "reboot", + "kaiju", + "political unrest", + "lice", + "godzilla", + "tokusatsu" + ] + }, + { + "ranking": 2561, + "title": "Shin Godzilla", + "year": "2016", + "runtime": 120, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.2, + "vote_count": 1356, + "description": "When a massive, gilled monster emerges from the deep and tears through the city, the government scrambles to save its citizens. A rag-tag team of volunteers cuts through a web of red tape to uncover the monster's weakness and its mysterious ties to a foreign superpower. But time is not on their side - the greatest catastrophe to ever befall the world is about to evolve right before their very eyes.", + "poster": "https://image.tmdb.org/t/p/w500/jPNShaWZMpVF0iQ7j1dvTuZLD20.jpg", + "url": "https://www.themoviedb.org/movie/315011", + "genres": [ + "Action", + "Science Fiction", + "Horror" + ], + "tags": [ + "japan", + "monster", + "bureaucracy", + "politics", + "giant monster", + "nuclear radiation", + "political incompetence", + "tokyo, japan", + "destruction", + "reboot", + "kaiju", + "hopeless", + "satirical", + "political turmoil", + "human made disaster", + "godzilla", + "nuclear disaster", + "us japan relations", + "tokusatsu", + "intense" + ] + }, + { + "ranking": 2564, + "title": "Tenet", + "year": "2020", + "runtime": 150, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.2, + "vote_count": 10155, + "description": "Armed with only one word - Tenet - and fighting for the survival of the entire world, the Protagonist journeys through a twilight world of international espionage on a mission that will unfold in something beyond real time.", + "poster": "https://image.tmdb.org/t/p/w500/aCIFMriQh8rvhxpN1IWGgvH0Tlg.jpg", + "url": "https://www.themoviedb.org/movie/577922", + "genres": [ + "Action", + "Thriller", + "Science Fiction" + ], + "tags": [ + "assassin", + "espionage", + "spy", + "time travel", + "mumbai (bombay), india", + "arms dealer", + "terrorism", + "terrorist attack", + "nuclear weapons", + "terrorist plot", + "backwards", + "alternate timeline", + "oslo, norway", + "time paradox", + "kyiv (kiev), ukraine" + ] + }, + { + "ranking": 2579, + "title": "The Bird with the Crystal Plumage", + "year": "1970", + "runtime": 96, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.2, + "vote_count": 772, + "description": "An American writer living in Rome witnesses an attempted murder that is connected to an ongoing killing spree in the city, and conducts his own investigation despite himself and his girlfriend being targeted by the killer.", + "poster": "https://image.tmdb.org/t/p/w500/dpALRkwodEIT7TGX9SqTgwVNn0i.jpg", + "url": "https://www.themoviedb.org/movie/20345", + "genres": [ + "Horror", + "Mystery", + "Thriller" + ], + "tags": [ + "based on novel or book", + "psychopath", + "painting", + "murder", + "whodunit", + "maniac", + "knifing", + "killer", + "art gallery", + "voyeurism", + "stutterer", + "black gloves" + ] + }, + { + "ranking": 2576, + "title": "Queen Margot", + "year": "1994", + "runtime": 138, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.2, + "vote_count": 378, + "description": "Paris, Kingdom of France, August 18, 1572. To avoid the outbreak of a religious war, the Catholic princess Marguerite de Valois, sister of the feeble King Charles IX, marries the Huguenot King Henry III of Navarre.", + "poster": "https://image.tmdb.org/t/p/w500/8uGkhBLiJMIkwohGPo3iB9AuwDg.jpg", + "url": "https://www.themoviedb.org/movie/10452", + "genres": [ + "Drama", + "History", + "Romance" + ], + "tags": [ + "paris, france", + "based on novel or book", + "marriage of convenience", + "royalty", + "conspiracy", + "palace intrigue", + "16th century", + "religious persecution", + "st. bartholomew's day massacre", + "french history" + ] + }, + { + "ranking": 2575, + "title": "Arizona Dream", + "year": "1993", + "runtime": 142, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.18, + "vote_count": 701, + "description": "An Inuit hunter races his sled home with a fresh-caught halibut. This fish pervades the entire film, in real and imaginary form. Meanwhile, Axel tags fish in New York as a naturalist's gofer. He's happy there, but a messenger arrives to bring him to Arizona for his uncle's wedding. It's a ruse to get Axel into the family business. In Arizona, Axel meets two odd women: vivacious, needy, and plagued by neuroses and familial discord. He gets romantically involved with one, while the other, rich but depressed, plays accordion tunes to a gaggle of pet turtles.", + "poster": "https://image.tmdb.org/t/p/w500/jNhRjc1Q9l6tFo5aHdl8UZJPdKy.jpg", + "url": "https://www.themoviedb.org/movie/11044", + "genres": [ + "Fantasy", + "Comedy", + "Drama", + "Romance" + ], + "tags": [ + "flying", + "self-discovery", + "arizona", + "car dealer", + "american dream" + ] + }, + { + "ranking": 2577, + "title": "Girl", + "year": "2018", + "runtime": 105, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.2, + "vote_count": 732, + "description": "A promising teenage dancer enrolls at a prestigious ballet school while grappling with her gender dysphoria.", + "poster": "https://image.tmdb.org/t/p/w500/a6WKjZ1eHrKV8u1DYqjW4yUPuC.jpg", + "url": "https://www.themoviedb.org/movie/515916", + "genres": [ + "Drama" + ], + "tags": [ + "antwerp", + "ballet dancer", + "lgbt", + "lgbt teen", + "ballet school", + "trans woman", + "teenage protagonist" + ] + }, + { + "ranking": 2570, + "title": "The Monkey King: Reborn", + "year": "2021", + "runtime": 95, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.181, + "vote_count": 326, + "description": "When the irritable monkey king visits a temple together with his master Tang Monk, he feels offended because of a trifle and thereupon accidentally destroys a magic tree growing on the sacred ground. This brings an ancient demon king back to life, who promptly kidnaps Tang Monk to take revenge for his long imprisonment. The monkey king and his followers have only three days to not only save their master but also to prevent the demon king from regaining his full powers and destroying the world…", + "poster": "https://image.tmdb.org/t/p/w500/67YXOoKGODyGvJXfXzVmgHNXYh8.jpg", + "url": "https://www.themoviedb.org/movie/811634", + "genres": [ + "Animation", + "Action", + "Fantasy", + "Family" + ], + "tags": [ + "kung fu", + "animation" + ] + }, + { + "ranking": 2568, + "title": "Sleepy Hollow", + "year": "1999", + "runtime": 105, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.182, + "vote_count": 6899, + "description": "Skeptical young detective Ichabod Crane gets transferred to the hamlet of Sleepy Hollow, New York, where he is tasked with investigating the decapitations of three people – murders the townsfolk attribute to a legendary specter, The Headless Horseman.", + "poster": "https://image.tmdb.org/t/p/w500/1GuK965FLJxqUw9fd1pmvjbFAlv.jpg", + "url": "https://www.themoviedb.org/movie/2668", + "genres": [ + "Drama", + "Fantasy", + "Thriller", + "Mystery", + "Horror" + ], + "tags": [ + "small town", + "steampunk", + "19th century", + "headless horseman" + ] + }, + { + "ranking": 2573, + "title": "Big", + "year": "1988", + "runtime": 104, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.181, + "vote_count": 3709, + "description": "When a young boy makes a wish at a carnival machine to be big—he wakes up the following morning to find that it has been granted and his body has grown older overnight. But he is still the same 13-year-old boy inside. Now he must learn how to cope with the unfamiliar world of grown-ups including getting a job and having his first romantic encounter with a woman.", + "poster": "https://image.tmdb.org/t/p/w500/eWhCDJiwxvx3YXkAFRiHjimnF0j.jpg", + "url": "https://www.themoviedb.org/movie/2280", + "genres": [ + "Fantasy", + "Drama", + "Comedy", + "Romance", + "Family" + ], + "tags": [ + "baseball", + "romance", + "coming of age", + "best friend", + "co-workers relationship", + "body-swap", + "magic realism", + "bronx, new york city", + "pinball machine", + "toy maker", + "job promotion", + "homesick", + "new toy", + "quarter", + "unplugged electronic works", + "yankee stadium", + "wish fulfillment", + "bunk bed", + "woman director", + "age change" + ] + }, + { + "ranking": 2571, + "title": "Compagni di scuola", + "year": "1988", + "runtime": 118, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.2, + "vote_count": 373, + "description": "A group of former high school classmates meets for a reunion 15 years after graduation, only to discover that any innocence or friendship is long lost.", + "poster": "https://image.tmdb.org/t/p/w500/yi8QUpo6U3nmYn6fStNG2nvANEL.jpg", + "url": "https://www.themoviedb.org/movie/56825", + "genres": [ + "Comedy" + ], + "tags": [ + "dark comedy", + "high school reunion", + "bullying in the workplace", + "ensemble cast" + ] + }, + { + "ranking": 2574, + "title": "Black Sabbath", + "year": "1963", + "runtime": 95, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.2, + "vote_count": 438, + "description": "Three short tales of supernatural horror. In “The Telephone,” a woman is plagued by threatening phone calls. In \"The Wurdalak,” a family is preyed upon by vampiric monsters. In “The Drop of Water,” a deceased medium wreaks havoc on the living.", + "poster": "https://image.tmdb.org/t/p/w500/oHd2kOCwIEsZtre00qQ2n9S3doa.jpg", + "url": "https://www.themoviedb.org/movie/28043", + "genres": [ + "Horror" + ], + "tags": [ + "nurse", + "vampire", + "telephone", + "stalker", + "anthology", + "murder", + "severed head", + "ghost", + "stabbed to death", + "horror anthology", + "supernatural horror" + ] + }, + { + "ranking": 2567, + "title": "Funny Girl", + "year": "1968", + "runtime": 155, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.182, + "vote_count": 399, + "description": "The life of famed 1930s comedienne Fanny Brice, from her early days in the Jewish slums of New York, to the height of her career with the Ziegfeld Follies, as well as her marriage to the rakish gambler Nick Arnstein.", + "poster": "https://image.tmdb.org/t/p/w500/fg7tnjd4dBeIDvEO80CGq958CCt.jpg", + "url": "https://www.themoviedb.org/movie/16085", + "genres": [ + "Comedy", + "Drama", + "Romance" + ], + "tags": [ + "marriage", + "comedian", + "musical", + "divorce" + ] + }, + { + "ranking": 2590, + "title": "The Roundup: No Way Out", + "year": "2023", + "runtime": 105, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.2, + "vote_count": 462, + "description": "Detective Ma Seok-do changes his affiliation from the Geumcheon Police Station to the Metropolitan Investigation Team, in order to eradicate Japanese gangsters who enter Korea to commit heinous crimes.", + "poster": "https://image.tmdb.org/t/p/w500/lW6IHrtaATxDKYVYoQGU5sh0OVm.jpg", + "url": "https://www.themoviedb.org/movie/955555", + "genres": [ + "Action", + "Crime", + "Comedy", + "Thriller", + "Drama" + ], + "tags": [ + "drug crime", + "police", + "detective", + "sequel", + "incheon", + "egotistical", + "bold", + "celebratory" + ] + }, + { + "ranking": 2598, + "title": "Hugo", + "year": "2011", + "runtime": 126, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.173, + "vote_count": 7285, + "description": "Orphaned and alone except for an uncle, Hugo Cabret lives in the walls of a train station in 1930s Paris. Hugo's job is to oil and maintain the station's clocks, but to him, his more important task is to protect a broken automaton and notebook left to him by his late father. Accompanied by the goddaughter of an embittered toy merchant, Hugo embarks on a quest to solve the mystery of the automaton and find a place he can call home.", + "poster": "https://image.tmdb.org/t/p/w500/1dxRq3o3l3bVWNRvvSb7rRf68qp.jpg", + "url": "https://www.themoviedb.org/movie/44826", + "genres": [ + "Adventure", + "Drama", + "Family" + ], + "tags": [ + "paris, france", + "based on novel or book", + "library", + "clock tower", + "key", + "movie business", + "clock", + "museum", + "train accident", + "montparnasse", + "steampunk", + "orphan", + "robot", + "hiding", + "filmmaking", + "security guard", + "leg brace", + "doberman", + "toy store", + "runaway train", + "railway station", + "guard dog", + "toy maker", + "mechanics", + "cinema history", + "mechanical toys", + "ticking clock", + "based on young adult novel", + "clockwork", + "train station", + "toy", + "stationmaster", + "clockmaker", + "mechanical dolls" + ] + }, + { + "ranking": 2586, + "title": "Identity", + "year": "2003", + "runtime": 90, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.177, + "vote_count": 3952, + "description": "Complete strangers stranded at a remote desert motel during a raging storm soon find themselves the target of a deranged murderer. As their numbers thin out, the travelers begin to turn on each other, as each tries to figure out who the killer is.", + "poster": "https://image.tmdb.org/t/p/w500/bnidwEvWNAVJ3Uco9wWtuzWAfrx.jpg", + "url": "https://www.themoviedb.org/movie/2832", + "genres": [ + "Mystery", + "Thriller" + ], + "tags": [ + "prostitute", + "prisoner", + "psychopath", + "nevada", + "detective", + "rain", + "motel", + "weather", + "ex-cop", + "murder", + "stranded", + "serial killer", + "slasher", + "psychological thriller", + "whodunit", + "storm", + "psychiatrist", + "convict", + "thunderstorm", + "rainstorm", + "split personality", + "mental disorders", + "murder mystery", + "dissociative identity disorder", + "isolated place" + ] + }, + { + "ranking": 2587, + "title": "Carnage", + "year": "2011", + "runtime": 79, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.2, + "vote_count": 2955, + "description": "Two pairs of parents hold a cordial meeting after their sons are involved in a fight, though as their time together progresses, increasingly childish behavior throws the discussion into chaos.", + "poster": "https://image.tmdb.org/t/p/w500/3Imx53XV3T02ADlMxYazYXVNysZ.jpg", + "url": "https://www.themoviedb.org/movie/72113", + "genres": [ + "Comedy", + "Drama" + ], + "tags": [ + "flat", + "hamster", + "dark comedy", + "vomit", + "based on play or musical", + "insult", + "writer", + "tulips", + "meeting", + "puke", + "pants", + "liberal", + "domestic dispute", + "tense" + ] + }, + { + "ranking": 2585, + "title": "White Christmas", + "year": "1954", + "runtime": 120, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.2, + "vote_count": 530, + "description": "Two talented song-and-dance men team up after the war to become one of the hottest acts in show business. In time they befriend and become romantically involved with the beautiful Haynes sisters who comprise a sister act.", + "poster": "https://image.tmdb.org/t/p/w500/A5kBQsHKbIptxJyELEpHQJROCRj.jpg", + "url": "https://www.themoviedb.org/movie/13368", + "genres": [ + "Comedy", + "Music", + "Romance" + ], + "tags": [ + "sibling relationship", + "show business", + "musical", + "sister", + "matchmaking", + "post world war ii", + "song and dance", + "floor show", + "ski lodge", + "christmas", + "failing business", + "sister act", + "war buddies", + "retired general" + ] + }, + { + "ranking": 2584, + "title": "A Coffee in Berlin", + "year": "2012", + "runtime": 88, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.2, + "vote_count": 330, + "description": "Niko, a twenty-something college dropout, lives for the moment as he drifts through the streets of Berlin, curiously observing everyone around him and oblivious to his growing status as an outsider. Then on one fateful day, through a series of absurdly amusing encounters, everything changes.", + "poster": "https://image.tmdb.org/t/p/w500/gy58pmCztFrpxaRM9rGhv93LgCP.jpg", + "url": "https://www.themoviedb.org/movie/130739", + "genres": [ + "Drama", + "Comedy" + ], + "tags": [ + "berlin, germany", + "coffee", + "girlfriend", + "slacker", + "coming of age", + "college dropout" + ] + }, + { + "ranking": 2597, + "title": "Melancholia", + "year": "2011", + "runtime": 130, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.2, + "vote_count": 3558, + "description": "Justine and Michael are celebrating their marriage at a sumptuous party in the home of her sister Claire, and brother-in-law John. Despite Claire’s best efforts, the wedding is a fiasco, with family tensions mounting and relationships fraying. Meanwhile, a planet called Melancholia is heading directly towards Earth…", + "poster": "https://image.tmdb.org/t/p/w500/fMneszMiQuTKY8JUXrGGB5vwqJf.jpg", + "url": "https://www.themoviedb.org/movie/62215", + "genres": [ + "Drama", + "Science Fiction" + ], + "tags": [ + "depression", + "suicide", + "nihilism", + "wedding reception", + "wedding planner", + "surrealism", + "end of the world", + "wealth", + "mansion", + "power outage", + "destruction of planet", + "sister sister relationship" + ] + }, + { + "ranking": 2592, + "title": "The Patriot", + "year": "2000", + "runtime": 165, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.2, + "vote_count": 3998, + "description": "After proving himself on the field of battle in the French and Indian War, Benjamin Martin wants nothing more to do with such things, preferring the simple life of a farmer. But when his son Gabriel enlists in the army to defend their new nation, America, against the British, Benjamin reluctantly returns to his old life to protect his son.", + "poster": "https://image.tmdb.org/t/p/w500/fWZd815QxUCUcrWQZwUkAp9ljG.jpg", + "url": "https://www.themoviedb.org/movie/2024", + "genres": [ + "Drama", + "History", + "War", + "Action" + ], + "tags": [ + "epic", + "daughter", + "mission", + "general", + "southern usa", + "loss of loved one", + "rebel", + "patriotism", + "insurgence", + "gore", + "south carolina", + "based on true story", + "sword fight", + "historical fiction", + "soldier", + "patriot", + "18th century", + "american revolution", + "revolutionary war" + ] + }, + { + "ranking": 2591, + "title": "Broker", + "year": "2022", + "runtime": 129, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.175, + "vote_count": 477, + "description": "Sang-hyun is always struggling from debt, and Dong-soo works at a baby box facility. On a rainy night, they steal the baby Woo-sung, who was left in the baby box, to sell him at a good price. Meanwhile, detectives were watching, and they quietly track them down to capture the crucial evidence.", + "poster": "https://image.tmdb.org/t/p/w500/x86xaUnxU31JYiwlO35corDEV1i.jpg", + "url": "https://www.themoviedb.org/movie/736732", + "genres": [ + "Drama", + "Comedy", + "Crime" + ], + "tags": [ + "baby", + "adoption", + "investigation", + "broker", + "road trip", + "family relationships", + "road movie", + "abandoned baby", + "busan, south korea", + "baby box" + ] + }, + { + "ranking": 2583, + "title": "Clifford the Big Red Dog", + "year": "2021", + "runtime": 97, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.2, + "vote_count": 1743, + "description": "As Emily struggles to fit in at home and at school, she discovers a small red puppy who is destined to become her best friend. When Clifford magically undergoes one heck of a growth spurt, becomes a gigantic dog and attracts the attention of a genetics company, Emily and her Uncle Casey have to fight the forces of greed as they go on the run across New York City. Along the way, Clifford affects the lives of everyone around him and teaches Emily and her uncle the true meaning of acceptance and unconditional love.", + "poster": "https://image.tmdb.org/t/p/w500/30ULVKdjBcQTsj2aOSThXXZNSxF.jpg", + "url": "https://www.themoviedb.org/movie/585245", + "genres": [ + "Family", + "Adventure", + "Comedy", + "Fantasy", + "Animation" + ], + "tags": [ + "based on novel or book", + "dog", + "giant dog", + "pets", + "live action and animation", + "cgi-live action hybrid", + "animated character" + ] + }, + { + "ranking": 2581, + "title": "Secondhand Lions", + "year": "2003", + "runtime": 111, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.178, + "vote_count": 774, + "description": "The comedic adventures of an introverted boy left on the doorstep of a pair of reluctant, eccentric great-uncles, whose exotic remembrances stir the boy's spirit and re-ignite the men's lives.", + "poster": "https://image.tmdb.org/t/p/w500/mYIMMAma7DCACRfiGhHAybPAdKa.jpg", + "url": "https://www.themoviedb.org/movie/13156", + "genres": [ + "Family", + "Comedy" + ], + "tags": [ + "farm", + "texas", + "lion", + "money", + "eccentric", + "veteran", + "uncle nephew relationship", + "teenage protagonist" + ] + }, + { + "ranking": 2594, + "title": "Batman: Hush", + "year": "2019", + "runtime": 82, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.174, + "vote_count": 893, + "description": "A mysterious new villain known only as Hush uses a gallery of villains to destroy Batman's crime-fighting career as well as Bruce Wayne's personal life, which has been further complicated by a relationship with Selina Kyle/Catwoman.", + "poster": "https://image.tmdb.org/t/p/w500/eiVQORVyVuNNZHPAELuWtlXoQsD.jpg", + "url": "https://www.themoviedb.org/movie/537056", + "genres": [ + "Action", + "Animation", + "Crime", + "Mystery" + ], + "tags": [ + "superhero", + "cartoon", + "based on comic", + "adult animation", + "dc animated movie universe" + ] + }, + { + "ranking": 2595, + "title": "The Healer", + "year": "2017", + "runtime": 113, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.174, + "vote_count": 518, + "description": "The film follows a man with an unwanted gift for healing who meets a teenager with cancer who helps him to find himself.", + "poster": "https://image.tmdb.org/t/p/w500/mwBsg7cFE7GwDPKP4Pv26w2Txmp.jpg", + "url": "https://www.themoviedb.org/movie/340270", + "genres": [ + "Family", + "Drama", + "Comedy" + ], + "tags": [ + "love", + "child cancer", + "personal growth", + "healing gift" + ] + }, + { + "ranking": 2596, + "title": "Diaz - Don't Clean Up This Blood", + "year": "2012", + "runtime": 127, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.2, + "vote_count": 425, + "description": "On July 19–21, 2001, over 200,000 people took to the streets of Genoa to protest against the ongoing G8 summit. Anti-globalization activists clashed with the police, with 23-year-old protester Carlo Giuliani shot dead after confronting a police vehicle. In the aftermath, the police organized a night raid on the Diaz high school, where around a hundred people between unarmed protesters—mostly students—and independent reporters who documented the police brutality during the protests had took shelter. What happened next was called by Amnesty International \"the most serious breach of civil liberties in a democratic Western country since World War II.\"", + "poster": "https://image.tmdb.org/t/p/w500/vcGFlMHToPdYLn3ZMUwHsA8FQr0.jpg", + "url": "https://www.themoviedb.org/movie/96714", + "genres": [ + "Drama", + "History" + ], + "tags": [ + "police brutality", + "based on true story" + ] + }, + { + "ranking": 2588, + "title": "Pom Poko", + "year": "1994", + "runtime": 119, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.2, + "vote_count": 1081, + "description": "The Raccoons of the Tama Hills are being forced from their homes by the rapid development of houses and shopping malls. As it becomes harder to find food and shelter, they decide to band together and fight back. The Raccoons practice and perfect the ancient art of transformation until they are even able to appear as humans in hilarious circumstances.", + "poster": "https://image.tmdb.org/t/p/w500/zat2MMhejQyJJN6CucLI9Or9kdo.jpg", + "url": "https://www.themoviedb.org/movie/15283", + "genres": [ + "Adventure", + "Animation", + "Fantasy" + ], + "tags": [ + "animals", + "environment", + "japanese mythology", + "anime", + "critical" + ] + }, + { + "ranking": 2599, + "title": "The Young Victoria", + "year": "2009", + "runtime": 105, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.2, + "vote_count": 1024, + "description": "As the only legitimate heir of England's King William, teenage Victoria gets caught up in the political machinations of her own family. Victoria's mother wants her to sign a regency order, while her Belgian uncle schemes to arrange a marriage between the future monarch and Prince Albert, the man who will become the love of her life.", + "poster": "https://image.tmdb.org/t/p/w500/pkt58GhSPBd7vvnZFIiu2IgbwSk.jpg", + "url": "https://www.themoviedb.org/movie/18320", + "genres": [ + "Drama", + "History", + "Romance" + ], + "tags": [ + "royal family", + "biography", + "royalty", + "period drama", + "19th century", + "british monarchy" + ] + }, + { + "ranking": 2600, + "title": "One Hundred and One Dalmatians", + "year": "1961", + "runtime": 79, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.2, + "vote_count": 6348, + "description": "When a litter of dalmatian puppies are abducted by the minions of Cruella De Vil, the parents must find them before she uses them for a diabolical fashion statement.", + "poster": "https://image.tmdb.org/t/p/w500/mRY84MJeWKnp9joev82QtslJFvk.jpg", + "url": "https://www.themoviedb.org/movie/12230", + "genres": [ + "Adventure", + "Animation", + "Comedy", + "Family" + ], + "tags": [ + "london, england", + "cartoon", + "villain", + "puppy", + "dog", + "dalmatian", + "female villain", + "cartoon dog", + "pets", + "cartoon animal" + ] + }, + { + "ranking": 2593, + "title": "The Menu", + "year": "2022", + "runtime": 107, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.2, + "vote_count": 5225, + "description": "A young couple travels to a remote island to eat at an exclusive restaurant where the chef has prepared a lavish menu, with some shocking surprises.", + "poster": "https://image.tmdb.org/t/p/w500/fPtUgMcLIboqlTlPrq0bQpKK8eq.jpg", + "url": "https://www.themoviedb.org/movie/593643", + "genres": [ + "Comedy", + "Horror", + "Thriller" + ], + "tags": [ + "psychopath", + "obsession", + "mass murder", + "restaurant", + "dark comedy", + "revenge", + "food", + "dinner", + "chef", + "food critic", + "remote island", + "french cuisine", + "culinary arts", + "fine dining", + "haute cuisine", + "direct", + "foreboding", + "horrified", + "pessimistic" + ] + }, + { + "ranking": 2589, + "title": "Marathon Man", + "year": "1976", + "runtime": 125, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.176, + "vote_count": 1109, + "description": "A graduate student and obsessive runner in New York is drawn into a mysterious plot involving his brother, a member of the secretive Division.", + "poster": "https://image.tmdb.org/t/p/w500/uPNgubSiri2yvBQRPtP77ViYjN.jpg", + "url": "https://www.themoviedb.org/movie/10518", + "genres": [ + "Thriller", + "Crime", + "Drama", + "Action" + ], + "tags": [ + "new york city", + "government", + "based on novel or book", + "nazi", + "diamond", + "conspiracy", + "theft", + "criminal", + "agent", + "dentist", + "rogue", + "safe deposit box", + "runner", + "graduate student", + "pistol", + "is it safe" + ] + }, + { + "ranking": 2582, + "title": "Shiva Baby", + "year": "2021", + "runtime": 78, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.177, + "vote_count": 665, + "description": "College student Danielle must cover her tracks when she unexpectedly runs into her sugar daddy at a shiva - with her parents, ex-girlfriend and family friends also in attendance.", + "poster": "https://image.tmdb.org/t/p/w500/4sdqVsT6SHqtbCYZS7bhVoEftlL.jpg", + "url": "https://www.themoviedb.org/movie/664300", + "genres": [ + "Comedy", + "Drama" + ], + "tags": [ + "new york city", + "parent child relationship", + "ex-girlfriend", + "bisexuality", + "jewish life", + "coming of age", + "jewish american", + "lgbt", + "jewish girl", + "woman director", + "jewish culture", + "college student", + "candid", + "sugar daddy", + "anxious", + "playful", + "mourning ritual", + "based on short", + "intimate", + "cringe comedy", + "witty", + "hilarious", + "romantic" + ] + }, + { + "ranking": 2604, + "title": "Ralph Breaks the Internet", + "year": "2018", + "runtime": 112, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.171, + "vote_count": 7673, + "description": "Video game bad guy Ralph and fellow misfit Vanellope von Schweetz must risk it all by traveling to the World Wide Web in search of a replacement part to save Vanellope's video game, Sugar Rush. In way over their heads, Ralph and Vanellope rely on the citizens of the internet — the netizens — to help navigate their way, including an entrepreneur named Yesss, who is the head algorithm and the heart and soul of trend-making site BuzzzTube.", + "poster": "https://image.tmdb.org/t/p/w500/iVCrhBcpDaHGvv7CLYbK6PuXZo1.jpg", + "url": "https://www.themoviedb.org/movie/404368", + "genres": [ + "Family", + "Animation", + "Comedy", + "Adventure" + ], + "tags": [ + "video game", + "cartoon", + "sequel", + "internet", + "lethal virus", + "aftercreditsstinger", + "duringcreditsstinger", + "online gaming" + ] + }, + { + "ranking": 2607, + "title": "Murder by Death", + "year": "1976", + "runtime": 94, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.171, + "vote_count": 824, + "description": "Lionel Twain invites the world's five greatest detectives to a 'dinner and murder'. Included are a blind butler, a deaf-mute maid, screams, spinning rooms, secret passages, false identities and more plot turns and twists than are decently allowed.", + "poster": "https://image.tmdb.org/t/p/w500/7YGYam05qzHy0ZSzfjBSDkVvvU7.jpg", + "url": "https://www.themoviedb.org/movie/6037", + "genres": [ + "Comedy", + "Crime", + "Mystery", + "Thriller" + ], + "tags": [ + "detective", + "butler", + "deaf-mute", + "guest", + "parody", + "murder", + "spoof", + "mansion", + "whodunit", + "cadaver", + "one night", + "sidekick", + "old mansion" + ] + }, + { + "ranking": 2606, + "title": "Crimson Tide", + "year": "1995", + "runtime": 116, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.2, + "vote_count": 1811, + "description": "After the Cold War, a breakaway Russian republic with nuclear warheads becomes a possible worldwide threat. U.S. submarine Capt. Frank Ramsey signs on a relatively green but highly recommended Lt. Cmdr. Ron Hunter to the USS Alabama, which may be the only ship able to stop a possible Armageddon. When Ramsay insists that the Alabama must act aggressively, Hunter, fearing they will start rather than stop a disaster, leads a potential mutiny to stop him.", + "poster": "https://image.tmdb.org/t/p/w500/21nqRJ6ofEgVvEl68J4O9V26Xzy.jpg", + "url": "https://www.themoviedb.org/movie/8963", + "genres": [ + "Thriller", + "Action", + "Drama", + "War" + ], + "tags": [ + "mutiny", + "submarine", + "missile", + "embassy", + "nuclear missile", + "battle for power", + "u.s. navy", + "terrorism", + "military", + "moral dilemma", + "post cold war", + "aircraft carrier", + "chain of command", + "launch code", + "sonar", + "nuclear submarine", + "direct", + "commanding" + ] + }, + { + "ranking": 2611, + "title": "The Broken Hearts Gallery", + "year": "2020", + "runtime": 109, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.17, + "vote_count": 318, + "description": "Lucy is a young gallery assistant who collects mementos from her relationships. She discovers that she must let go of her past to move forward, and comes up with a lovely, artistic way to help herself and others who have suffered heartbreak.", + "poster": "https://image.tmdb.org/t/p/w500/wGkr4r1e8nubmSNKJpv3HL6sFrA.jpg", + "url": "https://www.themoviedb.org/movie/616251", + "genres": [ + "Comedy", + "Romance" + ], + "tags": [ + "infidelity", + "new york city", + "roommates", + "break-up", + "art gallery", + "chance meeting", + "woman director", + "compulsive hoarding", + "hotel renovation", + "memorabilia", + "fired from a job" + ] + }, + { + "ranking": 2603, + "title": "That Christmas", + "year": "2024", + "runtime": 91, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.2, + "vote_count": 336, + "description": "It's an unforgettable Christmas for the townsfolk of Wellington-on-Sea when the worst snowstorm in history alters everyone's plans — including Santa's.", + "poster": "https://image.tmdb.org/t/p/w500/uR3uhztTAxGGK7Co0yyxVy4Gc7H.jpg", + "url": "https://www.themoviedb.org/movie/645757", + "genres": [ + "Animation", + "Comedy", + "Family", + "Fantasy", + "Adventure" + ], + "tags": [ + "holiday", + "santa claus", + "affectation", + "christmas", + "adoring" + ] + }, + { + "ranking": 2601, + "title": "La Grande Bouffe", + "year": "1973", + "runtime": 130, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.2, + "vote_count": 513, + "description": "Four friends gather at a villa with the intention of eating themselves to death.", + "poster": "https://image.tmdb.org/t/p/w500/g4wOgslrQKprlQl927h0lQQ3P99.jpg", + "url": "https://www.themoviedb.org/movie/10102", + "genres": [ + "Drama", + "Comedy" + ], + "tags": [ + "suicide", + "call girl", + "childhood friends", + "grotesque" + ] + }, + { + "ranking": 2610, + "title": "The English Patient", + "year": "1996", + "runtime": 162, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.2, + "vote_count": 2234, + "description": "In the 1930s, Count Almásy is a Hungarian map maker employed by the Royal Geographical Society to chart the vast expanses of the Sahara Desert along with several other prominent explorers. As World War II unfolds, Almásy enters into a world of love, betrayal, and politics.", + "poster": "https://image.tmdb.org/t/p/w500/8eHHqMg8qEYtVw8LQLygsHXSR2q.jpg", + "url": "https://www.themoviedb.org/movie/409", + "genres": [ + "Drama", + "Romance", + "War" + ], + "tags": [ + "egypt", + "secret love", + "amnesia", + "airplane", + "cairo", + "identity", + "intelligence", + "traitor", + "burn", + "world war ii", + "landmine", + "expedition", + "cave", + "sandstorm", + "cave painting", + "prisoner of war", + "map", + "mine clearer", + "hearing", + "desert scientist", + "desert" + ] + }, + { + "ranking": 2612, + "title": "After We Collided", + "year": "2020", + "runtime": 105, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.17, + "vote_count": 5363, + "description": "Tessa finds herself struggling with her complicated relationship with Hardin; she faces a dilemma that could change their lives forever.", + "poster": "https://image.tmdb.org/t/p/w500/kiX7UYfOpYrMFSAGbI6j1pFkLzQ.jpg", + "url": "https://www.themoviedb.org/movie/613504", + "genres": [ + "Romance", + "Drama" + ], + "tags": [ + "based on novel or book", + "love", + "teenage crush" + ] + }, + { + "ranking": 2602, + "title": "Swan Song", + "year": "2021", + "runtime": 112, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.2, + "vote_count": 524, + "description": "In the near future, Cameron Turner is diagnosed with a terminal illness. Presented with an experimental solution to shield his wife and son from grief, he grapples with altering their fate in this thought-provoking exploration of love, loss, and sacrifice.", + "poster": "https://image.tmdb.org/t/p/w500/aDVqRZ8h4137w6bIBxsTrwIdu0E.jpg", + "url": "https://www.themoviedb.org/movie/765245", + "genres": [ + "Drama", + "Science Fiction" + ], + "tags": [ + "future", + "afterlife", + "taunting", + "questioning", + "implanted memory", + "speculative", + "mysterious", + "nervous", + "zealous", + "replica", + "enthusiastic", + "exuberant", + "hopeful", + "hum", + "ominous", + "powerful", + "pretentious" + ] + }, + { + "ranking": 2605, + "title": "Pusher III", + "year": "2005", + "runtime": 108, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.171, + "vote_count": 380, + "description": "Milo is aging, he is planning his daughter's 25th birthday, and his shipment of heroin turns out to be 10,000 pills of ecstasy. When Milo tries to sell the pills anyway, all Hell breaks loose and his only chance is to ask for help from his ex-henchman and old friend Radovan.", + "poster": "https://image.tmdb.org/t/p/w500/7BN0ePCx6t7QIQ2jt4mcFeeKrYR.jpg", + "url": "https://www.themoviedb.org/movie/11330", + "genres": [ + "Action", + "Thriller", + "Crime" + ], + "tags": [ + "daughter", + "friendship", + "copenhagen, denmark", + "gangster", + "drug addiction", + "birthday party", + "drugs", + "criminal underworld", + "father and daughter" + ] + }, + { + "ranking": 2618, + "title": "Eddie the Eagle", + "year": "2016", + "runtime": 106, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.169, + "vote_count": 2154, + "description": "The feel-good story of Michael 'Eddie' Edwards, an unlikely but courageous British ski-jumper who never stopped believing in himself—even as an entire nation was counting him out. With the help of a rebellious and charismatic coach, Eddie takes on the establishment and wins the hearts of sports fans around the world by making an improbable and historic showing at the 1988 Calgary Winter Olympics.", + "poster": "https://image.tmdb.org/t/p/w500/r562gvTRVHnDSvG7MrKHEECSn1V.jpg", + "url": "https://www.themoviedb.org/movie/319888", + "genres": [ + "Comedy", + "Drama", + "History", + "Adventure" + ], + "tags": [ + "underdog", + "sports", + "olympic games", + "mountain", + "ski jump", + "biography", + "based on true story", + "britain", + "snow skiing", + "1980s", + "dedication", + "inspirational", + "adoring", + "joyful" + ] + }, + { + "ranking": 2615, + "title": "Elizabeth", + "year": "1998", + "runtime": 124, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.17, + "vote_count": 1406, + "description": "The story of the ascension to the throne and the early reign of Queen Elizabeth the First, the endless attempts by her council to marry her off, the Catholic hatred of her and her romance with Lord Robert Dudley.", + "poster": "https://image.tmdb.org/t/p/w500/yNDGST8cKQTRfqF8zgtSMeOUfkO.jpg", + "url": "https://www.themoviedb.org/movie/4518", + "genres": [ + "Drama", + "History" + ], + "tags": [ + "queen", + "duke", + "treason", + "queen elizabeth i", + "tudor", + "historical figure", + "catholic", + "protestant", + "palace intrigue", + "16th century", + "british monarchy" + ] + }, + { + "ranking": 2617, + "title": "The Man Who Knew Infinity", + "year": "2016", + "runtime": 108, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.2, + "vote_count": 1452, + "description": "Growing up poor in Madras, India, Srinivasa Ramanujan Iyengar earns admittance to Cambridge University during WWI, where he becomes a pioneer in mathematical theories with the guidance of his professor, G.H. Hardy.", + "poster": "https://image.tmdb.org/t/p/w500/v2X1BtkxaV8pzLbmM8a5gTdpg7B.jpg", + "url": "https://www.themoviedb.org/movie/353326", + "genres": [ + "Drama", + "History" + ], + "tags": [ + "based on novel or book", + "england", + "mathematics", + "mathematician", + "mathematical theorem", + "biography", + "based on true story", + "historical figure", + "1910s", + "famous people", + "historical reinterpretation", + "history and legacy", + "cambridge university" + ] + }, + { + "ranking": 2614, + "title": "50/50", + "year": "2011", + "runtime": 100, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.2, + "vote_count": 3827, + "description": "Inspired by a true story, a comedy centered on a 27-year-old guy who learns of his cancer diagnosis and his subsequent struggle to beat the disease.", + "poster": "https://image.tmdb.org/t/p/w500/8f9tM9JVB4ETBhxlQcXIjLckArl.jpg", + "url": "https://www.themoviedb.org/movie/40807", + "genres": [ + "Comedy", + "Drama" + ], + "tags": [ + "friendship", + "parent child relationship", + "therapist", + "painter", + "cancer", + "psychologist", + "hospital", + "best friend", + "doctor", + "patient", + "doctor patient relationship", + "vomiting", + "chemotherapy" + ] + }, + { + "ranking": 2609, + "title": "Out of Africa", + "year": "1985", + "runtime": 161, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.2, + "vote_count": 1398, + "description": "Tells the life story of Danish author Karen Blixen, who at the beginning of the 20th century moved to Africa to build a new life for herself. The film is based on her 1937 autobiographical novel.", + "poster": "https://image.tmdb.org/t/p/w500/6oMKqh08TfxmvnoFR4mm1wZB67P.jpg", + "url": "https://www.themoviedb.org/movie/606", + "genres": [ + "History", + "Romance", + "Drama" + ], + "tags": [ + "farm", + "infidelity", + "africa", + "plantation", + "safari", + "melancholy", + "nairobi", + "coffee grower", + "romance", + "kenya", + "based on memoir or autobiography", + "british colonial", + "syphilis", + "danish", + "historical drama", + "1910s", + "big game hunter", + "cuckolded husband", + "plantation owner", + "lions", + "coffee beans", + "romantic", + "colonial africa" + ] + }, + { + "ranking": 2613, + "title": "Never Rarely Sometimes Always", + "year": "2020", + "runtime": 101, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.17, + "vote_count": 528, + "description": "A pair of teenage girls in rural Pennsylvania travel to New York City to seek out medical help after an unintended pregnancy.", + "poster": "https://image.tmdb.org/t/p/w500/7yiSyQhhjTFphhfCUcn05tCQxyG.jpg", + "url": "https://www.themoviedb.org/movie/595671", + "genres": [ + "Drama" + ], + "tags": [ + "new york city", + "pennsylvania, usa", + "bus ride", + "teenage girl", + "teenage pregnancy", + "unwanted pregnancy", + "woman director" + ] + }, + { + "ranking": 2616, + "title": "A History of Violence", + "year": "2005", + "runtime": 96, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.2, + "vote_count": 3355, + "description": "An average family is thrust into the spotlight after the father commits a seemingly self-defense murder at his diner.", + "poster": "https://image.tmdb.org/t/p/w500/A26rcvipOqptVs7i5uRmKicXRxE.jpg", + "url": "https://www.themoviedb.org/movie/59", + "genres": [ + "Drama", + "Thriller", + "Crime" + ], + "tags": [ + "small town", + "hero", + "robbery", + "indiana, usa", + "distrust", + "philadelphia, pennsylvania", + "dual identity", + "double life", + "fight", + "identity", + "self-defense", + "marriage", + "diner", + "mistaken identity", + "family relationships", + "irish mob", + "revenge", + "mobster", + "lawyer", + "attempted robbery", + "based on graphic novel" + ] + }, + { + "ranking": 2619, + "title": "Murder in the First", + "year": "1995", + "runtime": 122, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.2, + "vote_count": 569, + "description": "A young, inexperienced public defender is assigned to defend an inmate accused of committing murder while behind bars.", + "poster": "https://image.tmdb.org/t/p/w500/sU37ONoL9qUyYXUhubJSYH9tEoc.jpg", + "url": "https://www.themoviedb.org/movie/8438", + "genres": [ + "Crime", + "Drama" + ], + "tags": [ + "prison", + "prisoner", + "death row", + "alcatraz prison", + "lawyer", + "courtroom", + "murder trial", + "1940s", + "mistreatment", + "public defender", + "prisoner abuse" + ] + }, + { + "ranking": 2620, + "title": "American Splendor", + "year": "2003", + "runtime": 101, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.2, + "vote_count": 489, + "description": "An original mix of fiction and reality illuminates the life of comic book hero everyman Harvey Pekar.", + "poster": "https://image.tmdb.org/t/p/w500/rPLMxuk82AiqDiwEUVJ6E7WpjYs.jpg", + "url": "https://www.themoviedb.org/movie/2771", + "genres": [ + "Comedy", + "Drama" + ], + "tags": [ + "biography", + "based on comic", + "v.a. hospital", + "junk sale", + "jellybean", + "greeting card", + "file clerk", + "garage sale", + "comic book art", + "neurotic", + "woman director", + "cleveland, ohio" + ] + }, + { + "ranking": 2608, + "title": "Babel", + "year": "2006", + "runtime": 143, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.171, + "vote_count": 3821, + "description": "In Babel, a tragic incident involving an American couple in Morocco sparks a chain of events for four families in different countries throughout the world.", + "poster": "https://image.tmdb.org/t/p/w500/cDy5iZL2C01jiT5wDSE4jOvoT52.jpg", + "url": "https://www.themoviedb.org/movie/1164", + "genres": [ + "Drama" + ], + "tags": [ + "daughter", + "first time", + "loss of loved one", + "gun", + "deaf-mute", + "san diego, california", + "ecstasy", + "nanny", + "illegal immigration", + "morocco", + "drug use", + "tokyo, japan", + "bullet wound", + "multiple storylines", + "tijuana", + "incident", + "non linear" + ] + }, + { + "ranking": 2624, + "title": "Wall Street", + "year": "1987", + "runtime": 126, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.167, + "vote_count": 2093, + "description": "A young and impatient stockbroker is willing to do anything to get to the top, including trading on illegal inside information taken through a ruthless and greedy corporate raider whom takes the youth under his wing.", + "poster": "https://image.tmdb.org/t/p/w500/2tQYq9ntzn2dEwDIGLBSipYPenv.jpg", + "url": "https://www.themoviedb.org/movie/10673", + "genres": [ + "Crime", + "Drama" + ], + "tags": [ + "new york city", + "fraud", + "wall street", + "broker", + "finances", + "stockbroker", + "lawyer", + "union", + "millionaire", + "manhattan, new york city", + "stock market", + "stocks", + "1980s", + "black monday", + "high finance" + ] + }, + { + "ranking": 2622, + "title": "Kiss Kiss Bang Bang", + "year": "2005", + "runtime": 103, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.2, + "vote_count": 2735, + "description": "A petty thief posing as an actor is brought to Los Angeles for an unlikely audition and finds himself in the middle of a murder investigation along with his high school dream girl and a detective who's been training him for his upcoming role...", + "poster": "https://image.tmdb.org/t/p/w500/aWfjIkpENFX6Uw82pET7EQ6jnrd.jpg", + "url": "https://www.themoviedb.org/movie/5236", + "genres": [ + "Comedy", + "Crime", + "Mystery", + "Thriller" + ], + "tags": [ + "detective", + "loser", + "thief", + "crush", + "whodunit", + "los angeles, california", + "series of murders", + "hoodlum", + "female corpse", + "neo-noir", + "christmas" + ] + }, + { + "ranking": 2628, + "title": "Rust and Bone", + "year": "2012", + "runtime": 123, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.165, + "vote_count": 1385, + "description": "Put in charge of his young son, Ali leaves Belgium for Antibes to live with his sister and her husband as a family. Ali's bond with Stephanie, a killer whale trainer, grows deeper after Stephanie suffers a horrible accident.", + "poster": "https://image.tmdb.org/t/p/w500/6bcerd7CeQ5y5Dilym1O2C8c8Gl.jpg", + "url": "https://www.themoviedb.org/movie/97365", + "genres": [ + "Drama", + "Romance" + ], + "tags": [ + "parent child relationship", + "underwater", + "killer whale", + "surveillance camera", + "antibes", + "animal park", + "accident" + ] + }, + { + "ranking": 2625, + "title": "T-34", + "year": "2018", + "runtime": 139, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.2, + "vote_count": 859, + "description": "In 1944, a courageous group of Russian soldiers managed to escape from German captivity in a half-destroyed legendary T-34 tank. Those were the times of unforgettable bravery, fierce fighting, unbreakable love, and legendary miracles.", + "poster": "https://image.tmdb.org/t/p/w500/wMO5XGq2ybhL3CdCEPJ8OXWbNZG.jpg", + "url": "https://www.themoviedb.org/movie/505954", + "genres": [ + "Action", + "Drama", + "History", + "War" + ], + "tags": [ + "nazi", + "world war ii", + "tank", + "tank battle", + "concentration camp escape" + ] + }, + { + "ranking": 2634, + "title": "Mirai", + "year": "2018", + "runtime": 98, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.2, + "vote_count": 788, + "description": "Unhappy after his new baby sister displaces him, four-year-old Kun begins meeting people and pets from his family's history in their unique house in order to help him become the big brother he was meant to be.", + "poster": "https://image.tmdb.org/t/p/w500/b9XvI4Nehzi0nXyNVD6DtT39P6l.jpg", + "url": "https://www.themoviedb.org/movie/475215", + "genres": [ + "Animation", + "Family", + "Fantasy", + "Adventure", + "Drama" + ], + "tags": [ + "time travel", + "family relationships", + "train", + "adult animation", + "railway station", + "anime" + ] + }, + { + "ranking": 2632, + "title": "Point Break", + "year": "1991", + "runtime": 122, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.165, + "vote_count": 3644, + "description": "In Los Angeles, a gang of bank robbers who call themselves The Ex-Presidents commit their crimes while wearing masks of Reagan, Carter, Nixon and Johnson. Believing that the members of the gang could be surfers, the F.B.I. sends young agent Johnny Utah to the beach undercover to mix with the surfers and gather information.", + "poster": "https://image.tmdb.org/t/p/w500/tlbERIghrQ4oofqlbF7H0K0EYnx.jpg", + "url": "https://www.themoviedb.org/movie/1089", + "genres": [ + "Action", + "Thriller", + "Crime" + ], + "tags": [ + "surfing", + "surfer", + "surfboard", + "undercover agent", + "self-destruction", + "fbi", + "extreme sports", + "moral conflict", + "romance", + "skydiving", + "los angeles, california", + "bank robbery", + "undercover operation", + "woman director", + "ex-president", + "surfers", + "robbery gang", + "fbi agent", + "action thriller", + "partners", + "fbi operation", + "gay interest" + ] + }, + { + "ranking": 2621, + "title": "Barbie: The Princess & the Popstar", + "year": "2012", + "runtime": 86, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.2, + "vote_count": 605, + "description": "Tori is a blonde princess who is bored of living her royal life, and has dreams of becoming a popstar. Keira, on the other hand, is a brunette popstar who dreams of being a princess. When the two meet, they magically trade places, but after realising it is best to be themselves.", + "poster": "https://image.tmdb.org/t/p/w500/hab6ZMC3eXj9pQHlSxNUjonphCR.jpg", + "url": "https://www.themoviedb.org/movie/129533", + "genres": [ + "Family", + "Animation" + ], + "tags": [ + "princess", + "magic", + "pop star", + "musical", + "based on toy", + "identity swap", + "swap roles" + ] + }, + { + "ranking": 2626, + "title": "Matilda", + "year": "1996", + "runtime": 98, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.166, + "vote_count": 4506, + "description": "Matilda Wormwood is an exquisite and intelligent little girl. Unfortunately, her parents, Harry and Zinnia misunderstand her because they think she is so different. As time passes, she finally starts school and has a kind teacher, loyal friends, and a sadistic headmistress. As she gets fed up with the constant cruelty, she begins to realize that she has a gift of telekinetic powers. After some days of practice, she suddenly turns the tables to stand up to Harry and Zinnia and outwit the headmistress.", + "poster": "https://image.tmdb.org/t/p/w500/wYoDpWInsBEVSmWStnRH06ddoyk.jpg", + "url": "https://www.themoviedb.org/movie/10830", + "genres": [ + "Comedy", + "Family", + "Fantasy" + ], + "tags": [ + "based on novel or book", + "parent child relationship", + "difficult childhood", + "child prodigy", + "childhood trauma", + "telekinesis", + "school", + "teacher student relationship", + "schoolmarm", + "based on young adult novel" + ] + }, + { + "ranking": 2627, + "title": "The Last Castle", + "year": "2001", + "runtime": 131, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.166, + "vote_count": 1288, + "description": "A court-martialed general rallies together 1200 inmates to rise against the system that put him away.", + "poster": "https://image.tmdb.org/t/p/w500/pYnUfauPVK6g8IRO2REYl4TUZ2p.jpg", + "url": "https://www.themoviedb.org/movie/2100", + "genres": [ + "Action", + "Drama", + "Thriller" + ], + "tags": [ + "prison", + "general", + "military officer", + "investigation", + "coercion", + "oppression", + "us military" + ] + }, + { + "ranking": 2623, + "title": "5 to 7", + "year": "2014", + "runtime": 98, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.2, + "vote_count": 386, + "description": "A young writer begins an affair with an older woman from France whose open marriage to a diplomat dictates that they can meet only between the hours of 5 p.m. to 7 p.m.", + "poster": "https://image.tmdb.org/t/p/w500/sQM9OKpj876pDWFbkfRIrpQG6fZ.jpg", + "url": "https://www.themoviedb.org/movie/259954", + "genres": [ + "Comedy", + "Romance" + ], + "tags": [ + "diplomat", + "extramarital affair", + "novelist" + ] + }, + { + "ranking": 2630, + "title": "Ciao, Professore!", + "year": "1992", + "runtime": 93, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.165, + "vote_count": 392, + "description": "A bureaucratic snafu sends Marco Tullio Sperelli, a portly, middle-aged northern Italian, to teach third grade in a poor town outside Naples", + "poster": "https://image.tmdb.org/t/p/w500/bwjmjCQBSwwXskE5pNMJfApZBl3.jpg", + "url": "https://www.themoviedb.org/movie/23637", + "genres": [ + "Comedy" + ], + "tags": [ + "woman director" + ] + }, + { + "ranking": 2631, + "title": "The Caine Mutiny", + "year": "1954", + "runtime": 124, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.2, + "vote_count": 339, + "description": "When a US Naval captain shows signs of mental instability that jeopardize his ship, the first officer relieves him of command and faces court martial for mutiny.", + "poster": "https://image.tmdb.org/t/p/w500/vuO4Z3wOWVlhq35MS9asZeT9rVp.jpg", + "url": "https://www.themoviedb.org/movie/10178", + "genres": [ + "Drama", + "War" + ], + "tags": [ + "mutiny", + "post-traumatic stress disorder (ptsd)", + "war ship", + "paranoia", + "world war ii", + "mental breakdown", + "cowardice", + "military court", + "u.s. navy", + "naval officer", + "novelist", + "military life", + "psychiatry", + "naval", + "court martial", + "storm at sea", + "target practice", + "shipyard", + "naval warfare", + "1940s", + "courtroom drama", + "panic attack", + "uniform code of military justice", + "battle sequence", + "military authority", + "relief of command", + "ward room", + "military attorney", + "slack ship", + "training exercise", + "tow rope", + "feelings of persecution", + "sanity vs insanity", + "combat veteran" + ] + }, + { + "ranking": 2635, + "title": "Belzebuth", + "year": "2019", + "runtime": 114, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.164, + "vote_count": 356, + "description": "While leading a police investigation of a massacre in a public school at the border of Mexico and U.S.A, special Agent Emanuel Ritter links this strange case to the coming and rising of the ancient demon Belzebuth. But in order to stop the trail of upcoming infanticides, Ritter shall have to confront himself before dealing with the forces of good and evil.", + "poster": "https://image.tmdb.org/t/p/w500/em79Vu871uUVZEpBY6qkO5O6psP.jpg", + "url": "https://www.themoviedb.org/movie/373226", + "genres": [ + "Horror", + "Fantasy" + ], + "tags": [ + "mexico", + "detective", + "exorcism", + "possession", + "satanism", + "priest", + "demon", + "bombing", + "school massacre" + ] + }, + { + "ranking": 2638, + "title": "3 Women", + "year": "1977", + "runtime": 124, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.2, + "vote_count": 300, + "description": "Two co-workers, one a vain woman and the other an awkward teenager, share an increasingly bizarre relationship after becoming roommates.", + "poster": "https://image.tmdb.org/t/p/w500/uL5Yg8MEgHGXymTaJBYXn9g0xsH.jpg", + "url": "https://www.themoviedb.org/movie/41662", + "genres": [ + "Drama" + ], + "tags": [ + "california", + "suicide attempt", + "roommates", + "identity crisis", + "avant-garde", + "pregnant woman", + "dream sequence", + "expectant mother", + "still birth", + "mysterious", + "dissociative identity disorder", + "shooting range", + "dual personality", + "lonely woman", + "new girl in town", + "taken under wing", + "duality", + "california desert", + "talkative female lead", + "mural", + "mural artist" + ] + }, + { + "ranking": 2636, + "title": "Eighth Grade", + "year": "2018", + "runtime": 94, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.2, + "vote_count": 1554, + "description": "Thirteen-year-old Kayla endures the tidal wave of contemporary suburban adolescence as she makes her way through the last week of middle school — the end of her thus far disastrous eighth grade year — before she begins high school.", + "poster": "https://image.tmdb.org/t/p/w500/xTa9cLhGHfQ7084UvoPQ2bBXKqd.jpg", + "url": "https://www.themoviedb.org/movie/489925", + "genres": [ + "Comedy", + "Drama" + ], + "tags": [ + "adolescence", + "identity crisis", + "coming of age", + "teenage girl", + "middle school", + "self identity", + "social media", + "generation z" + ] + }, + { + "ranking": 2637, + "title": "What Happened to Monday", + "year": "2017", + "runtime": 123, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.2, + "vote_count": 6140, + "description": "In a world where families are limited to one child due to overpopulation, a set of identical septuplets must avoid being put to a long sleep by the government and dangerous infighting while investigating the disappearance of one of their own.", + "poster": "https://image.tmdb.org/t/p/w500/atOgZMJpMrTdpqvPiHVPfBhR61l.jpg", + "url": "https://www.themoviedb.org/movie/406990", + "genres": [ + "Science Fiction", + "Thriller", + "Mystery", + "Action" + ], + "tags": [ + "chase", + "dystopia", + "investigation", + "fake identity", + "overpopulation", + "betrayal", + "conspiracy", + "execution", + "alternative reality", + "population control", + "secrecy", + "septuplets", + "2070s", + "suspenseful", + "intense", + "authoritarian" + ] + }, + { + "ranking": 2640, + "title": "The Purity of Vengeance", + "year": "2018", + "runtime": 118, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.2, + "vote_count": 500, + "description": "Copenhagen, 2018. A frightening discovery is made in an old apartment. The subsequent investigation of Department Q leads them to an infamous institution for girls that was suddenly closed in the early sixties.", + "poster": "https://image.tmdb.org/t/p/w500/uTdaeGpznkLfyhAzLlrdssD621R.jpg", + "url": "https://www.themoviedb.org/movie/479226", + "genres": [ + "Crime", + "Thriller", + "Mystery", + "Drama" + ], + "tags": [ + "based on novel or book", + "denmark", + "co-workers relationship", + "nordic noir", + "1960s", + "cold case", + "afdeling q", + "traumatized woman" + ] + }, + { + "ranking": 2629, + "title": "The Lucky One", + "year": "2012", + "runtime": 101, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.2, + "vote_count": 3690, + "description": "A Marine travels to Louisiana after serving three tours in Iraq and searches for the unknown woman he believes was his good luck charm during the war.", + "poster": "https://image.tmdb.org/t/p/w500/vF1ZuIkF9Z71VzVvG265xJUawb0.jpg", + "url": "https://www.themoviedb.org/movie/77877", + "genres": [ + "Drama", + "Romance" + ], + "tags": [ + "husband wife relationship", + "based on novel or book", + "iraq war veteran", + "photo", + "kennel", + "playing chess", + "bomb explosion" + ] + }, + { + "ranking": 2639, + "title": "Jason and the Argonauts", + "year": "1963", + "runtime": 104, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.2, + "vote_count": 622, + "description": "Jason, a fearless sailor and explorer, returns to his home land of Thessaly after a long voyage to claim his rightful throne. He learns, however, that he must first find the magical Golden Fleece. To do so, he must embark on an epic quest fraught with fantastic monsters and terrible perils.", + "poster": "https://image.tmdb.org/t/p/w500/mVhxJYcSpndSpa58IiXKC5aKpkH.jpg", + "url": "https://www.themoviedb.org/movie/11533", + "genres": [ + "Adventure", + "Family", + "Fantasy" + ], + "tags": [ + "ship", + "skeleton", + "hero", + "bravery", + "menace", + "greek mythology", + "vlies", + "stop motion", + "ancient greece", + "golden fleece", + "based on myths, legends or folklore", + "sea voyage" + ] + }, + { + "ranking": 2633, + "title": "Troy", + "year": "2004", + "runtime": 163, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.2, + "vote_count": 10382, + "description": "In year 1250 B.C. during the late Bronze age, two emerging nations begin to clash. Paris, the Trojan prince, convinces Helen, Queen of Sparta, to leave her husband Menelaus, and sail with him back to Troy. After Menelaus finds out that his wife was taken by the Trojans, he asks his brother Agamemnon to help him get her back. Agamemnon sees this as an opportunity for power. They set off with 1,000 ships holding 50,000 Greeks to Troy.", + "poster": "https://image.tmdb.org/t/p/w500/a07wLy4ONfpsjnBqMwhlWTJTcm.jpg", + "url": "https://www.themoviedb.org/movie/652", + "genres": [ + "Adventure", + "History", + "War" + ], + "tags": [ + "epic", + "adultery", + "sibling relationship", + "hostility", + "bravery", + "mythology", + "beauty", + "trojan war", + "wall", + "fraud", + "sword fight", + "battlefield", + "historical fiction", + "ancient world", + "based on song, poem or rhyme", + "pyre", + "ancient greece", + "peplum", + "trojan horse", + "bronze age", + "sparta greece", + "grand", + "ships", + "sword and sandal", + "helmet", + "exhilarated", + "12th century bc" + ] + }, + { + "ranking": 2641, + "title": "Gravity", + "year": "2013", + "runtime": 91, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.162, + "vote_count": 15523, + "description": "Dr. Ryan Stone, a brilliant medical engineer on her first Shuttle mission, with veteran astronaut Matt Kowalsky in command of his last flight before retiring. But on a seemingly routine spacewalk, disaster strikes. The Shuttle is destroyed, leaving Stone and Kowalsky completely alone-tethered to nothing but each other and spiraling out into the blackness of space. The deafening silence tells them they have lost any link to Earth and any chance for rescue. As fear turns to panic, every gulp of air eats away at what little oxygen is left. But the only way home may be to go further out into the terrifying expanse of space.", + "poster": "https://image.tmdb.org/t/p/w500/kZ2nZw8D681aphje8NJi8EfbL1U.jpg", + "url": "https://www.themoviedb.org/movie/49047", + "genres": [ + "Science Fiction", + "Thriller", + "Drama" + ], + "tags": [ + "space mission", + "loss", + "space", + "astronaut", + "space station", + "trapped in space", + "inspirational", + "ambiguous", + "awestruck", + "euphoric", + "foreboding", + "tragic" + ] + }, + { + "ranking": 2644, + "title": "The Good, the Bad, the Weird", + "year": "2008", + "runtime": 130, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.2, + "vote_count": 738, + "description": "The story of three Korean outlaws in 1930s Manchuria and their dealings with the Japanese army and Chinese and Russian bandits. The Good (a bounty hunter), the Bad (a hitman), and the Weird (a thief) battle the army and the bandits in a race to use a treasure map to uncover the riches of legend.", + "poster": "https://image.tmdb.org/t/p/w500/4CK4J61vzEteEAueNm40CEZQPGN.jpg", + "url": "https://www.themoviedb.org/movie/15067", + "genres": [ + "Action", + "Adventure", + "Comedy", + "Western" + ], + "tags": [ + "gunslinger", + "gun", + "asian western", + "korean", + "manchuria western" + ] + }, + { + "ranking": 2643, + "title": "Pale Rider", + "year": "1985", + "runtime": 115, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.162, + "vote_count": 1092, + "description": "A mysterious preacher protects a humble prospector village from a greedy mining company trying to encroach on their land.", + "poster": "https://image.tmdb.org/t/p/w500/kpAN5WnDEVWYzMDPkXHTbrDQuak.jpg", + "url": "https://www.themoviedb.org/movie/8879", + "genres": [ + "Western", + "Drama" + ], + "tags": [ + "gunslinger", + "showdown", + "blackmail", + "marshal", + "mine", + "settler", + "gold mining town", + "remake", + "killer", + "protector", + "preacher", + "gold prospector", + "mysterious stranger", + "gold miner" + ] + }, + { + "ranking": 2649, + "title": "Yellow Submarine", + "year": "1968", + "runtime": 89, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.2, + "vote_count": 509, + "description": "The wicked Blue Meanies take over Pepperland, eliminating all color and music. As the only survivor, the Lord Admiral escapes in the yellow submarine and journeys to Liverpool to enlist the help of the Beatles.", + "poster": "https://image.tmdb.org/t/p/w500/cjrGM2QYlwzV6vXz2yF7y6fdTRu.jpg", + "url": "https://www.themoviedb.org/movie/12105", + "genres": [ + "Music", + "Animation", + "Adventure", + "Comedy", + "Fantasy" + ], + "tags": [ + "submarine", + "surreal", + "musical", + "liverpool, england", + "blase", + "admiral", + "apple", + "phantasmagoria", + "color", + "psychadelic", + "mischievous", + "playful", + "absurd", + "hilarious", + "celebratory", + "exuberant", + "optimistic" + ] + }, + { + "ranking": 2656, + "title": "The Last Unicorn", + "year": "1982", + "runtime": 92, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.2, + "vote_count": 513, + "description": "From a riddle-speaking butterfly, a unicorn learns that she is supposedly the last of her kind, all the others having been herded away by the Red Bull. The unicorn sets out to discover the truth behind the butterfly's words. She is eventually joined on her quest by Schmendrick, a second-rate magician, and Molly Grue, a now middle-aged woman who dreamed all her life of seeing a unicorn. Their journey leads them far from home, all the way to the castle of King Haggard.", + "poster": "https://image.tmdb.org/t/p/w500/2MhDPbadE2ha83qiFwUHPgmKLnV.jpg", + "url": "https://www.themoviedb.org/movie/10150", + "genres": [ + "Fantasy", + "Animation", + "Family", + "Adventure" + ], + "tags": [ + "love of one's life", + "magic", + "magic show", + "prince", + "sorcerer's apprentice", + "enchantment", + "unicorn" + ] + }, + { + "ranking": 2647, + "title": "The Edge of Seventeen", + "year": "2016", + "runtime": 105, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.2, + "vote_count": 4083, + "description": "Two high school girls are best friends until one dates the other's older brother, who is totally his sister's nemesis.", + "poster": "https://image.tmdb.org/t/p/w500/1LyFay8CGf8mhPRDrMe0ljWw9GK.jpg", + "url": "https://www.themoviedb.org/movie/376660", + "genres": [ + "Comedy", + "Drama" + ], + "tags": [ + "high school", + "friendship", + "sibling relationship", + "portland, oregon", + "coming of age", + "teen angst", + "loneliness", + "teenage girl", + "best friend", + "dating", + "woman director", + "generation z" + ] + }, + { + "ranking": 2642, + "title": "Pooh's Grand Adventure: The Search for Christopher Robin", + "year": "1997", + "runtime": 76, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.2, + "vote_count": 367, + "description": "Pooh gets confused when Christopher Robin leaves him a note to say that he has gone back to school after the holidays. So Pooh, Piglet, Tigger, Eeyore and Rabbit go in search of Christopher Robin which leads to a big adventure.", + "poster": "https://image.tmdb.org/t/p/w500/bSfVTGoMto4ogLCT8Z3jpz6p2dS.jpg", + "url": "https://www.themoviedb.org/movie/14903", + "genres": [ + "Animation", + "Family", + "Adventure" + ], + "tags": [ + "cartoon", + "hand drawn animation", + "cartoon animal", + "winnie the pooh", + "courage" + ] + }, + { + "ranking": 2659, + "title": "Felon", + "year": "2008", + "runtime": 103, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.157, + "vote_count": 898, + "description": "A family man convicted of killing an intruder must cope with life afterward in the violent penal system.", + "poster": "https://image.tmdb.org/t/p/w500/1eYGh6DETJFXQt5PWjV8lp8YZvx.jpg", + "url": "https://www.themoviedb.org/movie/13012", + "genres": [ + "Crime", + "Drama", + "Thriller", + "Action" + ], + "tags": [ + "prison", + "neo-nazism", + "tattoo", + "court", + "fight", + "murder", + "inmate", + "break in", + "prison riot", + "tear gas", + "san quentin", + "aryan" + ] + }, + { + "ranking": 2646, + "title": "Talk to Me", + "year": "2023", + "runtime": 95, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.2, + "vote_count": 3150, + "description": "When a group of friends discover how to conjure spirits using an embalmed hand, they become hooked on the new thrill, until one of them goes too far and unleashes terrifying supernatural forces.", + "poster": "https://image.tmdb.org/t/p/w500/kdPMUMJzyYAc4roD52qavX0nLIC.jpg", + "url": "https://www.themoviedb.org/movie/1008042", + "genres": [ + "Horror" + ], + "tags": [ + "suicide", + "trauma", + "possession", + "female friendship", + "addiction", + "grief", + "female protagonist", + "death of mother", + "self mutilation", + "mental health", + "dead parent", + "social media", + "peer pressure", + "disembodied hand", + "generation z", + "self-harm", + "supernatural horror", + "cautionary tale", + "adelaide australia", + "body horror", + "teenager", + "modern australia" + ] + }, + { + "ranking": 2645, + "title": "Once Upon a Time in China", + "year": "1991", + "runtime": 133, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.161, + "vote_count": 426, + "description": "Set in late 19th century Canton, this martial arts film depicts the stance taken by the legendary martial arts hero Wong Fei-Hung against foreign forces' plundering of China.", + "poster": "https://image.tmdb.org/t/p/w500/dkBQC0jmkmTOJJMgwsBdgkzZ6Ry.jpg", + "url": "https://www.themoviedb.org/movie/10617", + "genres": [ + "Action", + "Drama" + ], + "tags": [ + "martial arts", + "kung fu", + "hero", + "china", + "colonisation", + "19th century", + "qing dynasty" + ] + }, + { + "ranking": 2650, + "title": "The Darjeeling Limited", + "year": "2007", + "runtime": 92, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.2, + "vote_count": 3631, + "description": "Three American brothers who have not spoken to each other in a year set off on a train voyage across India with a plan to find themselves and bond with each other -- to become brothers again like they used to be. Their \"spiritual quest\", however, veers rapidly off-course (due to events involving over-the-counter pain killers, Indian cough syrup, and pepper spray).", + "poster": "https://image.tmdb.org/t/p/w500/oSW5OVXTulaIXcoNwJAp5YEKpbP.jpg", + "url": "https://www.themoviedb.org/movie/4538", + "genres": [ + "Adventure", + "Drama", + "Comedy" + ], + "tags": [ + "sibling relationship", + "dysfunctional family", + "train", + "india", + "healing", + "steward", + "catharsis", + "train ride" + ] + }, + { + "ranking": 2653, + "title": "The China Syndrome", + "year": "1979", + "runtime": 122, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.2, + "vote_count": 469, + "description": "While doing a series of reports on alternative energy sources, opportunistic reporter Kimberly Wells witnesses an accident at a nuclear power plant. Wells is determined to publicize the incident, but soon finds herself entangled in a sinister conspiracy to keep the full impact of the incident a secret.", + "poster": "https://image.tmdb.org/t/p/w500/uHwwQIlt4XwpTFhX9ZT1A8xSW7F.jpg", + "url": "https://www.themoviedb.org/movie/988", + "genres": [ + "Drama", + "Thriller" + ], + "tags": [ + "california", + "telecaster", + "radiation", + "energy policy", + "earthquake", + "nuclear power plant", + "cinematographer", + "core melt", + "conspiracy", + "tv reporter", + "atomic reactor", + "whistleblower", + "falsification", + "nuclear accident", + "picketing", + "turbine" + ] + }, + { + "ranking": 2660, + "title": "House of Sand and Fog", + "year": "2003", + "runtime": 126, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.157, + "vote_count": 781, + "description": "Behrani, an Iranian immigrant buys a California bungalow, thinking he can fix it up, sell it again, and make enough money to send his son to college. However, the house is the legal property of former drug addict Kathy. After losing the house in an unfair legal dispute with the county, she is left with nowhere to go. Wanting her house back, she hires a lawyer and befriends a police officer. Neither Kathy nor Behrani have broken the law, so they find themselves involved in a difficult moral dilemma.", + "poster": "https://image.tmdb.org/t/p/w500/hLxSOukLfC4j5pNbdE7lqaw8KgL.jpg", + "url": "https://www.themoviedb.org/movie/11093", + "genres": [ + "Drama" + ], + "tags": [ + "depression", + "immigrant", + "san francisco, california", + "house", + "tragedy", + "intimidation", + "bungalow" + ] + }, + { + "ranking": 2658, + "title": "Uncut Gems", + "year": "2019", + "runtime": 136, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.2, + "vote_count": 4876, + "description": "A charismatic New York City jeweler always on the lookout for the next big score makes a series of high-stakes bets that could lead to the windfall of a lifetime. Howard must perform a precarious high-wire act, balancing business, family, and encroaching adversaries on all sides in his relentless pursuit of the ultimate win.", + "poster": "https://image.tmdb.org/t/p/w500/6XN1vxHc7kUSqNWtaQKN45J5x2v.jpg", + "url": "https://www.themoviedb.org/movie/473033", + "genres": [ + "Drama", + "Thriller", + "Crime" + ], + "tags": [ + "bet", + "infidelity", + "new york city", + "gambling", + "auction", + "ethiopia", + "dark comedy", + "basketball", + "money", + "art house", + "debt", + "apartment building", + "opal", + "pawnshop", + "character study", + "jeweler", + "city life", + "neo-noir", + "independent film", + "black opal", + "suspenseful" + ] + }, + { + "ranking": 2655, + "title": "Broadway Danny Rose", + "year": "1984", + "runtime": 84, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.2, + "vote_count": 461, + "description": "A hapless talent manager named Danny Rose, by helping a client, gets dragged into a love triangle involving the mob. His story is told in flashback, an anecdote shared amongst a group of comedians over lunch at New York's Carnegie Deli. Rose's one-man talent agency represents countless incompetent entertainers, including a one-legged tap dancer, and one slightly talented one: washed-up lounge singer Lou Canova, whose career is on the rebound.", + "poster": "https://image.tmdb.org/t/p/w500/oUgolImcg0PRiT33UNjK409aQoJ.jpg", + "url": "https://www.themoviedb.org/movie/12762", + "genres": [ + "Comedy", + "Drama" + ], + "tags": [ + "new york city", + "artist", + "comedian", + "girlfriend", + "talent manager" + ] + }, + { + "ranking": 2657, + "title": "Wheel of Fortune and Fantasy", + "year": "2021", + "runtime": 121, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.2, + "vote_count": 313, + "description": "An unexpected love triangle, a seduction trap, and a random encounter are the three episodes, told in three movements to depict three female characters and trace the trajectories between their choices and regrets.", + "poster": "https://image.tmdb.org/t/p/w500/z3xqVWOsetW6pSEgx1uiqXfzRet.jpg", + "url": "https://www.themoviedb.org/movie/795811", + "genres": [ + "Drama", + "Romance" + ], + "tags": [ + "japan", + "love triangle", + "coincidence", + "anthology", + "writer", + "first love", + "honey trap", + "erotic novel", + "psychological", + "girls love", + "encounter", + "voice", + "berlinale series" + ] + }, + { + "ranking": 2651, + "title": "By the Grace of God", + "year": "2019", + "runtime": 137, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.2, + "vote_count": 560, + "description": "Alexandre, a man in his 40s living in Lyon with his wife and children, discovers that the priest who abused him decades ago continues to work with children. He joins forces with others victims of the priest, to bring justice and “lift the burden of silence” about what they endured.", + "poster": "https://image.tmdb.org/t/p/w500/qbwcnAdBkfGBIbQ1xdQZtiUg2lf.jpg", + "url": "https://www.themoviedb.org/movie/509364", + "genres": [ + "Drama" + ], + "tags": [ + "child abuse", + "lyon france" + ] + }, + { + "ranking": 2652, + "title": "The King", + "year": "2019", + "runtime": 140, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.159, + "vote_count": 3299, + "description": "England, 15th century. Hal, a capricious prince who lives among the populace far from court, is forced by circumstances to reluctantly accept the throne and become Henry V.", + "poster": "https://image.tmdb.org/t/p/w500/8u0QBGUbZcBW59VEAdmeFl9g98N.jpg", + "url": "https://www.themoviedb.org/movie/504949", + "genres": [ + "Drama", + "History", + "War" + ], + "tags": [ + "biography", + "hundred years' war", + "historical fiction", + "british history", + "mentor protégé relationship", + "king of england", + "costume drama", + "15th century", + "british monarchy", + "medieval england", + "father son relationship", + "medieval france" + ] + }, + { + "ranking": 2654, + "title": "Happiest Season", + "year": "2020", + "runtime": 102, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.158, + "vote_count": 1240, + "description": "A young woman's plans to propose to her girlfriend while at her family's annual holiday party are upended when she discovers her partner hasn't yet come out to her conservative parents.", + "poster": "https://image.tmdb.org/t/p/w500/vzec9kkOSE93tygyfOktedkeOQ.jpg", + "url": "https://www.themoviedb.org/movie/520172", + "genres": [ + "Romance", + "Comedy" + ], + "tags": [ + "coming out", + "marriage proposal", + "holiday", + "romcom", + "lesbian relationship", + "in the closet", + "orphan", + "family holiday", + "lgbt", + "woman director", + "holiday season", + "pittsburgh, pennsylvania", + "christmas", + "candid", + "mayoral campaign", + "sister sister relationship", + "playful", + "lesbian", + "joyous", + "dramatic", + "sentimental", + "amused", + "familiar", + "hopeful", + "sympathetic" + ] + }, + { + "ranking": 2648, + "title": "Trumbo", + "year": "2015", + "runtime": 124, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.16, + "vote_count": 1592, + "description": "The career of screenwriter Dalton Trumbo is halted by a witch hunt in the late 1940s when he defies the anti-communist HUAC committee and is blacklisted.", + "poster": "https://image.tmdb.org/t/p/w500/2RERIRnZkROSeHZAIf8PSxhzOqs.jpg", + "url": "https://www.themoviedb.org/movie/294016", + "genres": [ + "Drama" + ], + "tags": [ + "parent child relationship", + "movie business", + "screenwriter", + "biography", + "hollywood", + "writer", + "communism", + "blacklist", + "mccarthyism", + "1940s", + "movie industry", + "old hollywood" + ] + }, + { + "ranking": 2662, + "title": "McCabe & Mrs. Miller", + "year": "1971", + "runtime": 120, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.2, + "vote_count": 407, + "description": "A gambler and a prostitute become business partners in a remote Old West mining town, and their enterprise thrives until a large corporation arrives on the scene.", + "poster": "https://image.tmdb.org/t/p/w500/eQ9hDaTNpZ4wb7FWdqoJcOCJBve.jpg", + "url": "https://www.themoviedb.org/movie/29005", + "genres": [ + "Western", + "Drama" + ], + "tags": [ + "based on novel or book", + "brothel", + "snow", + "gambler", + "mining town", + "washington state", + "brothel madam", + "opium den", + "1900s" + ] + }, + { + "ranking": 2668, + "title": "A Complete Unknown", + "year": "2024", + "runtime": 140, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.2, + "vote_count": 819, + "description": "New York, early 1960s. Against the backdrop of a vibrant music scene and tumultuous cultural upheaval, an enigmatic 19-year-old from Minnesota arrives in the West Village with his guitar and revolutionary talent, destined to change the course of American music.", + "poster": "https://image.tmdb.org/t/p/w500/llWl3GtNoXosbvYboelmoT459NM.jpg", + "url": "https://www.themoviedb.org/movie/661539", + "genres": [ + "Drama", + "Music" + ], + "tags": [ + "based on novel or book", + "musician", + "biography", + "1960s", + "disdainful" + ] + }, + { + "ranking": 2663, + "title": "Casualties of War", + "year": "1989", + "runtime": 113, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.156, + "vote_count": 903, + "description": "During the Vietnam War, a soldier finds himself the outsider of his own squad when they unnecessarily kidnap a female villager.", + "poster": "https://image.tmdb.org/t/p/w500/3SerZUDoU9TMCXMsQqiXvSWm0uL.jpg", + "url": "https://www.themoviedb.org/movie/10142", + "genres": [ + "Drama", + "History", + "War" + ], + "tags": [ + "vietnam war", + "vietcong", + "rape", + "court", + "menace", + "based on true story", + "jungle", + "soldier", + "anti war" + ] + }, + { + "ranking": 2664, + "title": "Seven Years in Tibet", + "year": "1997", + "runtime": 136, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.2, + "vote_count": 2893, + "description": "Austrian mountaineer Heinrich Harrer journeys to the Himalayas without his family to head an expedition in 1939. But when World War II breaks out, the arrogant Harrer falls into Allied forces' hands as a prisoner of war. He escapes with a fellow detainee and makes his way to Llaso, Tibet, where he meets the 14-year-old Dalai Lama, whose friendship ultimately transforms his outlook on life.", + "poster": "https://image.tmdb.org/t/p/w500/5euQXAgJ34TdUFl1t3O6Jw2lJAs.jpg", + "url": "https://www.themoviedb.org/movie/978", + "genres": [ + "Adventure", + "Drama", + "History" + ], + "tags": [ + "himalaya mountain range", + "buddhism", + "buddhist monk", + "world war ii", + "prisoner of war", + "mountain", + "monsoon", + "austria", + "tibet", + "mountaineer", + "lhasa", + "wedding", + "based on memoir or autobiography", + "people's liberation army" + ] + }, + { + "ranking": 2661, + "title": "The Driver", + "year": "1978", + "runtime": 91, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.2, + "vote_count": 459, + "description": "The Driver specializes in driving getaway cars for robberies. His exceptional talent has prevented him from being caught yet. After another successful flight from the police a self-assured detective makes it his primary goal to catch the Driver. He promises pardons to a gang if they help to convict him in a set-up robbery. The Driver seeks help from The Player to mislead the detective.", + "poster": "https://image.tmdb.org/t/p/w500/zSpk2OH4MCgLGB06XDv4YUfBTv6.jpg", + "url": "https://www.themoviedb.org/movie/2153", + "genres": [ + "Crime", + "Thriller", + "Action" + ], + "tags": [ + "robbery", + "card game", + "casino", + "gambling", + "detective", + "anti hero", + "witness", + "heist", + "bag of money", + "los angeles, california", + "criminal", + "getaway driver", + "set up", + "neo-noir", + "train station", + "bar" + ] + }, + { + "ranking": 2665, + "title": "Dracula", + "year": "1931", + "runtime": 74, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.156, + "vote_count": 1243, + "description": "British estate agent Renfield travels to Transylvania to meet the mysterious Count Dracula, who is interested in leasing a castle in London. After Dracula enslaves Renfield and drives him to insanity, the pair sail to London together and Dracula, a secret vampire, begins preying on London socialites.", + "poster": "https://image.tmdb.org/t/p/w500/ueVSPt7vAba0XScHWTDWS5tNxYX.jpg", + "url": "https://www.themoviedb.org/movie/138", + "genres": [ + "Horror" + ], + "tags": [ + "monster", + "based on novel or book", + "transylvania", + "vampire", + "spider", + "castle", + "bat", + "undead", + "count", + "based on play or musical", + "sanitarium", + "black and white", + "pre-code", + "real estate agent", + "lunatic", + "dracula" + ] + }, + { + "ranking": 2671, + "title": "Superman/Batman: Apocalypse", + "year": "2010", + "runtime": 78, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.2, + "vote_count": 711, + "description": "Batman discovers a mysterious teen-aged girl with superhuman powers and a connection to Superman. When the girl comes to the attention of Darkseid, the evil overlord of Apokolips, events take a decidedly dangerous turn.", + "poster": "https://image.tmdb.org/t/p/w500/zYTm9Zjrf4uLL1mT4UJg4j2Mugu.jpg", + "url": "https://www.themoviedb.org/movie/45162", + "genres": [ + "Science Fiction", + "Action", + "Adventure", + "Animation" + ], + "tags": [ + "superhero", + "cartoon", + "superhuman", + "super power", + "woman director" + ] + }, + { + "ranking": 2667, + "title": "Master and Commander: The Far Side of the World", + "year": "2003", + "runtime": 138, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.2, + "vote_count": 3230, + "description": "After an abrupt and violent encounter with a French warship inflicts severe damage upon his ship, a captain of the British Royal Navy begins a chase over two oceans to capture or destroy the enemy, though he must weigh his commitment to duty and ferocious pursuit of glory against the safety of his devoted crew, including the ship's thoughtful surgeon, his best friend.", + "poster": "https://image.tmdb.org/t/p/w500/s1cVTQEZYn4nSjZLnFbzLP0j8y2.jpg", + "url": "https://www.themoviedb.org/movie/8619", + "genres": [ + "Adventure", + "Drama", + "War" + ], + "tags": [ + "epic", + "ship", + "navy", + "based on novel or book", + "surgeon", + "royal navy", + "historical fiction", + "period drama", + "napoleonic wars", + "naturalist", + "frigate", + "self surgery", + "sea battle", + "weevil", + "high seas", + "naval warfare", + "aggressive", + "19th century", + "galapagos islands", + "naval battle", + "english navy", + "dramatic", + "intense", + "commanding", + "exhilarated", + "surprise-ending" + ] + }, + { + "ranking": 2678, + "title": "Seven Brides for Seven Brothers", + "year": "1954", + "runtime": 103, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.2, + "vote_count": 538, + "description": "In 1850 Oregon, when a backwoodsman brings a wife home to his farm, his six brothers decide that they want to get married too.", + "poster": "https://image.tmdb.org/t/p/w500/8Z4W2oRQKkmt7lhqNPROcNru9yJ.jpg", + "url": "https://www.themoviedb.org/movie/16563", + "genres": [ + "Comedy", + "Drama", + "Western" + ], + "tags": [ + "sibling relationship", + "brother", + "bride", + "log cabin", + "musical", + "big family", + "oregon, usa", + "wedding", + "based on short story", + "uncle niece relationship", + "mountain pass", + "snowed in", + "19th century", + "barn raising" + ] + }, + { + "ranking": 2666, + "title": "Battlestar Galactica: Razor", + "year": "2007", + "runtime": 88, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.155, + "vote_count": 410, + "description": "The history and adventures of the Battlestar Pegasus, from shortly before the Cylon invasion to shortly after Lee Adama is made commander. The story is told through the eyes of and largely focuses on one particular member of Pegasus's crew, Kendra Shaw.", + "poster": "https://image.tmdb.org/t/p/w500/tO3EoFJj0FJjKelDW5SUtquDIy2.jpg", + "url": "https://www.themoviedb.org/movie/69315", + "genres": [ + "Science Fiction", + "Action", + "Drama", + "Thriller", + "TV Movie" + ], + "tags": [ + "prequel", + "space opera", + "battlestar galactica", + "based on tv series", + "tv movie" + ] + }, + { + "ranking": 2669, + "title": "Midsommar", + "year": "2019", + "runtime": 147, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.154, + "vote_count": 7334, + "description": "Several friends travel to Sweden to study as anthropologists a summer festival that is held every ninety years in the remote hometown of one of them. What begins as a dream vacation in a place where the sun never sets, gradually turns into a dark nightmare as the mysterious inhabitants invite them to participate in their disturbing festive activities.", + "poster": "https://image.tmdb.org/t/p/w500/7LEI8ulZzO5gy9Ww2NVCrKmHeDZ.jpg", + "url": "https://www.themoviedb.org/movie/530385", + "genres": [ + "Horror", + "Drama", + "Mystery" + ], + "tags": [ + "ritual", + "paranoia", + "sweden", + "cult", + "hallucinogenic drug", + "magic mushroom", + "anthropology", + "human sacrifice", + "paganism", + "death of family", + "boyfriend girlfriend relationship", + "midsummer", + "cultural conflict", + "bad trip", + "folk horror", + "toxic relationship", + "midnight sun", + "isolated community", + "summer festival", + "traumatized woman", + "cautionary", + "violence", + "suspenseful", + "ambiguous", + "foreboding", + "frightened", + "horrified", + "tragic" + ] + }, + { + "ranking": 2679, + "title": "Stepmom", + "year": "1998", + "runtime": 125, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.151, + "vote_count": 1445, + "description": "Jackie is a divorced mother of two. Isabel is the career minded girlfriend of Jackie’s ex-husband Luke, forced into the role of unwelcome stepmother to their children. But when Jackie discovers she is ill, both women realise they must put aside their differences to find a common ground and celebrate life to the fullest, while they have the chance.", + "poster": "https://image.tmdb.org/t/p/w500/wMPv2Yz6QDzv6YhSbaqM48Medl1.jpg", + "url": "https://www.themoviedb.org/movie/9441", + "genres": [ + "Drama", + "Romance", + "Comedy" + ], + "tags": [ + "new york city", + "fashion photographer", + "divorce", + "rebellious daughter", + "freeze frame", + "custody", + "school play", + "photo shoot" + ] + }, + { + "ranking": 2672, + "title": "Polytechnique", + "year": "2009", + "runtime": 77, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.153, + "vote_count": 639, + "description": "A dramatization of the Montreal Massacre of 1989 where several female engineering students were murdered by an unstable misogynist.", + "poster": "https://image.tmdb.org/t/p/w500/k0xmtct9cSseksuFKMSXxM8hfni.jpg", + "url": "https://www.themoviedb.org/movie/22302", + "genres": [ + "Crime", + "Drama", + "Thriller" + ], + "tags": [ + "canada", + "hostage", + "interview", + "montreal, canada", + "murder", + "school", + "university", + "massacre", + "gunman", + "misogynist", + "school shooting", + "1980s" + ] + }, + { + "ranking": 2676, + "title": "Late Night with the Devil", + "year": "2024", + "runtime": 93, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.151, + "vote_count": 1496, + "description": "A live broadcast of a late-night talk show in 1977 goes horribly wrong, unleashing evil into the nation's living rooms.", + "poster": "https://image.tmdb.org/t/p/w500/mu8LRWT9GHkfiyHm7kgxT6YNvMW.jpg", + "url": "https://www.themoviedb.org/movie/938614", + "genres": [ + "Horror" + ], + "tags": [ + "new york city", + "1970s", + "halloween", + "possession", + "hallucination", + "evil", + "hypnotism", + "macabre", + "found footage", + "satanic cult", + "shocking", + "death of wife", + "parapsychology", + "magician", + "late-night show", + "supernatural horror", + "provocative", + "satanic panic", + "ambiguous", + "scathing" + ] + }, + { + "ranking": 2674, + "title": "Birdy", + "year": "1984", + "runtime": 120, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.152, + "vote_count": 528, + "description": "Two young men are seriously affected by the Vietnam War. One of them has always been obsessed with birds - but now believes he really is a bird, and has been sent to a mental hospital. Can his friend help him pull through?", + "poster": "https://image.tmdb.org/t/p/w500/weIn0Huxx4SQU8PB5ZggzA4PLIE.jpg", + "url": "https://www.themoviedb.org/movie/11296", + "genres": [ + "Drama", + "War" + ], + "tags": [ + "vietnam war", + "lunatic asylum" + ] + }, + { + "ranking": 2670, + "title": "The Edukators", + "year": "2004", + "runtime": 127, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.2, + "vote_count": 342, + "description": "Three activists cobble together a kidnapping plot after they encounter a businessman in his home.", + "poster": "https://image.tmdb.org/t/p/w500/jpiXFtvBYemLbAktLPNx5xDGvJn.jpg", + "url": "https://www.themoviedb.org/movie/276", + "genres": [ + "Drama", + "Comedy" + ], + "tags": [ + "ransom", + "politics", + "hostage", + "revolution", + "girlfriend", + "love", + "friends", + "burglary", + "debt", + "mansion", + "relationship", + "boyfriend", + "message", + "evicted", + "thoughtful", + "provocative", + "crime" + ] + }, + { + "ranking": 2677, + "title": "The Proposal", + "year": "2009", + "runtime": 108, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.151, + "vote_count": 7012, + "description": "When she learns she's in danger of losing her visa status and being deported, overbearing book editor Margaret Tate forces her put-upon assistant, Andrew Paxton, to marry her.", + "poster": "https://image.tmdb.org/t/p/w500/aEqtJDj8MvSDQwzggvcOfFTZMw.jpg", + "url": "https://www.themoviedb.org/movie/18240", + "genres": [ + "Comedy", + "Romance", + "Drama" + ], + "tags": [ + "new york city", + "blackmail", + "ex-girlfriend", + "assistant", + "deportation", + "immigration law", + "romcom", + "alaska", + "fish out of water", + "humiliation", + "book editor", + "green card", + "employer employee relationship", + "duringcreditsstinger", + "woman director", + "publishing house", + "pretend relationship", + "rich family", + "father son conflict", + "tyrannical boss", + "enemies to lovers", + "dramatic", + "fake fiancé", + "romantic", + "admiring", + "amused", + "bewildered", + "grandmother's birthday" + ] + }, + { + "ranking": 2675, + "title": "Straw Dogs", + "year": "1971", + "runtime": 116, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.2, + "vote_count": 962, + "description": "David Sumner, a mild-mannered academic from the United States, marries Amy, an Englishwoman. In order to escape a hectic stateside lifestyle, David and his wife relocate to the small town in rural Cornwall where Amy was raised. There, David is ostracized by the brutish men of the village, including Amy's old flame, Charlie. Eventually the taunts escalate, and two of the locals rape Amy. This sexual assault awakes a shockingly violent side of David.", + "poster": "https://image.tmdb.org/t/p/w500/oBX099Cesc6rqxVMCd6p1LzlSui.jpg", + "url": "https://www.themoviedb.org/movie/994", + "genres": [ + "Drama", + "Thriller", + "Crime", + "Action" + ], + "tags": [ + "rape", + "countryside", + "based on novel or book", + "primal fear", + "england", + "country life", + "cornwall, england", + "revenge", + "rural area" + ] + }, + { + "ranking": 2673, + "title": "Vanishing Point", + "year": "1971", + "runtime": 99, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.2, + "vote_count": 466, + "description": "Kowalski works for a car delivery service, and takes delivery of a 1970 Dodge Challenger to drive from Colorado to San Francisco. Shortly after pickup, he takes a bet to get the car there in less than 15 hours.", + "poster": "https://image.tmdb.org/t/p/w500/mUiXVJebn3QvM4ZODFepjYNGvy5.jpg", + "url": "https://www.themoviedb.org/movie/11951", + "genres": [ + "Action", + "Crime", + "Drama", + "Thriller" + ], + "tags": [ + "bet", + "vietnam veteran", + "hippie", + "police", + "san francisco, california", + "radio station", + "1970s", + "denver, colorado", + "auto-tuning", + "flashback", + "on the run", + "hitchhiker", + "drugs", + "desert", + "driver", + "highway patrol", + "stock car", + "police pursuit", + "car pursuit", + "dodge challenger" + ] + }, + { + "ranking": 2680, + "title": "Stranger Than Paradise", + "year": "1984", + "runtime": 86, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.151, + "vote_count": 553, + "description": "A Hungarian immigrant, his friend, and his cousin go on an unpredictable adventure across America.", + "poster": "https://image.tmdb.org/t/p/w500/Q9wdlNjBOti4JhAjAQXphzShw3.jpg", + "url": "https://www.themoviedb.org/movie/469", + "genres": [ + "Comedy", + "Drama" + ], + "tags": [ + "bet", + "florida", + "new york city", + "immigrant", + "friendship", + "card game", + "horse race", + "hungary", + "american dream", + "road movie", + "cleveland, ohio" + ] + }, + { + "ranking": 2685, + "title": "The Visitor", + "year": "2008", + "runtime": 104, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.149, + "vote_count": 462, + "description": "A college professor travels to New York City to attend a conference and finds a young couple living in his apartment.", + "poster": "https://image.tmdb.org/t/p/w500/9XRRSD7swlYrGBhZ8vOR2yngIKZ.jpg", + "url": "https://www.themoviedb.org/movie/12473", + "genres": [ + "Crime", + "Drama", + "Music" + ], + "tags": [ + "michigan", + "immigration", + "illegal immigration", + "drum", + "search for meaning", + "meaning of life", + "meaningless existence", + "college professor", + "the meaning of life", + "roommate issues", + "existential crisis" + ] + }, + { + "ranking": 2684, + "title": "Monsieur Lazhar", + "year": "2011", + "runtime": 94, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.1, + "vote_count": 322, + "description": "During a harsh Montréal winter, an elementary-school class is left reeling after its teacher commits suicide. Bachir Lazhar, a charismatic Algerian immigrant, steps in as the substitute teacher for the classroom of traumatized children. All the while, he must keep his personal life tucked away: the fact that he is seeking political refuge in Québec – and that he, like the children, has suffered an appalling loss.", + "poster": "https://image.tmdb.org/t/p/w500/qcSXbOP1iv859kgQgqZ4Ib9yqKG.jpg", + "url": "https://www.themoviedb.org/movie/78480", + "genres": [ + "Drama", + "Comedy" + ], + "tags": [ + "algerian", + "montreal, canada", + "elementary school", + "backpack", + "healing process", + "hugging", + "precocious child", + "death of teacher", + "taking a picture", + "african violet", + "class photograph", + "child psychologist", + "blackboard" + ] + }, + { + "ranking": 2687, + "title": "Bullitt", + "year": "1968", + "runtime": 113, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.149, + "vote_count": 1178, + "description": "Senator Walter Chalmers is aiming to take down mob boss Pete Ross with the help of testimony from the criminal's hothead brother Johnny, who is in protective custody in San Francisco under the watch of police lieutenant Frank Bullitt. When a pair of mob hitmen enter the scene, Bullitt follows their trail through a maze of complications and double-crosses. This thriller includes one of the most famous car chases ever filmed.", + "poster": "https://image.tmdb.org/t/p/w500/2ffzF1WmeXtH420fSUoCrecFvDA.jpg", + "url": "https://www.themoviedb.org/movie/916", + "genres": [ + "Action", + "Crime", + "Thriller", + "Romance", + "Drama" + ], + "tags": [ + "hotel", + "airport", + "based on novel or book", + "police", + "chase", + "san francisco, california", + "detective", + "witness protection", + "politician", + "principal witness ", + "organized crime", + "burglary", + "hospital", + "gunfight", + "explosion", + "blunt", + "stolen identity", + "coroner", + "mob hit", + "mysterious", + "ford mustang", + "dodge charger", + "suspenseful", + "intense", + "bold", + "defiant" + ] + }, + { + "ranking": 2686, + "title": "Henry V", + "year": "1989", + "runtime": 137, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.149, + "vote_count": 385, + "description": "In the midst of the Hundred Years War, the young King Henry V of England embarks on the conquest of France in 1415.", + "poster": "https://image.tmdb.org/t/p/w500/ikB1oZb2EijrIEzHB3gH5P38ZWX.jpg", + "url": "https://www.themoviedb.org/movie/10705", + "genres": [ + "War", + "Drama", + "History" + ], + "tags": [ + "france", + "kingdom", + "theater play", + "based on true story", + "based on play or musical", + "hundred years' war", + "sword fight", + "honor", + "battlefield", + "historical", + "combat", + "medieval", + "king of england", + "historical drama", + "warrior", + "15th century" + ] + }, + { + "ranking": 2683, + "title": "The Goldfinch", + "year": "2019", + "runtime": 149, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.1, + "vote_count": 889, + "description": "A boy in New York is taken in by a wealthy family after his mother is killed in a bombing at the Metropolitan Museum of Art. In a rush of panic, he steals 'The Goldfinch', a painting that eventually draws him into a world of crime.", + "poster": "https://image.tmdb.org/t/p/w500/5Jx9VyVPiK9GQ7ouKLkTUYnZSQ4.jpg", + "url": "https://www.themoviedb.org/movie/472674", + "genres": [ + "Drama" + ], + "tags": [ + "new york city", + "based on novel or book", + "museum", + "painting", + "art", + "bombing", + "teenage protagonist" + ] + }, + { + "ranking": 2689, + "title": "Deadpool: No Good Deed", + "year": "2017", + "runtime": 4, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.148, + "vote_count": 513, + "description": "Deadpool sees an opportunity to save the day, but it doesn't go entirely as planned.", + "poster": "https://image.tmdb.org/t/p/w500/wlKU9yB0Q8nfPMakBcSBT0JGS7.jpg", + "url": "https://www.themoviedb.org/movie/558144", + "genres": [ + "Action", + "Comedy", + "Crime" + ], + "tags": [ + "superhero", + "based on comic", + "superhero spoof", + "mugging", + "short film" + ] + }, + { + "ranking": 2681, + "title": "Following", + "year": "1999", + "runtime": 69, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.2, + "vote_count": 1638, + "description": "Bill, an idle, unemployed aspiring writer, walks the crowded streets of London following randomly chosen strangers, a seemingly innocent entertainment that becomes dangerous when he crosses paths with a mysterious character.", + "poster": "https://image.tmdb.org/t/p/w500/3bX6VVSMf0dvzk5pMT4ALG5A92d.jpg", + "url": "https://www.themoviedb.org/movie/11660", + "genres": [ + "Drama", + "Thriller" + ], + "tags": [ + "london, england", + "robbery", + "stalker", + "thief", + "stalking", + "voyeurism", + "aspiring writer", + "detached", + "neo-noir", + "candid", + "breaking and entering", + "non linear" + ] + }, + { + "ranking": 2692, + "title": "Max", + "year": "2015", + "runtime": 111, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.148, + "vote_count": 840, + "description": "A dog that helped soldiers in Afghanistan returns to the U.S. and is adopted by his handler's family after suffering a traumatic experience.", + "poster": "https://image.tmdb.org/t/p/w500/d3ACos3t4YwXML8keTA0wKN8e36.jpg", + "url": "https://www.themoviedb.org/movie/272878", + "genres": [ + "Adventure", + "Drama", + "Family" + ], + "tags": [ + "rescue", + "afghanistan", + "based on true story", + "betrayal", + "dog", + "grieving", + "pets" + ] + }, + { + "ranking": 2696, + "title": "Last Night of Amore", + "year": "2023", + "runtime": 124, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.1, + "vote_count": 491, + "description": "On the night before his retirement, police lieutenant Franco Amore is called to investigate the death of a long-time partner of his in a diamond heist in which he was involved.", + "poster": "https://image.tmdb.org/t/p/w500/yKxmEfFrLjPLutpi7alffLOwMSj.jpg", + "url": "https://www.themoviedb.org/movie/978870", + "genres": [ + "Thriller", + "Crime" + ], + "tags": [] + }, + { + "ranking": 2699, + "title": "Tora! Tora! Tora!", + "year": "1970", + "runtime": 144, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.1, + "vote_count": 553, + "description": "In the summer of 1941, the United States and Japan seem on the brink of war after constant embargos and failed diplomacy come to no end. \"Tora! Tora! Tora!\", named after the code words used by the lead Japanese pilot to indicate they had surprised the Americans, covers the days leading up to the attack on Pearl Harbor, which plunged America into the Second World War.", + "poster": "https://image.tmdb.org/t/p/w500/aRR16lO2p2LXpxkEJUUW7LrgOLj.jpg", + "url": "https://www.themoviedb.org/movie/11165", + "genres": [ + "War", + "History", + "Drama" + ], + "tags": [ + "japan", + "hawaii", + "world war ii", + "pearl harbor", + "u.s. navy", + "pacific war", + "soldier", + "japanese army", + "imperial japan", + "1940s", + "dramatic", + "commanding" + ] + }, + { + "ranking": 2690, + "title": "Loro 2", + "year": "2018", + "runtime": 100, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.1, + "vote_count": 375, + "description": "\"Loro\", in two parts, is a period movie that chronicles, as a fiction story, events likely happened in Italy (or even made up) between 2006 and 2010. \"Loro\" wants to suggest in portraits and glimps, through a composite constellation of characters, a moment in history, now definitively ended, which can be described in a very summary picture of the events as amoral, decadent but extraordinarily alive. Additionally, \"Loro\" wishes to tell the story of some Italians, fresh and ancient people at the same time: souls from a modern imaginary Purgatory who, moved by heterogeneous intents like ambition, admiration, affection, curiosity, personal interests, establish to try and orbit around the walking Paradise that is the man named Silvio Berlusconi.", + "poster": "https://image.tmdb.org/t/p/w500/alZtZ2cOmSen1CCitIsEA0OMVHz.jpg", + "url": "https://www.themoviedb.org/movie/520736", + "genres": [ + "Drama" + ], + "tags": [] + }, + { + "ranking": 2691, + "title": "In the Heights", + "year": "2021", + "runtime": 143, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.148, + "vote_count": 730, + "description": "The story of Usnavi, a bodega owner who has mixed feelings about closing his store and retiring to the Dominican Republic or staying in Washington Heights.", + "poster": "https://image.tmdb.org/t/p/w500/RO4KoJyoQMQzh9z76d4v4FJMmJ.jpg", + "url": "https://www.themoviedb.org/movie/467909", + "genres": [ + "Drama", + "Romance" + ], + "tags": [ + "musical", + "based on play or musical", + "love", + "aftercreditsstinger" + ] + }, + { + "ranking": 2682, + "title": "Peter Pan", + "year": "2003", + "runtime": 113, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.2, + "vote_count": 2649, + "description": "In stifling Edwardian London, Wendy Darling mesmerizes her brothers every night with bedtime tales of swordplay, swashbuckling and the fearsome Captain Hook. But the children become the heroes of an even greater story, when Peter Pan flies into their nursery one night and leads them over moonlit rooftops through a galaxy of stars and to the lush jungles of Neverland.", + "poster": "https://image.tmdb.org/t/p/w500/6QdU3TZZrIvXFzoHOwafZAynFjB.jpg", + "url": "https://www.themoviedb.org/movie/10601", + "genres": [ + "Adventure", + "Fantasy", + "Family" + ], + "tags": [ + "flying", + "crocodile", + "liberation", + "fairy", + "mermaid", + "peter pan", + "pirate gang", + "pirate", + "based on children's book", + "fantasy world", + "pirate ship", + "live action remake" + ] + }, + { + "ranking": 2694, + "title": "Poltergeist", + "year": "1982", + "runtime": 114, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.1, + "vote_count": 3072, + "description": "Upon realizing that something truly evil haunts his home, Steve Freeling calls in a team of parapsychologists to help before it's too late.", + "poster": "https://image.tmdb.org/t/p/w500/4eMN3GANH5GG4kXdHkrTZEUuQ9M.jpg", + "url": "https://www.themoviedb.org/movie/609", + "genres": [ + "Horror" + ], + "tags": [ + "dying and death", + "parent child relationship", + "medium", + "poltergeist", + "halloween", + "ghostbuster", + "haunted house", + "paranormal phenomena", + "family relationships", + "suburbia", + "macabre", + "power of goodness", + "disturbed", + "haunted", + "anxious", + "awestruck", + "foreboding", + "frightened", + "ominous" + ] + }, + { + "ranking": 2688, + "title": "Father Stu", + "year": "2022", + "runtime": 124, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.1, + "vote_count": 640, + "description": "The true-life story of boxer-turned-priest. When an injury ends his amateur boxing career, Stuart Long moves to Los Angeles to find money and fame. While scraping by as a supermarket clerk, he meets Carmen, a Sunday school teacher who seems immune to his bad-boy charm. Determined to win her over, the longtime agnostic starts going to church to impress her. However, a motorcycle accident leaves him wondering if he can use his second chance to help others, leading to the surprising realization that he's meant to be a Catholic priest.", + "poster": "https://image.tmdb.org/t/p/w500/pLAeWgqXbTeJ2gQtNvRmdIncYsk.jpg", + "url": "https://www.themoviedb.org/movie/809140", + "genres": [ + "Drama" + ], + "tags": [ + "based on true story" + ] + }, + { + "ranking": 2697, + "title": "Downton Abbey", + "year": "2019", + "runtime": 122, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.147, + "vote_count": 1158, + "description": "The beloved Crawleys and their intrepid staff prepare for the most important moment of their lives. A royal visit from the King and Queen of England will unleash scandal, romance and intrigue that will leave the future of Downton hanging in the balance.", + "poster": "https://image.tmdb.org/t/p/w500/pWt1iRuhNpeVDNP2QiUT2C5OiBt.jpg", + "url": "https://www.themoviedb.org/movie/535544", + "genres": [ + "Drama", + "Romance", + "History" + ], + "tags": [ + "yorkshire", + "period drama", + "upstairs downstairs", + "1920s", + "based on tv series" + ] + }, + { + "ranking": 2700, + "title": "Final Fantasy VII: Advent Children", + "year": "2005", + "runtime": 101, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.1, + "vote_count": 1167, + "description": "Two years have passed since the final battle with Sephiroth. Though Midgar, city of mako, city of prosperity, has been reduced to ruins, its people slowly but steadily walk the road to reconstruction. However, a mysterious illness called Geostigma torments them. With no cure in sight, it brings death to the afflicted, one after another, robbing the people of their fledgling hope.", + "poster": "https://image.tmdb.org/t/p/w500/pTIXM2yu8McSlcQVs1VjVSNC45x.jpg", + "url": "https://www.themoviedb.org/movie/647", + "genres": [ + "Animation", + "Action", + "Adventure", + "Fantasy", + "Science Fiction" + ], + "tags": [ + "airplane", + "swordplay", + "megacity", + "wheelchair", + "based on video game", + "ruins", + "anime" + ] + }, + { + "ranking": 2698, + "title": "The Professor and the Madman", + "year": "2019", + "runtime": 124, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.147, + "vote_count": 1197, + "description": "Professor James Murray begins work compiling words for the first edition of the Oxford English Dictionary in the mid 19th century, and receives over 10,000 entries from a patient at Broadmoor Criminal Lunatic Asylum, Dr. William Minor.", + "poster": "https://image.tmdb.org/t/p/w500/gtGCDLhfjW96qVarwctnuTpGOtD.jpg", + "url": "https://www.themoviedb.org/movie/411728", + "genres": [ + "History", + "Drama", + "Mystery", + "Thriller" + ], + "tags": [ + "based on novel or book", + "professor", + "lunatic asylum", + "biography", + "mental patient", + "dictionary", + "19th century" + ] + }, + { + "ranking": 2693, + "title": "Barbie in 'A Christmas Carol'", + "year": "2008", + "runtime": 76, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.1, + "vote_count": 559, + "description": "On Christmas Eve, Kelly is reluctant to go to a Christmas Eve ball, so Barbie tells her the story of Eden Starling, a glamorous singing diva in the Victorian England and the owner of a theatre house. However, Eden is self-centered and loves only herself. She is frequently accompanied by her snooty cat, Chuzzlewit. She does not believe in Christmas and orders all her employees to work on Christmas.", + "poster": "https://image.tmdb.org/t/p/w500/fX9g1AE1JIqjX3LPPKVjcmHs6fd.jpg", + "url": "https://www.themoviedb.org/movie/13459", + "genres": [ + "Animation", + "Family" + ], + "tags": [ + "based on toy", + "christmas" + ] + }, + { + "ranking": 2695, + "title": "Kill", + "year": "2024", + "runtime": 105, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.1, + "vote_count": 354, + "description": "When an army commando finds out his true love is engaged against her will, he boards a New Dehli-bound train in a daring quest to derail the arranged marriage. But when a gang of knife-wielding thieves begin to terrorize innocent passengers on his train, the commando takes them on, one by one.", + "poster": "https://image.tmdb.org/t/p/w500/m2zXTuNPkywdYLyWlVyJZW2QOJH.jpg", + "url": "https://www.themoviedb.org/movie/1160018", + "genres": [ + "Action", + "Crime", + "Thriller", + "Drama" + ], + "tags": [ + "train", + "one man army", + "relationship", + "train robbery", + "aggressive", + "action hero", + "high octane", + "bollywood" + ] + }, + { + "ranking": 2702, + "title": "Deadpool: No Good Deed", + "year": "2017", + "runtime": 4, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.148, + "vote_count": 513, + "description": "Deadpool sees an opportunity to save the day, but it doesn't go entirely as planned.", + "poster": "https://image.tmdb.org/t/p/w500/wlKU9yB0Q8nfPMakBcSBT0JGS7.jpg", + "url": "https://www.themoviedb.org/movie/558144", + "genres": [ + "Action", + "Comedy", + "Crime" + ], + "tags": [ + "superhero", + "based on comic", + "superhero spoof", + "mugging", + "short film" + ] + }, + { + "ranking": 2709, + "title": "In the Heights", + "year": "2021", + "runtime": 143, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.145, + "vote_count": 729, + "description": "The story of Usnavi, a bodega owner who has mixed feelings about closing his store and retiring to the Dominican Republic or staying in Washington Heights.", + "poster": "https://image.tmdb.org/t/p/w500/RO4KoJyoQMQzh9z76d4v4FJMmJ.jpg", + "url": "https://www.themoviedb.org/movie/467909", + "genres": [ + "Drama", + "Romance" + ], + "tags": [ + "musical", + "based on play or musical", + "love", + "aftercreditsstinger" + ] + }, + { + "ranking": 2706, + "title": "The Glass Castle", + "year": "2017", + "runtime": 127, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.146, + "vote_count": 838, + "description": "A young girl is raised in a dysfunctional family constantly on the run from the FBI. Living in poverty, she comes of age guided by her drunkard, ingenious father who distracts her with magical stories to keep her mind off the family's dire state, and her selfish, nonconformist mother who has no intention of raising a family, along with her younger brother and sister, and her other older sister. Together, they fend for each other as they mature in an unorthodox journey that is their family life.", + "poster": "https://image.tmdb.org/t/p/w500/8NPP7mliHLlVMHce8SjApiRxgzm.jpg", + "url": "https://www.themoviedb.org/movie/336000", + "genres": [ + "Drama" + ], + "tags": [ + "dysfunctional family", + "based on memoir or autobiography", + "aggressive", + "complex", + "father daughter relationship", + "sentimental", + "complicated", + "familiar" + ] + }, + { + "ranking": 2701, + "title": "Star Trek IV: The Voyage Home", + "year": "1986", + "runtime": 118, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.147, + "vote_count": 1505, + "description": "When a huge alien probe enters the galaxy and begins to vaporize Earth's oceans, Kirk and his crew must travel back in time in order to bring back whales and save the planet.", + "poster": "https://image.tmdb.org/t/p/w500/xY5TzGXJOB3L9rhZ1MbbPyVlW5J.jpg", + "url": "https://www.themoviedb.org/movie/168", + "genres": [ + "Science Fiction", + "Adventure" + ], + "tags": [ + "spacecraft", + "saving the world", + "teleportation", + "san francisco, california", + "starship", + "whale", + "marine biologist", + "uss enterprise-a", + "time travel", + "humpback whale", + "space opera", + "nostalgic", + "whaling ship", + "philosophical", + "aircraft carrier", + "outer space", + "playful", + "space probe", + "cloaking device", + "inspirational", + "lighthearted", + "grand", + "didactic", + "sentimental", + "adoring", + "amused", + "appreciative", + "approving", + "celebratory", + "compassionate", + "exhilarated", + "exuberant", + "informative", + "sympathetic" + ] + }, + { + "ranking": 2705, + "title": "Boyka: Undisputed IV", + "year": "2016", + "runtime": 87, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.1, + "vote_count": 1354, + "description": "In the fourth installment of the fighting franchise, Boyka is shooting for the big leagues when an accidental death in the ring makes him question everything he stands for. When he finds out the wife of the man he accidentally killed is in trouble, Boyka offers to fight in a series of impossible battles to free her from a life of servitude.", + "poster": "https://image.tmdb.org/t/p/w500/7QGdIJWWTkPhVjpQ0zA6z69khod.jpg", + "url": "https://www.themoviedb.org/movie/348893", + "genres": [ + "Action", + "Drama", + "Thriller" + ], + "tags": [ + "prison", + "sports", + "wife", + "affectation", + "sequel", + "accidental death", + "fighting", + "hostile", + "critical", + "intense", + "ambivalent", + "antagonistic", + "appreciative", + "assertive", + "authoritarian", + "complicated", + "conceited", + "defiant", + "disheartening", + "earnest", + "empathetic", + "excited", + "gentle" + ] + }, + { + "ranking": 2707, + "title": "With Every Heartbeat", + "year": "2011", + "runtime": 107, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.1, + "vote_count": 362, + "description": "After they meet at their parent's engagement party, Mia and Frida are intrigued by and attracted to one another, despite Mia's own upcoming engagement to Tim. Mia must decide whether to continue her life with Tim or to follow her heart with Frida.", + "poster": "https://image.tmdb.org/t/p/w500/rYThXhsiDKWoFcxqMSvV2jZHSws.jpg", + "url": "https://www.themoviedb.org/movie/71325", + "genres": [ + "Romance", + "Drama" + ], + "tags": [ + "parent child relationship", + "engagement", + "lesbian relationship", + "woman director", + "lesbian" + ] + }, + { + "ranking": 2708, + "title": "Doctor Sleep", + "year": "2019", + "runtime": 152, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.1, + "vote_count": 4522, + "description": "Still scarred by the trauma he endured as a child at the Overlook Hotel, Dan Torrance faces the ghosts of the past when he meets Abra, a courageous teen who desperately needs his help -- and who possesses a powerful extrasensory ability called the \"shine\".", + "poster": "https://image.tmdb.org/t/p/w500/p69QzIBbN06aTYqRRiCOY1emNBh.jpg", + "url": "https://www.themoviedb.org/movie/501170", + "genres": [ + "Horror", + "Thriller", + "Fantasy" + ], + "tags": [ + "based on novel or book", + "supernatural", + "haunted house", + "melancholy", + "sequel", + "psychic power", + "reflective", + "suspenseful", + "tense", + "compassionate", + "tragic" + ] + }, + { + "ranking": 2714, + "title": "Confession of Murder", + "year": "2012", + "runtime": 119, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.144, + "vote_count": 305, + "description": "A serial killer reappears 15 years after his murder spree with a book detailing his crimes. The resentful cop who failed to catch him before is assigned to protect him. The families of the victims plan revenge. And as the media circus spirals out of control, a masked man called \"J\" appears claiming to be the real killer.", + "poster": "https://image.tmdb.org/t/p/w500/aA2WdIhq7e3grXFg6FZemRvbAIM.jpg", + "url": "https://www.themoviedb.org/movie/140212", + "genres": [ + "Action", + "Thriller" + ], + "tags": [] + }, + { + "ranking": 2703, + "title": "The 12th Man", + "year": "2017", + "runtime": 136, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.146, + "vote_count": 557, + "description": "After a failed anti-Nazi sabotage mission leaves his eleven comrades dead, a Norwegian resistance fighter finds himself fleeing the Gestapo through the snowbound reaches of Scandinavia.", + "poster": "https://image.tmdb.org/t/p/w500/dxZ8iGf5jQoLcNqBJL6uzNTivp.jpg", + "url": "https://www.themoviedb.org/movie/435577", + "genres": [ + "War", + "Drama" + ], + "tags": [ + "based on novel or book", + "world war ii", + "based on true story", + "norway", + "gestapo", + "resistance fighter" + ] + }, + { + "ranking": 2720, + "title": "Fall", + "year": "2022", + "runtime": 107, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.142, + "vote_count": 4075, + "description": "For best friends Becky and Hunter, life is all about conquering fears and pushing limits. But after they climb 2,000 feet to the top of a remote, abandoned radio tower, they find themselves stranded with no way down. Now Becky and Hunter’s expert climbing skills will be put to the ultimate test as they desperately fight to survive the elements, a lack of supplies, and vertigo-inducing heights", + "poster": "https://image.tmdb.org/t/p/w500/v28T5F1IygM8vXWZIycfNEm3xcL.jpg", + "url": "https://www.themoviedb.org/movie/985939", + "genres": [ + "Thriller" + ], + "tags": [ + "hallucination", + "stranded", + "tower", + "free climbing", + "sport climbing", + "adrenaline junkie", + "dehydration", + "absurd", + "tense", + "survival thriller" + ] + }, + { + "ranking": 2716, + "title": "We Were Soldiers", + "year": "2002", + "runtime": 138, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.142, + "vote_count": 2091, + "description": "The story of the first major battle of the American phase of the Vietnam War and the soldiers on both sides that fought it.", + "poster": "https://image.tmdb.org/t/p/w500/d5uupBAORxnFNbkNQ2G0Bi2cpY8.jpg", + "url": "https://www.themoviedb.org/movie/10590", + "genres": [ + "Action", + "History", + "War" + ], + "tags": [ + "vietnam war", + "vietnam veteran", + "hero", + "army", + "based on novel or book", + "steel helmet", + "missile", + "based on true story", + "major", + "soldier", + "explosion", + "battle", + "bayonet", + "death", + "military", + "vietnamese", + "1960s", + "soldiers", + "war", + "intense", + "compassionate" + ] + }, + { + "ranking": 2718, + "title": "Red Cliff", + "year": "2008", + "runtime": 145, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.1, + "vote_count": 827, + "description": "In 208 A.D., in the final days of the Han Dynasty, shrewd Prime Minster Cao convinced the fickle Emperor Han the only way to unite all of China was to declare war on the kingdoms of Xu in the west and East Wu in the south. Thus began a military campaign of unprecedented scale. Left with no other hope for survival, the kingdoms of Xu and East Wu formed an unlikely alliance.", + "poster": "https://image.tmdb.org/t/p/w500/eEelFTjUYJJDlwqd53VfSA8xMfj.jpg", + "url": "https://www.themoviedb.org/movie/12289", + "genres": [ + "Adventure", + "Drama", + "History", + "Action", + "War" + ], + "tags": [ + "martial arts", + "china", + "flaming arrow", + "strategy", + "carrier pigeon", + "wall of fire", + "white dove", + "casualty of war", + "chinese painting", + "broken arrow", + "3rd century" + ] + }, + { + "ranking": 2713, + "title": "My King", + "year": "2015", + "runtime": 130, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.1, + "vote_count": 782, + "description": "Tony is admitted to a rehabilitation center after a serious ski accident. Dependent on the medical staff and pain relievers, she takes time to look back on a turbulent relationship that she experienced with Georgio.", + "poster": "https://image.tmdb.org/t/p/w500/kOhRkC7J3jpAgHGC0Uh3SoCqU4c.jpg", + "url": "https://www.themoviedb.org/movie/329805", + "genres": [ + "Drama", + "Romance" + ], + "tags": [ + "woman director", + "dramatic" + ] + }, + { + "ranking": 2704, + "title": "Molly's Game", + "year": "2017", + "runtime": 140, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.1, + "vote_count": 3773, + "description": "Molly Bloom, a young skier and former Olympic hopeful becomes a successful entrepreneur (and a target of an FBI investigation) when she establishes a high-stakes, international poker game.", + "poster": "https://image.tmdb.org/t/p/w500/tUYapLlLBB1FtDbU79JjhP8LE1a.jpg", + "url": "https://www.themoviedb.org/movie/396371", + "genres": [ + "Drama", + "Crime" + ], + "tags": [ + "new york city", + "court", + "poker", + "gambling", + "bratva (russian mafia)", + "olympic games", + "fbi", + "biography", + "arrest", + "based on true story", + "celebrity", + "trial", + "beating", + "lawyer", + "female protagonist", + "los angeles, california", + "courtroom", + "ice skating", + "snow skiing", + "card playing", + "employer employee relationship", + "courtroom drama", + "cleavage", + "high stakes", + "mob", + "father daughter relationship", + "admiring" + ] + }, + { + "ranking": 2712, + "title": "Sophie Scholl: The Final Days", + "year": "2005", + "runtime": 117, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.1, + "vote_count": 429, + "description": "In 1943, as Hitler continues to wage war across Europe, a group of college students mount an underground resistance movement in Munich. Dedicated expressly to the downfall of the monolithic Third Reich war machine, they call themselves the White Rose. One of its few female members, Sophie Scholl is captured during a dangerous mission to distribute pamphlets on campus with her brother Hans. Unwavering in her convictions and loyalty to the White Rose, her cross-examination by the Gestapo quickly escalates into a searing test of wills as Scholl delivers a passionate call to freedom and personal responsibility.", + "poster": "https://image.tmdb.org/t/p/w500/aAbxubEzowWJNBWYG82wXcKuzZP.jpg", + "url": "https://www.themoviedb.org/movie/2117", + "genres": [ + "Drama", + "History" + ], + "tags": [ + "death penalty", + "nazi", + "resistance", + "world war ii", + "munich, germany", + "biography", + "white rose", + "flyer", + "guillotine", + "gestapo", + "anti-nazi resistance", + "nazism", + "1940s" + ] + }, + { + "ranking": 2717, + "title": "Across the Universe", + "year": "2007", + "runtime": 133, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.144, + "vote_count": 1350, + "description": "When young dockworker Jude leaves Liverpool to find his estranged father in the United States, he is swept up by the waves of change that are re-shaping the nation. Jude falls in love with Lucy, who joins the growing anti-war movement. As the body count in Vietnam rises, political tensions at home spiral out of control and the star-crossed lovers find themselves in a psychedelic world gone mad.", + "poster": "https://image.tmdb.org/t/p/w500/447c8Te3DXC46rQvDEixKGO4dS6.jpg", + "url": "https://www.themoviedb.org/movie/4688", + "genres": [ + "Drama", + "Romance", + "Fantasy" + ], + "tags": [ + "vietnam war", + "protest", + "musical", + "liverpool, england", + "riot", + "cultural difference", + "university", + "fantasy sequence", + "anti war", + "police arrest", + "march", + "woman director", + "1960s", + "jukebox musical" + ] + }, + { + "ranking": 2715, + "title": "Quills", + "year": "2000", + "runtime": 124, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.144, + "vote_count": 658, + "description": "A nobleman with a literary flair, the Marquis de Sade lives in a madhouse where a beautiful laundry maid smuggles his erotic stories to a printer, defying orders from the asylum's resident priest. The titillating passages whip all of France into a sexual frenzy, until a fiercely conservative doctor tries to put an end to the fun.", + "poster": "https://image.tmdb.org/t/p/w500/AvGdw3BpvJV2wHmK2qY0N7XHqET.jpg", + "url": "https://www.themoviedb.org/movie/10876", + "genres": [ + "Drama" + ], + "tags": [ + "paris, france", + "smuggling (contraband)", + "asylum", + "french revolution", + "based on play or musical", + "maid", + "19th century" + ] + }, + { + "ranking": 2710, + "title": "Silver Linings Playbook", + "year": "2012", + "runtime": 122, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.145, + "vote_count": 12114, + "description": "After losing his job and wife, and spending time in a institution, a former teacher winds up living with his parents. He wants to rebuild his life and reconcile with his wife, but his father would be happy if he shared his obsession with the Philadelphia Eagles. Things get complicated when he meets a woman, who offers to help him reconnect with his wife, if he will do something very important for her in exchange.", + "poster": "https://image.tmdb.org/t/p/w500/y7iOVneBvITlBdhy6tVqXVOa1Js.jpg", + "url": "https://www.themoviedb.org/movie/82693", + "genres": [ + "Drama", + "Comedy", + "Romance" + ], + "tags": [ + "depression", + "infidelity", + "dancing", + "friendship", + "philadelphia, pennsylvania", + "based on novel or book", + "widow", + "letter", + "neighbor", + "mental illness", + "ex-wife", + "institutionalization", + "death of husband", + "bipolar", + "restraining order", + "father son relationship", + "male mental health" + ] + }, + { + "ranking": 2719, + "title": "Shaolin Soccer", + "year": "2001", + "runtime": 113, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.143, + "vote_count": 2309, + "description": "A young Shaolin follower reunites with his discouraged brothers to form a soccer team using their martial art skills to their advantage.", + "poster": "https://image.tmdb.org/t/p/w500/ppgeawDWa4rehYYRidWCqg4kOli.jpg", + "url": "https://www.themoviedb.org/movie/11770", + "genres": [ + "Action", + "Comedy" + ], + "tags": [ + "martial arts", + "kung fu", + "sports", + "steel helmet", + "stadium", + "champion", + "shaolin", + "football (soccer)", + "football (soccer) player" + ] + }, + { + "ranking": 2711, + "title": "Another Cinderella Story", + "year": "2008", + "runtime": 90, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.145, + "vote_count": 1931, + "description": "A guy who danced with what could be the girl of his dreams at a costume ball only has one hint at her identity: the Zune she left behind as she rushed home in order to make her curfew. And with a once-in-a-lifetime opportunity in front of him, he sets out to find his masked beauty.", + "poster": "https://image.tmdb.org/t/p/w500/Acw0Syw7s8QFTCkdJgtGR2Eg0SB.jpg", + "url": "https://www.themoviedb.org/movie/15157", + "genres": [ + "Comedy", + "Music" + ], + "tags": [ + "high school", + "dance", + "dancer", + "fairy tale", + "masked ball", + "musical", + "celebrity", + "orphan", + "modern fairy tale" + ] + }, + { + "ranking": 2725, + "title": "We Were Soldiers", + "year": "2002", + "runtime": 138, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.142, + "vote_count": 2091, + "description": "The story of the first major battle of the American phase of the Vietnam War and the soldiers on both sides that fought it.", + "poster": "https://image.tmdb.org/t/p/w500/d5uupBAORxnFNbkNQ2G0Bi2cpY8.jpg", + "url": "https://www.themoviedb.org/movie/10590", + "genres": [ + "Action", + "History", + "War" + ], + "tags": [ + "vietnam war", + "vietnam veteran", + "hero", + "army", + "based on novel or book", + "steel helmet", + "missile", + "based on true story", + "major", + "soldier", + "explosion", + "battle", + "bayonet", + "death", + "military", + "vietnamese", + "1960s", + "soldiers", + "war", + "intense", + "compassionate" + ] + }, + { + "ranking": 2728, + "title": "Cha Cha Real Smooth", + "year": "2022", + "runtime": 108, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.1, + "vote_count": 343, + "description": "Fresh out of college and stuck at his New Jersey home without a clear path forward, 22-year-old Andrew begins working as a party starter for bar/bat mitzvahs—where he strikes up a unique friendship with a young mom and her teenage daughter.", + "poster": "https://image.tmdb.org/t/p/w500/z8IPItbwRrJ3QWdCePOnWS1jueY.jpg", + "url": "https://www.themoviedb.org/movie/814340", + "genres": [ + "Comedy", + "Drama", + "Romance" + ], + "tags": [ + "new jersey", + "autism", + "bar mitzvah", + "late coming of age", + "mother son relationship", + "brother brother relationship" + ] + }, + { + "ranking": 2723, + "title": "Brimstone", + "year": "2016", + "runtime": 148, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.1, + "vote_count": 1158, + "description": "In the menacing inferno of the old North-American West, Liz is a genuine survivor who is hunted by a vengeful preacher for a crime she didn’t commit.", + "poster": "https://image.tmdb.org/t/p/w500/aNxU4eZrfiChOgCEtyKWSCExdEi.jpg", + "url": "https://www.themoviedb.org/movie/324560", + "genres": [ + "Thriller", + "Western" + ], + "tags": [ + "suicide", + "prostitute", + "rape", + "gun", + "obsession", + "villain", + "mute", + "religion", + "brutality", + "church", + "religious fundamentalism", + "cowboy", + "misogyny", + "retribution", + "reverend", + "sign languages", + "abuse" + ] + }, + { + "ranking": 2732, + "title": "After the Wedding", + "year": "2006", + "runtime": 124, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.1, + "vote_count": 435, + "description": "A manager of an orphanage in India is sent to Copenhagen, Denmark, where he discovers a life-altering family secret.", + "poster": "https://image.tmdb.org/t/p/w500/29t5x0Aj4cQJJC9jNR3VWS7l3JL.jpg", + "url": "https://www.themoviedb.org/movie/3549", + "genres": [ + "Drama" + ], + "tags": [ + "daughter", + "copenhagen, denmark", + "marriage crisis", + "orphanage", + "wealth", + "wedding", + "india", + "family", + "woman director", + "fear of dying" + ] + }, + { + "ranking": 2727, + "title": "Broken Embraces", + "year": "2009", + "runtime": 127, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.1, + "vote_count": 666, + "description": "Harry Caine, a blind writer, reaches this moment in time when he has to heal his wounds from 14 years back. He was then still known by his real name, Mateo Blanco, and directing his last movie.", + "poster": "https://image.tmdb.org/t/p/w500/uPTOKnc9bzPp1emH3TyuKOGIylQ.jpg", + "url": "https://www.themoviedb.org/movie/8088", + "genres": [ + "Drama", + "Romance", + "Thriller" + ], + "tags": [ + "jealousy", + "madrid, spain", + "obsession", + "love" + ] + }, + { + "ranking": 2733, + "title": "Speed", + "year": "1994", + "runtime": 116, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.141, + "vote_count": 6316, + "description": "Jack Traven, an LAPD cop on SWAT detail, and veteran SWAT officer Harry Temple thwart an extortionist-bomber's scheme for a $3 million ransom. As they corner the bomber, he flees and detonates a bomb vest, seemingly killing himself. Weeks later, Jack witnesses a mass transit city bus explode and nearby a pay phone rings. On the phone is that same bomber looking for vengeance and the money he's owed. He gives a personal challenge to Jack: a bomb is rigged on another city bus - if it slows down below 50 mph, it will explode - bad enough any day, but a nightmare in LA traffic. And that's just the beginning...", + "poster": "https://image.tmdb.org/t/p/w500/82PkCE4R95KhHICUDF7G4Ly2z3l.jpg", + "url": "https://www.themoviedb.org/movie/1637", + "genres": [ + "Action", + "Thriller" + ], + "tags": [ + "bomb", + "s.w.a.t.", + "bus", + "bomber", + "bus ride", + "highway", + "los angeles, california", + "explosion", + "police officer", + "trapped", + "criminal investigation", + "bomb planting", + "terrorist attack", + "lapd", + "driving", + "ransom demand", + "elevator", + "extortionist", + "passengers", + "life or death", + "terror", + "serene", + "serious", + "city bus" + ] + }, + { + "ranking": 2736, + "title": "The Land Before Time", + "year": "1988", + "runtime": 69, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.14, + "vote_count": 2573, + "description": "An orphaned brontosaurus named Littlefoot sets off in search of the legendary Great Valley. A land of lush vegetation where the dinosaurs can thrive and live in peace. Along the way he meets four other young dinosaurs, each one a different species, and they encounter several obstacles as they learn to work together in order to survive.", + "poster": "https://image.tmdb.org/t/p/w500/7phV1ETZnQrLsEeuk4hNeceEl25.jpg", + "url": "https://www.themoviedb.org/movie/12144", + "genres": [ + "Family", + "Animation", + "Adventure" + ], + "tags": [ + "vulkan", + "loss of loved one", + "tyrannosaurus rex", + "earthquake", + "primitive time", + "dinosaur", + "playful", + "sentimental" + ] + }, + { + "ranking": 2724, + "title": "In Your Eyes", + "year": "2014", + "runtime": 105, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.142, + "vote_count": 695, + "description": "Two seemingly unconnected souls from different corners of the United States make a telepathic bond that allows them to see, hear and feel the other's experiences, creating a bond that apparently can't be broken.", + "poster": "https://image.tmdb.org/t/p/w500/4XAaMo2nBZR3eH8HU6AbPkBKEXI.jpg", + "url": "https://www.themoviedb.org/movie/226448", + "genres": [ + "Drama", + "Romance", + "Science Fiction" + ], + "tags": [ + "telepathy", + "new mexico", + "loneliness", + "ex-con", + "woman director", + "solitude", + "desperate" + ] + }, + { + "ranking": 2726, + "title": "Unbreakable", + "year": "2000", + "runtime": 106, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.142, + "vote_count": 9404, + "description": "An ordinary man makes an extraordinary discovery when a train accident leaves his fellow passengers dead — and him unscathed. The answer to this mystery could lie with the mysterious Elijah Price, a man who suffers from a disease that renders his bones as fragile as glass.", + "poster": "https://image.tmdb.org/t/p/w500/mLuehrGLiK5zFCyRmDDOH6gbfPf.jpg", + "url": "https://www.themoviedb.org/movie/9741", + "genres": [ + "Thriller", + "Drama", + "Mystery" + ], + "tags": [ + "philadelphia, pennsylvania", + "parent child relationship", + "marriage crisis", + "superhero", + "train accident", + "invulnerability", + "biting", + "super power", + "disability", + "shocking", + "angry", + "hostile", + "father son relationship", + "frightened" + ] + }, + { + "ranking": 2734, + "title": "Queen & Slim", + "year": "2019", + "runtime": 131, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.14, + "vote_count": 705, + "description": "While on a forgettable first date together in Ohio, a black man and a black woman are pulled over for a minor traffic infraction. The situation escalates, with sudden and tragic results.", + "poster": "https://image.tmdb.org/t/p/w500/qfIJOmsiBcum6EGosiy5gTF6ihk.jpg", + "url": "https://www.themoviedb.org/movie/536743", + "genres": [ + "Crime", + "Drama", + "Romance" + ], + "tags": [ + "on the run", + "black activist", + "police officer killed", + "racist cop", + "first date", + "woman director", + "killer on the run" + ] + }, + { + "ranking": 2722, + "title": "Brigsby Bear", + "year": "2017", + "runtime": 97, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.142, + "vote_count": 385, + "description": "Brigsby Bear Adventures is a children's TV show produced for an audience of one: James. When the show abruptly ends, James's life changes forever, and he sets out to finish the story himself.", + "poster": "https://image.tmdb.org/t/p/w500/9QepAxHR9am4nKWZqIDpIQjuB5.jpg", + "url": "https://www.themoviedb.org/movie/403431", + "genres": [ + "Comedy", + "Drama" + ], + "tags": [ + "bunker", + "friends", + "bear", + "abduction" + ] + }, + { + "ranking": 2737, + "title": "Superman", + "year": "1978", + "runtime": 143, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.14, + "vote_count": 3918, + "description": "Mild-mannered Clark Kent works as a reporter at the Daily Planet alongside his crush: Lois Lane. Clark must summon his superhero alter-ego when the nefarious Lex Luthor launches a plan to take over the world.", + "poster": "https://image.tmdb.org/t/p/w500/d7px1FQxW4tngdACVRsCSaZq0Xl.jpg", + "url": "https://www.themoviedb.org/movie/1924", + "genres": [ + "Science Fiction", + "Action", + "Adventure" + ], + "tags": [ + "galaxy", + "journalist", + "saving the world", + "secret identity", + "crime fighter", + "superhero", + "nuclear missile", + "based on comic", + "destruction of planet", + "criminal", + "sabotage", + "super power", + "north pole", + "midwest", + "newspaper office", + "superhuman strength", + "aftercreditsstinger", + "save the day", + "evil genius", + "rural life" + ] + }, + { + "ranking": 2738, + "title": "A Hidden Life", + "year": "2019", + "runtime": 173, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.1, + "vote_count": 700, + "description": "Austrian farmer Franz Jägerstätter faces the threat of execution for refusing to fight for the Nazis during World War II.", + "poster": "https://image.tmdb.org/t/p/w500/1co8thSgZR34jHJweLS90yDyLsI.jpg", + "url": "https://www.themoviedb.org/movie/403300", + "genres": [ + "History", + "Drama", + "War" + ], + "tags": [ + "husband wife relationship", + "nazi", + "world war ii", + "austria", + "biography", + "conscientious objector", + "free will", + "saint", + "farmer", + "strong man", + "integrity", + "prison brutality", + "ostracism", + "saints", + "sainthood", + "christian faith", + "anti-nazi", + "alps" + ] + }, + { + "ranking": 2721, + "title": "The Upside", + "year": "2019", + "runtime": 126, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.142, + "vote_count": 1303, + "description": "Phillip is a wealthy quadriplegic who needs a caretaker to help him with his day-to-day routine in his New York penthouse. He decides to hire Dell, a struggling parolee who's trying to reconnect with his ex and his young son. Despite coming from two different worlds, an unlikely friendship starts to blossom.", + "poster": "https://image.tmdb.org/t/p/w500/hPZ2caow1PCND6qnerfgn6RTXdm.jpg", + "url": "https://www.themoviedb.org/movie/440472", + "genres": [ + "Comedy", + "Drama" + ], + "tags": [ + "based on true story", + "remake", + "class differences", + "caregiver", + "man in wheelchair", + "interracial friendship", + "social differences", + "rich man", + "quadriplegia", + "male nurse", + "handicapped", + "disabled person", + "feel good" + ] + }, + { + "ranking": 2731, + "title": "New Police Story", + "year": "2004", + "runtime": 122, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.1, + "vote_count": 739, + "description": "Sent into a drunken tailspin when his entire unit is killed by a gang of thrill-seeking punks, disgraced Hong Kong police inspector Wing needs help from his new rookie partner, with a troubled past of his own, to climb out of the bottle and track down the gang and its ruthless leader.", + "poster": "https://image.tmdb.org/t/p/w500/kWUTyIao0b8DxVrO6L0LnpJVYWV.jpg", + "url": "https://www.themoviedb.org/movie/11636", + "genres": [ + "Action", + "Thriller", + "Crime", + "Drama" + ], + "tags": [ + "martial arts", + "police", + "gangster", + "fighter", + "investigation", + "observer", + "partner", + "revenge", + "youth gang", + "hong kong", + "alcoholic", + "action hero", + "good versus evil" + ] + }, + { + "ranking": 2729, + "title": "Son of Saul", + "year": "2015", + "runtime": 107, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.1, + "vote_count": 1085, + "description": "In the horror of 1944 Auschwitz, a prisoner forced to burn the corpses of his own people finds moral survival trying to save from the flames the body of a boy he takes for his son, seeking to give him a proper jewish burial.", + "poster": "https://image.tmdb.org/t/p/w500/9ZcX6NjCJam5uwkooXffhHI29Lj.jpg", + "url": "https://www.themoviedb.org/movie/336050", + "genres": [ + "War", + "Drama", + "Thriller" + ], + "tags": [ + "prisoner", + "world war ii", + "son", + "auschwitz-birkenau concentration camp", + "rabbi", + "1940s", + "sonderkommando" + ] + }, + { + "ranking": 2730, + "title": "Fathers and Daughters", + "year": "2015", + "runtime": 116, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.141, + "vote_count": 978, + "description": "A Pulitzer-winning writer grapples with being a widower and father after a mental breakdown, while, 27 years later, his grown daughter struggles to forge connections of her own.", + "poster": "https://image.tmdb.org/t/p/w500/fgzp7gGea27hN5d26mgKtZJQgX7.jpg", + "url": "https://www.themoviedb.org/movie/254172", + "genres": [ + "Drama" + ], + "tags": [ + "widow", + "mental breakdown", + "hospital", + "writer", + "family" + ] + }, + { + "ranking": 2740, + "title": "Sherlock Holmes: A Game of Shadows", + "year": "2011", + "runtime": 129, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.1, + "vote_count": 10430, + "description": "There is a new criminal mastermind at large (Professor Moriarty) and not only is he Holmes’ intellectual equal, but his capacity for evil and lack of conscience may give him an advantage over the detective.", + "poster": "https://image.tmdb.org/t/p/w500/y1MYZkwhZK6L0Jy4YMuPktzDOfn.jpg", + "url": "https://www.themoviedb.org/movie/58574", + "genres": [ + "Adventure", + "Action", + "Crime", + "Mystery" + ], + "tags": [ + "london, england", + "paris, france", + "detective inspector", + "steampunk", + "buddy", + "criminal mastermind", + "19th century", + "sherlock holmes" + ] + }, + { + "ranking": 2735, + "title": "The Christmas Chronicles", + "year": "2018", + "runtime": 104, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.14, + "vote_count": 2241, + "description": "Siblings Kate and Teddy try to prove Santa Claus is real, but when they accidentally cause his sleigh to crash, they have to save Christmas.", + "poster": "https://image.tmdb.org/t/p/w500/5Il2EMSF2KecrUKZPuen6BZmaCP.jpg", + "url": "https://www.themoviedb.org/movie/527435", + "genres": [ + "Comedy", + "Adventure", + "Family", + "Fantasy" + ], + "tags": [ + "holiday", + "brother", + "camera", + "santa claus", + "massachusetts", + "sister", + "saving christmas", + "north pole", + "journey", + "christmas spirit", + "christmas", + "chronicles" + ] + }, + { + "ranking": 2739, + "title": "Belle", + "year": "2013", + "runtime": 105, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.139, + "vote_count": 687, + "description": "Dido Elizabeth Bell, the illegitimate, mixed-race daughter of a Royal Navy admiral, plays an important role in the campaign to abolish slavery in England.", + "poster": "https://image.tmdb.org/t/p/w500/qCK00C3L0bM5jphoYU0gFpG3Hly.jpg", + "url": "https://www.themoviedb.org/movie/205601", + "genres": [ + "Drama" + ], + "tags": [ + "slavery", + "based on true story", + "trial", + "victorian england", + "interracial relationship", + "class differences", + "slave", + "period drama", + "18th century", + "high society", + "caribbean sea", + "biracial", + "woman director", + "social issues", + "costume drama", + "abolitionist", + "legal drama", + "illegitimacy" + ] + }, + { + "ranking": 2743, + "title": "Candy", + "year": "2006", + "runtime": 116, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.139, + "vote_count": 613, + "description": "A poet falls in love with an art student, who gravitates to his bohemian lifestyle — and his love of heroin. Hooked as much on one another as they are on the drug, their relationship alternates between states of oblivion, self-destruction, and despair.", + "poster": "https://image.tmdb.org/t/p/w500/mtxjKNHxnDxCfomRqrwOoHHNR22.jpg", + "url": "https://www.themoviedb.org/movie/4441", + "genres": [ + "Drama", + "Romance" + ], + "tags": [ + "australia", + "based on novel or book", + "heroin", + "junkie", + "methadone programme", + "artist", + "cold turkey", + "marriage", + "mental breakdown", + "lovers", + "drawing and painting" + ] + }, + { + "ranking": 2746, + "title": "Descendants", + "year": "2015", + "runtime": 112, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.1, + "vote_count": 2381, + "description": "A present-day idyllic kingdom where the benevolent teenage son of King Adam and Queen Belle offers a chance of redemption for the troublemaking offspring of Disney's classic villains: Cruella De Vil (Carlos), Maleficent (Mal), the Evil Queen (Evie) and Jafar (Jay).", + "poster": "https://image.tmdb.org/t/p/w500/65DkgHPSLVjgr6IYkpY9Aqqqid5.jpg", + "url": "https://www.themoviedb.org/movie/277217", + "genres": [ + "Family", + "Adventure", + "Fantasy", + "TV Movie" + ], + "tags": [ + "witch", + "high school", + "magic", + "fairy tale", + "villain", + "musical", + "coming of age", + "teen movie", + "fairy godmother", + "teenage protagonist", + "maleficent" + ] + }, + { + "ranking": 2744, + "title": "Death on the Nile", + "year": "1978", + "runtime": 140, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.1, + "vote_count": 817, + "description": "As Hercule Poirot enjoys a luxurious cruise down the Nile, a newlywed heiress is found murdered on board and every elegant passenger becomes a prime suspect.", + "poster": "https://image.tmdb.org/t/p/w500/8eOWgeWrdM9cz7JR0LNp6R50j3l.jpg", + "url": "https://www.themoviedb.org/movie/4192", + "genres": [ + "Mystery" + ], + "tags": [ + "egypt", + "based on novel or book", + "paddleboat", + "pyramid", + "cruise", + "nile", + "sphinx", + "murder", + "cruise ship", + "whodunit", + "cobra", + "shipboard", + "murder mystery", + "1930s" + ] + }, + { + "ranking": 2741, + "title": "Dragon Ball Z: Bojack Unbound", + "year": "1993", + "runtime": 51, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.1, + "vote_count": 577, + "description": "Mr. Money is holding another World Martial Arts Tournament and Mr. Satan invites everyone in the world to join in. Little does he know that Bojack, an ancient villain who has escaped his prison, is competing. Since Goku is currently dead, it is up to Gohan, Vegeta, and Trunks to defeat Bojack and his henchman.", + "poster": "https://image.tmdb.org/t/p/w500/iihTK9Af8G1ZzBjkIIAV4qQMkzF.jpg", + "url": "https://www.themoviedb.org/movie/39105", + "genres": [ + "Action", + "Animation", + "Science Fiction" + ], + "tags": [ + "martial arts", + "transformation", + "alien", + "super power", + "martial arts tournament", + "space pirate", + "shounen", + "anime" + ] + }, + { + "ranking": 2750, + "title": "The Ballad of Buster Scruggs", + "year": "2018", + "runtime": 132, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.137, + "vote_count": 4111, + "description": "Vignettes weaving together the stories of six individuals in the old West at the end of the Civil War. Following the tales of a sharp-shooting songster, a wannabe bank robber, two weary traveling performers, a lone gold prospector, a woman traveling the West to an uncertain future, and a motley crew of strangers undertaking a carriage ride.", + "poster": "https://image.tmdb.org/t/p/w500/voxl654m7p36y8FLu8oQD7dfwwK.jpg", + "url": "https://www.themoviedb.org/movie/537996", + "genres": [ + "Western", + "Comedy", + "Drama", + "Music", + "Mystery", + "Romance" + ], + "tags": [ + "prostitute", + "native american", + "parody", + "anthology", + "bank robbery", + "stagecoach", + "cowboy", + "wagon train", + "singing cowboy", + "american west", + "the old west" + ] + }, + { + "ranking": 2752, + "title": "The Substance", + "year": "2024", + "runtime": 141, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.1, + "vote_count": 4326, + "description": "A fading celebrity decides to use a black market drug, a cell-replicating substance that temporarily creates a younger, better version of herself.", + "poster": "https://image.tmdb.org/t/p/w500/cGm2qnmXx9tFabmzEIkJZjCJdQd.jpg", + "url": "https://www.themoviedb.org/movie/933260", + "genres": [ + "Horror", + "Science Fiction" + ], + "tags": [ + "new year's eve", + "capitalism", + "black market", + "identity", + "beauty", + "satire", + "aging", + "celebrity", + "female protagonist", + "los angeles, california", + "has been", + "aerobics", + "disfigurement", + "woman director", + "beauty standards", + "insecure woman", + "toxic masculinity", + "drug", + "body horror", + "female rage", + "youth", + "actress", + "distressing" + ] + }, + { + "ranking": 2742, + "title": "The Wrong Man", + "year": "1956", + "runtime": 105, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.1, + "vote_count": 564, + "description": "In 1953, an innocent man named Christopher Emmanuel \"Manny\" Balestrero is arrested after being mistaken for an armed robber.", + "poster": "https://image.tmdb.org/t/p/w500/pO5XR2R56RAbVjdks9gGGn0fbOa.jpg", + "url": "https://www.themoviedb.org/movie/22527", + "genres": [ + "Crime", + "Drama" + ], + "tags": [ + "new york city", + "robbery", + "based on novel or book", + "musician", + "falsely accused", + "innocence", + "insurance" + ] + }, + { + "ranking": 2749, + "title": "8 Mile", + "year": "2002", + "runtime": 111, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.1, + "vote_count": 7396, + "description": "For Jimmy Smith, Jr., life is a daily fight just to keep hope alive. Feeding his dreams in Detroit's vibrant music scene, Jimmy wages an extraordinary personal struggle to find his own voice - and earn a place in a world where rhymes rule, legends are born and every moment… is another chance.", + "poster": "https://image.tmdb.org/t/p/w500/7BmQj8qE1FLuLTf7Xjf9sdIHzoa.jpg", + "url": "https://www.themoviedb.org/movie/65", + "genres": [ + "Drama", + "Music" + ], + "tags": [ + "individual", + "adolescence", + "rap music", + "hip-hop", + "rhyme battle", + "trailer park", + "street gang", + "ethnic stereotype", + "rapper", + "ghetto", + "single", + "detroit, michigan", + "semi autobiographical", + "1990s", + "battle rap" + ] + }, + { + "ranking": 2758, + "title": "Murder on the Orient Express", + "year": "1974", + "runtime": 128, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.1, + "vote_count": 1447, + "description": "In 1935, when his train is stopped by deep snow, detective Hercule Poirot is called on to solve a murder that occurred in his car the night before.", + "poster": "https://image.tmdb.org/t/p/w500/6tHXXo9kciCKGp3kF0ffY9mjuOA.jpg", + "url": "https://www.themoviedb.org/movie/4176", + "genres": [ + "Drama", + "Thriller", + "Mystery" + ], + "tags": [ + "based on novel or book", + "repayment", + "detective", + "passenger", + "investigation", + "orient express", + "snow", + "whodunit", + "train", + "murder mystery", + "1930s" + ] + }, + { + "ranking": 2745, + "title": "This Beautiful Fantastic", + "year": "2016", + "runtime": 100, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.1, + "vote_count": 329, + "description": "Set against the backdrop of a beautiful garden in the heart of London, this contemporary fairy tale revolves around the unlikely friendship between a reclusive young woman and a cantankerous old widower. Bella Brown is a beautifully quirky young woman who dreams of writing and illustrating a successful children’s book. After she is forced by her landlord to deal with her neglected garden or face eviction, she meets her match, nemesis, and unlikely mentor in Alfie Stephenson, a grumpy, loveless, old man who lives next door who happens to be an amazing horticulturalist.", + "poster": "https://image.tmdb.org/t/p/w500/22b9jLGJ8OVzlEnWzqF0yRy5Na3.jpg", + "url": "https://www.themoviedb.org/movie/352490", + "genres": [ + "Drama", + "Romance", + "Comedy" + ], + "tags": [ + "friendship", + "london, england", + "library", + "england", + "inventor", + "duck", + "routine", + "oddball", + "orderly", + "inspiration", + "obsessive compulsive disorder (ocd)", + "orphan", + "fear", + "young woman", + "twins", + "widower", + "single father", + "caregiver", + "reading", + "next door neighbor", + "gardening", + "englishwoman", + "aspiring writer", + "flower garden", + "horticulture", + "english garden", + "dog cat friendship", + "elderly man", + "modern fairy tale", + "unconventional arrangement", + "rules and regulations", + "cantankerous" + ] + }, + { + "ranking": 2747, + "title": "The American Friend", + "year": "1977", + "runtime": 125, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.138, + "vote_count": 384, + "description": "Tom Ripley, an American who deals in forged art, is slighted at an auction in Hamburg by picture framer Jonathan Zimmerman. When Ripley is asked by gangster Raoul Minot to kill a rival, he suggests Zimmerman, and the two, exploiting Zimmerman's terminal illness, coerce him into being a hitman.", + "poster": "https://image.tmdb.org/t/p/w500/jHVe5EHDFj9ac2F2aU86sWTGKnn.jpg", + "url": "https://www.themoviedb.org/movie/11222", + "genres": [ + "Drama", + "Thriller", + "Crime" + ], + "tags": [ + "dying and death", + "new york city", + "friendship", + "husband wife relationship", + "paris, france", + "based on novel or book", + "hitman", + "munich, germany", + "male friendship", + "terminal illness", + "leukemia", + "dying man", + "murder", + "mafia", + "tape recorder", + "exploding car", + "art dealer", + "hamburg, germany", + "art auction", + "west germany", + "blood disease" + ] + }, + { + "ranking": 2755, + "title": "Lolita", + "year": "1997", + "runtime": 137, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.1, + "vote_count": 1821, + "description": "Humbert Humbert is a middle-aged British novelist who is both appalled by and attracted to the vulgarity of American culture. When he comes to stay at the boarding house run by Charlotte Haze, he soon becomes obsessed with Lolita, the woman's teenaged daughter.", + "poster": "https://image.tmdb.org/t/p/w500/6F4bV1DsCHjYCXRwIA6NZY7dcnD.jpg", + "url": "https://www.themoviedb.org/movie/9769", + "genres": [ + "Drama", + "Romance" + ], + "tags": [ + "jealousy", + "based on novel or book", + "police", + "obsession", + "professor", + "blackmail", + "seduction", + "road trip", + "teacher", + "love", + "murder", + "older man younger woman relationship", + "lust", + "desire", + "illness", + "underage", + "voyeurism", + "flirtation", + "virginity", + "sex with a minor" + ] + }, + { + "ranking": 2751, + "title": "Dragons: Gift of the Night Fury", + "year": "2011", + "runtime": 22, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.1, + "vote_count": 382, + "description": "Hiccup and Toothless go on an exciting adventure and discover an island of new dragons.", + "poster": "https://image.tmdb.org/t/p/w500/tieHyFlHwnU4gdKY9vBNCW7U5iw.jpg", + "url": "https://www.themoviedb.org/movie/91417", + "genres": [ + "Animation", + "Comedy", + "Adventure", + "Family" + ], + "tags": [ + "holiday", + "human animal relationship", + "vikings (norsemen)", + "best friend", + "dragon", + "teenage hero", + "christmas", + "father son relationship", + "christmas special", + "dragon egg" + ] + }, + { + "ranking": 2753, + "title": "Superman: Red Son", + "year": "2020", + "runtime": 84, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.136, + "vote_count": 837, + "description": "Set in the thick of the Cold War, Red Son introduces us to a Superman who landed in the USSR during the 1950s and grows up to become a Soviet symbol that fights for the preservation of Stalin’s brand of communism.", + "poster": "https://image.tmdb.org/t/p/w500/frSfz7olCSQsp2SmTyu2ciGGQiX.jpg", + "url": "https://www.themoviedb.org/movie/618355", + "genres": [ + "Science Fiction", + "Animation", + "Action" + ], + "tags": [ + "cold war", + "superhero", + "soviet union", + "cartoon", + "based on comic" + ] + }, + { + "ranking": 2748, + "title": "The Fox and the Hound", + "year": "1981", + "runtime": 82, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.138, + "vote_count": 3282, + "description": "When a feisty little fox named Tod is adopted into a farm family, he quickly becomes friends with a fun and adorable hound puppy named Copper. Life is full of hilarious adventures until Copper is expected to take on his role as a hunting dog -- and the object of his search is his best friend!", + "poster": "https://image.tmdb.org/t/p/w500/aC3k6XBaYnulGSkK8263ABjU3Md.jpg", + "url": "https://www.themoviedb.org/movie/10948", + "genres": [ + "Adventure", + "Animation", + "Drama", + "Family" + ], + "tags": [ + "friendship", + "based on novel or book", + "fox", + "villain", + "dog", + "animals", + "hunting", + "unlikely friendship", + "pets" + ] + }, + { + "ranking": 2757, + "title": "Ong Bak", + "year": "2003", + "runtime": 105, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.135, + "vote_count": 1704, + "description": "When the head of a statue sacred to a village is stolen, a young martial artist goes to the big city and finds himself taking on the underworld to retrieve it.", + "poster": "https://image.tmdb.org/t/p/w500/oagqAwp48dMPoCT94yDJUDOCVPi.jpg", + "url": "https://www.themoviedb.org/movie/9316", + "genres": [ + "Action", + "Thriller", + "Crime", + "Adventure" + ], + "tags": [ + "martial arts", + "fighter", + "thailand", + "sculpture", + "muay thai", + "fate", + "powerful" + ] + }, + { + "ranking": 2756, + "title": "Scooby-Doo! and the Legend of the Vampire", + "year": "2003", + "runtime": 72, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.1, + "vote_count": 319, + "description": "The Yowie Yahoo starts kidnapping musicians at a concert attended by Scooby and the gang in Vampire Rock, Australia.", + "poster": "https://image.tmdb.org/t/p/w500/x8GJ7evV6YBISijuBuGLQjvckYA.jpg", + "url": "https://www.themoviedb.org/movie/30074", + "genres": [ + "Family", + "Animation", + "Comedy", + "Fantasy", + "Music", + "Mystery" + ], + "tags": [ + "vampire", + "talking dog" + ] + }, + { + "ranking": 2754, + "title": "La Chèvre", + "year": "1981", + "runtime": 94, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.136, + "vote_count": 660, + "description": "When the boss' unlucky daughter is missing in South America, Campana is sent to watch the boss' most unlucky employee who is sent as a private detective in hopes he can duplicate the daughter's mistakes.", + "poster": "https://image.tmdb.org/t/p/w500/mgLYXSwF9I0kttCpkJE47xIqYln.jpg", + "url": "https://www.themoviedb.org/movie/19123", + "genres": [ + "Comedy", + "Crime", + "Adventure" + ], + "tags": [ + "clumsy fellow", + "disappearance" + ] + }, + { + "ranking": 2760, + "title": "The Way Way Back", + "year": "2013", + "runtime": 103, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.1, + "vote_count": 1817, + "description": "Shy 14-year-old Duncan goes on summer vacation with his mother, her overbearing boyfriend, and her boyfriend's daughter. Having a rough time fitting in, Duncan finds an unexpected friend in Owen, manager of the Water Wizz water park.", + "poster": "https://image.tmdb.org/t/p/w500/4DgA0EDDVv37C8xISc3Vv0rhxlL.jpg", + "url": "https://www.themoviedb.org/movie/147773", + "genres": [ + "Comedy", + "Drama" + ], + "tags": [ + "friendship", + "beach", + "shyness", + "conversation", + "bicycle", + "vacation", + "stepfather", + "love", + "neighbor", + "summer", + "water park", + "awkwardness" + ] + }, + { + "ranking": 2759, + "title": "Anthropoid", + "year": "2016", + "runtime": 120, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.134, + "vote_count": 1047, + "description": "In December 1941, Czech soldiers Jozef Gabčík and Jan Kubiš parachute into their occupied homeland to assassinate Nazi officer Reinhard Heydrich.", + "poster": "https://image.tmdb.org/t/p/w500/5hUghRVVkBYufftfNQkGevY5AmE.jpg", + "url": "https://www.themoviedb.org/movie/351339", + "genres": [ + "History", + "Thriller", + "War" + ], + "tags": [ + "assassination", + "nazi", + "germany", + "world war ii", + "prague, czech republic", + "biography", + "female protagonist", + "third reich (iii reich 1933-45)", + "operation anthropoid", + "czech history", + "serious", + "assassination of reinhard heydrich (1942)", + "lidice massacre" + ] + }, + { + "ranking": 2761, + "title": "Bad Boys for Life", + "year": "2020", + "runtime": 124, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.133, + "vote_count": 8375, + "description": "Marcus and Mike are forced to confront new threats, career changes, and midlife crises as they join the newly created elite team AMMO of the Miami police department to take down the ruthless Armando Armas, the vicious leader of a Miami drug cartel.", + "poster": "https://image.tmdb.org/t/p/w500/y95lQLnuNKdPAzw9F9Ab8kJ80c3.jpg", + "url": "https://www.themoviedb.org/movie/38700", + "genres": [ + "Thriller", + "Action", + "Crime" + ], + "tags": [ + "mexico", + "miami, florida", + "detective", + "women's prison", + "sequel", + "prison escape", + "murder", + "drug cartel", + "police chase", + "police detective", + "buddy cop", + "buddy film", + "action hero", + "past relationship", + "reflective" + ] + }, + { + "ranking": 2765, + "title": "The Old Guard", + "year": "2020", + "runtime": 125, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.1, + "vote_count": 4267, + "description": "Four undying warriors who've secretly protected humanity for centuries become targeted for their mysterious powers just as they discover a new immortal.", + "poster": "https://image.tmdb.org/t/p/w500/cjr4NWURcVN3gW5FlHeabgBHLrY.jpg", + "url": "https://www.themoviedb.org/movie/547016", + "genres": [ + "Action", + "Fantasy" + ], + "tags": [ + "immortality", + "superhero", + "mercenary", + "based on comic", + "gay theme" + ] + }, + { + "ranking": 2763, + "title": "Petite Maman", + "year": "2021", + "runtime": 72, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.1, + "vote_count": 402, + "description": "After the death of her beloved grandmother, eight-year-old Nelly meets a strangely familiar girl her own age in the woods. Instantly forming a connection with this mysterious new friend, Nelly embarks on a fantastical journey of discovery which helps her come to terms with this newfound loss.", + "poster": "https://image.tmdb.org/t/p/w500/fxl2ARZO2vRfUGDfqSz2bostauE.jpg", + "url": "https://www.themoviedb.org/movie/749004", + "genres": [ + "Drama", + "Fantasy", + "Family" + ], + "tags": [ + "grief", + "magic realism", + "childhood", + "woman director", + "mother daughter relationship" + ] + }, + { + "ranking": 2762, + "title": "BlackBerry", + "year": "2023", + "runtime": 120, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.133, + "vote_count": 625, + "description": "Two mismatched entrepreneurs – egghead innovator Mike Lazaridis and cut-throat businessman Jim Balsillie – joined forces in an endeavour that was to become a worldwide hit in little more than a decade. The story of the meteoric rise and catastrophic demise of the world's first smartphone.", + "poster": "https://image.tmdb.org/t/p/w500/nQSvHZDuMlrZdm7ooMo8gb4CXhW.jpg", + "url": "https://www.themoviedb.org/movie/1016084", + "genres": [ + "Comedy", + "Drama" + ], + "tags": [ + "based on novel or book", + "technology", + "it-expert", + "silicon valley", + "satire", + "biography", + "rise and fall", + "cell phone", + "phone", + "information technology", + "social history", + "communicating via phone", + "1990s", + "science and technology", + "it professional", + "new technology", + "history and legacy", + "phone message", + "smartphone", + "digital technology", + "satellite technology", + "advanced technology", + "make it happen" + ] + }, + { + "ranking": 2766, + "title": "The Protector", + "year": "2005", + "runtime": 111, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.1, + "vote_count": 870, + "description": "A young fighter named Kham must go to Australia to retrieve his stolen elephant. With the help of a Thai-born Australian detective, Kham must take on all comers, including a gang led by an evil woman and her two deadly bodyguards.", + "poster": "https://image.tmdb.org/t/p/w500/uKE9BxgtT5g2pE3ZKC7MnzsAbTZ.jpg", + "url": "https://www.themoviedb.org/movie/8982", + "genres": [ + "Action", + "Crime", + "Drama", + "Thriller" + ], + "tags": [ + "sydney, australia", + "australia", + "elephant", + "buddhism", + "fighter", + "tempel", + "gang", + "animals" + ] + }, + { + "ranking": 2780, + "title": "Angel Heart", + "year": "1987", + "runtime": 113, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.1, + "vote_count": 1581, + "description": "A down-and-out Brooklyn detective is hired to track down a singer on an odyssey that will take him through the desperate streets of Harlem, the smoke-filled jazz clubs of New Orleans, and the swamps of Louisiana and its seedy underworld of voodoo.", + "poster": "https://image.tmdb.org/t/p/w500/h5v3wjJQNB7q2RntEnKDLhKtTFE.jpg", + "url": "https://www.themoviedb.org/movie/635", + "genres": [ + "Horror", + "Mystery" + ], + "tags": [ + "new york city", + "amnesia", + "heart", + "southern usa", + "voodoo", + "detective", + "drug addiction", + "new orleans, louisiana", + "investigation", + "neurosis", + "sanatorium", + "surrealism", + "satanist", + "sale of soul", + "pact with the devil", + "times square", + "satan", + "flashback", + "murder", + "vision", + "soul selling", + "psychological thriller", + "church", + "drugs", + "devil", + "incest", + "private detective", + "missing person", + "mephistopheles", + "satanic ritual", + "beelzebub", + "devil worship", + "faustian pact", + "beating heart", + "never aging", + "ceiling fan" + ] + }, + { + "ranking": 2769, + "title": "A Little Something Extra", + "year": "2024", + "runtime": 89, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.132, + "vote_count": 713, + "description": "To escape the police, a father and his son are forced to find refuge in a summer camp for young adults with mental disabilities, taking on the role of an educator and a boarder. The beginning of troubles and a wonderful human experience that will change them forever.", + "poster": "https://image.tmdb.org/t/p/w500/hhL8QC7O6fFfwgV6pDf1WSOxGcY.jpg", + "url": "https://www.themoviedb.org/movie/1152014", + "genres": [ + "Comedy" + ], + "tags": [ + "mentally disabled", + "friendship", + "summer camp", + "handicap", + "complicated relationships", + "interpersonal relationships", + "relationships", + "troubled relationships", + "french comedy" + ] + }, + { + "ranking": 2777, + "title": "Aloha Scooby-Doo!", + "year": "2005", + "runtime": 74, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.131, + "vote_count": 438, + "description": "The Mystery Gang goes to Hawaii for the Big Kahuna of Hanahuna Surfing Contest. However, the gang and the locals find the island invaded by the vengeful Wiki Tiki spirit and his demons.", + "poster": "https://image.tmdb.org/t/p/w500/26BP556PvenFfypUp10aFFMpQSV.jpg", + "url": "https://www.themoviedb.org/movie/24615", + "genres": [ + "Mystery", + "Family", + "Animation", + "Adventure", + "Comedy" + ], + "tags": [ + "hawaii", + "criminal investigation" + ] + }, + { + "ranking": 2767, + "title": "Marnie", + "year": "1964", + "runtime": 130, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.1, + "vote_count": 1143, + "description": "Marnie is a thief, a liar, and a cheat. When her new boss, Mark Rutland, catches on to her routine kleptomania, she finds herself being blackmailed.", + "poster": "https://image.tmdb.org/t/p/w500/nRRy4VO2A3Py7wiZBPz11PAlogp.jpg", + "url": "https://www.themoviedb.org/movie/506", + "genres": [ + "Thriller", + "Mystery", + "Romance", + "Crime" + ], + "tags": [ + "prostitute", + "rape", + "philadelphia, pennsylvania", + "sexual abuse", + "post-traumatic stress disorder (ptsd)", + "chase", + "sexual frustration", + "clerk", + "horseback riding", + "suicide attempt", + "in love with enemy", + "blackmail", + "horse race", + "fetish", + "lie", + "women's sexual identity", + "new identity", + "kleptomania", + "baltimore, usa", + "horse", + "frigidity", + "honeymoon", + "riding accident", + "cruise", + "psychology", + "self-defense", + "fetishism", + "cowardliness", + "the color red", + "man saves troubled woman" + ] + }, + { + "ranking": 2771, + "title": "Baby Boy", + "year": "2001", + "runtime": 130, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.132, + "vote_count": 310, + "description": "The story of Jody, a misguided, 20-year-old African-American who is really just a baby boy finally forced-kicking and screaming to face the commitments of real life. Streetwise and jobless, he has not only fathered two children by two different women-Yvette and Peanut but still lives with his own mother. He can't seem to strike a balance or find direction in his chaotic life.", + "poster": "https://image.tmdb.org/t/p/w500/d9b5sDAY2q2u2fWFYZPmt0Cl2p7.jpg", + "url": "https://www.themoviedb.org/movie/16161", + "genres": [ + "Crime", + "Drama", + "Romance", + "Thriller" + ], + "tags": [ + "bootlegger", + "single parent", + "intolerance", + "fistfight", + "condom", + "stepfather", + "womanizer", + "thief", + "domestic violence", + "gunfight", + "los angeles, california", + "physical abuse", + "ex-con", + "selfishness", + "passive aggression", + "fatherhood", + "convicted felon", + "hostile", + "south central los angeles", + "vindictive", + "antagonistic" + ] + }, + { + "ranking": 2764, + "title": "Batman vs Teenage Mutant Ninja Turtles", + "year": "2019", + "runtime": 87, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.133, + "vote_count": 506, + "description": "Batman, Batgirl, and Robin forge an alliance with the Teenage Mutant Ninja Turtles to fight against the Turtles' sworn enemy, The Shredder, who has apparently teamed up with Ra's Al Ghul and The League of Assassins.", + "poster": "https://image.tmdb.org/t/p/w500/yP3h0Pu8htyb9450mWJ9Vu1rU.jpg", + "url": "https://www.themoviedb.org/movie/581997", + "genres": [ + "Animation", + "Science Fiction", + "Adventure", + "Crime" + ], + "tags": [ + "cartoon", + "based on comic", + "aftercreditsstinger" + ] + }, + { + "ranking": 2770, + "title": "Columbus", + "year": "2017", + "runtime": 104, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.132, + "vote_count": 406, + "description": "When a renowned architecture scholar falls suddenly ill during a speaking tour, his son Jin finds himself stranded in Columbus, Indiana - a small Midwestern city celebrated for its many significant modernist buildings. Jin strikes up a friendship with Casey, a young architecture enthusiast who works at the local library.", + "poster": "https://image.tmdb.org/t/p/w500/6tk0xmn9k5HjUeXsnhxIa94sFXP.jpg", + "url": "https://www.themoviedb.org/movie/414453", + "genres": [ + "Drama" + ], + "tags": [ + "small town", + "indiana, usa", + "coma", + "library", + "heart attack", + "melancholy", + "hospital", + "architecture", + "east asian lead", + "intercultural relationship", + "candid", + "american midwest", + "korean american", + "addiction recovery", + "father son relationship", + "mother daughter relationship", + "serene", + "korean", + "asian american", + "wistful", + "intimate", + "admiring", + "appreciative", + "awestruck", + "earnest", + "gentle" + ] + }, + { + "ranking": 2776, + "title": "Greenland", + "year": "2020", + "runtime": 120, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.1, + "vote_count": 4647, + "description": "John Garrity, his estranged wife and their young son embark on a perilous journey to find sanctuary as a planet-killing comet hurtles toward Earth. Amid terrifying accounts of cities getting levelled, the Garritys experience the best and worst in humanity. As the countdown to the global apocalypse approaches zero, their incredible trek culminates in a desperate and last-minute flight to a possible safe haven.", + "poster": "https://image.tmdb.org/t/p/w500/bNo2mcvSwIvnx8K6y1euAc1TLVq.jpg", + "url": "https://www.themoviedb.org/movie/524047", + "genres": [ + "Action", + "Adventure", + "Science Fiction", + "Thriller" + ], + "tags": [ + "husband wife relationship", + "panic", + "kidnapping", + "looting", + "natural disaster", + "state of emergency", + "comet", + "end of the world", + "meteorite", + "disaster", + "apocalypse", + "destruction of planet", + "diabetic", + "army base", + "emergency", + "greenland", + "atlanta, georgia" + ] + }, + { + "ranking": 2778, + "title": "The Rock", + "year": "1996", + "runtime": 137, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.131, + "vote_count": 4800, + "description": "When vengeful General Francis X. Hummel seizes control of Alcatraz Island and threatens to launch missiles loaded with deadly chemical weapons into San Francisco, only a young FBI chemical weapons expert and notorious Federal prisoner have the skills to penetrate the impregnable island fortress and take him down.", + "poster": "https://image.tmdb.org/t/p/w500/j5mxLNWjUlXUUk8weFBtnF4afIR.jpg", + "url": "https://www.themoviedb.org/movie/9802", + "genres": [ + "Action", + "Adventure", + "Thriller" + ], + "tags": [ + "war veteran", + "san francisco, california", + "fbi", + "mercenary", + "gas attack", + "alcatraz prison", + "prison escape", + "shootout", + "u.s. navy seal", + "terrorism", + "british spy", + "chemist", + "commando", + "hostage situation", + "tourist attraction", + "u.s. marine", + "military", + "island prison", + "tourists in peril", + "nerve gas", + "disillusioned", + "terrorist threat", + "chemical weapon", + "fbi agent", + "chemical warfare", + "ambivalent" + ] + }, + { + "ranking": 2779, + "title": "The Guardian", + "year": "2006", + "runtime": 139, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.1, + "vote_count": 1556, + "description": "A high school swim champion with a troubled past enrolls in the U.S. Coast Guard's 'A' School, where legendary rescue swimmer Ben Randall teaches him some hard lessons about loss, love, and self-sacrifice.", + "poster": "https://image.tmdb.org/t/p/w500/zFhFjrckfmdb33VDeRykumMmebU.jpg", + "url": "https://www.themoviedb.org/movie/4643", + "genres": [ + "Action", + "Adventure", + "Drama" + ], + "tags": [ + "rescue", + "ocean", + "coast guard", + "disaster", + "death" + ] + }, + { + "ranking": 2773, + "title": "Welcome to the Dollhouse", + "year": "1995", + "runtime": 88, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.132, + "vote_count": 451, + "description": "An unattractive 7th grader struggles to cope with suburban life as the middle child with inattentive parents and bullies at school.", + "poster": "https://image.tmdb.org/t/p/w500/fsMMOVto87pvUQyozOF9CaT9aMR.jpg", + "url": "https://www.themoviedb.org/movie/11446", + "genres": [ + "Comedy", + "Drama" + ], + "tags": [ + "sibling relationship", + "new jersey", + "parent child relationship", + "mockery", + "ugliness", + "dark comedy", + "bullying", + "coming of age", + "misfit", + "little girl", + "suburb", + "junior high school", + "school life" + ] + }, + { + "ranking": 2772, + "title": "The Long Good Friday", + "year": "1980", + "runtime": 114, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.1, + "vote_count": 375, + "description": "In the late 1970s, Cockney crime boss Harold Shand, a gangster trying to become a legitimate property mogul, has big plans to get the American Mafia to bankroll his transformation of a derelict area of London into the possible venue for a future Olympic Games. However, a series of bombings targets his empire on the very weekend the Americans are in town. Shand is convinced there is a traitor in his organization, and sets out to eliminate the rat in typically ruthless fashion.", + "poster": "https://image.tmdb.org/t/p/w500/pXS667me5Jfoj1b0xuxgjEMKunF.jpg", + "url": "https://www.themoviedb.org/movie/14807", + "genres": [ + "Crime", + "Thriller", + "Drama", + "Mystery" + ], + "tags": [ + "london, england", + "casino", + "england", + "gangster", + "crime boss", + "car bomb", + "slaughterhouse", + "ira (irish republican army)", + "bombing", + "neo-noir", + "gay theme" + ] + }, + { + "ranking": 2774, + "title": "Metropolis", + "year": "2001", + "runtime": 108, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.132, + "vote_count": 487, + "description": "Kenichi and his detective uncle, Shunsaku Ban, leave Japan to visit Metropolis, in search of the criminal, Dr. Laughton. However, when they finally find Dr. Laughton, Kenichi and Shunsaku find themselves seperated and plunged into the middle of a larger conspiracy. While Shunsaku searches for his nephew and explanations, Kenichi tries to protect Tima (a mysterious young girl), from Duke Red and his adopted son Rock, both of whom have very different reasons for wanting to find her.", + "poster": "https://image.tmdb.org/t/p/w500/tOehVz3MhBhzvpvizEnsC8Gylo1.jpg", + "url": "https://www.themoviedb.org/movie/9606", + "genres": [ + "Animation", + "Science Fiction" + ], + "tags": [ + "future", + "android", + "metropolis", + "jealousy", + "son", + "based on comic", + "control", + "mecha", + "conspiracy", + "steampunk", + "robot", + "adult animation", + "synthetic human", + "anime" + ] + }, + { + "ranking": 2768, + "title": "The Chronicles of Narnia: The Lion, the Witch and the Wardrobe", + "year": "2005", + "runtime": 143, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.1, + "vote_count": 10850, + "description": "Siblings Lucy, Edmund, Susan and Peter step through a magical wardrobe and find the land of Narnia. There, they discover a charming, once peaceful kingdom that has been plunged into eternal winter by the evil White Witch, Jadis. Aided by the wise and magnificent lion, Aslan, the children lead Narnia into a spectacular, climactic battle to be free of the Witch's glacial powers forever.", + "poster": "https://image.tmdb.org/t/p/w500/iREd0rNCjYdf5Ar0vfaW32yrkm.jpg", + "url": "https://www.themoviedb.org/movie/411", + "genres": [ + "Adventure", + "Family", + "Fantasy" + ], + "tags": [ + "witch", + "epic", + "sibling relationship", + "saving the world", + "based on novel or book", + "self sacrifice", + "winter", + "fairy tale", + "cupboard", + "beaver", + "lion", + "surrealism", + "battle", + "based on children's book", + "fantasy world", + "duringcreditsstinger", + "1940s", + "high fantasy", + "isekai", + "based on young adult novel", + "faun", + "good versus evil", + "admiring" + ] + }, + { + "ranking": 2775, + "title": "This Boy's Life", + "year": "1993", + "runtime": 115, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.1, + "vote_count": 996, + "description": "When a son and mother move to Seattle in hopes for a better life, the mother meets a seemingly polite man. Things go south when the man turns out to be abusive, endangering their lives. As the mother struggles to maintain hope in an impossible situation, the son has plans to escape.", + "poster": "https://image.tmdb.org/t/p/w500/ahOpQceexMOSPVBznFqTVTW42Xx.jpg", + "url": "https://www.themoviedb.org/movie/8092", + "genres": [ + "Drama" + ], + "tags": [ + "jealousy", + "based on novel or book", + "single parent", + "seattle, washington", + "car mechanic", + "relationship problems", + "based on true story", + "stepfather", + "family relationships", + "coming of age", + "alcoholic", + "oppression", + "1950s" + ] + }, + { + "ranking": 2782, + "title": "The Guardian", + "year": "2006", + "runtime": 139, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.1, + "vote_count": 1556, + "description": "A high school swim champion with a troubled past enrolls in the U.S. Coast Guard's 'A' School, where legendary rescue swimmer Ben Randall teaches him some hard lessons about loss, love, and self-sacrifice.", + "poster": "https://image.tmdb.org/t/p/w500/zFhFjrckfmdb33VDeRykumMmebU.jpg", + "url": "https://www.themoviedb.org/movie/4643", + "genres": [ + "Action", + "Adventure", + "Drama" + ], + "tags": [ + "rescue", + "ocean", + "coast guard", + "disaster", + "death" + ] + }, + { + "ranking": 2783, + "title": "Angel Heart", + "year": "1987", + "runtime": 113, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.1, + "vote_count": 1581, + "description": "A down-and-out Brooklyn detective is hired to track down a singer on an odyssey that will take him through the desperate streets of Harlem, the smoke-filled jazz clubs of New Orleans, and the swamps of Louisiana and its seedy underworld of voodoo.", + "poster": "https://image.tmdb.org/t/p/w500/h5v3wjJQNB7q2RntEnKDLhKtTFE.jpg", + "url": "https://www.themoviedb.org/movie/635", + "genres": [ + "Horror", + "Mystery" + ], + "tags": [ + "new york city", + "amnesia", + "heart", + "southern usa", + "voodoo", + "detective", + "drug addiction", + "new orleans, louisiana", + "investigation", + "neurosis", + "sanatorium", + "surrealism", + "satanist", + "sale of soul", + "pact with the devil", + "times square", + "satan", + "flashback", + "murder", + "vision", + "soul selling", + "psychological thriller", + "church", + "drugs", + "devil", + "incest", + "private detective", + "missing person", + "mephistopheles", + "satanic ritual", + "beelzebub", + "devil worship", + "faustian pact", + "beating heart", + "never aging", + "ceiling fan" + ] + }, + { + "ranking": 2800, + "title": "The Doors", + "year": "1991", + "runtime": 140, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.1, + "vote_count": 1456, + "description": "The story of the famous and influential 1960s rock band and its lead singer and composer, Jim Morrison.", + "poster": "https://image.tmdb.org/t/p/w500/x1LM3dzGuG6xOz0aT2e71o11vhu.jpg", + "url": "https://www.themoviedb.org/movie/10537", + "genres": [ + "Music", + "Drama", + "History" + ], + "tags": [ + "rock 'n' roll", + "airplane", + "hippie", + "joint", + "poetry", + "lsd", + "hallucination", + "wilderness", + "addicted", + "organ", + "biography", + "alcoholism", + "singer", + "drugs" + ] + }, + { + "ranking": 2798, + "title": "Blade Runner: Black Out 2022", + "year": "2017", + "runtime": 16, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.1, + "vote_count": 408, + "description": "This animated short revolves around the events causing an electrical systems failure on the west coast of the US. According to Blade Runner 2049’s official timeline, this failure leads to cities shutting down, financial and trade markets being thrown into chaos, and food supplies dwindling. There’s no proof as to what caused the blackouts, but Replicants — the bio-engineered robots featured in the original Blade Runner, are blamed.", + "poster": "https://image.tmdb.org/t/p/w500/zzRjnUOVXyjp2WudgT7KxJLYh9D.jpg", + "url": "https://www.themoviedb.org/movie/475946", + "genres": [ + "Action", + "Animation", + "Science Fiction" + ], + "tags": [ + "android", + "dystopia", + "blackout", + "slavery", + "prologue", + "cyberpunk", + "anime", + "emp", + "blade runner", + "short film" + ] + }, + { + "ranking": 2790, + "title": "The House That Jack Built", + "year": "2018", + "runtime": 151, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.1, + "vote_count": 2820, + "description": "Failed architect, engineer and vicious murderer Jack narrates the details of some of his most elaborately orchestrated crimes, each of them a towering piece of art that defines his life's work as a serial killer for twelve years.", + "poster": "https://image.tmdb.org/t/p/w500/bMUGNkPaHOurcBK9g3XpJx3fxuO.jpg", + "url": "https://www.themoviedb.org/movie/398173", + "genres": [ + "Drama", + "Horror", + "Crime", + "Thriller" + ], + "tags": [ + "van", + "sadism", + "psychopath", + "1970s", + "child murder", + "architect", + "artist", + "visions of hell", + "flashback", + "misanthrophy", + "taxidermy", + "serial killer", + "obsessive compulsive disorder (ocd)", + "photograph", + "murderer", + "cruelty", + "1980s", + "animal mutilation", + "murder framed as art" + ] + }, + { + "ranking": 2797, + "title": "Lee", + "year": "2024", + "runtime": 117, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.1, + "vote_count": 370, + "description": "The true story of photographer Elizabeth \"Lee\" Miller, a fashion model who became an acclaimed war correspondent for Vogue magazine during World War II.", + "poster": "https://image.tmdb.org/t/p/w500/1nKXkZB1zP1RwrqkK8v8dPnSP5f.jpg", + "url": "https://www.themoviedb.org/movie/832964", + "genres": [ + "History", + "Drama", + "War" + ], + "tags": [ + "nazi", + "photographer", + "photography", + "concentration camp", + "holocaust (shoah)", + "world war ii", + "war photographer", + "biography", + "misogyny", + "woman director", + "1940s", + "lee miller", + "vogue magazine" + ] + }, + { + "ranking": 2792, + "title": "The Cat Returns", + "year": "2002", + "runtime": 75, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.1, + "vote_count": 2254, + "description": "Young Haru rescues a cat from being run over, but soon learns it's no ordinary feline; it happens to be the Prince of the Cats.", + "poster": "https://image.tmdb.org/t/p/w500/pqyY7IEWkCWNZ7EuRStQaJITEta.jpg", + "url": "https://www.themoviedb.org/movie/15370", + "genres": [ + "Adventure", + "Fantasy", + "Animation", + "Drama", + "Family" + ], + "tags": [ + "chase", + "cat", + "self-discovery", + "maze", + "human animal relationship", + "prince", + "crow", + "sequel", + "anthropomorphism", + "grass", + "sword fight", + "based on manga", + "kindness", + "protector", + "compassion", + "tower", + "schoolgirl", + "schoolgirl uniform", + "cat vs bird", + "talking cat", + "bride-to-be", + "anime", + "high school girl", + "japanese school", + "anthropomorphic animal", + "animal transformation", + "adventure" + ] + }, + { + "ranking": 2786, + "title": "The Spanish Apartment", + "year": "2002", + "runtime": 122, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.129, + "vote_count": 1154, + "description": "A strait-laced French student moves into an apartment in Barcelona with a cast of six other characters from all over Europe. Together, they speak the international language of love and friendship.", + "poster": "https://image.tmdb.org/t/p/w500/baDm4V3Dqx2hNh7WF1NvGrHGgqQ.jpg", + "url": "https://www.themoviedb.org/movie/1555", + "genres": [ + "Drama", + "Comedy", + "Romance" + ], + "tags": [ + "paris, france", + "barcelona, spain", + "alcohol", + "roommates", + "single", + "travel", + "crush", + "relationship", + "break-up", + "celebration", + "group of friends" + ] + }, + { + "ranking": 2793, + "title": "Stargate: Continuum", + "year": "2008", + "runtime": 98, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.127, + "vote_count": 528, + "description": "Ba'al travels back in time and prevents the Stargate program from being started. SG-1 must somehow restore history.", + "poster": "https://image.tmdb.org/t/p/w500/1rQUvblJHU8766FatqTtCMiRhph.jpg", + "url": "https://www.themoviedb.org/movie/12914", + "genres": [ + "Action", + "Adventure", + "Science Fiction" + ], + "tags": [ + "spacecraft", + "time travel", + "space travel", + "alien", + "alien invasion", + "changing history" + ] + }, + { + "ranking": 2791, + "title": "Silence", + "year": "2016", + "runtime": 161, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.127, + "vote_count": 3089, + "description": "In the 17th century, two Portuguese Jesuit priests travel to Japan in an attempt to locate their mentor, who is rumored to have committed apostasy, and to propagate Catholicism.", + "poster": "https://image.tmdb.org/t/p/w500/x5T0cQDYws0xRBVG4Q3wpcrcmax.jpg", + "url": "https://www.themoviedb.org/movie/68730", + "genres": [ + "Drama", + "History" + ], + "tags": [ + "japan", + "based on novel or book", + "christianity", + "missionary", + "remake", + "betrayal", + "torture", + "martyrdom", + "crisis of faith", + "portuguese", + "jesuits (society of jesus)", + "17th century", + "shogunate", + "religious persecution", + "religious icon", + "apostasy" + ] + }, + { + "ranking": 2795, + "title": "Buffalo '66", + "year": "1998", + "runtime": 110, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.125, + "vote_count": 953, + "description": "Billy is released after five years in prison. In the next moment, he kidnaps teenage student Layla and visits his parents with her, pretending she is his girlfriend and they will soon marry.", + "poster": "https://image.tmdb.org/t/p/w500/fxzXFzbSGNA52NHQCMqQiwzMIQw.jpg", + "url": "https://www.themoviedb.org/movie/9464", + "genres": [ + "Drama", + "Romance", + "Comedy" + ], + "tags": [ + "prison", + "gambling", + "bowling", + "winter", + "kidnapping", + "tap dancing", + "strip club", + "bathtub", + "new york state", + "ex-con", + "character study", + "bowling alley", + "day in a life", + "prison release", + "buffalo, new york" + ] + }, + { + "ranking": 2789, + "title": "Your Fault", + "year": "2024", + "runtime": 118, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.1, + "vote_count": 1188, + "description": "The love between Noah and Nick seems unwavering despite their parents' attempts to separate them. But his job and her entry into college open up their lives to new relationships that will shake the foundations of both their relationship and the Leister family itself.", + "poster": "https://image.tmdb.org/t/p/w500/1sQA7lfcF9yUyoLYC0e6Zo3jmxE.jpg", + "url": "https://www.themoviedb.org/movie/1156593", + "genres": [ + "Romance", + "Drama" + ], + "tags": [ + "based on novel or book", + "suicide attempt", + "sequel", + "mental health", + "romantic drama" + ] + }, + { + "ranking": 2781, + "title": "Dead Ringers", + "year": "1988", + "runtime": 115, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.131, + "vote_count": 909, + "description": "Elliot, a successful gynecologist, works at the same practice as his identical twin, Beverly. Elliot is attracted to many of his patients and has affairs with them. When he inevitably loses interest, he will give the woman over to Beverly, the meeker of the two, without the woman knowing the difference. Beverly falls hard for one of the patients, Claire, but when she inadvertently deceives him, he slips into a state of madness.", + "poster": "https://image.tmdb.org/t/p/w500/ofXwDfM8uYAaftD7cBPcIWdCpMn.jpg", + "url": "https://www.themoviedb.org/movie/9540", + "genres": [ + "Thriller", + "Horror" + ], + "tags": [ + "bondage", + "based on novel or book", + "nurse", + "sadism", + "obsession", + "toronto, canada", + "sadomasochism", + "twin brother", + "murder", + "prostitution", + "drugs", + "twins", + "receptionist", + "extramarital affair", + "medical profession", + "gynecologist", + "voyeurism", + "identical twin", + "romantic" + ] + }, + { + "ranking": 2796, + "title": "Punch-Drunk Love", + "year": "2002", + "runtime": 96, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.125, + "vote_count": 2407, + "description": "A socially awkward and volatile small business owner meets the love of his life after being threatened by a gang of scammers.", + "poster": "https://image.tmdb.org/t/p/w500/htYp4yqFu4rzBEIa6j9jP8miDm3.jpg", + "url": "https://www.themoviedb.org/movie/8051", + "genres": [ + "Romance", + "Drama", + "Comedy" + ], + "tags": [ + "depression", + "sibling relationship", + "businessman", + "shyness", + "hawaii", + "dysfunctional family", + "psychological abuse", + "los angeles, california", + "scam artist", + "telephone sex", + "pudding", + "sweepstakes", + "harmonium", + "absurdist", + "social anxiety", + "emotional abuse", + "anxious", + "provo utah", + "scam call center", + "overbearing sister", + "romantic" + ] + }, + { + "ranking": 2784, + "title": "The Founder", + "year": "2016", + "runtime": 115, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.1, + "vote_count": 5035, + "description": "The true story of how Ray Kroc, a salesman from Illinois, met Mac and Dick McDonald, who were running a burger operation in 1950s Southern California. Kroc was impressed by the brothers’ speedy system of making the food and saw franchise potential. He maneuvered himself into a position to be able to pull the company from the brothers and create a billion-dollar empire.", + "poster": "https://image.tmdb.org/t/p/w500/8gLIksu5ggdfBL1UbeTeonHquxl.jpg", + "url": "https://www.themoviedb.org/movie/310307", + "genres": [ + "Drama", + "History" + ], + "tags": [ + "greed", + "ambition", + "biography", + "family business ", + "based on true story", + "salesman", + "corporate greed", + "fast food", + "corporate power", + "franchise", + "1950s", + "burger", + "mcdonald's" + ] + }, + { + "ranking": 2787, + "title": "Gremlins", + "year": "1984", + "runtime": 106, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.129, + "vote_count": 6501, + "description": "When Billy Peltzer is given a strange but adorable pet named Gizmo for Christmas, he inadvertently breaks the three important rules of caring for a Mogwai, unleashing a horde of mischievous gremlins on a small town.", + "poster": "https://image.tmdb.org/t/p/w500/6m0F7fsXjQvUbCZrPWcJNrjvIui.jpg", + "url": "https://www.themoviedb.org/movie/927", + "genres": [ + "Fantasy", + "Horror", + "Comedy" + ], + "tags": [ + "small town", + "monster", + "holiday", + "department store", + "pet", + "human animal relationship", + "bars and restaurants", + "sunlight", + "chain saw", + "salesperson", + "midnight", + "fur", + "gremlin", + "banking", + "ymca", + "puppet", + "puppetry", + "macabre", + "christmas", + "pets", + "absurd", + "hilarious", + "whimsical", + "enchant" + ] + }, + { + "ranking": 2794, + "title": "Audition", + "year": "2000", + "runtime": 115, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.1, + "vote_count": 1587, + "description": "Seven years after the death of his wife, widower Shigeharu seeks advice on how to find a new wife from a colleague. Taking advantage of their position as a film company, they stage an audition. Interviewing a series of women, Shigeharu is enchanted by the quiet Asami. But soon things take a twisted turn as Asami isn’t what she seems to be.", + "poster": "https://image.tmdb.org/t/p/w500/381efRw5TlwSD598QdiKUTQYr5p.jpg", + "url": "https://www.themoviedb.org/movie/11075", + "genres": [ + "Horror", + "Drama" + ], + "tags": [ + "sadism", + "man looking for wife", + "psychological thriller", + "torture", + "pretty woman" + ] + }, + { + "ranking": 2788, + "title": "Ariel", + "year": "1988", + "runtime": 73, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.1, + "vote_count": 345, + "description": "A Finnish man goes to the city to find a job after the mine where he worked is closed and his father commits suicide.", + "poster": "https://image.tmdb.org/t/p/w500/ojDg0PGvs6R9xYFodRct2kdI6wC.jpg", + "url": "https://www.themoviedb.org/movie/2", + "genres": [ + "Comedy", + "Drama", + "Romance", + "Crime" + ], + "tags": [ + "prison", + "underdog", + "helsinki, finland", + "factory worker", + "prisoner", + "falling in love" + ] + }, + { + "ranking": 2785, + "title": "Fun Is Beautiful", + "year": "1980", + "runtime": 97, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.1, + "vote_count": 397, + "description": "Three stories set in summer Rome, three characters all played by Verdone: an awkward young man meets a Spanish tourist; another one plans a trip towards East with a suitcase full of stockings and biro pens; a hippie is visited by his father, who tries to convince him to get back home.", + "poster": "https://image.tmdb.org/t/p/w500/bm51SNYlcohegsZOy9thxy1JtOg.jpg", + "url": "https://www.themoviedb.org/movie/37767", + "genres": [ + "Comedy" + ], + "tags": [ + "italy" + ] + }, + { + "ranking": 2799, + "title": "The Visitors", + "year": "1993", + "runtime": 107, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.124, + "vote_count": 1937, + "description": "After a wizard's spell goes awry, 12th-century Gallic knight Godefroy de Papincourt, Count of Montmirail finds himself transported to 1993, along with his dimwitted servant, Jacquouille la Fripouille. Startled and perplexed by modern technology, the duo run amok, destroying cars and causing chaos until they meet Beatrice de Montmirail, an aristocratic descendant of the nobleman, who may be able to help them get back to 1123.", + "poster": "https://image.tmdb.org/t/p/w500/hPCq0buG5PaXgKjzT2ktjrjlpbj.jpg", + "url": "https://www.themoviedb.org/movie/11687", + "genres": [ + "Fantasy", + "Comedy" + ], + "tags": [ + "servant", + "time travel", + "clumsy fellow", + "middle ages (476-1453)", + "nobility" + ] + }, + { + "ranking": 2812, + "title": "After", + "year": "2019", + "runtime": 106, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.1, + "vote_count": 8316, + "description": "Tessa Young is a dedicated student, dutiful daughter and loyal girlfriend to her high school sweetheart. Entering her first semester of college, Tessa's guarded world opens up when she meets Hardin Scott, a mysterious and brooding rebel who makes her question all she thought she knew about herself -- and what she wants out of life.", + "poster": "https://image.tmdb.org/t/p/w500/u3B2YKUjWABcxXZ6Nm9h10hLUbh.jpg", + "url": "https://www.themoviedb.org/movie/537915", + "genres": [ + "Romance", + "Drama" + ], + "tags": [ + "based on novel or book", + "love", + "teenage crush", + "teenage romance", + "bad boy", + "depressing", + "cliché" + ] + }, + { + "ranking": 2801, + "title": "As the Gods Will", + "year": "2014", + "runtime": 117, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.1, + "vote_count": 523, + "description": "High school student Shun Takahata is bored. Bored with the day-to-day monotony of school and life, he prays for change, for something exciting. Suddenly, he and his classmates are forced to play deadly children's games and facing terrifying creatures from a talking Daruma doll to a sharp-clawed lucky cat.", + "poster": "https://image.tmdb.org/t/p/w500/s1AClIF80ozU3ztbmrOG4pDbkaz.jpg", + "url": "https://www.themoviedb.org/movie/241863", + "genres": [ + "Thriller", + "Horror", + "Comedy" + ], + "tags": [ + "japan", + "based on manga", + "game", + "high school student", + "japanese high school", + "death game" + ] + }, + { + "ranking": 2814, + "title": "Suspicion", + "year": "1941", + "runtime": 99, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.1, + "vote_count": 820, + "description": "A wealthy and sheltered young woman elopes with a charming playboy and soon learns of his bad traits, including his extreme dishonesty and lust for money. Gradually, she begins to suspect that he intends to kill her to collect her life insurance.", + "poster": "https://image.tmdb.org/t/p/w500/clWNlzlbyaEoIK63lcFjqBmXoQz.jpg", + "url": "https://www.themoviedb.org/movie/11462", + "genres": [ + "Mystery", + "Romance", + "Thriller" + ], + "tags": [ + "poison", + "married couple", + "telegram", + "investigation", + "honeymoon", + "marriage", + "kiss", + "money", + "murderer", + "loan", + "suspect husband", + "bluebeard" + ] + }, + { + "ranking": 2808, + "title": "Snow White and the Seven Dwarfs", + "year": "1938", + "runtime": 83, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.1, + "vote_count": 7550, + "description": "A beautiful girl, Snow White, takes refuge in the forest in the house of seven dwarfs to hide from her stepmother, the wicked Queen. The Queen is jealous because she wants to be known as \"the fairest in the land,\" and Snow White's beauty surpasses her own.", + "poster": "https://image.tmdb.org/t/p/w500/3VAHfuNb6Z7UiW12iYKANSPBl8m.jpg", + "url": "https://www.themoviedb.org/movie/408", + "genres": [ + "Fantasy", + "Animation", + "Family" + ], + "tags": [ + "witch", + "dying and death", + "princess", + "becoming an adult", + "dwarf", + "poison", + "sadness", + "queen", + "attempted murder", + "cartoon", + "villain", + "miner", + "apple", + "candlelight vigil", + "evil queen", + "based on fairy tale", + "magic mirror", + "seven dwarfs", + "whimsical", + "straightforward", + "dwarves", + "dwarfs" + ] + }, + { + "ranking": 2804, + "title": "The Nice Guys", + "year": "2016", + "runtime": 116, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.1, + "vote_count": 8058, + "description": "A private eye investigates the apparent suicide of a fading porn star in 1970s Los Angeles and uncovers a conspiracy.", + "poster": "https://image.tmdb.org/t/p/w500/clq4So9spa9cXk3MZy2iMdqkxP2.jpg", + "url": "https://www.themoviedb.org/movie/290250", + "genres": [ + "Comedy", + "Crime", + "Action" + ], + "tags": [ + "daughter", + "pornography", + "detective", + "1970s", + "investigation", + "alcoholism", + "private investigator", + "conspiracy", + "whodunit", + "alcoholic", + "buddy cop", + "private eye", + "neo-noir", + "father daughter relationship", + "lighthearted", + "hilarious", + "amused", + "earnest", + "vibrant" + ] + }, + { + "ranking": 2802, + "title": "The Connection", + "year": "2014", + "runtime": 135, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.123, + "vote_count": 875, + "description": "Newly transferred to the bustling port city of Marseille to assist with a crackdown on organized crime, energetic young magistrate Pierre Michel is given a rapid-fire tutorial on the ins and outs of an out-of-control drug trade. Pierre's wildly ambitious mission is to take on the French Connection, a highly organized operation that controls the city's underground heroin economy and is overseen by the notorious —and reputedly untouchable— Gaetan Zampa. Fearless, determined and willing to go the distance, Pierre plunges into an underworld world of insane danger and ruthless criminals.", + "poster": "https://image.tmdb.org/t/p/w500/kIkmaZATFP4RkQSiWgyL6KGOTq6.jpg", + "url": "https://www.themoviedb.org/movie/197950", + "genres": [ + "Thriller", + "Crime", + "Action" + ], + "tags": [ + "judge", + "drug trafficking", + "marseille, france", + "drug trade", + "drug ring" + ] + }, + { + "ranking": 2810, + "title": "The Burial", + "year": "2023", + "runtime": 126, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.121, + "vote_count": 519, + "description": "When a handshake deal goes sour, funeral home owner Jeremiah O'Keefe enlists charismatic, smooth-talking attorney Willie E. Gary to save his family business. Tempers flare and laughter ensues as the unlikely pair bond while exposing corporate corruption and racial injustice.", + "poster": "https://image.tmdb.org/t/p/w500/9ssNSfNKpzZwhbFsnW3wa82m2sG.jpg", + "url": "https://www.themoviedb.org/movie/763165", + "genres": [ + "Drama", + "History" + ], + "tags": [ + "based on true story", + "trial", + "racial tension", + "corporate greed", + "funeral director", + "funeral home" + ] + }, + { + "ranking": 2809, + "title": "The Guardians of the Galaxy Holiday Special", + "year": "2022", + "runtime": 45, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.121, + "vote_count": 2103, + "description": "On a mission to make Christmas unforgettable for Quill, the Guardians head to Earth in search of the perfect present.", + "poster": "https://image.tmdb.org/t/p/w500/dd5yGBLbqB507gHJSosNY0IYHRQ.jpg", + "url": "https://www.themoviedb.org/movie/774752", + "genres": [ + "Comedy", + "Science Fiction", + "Adventure" + ], + "tags": [ + "holiday", + "superhero", + "celebrity", + "saving christmas", + "talking dog", + "based on movie", + "aftercreditsstinger", + "marvel cinematic universe (mcu)", + "christmas special", + "short film", + "holiday special", + "space dog" + ] + }, + { + "ranking": 2803, + "title": "The Place", + "year": "2017", + "runtime": 102, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.1, + "vote_count": 1206, + "description": "The fates of an apparently random group of strangers who each come into contact with a mysterious figure who they believe possesses the power to grant any wish, in return for which they must carry out a task he assigns them.", + "poster": "https://image.tmdb.org/t/p/w500/bBs5CiFImWQLVWm7alzUwbHUOkz.jpg", + "url": "https://www.themoviedb.org/movie/468198", + "genres": [ + "Drama", + "Thriller" + ], + "tags": [ + "waitress", + "deal", + "restaurant", + "wish", + "notebook", + "mysterious man", + "cafe", + "moral dilemma", + "based on tv series", + "ensemble cast", + "deal with the devil" + ] + }, + { + "ranking": 2805, + "title": "Partysaurus Rex", + "year": "2012", + "runtime": 7, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.1, + "vote_count": 486, + "description": "When Rex finds himself left behind in the bathroom, he puts his limbs to use by getting a bath going for a bunch of new toy friends.", + "poster": "https://image.tmdb.org/t/p/w500/iukkUikRxktNzaK89PyQ1ioPVdm.jpg", + "url": "https://www.themoviedb.org/movie/130925", + "genres": [ + "Family", + "Animation", + "Comedy" + ], + "tags": [ + "tyrannosaurus rex", + "bath tub", + "bubble", + "rubber duck", + "house music", + "short film" + ] + }, + { + "ranking": 2819, + "title": "In a Better World", + "year": "2010", + "runtime": 118, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.1, + "vote_count": 414, + "description": "The lives of two Danish families cross each other, and an extraordinary but risky friendship comes into bud. But loneliness, frailty and sorrow lie in wait.", + "poster": "https://image.tmdb.org/t/p/w500/dJpPpgf2z5lNw6xVxvfWm0lexNH.jpg", + "url": "https://www.themoviedb.org/movie/44716", + "genres": [ + "Drama" + ], + "tags": [ + "friendship", + "africa", + "refugee camp", + "knife", + "bullying", + "sudan", + "bully", + "hospital", + "divorce", + "woman director", + "homemade explosive", + "father son relationship" + ] + }, + { + "ranking": 2813, + "title": "Santa Sangre", + "year": "1989", + "runtime": 122, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.1, + "vote_count": 456, + "description": "A former circus artist escapes from a mental hospital to rejoin his mother – the leader of a strange religious cult – and is forced to enact brutal murders in her name.", + "poster": "https://image.tmdb.org/t/p/w500/6VTra0NR4ygRnq3bD922I4rU0Mq.jpg", + "url": "https://www.themoviedb.org/movie/19236", + "genres": [ + "Thriller", + "Drama", + "Horror" + ], + "tags": [ + "suicide", + "mexico city, mexico", + "elephant", + "funeral", + "circus", + "trauma", + "clown", + "surreal", + "gore", + "surrealism", + "stage show", + "avant-garde", + "madness", + "shrine", + "tattoed woman" + ] + }, + { + "ranking": 2811, + "title": "The Map of Tiny Perfect Things", + "year": "2021", + "runtime": 99, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.121, + "vote_count": 788, + "description": "Two teenagers trapped in an endless time loop set out to find all the tiny things that make that one day perfect.", + "poster": "https://image.tmdb.org/t/p/w500/foHto5PECzIaKT4ADV9x2nWY0jg.jpg", + "url": "https://www.themoviedb.org/movie/672647", + "genres": [ + "Fantasy", + "Romance" + ], + "tags": [ + "small town", + "love", + "cancer", + "time loop", + "based on short story", + "loss of mother", + "love story", + "teenager" + ] + }, + { + "ranking": 2820, + "title": "Cadillac Records", + "year": "2008", + "runtime": 109, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.1, + "vote_count": 447, + "description": "The story of sex, violence, race and rock and roll in 1950s Chicago, and the exciting but turbulent lives of some of America's musical legends, including Muddy Waters, Leonard Chess, Little Walter, Howlin' Wolf, Etta James and Chuck Berry.", + "poster": "https://image.tmdb.org/t/p/w500/u2GtllItFwaXMLj4uCeKYt9wf4l.jpg", + "url": "https://www.themoviedb.org/movie/14299", + "genres": [ + "Drama", + "History", + "Music" + ], + "tags": [ + "chicago, illinois", + "woman director", + "music" + ] + }, + { + "ranking": 2817, + "title": "Midway", + "year": "2019", + "runtime": 138, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.1, + "vote_count": 2534, + "description": "The story of the Battle of Midway, and the leaders and soldiers who used their instincts, fortitude and bravery to overcome massive odds.", + "poster": "https://image.tmdb.org/t/p/w500/hj8pyoNnynGeJTAbl7jcLZO8Uhx.jpg", + "url": "https://www.themoviedb.org/movie/522162", + "genres": [ + "Action", + "War", + "History" + ], + "tags": [ + "world war ii", + "u.s. navy", + "based on true story", + "battle of midway", + "pacific war", + "historical fiction", + "pacific theater", + "naval warfare", + "1940s" + ] + }, + { + "ranking": 2818, + "title": "Matthias & Maxime", + "year": "2019", + "runtime": 119, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.1, + "vote_count": 475, + "description": "Two childhood best friends are asked to share a kiss for the purposes of a student short film. Soon, a lingering doubt sets in, confronting both men with their preferences, threatening the brotherhood of their social circle, and, eventually, changing their lives.", + "poster": "https://image.tmdb.org/t/p/w500/j3DI3UjYBRqIbO1keUU1Bzn5qG6.jpg", + "url": "https://www.themoviedb.org/movie/519141", + "genres": [ + "Drama", + "Romance" + ], + "tags": [ + "friendship", + "quebec", + "lgbt", + "gay romance", + "gay theme" + ] + }, + { + "ranking": 2806, + "title": "Kick-Ass", + "year": "2010", + "runtime": 117, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.122, + "vote_count": 11769, + "description": "Dave Lizewski is an unnoticed high school student and comic book fan who one day decides to become a super-hero, even though he has no powers, training or meaningful reason to do so.", + "poster": "https://image.tmdb.org/t/p/w500/iHMbrTHJwocsNvo5murCBw0CwTo.jpg", + "url": "https://www.themoviedb.org/movie/23483", + "genres": [ + "Action", + "Crime" + ], + "tags": [ + "hero", + "secret identity", + "crime fighter", + "superhero", + "dark comedy", + "comic book", + "based on comic", + "murder", + "mafia", + "family", + "realism", + "mist", + "adventurer", + "rookie", + "young heroes", + "young adult", + "criminal heroes", + "heroes", + "pretending to be gay" + ] + }, + { + "ranking": 2807, + "title": "John Q", + "year": "2002", + "runtime": 116, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.1, + "vote_count": 2439, + "description": "John Quincy Archibald is a father and husband whose son is diagnosed with an enlarged heart and then finds out he cannot receive a transplant because HMO insurance will not cover it. Therefore, he decides to take a hospital full of patients hostage until the hospital puts his son's name on the donor's list.", + "poster": "https://image.tmdb.org/t/p/w500/xEE91LvXiqgs7Hmdl44LCzHtFf6.jpg", + "url": "https://www.themoviedb.org/movie/8470", + "genres": [ + "Drama", + "Thriller", + "Crime" + ], + "tags": [ + "chicago, illinois", + "parent child relationship", + "heart attack", + "kidnapping", + "heart disease", + "hostage-taking", + "hospital" + ] + }, + { + "ranking": 2815, + "title": "The Virgin Suicides", + "year": "2000", + "runtime": 97, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.121, + "vote_count": 3349, + "description": "A group of male friends become obsessed with five mysterious sisters who are sheltered by their strict, religious parents.", + "poster": "https://image.tmdb.org/t/p/w500/1NCQtXPQnaHRjOZVmktA9BSM35F.jpg", + "url": "https://www.themoviedb.org/movie/1443", + "genres": [ + "Drama" + ], + "tags": [ + "suicide", + "based on novel or book", + "michigan", + "suicide attempt", + "1970s", + "coming of age", + "suburb", + "lust", + "family", + "catholic", + "overprotective parent", + "teen suicide", + "femininity", + "woman director", + "male gaze", + "anxious", + "cautionary", + "sisters", + "disheartening", + "foreboding" + ] + }, + { + "ranking": 2816, + "title": "Groot Takes a Bath", + "year": "2022", + "runtime": 6, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.1, + "vote_count": 349, + "description": "Everybody needs some alone time to relax and wash up, but things go quite differently when you’re a Flora Colossi toddler.", + "poster": "https://image.tmdb.org/t/p/w500/sN7FJP06TsNNtK9Jr77dc25yI82.jpg", + "url": "https://www.themoviedb.org/movie/1010821", + "genres": [ + "Animation", + "Family", + "Comedy", + "Science Fiction" + ], + "tags": [ + "marvel cinematic universe (mcu)", + "short film" + ] + }, + { + "ranking": 2823, + "title": "The Transformers: The Movie", + "year": "1986", + "runtime": 84, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.12, + "vote_count": 530, + "description": "The Autobots must stop a colossal planet-consuming robot who goes after the Autobot Matrix of Leadership. At the same time, they must defend themselves against an all-out attack from the Decepticons.", + "poster": "https://image.tmdb.org/t/p/w500/j4HTorvJdGOuIgGyE56fMCLmcCg.jpg", + "url": "https://www.themoviedb.org/movie/1857", + "genres": [ + "Animation", + "Science Fiction", + "Action", + "Adventure", + "Family" + ], + "tags": [ + "transformation", + "based on cartoon", + "based on toy", + "robot", + "war", + "depressing" + ] + }, + { + "ranking": 2821, + "title": "Dead Man's Shoes", + "year": "2004", + "runtime": 90, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.12, + "vote_count": 547, + "description": "A soldier returns to his small town and exacts a deadly revenge on the thugs who tormented his disabled brother while he was away.", + "poster": "https://image.tmdb.org/t/p/w500/sCbXlGHmonE3QEOeM7I2PRkG8y6.jpg", + "url": "https://www.themoviedb.org/movie/12877", + "genres": [ + "Drama", + "Thriller", + "Crime" + ], + "tags": [ + "drug abuse", + "rage and hate", + "brother", + "bullying", + "punishment", + "home movie footage", + "revenge", + "soldier", + "cruelty", + "brutality", + "army veteran" + ] + }, + { + "ranking": 2822, + "title": "Friday", + "year": "1995", + "runtime": 91, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.12, + "vote_count": 1865, + "description": "Craig and Smokey are two guys in Los Angeles hanging out on their porch on a Friday afternoon, smoking and drinking, looking for something to do.", + "poster": "https://image.tmdb.org/t/p/w500/2lReF53F8trkC68piGSfk0JVwWU.jpg", + "url": "https://www.themoviedb.org/movie/10634", + "genres": [ + "Comedy" + ], + "tags": [ + "drug dealer", + "rap music", + "parent child relationship", + "rapper", + "male friendship", + "urban life", + "slacker", + "pot smoking", + "bully", + "marijuana", + "los angeles, california", + "drugs", + "hilarious" + ] + }, + { + "ranking": 2826, + "title": "Lady and the Tramp", + "year": "1955", + "runtime": 76, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.119, + "vote_count": 5358, + "description": "Lady, a golden cocker spaniel, meets up with a mongrel dog who calls himself the Tramp. He is obviously from the wrong side of town, but happenings at Lady's home make her decide to travel with him for a while.", + "poster": "https://image.tmdb.org/t/p/w500/340NcWz9SQXWQyf4oicMxjbrLOb.jpg", + "url": "https://www.themoviedb.org/movie/10340", + "genres": [ + "Family", + "Animation", + "Romance" + ], + "tags": [ + "love of one's life", + "spaghetti", + "female lover", + "cartoon", + "villain", + "kiss", + "cartoon cat", + "cartoon dog", + "pets" + ] + }, + { + "ranking": 2833, + "title": "Magnum Force", + "year": "1973", + "runtime": 124, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.118, + "vote_count": 1091, + "description": "\"Dirty\" Harry Callahan is a San Francisco Police Inspector on the trail of a group of rogue cops who have taken justice into their own hands. When shady characters are murdered one after another in grisly fashion, only Dirty Harry can stop them.", + "poster": "https://image.tmdb.org/t/p/w500/1uX1uzn09seCftG3rTGLPyFXxV6.jpg", + "url": "https://www.themoviedb.org/movie/10648", + "genres": [ + "Drama", + "Crime", + "Action" + ], + "tags": [ + "uniform", + "arbitrary law", + "investigation", + "covered investigation", + "inspector", + "vigilante", + "bad cop" + ] + }, + { + "ranking": 2831, + "title": "Heartbeats", + "year": "2010", + "runtime": 97, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.1, + "vote_count": 1015, + "description": "Francis is a young gay man, Marie is a young straight woman and the two of them are best friends -- until the day the gorgeous Nicolas walks into a Montreal coffee shop. The two friends, instantly and equally infatuated, compete for Nicolas' indeterminate affections, a conflict that climaxes when the trio visit the vacation home of Nicolas' mother. The frothy comedy unfolds through narrative, fantasy sequences and confessional monologues.", + "poster": "https://image.tmdb.org/t/p/w500/AgsocxzosJ3yPRDuvj3h5kwoGy9.jpg", + "url": "https://www.themoviedb.org/movie/51241", + "genres": [ + "Drama", + "Romance" + ], + "tags": [ + "love triangle", + "menage a trois", + "love", + "tension", + "lgbt" + ] + }, + { + "ranking": 2827, + "title": "Shooter", + "year": "2007", + "runtime": 124, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.119, + "vote_count": 5021, + "description": "A top Marine sniper, Bob Lee Swagger, leaves the military after a mission goes horribly awry and disappears, living in seclusion. He is coaxed back into service after a high-profile government official convinces him to help thwart a plot to kill the President of the United States. Ultimately double-crossed and framed for the attempt, Swagger becomes the target of a nationwide manhunt. He goes on the run to track the real killer and find out who exactly set him up, and why, eventually seeking revenge against some of the most powerful and corrupt leaders in the free world.", + "poster": "https://image.tmdb.org/t/p/w500/2aWGxo1E5polpBjPvtBRkWp7qaS.jpg", + "url": "https://www.themoviedb.org/movie/7485", + "genres": [ + "Drama", + "Action", + "Thriller" + ], + "tags": [ + "sniper", + "wyoming, usa", + "philadelphia, pennsylvania", + "assassination", + "based on novel or book", + "kidnapping", + "fbi", + "ethiopia", + "senator", + "kentucky", + "president", + "tennessee", + "on the run", + "conspiracy", + "gunsmith", + "dog", + "ex-marine", + "patriot", + "u.s. marine", + "military veteran", + "contractor", + "framed for murder", + "secluded cabin", + "archbishop", + "langley virginia", + "ex military", + "war widow", + "army colonel", + "manhunt", + "death of friend", + "fbi agent", + "bozeman montana", + "gunnery sergeant", + "fugitive suspect", + "assassination plot", + "marine sniper", + "spotter" + ] + }, + { + "ranking": 2825, + "title": "I'm Not Scared", + "year": "2003", + "runtime": 108, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.1, + "vote_count": 940, + "description": "In a tiny community enclosed by wheat fields, the adults shelter indoors, while six children venture out on their bikes across the scorched, deserted countryside. Exploring a dilapidated and uninhabited farmhouse, nine-year-old Michele discovers a secret so momentous, so terrible, that he dares not tell anyone about it …", + "poster": "https://image.tmdb.org/t/p/w500/vTf4qR0OSuV4qBT8As4QoWxSJSq.jpg", + "url": "https://www.themoviedb.org/movie/25300", + "genres": [ + "Mystery", + "Drama", + "Thriller", + "Crime" + ], + "tags": [ + "countryside", + "italy", + "chained", + "child kidnapping", + "child in deephole" + ] + }, + { + "ranking": 2836, + "title": "High Fidelity", + "year": "2000", + "runtime": 113, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.1, + "vote_count": 2036, + "description": "After his long-time girlfriend dumps him, a thirty-year-old record store owner seeks to understand why he is unlucky in love while recounting his \"top five breakups of all time\".", + "poster": "https://image.tmdb.org/t/p/w500/e2LZGB62GMhv3Fo8tDZjY87I81a.jpg", + "url": "https://www.themoviedb.org/movie/243", + "genres": [ + "Drama", + "Comedy", + "Romance", + "Music" + ], + "tags": [ + "chicago, illinois", + "rock 'n' roll", + "music record", + "disc jockey", + "pop", + "ex-girlfriend", + "music journalist", + "relationship problems", + "record label", + "flashback", + "breaking the fourth wall", + "fear of commitment", + "falling in love", + "break-up", + "record", + "record album", + "music scene", + "thoughtful", + "breaking up with boyfriend", + "music culture", + "record store", + "top five", + "dating history", + "earnest" + ] + }, + { + "ranking": 2824, + "title": "Reality", + "year": "2012", + "runtime": 110, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.1, + "vote_count": 328, + "description": "A dark comedy centering on the lives of a Neapolitan based family whose father, a fish merchant, is so infatuated with the reality TV show \"Grande Fratello\" (the Italian version of \"Big Brother\") he starts living his life as if he were on it.", + "poster": "https://image.tmdb.org/t/p/w500/bl2Hy8yyHXmTSDLz3NMxIe9wgIo.jpg", + "url": "https://www.themoviedb.org/movie/103758", + "genres": [ + "Drama", + "Comedy" + ], + "tags": [] + }, + { + "ranking": 2828, + "title": "Drugstore Cowboy", + "year": "1989", + "runtime": 102, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.119, + "vote_count": 554, + "description": "Portland, Oregon, 1971. Bob Hughes is the charismatic leader of a peculiar quartet, formed by his wife, Dianne, and another couple, Rick and Nadine, who skillfully steal from drugstores and hospital medicine cabinets in order to appease their insatiable need for drugs. But neither fun nor luck last forever.", + "poster": "https://image.tmdb.org/t/p/w500/2bQXK39axyedUL6DE1pzdMYgAw1.jpg", + "url": "https://www.themoviedb.org/movie/476", + "genres": [ + "Drama", + "Crime" + ], + "tags": [ + "drug abuse", + "support group", + "1970s", + "drug addiction", + "junkie", + "portland, oregon", + "drugstore", + "group therapy", + "drug stealing", + "burglars", + "opioid use disorder" + ] + }, + { + "ranking": 2834, + "title": "Hustle & Flow", + "year": "2005", + "runtime": 116, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.118, + "vote_count": 393, + "description": "With help from his friends, a Memphis pimp in a mid-life crisis attempts to become a successful hip-hop emcee.", + "poster": "https://image.tmdb.org/t/p/w500/9skOqw9sld2MKKqkKKU78e0Jw7W.jpg", + "url": "https://www.themoviedb.org/movie/10476", + "genres": [ + "Crime", + "Drama", + "Music" + ], + "tags": [ + "drug dealer", + "career", + "baby", + "rap music", + "hip-hop", + "midlife crisis", + "rapper", + "biting", + "blunt", + "shocking", + "desperate", + "anxious", + "egotistical", + "derogatory", + "foreboding" + ] + }, + { + "ranking": 2840, + "title": "Terms of Endearment", + "year": "1983", + "runtime": 132, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.117, + "vote_count": 770, + "description": "Aurora, a finicky woman, is in search of true love while her daughter faces marital issues. Together, they help each other deal with problems and find reasons to live a joyful life.", + "poster": "https://image.tmdb.org/t/p/w500/l77DRjJuykqKMtD9GTK4YT7qKHW.jpg", + "url": "https://www.themoviedb.org/movie/11050", + "genres": [ + "Drama", + "Comedy" + ], + "tags": [ + "based on novel or book", + "parent child relationship", + "loss of loved one", + "texas", + "cancer", + "astronaut", + "single mother", + "neighbor neighbor relationship", + "mother daughter relationship", + "narcissistic mother" + ] + }, + { + "ranking": 2830, + "title": "The Master", + "year": "2012", + "runtime": 137, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.118, + "vote_count": 3010, + "description": "Freddie, a volatile, heavy-drinking veteran who suffers from post-traumatic stress disorder, finds some semblance of a family when he stumbles onto the ship of Lancaster Dodd, the charismatic leader of a new \"religion\" he forms after World War II.", + "poster": "https://image.tmdb.org/t/p/w500/jjVGdNt4fYb3T2hjISGZ2qnCuaV.jpg", + "url": "https://www.themoviedb.org/movie/68722", + "genres": [ + "Drama" + ], + "tags": [ + "post-traumatic stress disorder (ptsd)", + "sexual obsession", + "religion", + "drifter", + "alcoholic", + "handjob", + "post war", + "cult leader", + "scientology", + "religious cult", + "charismatic leader", + "right hand man", + "1940s", + "past life regression", + "nude dancing" + ] + }, + { + "ranking": 2829, + "title": "Pi", + "year": "1998", + "runtime": 84, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.119, + "vote_count": 2284, + "description": "A mathematical genius discovers a link between numbers and reality, and thus believes he can predict the future.", + "poster": "https://image.tmdb.org/t/p/w500/fJA22FjlAW8rzrOw9Mwanl6oTc9.jpg", + "url": "https://www.themoviedb.org/movie/473", + "genres": [ + "Mystery", + "Drama", + "Thriller" + ], + "tags": [ + "new york city", + "hacker", + "ark of the covenant", + "insanity", + "paranoia", + "mathematics", + "mathematician", + "delusion", + "helix", + "headache", + "chaos theory", + "migraine", + "genius", + "surrealism", + "alienation", + "computer chip", + "talmud", + "garden of eden", + "math genius", + "atonement", + "mysticism", + "intuition", + "psychotronic film", + "lynchian", + "avant garde", + "absurd", + "savant", + "fibonacci", + "spiral" + ] + }, + { + "ranking": 2832, + "title": "Remember Me", + "year": "2010", + "runtime": 113, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.1, + "vote_count": 3558, + "description": "Still reeling from a heartbreaking family event and his parents' subsequent divorce, Tyler Hawkins discovers a fresh lease on life when he meets Ally Craig, a gregarious beauty who witnessed her mother's death. But as the couple draws closer, the fallout from their separate tragedies jeopardizes their love.", + "poster": "https://image.tmdb.org/t/p/w500/j7umuMiLCHvWT7wYhFKJOTFSokF.jpg", + "url": "https://www.themoviedb.org/movie/23169", + "genres": [ + "Drama", + "Romance" + ], + "tags": [ + "new york city", + "parent child relationship", + "9/11", + "grieving", + "young adult", + "college student" + ] + }, + { + "ranking": 2835, + "title": "A Star Is Born", + "year": "1954", + "runtime": 176, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.1, + "vote_count": 306, + "description": "A movie star helps a young singer-actress find fame, even as age and alcoholism send his own career into a downward spiral.", + "poster": "https://image.tmdb.org/t/p/w500/zpg2SzpYhZk1D1seDfIIlwaqAxT.jpg", + "url": "https://www.themoviedb.org/movie/3111", + "genres": [ + "Drama", + "Music", + "Romance" + ], + "tags": [ + "career", + "husband wife relationship", + "musical", + "alcoholism", + "remake", + "fame", + "los angeles, california", + "partially lost film", + "fading star" + ] + }, + { + "ranking": 2838, + "title": "Barefoot in the Park", + "year": "1967", + "runtime": 106, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.1, + "vote_count": 567, + "description": "In this film based on a Neil Simon play, newlyweds Corie, a free spirit, and Paul Bratter, an uptight lawyer, share a sixth-floor apartment in Greenwich Village. Soon after their marriage, Corie tries to find a companion for mother, Ethel, who is now alone, and sets up Ethel with neighbor Victor. Inappropriate behavior on a double date causes conflict, and the young couple considers divorce.", + "poster": "https://image.tmdb.org/t/p/w500/qh64tAOmbQNoYMLTETkhmBQgSbu.jpg", + "url": "https://www.themoviedb.org/movie/17887", + "genres": [ + "Comedy", + "Romance" + ], + "tags": [ + "new york city", + "based on play or musical", + "love", + "lawyer", + "conservative", + "newlywed", + "new apartment", + "greenwich village" + ] + }, + { + "ranking": 2839, + "title": "The Dark Crystal", + "year": "1982", + "runtime": 93, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.1, + "vote_count": 1161, + "description": "On another planet in the distant past, a Gelfling embarks on a quest to find the missing shard of a magical crystal and restore order to his world, before the grotesque race of Skeksis find and use the crystal for evil.", + "poster": "https://image.tmdb.org/t/p/w500/6g1Kh73qQRosyhRJpL3euQpMxOE.jpg", + "url": "https://www.themoviedb.org/movie/11639", + "genres": [ + "Adventure", + "Family", + "Fantasy" + ], + "tags": [ + "race against time", + "mission", + "liberation", + "castle", + "villain", + "mythical creature", + "puppetry", + "creature", + "fantasy world", + "crystal", + "good versus evil", + "bizarre creatures" + ] + }, + { + "ranking": 2837, + "title": "American Underdog", + "year": "2021", + "runtime": 112, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.1, + "vote_count": 364, + "description": "The true story of Kurt Warner, who went from a stockboy at a grocery store to a two-time NFL MVP, Super Bowl champion, and Hall of Fame quarterback.", + "poster": "https://image.tmdb.org/t/p/w500/oQGqNicbPw5wpWYk64cL6HnDCBz.jpg", + "url": "https://www.themoviedb.org/movie/673309", + "genres": [ + "Drama", + "Family" + ], + "tags": [ + "american football", + "biography", + "los angeles, california", + "aftercreditsstinger", + "nfl (national football league)" + ] + }, + { + "ranking": 2842, + "title": "Creed III", + "year": "2023", + "runtime": 116, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.1, + "vote_count": 2605, + "description": "After dominating the boxing world, Adonis Creed has thrived in his career and family life. When a childhood friend and former boxing prodigy, Damian Anderson, resurfaces after serving a long sentence in prison, he is eager to prove that he deserves his shot in the ring. The face-off between former friends is more than just a fight. To settle the score, Adonis must put his future on the line to battle Damian — a fighter with nothing to lose.", + "poster": "https://image.tmdb.org/t/p/w500/cvsXj3I9Q2iyyIo95AecSd1tad7.jpg", + "url": "https://www.themoviedb.org/movie/677179", + "genres": [ + "Drama", + "Action" + ], + "tags": [ + "husband wife relationship", + "philadelphia, pennsylvania", + "sports", + "deaf", + "sequel", + "orphan", + "former best friend", + "ex-con", + "childhood friends", + "juvenile detention center", + "boxing", + "prodigy", + "intense", + "assertive", + "audacious" + ] + }, + { + "ranking": 2850, + "title": "Black Dynamite", + "year": "2009", + "runtime": 85, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.115, + "vote_count": 636, + "description": "This is the story of 1970s African-American action legend Black Dynamite. The Man killed his brother, pumped heroin into local orphanages, and flooded the ghetto with adulterated malt liquor. Black Dynamite was the one hero willing to fight The Man all the way from the blood-soaked city streets to the hallowed halls of the Honky House.", + "poster": "https://image.tmdb.org/t/p/w500/u3oWQDz0JggzzsVlsuHY7XVxp5Y.jpg", + "url": "https://www.themoviedb.org/movie/24804", + "genres": [ + "Comedy", + "Action" + ], + "tags": [ + "spoof", + "blaxploitation cinema", + "duringcreditsstinger" + ] + }, + { + "ranking": 2844, + "title": "Ophelia", + "year": "2019", + "runtime": 114, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.116, + "vote_count": 574, + "description": "Ophelia comes of age as lady-in-waiting for Queen Gertrude, and her singular spirit captures Hamlet's affections. As lust and betrayal threaten the kingdom, Ophelia finds herself trapped between true love and controlling her own destiny.", + "poster": "https://image.tmdb.org/t/p/w500/7ItW1N2L2YIWVlZh1cg2Ylh3i8f.jpg", + "url": "https://www.themoviedb.org/movie/428836", + "genres": [ + "Drama", + "Romance", + "History" + ], + "tags": [ + "lady in waiting", + "hamlet", + "reinterpretation" + ] + }, + { + "ranking": 2841, + "title": "NYAD", + "year": "2023", + "runtime": 121, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.116, + "vote_count": 470, + "description": "Athlete Diana Nyad sets out at 60 to achieve a nearly impossible lifelong dream: to swim from Cuba to Florida across more than 100 miles of open ocean.", + "poster": "https://image.tmdb.org/t/p/w500/ydSqUhKFvg5cZ5OwImmf3K1R6SS.jpg", + "url": "https://www.themoviedb.org/movie/895549", + "genres": [ + "Drama", + "History" + ], + "tags": [ + "affectation", + "biography", + "based on true story", + "based on memoir or autobiography", + "swimming", + "world record", + "wild swimming", + "absurd", + "admiring", + "adoring" + ] + }, + { + "ranking": 2853, + "title": "Moana 2", + "year": "2024", + "runtime": 99, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.1, + "vote_count": 2114, + "description": "After receiving an unexpected call from her wayfinding ancestors, Moana journeys alongside Maui and a new crew to the far seas of Oceania and into dangerous, long-lost waters for an adventure unlike anything she's ever faced.", + "poster": "https://image.tmdb.org/t/p/w500/aLVkiINlIeCkcZIzb7XHzPYgO6L.jpg", + "url": "https://www.themoviedb.org/movie/1241982", + "genres": [ + "Animation", + "Adventure", + "Family", + "Comedy" + ], + "tags": [ + "sea", + "ocean", + "villain", + "musical", + "sequel", + "duringcreditsstinger" + ] + }, + { + "ranking": 2858, + "title": "Love Tactics", + "year": "2022", + "runtime": 97, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.112, + "vote_count": 309, + "description": "An ad executive and a fashion designer-blogger don't believe in love, so they place a bet to make the other fall head over heels - with unusual tactics.", + "poster": "https://image.tmdb.org/t/p/w500/8RyASTsrKKRnQ9xSGJDuImD8cjX.jpg", + "url": "https://www.themoviedb.org/movie/927855", + "genres": [ + "Romance", + "Comedy" + ], + "tags": [] + }, + { + "ranking": 2846, + "title": "The Way", + "year": "2010", + "runtime": 128, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.116, + "vote_count": 584, + "description": "When his son dies while hiking the famed Camino de Santiago pilgrimage route in the Pyrenees, Tom flies to France to claim the remains. Looking for insights into his estranged child’s life, he decides to complete the 500-mile mountain trek to Spain. Tom soon joins up with other travelers and realizes they’re all searching for something.", + "poster": "https://image.tmdb.org/t/p/w500/uaRfG7n92IiuYcKLl7LJo2gr6qO.jpg", + "url": "https://www.themoviedb.org/movie/59468", + "genres": [ + "Adventure", + "Comedy", + "Drama" + ], + "tags": [ + "spain", + "france", + "parent child relationship", + "pilgrimage", + "road trip", + "pilgrim", + "travel", + "pyrenees mountain ridge", + "death of son", + "saint-jacques-de-compostelle", + "pèlerinage", + "camino de santiago" + ] + }, + { + "ranking": 2856, + "title": "The Siege of Jadotville", + "year": "2016", + "runtime": 108, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.113, + "vote_count": 886, + "description": "Irish Commandant Pat Quinlan leads a stand off with troops against French and Belgian Mercenaries in the Congo during the early 1960s.", + "poster": "https://image.tmdb.org/t/p/w500/adrno1y0mKpMwjSlMQojZEUk82V.jpg", + "url": "https://www.themoviedb.org/movie/334517", + "genres": [ + "War", + "Drama", + "Thriller" + ], + "tags": [ + "based on novel or book", + "bravery", + "congo", + "conflict", + "united nations", + "katanga conflict", + "irish", + "irish army" + ] + }, + { + "ranking": 2848, + "title": "Lamp Life", + "year": "2020", + "runtime": 7, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.1, + "vote_count": 305, + "description": "Bo Peep explains what happened to herself and her sheep between the events of Toy Story 2 and Toy Story 4.", + "poster": "https://image.tmdb.org/t/p/w500/mJ95RnlammhYb6ZvBbQFLq8Jqnl.jpg", + "url": "https://www.themoviedb.org/movie/594530", + "genres": [ + "Animation", + "Comedy", + "Family" + ], + "tags": [ + "cartoon", + "toy comes to life", + "short film" + ] + }, + { + "ranking": 2859, + "title": "Sing", + "year": "2016", + "runtime": 107, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.1, + "vote_count": 8039, + "description": "A koala named Buster recruits his best friend to help him drum up business for his theater by hosting a singing competition.", + "poster": "https://image.tmdb.org/t/p/w500/zZTlF2eVVUkbdmccd3bNUU9T9sD.jpg", + "url": "https://www.themoviedb.org/movie/335797", + "genres": [ + "Animation", + "Comedy", + "Family", + "Music" + ], + "tags": [ + "anthropomorphism", + "singing", + "flood", + "singing competition", + "illumination", + "brisk" + ] + }, + { + "ranking": 2847, + "title": "Chicago", + "year": "2002", + "runtime": 113, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.1, + "vote_count": 2671, + "description": "Murderesses Velma Kelly and Roxie Hart find themselves on death row together and fight for the fame that will keep them from the gallows in 1920s Chicago.", + "poster": "https://image.tmdb.org/t/p/w500/3ED8cWCXY9zkx77Sd0N5qMbsdDP.jpg", + "url": "https://www.themoviedb.org/movie/1574", + "genres": [ + "Comedy", + "Crime", + "Drama" + ], + "tags": [ + "chicago, illinois", + "gallows", + "musical", + "based on play or musical", + "jail", + "lawyer", + "execution", + "noose", + "hanging", + "prison matron", + "jazz age", + "1920s", + "death by hanging", + "public execution", + "execution by hanging", + "hanged woman" + ] + }, + { + "ranking": 2854, + "title": "The Emperor's Club", + "year": "2002", + "runtime": 108, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.1, + "vote_count": 387, + "description": "William Hundert is a passionate and principled Classics professor who finds his tightly-controlled world shaken and inexorably altered when a new student, Sedgewick Bell, walks into his classroom. What begins as a fierce battle of wills gives way to a close student-teacher relationship, but results in a life lesson for Hundert that will still haunt him a quarter of a century later.", + "poster": "https://image.tmdb.org/t/p/w500/s7BRKAq0DNcXe8Bphm6Wd5KnvlF.jpg", + "url": "https://www.themoviedb.org/movie/17187", + "genres": [ + "Drama" + ], + "tags": [ + "cheating", + "private school", + "teacher", + "ethics" + ] + }, + { + "ranking": 2843, + "title": "Devotion", + "year": "2022", + "runtime": 139, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.116, + "vote_count": 734, + "description": "The harrowing true story of two elite US Navy fighter pilots during the Korean War. Their heroic sacrifices would ultimately make them the Navy's most celebrated wingmen.", + "poster": "https://image.tmdb.org/t/p/w500/26yQPXymbWeCLKwcmyL8dRjAzth.jpg", + "url": "https://www.themoviedb.org/movie/653851", + "genres": [ + "War", + "Drama", + "Action" + ], + "tags": [ + "korean war (1950-53)", + "aftercreditsstinger", + "duringcreditsstinger" + ] + }, + { + "ranking": 2857, + "title": "Before the Devil Knows You're Dead", + "year": "2007", + "runtime": 117, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.1, + "vote_count": 1551, + "description": "When two brothers organize the robbery of their parents' jewelry store, the job goes horribly wrong, triggering a series of events that send them and their family hurtling towards a shattering climax.", + "poster": "https://image.tmdb.org/t/p/w500/egIP0s1ws6fGHqTsVqVNcaEa5i2.jpg", + "url": "https://www.themoviedb.org/movie/7972", + "genres": [ + "Crime", + "Drama", + "Thriller" + ], + "tags": [ + "daughter", + "career", + "sibling relationship", + "office", + "drug addiction", + "greed", + "investigation", + "hold-up robbery", + "father", + "workplace", + "woman between two men", + "hospital", + "sibling rivalry", + "jewelry store", + "botched robbery", + "paranoid" + ] + }, + { + "ranking": 2845, + "title": "Ruby Sparks", + "year": "2012", + "runtime": 104, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.1, + "vote_count": 1659, + "description": "Calvin is a young novelist who achieved phenomenal success early in his career but is now struggling with his writing – as well as his romantic life. Finally, he makes a breakthrough and creates a character named Ruby who inspires him. When Calvin finds Ruby, in the flesh, sitting on his couch about a week later, he is completely flabbergasted that his words have turned into a living, breathing person.", + "poster": "https://image.tmdb.org/t/p/w500/zELurt0GVRkR5X5ymuk7KXUxhC8.jpg", + "url": "https://www.themoviedb.org/movie/103332", + "genres": [ + "Comedy", + "Romance", + "Fantasy", + "Drama" + ], + "tags": [ + "dreams", + "imaginary friend", + "therapy", + "novelist", + "magic realism", + "nostalgic", + "woman director", + "grand" + ] + }, + { + "ranking": 2855, + "title": "The Lodger: A Story of the London Fog", + "year": "1927", + "runtime": 91, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.1, + "vote_count": 303, + "description": "London. A mysterious serial killer brutally murders young blond women by stalking them in the night fog. One foggy, sinister night, a young man who claims his name is Jonathan Drew arrives at the guest house run by the Bunting family and rents a room.", + "poster": "https://image.tmdb.org/t/p/w500/tD84zwFeFRf3zG98x558N3PBMV.jpg", + "url": "https://www.themoviedb.org/movie/2760", + "genres": [ + "Crime", + "Thriller", + "Mystery" + ], + "tags": [ + "london, england", + "jack the ripper", + "boarder", + "lodger", + "serial killer", + "silent film", + "fashion show", + "mysterious stranger", + "modeling" + ] + }, + { + "ranking": 2851, + "title": "Where the Heart Is", + "year": "2000", + "runtime": 120, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.115, + "vote_count": 698, + "description": "Novalee Nation is a 17-year-old Tennessee transient who has to grow up in a hurry when she's left pregnant and abandoned by her boyfriend on a roadside, and takes refuge in the friendly aisles of Wal-Mart. Eventually, some eccentric but kindly strangers 'adopt' Novalee and her infant daughter, helping them buck the odds and build a new life.", + "poster": "https://image.tmdb.org/t/p/w500/h8PBkTn6kDK9ZMCLj6jP6JnIBhY.jpg", + "url": "https://www.themoviedb.org/movie/10564", + "genres": [ + "Comedy", + "Drama", + "Romance" + ], + "tags": [ + "california", + "baby", + "supermarket", + "change", + "pregnancy", + "oklahoma", + "pregnant minor", + "unwillingly pregnant", + "tennessee", + "teenage pregnancy", + "starting over" + ] + }, + { + "ranking": 2849, + "title": "Mary and The Witch's Flower", + "year": "2017", + "runtime": 103, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.1, + "vote_count": 811, + "description": "Mary Smith, a young girl who lives with her great-aunt in the countryside, follows a mysterious cat into the nearby forest where she finds a strange flower and an old broom, none of which is as ordinary as it seems.", + "poster": "https://image.tmdb.org/t/p/w500/lq3OJQiJ8hlCr23LAdHbeU3eqBF.jpg", + "url": "https://www.themoviedb.org/movie/430447", + "genres": [ + "Adventure", + "Animation", + "Family", + "Fantasy" + ], + "tags": [ + "witch", + "based on novel or book", + "magic", + "cat", + "school of witchcraft", + "based on children's book", + "anime" + ] + }, + { + "ranking": 2852, + "title": "Death and the Maiden", + "year": "1994", + "runtime": 103, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.1, + "vote_count": 514, + "description": "A political activist is convinced that her guest is a man who once tortured her for the government.", + "poster": "https://image.tmdb.org/t/p/w500/hlUXQ2aEuYDEE0ok7DORE4uffjl.jpg", + "url": "https://www.themoviedb.org/movie/10531", + "genres": [ + "Drama", + "Thriller" + ], + "tags": [ + "married couple", + "based on play or musical", + "chile", + "pinochet regime", + "revenge", + "doctor", + "torture", + "humiliation" + ] + }, + { + "ranking": 2860, + "title": "Justice League: Gods and Monsters", + "year": "2015", + "runtime": 76, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.112, + "vote_count": 576, + "description": "In an alternate universe, very different versions of DC's Trinity fight against the government after they are framed for an embassy bombing.", + "poster": "https://image.tmdb.org/t/p/w500/9EoqQuEZKmQIYjexoUbkxMcMCVr.jpg", + "url": "https://www.themoviedb.org/movie/323027", + "genres": [ + "Action", + "Animation", + "Fantasy", + "Adventure", + "Science Fiction" + ], + "tags": [ + "superhero", + "super power" + ] + }, + { + "ranking": 2866, + "title": "Paterson", + "year": "2016", + "runtime": 118, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.1, + "vote_count": 1908, + "description": "A week in the life of Paterson, a poet bus driver, and his wife Laura, a very creative artist, who live in Paterson, New Jersey, hometown of many famous poets and artists.", + "poster": "https://image.tmdb.org/t/p/w500/hhpXV2SntaApx411hObmopQejdV.jpg", + "url": "https://www.themoviedb.org/movie/370755", + "genres": [ + "Drama", + "Comedy", + "Romance" + ], + "tags": [ + "husband wife relationship", + "new jersey", + "poetry", + "routine", + "eavesdropping", + "beer", + "notebook", + "bus driver", + "hobby", + "twins", + "dog", + "drink", + "veteran", + "aspiration", + "ex-boyfriend ex-girlfriend relationship", + "cupcake", + "female artist", + "baking", + "meditative", + "calm", + "philosophical", + "repetition", + "bulldog", + "aspiring artist", + "poem writing", + "fame-seeking", + "loving", + "mundanity" + ] + }, + { + "ranking": 2865, + "title": "The Lion King", + "year": "2019", + "runtime": 118, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.1, + "vote_count": 10288, + "description": "Simba idolizes his father, King Mufasa, and takes to heart his own royal destiny. But not everyone in the kingdom celebrates the new cub's arrival. Scar, Mufasa's brother—and former heir to the throne—has plans of his own. The battle for Pride Rock is ravaged with betrayal, tragedy and drama, ultimately resulting in Simba's exile. With help from a curious pair of newfound friends, Simba will have to figure out how to grow up and take back what is rightfully his.", + "poster": "https://image.tmdb.org/t/p/w500/dzBtMocZuJbjLOXvrl4zGYigDzh.jpg", + "url": "https://www.themoviedb.org/movie/420818", + "genres": [ + "Adventure", + "Drama", + "Family", + "Animation" + ], + "tags": [ + "africa", + "lion", + "prince", + "redemption", + "musical", + "uncle", + "remake", + "grief", + "king", + "family", + "sidekick", + "live action and animation", + "father son relationship", + "live action remake" + ] + }, + { + "ranking": 2867, + "title": "Strange Magic", + "year": "2015", + "runtime": 99, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.111, + "vote_count": 511, + "description": "A love potion works its devious charms on fairies, elves and the swamp-dwelling Bog King as they all try to possess the potion for themselves.", + "poster": "https://image.tmdb.org/t/p/w500/vjCdrK8gGRFnyuZb1j9BzgN2RaY.jpg", + "url": "https://www.themoviedb.org/movie/302429", + "genres": [ + "Music", + "Animation", + "Family", + "Fantasy" + ], + "tags": [ + "elves", + "fairy", + "musical", + "aftercreditsstinger", + "duringcreditsstinger", + "love potion" + ] + }, + { + "ranking": 2870, + "title": "Fear Street: 1666", + "year": "2021", + "runtime": 115, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.11, + "vote_count": 1752, + "description": "In 1666, a colonial town is gripped by a hysterical witch-hunt that has deadly consequences for centuries to come, and it's up to teenagers in 1994 to finally put an end to their town's curse, before it's too late.", + "poster": "https://image.tmdb.org/t/p/w500/rmEPtz3Ufzol2VWUAZYzOFaBio3.jpg", + "url": "https://www.themoviedb.org/movie/591275", + "genres": [ + "Mystery", + "Horror" + ], + "tags": [ + "based on novel or book", + "curse", + "teenage girl", + "witchcraft", + "witch hunt", + "17th century", + "1990s" + ] + }, + { + "ranking": 2871, + "title": "What's Love Got to Do with It", + "year": "1993", + "runtime": 118, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.1, + "vote_count": 327, + "description": "Singer Tina Turner rises to stardom while mustering the courage to break free from her abusive husband Ike.", + "poster": "https://image.tmdb.org/t/p/w500/vNAYuA26Wtf7VfzZEaxZQmJTE4Z.jpg", + "url": "https://www.themoviedb.org/movie/15765", + "genres": [ + "Drama", + "Music", + "History" + ], + "tags": [ + "1970s", + "affectation", + "record producer", + "biography", + "recording studio", + "celebrity", + "singer", + "fame", + "domestic violence", + "biting", + "physical abuse", + "price of fame", + "shocking", + "angry", + "aggressive", + "1960s", + "abusive husband", + "music industry", + "cautionary", + "introspective", + "inspirational", + "absurd", + "admiring", + "adoring", + "antagonistic", + "callous", + "demeaning", + "derogatory", + "hopeful" + ] + }, + { + "ranking": 2880, + "title": "Five Easy Pieces", + "year": "1970", + "runtime": 98, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.1, + "vote_count": 527, + "description": "A drop-out from upper-class America picks up work along the way on oil-rigs when his life isn't spent in a squalid succession of bars, motels, and other points of interest.", + "poster": "https://image.tmdb.org/t/p/w500/AciLTjLqyHiEA0lq35CV4Atnm4v.jpg", + "url": "https://www.themoviedb.org/movie/26617", + "genres": [ + "Drama" + ], + "tags": [ + "musician", + "diner", + "road trip", + "hitchhiker", + "drifter", + "class differences", + "washington state", + "oil field", + "rebelliousness" + ] + }, + { + "ranking": 2875, + "title": "SLC Punk", + "year": "1998", + "runtime": 97, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.1, + "vote_count": 376, + "description": "Two former geeks become 1980s punks, then party and go to concerts while deciding what to do with their lives.", + "poster": "https://image.tmdb.org/t/p/w500/dNho1qVCHq5RpLQNbGTljTfqnva.jpg", + "url": "https://www.themoviedb.org/movie/6396", + "genres": [ + "Comedy", + "Drama", + "Crime", + "Music" + ], + "tags": [ + "male friendship", + "punk rock", + "breaking the fourth wall", + "redneck", + "salt lake city, utah", + "hospital" + ] + }, + { + "ranking": 2872, + "title": "OSS 117: Lost in Rio", + "year": "2009", + "runtime": 100, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.11, + "vote_count": 1454, + "description": "In 1967, OSS 117 is sent to Brazil in order to retrieve a microfilm list of French Nazi sympathizers, only to once again unknowingly set foot into a bigger international intrigue.", + "poster": "https://image.tmdb.org/t/p/w500/rhv06T3gTFOShIVkQ0UipZFIyDw.jpg", + "url": "https://www.themoviedb.org/movie/15588", + "genres": [ + "Crime", + "Action", + "Comedy" + ], + "tags": [ + "hippie", + "rio de janeiro", + "secret agent" + ] + }, + { + "ranking": 2863, + "title": "Chef", + "year": "2014", + "runtime": 114, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.112, + "vote_count": 3360, + "description": "When Chef Carl Casper suddenly quits his job at a prominent Los Angeles restaurant after refusing to compromise his creative integrity for its controlling owner, he is left to figure out what's next. Finding himself in Miami, he teams up with his ex-wife, his friend and his son to launch a food truck. Taking to the road, Chef Carl goes back to his roots to reignite his passion for the kitchen -- and zest for life and love.", + "poster": "https://image.tmdb.org/t/p/w500/hyp8EXDmO4dSC8V6Q5jU7gD1kcg.jpg", + "url": "https://www.themoviedb.org/movie/212778", + "genres": [ + "Comedy" + ], + "tags": [ + "parent child relationship", + "restaurant owner", + "road trip", + "food", + "chef", + "ex-husband ex-wife relationship", + "semi autobiographical", + "twitter", + "social media", + "duringcreditsstinger", + "food truck", + "gastronomia" + ] + }, + { + "ranking": 2878, + "title": "The Invisible Man", + "year": "2020", + "runtime": 124, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.1, + "vote_count": 5819, + "description": "When Cecilia's abusive ex takes his own life and leaves her his fortune, she suspects his death was a hoax. As a series of coincidences turn lethal, Cecilia works to prove that she is being hunted by someone nobody can see.", + "poster": "https://image.tmdb.org/t/p/w500/5EufsDwXdY2CVttYOk2WtYhgKpa.jpg", + "url": "https://www.themoviedb.org/movie/570670", + "genres": [ + "Thriller", + "Science Fiction", + "Horror" + ], + "tags": [ + "based on novel or book", + "pregnancy", + "architect", + "fake suicide", + "stalker", + "murder", + "domestic abuse", + "scientist", + "police detective", + "death", + "invisible person", + "mental hospital", + "angry", + "woman in peril", + "invisible man", + "frightened" + ] + }, + { + "ranking": 2864, + "title": "Calvary", + "year": "2014", + "runtime": 102, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.112, + "vote_count": 971, + "description": "After being threatened during a confession, a good-natured priest must battle the dark forces closing in around him.", + "poster": "https://image.tmdb.org/t/p/w500/dQMjyTA3L2pPkMGzh3bhrDQbhWy.jpg", + "url": "https://www.themoviedb.org/movie/157832", + "genres": [ + "Drama" + ], + "tags": [ + "priest", + "ireland", + "recovering alcoholic", + "catholic church", + "confessional", + "death threat" + ] + }, + { + "ranking": 2876, + "title": "Finding Forrester", + "year": "2000", + "runtime": 136, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.111, + "vote_count": 1113, + "description": "Gus Van Sant tells the story of a young African American man named Jamal who confronts his talents while living on the streets of the Bronx. He accidentally runs into an old writer named Forrester who discovers his passion for writing. With help from his new mentor Jamal receives a scholarship to a private school.", + "poster": "https://image.tmdb.org/t/p/w500/chd9bCGNYtzDoJqGw5wUHlhrkOb.jpg", + "url": "https://www.themoviedb.org/movie/711", + "genres": [ + "Drama", + "History" + ], + "tags": [ + "dying and death", + "high school", + "friendship", + "scholarship", + "sibling relationship", + "based on novel or book", + "unsociability", + "becoming an adult", + "upper class", + "scotland", + "poetry", + "literature", + "professor", + "mentor", + "intellectually gifted", + "plagiarism", + "literature competition", + "private school", + "manuscript", + "seclusion", + "pulitzer prize", + "father figure" + ] + }, + { + "ranking": 2868, + "title": "St. Vincent", + "year": "2014", + "runtime": 102, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.1, + "vote_count": 1924, + "description": "A young boy whose parents just divorced finds an unlikely friend and mentor in the misanthropic, bawdy, hedonistic, war veteran who lives next door.", + "poster": "https://image.tmdb.org/t/p/w500/1bb7MTHCIPhpKZFysDpxNaNrdMk.jpg", + "url": "https://www.themoviedb.org/movie/239563", + "genres": [ + "Comedy" + ], + "tags": [ + "friendship", + "babysitter", + "neighbor", + "divorce", + "child of divorce" + ] + }, + { + "ranking": 2861, + "title": "Anomalisa", + "year": "2015", + "runtime": 91, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.112, + "vote_count": 1720, + "description": "An inspirational speaker becomes reinvigorated after meeting a lively woman who shakes up his mundane existence.", + "poster": "https://image.tmdb.org/t/p/w500/4DJ1zNr4Y6q7zQ27goEYla46VdO.jpg", + "url": "https://www.themoviedb.org/movie/291270", + "genres": [ + "Animation", + "Drama", + "Romance", + "Comedy" + ], + "tags": [ + "depression", + "nightmare", + "love at first sight", + "puppet", + "stop motion", + "adult animation", + "existentialism", + "convention", + "anti-depressant" + ] + }, + { + "ranking": 2862, + "title": "Sapphire Blue", + "year": "2014", + "runtime": 116, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.112, + "vote_count": 999, + "description": "Gwen has just discovered, that she's the final member of the secret time-traveling Circle of Twelve. Now she has to juggle with constant trips to the past, her relationships with Gideon and figuring out dark secrets surrounding the Circle.", + "poster": "https://image.tmdb.org/t/p/w500/kxRqokSkj6HWuwVCbnddPFg73CM.jpg", + "url": "https://www.themoviedb.org/movie/279229", + "genres": [ + "Fantasy", + "Romance", + "Drama" + ], + "tags": [ + "time travel", + "woman director", + "teenage romance", + "based on young adult novel" + ] + }, + { + "ranking": 2877, + "title": "Wallace & Gromit: The Curse of the Were-Rabbit", + "year": "2005", + "runtime": 85, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.109, + "vote_count": 2847, + "description": "Cheese-loving eccentric Wallace and his cunning canine pal, Gromit, investigate a mystery in Nick Park's animated adventure, in which the lovable inventor and his intrepid pup run a business ridding the town of garden pests. Using only humane methods that turn their home into a halfway house for evicted vermin, the pair stumble upon a mystery involving a voracious vegetarian monster that threatens to ruin the annual veggie-growing contest.", + "poster": "https://image.tmdb.org/t/p/w500/cMQ2lNd7sBe6PCf6zF5QxrKzbRG.jpg", + "url": "https://www.themoviedb.org/movie/533", + "genres": [ + "Adventure", + "Animation", + "Comedy", + "Family" + ], + "tags": [ + "northern england", + "hunter", + "competition", + "village", + "garden", + "villain", + "parody", + "vegetable", + "yorkshire", + "stop motion", + "contest", + "dog", + "rabbit", + "pest control", + "giant vegetable", + "claymation", + "plasticine", + "joyous", + "whimsical" + ] + }, + { + "ranking": 2869, + "title": "Two Brothers", + "year": "2004", + "runtime": 109, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.1, + "vote_count": 830, + "description": "Two tigers are separated as cubs and taken into captivity, only to be reunited years later as enemies by an explorer (Pearce) who inadvertently forces them to fight each other.", + "poster": "https://image.tmdb.org/t/p/w500/5I2pRuJI3SZVsxP5iaorGaczzkI.jpg", + "url": "https://www.themoviedb.org/movie/1997", + "genres": [ + "Adventure", + "Drama", + "Family" + ], + "tags": [ + "governor", + "cambodia", + "sibling relationship", + "chase", + "tiger", + "loss of loved one", + "royalty", + "traveling circus", + "archaeologist" + ] + }, + { + "ranking": 2873, + "title": "Bitter Moon", + "year": "1992", + "runtime": 139, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.11, + "vote_count": 777, + "description": "A passenger on a cruise ship develops an irresistible infatuation with an eccentric paraplegic's wife.", + "poster": "https://image.tmdb.org/t/p/w500/qU9hqUSGyQfbkEdqluX21nWVcp9.jpg", + "url": "https://www.themoviedb.org/movie/10497", + "genres": [ + "Thriller", + "Drama", + "Romance" + ], + "tags": [ + "marriage crisis", + "married couple", + "eroticism", + "cruise", + "wheelchair", + "longing", + "paralysis", + "sadomasochism", + "voyeurism" + ] + }, + { + "ranking": 2879, + "title": "Paprika", + "year": "1991", + "runtime": 116, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.1, + "vote_count": 519, + "description": "Mimma starts working in Madame Colette’s brothel to help her boyfriend financially. There she is rechristened “Paprika,” and falls in love with her first client, naval officer Franco. Despite this attraction, she begins her climb through the sex trade, residing in Italy’s most illustrious brothels.", + "poster": "https://image.tmdb.org/t/p/w500/A2VdIkrwBtfbZphrzxpIvEfetjl.jpg", + "url": "https://www.themoviedb.org/movie/50270", + "genres": [ + "Drama" + ], + "tags": [ + "prostitute", + "based on novel or book", + "self sacrifice", + "rome, italy", + "italy", + "brothel", + "pimp", + "marriage", + "train", + "prostitution", + "suburb", + "softcore", + "erotic movie" + ] + }, + { + "ranking": 2874, + "title": "United 93", + "year": "2006", + "runtime": 111, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.1, + "vote_count": 1510, + "description": "A real-time account of the events on United Flight 93, one of the planes hijacked on 9/11 that crashed near Shanksville, Pennsylvania when passengers foiled the terrorist plot.", + "poster": "https://image.tmdb.org/t/p/w500/r3mdSgsnpoi4UiUufdybhjha68t.jpg", + "url": "https://www.themoviedb.org/movie/9829", + "genres": [ + "Drama", + "History", + "Crime", + "Thriller", + "Action" + ], + "tags": [ + "airplane", + "war on terror", + "hijacking", + "terror cell", + "emergency landing", + "airplane hijacking", + "terrorism", + "9/11", + "real time", + "terrorist group", + "al qaeda", + "human made disaster", + "bold", + "tragic" + ] + }, + { + "ranking": 2885, + "title": "Paprika", + "year": "1991", + "runtime": 116, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.1, + "vote_count": 519, + "description": "Mimma starts working in Madame Colette’s brothel to help her boyfriend financially. There she is rechristened “Paprika,” and falls in love with her first client, naval officer Franco. Despite this attraction, she begins her climb through the sex trade, residing in Italy’s most illustrious brothels.", + "poster": "https://image.tmdb.org/t/p/w500/A2VdIkrwBtfbZphrzxpIvEfetjl.jpg", + "url": "https://www.themoviedb.org/movie/50270", + "genres": [ + "Drama" + ], + "tags": [ + "prostitute", + "based on novel or book", + "self sacrifice", + "rome, italy", + "italy", + "brothel", + "pimp", + "marriage", + "train", + "prostitution", + "suburb", + "softcore", + "erotic movie" + ] + }, + { + "ranking": 2882, + "title": "Suicide Squad: Hell to Pay", + "year": "2018", + "runtime": 86, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.1, + "vote_count": 673, + "description": "It’s batter up at Belle Reve and that can only mean that Amanda Waller, the penitentiary’s cold and calculating warden, has a mission that only the damned will take on. It’s time to unleash Task Force X again, stacked with seasoned vets such as Deadshot, Captain Boomerang and Harley Quinn, these crafty criminals are joined by newcomers Copperhead, Killer Frost and the martial art master, Bronze Tiger! With the target objective being a mystical object so powerful that they’re willing to risk their own lives to steal it, you can be sure it will be collision of chaos, gunfire and attitudes. So, take aim for a raging road trip with the Suicide Squad!", + "poster": "https://image.tmdb.org/t/p/w500/va1IgsZeWBbKLsZcFwz3CM1MkMu.jpg", + "url": "https://www.themoviedb.org/movie/487242", + "genres": [ + "Science Fiction", + "Action", + "Animation", + "Fantasy" + ], + "tags": [ + "based on comic", + "adult animation", + "dc animated movie universe" + ] + }, + { + "ranking": 2881, + "title": "Vicky and Her Mystery", + "year": "2021", + "runtime": 84, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.1, + "vote_count": 500, + "description": "Stéphane decides to move to the beautiful mountains of Cantal in order to reconnect with his 8-year-old daughter, Victoria, who has been silent since her mother's disappearance. During a walk in the forest, a shepherd gives Victoria a puppy named \"Mystery\" who will gradually give her a taste for life. But very quickly, Stéphane discovers that the animal is in reality a wolf… Despite the warnings and the danger of this situation, he cannot bring himself to separate his daughter from this seemingly harmless ball of hair.", + "poster": "https://image.tmdb.org/t/p/w500/xXZ4yhyss7DGrp7a1EVHaAStfwr.jpg", + "url": "https://www.themoviedb.org/movie/754067", + "genres": [ + "Adventure", + "Family", + "Drama" + ], + "tags": [ + "france", + "wolf", + "based on true story" + ] + }, + { + "ranking": 2887, + "title": "Show Me Love", + "year": "1998", + "runtime": 89, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.1, + "vote_count": 544, + "description": "Two teenage girls in small-town Sweden. Elin is beautiful, popular, and bored with life. Agnes is friendless, sad, and secretly in love with Elin.", + "poster": "https://image.tmdb.org/t/p/w500/nqpYdu7guZf5qSPQceUl7ifrjD4.jpg", + "url": "https://www.themoviedb.org/movie/11634", + "genres": [ + "Comedy", + "Romance", + "Drama" + ], + "tags": [ + "coming out", + "small town", + "adolescence", + "sweden", + "coming of age", + "lesbian relationship", + "teen movie", + "teenage love", + "lgbt", + "lgbt teen", + "school life", + "lesbian", + "teenager" + ] + }, + { + "ranking": 2884, + "title": "Toc Toc", + "year": "2017", + "runtime": 92, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.1, + "vote_count": 1225, + "description": "A group of patients meet at a prestigious psychologist's office. Apart from the day and time of the appointment, something else unites them all: all six suffer from OCD. But the plane bringing the doctor is unexpectedly delayed, which forces them to spend an endless wait until the doctor shows up. Will they be able to keep their manias, impulses, convulsions, obsessions and rituals at bay during the wait?", + "poster": "https://image.tmdb.org/t/p/w500/qKrYZOXuayCcqJri6vwfzA8kCxu.jpg", + "url": "https://www.themoviedb.org/movie/437033", + "genres": [ + "Comedy" + ], + "tags": [ + "obsessive compulsive disorder (ocd)" + ] + }, + { + "ranking": 2894, + "title": "Immortal Beloved", + "year": "1994", + "runtime": 121, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.1, + "vote_count": 339, + "description": "A chronicle of the life of infamous classical composer Ludwig van Beethoven and his painful struggle with hearing loss. Following Beethoven's death in 1827, his assistant, Schindler, searches for an elusive woman referred to in the composer's love letters as \"immortal beloved.\" As Schindler solves the mystery, a series of flashbacks reveal Beethoven's transformation from passionate young man to troubled musical genius.", + "poster": "https://image.tmdb.org/t/p/w500/lkqz2R5pjXeDaiIjR3Z6JTGjtg6.jpg", + "url": "https://www.themoviedb.org/movie/13701", + "genres": [ + "Drama", + "Music", + "Romance" + ], + "tags": [ + "composer", + "deaf", + "letter", + "biography", + "sister-in-law", + "character study", + "uncle nephew relationship", + "für elise", + "ludwig van beethoven" + ] + }, + { + "ranking": 2891, + "title": "Planet Hulk", + "year": "2010", + "runtime": 81, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.1, + "vote_count": 508, + "description": "When the Hulk's presence on Earth becomes too great a risk, the Illuminati trick him to board a shuttle destined for a planet where he will be able to live in peace, and launch it into space. The Hulk's struggle to escape causes the shuttle to malfunction and crash land on the planet Sakaar, however, where he is sold into slavery and trained as a gladiator.", + "poster": "https://image.tmdb.org/t/p/w500/5wCzY3sAs6zHIzzHIcTKN2g0pu8.jpg", + "url": "https://www.themoviedb.org/movie/30675", + "genres": [ + "Science Fiction", + "Animation", + "Action", + "Fantasy" + ], + "tags": [ + "rebellion", + "superhero", + "illuminati", + "based on comic", + "superhuman strength", + "space adventure", + "sword and planet", + "rebel leader", + "animation", + "coliseum" + ] + }, + { + "ranking": 2896, + "title": "Who Am I?", + "year": "1998", + "runtime": 120, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.105, + "vote_count": 893, + "description": "A group of covert CIA operatives trailing a potential new energy source are double-crossed by corrupt agent Morgan, who causes a helicopter crash in remote South Africa. The sole survivor, suffering severe amnesia, is nursed to recovery by a kindly native tribe who call him \"Whoami\" after the question he keeps asking. With the help of a mysterious reporter Christine, Whoami pieces together his past and tracks the turncoat agent and his criminal cohorts.", + "poster": "https://image.tmdb.org/t/p/w500/9YDKLbBmWGpxG5bO3TBawtNNOAr.jpg", + "url": "https://www.themoviedb.org/movie/8697", + "genres": [ + "Adventure", + "Action", + "Comedy", + "Thriller" + ], + "tags": [ + "airplane", + "fight", + "africa", + "secret agent", + "fistfight", + "commando" + ] + }, + { + "ranking": 2900, + "title": "One Piece: The Movie", + "year": "2000", + "runtime": 51, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.103, + "vote_count": 345, + "description": "There once was a pirate known as the Great Gold Pirate Woonan, who obtained almost one-third of the world's gold. Over the course of a few years, the pirate's existence faded, and a legend grew that he disappeared with his gold to a remote island, an island pirates continue to search for. Aboard the Going Merry, Luffy and his crew, starved and reckless, are robbed of their treasure. In an attempt to get it back, they wreck the getaway ship, guided by a young boy named Tobio, who's a captured part of El Drago's pirate crew. El Drago's love for gold has driven him to look for Woonan's island, and thanks to Woonan's treasure map, he finds it. During this time, Luffy's crew have been split up, and despite their own circumstances, they must find a way to stop El Drago from obtaining Woonan's gold.", + "poster": "https://image.tmdb.org/t/p/w500/aRqQNSuXpcE3dkJC43aEg9f2HXd.jpg", + "url": "https://www.themoviedb.org/movie/19576", + "genres": [ + "Action", + "Animation", + "Adventure", + "Comedy", + "Fantasy" + ], + "tags": [ + "pirate gang", + "treasure hunt", + "pirate", + "shounen", + "anime" + ] + }, + { + "ranking": 2895, + "title": "Life As A House", + "year": "2001", + "runtime": 125, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.105, + "vote_count": 414, + "description": "When a man is diagnosed with terminal cancer, he takes custody of his misanthropic teenage son, for whom quality time means getting high, engaging in small-time prostitution, and avoiding his father.", + "poster": "https://image.tmdb.org/t/p/w500/qNFlcei9vWh5NCRTVrs52qDvUmq.jpg", + "url": "https://www.themoviedb.org/movie/11457", + "genres": [ + "Drama" + ], + "tags": [ + "california", + "parent child relationship", + "house", + "cancer", + "juvenile delinquent", + "drugs", + "divorce", + "family", + "fired from the job", + "second chance", + "ex-wife", + "unemployment", + "building a house", + "father son relationship" + ] + }, + { + "ranking": 2888, + "title": "Love Actually", + "year": "2003", + "runtime": 135, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.1, + "vote_count": 6926, + "description": "Eight London couples try to deal with their relationships in different ways. Their tryst with love makes them discover how complicated relationships can be.", + "poster": "https://image.tmdb.org/t/p/w500/7QPeVsr9rcFU9Gl90yg0gTOTpVv.jpg", + "url": "https://www.themoviedb.org/movie/508", + "genres": [ + "Comedy", + "Romance", + "Drama" + ], + "tags": [ + "london, england", + "usa president", + "rock star", + "school performance", + "love at first sight", + "holiday", + "war on terror", + "marseille, france", + "office", + "christmas party", + "language barrier", + "prime minister", + "press conference", + "bars and restaurants", + "valentine's day", + "heathrow airport", + "multiple storylines", + "christmas", + "lighthearted" + ] + }, + { + "ranking": 2890, + "title": "Snowden", + "year": "2016", + "runtime": 134, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.105, + "vote_count": 4393, + "description": "CIA employee Edward Snowden leaks thousands of classified documents to the press.", + "poster": "https://image.tmdb.org/t/p/w500/yfK7zxNL63VWfluFuoUaJj5PdNw.jpg", + "url": "https://www.themoviedb.org/movie/302401", + "genres": [ + "Drama", + "History", + "Crime", + "Thriller" + ], + "tags": [ + "biography", + "idealism", + "idealist", + "national security agency (nsa)", + "surveillance", + "whistleblower", + "political thriller", + "fighting the system", + "five eyes" + ] + }, + { + "ranking": 2889, + "title": "The First King", + "year": "2019", + "runtime": 123, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.1, + "vote_count": 1110, + "description": "Romulus and Remus, two shepherds and loyal brothers, end up taking part to a journey that will lead one of them to be the founder of the greatest nation ever seen. However, the fate of the chosen one will pass from killing his own brother.", + "poster": "https://image.tmdb.org/t/p/w500/dqBU63M3cKy7pfVsmhrbgY5X8iv.jpg", + "url": "https://www.themoviedb.org/movie/565179", + "genres": [ + "History", + "Drama" + ], + "tags": [ + "rome, italy", + "italy", + "romulus", + "roman" + ] + }, + { + "ranking": 2883, + "title": "The Disaster Artist", + "year": "2017", + "runtime": 104, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.108, + "vote_count": 3557, + "description": "An aspiring actor in Hollywood meets an enigmatic stranger by the name of Tommy Wiseau, the meeting leads the actor down a path nobody could have predicted; creating the worst movie ever made.", + "poster": "https://image.tmdb.org/t/p/w500/2HuLGiyH0TPYxnCvYHAxc8K738o.jpg", + "url": "https://www.themoviedb.org/movie/371638", + "genres": [ + "Comedy", + "Drama" + ], + "tags": [ + "immigrant", + "jealousy", + "based on novel or book", + "ambition", + "biography", + "based on true story", + "behind the scenes", + "disaster", + "hollywood", + "desire", + "aftercreditsstinger", + "duringcreditsstinger", + "wealthy man", + "strange behavior", + "strange person", + "socially awkward", + "film production" + ] + }, + { + "ranking": 2899, + "title": "The Goddess of Fortune", + "year": "2019", + "runtime": 114, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.1, + "vote_count": 510, + "description": "Alessandro and Arturo have been together for over 15 years and, despite the feeling they still have for each other, their relationship is now at crisis. When Alessandro’s best friend, out of the blue, asks them to take care of her two kids for a few days, something changes in their daily routine and love will drive them to a crazy and unexpected turn in their life.", + "poster": "https://image.tmdb.org/t/p/w500/j8ArEpu81pYN77zMcodSPvH3S0J.jpg", + "url": "https://www.themoviedb.org/movie/606952", + "genres": [ + "Drama" + ], + "tags": [ + "male homosexuality", + "italian family", + "gay theme" + ] + }, + { + "ranking": 2893, + "title": "Boy A", + "year": "2007", + "runtime": 106, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.1, + "vote_count": 462, + "description": "Freed after a lengthy term in a juvenile detention center, convicted child killer Jack Burridge finds work as a deliveryman and begins dating co-worker Michelle. While out on the road one day, Jack notices a distressed child, and, after reuniting the girl with her family, becomes a local celebrity. But when a local newspaper unearths his past, Jack must cope with the anger of citizens who fear for the safety of their children.", + "poster": "https://image.tmdb.org/t/p/w500/wrQQUjeiHFPvTfaaB3vtNLLZ8kv.jpg", + "url": "https://www.themoviedb.org/movie/14748", + "genres": [ + "Crime", + "Drama" + ], + "tags": [ + "child abuse", + "rape", + "based on novel or book", + "parent child relationship", + "rehabilitation", + "based on true story", + "coming of age", + "criminal", + "incest", + "childhood", + "haunted by the past", + "moral dilemma", + "violent youth" + ] + }, + { + "ranking": 2892, + "title": "Mickey's Once Upon a Christmas", + "year": "1999", + "runtime": 66, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.1, + "vote_count": 677, + "description": "Mickey, Minnie, and their famous friends Goofy, Donald, Daisy and Pluto gather together to reminisce about the love, magic and surprises in three wonder-filled stories of Christmas past.", + "poster": "https://image.tmdb.org/t/p/w500/b6h6HwucncSxn06sMNROJ9apLC5.jpg", + "url": "https://www.themoviedb.org/movie/15400", + "genres": [ + "Animation", + "Family", + "Comedy" + ], + "tags": [ + "winter", + "anthology", + "time loop", + "snowing", + "woman director", + "christmas" + ] + }, + { + "ranking": 2886, + "title": "Little White Lies", + "year": "2010", + "runtime": 154, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.107, + "vote_count": 1567, + "description": "Despite a traumatic event, a group of friends decide to go ahead with their annual beach vacation. Their relationships, convictions, sense of guilt and friendship are sorely tested. They are finally forced to own up to the little white lies they've been telling each other.", + "poster": "https://image.tmdb.org/t/p/w500/djypJtQfUxeEMh6kc0aRzIoN9UR.jpg", + "url": "https://www.themoviedb.org/movie/48034", + "genres": [ + "Comedy", + "Drama" + ], + "tags": [ + "parent child relationship", + "boat", + "country house", + "thirty something", + "beach house", + "organic food", + "weasel", + "group of friends", + "reprimand", + "declaration of love", + "texting", + "low tide", + "forced", + "interrupted vacation", + "osteopath", + "lovesick" + ] + }, + { + "ranking": 2898, + "title": "Fahrenheit 451", + "year": "1966", + "runtime": 113, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.104, + "vote_count": 994, + "description": "In the future, the government maintains control of public opinion by outlawing literature and maintaining a group of enforcers, known as “firemen,” to perform the necessary book burnings. Fireman Montag begins to question the morality of his vocation…", + "poster": "https://image.tmdb.org/t/p/w500/k2CTpexoS9MO9lKVFfnzwVdJuM.jpg", + "url": "https://www.themoviedb.org/movie/1714", + "genres": [ + "Drama", + "Science Fiction" + ], + "tags": [ + "husband wife relationship", + "based on novel or book", + "dystopia", + "totalitarian regime", + "book burning", + "co-workers relationship", + "firefighter", + "political repression", + "bookworm" + ] + }, + { + "ranking": 2897, + "title": "Take the Money and Run", + "year": "1969", + "runtime": 85, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.1, + "vote_count": 751, + "description": "Virgil Starkwell is intent on becoming a notorious bank robber. Unfortunately for Virgil and his not-so-budding career, he is completely incompetent.", + "poster": "https://image.tmdb.org/t/p/w500/dT7cKFxsuHzSnDBxKeP5acoIpWZ.jpg", + "url": "https://www.themoviedb.org/movie/11485", + "genres": [ + "Comedy", + "Crime" + ], + "tags": [ + "prison", + "pickpocket", + "bad luck", + "jinx", + "wedding" + ] + }, + { + "ranking": 2901, + "title": "The Big Boss", + "year": "1971", + "runtime": 99, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.1, + "vote_count": 758, + "description": "Cheng is a young Chinese mainlander who moves in with his expatriate cousins to work at an ice factory in Thailand. He does this with a family promise never to get involved in any fights. However, when members of his family begin disappearing after meeting the management of the factory, the resulting mystery and pressures force him to break that vow and take on the villainy of the Big Boss.", + "poster": "https://image.tmdb.org/t/p/w500/9VFYDWYnAhXAgyqgs94lwNmMBbk.jpg", + "url": "https://www.themoviedb.org/movie/12481", + "genres": [ + "Action" + ], + "tags": [ + "factory worker", + "factory", + "mother", + "martial arts", + "kung fu", + "prostitute", + "smuggling (contraband)", + "boss", + "promise", + "drugs", + "east asian lead", + "family", + "management" + ] + }, + { + "ranking": 2904, + "title": "Constantine", + "year": "2005", + "runtime": 121, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.1, + "vote_count": 7401, + "description": "John Constantine has literally been to Hell and back. When he teams up with a policewoman to solve the mysterious suicide of her twin sister, their investigation takes them through the world of demons and angels that exists beneath the landscape of contemporary Los Angeles.", + "poster": "https://image.tmdb.org/t/p/w500/vPYgvd2MwHlxTamAOjwVQp4qs1W.jpg", + "url": "https://www.themoviedb.org/movie/561", + "genres": [ + "Fantasy", + "Action", + "Horror" + ], + "tags": [ + "self sacrifice", + "angel", + "christianity", + "confession", + "superhero", + "supernatural", + "exorcism", + "archangel gabriel", + "holy water", + "redemption", + "based on comic", + "lucifer", + "demon", + "occult", + "aftercreditsstinger", + "mysticism", + "supernatural power", + "good versus evil" + ] + }, + { + "ranking": 2918, + "title": "Godzilla x Kong: The New Empire", + "year": "2024", + "runtime": 115, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.1, + "vote_count": 4127, + "description": "Following their explosive showdown, Godzilla and Kong must reunite against a colossal undiscovered threat hidden within our world, challenging their very existence – and our own.", + "poster": "https://image.tmdb.org/t/p/w500/z1p34vh7dEOnLDmyCrlUVLuoDzd.jpg", + "url": "https://www.themoviedb.org/movie/823464", + "genres": [ + "Action", + "Adventure", + "Science Fiction" + ], + "tags": [ + "giant monster", + "sequel", + "dinosaur", + "monkey", + "kaiju", + "fantasy world", + "giant ape", + "langue française", + "godzilla", + "king kong" + ] + }, + { + "ranking": 2919, + "title": "The Outfit", + "year": "2022", + "runtime": 105, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.1, + "vote_count": 1163, + "description": "Leonard is an English tailor who used to craft suits on London’s world-famous Savile Row. After a personal tragedy, he’s ended up in Chicago, operating a small tailor shop in a rough part of town where he makes beautiful clothes for the only people around who can afford them: a family of vicious gangsters.", + "poster": "https://image.tmdb.org/t/p/w500/lZa5EB6PVJBT5mxhgZS5ftqdAm6.jpg", + "url": "https://www.themoviedb.org/movie/799876", + "genres": [ + "Crime", + "Drama", + "Thriller", + "Mystery" + ], + "tags": [ + "chicago, illinois", + "murder", + "mobster", + "organized crime", + "psychological thriller", + "killer", + "double cross", + "tailor", + "one night", + "mysterious", + "1950s", + "single-set", + "gangsters", + "suspenseful", + "intense" + ] + }, + { + "ranking": 2915, + "title": "The Son's Room", + "year": "2001", + "runtime": 99, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.1, + "vote_count": 507, + "description": "A psychoanalyst and his family go through profound emotional trauma when their son dies in a scuba diving accident.", + "poster": "https://image.tmdb.org/t/p/w500/mUeDLodG63QSGBEGWDYZIsYjhok.jpg", + "url": "https://www.themoviedb.org/movie/11447", + "genres": [ + "Drama" + ], + "tags": [ + "stroke of fate", + "diving", + "therapist", + "marriage crisis", + "sadness", + "family's daily life", + "psychoanalysis", + "profession", + "jogging", + "calamity", + "harmony" + ] + }, + { + "ranking": 2902, + "title": "National Lampoon's Vacation", + "year": "1983", + "runtime": 99, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.1, + "vote_count": 1583, + "description": "Clark Griswold is on a quest to take his family to the Walley World theme park for a vacation, but things don't go exactly as planned.", + "poster": "https://image.tmdb.org/t/p/w500/q3DvoqY06yZnRp9faH6uge7n7VP.jpg", + "url": "https://www.themoviedb.org/movie/11153", + "genres": [ + "Comedy", + "Adventure" + ], + "tags": [ + "holiday", + "vacation", + "relatives", + "road trip", + "domestic life", + "family vacation", + "family holiday", + "amusement park", + "theme park", + "duringcreditsstinger", + "trip" + ] + }, + { + "ranking": 2910, + "title": "What Maisie Knew", + "year": "2013", + "runtime": 99, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.1, + "vote_count": 419, + "description": "In New York City, a young girl is caught in the middle of her parents' bitter custody battle.", + "poster": "https://image.tmdb.org/t/p/w500/1unkWKdT68ba6NdiSsPqzJeylxc.jpg", + "url": "https://www.themoviedb.org/movie/127373", + "genres": [ + "Drama" + ], + "tags": [] + }, + { + "ranking": 2908, + "title": "TÁR", + "year": "2022", + "runtime": 158, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.1, + "vote_count": 1319, + "description": "As celebrated conductor Lydia Tár starts rehearsals for a career-defining symphony, the consequences of her past choices begin to echo in the present.", + "poster": "https://image.tmdb.org/t/p/w500/dRVAlaU0vbG6hMf2K45NSiIyoUe.jpg", + "url": "https://www.themoviedb.org/movie/817758", + "genres": [ + "Music", + "Drama" + ], + "tags": [ + "infidelity", + "new york city", + "berlin, germany", + "composer", + "musician", + "classical music", + "conductor", + "orchestra", + "philippines", + "lgbt", + "character study", + "adopted child", + "concert pianist", + "fictional biography", + "metoo", + "cancel culture" + ] + }, + { + "ranking": 2903, + "title": "Lords of Dogtown", + "year": "2005", + "runtime": 107, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.1, + "vote_count": 760, + "description": "The radical true story behind three teenage surfers from Venice Beach, California, who took skateboarding to the extreme and changed the world of sports forever. Stacy Peralta, Tony Alva and Jay Adams are the Z-Boys, a bunch of nobodies until they create a new style of skateboarding that becomes a worldwide phenomenon. But when their hobby becomes a business, the success shreds their friendship.", + "poster": "https://image.tmdb.org/t/p/w500/k2NiPfydLSwmk28C6qpvpJPuqtq.jpg", + "url": "https://www.themoviedb.org/movie/9787", + "genres": [ + "Drama" + ], + "tags": [ + "skateboarding", + "1970s", + "success", + "based on true story", + "venice beach, california", + "woman director" + ] + }, + { + "ranking": 2909, + "title": "A Ghost Story", + "year": "2017", + "runtime": 93, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.1, + "vote_count": 2351, + "description": "Recently deceased, a white-sheeted ghost returns to his suburban home to console his bereft wife, only to find that in his spectral state he has become unstuck in time, forced to watch passively as the life he knew and the woman he loves slowly slip away.", + "poster": "https://image.tmdb.org/t/p/w500/rp5JPIyZi9sMob15l46zNQLe5cO.jpg", + "url": "https://www.themoviedb.org/movie/428449", + "genres": [ + "Drama", + "Fantasy", + "Mystery", + "Romance" + ], + "tags": [ + "sadness", + "house", + "loss", + "grief", + "morality", + "construction", + "death", + "ghost", + "piano" + ] + }, + { + "ranking": 2911, + "title": "Pinocchio", + "year": "1940", + "runtime": 88, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.1, + "vote_count": 5918, + "description": "A little wooden puppet yearns to become a real boy.", + "poster": "https://image.tmdb.org/t/p/w500/bnZJrLRnoQHpzEJdka1KYfsAF3N.jpg", + "url": "https://www.themoviedb.org/movie/10895", + "genres": [ + "Animation", + "Family", + "Fantasy" + ], + "tags": [ + "rescue", + "sea", + "child abuse", + "based on novel or book", + "magic", + "whale", + "italy", + "donkey", + "lie", + "fairy", + "fox", + "cartoon", + "villain", + "carnival", + "wish", + "puppet", + "nose", + "conscience", + "wish fulfillment", + "toy comes to life", + "animal cruelty", + "child slavery", + "pool", + "boy", + "cartoon donkey" + ] + }, + { + "ranking": 2917, + "title": "Notes on a Scandal", + "year": "2006", + "runtime": 92, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.1, + "vote_count": 911, + "description": "A veteran high school teacher befriends a younger art teacher, who is having an affair with one of her 15-year-old students. However, her intentions with this new \"friend\" also go well beyond platonic friendship.", + "poster": "https://image.tmdb.org/t/p/w500/ieX6ZO2Kf2qjoIBXbQW5awivbhY.jpg", + "url": "https://www.themoviedb.org/movie/1259", + "genres": [ + "Drama", + "Romance" + ], + "tags": [ + "adultery", + "infidelity", + "friendship", + "based on novel or book", + "obsession", + "blackmail", + "seduction", + "stalker", + "teacher", + "love", + "loneliness", + "conservative", + "relationship", + "art", + "extramarital affair", + "angry", + "antagonistic", + "audacious", + "condescending" + ] + }, + { + "ranking": 2905, + "title": "The Realm", + "year": "2018", + "runtime": 132, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.1, + "vote_count": 435, + "description": "Manuel, a Spanish politician whose high-class lifestyle is based on nefarious and illegal business threatens to break his entire party after a newspaper exposes him to the public eye. Rather than admit to any wrongdoing, he decides to sell out his whole party in an effort to avoid jail time. It's a decision that will put many lives at risk.", + "poster": "https://image.tmdb.org/t/p/w500/dDPCNOLjf6UoZmGp8RtrqSdw0HF.jpg", + "url": "https://www.themoviedb.org/movie/517331", + "genres": [ + "Thriller", + "Mystery", + "Drama" + ], + "tags": [ + "spain", + "corruption", + "fraud", + "politician", + "treason", + "treachery" + ] + }, + { + "ranking": 2912, + "title": "The Poseidon Adventure", + "year": "1972", + "runtime": 117, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.1, + "vote_count": 907, + "description": "When their ocean liner capsizes, a group of passengers struggle to survive and escape.", + "poster": "https://image.tmdb.org/t/p/w500/6RGiA5BfhelU9zoD0b1GAG4GWWf.jpg", + "url": "https://www.themoviedb.org/movie/551", + "genres": [ + "Adventure", + "Drama", + "Thriller" + ], + "tags": [ + "new year's eve", + "sea", + "ship", + "prostitute", + "husband wife relationship", + "life and death", + "sibling relationship", + "based on novel or book", + "faith", + "ocean", + "1970s", + "wave", + "shipwreck", + "natural disaster", + "cruise", + "seaquake", + "ocean liner", + "travel", + "disaster", + "capsized ship", + "tidal wave", + "disaster movie" + ] + }, + { + "ranking": 2920, + "title": "Starred Up", + "year": "2014", + "runtime": 106, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.1, + "vote_count": 951, + "description": "19-year-old Eric, arrogant and ultra-violent, is prematurely transferred to the same adult prison facility as his estranged father. As his explosive temper quickly finds him enemies in both prison authorities and fellow inmates — and his already volatile relationship with his father is pushed past breaking point — Eric is approached by a volunteer psychotherapist, who runs an anger management group for prisoners. Torn between gang politics, prison corruption, and a glimmer of something better, Eric finds himself in a fight for his own life, unsure if his own father is there to protect him or join in punishing him.", + "poster": "https://image.tmdb.org/t/p/w500/e1DRGfyRxYQclvJOJiXwAw5gDg2.jpg", + "url": "https://www.themoviedb.org/movie/209276", + "genres": [ + "Drama" + ], + "tags": [ + "prison", + "group therapy", + "juvenile delinquent", + "britain", + "gay parent", + "masculinity" + ] + }, + { + "ranking": 2906, + "title": "Paddington", + "year": "2014", + "runtime": 95, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.1, + "vote_count": 3851, + "description": "A young Peruvian bear travels to London in search of a new home. Finding himself lost and alone at Paddington Station, he meets the kindly Brown family.", + "poster": "https://image.tmdb.org/t/p/w500/wpchRGhRhvhtU083PfX2yixXtiw.jpg", + "url": "https://www.themoviedb.org/movie/116149", + "genres": [ + "Comedy", + "Adventure", + "Family" + ], + "tags": [ + "london, england", + "based on novel or book", + "peru", + "anthropomorphism", + "bear", + "based on children's book", + "family", + "talking to animals", + "children's book", + "taxidermist", + "live action and animation", + "personification", + "natural history museum" + ] + }, + { + "ranking": 2913, + "title": "Brother", + "year": "2000", + "runtime": 114, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.1, + "vote_count": 481, + "description": "A Japanese Yakuza gangster's deadly existence in his homeland gets him exiled to Los Angeles, where he is taken in by his little brother and his brother's gang.", + "poster": "https://image.tmdb.org/t/p/w500/rSRJozSafFFuiFT9XnwsE1ricHT.jpg", + "url": "https://www.themoviedb.org/movie/327", + "genres": [ + "Crime", + "Drama", + "Thriller" + ], + "tags": [ + "drug dealer", + "assassination", + "sibling relationship", + "culture clash", + "war on drugs", + "yakuza", + "sake", + "loyalty", + "femme fatale", + "los angeles, california" + ] + }, + { + "ranking": 2914, + "title": "Naruto Shippuden the Movie: The Lost Tower", + "year": "2010", + "runtime": 85, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.1, + "vote_count": 476, + "description": "Assigned on a mission to capture Mukade, a missing-nin, Naruto Uzumaki sets out for the once glorious historic ruins of \"Ouran\", where he pursues and corners the rouge ninja. Mukade's goal is revealed to be a dormant leyline within the ruins; he unleashes the power of the leyline, causing a light to envelop Naruto, sending him into the past, 20 years before the series began. When Naruto awakens, he comes into contact with the Fourth Hokage, Minato Namikaze.", + "poster": "https://image.tmdb.org/t/p/w500/6e2YvN1tQK4xQHlmy7GJTuXOt2u.jpg", + "url": "https://www.themoviedb.org/movie/50723", + "genres": [ + "Adventure", + "Action", + "Animation" + ], + "tags": [ + "ninja", + "shounen", + "anime", + "adventure" + ] + }, + { + "ranking": 2907, + "title": "Thirst", + "year": "2009", + "runtime": 134, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.102, + "vote_count": 964, + "description": "A respected priest volunteers for an experimental procedure that may lead to a cure for a deadly virus. He gets infected and dies, but a blood transfusion of unknown origin brings him back to life. Now, he’s torn between faith and bloodlust, and has a newfound desire for the wife of a childhood friend.", + "poster": "https://image.tmdb.org/t/p/w500/sFgvkGpXLTydvHqBCXw54OB8R0h.jpg", + "url": "https://www.themoviedb.org/movie/22536", + "genres": [ + "Drama", + "Horror", + "Thriller" + ], + "tags": [ + "vampire", + "priest", + "self mutilation", + "childhood friends", + "blood transfusion", + "confessional", + "catholic guilt", + "lesion", + "jumping off a building" + ] + }, + { + "ranking": 2916, + "title": "The Taming of the Scoundrel", + "year": "1980", + "runtime": 104, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.1, + "vote_count": 464, + "description": "A rich farmer is well known for being very unkind. He's misanthropic, misogynous and cantankerous. Until he meets by chance a gorgeous girl...", + "poster": "https://image.tmdb.org/t/p/w500/3B5MA242hHcnpf54hGWKbVovPmX.jpg", + "url": "https://www.themoviedb.org/movie/10986", + "genres": [ + "Comedy" + ], + "tags": [ + "commercial", + "vineyard", + "love of animals", + "lone wolf", + "strange person", + "conquest", + "winery", + "užsispyrelis", + "fermeris" + ] + }, + { + "ranking": 2922, + "title": "Sideways", + "year": "2004", + "runtime": 127, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.1, + "vote_count": 1707, + "description": "Two middle-aged men embark on a spiritual journey through Californian wine country. One is an unpublished novelist suffering from depression, and the other is only days away from walking down the aisle.", + "poster": "https://image.tmdb.org/t/p/w500/zOsaxYLgvZVU7cJBpPn8CuE0MrP.jpg", + "url": "https://www.themoviedb.org/movie/9675", + "genres": [ + "Comedy", + "Drama", + "Romance" + ], + "tags": [ + "california", + "based on novel or book", + "golf", + "wine", + "road trip", + "stag night", + "marijuana", + "writer", + "buddy", + "santa barbara, california", + "candid", + "wine drinking", + "winery", + "playful", + "romantic", + "whimsical", + "amused", + "antagonistic", + "cheerful", + "sincere", + "sympathetic" + ] + }, + { + "ranking": 2931, + "title": "La Femme Nikita", + "year": "1990", + "runtime": 117, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.096, + "vote_count": 1973, + "description": "A beautiful felon, sentenced to life in prison for the murder of a policeman, is given a second chance – as a secret political assassin controlled by the government.", + "poster": "https://image.tmdb.org/t/p/w500/1ulQDewUG4KKHOhpXdGKm3GdLFq.jpg", + "url": "https://www.themoviedb.org/movie/9322", + "genres": [ + "Action", + "Thriller" + ], + "tags": [ + "undercover agent", + "venice, italy", + "shotgun", + "secret identity", + "special unit", + "romance", + "secret government organization", + "hitwoman", + "female assassin", + "government assassin" + ] + }, + { + "ranking": 2925, + "title": "Gia", + "year": "1998", + "runtime": 120, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.1, + "vote_count": 764, + "description": "Gia Carangi meteorically rises to modeling fame in the late 1970s but becomes overconsumed by persistent loneliness and drug addiction.", + "poster": "https://image.tmdb.org/t/p/w500/8KxvKGl8lQembejIadDP03qjEYT.jpg", + "url": "https://www.themoviedb.org/movie/14533", + "genres": [ + "Romance", + "Drama" + ], + "tags": [ + "aids", + "biography", + "addiction", + "mockumentary", + "fashion", + "top model" + ] + }, + { + "ranking": 2933, + "title": "Tokyo Ghoul", + "year": "2017", + "runtime": 119, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.095, + "vote_count": 358, + "description": "A Tokyo college student is attacked by a ghoul, a super-powered human who feeds on human flesh. He survives, but has become part ghoul and becomes a fugitive on the run.", + "poster": "https://image.tmdb.org/t/p/w500/m6MzYJVfXMjN4E1JB2pc1iud3gI.jpg", + "url": "https://www.themoviedb.org/movie/433945", + "genres": [ + "Action", + "Drama", + "Thriller" + ], + "tags": [ + "based on manga", + "ghoul" + ] + }, + { + "ranking": 2921, + "title": "To Live and Die in L.A.", + "year": "1985", + "runtime": 116, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.099, + "vote_count": 679, + "description": "When his longtime partner on the force is killed, reckless U.S. Secret Service agent Richard Chance vows revenge, setting out to nab dangerous counterfeit artist Eric Masters.", + "poster": "https://image.tmdb.org/t/p/w500/2iW3pSihBIhXjnBQmUJ0mAiZbB5.jpg", + "url": "https://www.themoviedb.org/movie/9846", + "genres": [ + "Crime", + "Thriller", + "Action" + ], + "tags": [ + "hold-up robbery", + "bungee-jump", + "cop", + "revenge", + "counterfeit", + "los angeles, california", + "blunt", + "secret service", + "counterfeit money", + "mysterious", + "neo-noir", + "provocative", + "factual", + "suspenseful", + "intense", + "audacious", + "bold" + ] + }, + { + "ranking": 2934, + "title": "The Accountant", + "year": "2016", + "runtime": 128, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.095, + "vote_count": 6363, + "description": "As a math savant uncooks the books for a new client, the Treasury Department closes in on his activities and the body count starts to rise.", + "poster": "https://image.tmdb.org/t/p/w500/fceheXB5fC4WrLVuWJ6OZv9FXYr.jpg", + "url": "https://www.themoviedb.org/movie/302946", + "genres": [ + "Crime", + "Thriller", + "Drama" + ], + "tags": [ + "sniper", + "assassin", + "autism", + "money", + "gunfight", + "criminal", + "loner", + "numbers", + "accountant", + "brother brother relationship" + ] + }, + { + "ranking": 2924, + "title": "Frenzy", + "year": "1972", + "runtime": 116, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.1, + "vote_count": 915, + "description": "London is terrorized by a vicious sex killer known as The Necktie Murderer. Following the brutal slaying of his ex-wife, down-on-his-luck Richard Blaney is suspected by the police of being the killer. He goes on the run, determined to prove his innocence.", + "poster": "https://image.tmdb.org/t/p/w500/zDUR4PY5kyp2hpvbTvWSGiXVmgg.jpg", + "url": "https://www.themoviedb.org/movie/573", + "genres": [ + "Crime", + "Thriller", + "Horror" + ], + "tags": [ + "london, england", + "rape", + "police", + "girlfriend", + "truck", + "murder", + "serial killer", + "pin", + "ex-wife", + "necktie", + "sack", + "potatoes", + "produce seller" + ] + }, + { + "ranking": 2923, + "title": "Field of Dreams", + "year": "1989", + "runtime": 107, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.099, + "vote_count": 1532, + "description": "Ray Kinsella is an Iowa farmer who hears a mysterious voice telling him to turn his cornfield into a baseball diamond. He does, but the voice's directions don't stop -- even after the spirits of deceased ballplayers turn up to play.", + "poster": "https://image.tmdb.org/t/p/w500/vL7F8T9B6r4Uztpe1Hw4o63I1m1.jpg", + "url": "https://www.themoviedb.org/movie/2323", + "genres": [ + "Drama", + "Fantasy" + ], + "tags": [ + "farm", + "regret", + "based on novel or book", + "sports", + "baseball", + "iowa", + "miracle", + "road trip", + "author", + "doctor", + "recluse", + "pta", + "ghost", + "reconciliation", + "hearing voices", + "school board", + "cornfield" + ] + }, + { + "ranking": 2939, + "title": "Bullets Over Broadway", + "year": "1994", + "runtime": 98, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.1, + "vote_count": 629, + "description": "After young playwright, David Shayne obtains funding for his play from gangster Nick Valenti, Nick's girlfriend Olive miraculously lands the role of a psychiatrist—but not only is she a bimbo who could never pass for a psychiatrist—she's a dreadful actress. David puts up with the leading man who is a compulsive eater, the grand dame who wants her part jazzed up, and Olive's interfering hitman/bodyguard—but, eventually he must decide whether art or life is more important.", + "poster": "https://image.tmdb.org/t/p/w500/mY9D1oCLeDKNMdUO8EV7MoCZ3up.jpg", + "url": "https://www.themoviedb.org/movie/11382", + "genres": [ + "Comedy", + "Crime" + ], + "tags": [ + "new york city", + "female lover", + "talent", + "mafia boss", + "author", + "playwright", + "broadway", + "nostalgic", + "1920s", + "compulsive eating" + ] + }, + { + "ranking": 2928, + "title": "Maze Runner: The Death Cure", + "year": "2018", + "runtime": 143, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.1, + "vote_count": 7927, + "description": "Thomas leads his group of escaped Gladers on their final and most dangerous mission yet. To save their friends, they must break into the legendary Last City, a WCKD-controlled labyrinth that may turn out to be the deadliest maze of all. Anyone who makes it out alive will get answers to the questions the Gladers have been asking since they first arrived in the maze.", + "poster": "https://image.tmdb.org/t/p/w500/drbERzlA4cuRWhsTXfFOY4mRR4f.jpg", + "url": "https://www.themoviedb.org/movie/336843", + "genres": [ + "Science Fiction", + "Action", + "Adventure", + "Thriller" + ], + "tags": [ + "based on novel or book", + "fight", + "maze", + "post-apocalyptic future", + "imprisonment", + "terminal illness", + "mad scientist", + "trial", + "sequel", + "survival", + "murder", + "zombie", + "doctor", + "battle", + "vaccine", + "scientist", + "killer", + "desert", + "labyrinth", + "combat", + "illness", + "cure", + "zombie apocalypse", + "runner", + "universal cure", + "based on young adult novel" + ] + }, + { + "ranking": 2936, + "title": "The Alamo", + "year": "1960", + "runtime": 202, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.1, + "vote_count": 357, + "description": "The legendary true story of a small band of soldiers who sacrificed their lives in hopeless combat against a massive army in order to prevent a tyrant from smashing the new Republic of Texas.", + "poster": "https://image.tmdb.org/t/p/w500/54KNQfJnYZwhI3sPYyjXtptWGfg.jpg", + "url": "https://www.themoviedb.org/movie/11209", + "genres": [ + "War", + "Adventure", + "History", + "Western" + ], + "tags": [ + "texas", + "assault", + "alamo", + "mexican army", + "usa history" + ] + }, + { + "ranking": 2926, + "title": "The Negotiator", + "year": "1998", + "runtime": 140, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.098, + "vote_count": 2135, + "description": "The police try to arrest expert hostage negotiator Danny Roman, who insists he's being framed for his partner's murder in what he believes is an elaborate conspiracy. Thinking there's evidence in the Internal Affairs offices that might clear him, he takes everyone in the office hostage and demands that another well-known negotiator be brought in to handle the situation and secretly investigate the conspiracy.", + "poster": "https://image.tmdb.org/t/p/w500/dUMHEymATOGbs2K3E4dmNSVBgFQ.jpg", + "url": "https://www.themoviedb.org/movie/9631", + "genres": [ + "Action", + "Crime", + "Drama", + "Thriller" + ], + "tags": [ + "chicago, illinois", + "corruption", + "police", + "hostage", + "innocence", + "pension", + "hostage-taking", + "murder", + "conspiracy", + "bullet wound", + "urban setting", + "blunt", + "negotiator", + "provocative", + "suspenseful", + "critical", + "intense", + "audacious", + "commanding" + ] + }, + { + "ranking": 2932, + "title": "Mamma Mia! Here We Go Again", + "year": "2018", + "runtime": 114, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.095, + "vote_count": 3396, + "description": "Five years after meeting her three fathers, Sophie Sheridan prepares to open her mother’s hotel. In 1979, young Donna Sheridan meets the men who each could be Sophie’s biological father.", + "poster": "https://image.tmdb.org/t/p/w500/aWicerX4Y7n7tUwRAVHsVcBBpj2.jpg", + "url": "https://www.themoviedb.org/movie/458423", + "genres": [ + "Comedy", + "Romance" + ], + "tags": [ + "greece", + "musical", + "sequel", + "greek island", + "aftercreditsstinger", + "estranged mother", + "long lost love", + "jukebox musical", + "estranged grandparent", + "abba" + ] + }, + { + "ranking": 2927, + "title": "Zabriskie Point", + "year": "1970", + "runtime": 113, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.1, + "vote_count": 403, + "description": "Anthropology student Daria, who's helping a property developer build a village in the Los Angeles desert, and dropout Mark, who's wanted by the authorities for allegedly killing a policeman during a student riot, accidentally encounter each other in Death Valley and soon begin an unrestrained romance.", + "poster": "https://image.tmdb.org/t/p/w500/uelo2oMg4fM51LAm4eEArEwOHXZ.jpg", + "url": "https://www.themoviedb.org/movie/2998", + "genres": [ + "Drama" + ], + "tags": [ + "california", + "police brutality", + "free love", + "students' movement", + "1970s", + "counter-culture", + "desert", + "student protest", + "death valley", + "pink floyd" + ] + }, + { + "ranking": 2937, + "title": "Children of the Sea", + "year": "2019", + "runtime": 111, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.1, + "vote_count": 309, + "description": "Ruka is a young girl whose parents are separated and whose father works in an aquarium. When two boys, Umi and Sora, who were raised in the sea by dugongs, are brought to the aquarium, Ruka feels drawn to them and begins to realize that she has the same sort of supernatural connection to the ocean that they do. Umi and Sora's special power seems to be connected to strange events that have been occurring more and more frequently, such as the appearance of sea creatures far from their home territory and the disappearance of aquarium animals around the world. However, the exact nature of the boys' power and of the abnormal events is unknown, and Ruka gets drawn into investigating the mystery that surrounds her new friends.", + "poster": "https://image.tmdb.org/t/p/w500/2QKNREj8xPHShu993QAySoGDCwu.jpg", + "url": "https://www.themoviedb.org/movie/585077", + "genres": [ + "Animation", + "Fantasy", + "Adventure", + "Mystery" + ], + "tags": [ + "friendship", + "aquarium", + "philosophy", + "supernatural", + "based on manga", + "seinen", + "anime" + ] + }, + { + "ranking": 2929, + "title": "The Getaway", + "year": "1972", + "runtime": 123, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.1, + "vote_count": 584, + "description": "A recently released ex-convict and his loyal wife go on the run after a heist goes wrong.", + "poster": "https://image.tmdb.org/t/p/w500/8SvnGUJsr16zUJ2CN7ONX1ZWtZ8.jpg", + "url": "https://www.themoviedb.org/movie/5916", + "genres": [ + "Action", + "Crime", + "Thriller" + ], + "tags": [ + "robbery", + "based on novel or book", + "texas", + "heist", + "con artist", + "murder", + "organized crime", + "on the run", + "bag of money", + "gunfight", + "bank robbery", + "double cross", + "neo-noir" + ] + }, + { + "ranking": 2935, + "title": "Scooby-Doo and the Alien Invaders", + "year": "2000", + "runtime": 74, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.1, + "vote_count": 371, + "description": "A cosmic case of flying saucers, intergalactic intrigue and out-of-this-world romance launches Scooby-Doo! and the Mystery Inc., Gang into their most unearthly adventure ever.", + "poster": "https://image.tmdb.org/t/p/w500/sr3j6B3fLrZKnOvembNERKSayCv.jpg", + "url": "https://www.themoviedb.org/movie/20410", + "genres": [ + "Animation", + "Family", + "Comedy", + "Mystery", + "Science Fiction" + ], + "tags": [ + "earth", + "gold mine", + "alien", + "middle of nowhere" + ] + }, + { + "ranking": 2938, + "title": "Mission: Impossible - Ghost Protocol", + "year": "2011", + "runtime": 133, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.1, + "vote_count": 10032, + "description": "Ethan Hunt and his team are racing against time to track down a dangerous terrorist named Hendricks, who has gained access to Russian nuclear launch codes and is planning a strike on the United States. An attempt to stop him ends in an explosion causing severe destruction to the Kremlin and the IMF to be implicated in the bombing, forcing the President to disavow them. No longer being aided by the government, Ethan and his team chase Hendricks around the globe, although they might still be too late to stop a disaster.", + "poster": "https://image.tmdb.org/t/p/w500/eRZTGx7GsiKqPch96k27LK005ZL.jpg", + "url": "https://www.themoviedb.org/movie/56292", + "genres": [ + "Action", + "Thriller", + "Adventure" + ], + "tags": [ + "assassin", + "budapest, hungary", + "skyscraper", + "secret intelligence service", + "sandstorm", + "seattle, washington", + "satellite", + "mumbai (bombay), india", + "car crash", + "sequel", + "prison escape", + "dubai", + "billionaire", + "terrorism", + "disguise", + "bombing", + "jet", + "nuclear threat", + "undercover operation", + "moscow, russia", + "field agent", + "clandestine", + "analyst", + "nuclear submarine", + "kremlin", + "disavowed", + "based on tv series", + "nuclear launch codes", + "burj khalifa", + "scaling a building" + ] + }, + { + "ranking": 2930, + "title": "Aladdin", + "year": "2019", + "runtime": 127, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.096, + "vote_count": 10179, + "description": "A kindhearted street urchin named Aladdin embarks on a magical adventure after finding a lamp that releases a wisecracking genie while a power-hungry Grand Vizier vies for the same lamp that has the power to make their deepest wishes come true.", + "poster": "https://image.tmdb.org/t/p/w500/ykUEbfpkf8d0w49pHh0AD2KrT52.jpg", + "url": "https://www.themoviedb.org/movie/420817", + "genres": [ + "Adventure", + "Fantasy", + "Romance", + "Family" + ], + "tags": [ + "hero", + "hustler", + "palace", + "sultan", + "flying carpet", + "musical", + "rags to riches", + "romance", + "monkey", + "family", + "first love", + "based on myths, legends or folklore", + "genie", + "arabian nights", + "live action and animation", + "live action remake", + "hilarious", + "familiar" + ] + }, + { + "ranking": 2940, + "title": "Witness", + "year": "1985", + "runtime": 112, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.1, + "vote_count": 1724, + "description": "A sheltered Amish child is the sole witness of a brutal murder in a restroom at a Philadelphia train station, and he must be protected. The assignment falls to a taciturn detective who goes undercover in a Pennsylvania Dutch community. On the farm, he slowly assimilates despite his urban grit, and forges a romantic bond with the child's beautiful mother.", + "poster": "https://image.tmdb.org/t/p/w500/kOymD1rChAMykmDVEzJpIh4OYS7.jpg", + "url": "https://www.themoviedb.org/movie/9281", + "genres": [ + "Crime", + "Drama", + "Romance", + "Thriller" + ], + "tags": [ + "police brutality", + "philadelphia, pennsylvania", + "corruption", + "pennsylvania, usa", + "detective", + "amish", + "witness to murder", + "barn raising", + "silo", + "lancaster, pa" + ] + }, + { + "ranking": 2941, + "title": "A Tale of Two Sisters", + "year": "2003", + "runtime": 115, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.1, + "vote_count": 1208, + "description": "Two sisters return home after a stay in a mental institution, only to face disturbing events and a strained relationship with their stepmother. As eerie occurrences unfold, dark family secrets begin to surface, blurring the line between reality and nightmare.", + "poster": "https://image.tmdb.org/t/p/w500/l3exwhwyGE0NnHJ3lFQ7eXoBSkH.jpg", + "url": "https://www.themoviedb.org/movie/4552", + "genres": [ + "Drama", + "Horror", + "Mystery" + ], + "tags": [ + "amnesia", + "drug abuse", + "loss of loved one", + "homicide", + "drug addiction", + "stepmother", + "menstruation", + "sister", + "tragedy", + "psychological thriller", + "vengeful ghost", + "occult", + "unreliable narrator", + "existentialism", + "cremation", + "narcolepsy", + "ambiguity", + "psychological horror", + "psychological drama" + ] + }, + { + "ranking": 2946, + "title": "Beanpole", + "year": "2019", + "runtime": 134, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.092, + "vote_count": 326, + "description": "1945, Leningrad. World War II has devastated the city, demolishing its buildings and leaving its citizens in tatters, physically and mentally. Two young women, Iya and Masha, search for meaning and hope in the struggle to rebuild their lives amongst the ruins.", + "poster": "https://image.tmdb.org/t/p/w500/nKVrJm1dOwALdr2KHxNFhkbTSZc.jpg", + "url": "https://www.themoviedb.org/movie/517148", + "genres": [ + "Drama", + "War" + ], + "tags": [ + "post-traumatic stress disorder (ptsd)", + "post world war ii", + "quadriplegic soldier" + ] + }, + { + "ranking": 2943, + "title": "The Forgotten Battle", + "year": "2020", + "runtime": 126, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.1, + "vote_count": 699, + "description": "In WWII's final years, a soldier in the German army, a British glider pilot, and a Dutch resistance fighter's paths intertwine. Their choices shape destinies, impacting not only their freedom but also that of others.", + "poster": "https://image.tmdb.org/t/p/w500/wU8ijITXE2ZgoXJexTQByJiHCbp.jpg", + "url": "https://www.themoviedb.org/movie/633515", + "genres": [ + "Action", + "War", + "Adventure", + "History", + "Drama" + ], + "tags": [ + "world war ii", + "drama" + ] + }, + { + "ranking": 2948, + "title": "The Professionals", + "year": "1966", + "runtime": 117, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.1, + "vote_count": 317, + "description": "An arrogant Texas millionaire hires four adventurers to rescue his kidnapped wife from a notorious Mexican bandit.", + "poster": "https://image.tmdb.org/t/p/w500/sH4Clw7QrtH23xl9o4sOpHNkRIz.jpg", + "url": "https://www.themoviedb.org/movie/22383", + "genres": [ + "Western", + "Adventure", + "Action" + ], + "tags": [ + "rescue", + "plan", + "mexico", + "kidnapping", + "desert", + "mexican bandit", + "escape plan", + "bazat pe carte" + ] + }, + { + "ranking": 2947, + "title": "Adam's Rib", + "year": "1949", + "runtime": 100, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.1, + "vote_count": 310, + "description": "A woman's attempted murder of her uncaring husband results in everyday quarrels in the lives of Adam and Amanda, a pair of happily married lawyers who end up on opposite sides of the case in court.", + "poster": "https://image.tmdb.org/t/p/w500/k9gT6d2sDT9Jd4dvzHowTt3l6Zg.jpg", + "url": "https://www.themoviedb.org/movie/25431", + "genres": [ + "Comedy", + "Drama", + "Romance" + ], + "tags": [ + "husband wife relationship", + "marriage", + "lawyer", + "singing", + "courtroom", + "prosecutor", + "subway station", + "grapefruit", + "afi" + ] + }, + { + "ranking": 2955, + "title": "Lorenzo's Oil", + "year": "1992", + "runtime": 135, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.1, + "vote_count": 534, + "description": "Augusto and Michaela Odone are dealt a cruel blow by fate when their five-year-old son Lorenzo is diagnosed with a rare and incurable disease. But the Odones' persistence and faith leads to an unorthodox cure which saves their boy and re-writes medical history.", + "poster": "https://image.tmdb.org/t/p/w500/suRf59zRu1h8Zq4Gxekn6UiLGaM.jpg", + "url": "https://www.themoviedb.org/movie/2007", + "genres": [ + "Drama" + ], + "tags": [ + "washington dc, usa", + "parent child relationship", + "medicine", + "based on true story", + "incurable disease", + "1980s", + "comoros" + ] + }, + { + "ranking": 2952, + "title": "A Hard Day", + "year": "2014", + "runtime": 111, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.1, + "vote_count": 450, + "description": "After trying to cover up a car accident that left a man dead, a crooked homicide detective is stalked by a mysterious man claiming to have witnessed the event.", + "poster": "https://image.tmdb.org/t/p/w500/aIkc5DwGPZIdImSudkUDQ799rq3.jpg", + "url": "https://www.themoviedb.org/movie/269494", + "genres": [ + "Crime", + "Thriller", + "Mystery", + "Action" + ], + "tags": [ + "police", + "funeral", + "gangster", + "anti hero", + "hit-and-run", + "murder", + "organized crime", + "police corruption", + "police inspector" + ] + }, + { + "ranking": 2945, + "title": "The Producers", + "year": "1968", + "runtime": 88, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.1, + "vote_count": 805, + "description": "Broadway producer Max Bialystock and his accountant, Leo Bloom plan to make money by charming wealthy old biddies to invest in a production many times over the actual cost, and then put on a sure-fire flop, so nobody will ask for their money back – and what can be a more certain flop than a tasteless musical celebrating Hitler.", + "poster": "https://image.tmdb.org/t/p/w500/5TYUsAygWKtufAC78ep2AiohEiR.jpg", + "url": "https://www.themoviedb.org/movie/30197", + "genres": [ + "Comedy", + "Music" + ], + "tags": [ + "nazi", + "cheating", + "dark comedy", + "musical", + "satire", + "scam", + "theatrical producer", + "playwright", + "sing sing", + "broadway", + "accountant", + "adolf hitler" + ] + }, + { + "ranking": 2957, + "title": "A Writer's Odyssey", + "year": "2021", + "runtime": 130, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.1, + "vote_count": 317, + "description": "Kongwen Lu is the author of a fantasy novel series following a heroic teenager, also named Kongwen, on a quest to end the tyrannical rule of Lord Redmane, under the guidance of a Black Armor. But through a strange twist of fate, the fantasy world of the novel begins to impact life in the real world, leading Guan Ning to accept a mission from Tu Ling to kill the author.", + "poster": "https://image.tmdb.org/t/p/w500/7hEhhmAF8Tr7g95fkbuxDpeR27b.jpg", + "url": "https://www.themoviedb.org/movie/611698", + "genres": [ + "Fantasy", + "Action", + "Adventure", + "Drama" + ], + "tags": [] + }, + { + "ranking": 2944, + "title": "Concussion", + "year": "2015", + "runtime": 123, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.093, + "vote_count": 2582, + "description": "A dramatic thriller based on the incredible true David vs. Goliath story of American immigrant Dr. Bennet Omalu, the brilliant forensic neuropathologist who made the first discovery of CTE, a football-related brain trauma, in a pro player and fought for the truth to be known. Omalu's emotional quest puts him at dangerous odds with one of the most powerful institutions in the world.", + "poster": "https://image.tmdb.org/t/p/w500/gseayWAIFt3GQrEUNuUcYxT77Ud.jpg", + "url": "https://www.themoviedb.org/movie/321741", + "genres": [ + "Drama" + ], + "tags": [ + "american football", + "concussion", + "biography", + "doctor", + "professional sports", + "brain damage", + "sports injury", + "nfl (national football league)", + "medical drama", + "human brain" + ] + }, + { + "ranking": 2942, + "title": "The Exorcism of God", + "year": "2022", + "runtime": 98, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.093, + "vote_count": 1089, + "description": "An American priest working in Mexico is considered a saint by many local parishioners. However, due to a botched exorcism, he carries a secret that’s eating him alive until he gets an opportunity to face his demon one final time.", + "poster": "https://image.tmdb.org/t/p/w500/hangTmbxpSV4gpHG7MgSlCWSSFa.jpg", + "url": "https://www.themoviedb.org/movie/836225", + "genres": [ + "Horror", + "Crime", + "Drama", + "Fantasy" + ], + "tags": [ + "prison", + "small town", + "mexico", + "exorcism", + "possession", + "possessed", + "exorcist", + "wonder" + ] + }, + { + "ranking": 2949, + "title": "Angst", + "year": "1983", + "runtime": 75, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.1, + "vote_count": 359, + "description": "A killer is released from prison and breaks into a remote home to kill a woman, her handicapped son and her pretty daughter.", + "poster": "https://image.tmdb.org/t/p/w500/7a4EHUOmvfY0jZTHA7qlOCGO9gv.jpg", + "url": "https://www.themoviedb.org/movie/18912", + "genres": [ + "Thriller", + "Crime", + "Horror" + ], + "tags": [ + "prison", + "schizophrenia", + "psychopath", + "narration", + "bodily disabled person", + "german-german border", + "mental breakdown", + "knife", + "stalker", + "sociopath", + "serial killer", + "maniac", + "home invasion", + "mental illness", + "character study", + "madman", + "emotionally disturbed" + ] + }, + { + "ranking": 2950, + "title": "The Holiday", + "year": "2006", + "runtime": 136, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.092, + "vote_count": 5249, + "description": "Two women, one from the United States and one from the United Kingdom, swap homes at Christmas time after bad breakups with their boyfriends. Each woman finds romance with a local man but realizes that the imminent return home may end the relationship.", + "poster": "https://image.tmdb.org/t/p/w500/h1ITOpvJN3Tw4Sy60w2QTfYMvdd.jpg", + "url": "https://www.themoviedb.org/movie/1581", + "genres": [ + "Comedy", + "Romance" + ], + "tags": [ + "london, england", + "holiday", + "movie business", + "christmas party", + "country house", + "vacation", + "surrey", + "romance", + "los angeles, california", + "multiple storylines", + "woman director", + "christmas", + "christmas romance", + "house swapping", + "holiday romance" + ] + }, + { + "ranking": 2954, + "title": "Top Secret!", + "year": "1984", + "runtime": 90, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.091, + "vote_count": 1218, + "description": "Popular and dashing American singer Nick Rivers travels to East Germany to perform in a music festival. When he loses his heart to the gorgeous Hillary Flammond, he finds himself caught up in an underground resistance movement. Rivers joins forces with Agent Cedric and Flammond to attempt the rescue of her father, Dr. Paul, from the Germans, who have captured the scientist in hopes of coercing him into building a new naval mine.", + "poster": "https://image.tmdb.org/t/p/w500/hRTbfR27xghnVMs3ZJ3EhK3zzud.jpg", + "url": "https://www.themoviedb.org/movie/8764", + "genres": [ + "Comedy" + ], + "tags": [ + "surfing", + "rock 'n' roll", + "beach", + "airplane", + "prisoner", + "bookshop", + "liberation of prisoners", + "spy", + "parachute", + "autoradio", + "ballet", + "spoof", + "anarchic comedy" + ] + }, + { + "ranking": 2951, + "title": "Sissi: The Young Empress", + "year": "1956", + "runtime": 107, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.1, + "vote_count": 352, + "description": "Sissi is now the empress of Austria and attempts to learn etiquette. While she is busy being empress she also has to deal with her difficult new mother-in-law, while the arch-duchess Sophie is trying to tell the emperor how to rule and also Sissi how to be a mother.", + "poster": "https://image.tmdb.org/t/p/w500/rKEm4jFjRAwfWvbUicj4zKzmlW3.jpg", + "url": "https://www.themoviedb.org/movie/458", + "genres": [ + "Drama", + "Comedy", + "Romance" + ], + "tags": [ + "husband wife relationship", + "pregnancy", + "homeland", + "bavaria, germany", + "bad mother-in-law", + "mountain", + "hungary", + "coronation", + "harassment", + "alp", + "tyrol", + "hiking", + "biography", + "historical figure", + "empress", + "royalty", + "period drama", + "royal court", + "habsburger" + ] + }, + { + "ranking": 2959, + "title": "Once Upon a Deadpool", + "year": "2018", + "runtime": 118, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.1, + "vote_count": 795, + "description": "A kidnapped Fred Savage is forced to endure Deadpool's PG-13 rendition of Deadpool 2, as a Princess Bride-esque story that's full of magic, wonder, and zero Fs.", + "poster": "https://image.tmdb.org/t/p/w500/w6Jk8BHohhoKBUcxGeSyDQGWGWc.jpg", + "url": "https://www.themoviedb.org/movie/567604", + "genres": [ + "Comedy", + "Action", + "Adventure" + ], + "tags": [ + "superhero", + "based on comic", + "christmas" + ] + }, + { + "ranking": 2956, + "title": "The Taste of Things", + "year": "2023", + "runtime": 135, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.1, + "vote_count": 305, + "description": "Set in 1889 France, Dodin Bouffant is a chef living with his personal cook and lover Eugénie. They share a long history of gastronomy and love but Eugénie refuses to marry Dodin, so the food lover decides to do something he has never done before: cook for her.", + "poster": "https://image.tmdb.org/t/p/w500/2NjpbQUIJD7jkARB6EJbOxZ9JVC.jpg", + "url": "https://www.themoviedb.org/movie/964960", + "genres": [ + "Romance", + "Drama" + ], + "tags": [ + "affectation", + "french cuisine", + "intimate" + ] + }, + { + "ranking": 2958, + "title": "The Half of It", + "year": "2020", + "runtime": 104, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.1, + "vote_count": 1512, + "description": "Shy, straight-A student Ellie is hired by sweet but inarticulate jock Paul, who needs help wooing the most popular girl in school. But their new and unlikely friendship gets tricky when Ellie discovers she has feelings for the same girl.", + "poster": "https://image.tmdb.org/t/p/w500/jC1PNXGET1ZZQyrJvdFhPfXdPP1.jpg", + "url": "https://www.themoviedb.org/movie/597219", + "genres": [ + "Comedy", + "Romance", + "Drama" + ], + "tags": [ + "high school", + "small town", + "romcom", + "coming of age", + "east asian lead", + "lgbt", + "lgbt teen", + "washington state", + "chinese american", + "generation z", + "teenage protagonist", + "lesbian", + "asian american", + "teenager" + ] + }, + { + "ranking": 2953, + "title": "Gangs of Wasseypur - Part 1", + "year": "2012", + "runtime": 160, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.1, + "vote_count": 378, + "description": "In 1970s India, Sardar Khan vows to take revenge on the man who killed his father decades earlier.", + "poster": "https://image.tmdb.org/t/p/w500/xAy208Znkingmfnb5ZbULwLyIwW.jpg", + "url": "https://www.themoviedb.org/movie/117691", + "genres": [ + "Action", + "Thriller", + "Crime" + ], + "tags": [ + "mafia", + "gang", + "coal mining", + "bollywood" + ] + }, + { + "ranking": 2960, + "title": "Superman: Man of Tomorrow", + "year": "2020", + "runtime": 87, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.089, + "vote_count": 453, + "description": "It’s the dawn of a new age of heroes, and Metropolis has just met its first. But as Daily Planet intern Clark Kent – working alongside reporter Lois Lane – secretly wields his alien powers of flight, super-strength and x-ray vision in the battle for good, there’s even greater trouble on the horizon.", + "poster": "https://image.tmdb.org/t/p/w500/n9GtiJiBETVFayQy7YnVdF9AucU.jpg", + "url": "https://www.themoviedb.org/movie/618354", + "genres": [ + "Animation", + "Action", + "Science Fiction" + ], + "tags": [ + "superhero", + "dc animated movie universe" + ] + }, + { + "ranking": 2966, + "title": "Love & Mercy", + "year": "2015", + "runtime": 120, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.1, + "vote_count": 684, + "description": "In the late 1960s, the Beach Boys' Brian Wilson stops touring, produces \"Pet Sounds\" and begins to lose his grip on reality. By the 1980s, under the sway of a controlling therapist, he finds a savior in Melinda Ledbetter.", + "poster": "https://image.tmdb.org/t/p/w500/4jn0hDsl6lsv4qEc7aiLlgbaIjo.jpg", + "url": "https://www.themoviedb.org/movie/271714", + "genres": [ + "Drama", + "Music", + "History" + ], + "tags": [ + "rock 'n' roll", + "musician", + "therapist", + "biography", + "recording studio", + "car salesman", + "last will and testament", + "nervous breakdown", + "songwriter", + "pop music", + "music recording", + "recluse", + "music rehearsal", + "southern california", + "psychotherapist", + "1980s", + "1960s", + "legal guardian", + "music industry", + "musical journey", + "music producer", + "unexpected romance", + "surf music", + "controlled environment", + "comforting" + ] + }, + { + "ranking": 2977, + "title": "Quo Vadis", + "year": "1951", + "runtime": 171, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.1, + "vote_count": 415, + "description": "After fierce Roman commander Marcus Vinicius becomes infatuated with beautiful Christian hostage Lygia, he begins to question the tyrannical leadership of the despotic emperor Nero.", + "poster": "https://image.tmdb.org/t/p/w500/n8SvyuJK1lwx5lISE4J1VwF8KTU.jpg", + "url": "https://www.themoviedb.org/movie/11620", + "genres": [ + "Drama", + "History", + "Romance" + ], + "tags": [ + "epic", + "suicide", + "based on novel or book", + "rome, italy", + "roman empire", + "christianity", + "emperor", + "ancient rome", + "burning", + "roman army", + "nero", + "1st century", + "christian film", + "claudius caesar", + "guarda pretoriana", + "praetorian guard", + "matricídio", + "sêneca" + ] + }, + { + "ranking": 2968, + "title": "Whatever Works", + "year": "2009", + "runtime": 92, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.088, + "vote_count": 1760, + "description": "Whatever Works explores the relationship between a crotchety misanthrope, Boris and a naïve, impressionable young runaway from the south, Melody. When Melody's uptight parents arrive in New York to rescue her, they are quickly drawn into wildly unexpected romantic entanglements. Everyone discovers that finding love is just a combination of lucky chance and appreciating the value of \"whatever works.\"", + "poster": "https://image.tmdb.org/t/p/w500/upIYOZbiutCBnvejGYaZlJxxKcs.jpg", + "url": "https://www.themoviedb.org/movie/19265", + "genres": [ + "Comedy", + "Romance" + ], + "tags": [ + "new york city", + "naivety", + "age difference", + "love at first sight", + "runaway", + "marriage", + "atheist", + "misanthrophy", + "eccentric", + "religion", + "dating", + "older man younger woman relationship", + "limp" + ] + }, + { + "ranking": 2971, + "title": "Akeelah and the Bee", + "year": "2006", + "runtime": 112, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.087, + "vote_count": 333, + "description": "11-year-old Akeelah Anderson has a way with words. After winning her schoolwide spelling bee, she decides to enter the competition, despite her classmates' derision and the antipathy of her mother Tanya. Thanks to the efforts of her teacher Dr. Larabee, she reaches the finala. As she gets to know her fellow competitors, Akeelah realizes that coming first isn't everything in life.", + "poster": "https://image.tmdb.org/t/p/w500/tLejxaLJu8Qh5F2VKacWniMSZ3v.jpg", + "url": "https://www.themoviedb.org/movie/13751", + "genres": [ + "Drama" + ], + "tags": [ + "spelling", + "spelling bee", + "family drama", + "single mother", + "community spirit", + "pre-teen", + "parental abuse", + "south central los angeles", + "black community", + "independent film", + "inspired by true story" + ] + }, + { + "ranking": 2961, + "title": "Salyut-7", + "year": "2017", + "runtime": 106, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.1, + "vote_count": 463, + "description": "USSR, June 1985. After contact with the Salyut 7 space station is lost, cosmonauts Vladimir Dzhanibekov and Viktor Savinykh dock with the empty, frozen craft, and bring her back to life. Based on actual events.", + "poster": "https://image.tmdb.org/t/p/w500/s2ktgF2ze4aVt9bXBUvxFJllqyd.jpg", + "url": "https://www.themoviedb.org/movie/438740", + "genres": [ + "Action", + "Drama", + "Adventure" + ], + "tags": [ + "space mission", + "space", + "space station", + "cosmonaut" + ] + }, + { + "ranking": 2979, + "title": "Peter Rabbit 2: The Runaway", + "year": "2021", + "runtime": 93, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.1, + "vote_count": 819, + "description": "Peter Rabbit runs away from his human family when he learns they are going to portray him in a bad light in their book. Soon, he crosses paths with an older rabbit who ropes him into a heist.", + "poster": "https://image.tmdb.org/t/p/w500/cycDz68DtTjJrDJ1fV8EBq2Xdpb.jpg", + "url": "https://www.themoviedb.org/movie/522478", + "genres": [ + "Family", + "Adventure", + "Animation" + ], + "tags": [ + "peter rabbit" + ] + }, + { + "ranking": 2970, + "title": "The Phantom of the Opera", + "year": "1925", + "runtime": 107, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.1, + "vote_count": 354, + "description": "The deformed Phantom who haunts the Paris Opera House causes murder and mayhem in an attempt to make the woman he loves a star.", + "poster": "https://image.tmdb.org/t/p/w500/mvaYpAYj957C2tlq3vVJPSzGJXK.jpg", + "url": "https://www.themoviedb.org/movie/964", + "genres": [ + "Drama", + "Horror", + "Music" + ], + "tags": [ + "opera", + "paris, france", + "based on novel or book", + "diva", + "phantom", + "outcast", + "tragedy", + "unrequited love", + "black and white", + "gothic horror", + "captive", + "silent film", + "opera house", + "secret admirer", + "protégé", + "literary adaptation", + "ballet performance", + "phantom of the opera" + ] + }, + { + "ranking": 2967, + "title": "Maleficent", + "year": "2014", + "runtime": 97, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.088, + "vote_count": 13239, + "description": "A beautiful, pure-hearted young woman, Maleficent has an idyllic life growing up in a peaceable forest kingdom, until one day when an invading army threatens the harmony of the land. She rises to be the land's fiercest protector, but she ultimately suffers a ruthless betrayal – an act that begins to turn her heart into stone. Bent on revenge, Maleficent faces an epic battle with the invading King's successor and, as a result, places a curse upon his newborn infant Aurora. As the child grows, Maleficent realizes that Aurora holds the key to peace in the kingdom – and to Maleficent's true happiness as well.", + "poster": "https://image.tmdb.org/t/p/w500/bDG3yei6AJlEAK3A5wN7RwFXQ7V.jpg", + "url": "https://www.themoviedb.org/movie/102651", + "genres": [ + "Fantasy", + "Adventure", + "Action", + "Family", + "Romance" + ], + "tags": [ + "friendship", + "magic", + "kingdom", + "fairy tale", + "fairy", + "prince", + "villain", + "enchantment", + "betrayal", + "curse", + "kindness", + "protector", + "childhood friends", + "good becoming evil", + "raven", + "dark fantasy", + "based on fairy tale", + "retelling", + "literary adaptation", + "true love", + "wings", + "sleeping spell", + "dark forest", + "live action remake", + "creatures", + "cursed princess", + "fairies" + ] + }, + { + "ranking": 2972, + "title": "El Topo", + "year": "1970", + "runtime": 125, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.1, + "vote_count": 600, + "description": "El Topo decides to confront warrior Masters on a trans-formative desert journey he begins with his 6 year old son, who must bury his childhood totems to become a man.", + "poster": "https://image.tmdb.org/t/p/w500/hZuR5zwRQI54hOwoXKIlZbQ4mb7.jpg", + "url": "https://www.themoviedb.org/movie/13041", + "genres": [ + "Adventure", + "Drama", + "Western" + ], + "tags": [ + "mass murder", + "symbolism", + "mystic", + "surreal", + "symbol", + "god", + "confrontation", + "desert", + "religious cult", + "gunfighter", + "journey", + "spiritual quest", + "underground cavern", + "mystical", + "totem", + "cave dwellers", + "village massacre" + ] + }, + { + "ranking": 2963, + "title": "Cross of Iron", + "year": "1977", + "runtime": 132, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.089, + "vote_count": 432, + "description": "It is 1943, and the German army—ravaged and demoralised—is hastily retreating from the Russian front. In the midst of the madness, conflict brews between the aristocratic yet ultimately pusillanimous Captain Stransky and the courageous Corporal Steiner. Stransky is the only man who believes that the Third Reich is still vastly superior to the Russian army. However, within his pompous persona lies a quivering coward who longs for the Iron Cross so that he can return to Berlin a hero. Steiner, on the other hand is cynical, defiantly non-conformist and more concerned with the safety of his own men rather than the horde of military decorations offered to him by his superiors.", + "poster": "https://image.tmdb.org/t/p/w500/fR6pqh5aFn0fawsn7sR2zC15swx.jpg", + "url": "https://www.themoviedb.org/movie/10839", + "genres": [ + "Drama", + "Action", + "History", + "War" + ], + "tags": [ + "hostility", + "world war ii", + "battle for power", + "troops", + "commander", + "lieutenant", + "sergeant", + "thoughtful", + "empathetic" + ] + }, + { + "ranking": 2962, + "title": "Bullhead", + "year": "2011", + "runtime": 129, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.1, + "vote_count": 349, + "description": "A young cattle farmer is approached by an unscrupulous veterinarian to make a shady deal with a notorious beef trader.", + "poster": "https://image.tmdb.org/t/p/w500/j9XzaLtFAJIozDH4MQwxaR2aDvJ.jpg", + "url": "https://www.themoviedb.org/movie/63310", + "genres": [ + "Crime", + "Drama" + ], + "tags": [ + "farm", + "childhood trauma", + "flanders", + "steroids", + "mafia", + "cattle", + "farmer", + "criminal gang", + "vengeance", + "hormones", + "stolen car", + "police informant", + "violence" + ] + }, + { + "ranking": 2976, + "title": "I Confess", + "year": "1953", + "runtime": 95, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.1, + "vote_count": 450, + "description": "Unable, due to the seal of the confessional, to be forthcoming with information that would serve to clear himself during a murder investigation, a priest becomes the prime suspect.", + "poster": "https://image.tmdb.org/t/p/w500/5IYyJetEctAypFYIffqx55PXTPT.jpg", + "url": "https://www.themoviedb.org/movie/30159", + "genres": [ + "Drama", + "Thriller", + "Crime" + ], + "tags": [ + "police", + "confession", + "blackmail", + "suspicion of murder", + "quebec", + "flashback", + "film noir", + "murder", + "caretaker", + "priest", + "lawyer", + "church", + "housekeeper", + "catholic", + "gardener", + "married woman", + "murder investigation", + "blackmailer", + "murder trial", + "crisis of conscience", + "innocent suspect", + "rectory", + "seal of confession" + ] + }, + { + "ranking": 2964, + "title": "Kingdom: Ashin of the North", + "year": "2021", + "runtime": 92, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.1, + "vote_count": 555, + "description": "Tragedy, betrayal and a mysterious discovery fuel a woman's vengeance for the loss of her tribe and family.", + "poster": "https://image.tmdb.org/t/p/w500/piGZDwFW4urLYDWGiYJMrt6hdCS.jpg", + "url": "https://www.themoviedb.org/movie/845222", + "genres": [ + "Drama", + "Fantasy", + "Thriller" + ], + "tags": [ + "tribe", + "revenge", + "zombie", + "family", + "joseon dynasty (1392–1910)" + ] + }, + { + "ranking": 2965, + "title": "The Tale", + "year": "2018", + "runtime": 115, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.1, + "vote_count": 442, + "description": "An investigation into one woman’s memory as she‘s forced to re-examine her first sexual relationship and the stories we tell ourselves in order to survive.", + "poster": "https://image.tmdb.org/t/p/w500/aguq47xq3qhN807rSyz4lJyhAkX.jpg", + "url": "https://www.themoviedb.org/movie/369523", + "genres": [ + "Drama", + "Mystery" + ], + "tags": [ + "investigation", + "based on true story", + "memory", + "childhood sexual abuse", + "woman director", + "survive" + ] + }, + { + "ranking": 2980, + "title": "Honey Boy", + "year": "2019", + "runtime": 94, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.1, + "vote_count": 680, + "description": "The story of a child star attempting to mend his relationship with his law-breaking, alcohol-abusing father over the course of a decade, loosely based on Shia LaBeouf’s life.", + "poster": "https://image.tmdb.org/t/p/w500/juBWCym4Gc0XSDOvM7P4eOlzw1P.jpg", + "url": "https://www.themoviedb.org/movie/512263", + "genres": [ + "Drama" + ], + "tags": [ + "vietnam veteran", + "abusive father", + "rehabilitation", + "motel", + "clown", + "childhood trauma", + "drug use", + "drug rehabilitation", + "alcoholic", + "child star", + "alcoholic father", + "semi autobiographical", + "child smoking", + "autobiographical", + "woman director", + "alcohol problems", + "family problems", + "child protagonist", + "irresponsible parent", + "father son relationship" + ] + }, + { + "ranking": 2975, + "title": "IF", + "year": "2024", + "runtime": 104, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.086, + "vote_count": 1312, + "description": "After discovering she can see everyone's imaginary friends, a girl embarks on a magical adventure to reconnect forgotten imaginary friends with their kids.", + "poster": "https://image.tmdb.org/t/p/w500/xbKFv4KF3sVYuWKllLlwWDmuZP7.jpg", + "url": "https://www.themoviedb.org/movie/639720", + "genres": [ + "Comedy", + "Fantasy", + "Family" + ], + "tags": [ + "friendship", + "imaginary friend", + "aftercreditsstinger", + "imaginary", + "live action and animation", + "imagination" + ] + }, + { + "ranking": 2973, + "title": "Read My Lips", + "year": "2001", + "runtime": 115, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.087, + "vote_count": 339, + "description": "She is almost deaf and she lip-reads. He is an ex-convict. She wants to help him. He thinks no one can help except himself.", + "poster": "https://image.tmdb.org/t/p/w500/1YIkOan9JzbBVAQRvq5fIjHHBAP.jpg", + "url": "https://www.themoviedb.org/movie/6173", + "genres": [ + "Crime", + "Drama", + "Romance", + "Thriller" + ], + "tags": [ + "thief" + ] + }, + { + "ranking": 2978, + "title": "Wonka", + "year": "2023", + "runtime": 117, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.1, + "vote_count": 3821, + "description": "Willy Wonka – chock-full of ideas and determined to change the world one delectable bite at a time – is proof that the best things in life begin with a dream, and if you’re lucky enough to meet Willy Wonka, anything is possible.", + "poster": "https://image.tmdb.org/t/p/w500/qhb1qOilapbapxWQn9jtRCMwXJF.jpg", + "url": "https://www.themoviedb.org/movie/787699", + "genres": [ + "Comedy", + "Family", + "Fantasy" + ], + "tags": [ + "chocolate", + "musical", + "prequel", + "nostalgic", + "duringcreditsstinger", + "cartel" + ] + }, + { + "ranking": 2974, + "title": "Creation of the Gods I: Kingdom of Storms", + "year": "2023", + "runtime": 148, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.1, + "vote_count": 409, + "description": "Based on the most well-known classical fantasy novel of China, Fengshenyanyi, the trilogy is a magnificent eastern high fantasy epic that recreates the prolonged mythical wars between humans, immortals and monsters, which happened more than three thousand years ago.", + "poster": "https://image.tmdb.org/t/p/w500/n3Vy8oJEGqvaFurE7e7QJbF4mGs.jpg", + "url": "https://www.themoviedb.org/movie/856289", + "genres": [ + "Action", + "Fantasy", + "War" + ], + "tags": [ + "monster", + "based on novel or book", + "mythological beast", + "high fantasy", + "physical immortality", + "chinese mythology" + ] + }, + { + "ranking": 2969, + "title": "Miracle", + "year": "2004", + "runtime": 135, + "content_rating": null, + "metascore": null, + "imdb_rating": 7.1, + "vote_count": 611, + "description": "When college coach Herb Brooks is hired to helm the 1980 U.S. men's Olympic hockey team, he brings a unique and brash style to the ice. After assembling a team of hot-headed college all-stars, who are humiliated in an early match, Brooks unites his squad against a common foe: the heavily-favored Soviet team.", + "poster": "https://image.tmdb.org/t/p/w500/mxtej2th8t8x0ufVBTyhsO6Htxj.jpg", + "url": "https://www.themoviedb.org/movie/14292", + "genres": [ + "Drama", + "History" + ], + "tags": [ + "sports", + "olympic games", + "ice hockey", + "milwaukee wisconsin", + "saint paul, minnesota", + "gas rationing", + "lake placid new york", + "aftercreditsstinger", + "duringcreditsstinger" + ] } ] \ No newline at end of file