diff --git a/labs/03-orchestration/04-ACS/acs-lc-python.ipynb b/labs/03-orchestration/03-VectorStore/aisearch.ipynb similarity index 100% rename from labs/03-orchestration/04-ACS/acs-lc-python.ipynb rename to labs/03-orchestration/03-VectorStore/aisearch.ipynb diff --git a/labs/03-orchestration/04-ACS/acs-sk-csharp.ipynb b/labs/03-orchestration/04-ACS/acs-sk-csharp.ipynb deleted file mode 100644 index fbf79df..0000000 --- a/labs/03-orchestration/04-ACS/acs-sk-csharp.ipynb +++ /dev/null @@ -1,1104 +0,0 @@ -{ - "cells": [ - { - "attachments": {}, - "cell_type": "markdown", - "metadata": {}, - "source": [ - "# 04 - AI Orchestration with Azure AI Search\n", - "**(Semantic Kernel / C# version)**\n", - "\n", - "In this lab, we will do a deeper dive into using Azure AI Search as a vector store, the different search methods it supports and how you can use it as part of the Retrieval Augmented Generation (RAG) pattern for working with large language models." - ] - }, - { - "cell_type": "markdown", - "metadata": {}, - "source": [ - "## Create an Azure AI Search Vector Store in Azure\n", - "\n", - "First, we will create an Azure AI Search service in Azure. We'll use the Azure CLI to do this, so you'll need to cut and paste the following commands into a terminal window.\n", - "\n", - "**NOTE:** Before running the commands, replace the **``** with your own initials or some random characters, as we need to provide a unique name for the Azure AI Search service." - ] - }, - { - "cell_type": "code", - "execution_count": null, - "metadata": { - "dotnet_interactive": { - "language": "csharp" - }, - "polyglot_notebook": { - "kernelName": "csharp" - }, - "vscode": { - "languageId": "polyglot-notebook" - } - }, - "outputs": [], - "source": [ - "// Execute the following commands using the Azure CLI to create the Azure AI Search resource in Azure.\n", - "\n", - "RESOURCE_GROUP=\"azure-ai-search-rg\"\n", - "LOCATION=\"westeurope\"\n", - "NAME=\"ai-vectorstore-\"\n", - "az group create --name $RESOURCE_GROUP --location $LOCATION\n", - "az search service create -g $RESOURCE_GROUP -n $NAME -l $LOCATION --sku Basic --partition-count 1 --replica-count 1" - ] - }, - { - "cell_type": "markdown", - "metadata": {}, - "source": [ - "Next, we need to find and update the following values in the `.env` file with the Azure AI Search **name**, **endpoint** and **admin key** values, which you can get from the Azure portal. You also need to provide an **index name** value. The index will be created during this lab, so you can use any name you like.\n", - "\n", - "```\n", - "AZURE_AI_SEARCH_SERVICE_NAME = \"\"\n", - "AZURE_AI_SEARCH_ENDPOINT = \"\"\n", - "AZURE_AI_SEARCH_API_KEY = \"\"\n", - "```" - ] - }, - { - "cell_type": "markdown", - "metadata": {}, - "source": [ - "## Load the required .NET packages\n", - "\n", - "This lab uses C#, so we will need to load the required .NET packages." - ] - }, - { - "cell_type": "code", - "execution_count": null, - "metadata": { - "dotnet_interactive": { - "language": "csharp" - }, - "polyglot_notebook": { - "kernelName": "csharp" - }, - "vscode": { - "languageId": "polyglot-notebook" - } - }, - "outputs": [], - "source": [ - "// Add the Packages\n", - "#r \"nuget: dotenv.net, 3.1.2\"\n", - "#r \"nuget: Azure.AI.OpenAI, 1.0.0-beta.16\"\n", - "#r \"nuget: Azure.Identity, 1.11.2\"\n", - "#r \"nuget: Azure.Search.Documents, 11.5.0-beta.5\"" - ] - }, - { - "cell_type": "markdown", - "metadata": {}, - "source": [ - "## Load environment variable values\n", - "As with previous labs, we'll use the values from the `.env` file in the root of this repository." - ] - }, - { - "cell_type": "code", - "execution_count": null, - "metadata": { - "dotnet_interactive": { - "language": "csharp" - }, - "polyglot_notebook": { - "kernelName": "csharp" - }, - "vscode": { - "languageId": "polyglot-notebook" - } - }, - "outputs": [], - "source": [ - "using System.IO;\n", - "using dotenv.net;\n", - "\n", - "// Read values from .env file\n", - "var envVars = DotEnv.Fluent()\n", - " .WithoutExceptions()\n", - " .WithEnvFiles(\"../../../.env\")\n", - " .WithTrimValues()\n", - " .WithDefaultEncoding()\n", - " .WithOverwriteExistingVars()\n", - " .WithoutProbeForEnv()\n", - " .Read();\n", - "\n", - "var azure_openai_api_key = envVars[\"AZURE_OPENAI_API_KEY\"].Replace(\"\\\"\", \"\");\n", - "var azure_openai_endpoint = envVars[\"AZURE_OPENAI_ENDPOINT\"].Replace(\"\\\"\", \"\");\n", - "var azure_openai_embedding_deployment_name = envVars[\"AZURE_OPENAI_EMBEDDING_DEPLOYMENT_NAME\"].Replace(\"\\\"\", \"\");\n", - "var azure_ai_search_name = envVars[\"AZURE_AI_SEARCH_SERVICE_NAME\"].Replace(\"\\\"\", \"\");\n", - "var azure_ai_search_endpoint = envVars[\"AZURE_AI_SEARCH_ENDPOINT\"].Replace(\"\\\"\", \"\");\n", - "var azure_ai_search_api_key = envVars[\"AZURE_AI_SEARCH_API_KEY\"].Replace(\"\\\"\", \"\");\n", - "var azure_ai_search_index_name = envVars[\"AZURE_AI_SEARCH_INDEX_NAME\"].Replace(\"\\\"\", \"\");\n", - "\n", - "Console.WriteLine(\"This lab exercise will use the following values:\");\n", - "Console.WriteLine($\"Azure OpenAI Endpoint: {azure_openai_endpoint}\");\n", - "Console.WriteLine($\"Azure AI Search: {azure_ai_search_name}\");" - ] - }, - { - "attachments": {}, - "cell_type": "markdown", - "metadata": {}, - "source": [ - "First, we will load the data from the movies.csv file and then extract a subset to load into the Azure AI Search index. We do this to help avoid the Azure OpenAI embedding limits and long loading times when inserting data into the index." - ] - }, - { - "cell_type": "code", - "execution_count": null, - "metadata": { - "dotnet_interactive": { - "language": "csharp" - }, - "polyglot_notebook": { - "kernelName": "csharp" - }, - "vscode": { - "languageId": "polyglot-notebook" - } - }, - "outputs": [], - "source": [ - "using System.IO;\n", - "\n", - "string path = @\"./movies.csv\";\n", - "string[] allMovies;\n", - "string[] movieSubset;\n", - "//\n", - "// Rather than load all 500 movies into Azure AI search, we will use a\n", - "// smaller subset of movie data to make things quicker. The more movies you load,\n", - "// the more time it will take for embeddings to be generated.\n", - "//\n", - "int movieSubsetCount = 50;\n", - "try\n", - "{\n", - " if (File.Exists(path))\n", - " {\n", - " allMovies = File.ReadAllLines(path);\n", - " movieSubset = allMovies.Skip(1).Take(movieSubsetCount).ToArray();\n", - " }\n", - "}\n", - "catch (Exception e)\n", - "{\n", - " Console.WriteLine(\"The process failed: {0}\", e.ToString());\n", - "}\n", - "\n", - "// Write out the results.\n", - "Console.WriteLine($\"Loaded {movieSubset.Length} movies.\");" - ] - }, - { - "attachments": {}, - "cell_type": "markdown", - "metadata": {}, - "source": [ - "During this lab, we will need to work with embeddings. We use embeddings to create a vector representation of a piece of text. We will need to create embeddings for the documents we want to store in our Azure AI Search index and also for the queries we want to use to search the index. We will create an Azure OpenAI client to do this." - ] - }, - { - "cell_type": "code", - "execution_count": null, - "metadata": { - "dotnet_interactive": { - "language": "csharp" - }, - "polyglot_notebook": { - "kernelName": "csharp" - }, - "vscode": { - "languageId": "polyglot-notebook" - } - }, - "outputs": [], - "source": [ - "using Azure;\n", - "using Azure.AI.OpenAI;\n", - "using Azure.Identity;\n", - "\n", - "OpenAIClient azureOpenAIClient = new OpenAIClient(new Uri(azure_openai_endpoint),new AzureKeyCredential(azure_openai_api_key));" - ] - }, - { - "cell_type": "markdown", - "metadata": {}, - "source": [ - "## Create an Azure AI Search index and load movie data\n", - "\n", - "Next, we'll step through the process of configuring an Azure AI Search index to store our movie data and then loading the data into the index. " - ] - }, - { - "cell_type": "code", - "execution_count": null, - "metadata": { - "dotnet_interactive": { - "language": "csharp" - }, - "polyglot_notebook": { - "kernelName": "csharp" - }, - "vscode": { - "languageId": "polyglot-notebook" - } - }, - "outputs": [], - "source": [ - "using Azure.Search.Documents;\n", - "using Azure.Search.Documents.Models;\n", - "using Azure.Search.Documents.Indexes;\n", - "using Azure.Search.Documents.Indexes.Models;\n", - "using Microsoft.Extensions.Configuration;\n", - "\n", - "// These variables store the names of Azure AI Search profiles and configs that we will use\n", - "\n", - "string vectorSearchHnswProfile = \"movies-vector-profile\";\n", - "string vectorSearchHnswConfig = \"movies-vector-config\";\n", - "string semanticSearchConfigName = \"movies-semantic-config\";\n", - "\n", - "// The OpenAI embeddings model has 1,536 dimensions\n", - "\n", - "int modelDimensions = 1536;" - ] - }, - { - "cell_type": "markdown", - "metadata": {}, - "source": [ - "When configuring an Azure AI Search index, we need to specify the fields we want to store in the index and the data types for each field. These match the fields in the movie data, containing values such as the movie title, genre, year of release and so on.\n", - "\n", - "**NOTE:** It is possible just to use Azure AI Search as a vector store only, in which case we probably wouldn't need to define all of the index fields below. However, in this lab, we're also going to demonstrate Hybrid Search, a feature which makes use of both traditional keyword based search in combination with vector search." - ] - }, - { - "cell_type": "code", - "execution_count": null, - "metadata": { - "dotnet_interactive": { - "language": "csharp" - }, - "polyglot_notebook": { - "kernelName": "csharp" - }, - "vscode": { - "languageId": "polyglot-notebook" - } - }, - "outputs": [], - "source": [ - "IList fields = new List();\n", - "fields.Add(new SimpleField(\"id\", SearchFieldDataType.String) { IsKey = true, IsFilterable = true, IsSortable = true });\n", - "fields.Add(new SearchableField(\"title\", false) { IsFilterable = true, IsSortable = true });\n", - "fields.Add(new SearchableField(\"overview\", false) { IsFilterable = true, IsSortable = true });\n", - "fields.Add(new SearchableField(\"genre\", false) { IsFilterable = true, IsSortable = true, IsFacetable = true });\n", - "fields.Add(new SearchableField(\"tagline\", false) { IsFilterable = true, IsSortable = true });\n", - "fields.Add(new SearchableField(\"release_date\", false) { IsFilterable = true, IsSortable = true });\n", - "fields.Add(new SearchableField(\"popularity\", false) { IsFilterable = true, IsSortable = true });\n", - "fields.Add(new SearchableField(\"vote_average\", false) { IsFilterable = true, IsSortable = true });\n", - "fields.Add(new SearchableField(\"vote_count\", false) { IsFilterable = true, IsSortable = true });\n", - "fields.Add(new SearchableField(\"runtime\", false) { IsFilterable = true, IsSortable = true });\n", - "fields.Add(new SearchableField(\"revenue\", false) { IsFilterable = true, IsSortable = true });\n", - "fields.Add(new SearchableField(\"original_language\", false) { IsFilterable = true, IsSortable = true });" - ] - }, - { - "cell_type": "markdown", - "metadata": {}, - "source": [ - "To use Azure AI Search as a vector store, we will need to define a field to hold the vector representaion of the movie data. We indicate to Azure AI Search that this field will contain vector data by providing details of the vector dimensions and a profile. We'll also define the vector search configuration and profile with default values." - ] - }, - { - "cell_type": "code", - "execution_count": null, - "metadata": { - "dotnet_interactive": { - "language": "csharp" - }, - "polyglot_notebook": { - "kernelName": "csharp" - }, - "vscode": { - "languageId": "polyglot-notebook" - } - }, - "outputs": [], - "source": [ - "fields.Add(new SearchField(\"vector\", SearchFieldDataType.Collection(SearchFieldDataType.Single))\n", - "{\n", - " IsSearchable = true,\n", - " VectorSearchDimensions = modelDimensions,\n", - " VectorSearchProfile = vectorSearchHnswProfile,\n", - "});\n", - "\n", - "VectorSearch vectorSearch = new VectorSearch();\n", - "vectorSearch.Algorithms.Add(new HnswVectorSearchAlgorithmConfiguration(vectorSearchHnswConfig));\n", - "vectorSearch.Profiles.Add(new VectorSearchProfile(vectorSearchHnswProfile, vectorSearchHnswConfig));" - ] - }, - { - "cell_type": "markdown", - "metadata": {}, - "source": [ - "We're going to be using Semantic Ranking, a feature of Azure AI Search that improves search results by using language understanding to rerank the search results. We configure Semantic Settings to help the ranking model understand the movie data, by telling it which fields contain the movie title, which fields contain keywords and which fields contain general free text content." - ] - }, - { - "cell_type": "code", - "execution_count": null, - "metadata": { - "dotnet_interactive": { - "language": "csharp" - }, - "polyglot_notebook": { - "kernelName": "csharp" - }, - "vscode": { - "languageId": "polyglot-notebook" - } - }, - "outputs": [], - "source": [ - "SemanticSettings semanticSettings = new SemanticSettings();\n", - "semanticSettings.Configurations.Add(new SemanticConfiguration(semanticSearchConfigName, new PrioritizedFields()\n", - "{\n", - " TitleField = new SemanticField() { FieldName = \"title\" },\n", - " KeywordFields = { new SemanticField() { FieldName = \"genre\" } },\n", - " ContentFields = { new SemanticField() { FieldName = \"title\" },\n", - " new SemanticField() { FieldName = \"overview\" },\n", - " new SemanticField() { FieldName = \"tagline\" },\n", - " new SemanticField() { FieldName = \"genre\" },\n", - " new SemanticField() { FieldName = \"release_date\" },\n", - " new SemanticField() { FieldName = \"popularity\" },\n", - " new SemanticField() { FieldName = \"vote_average\" },\n", - " new SemanticField() { FieldName = \"vote_count\" },\n", - " new SemanticField() { FieldName = \"runtime\" },\n", - " new SemanticField() { FieldName = \"revenue\" },\n", - " new SemanticField() { FieldName = \"original_language\" }\n", - " }\n", - "}));" - ] - }, - { - "cell_type": "markdown", - "metadata": {}, - "source": [ - "Finally, we'll go ahead and create the index by creating an instance of the `SearchIndex` class and adding the keyword and vectors fields and the semantic search profile." - ] - }, - { - "cell_type": "code", - "execution_count": null, - "metadata": { - "dotnet_interactive": { - "language": "csharp" - }, - "polyglot_notebook": { - "kernelName": "csharp" - }, - "vscode": { - "languageId": "polyglot-notebook" - } - }, - "outputs": [], - "source": [ - "// Setup SearchIndex\n", - "SearchIndex searchIndex = new SearchIndex(azure_ai_search_index_name);\n", - "searchIndex.VectorSearch = vectorSearch;\n", - "searchIndex.SemanticSettings = semanticSettings;\n", - "searchIndex.Fields = fields;\n", - "\n", - "// Create an Azure AI Search index client and create the index.\n", - "AzureKeyCredential indexCredential = new AzureKeyCredential(azure_ai_search_api_key);\n", - "SearchIndexClient indexClient = new SearchIndexClient(new Uri(azure_ai_search_endpoint), indexCredential);\n", - "indexClient.CreateOrUpdateIndex(searchIndex);\n", - "\n", - "Console.WriteLine($\"Index {azure_ai_search_index_name} created.\");" - ] - }, - { - "cell_type": "markdown", - "metadata": {}, - "source": [ - "The index is now ready, so next we need to prepare the movie data to load into the index.\n", - "\n", - "**NOTE**: During this phase, we send the data for each movie to an Azure OpenAI embeddings model to create the vector data. This may take some time due to rate limiting in the API." - ] - }, - { - "cell_type": "code", - "execution_count": null, - "metadata": { - "dotnet_interactive": { - "language": "csharp" - }, - "polyglot_notebook": { - "kernelName": "csharp" - }, - "vscode": { - "languageId": "polyglot-notebook" - } - }, - "outputs": [], - "source": [ - "using System.Text.RegularExpressions;\n", - "\n", - "// Loop through all of the movies and create an array of documents that we can load into the index.\n", - "List movieDocuments = new List();\n", - "for (int i = 0; i < movieSubset.Length; i++) \n", - "{\n", - " // Extract the data for the movie from the CSV file into variables\n", - " var values = Regex.Split(movieSubset[i], \",(?=(?:[^\\\"]*\\\"[^\\\"]*\\\")*[^\\\"]*$)\");\n", - " var movieId = values[0];\n", - " var movieTitle = values[2];\n", - " var movieOverview = Regex.Replace(values[8], \"^\\\"|\\\"$\", \"\");\n", - " var movieGenre = values[7].Substring(2, values[7].Length - 4);\n", - " var movieTagline = Regex.Replace(values[11], \"^\\\"|\\\"$\", \"\");\n", - " var movieReleaseDate = values[4];\n", - " var movieRuntime = values[10];\n", - " var moviePopularity = values[3];\n", - " var movieVoteAverage = values[5];\n", - " var movieVoteCount = values[6];\n", - " var movieRevenue = values[9];\n", - " var movieLanguage = values[1];\n", - " \n", - " // Take the entire set of data for the movie and generate the embeddings\n", - " IEnumerable content = new List() { movieSubset[i] };\n", - " Response contentEmbeddings = azureOpenAIClient.GetEmbeddings(new EmbeddingsOptions(azure_openai_embedding_deployment_name, content));\n", - "\n", - " // Add the movie data and embeddings to a search document\n", - " SearchDocument document = new SearchDocument();\n", - " document.Add(\"id\", movieId.Substring(0, movieId.Length - 2));\n", - " document.Add(\"title\", movieTitle);\n", - " document.Add(\"overview\", movieOverview);\n", - " document.Add(\"genre\", movieGenre);\n", - " document.Add(\"tagline\", movieTagline);\n", - " document.Add(\"release_date\", movieReleaseDate);\n", - " document.Add(\"runtime\", movieRuntime);\n", - " document.Add(\"popularity\", moviePopularity);\n", - " document.Add(\"vote_average\", movieVoteAverage);\n", - " document.Add(\"vote_count\", movieVoteCount);\n", - " document.Add(\"revenue\", movieRevenue);\n", - " document.Add(\"original_language\", movieLanguage);\n", - " document.Add(\"vector\", contentEmbeddings.Value.Data[0].Embedding.ToArray());\n", - " movieDocuments.Add(new SearchDocument(document));\n", - " Console.WriteLine($\"Movie {movieTitle} added.\");\n", - "}\n", - "\n", - "Console.WriteLine($\"New SearchDocument structure with embeddings created for {movieDocuments.Count} movies.\");" - ] - }, - { - "cell_type": "markdown", - "metadata": {}, - "source": [ - "We can write out the contents of one of the documents to see what it looks like. You can see that it contains the movie data at the top and then a long array containing the vector data." - ] - }, - { - "cell_type": "code", - "execution_count": null, - "metadata": { - "dotnet_interactive": { - "language": "csharp" - }, - "polyglot_notebook": { - "kernelName": "csharp" - }, - "vscode": { - "languageId": "polyglot-notebook" - } - }, - "outputs": [], - "source": [ - "Console.WriteLine(movieDocuments[0]);" - ] - }, - { - "cell_type": "markdown", - "metadata": {}, - "source": [ - "Now we have the movie data stored in the correct format, so let's load it into the Azure AI Search index we created earlier." - ] - }, - { - "cell_type": "code", - "execution_count": null, - "metadata": { - "dotnet_interactive": { - "language": "csharp" - }, - "polyglot_notebook": { - "kernelName": "csharp" - }, - "vscode": { - "languageId": "polyglot-notebook" - } - }, - "outputs": [], - "source": [ - "SearchClient searchIndexClient = indexClient.GetSearchClient(azure_ai_search_index_name);\n", - "IndexDocumentsOptions options = new IndexDocumentsOptions { ThrowOnAnyError = true };\n", - "searchIndexClient.IndexDocuments(IndexDocumentsBatch.Upload(movieDocuments), options);\n", - "\n", - "Console.WriteLine($\"Successfully loaded {movieDocuments.Count} movies into Azure AI Search index.\");" - ] - }, - { - "cell_type": "markdown", - "metadata": {}, - "source": [ - "## Vector store searching using Azure AI Search\n", - "\n", - "We've loaded the movies into Azure AI Search, so now let's experiment with some of the different types of searches you can perform.\n", - "\n", - "First we'll just perform a simple keyword search." - ] - }, - { - "cell_type": "code", - "execution_count": null, - "metadata": { - "dotnet_interactive": { - "language": "csharp" - }, - "polyglot_notebook": { - "kernelName": "csharp" - }, - "vscode": { - "languageId": "polyglot-notebook" - } - }, - "outputs": [], - "source": [ - "var query = \"hero\";\n", - "\n", - "SearchOptions searchOptions = new SearchOptions\n", - "{\n", - " Size = 5,\n", - " Select = { \"title\", \"genre\" },\n", - " SearchMode = SearchMode.Any,\n", - " QueryType = SearchQueryType.Simple,\n", - "};\n", - "\n", - "SearchResults response = searchIndexClient.Search(query, searchOptions);\n", - "Pageable> results = response.GetResults();\n", - "\n", - "foreach (SearchResult result in results)\n", - "{\n", - " Console.WriteLine($\"Movie: {result.Document[\"title\"]}\");\n", - " Console.WriteLine($\"Genre: {result.Document[\"genre\"]}\");\n", - " Console.WriteLine(\"----------\");\n", - "};" - ] - }, - { - "cell_type": "markdown", - "metadata": {}, - "source": [ - "We get some results, but they're not necessarily movies about heroes. It could be that there is some text in the index for these results that relates to the word \"hero\". For example, the description might mention \"heroic deeds\" or something similar.\n", - "\n", - "Let's now try the same again, but this time we'll ask a question instead of just searching for a keyword." - ] - }, - { - "cell_type": "code", - "execution_count": null, - "metadata": { - "dotnet_interactive": { - "language": "csharp" - }, - "polyglot_notebook": { - "kernelName": "csharp" - }, - "vscode": { - "languageId": "polyglot-notebook" - } - }, - "outputs": [], - "source": [ - "var query = \"What are the best movies about superheroes?\";\n", - "\n", - "SearchResults response = searchIndexClient.Search(query, searchOptions);\n", - "Pageable> results = response.GetResults();\n", - "\n", - "foreach (SearchResult result in results)\n", - "{\n", - " Console.WriteLine($\"Movie: {result.Document[\"title\"]}\");\n", - " Console.WriteLine($\"Genre: {result.Document[\"genre\"]}\");\n", - " Console.WriteLine(\"----------\");\n", - "};" - ] - }, - { - "cell_type": "markdown", - "metadata": {}, - "source": [ - "As before, you will likely get mixed results. Some of the movies returned could be about heroes, but others may not be. This is because the search is still based on keywords.\n", - "\n", - "Next, let's try a vector search." - ] - }, - { - "cell_type": "code", - "execution_count": null, - "metadata": { - "dotnet_interactive": { - "language": "csharp" - }, - "polyglot_notebook": { - "kernelName": "csharp" - }, - "vscode": { - "languageId": "polyglot-notebook" - } - }, - "outputs": [], - "source": [ - "var query = \"What are the best movies about superheroes?\";\n", - "\n", - "// Convert the query to an embedding\n", - "float[] queryEmbedding = azureOpenAIClient.GetEmbeddings(new EmbeddingsOptions(azure_openai_embedding_deployment_name, new List() { query })).Value.Data[0].Embedding.ToArray();\n", - "\n", - "// This time we will set the search type to Semantic and we'll pass in the embedded version of the query text and parameters to configure the vector search.\n", - "SearchOptions searchOptions = new SearchOptions\n", - "{\n", - " QueryType = SearchQueryType.Semantic,\n", - " SemanticConfigurationName = semanticSearchConfigName,\n", - " VectorQueries = { new RawVectorQuery() { Vector = queryEmbedding, KNearestNeighborsCount = 5, Fields = { \"vector\" } } },\n", - " Size = 5,\n", - " Select = { \"title\", \"genre\" },\n", - "};\n", - "\n", - "// Note the `null` value for the query parameter. This is because we're not sending the query text to Azure AI Search. We're sending the embedded version of the query text instead.\n", - "SearchResults response = searchIndexClient.Search(null, searchOptions);\n", - "Pageable> results = response.GetResults();\n", - "\n", - "foreach (SearchResult result in results)\n", - "{\n", - " Console.WriteLine($\"Movie: {result.Document[\"title\"]}\");\n", - " Console.WriteLine($\"Genre: {result.Document[\"genre\"]}\");\n", - " Console.WriteLine($\"Score: {result.Score}\");\n", - " //Console.WriteLine($\"Reranked Score: {result.RerankerScore}\");\n", - " Console.WriteLine(\"----------\");\n", - "};" - ] - }, - { - "cell_type": "markdown", - "metadata": {}, - "source": [ - "It's likely that the raw vector search didn't return exactly what you were expecting. You were probably expecting a list of superhero movies, but now we're getting a list of movies that are **similar** to the vector we provided. Some of these may be hero movies, but others may not be. The vector search is returning the nearest neighbours to the vector we provided, so it's possible that at least one of the results is a superhero movie, and the others are similar to that movie in some way.\n", - "\n", - "So, both the keyword search and the vector search have their limitations. The keyword search is limited to the keywords in the index, so it's possible that we might miss some movies that are about heroes. The vector search is limited to returning the nearest neighbours to the vector we provide, so it's possible that we might get some movies that are not about heroes.\n", - "\n", - "## Hybrid search using Azure AI Search\n", - "\n", - "To overcome the limitations of both keyword search and vector search, we can use a combination of both. This is known as Hybrid Search. Let's run the same query again, but this time we'll use Hybrid Search.\n", - "\n", - "The only significant difference is that this time we will submit both the original query text and the embedding vector to Azure AI Search. Azure AI Search will then use both the query text and the vector to perform the search and combine the results." - ] - }, - { - "cell_type": "code", - "execution_count": null, - "metadata": { - "dotnet_interactive": { - "language": "csharp" - }, - "polyglot_notebook": { - "kernelName": "csharp" - }, - "vscode": { - "languageId": "polyglot-notebook" - } - }, - "outputs": [], - "source": [ - "SearchResults response = searchIndexClient.Search(query, searchOptions);\n", - "Pageable> results = response.GetResults();\n", - "\n", - "foreach (SearchResult result in results)\n", - "{\n", - " Console.WriteLine($\"Movie: {result.Document[\"title\"]}\");\n", - " Console.WriteLine($\"Genre: {result.Document[\"genre\"]}\");\n", - " Console.WriteLine($\"Score: {result.Score}\");\n", - " Console.WriteLine($\"Reranked Score: {result.RerankerScore}\");\n", - " Console.WriteLine(\"----------\");\n", - "};" - ] - }, - { - "cell_type": "markdown", - "metadata": {}, - "source": [ - "Hopefully, you'll now see a much better set of results. Performing a hybrid search has allowed us to combine the benefits of both keyword search and vector search. But also, Azure AI Search performs a further step when using hybrid search. It makes use of a Semantic Ranker to further improve the search results. The Semantic Ranker uses a language understanding model to understand the query text and the documents in the index and then uses this information to rerank the search results. So, after performing the keyword and vector search, Azure AI Search will then use the Semantic Ranker to re-order the search results based on the context of the original query.\n", - "\n", - "In the results above, you can see a `Reranked Score`. This is the score that has been calculated by the Semantic Ranker. The `Score` is the score calculated by the keyword and vector search. You'll note that the results are returned in the order determined by the reranked score." - ] - }, - { - "cell_type": "markdown", - "metadata": {}, - "source": [ - "## Bringing it All Together with Retrieval Augmented Generation (RAG) + Semantic Kernel (SK)\n", - "\n", - "Now that we have our Vector Store setup and data loaded, we are now ready to implement the RAG pattern using AI Orchestration. At a high-level, the following steps are required:\n", - "1. Ask the question\n", - "2. Create Prompt Template with inputs\n", - "3. Get Embedding representation of inputted question\n", - "4. Use embedded version of the question to search Azure AI Search (ie. The Vector Store)\n", - "5. Inject the results of the search into the Prompt Template & Execute the Prompt to get the completion\n", - "\n", - "**NOTE:** Semantic Kernel has a Semantic Memory feature, as well as a separate Kernel Memory project, that both allow you to store and retrieve information from a vector store. These are both currently in preview / experimental states. In the following code, we're implementing the feature using our own code to firstly retrieve results from Azure AI Search, then add those search results to the query we send to Azure OpenAI.\n", - "\n", - "First, let's setup the packages and load the values from the `.env` file." - ] - }, - { - "cell_type": "code", - "execution_count": null, - "metadata": { - "dotnet_interactive": { - "language": "csharp" - }, - "polyglot_notebook": { - "kernelName": "csharp" - }, - "vscode": { - "languageId": "polyglot-notebook" - } - }, - "outputs": [], - "source": [ - "// Add the Packages\n", - "#r \"nuget: dotenv.net, 3.1.2\"\n", - "#r \"nuget: Microsoft.SemanticKernel, 1.10.0\"\n", - "#r \"nuget: Microsoft.SemanticKernel.Connectors.OpenAI, 1.10.0\"\n", - "#r \"nuget: Azure.AI.OpenAI, 1.0.0-beta.16\"\n", - "#r \"nuget: Azure.Identity, 1.11.2\"\n", - "#r \"nuget: Azure.Search.Documents, 11.5.0-beta.5\"\n", - "#r \"nuget: Microsoft.Extensions.Logging, 7.0.0\"\n", - "#r \"nuget: Microsoft.Extensions.Logging.Console, 7.0.0\"\n", - "\n", - "using System.IO;\n", - "using dotenv.net;\n", - "using Microsoft.SemanticKernel;\n", - "using Microsoft.SemanticKernel.Connectors.OpenAI;\n", - "using Azure;\n", - "using Azure.AI.OpenAI;\n", - "using Azure.Identity;\n", - "using Azure.Search.Documents;\n", - "using Azure.Search.Documents.Models;\n", - "using Azure.Search.Documents.Indexes;\n", - "using Azure.Search.Documents.Indexes.Models;\n", - "using Microsoft.Extensions.Configuration;\n", - "\n", - "// Read values from .env file\n", - "var envVars = DotEnv.Fluent()\n", - " .WithoutExceptions()\n", - " .WithEnvFiles(\"../../../.env\")\n", - " .WithTrimValues()\n", - " .WithDefaultEncoding()\n", - " .WithOverwriteExistingVars()\n", - " .WithoutProbeForEnv()\n", - " .Read();\n", - "\n", - "var azure_openai_api_key = envVars[\"AZURE_OPENAI_API_KEY\"].Replace(\"\\\"\", \"\");\n", - "var azure_openai_endpoint = envVars[\"AZURE_OPENAI_ENDPOINT\"].Replace(\"\\\"\", \"\");\n", - "var azure_openai_completion_deployment_name = envVars[\"AZURE_OPENAI_COMPLETION_DEPLOYMENT_NAME\"].Replace(\"\\\"\", \"\");\n", - "var azure_openai_embedding_deployment_name = envVars[\"AZURE_OPENAI_EMBEDDING_DEPLOYMENT_NAME\"].Replace(\"\\\"\", \"\");\n", - "var azure_ai_search_name = envVars[\"AZURE_AI_SEARCH_SERVICE_NAME\"].Replace(\"\\\"\", \"\");\n", - "var azure_ai_search_endpoint = envVars[\"AZURE_AI_SEARCH_ENDPOINT\"].Replace(\"\\\"\", \"\");\n", - "var azure_ai_search_api_key = envVars[\"AZURE_AI_SEARCH_API_KEY\"].Replace(\"\\\"\", \"\");\n", - "var azure_ai_search_index_name = envVars[\"AZURE_AI_SEARCH_INDEX_NAME\"].Replace(\"\\\"\", \"\");\n", - "\n", - "Console.WriteLine(\"This lab exercise will use the following values:\");\n", - "Console.WriteLine($\"Azure OpenAI Endpoint: {azure_openai_endpoint}\");\n", - "Console.WriteLine($\"Azure AI Search: {azure_ai_search_name}\");" - ] - }, - { - "cell_type": "markdown", - "metadata": {}, - "source": [ - "We'll setup Semantic Kernel with an Azure OpenAI service." - ] - }, - { - "cell_type": "code", - "execution_count": null, - "metadata": { - "dotnet_interactive": { - "language": "csharp" - }, - "polyglot_notebook": { - "kernelName": "csharp" - }, - "vscode": { - "languageId": "polyglot-notebook" - } - }, - "outputs": [], - "source": [ - "var builder = Kernel.CreateBuilder();\n", - "builder.Services.AddAzureOpenAIChatCompletion(azure_openai_completion_deployment_name, azure_openai_endpoint, azure_openai_api_key);\n", - "var kernel = builder.Build();" - ] - }, - { - "cell_type": "markdown", - "metadata": {}, - "source": [ - "Now we need to define a prompt template. In this template, we'll give the model the `System` instructions telling it to answer the users question using only the data provided. We'll then inject the search results that we'll later get from Azure AI Search into the `searchResults` variable. The `User` instructions will be the question that the user asks." - ] - }, - { - "cell_type": "code", - "execution_count": null, - "metadata": { - "dotnet_interactive": { - "language": "csharp" - }, - "polyglot_notebook": { - "kernelName": "csharp" - }, - "vscode": { - "languageId": "polyglot-notebook" - } - }, - "outputs": [], - "source": [ - "var askQuery = kernel.CreateFunctionFromPrompt(\n", - " new PromptTemplateConfig()\n", - " {\n", - " Name = \"askQuery\",\n", - " Description = \"Ask Azure OpenAI a question using results from Azure AI Search.\",\n", - " Template = @\"System: Answer the user's question using only the movie data below. Do not use any other data. Provide detailed information about the synopsis of the movie. {{$searchResults}}\n", - " User: {{$originalQuestion}}\n", - " Assistant: \",\n", - " TemplateFormat = \"semantic-kernel\",\n", - " InputVariables = [\n", - " new() { Name = \"originalQuestion\", Description = \"The query we sent to Azure AI Search.\", IsRequired = true },\n", - " new() { Name = \"searchResults\", Description = \"The results retrieved from Azure AI Search.\", IsRequired = true }\n", - " ],\n", - " ExecutionSettings = {\n", - " { \"default\", new OpenAIPromptExecutionSettings() {\n", - " MaxTokens = 1000,\n", - " Temperature = 0.1,\n", - " TopP = 0.5,\n", - " PresencePenalty = 0.0,\n", - " FrequencyPenalty = 0.0\n", - " } }\n", - " }\n", - " }\n", - ");" - ] - }, - { - "cell_type": "markdown", - "metadata": {}, - "source": [ - "Next we define our question and send the question to an embedding model to generate the vector representation of the question." - ] - }, - { - "cell_type": "code", - "execution_count": null, - "metadata": { - "dotnet_interactive": { - "language": "csharp" - }, - "polyglot_notebook": { - "kernelName": "csharp" - }, - "vscode": { - "languageId": "polyglot-notebook" - } - }, - "outputs": [], - "source": [ - "var query = \"What are the best movies about superheroes?\";\n", - "\n", - "OpenAIClient azureOpenAIClient = new OpenAIClient(new Uri(azure_openai_endpoint),new AzureKeyCredential(azure_openai_api_key));\n", - "float[] queryEmbedding = azureOpenAIClient.GetEmbeddings(new EmbeddingsOptions(azure_openai_embedding_deployment_name, new List() { query })).Value.Data[0].Embedding.ToArray();" - ] - }, - { - "cell_type": "markdown", - "metadata": {}, - "source": [ - "Let's prepare the `SearchOptions` to carry out a vector search." - ] - }, - { - "cell_type": "code", - "execution_count": null, - "metadata": { - "dotnet_interactive": { - "language": "csharp" - }, - "polyglot_notebook": { - "kernelName": "csharp" - }, - "vscode": { - "languageId": "polyglot-notebook" - } - }, - "outputs": [], - "source": [ - "string semanticSearchConfigName = \"movies-semantic-config\";\n", - "\n", - "SearchOptions searchOptions = new SearchOptions\n", - "{\n", - " QueryType = SearchQueryType.Semantic,\n", - " SemanticConfigurationName = semanticSearchConfigName,\n", - " VectorQueries = { new RawVectorQuery() { Vector = queryEmbedding, KNearestNeighborsCount = 5, Fields = { \"vector\" } } },\n", - " Size = 5,\n", - " Select = { \"title\", \"genre\" },\n", - "};" - ] - }, - { - "cell_type": "markdown", - "metadata": {}, - "source": [ - "Now we can go ahead and perform the search. As noted previously, we'll provide both the original question text and the vector representation of the text in order to perform a hybrid search with semantic ranking." - ] - }, - { - "cell_type": "code", - "execution_count": null, - "metadata": { - "dotnet_interactive": { - "language": "csharp" - }, - "polyglot_notebook": { - "kernelName": "csharp" - }, - "vscode": { - "languageId": "polyglot-notebook" - } - }, - "outputs": [], - "source": [ - "AzureKeyCredential indexCredential = new AzureKeyCredential(azure_ai_search_api_key);\n", - "SearchIndexClient indexClient = new SearchIndexClient(new Uri(azure_ai_search_endpoint), indexCredential);\n", - "SearchClient searchClient = indexClient.GetSearchClient(azure_ai_search_index_name);\n", - "\n", - "//Perform the search\n", - "SearchResults response = searchClient.Search(query, searchOptions);\n", - "Pageable> results = response.GetResults();" - ] - }, - { - "cell_type": "markdown", - "metadata": {}, - "source": [ - "The results of the search are now in the `results` variable. We'll iterate through them and turn them into a string that we can inject into the prompt template. When finished, we display these results so that you can see what is going to be injected into the template." - ] - }, - { - "cell_type": "code", - "execution_count": null, - "metadata": { - "dotnet_interactive": { - "language": "csharp" - }, - "polyglot_notebook": { - "kernelName": "csharp" - }, - "vscode": { - "languageId": "polyglot-notebook" - } - }, - "outputs": [], - "source": [ - "StringBuilder stringBuilderResults = new StringBuilder();\n", - "foreach (SearchResult result in results)\n", - "{\n", - " stringBuilderResults.AppendLine($\"{result.Document[\"title\"]}\");\n", - "};\n", - "\n", - "Console.WriteLine(stringBuilderResults.ToString());" - ] - }, - { - "cell_type": "markdown", - "metadata": {}, - "source": [ - "Finally, we can inject the search results into the prompt template and execute the prompt to get the completion." - ] - }, - { - "cell_type": "code", - "execution_count": null, - "metadata": { - "dotnet_interactive": { - "language": "csharp" - }, - "polyglot_notebook": { - "kernelName": "csharp" - }, - "vscode": { - "languageId": "polyglot-notebook" - } - }, - "outputs": [], - "source": [ - "var completion = await kernel.InvokeAsync(askQuery, new () { { \"originalQuestion\", query }, { \"searchResults\", stringBuilderResults.ToString() }});\n", - "\n", - "Console.WriteLine(completion);" - ] - }, - { - "cell_type": "markdown", - "metadata": {}, - "source": [ - "## Next Section\n", - "\n", - "📣 [Deploy AI](../../04-deploy-ai/README.md)" - ] - } - ], - "metadata": { - "kernelspec": { - "display_name": ".NET (C#)", - "language": "C#", - "name": ".net-csharp" - }, - "language_info": { - "codemirror_mode": { - "name": "ipython", - "version": 3 - }, - "file_extension": ".py", - "mimetype": "text/x-python", - "name": "python", - "nbconvert_exporter": "python", - "pygments_lexer": "ipython3", - "version": "3.11.6" - }, - "orig_nbformat": 4, - "polyglot_notebook": { - "kernelInfo": { - "defaultKernelName": "csharp", - "items": [ - { - "aliases": [], - "name": "csharp" - } - ] - } - } - }, - "nbformat": 4, - "nbformat_minor": 2 -} diff --git a/labs/03-orchestration/04-ACS/movies.csv b/labs/03-orchestration/04-ACS/movies.csv deleted file mode 100644 index dd0fd8c..0000000 --- a/labs/03-orchestration/04-ACS/movies.csv +++ /dev/null @@ -1,501 +0,0 @@ -id,original_language,original_title,popularity,release_date,vote_average,vote_count,genre,overview,revenue,runtime,tagline -381284.0,en,Hidden Figures,49.802,2016-12-10,8.1,7310.0,"['Drama', 'History']","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.",230698791.0,127.0,"Meet the women you don't know, behind the mission you do." -356334.0,en,Gridlocked,9.801,2016-06-14,5.8,130.0,['Action'],Former SWAT leader David Hendrix and hard-partying movie star Brody Walker must cut their ride-along short when a police training facility is attacked by a team of mercenaries.,0.0,114.0,Only one way out… -475557.0,en,Joker,116.462,2019-10-02,8.2,18970.0,"['Crime', 'Thriller', 'Drama']","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.",1074251311.0,122.0,Put on a happy face. -347847.0,en,The Sand,14.172,2015-08-28,5.1,157.0,['Horror'],"Just when you thought it was safe to go back in the water again, you can’t even get across the sand! BLOOD BEACH meets SPRING BREAKERS in an ace monster mash-up of smart nostalgia and up-to-the-minute visual effects. After an all-night graduation beach party, a group of hung-over students wake up under blazing sun to find their numbers somewhat depleted. An enormous alien creature has burrowed down deep and anyone foolish enough to make contact with the sand finds themselves at the mercy of a sea of flesh-eating tentacles. Will they ever be able to escape its carnivorous clutches?",0.0,84.0,This Beach is Killer -739542.0,en,America: The Motion Picture,98.542,2021-06-30,5.8,130.0,"['Action', 'Comedy', 'History', 'Animation', 'Fantasy']",A chainsaw-wielding George Washington teams with beer-loving bro Sam Adams to take down the Brits in a tongue-in-cheek riff on the American Revolution.,0.0,98.0,This summer they're redrawing history. -505262.0,ja,僕のヒーローアカデミア THE MOVIE ~2人の英雄~,220.805,2018-08-03,8.0,677.0,"['Animation', 'Action', 'Adventure', 'Fantasy']","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.",31478826.0,96.0,Who is your hero? -3512.0,en,Under Siege 2: Dark Territory,19.217,1995-07-13,5.7,608.0,"['Action', 'Thriller']","A passenger train has been hijacked by an electronics expert and turned into an untraceable command center for a weapons satellite. He has planned to blow up Washington DC and only one man can stop him, former Navy SEAL Casey Ryback.",104324083.0,100.0,Last time he rocked the boat. This time the sky's the limit. -10649.0,en,The Enforcer,14.938,1976-12-20,6.9,599.0,"['Action', 'Crime', 'Thriller']","Dirty Harry Callahan returns again, this time saddled with a rookie female partner. Together, they must stop a terrorist group consisting of angry Vietnam veterans.",46236000.0,96.0,The dirtiest Harry of them all. -103332.0,en,Ruby Sparks,14.75,2012-07-25,7.1,1249.0,"['Comedy', 'Romance', 'Fantasy', 'Drama']","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.",9128263.0,104.0,She's Out Of His Mind -180296.0,en,They Came Together,9.29,2014-06-27,5.6,306.0,['Comedy'],A small business owner is about to lose her shop to a major corporate development.,0.0,83.0,He came...She came...They both came -20815.0,en,The Handmaid's Tale,8.86,1990-02-15,6.0,149.0,"['Drama', 'Science Fiction']","In a dystopicly polluted rightwing religious tyranny, a young woman is put in sexual slavery on account of her now rare fertility.",0.0,108.0,A haunting tale of sexuality in a country gone wrong. -643.0,ru,Броненосец Потёмкин,8.956,1925-12-24,7.7,800.0,"['Drama', 'History']","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.",45100.0,75.0,"Revolution is the only lawful, equal, effectual war. It was in Russia that this war was declared and begun." -9798.0,en,Enemy of the State,26.671,1998-11-20,7.0,2912.0,"['Action', 'Drama', 'Thriller']","A hotshot Washington criminal lawyer becomes the target of a rogue security executive videotaped in the act of murdering a congressman when the incriminating tape is surreptitiously slipped into his shopping bag by the videographer, who is fleeing the executive's assassins.",250649836.0,132.0,It's not paranoia if they're really after you. -17314.0,en,Pistol Whipped,9.805,2008-03-04,5.2,74.0,"['Action', 'Thriller', 'Crime', 'Drama']","Steven Seagal stars in this gritty, no-holds barred action film as an elite ex-cop with a gambling problem and a mountain of debt. When a mysterious man offers to clear his debts in exchange for the assassination of the city's most notorious gangsters, he make s decision that will change his life - forever.",0.0,96.0,They came to collect a debt... He paid in full. -390845.0,ko,맛있는 비행,11.386,2015-11-01,4.1,52.0,['Romance'],"An innocent actress runs away from the scandal with an idol, the impudent idol that ruined her career, a passionate manager who is devoted to her and his ex-girlfriend who is now a sexy stewardess. These four that should never be together run into each other in an airplane. No one can run away and the most cheeky and erotic things happen here.",0.0,97.0,The in-flight service for Hong Kong starts now! An erotic story that took place in the spacious blue sky! -471014.0,en,Wheelman,12.212,2017-10-20,6.1,472.0,"['Action', 'Crime', 'Thriller']",A getaway driver for a bank robbery realizes he has been double crossed and races to find out who betrayed him.,0.0,82.0,Drive fast. Think faster. -378.0,en,Raising Arizona,15.987,1987-03-01,7.0,1506.0,"['Comedy', 'Crime']","When a childless couple of an ex-con and an ex-cop decide to help themselves to one of another family's quintuplets, their lives become more complicated than they anticipated.",29180280.0,94.0,Their lawless years are behind them. Their child-rearing years lay ahead... -38780.0,en,Rampage,13.498,2009-08-14,6.0,305.0,"['Action', 'Drama', 'Crime', 'Thriller', 'Mystery']","The boredom of small town life is eating Bill Williamson alive. Feeling constrained and claustrophobic in the meaningless drudgery of everyday life and helpless against overwhelming global dissolution, Bill begins a descent into madness. His shockingly violent plan will shake the very foundations of society by painting the streets red with blood.",0.0,85.0,Vengeance is ruthless. -9397.0,en,Evolution,27.325,2001-06-08,6.0,1672.0,"['Comedy', 'Science Fiction', 'Action']","A comedy that follows the chaos that ensues when a meteor hits the Earth carrying alien life forms that give new meaning to the term ""survival of the fittest."" David Duchovny, Orlando Jones, Seann William Scott, and Julianne Moore are the only people standing between the aliens and world domination... which could be bad news for the Earth.",98376292.0,101.0,Coming to wipe that silly smile off your planet. -14048.0,en,Man on Wire,9.314,2008-07-25,7.5,667.0,['Documentary'],"On August 7th 1974, French tightrope walker Philippe Petit stepped out on a high wire, illegally rigged between New York's World Trade Center twin towers, then the world's tallest buildings. After nearly an hour of performing on the wire, 1,350 feet above the sidewalks of Manhattan, he was arrested. This fun and spellbinding documentary chronicles Philippe Petit's ""highest"" achievement.",2957978.0,94.0,1974. 1350 feet up. The artistic crime of the century. -612706.0,en,Work It,15.947,2020-08-07,7.7,933.0,"['Comedy', 'Music']",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.,0.0,93.0,Dance to your own beat. -431072.0,en,Step Sisters,12.19,2018-01-19,6.5,397.0,['Comedy'],"Jamilah has her whole life figured out. She's the president of her black sorority, captain of their champion step dance crew, is student liaison to the college dean, and her next move is on to Harvard Law School. She's got it all, right? But when the hard-partying white girls from Sigma Beta Beta embarrass the school, Jamilah is ordered to come to the rescue. Her mission is to not only teach the rhythmically-challenged girls how to step dance, but to win the Steptacular, the most competitive of dance competitions. With the SBBs reputations and charter on the line, and Jamilah's dream of attending Harvard in jeopardy, these outcast screw-ups and their unlikely teacher stumble through one hilarious misstep after another. Cultures clash, romance blossoms, and sisterhood prevails as everyone steps out of their comfort zones.",0.0,104.0,Stomp it like it's hot -230652.0,en,Pirates of the Caribbean: Tales of the Code – Wedlocked,9.715,2011-10-18,7.0,46.0,"['Adventure', 'Action', 'Fantasy']","Wenches Scarlett and Giselle fix each other up for their wedding, in which they would each marry their groom. Upon realizing that both their grooms were the same man, Jack Sparrow, the two wenches found themselves in an auction led by the Auctioneer. This short film serves as a prequel to The Curse of the Black Pearl, and explains just why Jack Sparrow's boat the Jolly Mon was seen sinking at the beginning of the whole story; why the wenches were so upset with him; and how Cotton lost his tongue.",0.0,10.0,That scoundrel! Thinks he can marry the both of us! -70868.0,en,I Don't Know How She Does It,20.941,2011-09-16,5.2,312.0,"['Romance', 'Comedy']","A comedy centered on the life of Kate Reddy, a finance executive who is the breadwinner for her husband and two kids.",31410151.0,89.0,"If it were easy, men would do it too." -12163.0,en,The Wrestler,17.668,2008-09-07,7.5,2756.0,"['Drama', 'Romance']","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.",44703995.0,109.0,Love. Pain. Glory. -9779.0,en,The Sisterhood of the Traveling Pants,10.076,2005-06-01,6.5,1091.0,"['Drama', 'Comedy']","Four best friends (Tibby, Lena, Carmen & Bridget) who buy a mysterious pair of pants that fits each of them, despite their differing sizes, and makes whoever wears them feel fabulous. When faced with the prospect of spending their first summer apart, the pals decide they'll swap the pants so that each girl in turn can enjoy the magic.",39053061.0,119.0,Laugh. Cry. Share the pants. -6538.0,en,Charlie Wilson's War,14.221,2007-12-19,6.6,1081.0,"['Comedy', 'Drama', 'History']","The true story of Texas congressman Charlie Wilson's covert dealings in Afghanistan, where his efforts to assist rebels in their war with the Soviets had some unforeseen and long-reaching effects.",119000410.0,102.0,Based on a true story. You think we could make all this up? -52629.0,es,El Infierno,40.26,2010-09-03,7.8,370.0,"['Drama', 'Crime', 'Comedy']","Benjamin Garcia, Benny is deported from the United States. Back home and against a bleak picture, Benny gets involved in the drug business, in which he has for the first time in his life, a spectacular rise surrounded by money, women, violence and fun. But very soon he will discover that criminal life does not always keep its promises.",0.0,145.0,"Mexico 2010, Hell... nothing to celebrate" -342571.0,es,Una última y nos vamos,9.366,2015-05-29,7.9,55.0,"['Family', 'Comedy', 'Adventure']",A group of mariachis receives a letter to be part of the National Mariachi Contest in Mexico City. In order to be able to win they will need to travel together and solve their differences since their prime was 30 years ago.,0.0,111.0,"You don't have to come first, but you should know how to get there." -37958.0,en,Immortals,25.394,2011-11-10,5.9,2024.0,"['Fantasy', 'Action', 'Drama']","Theseus is a mortal man chosen by Zeus to lead the fight against the ruthless King Hyperion, who is on a rampage across Greece to obtain a weapon that can destroy humanity.",226904017.0,110.0,The Gods need a hero. -19898.0,en,Pandorum,24.568,2009-09-08,6.5,1770.0,"['Action', 'Horror', 'Mystery', 'Science Fiction', 'Thriller']","Two crew members wake up on an abandoned spacecraft with no idea who they are, how long they've been asleep, or what their mission is. The two soon discover they're actually not alone – and the reality of their situation is more horrifying than they could have imagined.",20648328.0,108.0,Don't fear the end of the world. Fear what happens next. -719164.0,en,Women,219.924,2021-04-08,6.1,14.0,['Thriller'],A small town detective while investigating the disappearance of a local woman comes across an unassuming Sociology professor who is hiding a secret life.,0.0,90.0,Don't Scream. Don't Run. Survive. -400155.0,en,Hotel Transylvania 3: Summer Vacation,133.111,2018-06-28,6.9,3332.0,"['Family', 'Fantasy', 'Comedy', 'Animation']","Dracula, Mavis, Johnny and the rest of the Drac Pack take a vacation on a luxury Monster Cruise Ship, where Dracula falls in love with the ship’s captain, Ericka, who’s secretly a descendant of Abraham Van Helsing, the notorious monster slayer.",528600000.0,97.0,Family vacation. It will suck the life out of you. -511785.0,en,Alex Strangelove,11.904,2018-04-16,6.6,1374.0,"['Comedy', 'Drama']","Alex Truelove is on a quest to lose his virginity, an event eagerly awaited by his patient girlfriend and cheered on with welcome advice by his rowdy friends. But Alex, a super gregarious dude, is oddly unmotivated. A magical house party throws Alex into the presence of Elliot, a hunky college guy, who pegs Alex as gay and flirts hard. Alex is taken aback but after a series of setbacks on the girlfriend front he takes the plunge and learns some interesting new facts about himself.",0.0,99.0,Love can be confusing -14202.0,en,The Painted Veil,9.503,2006-01-01,7.3,862.0,"['Romance', 'Drama']","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.",26910847.0,125.0,Sometimes the greatest journey is the distance between two people. -19084.0,en,Johnson Family Vacation,8.861,2004-04-07,5.3,133.0,"['Comedy', 'Family']","Nate Johnson, a Los Angeles man estranged from his wife and three children, decides to reconnect with his family by taking them with him on a road trip to Missouri for a big family reunion.",31179516.0,97.0,Take the ride. -9293.0,en,John Tucker Must Die,12.033,2006-07-27,6.2,1117.0,"['Comedy', 'Romance']","After discovering they are all dating the same same guy, three popular students from different cliques band together for revenge, so they enlist the help of a new gal in town and conspire to break the jerk's heart, while destroying his reputation.",41009669.0,87.0,Don't Get Mad. Get Even. -13179.0,en,Tinker Bell,35.273,2008-09-11,6.7,1049.0,"['Animation', 'Family', 'Adventure', 'Fantasy']","Journey into the secret world of Pixie Hollow and hear Tinker Bell speak for the very first time as the astonishing story of Disney's most famous fairy is finally revealed in the all-new motion picture ""Tinker Bell.""",0.0,78.0,Enter the world of fairies -10562.0,en,Under Suspicion,8.97,2000-09-24,6.2,325.0,"['Thriller', 'Crime', 'Drama']","A lawyer is asked to come to the police station to clear up a few loose ends in his witness report of a foul murder. ""This will only take ten minutes"", they say, but it turns out to be one loose end after another, and the ten minutes he is away from his speech become longer and longer.",260562.0,110.0,"In a world of secrets, the truth is never what it seems." -59981.0,en,Legends of Oz: Dorothy's Return,14.865,2014-05-08,6.0,211.0,"['Animation', 'Family', 'Fantasy']","Dorothy wakes up in post-tornado Kansas, only to be whisked back to Oz to try to save her old friends the Scarecrow, the Lion, the Tin Man and Glinda from a devious new villain, the Jester. Wiser the owl, Marshal Mallow, China Princess and Tugg the tugboat join Dorothy on her latest magical journey through the colorful landscape of Oz to restore order and happiness to Emerald City.",18662027.0,88.0,There's trouble in OZ... -9606.0,ja,メトロポリス,20.536,2001-05-26,7.0,310.0,"['Animation', 'Science Fiction']","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.",4035192.0,108.0,Welcome to Metropolis -640.0,en,Catch Me If You Can,40.067,2002-12-25,7.9,11689.0,"['Drama', 'Crime']","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.",352114312.0,141.0,The true story of a real fake. -2310.0,en,Beowulf,19.354,2007-11-05,5.8,2196.0,"['Adventure', 'Action', 'Animation']","A 6th-century Scandinavian warrior named Beowulf embarks on a mission to slay the man-like ogre, Grendel.",195735876.0,115.0,Evil breeds pain. -7350.0,en,The Bucket List,18.31,2007-12-25,7.2,2848.0,"['Drama', 'Comedy']","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.",175372502.0,97.0,Find the joy. -177494.0,en,Veronica Mars,9.841,2014-03-13,6.6,898.0,"['Comedy', 'Drama', 'Crime']","Years after walking away from her past as a teenage private eye, Veronica Mars gets pulled back to her hometown - just in time for her high school reunion - in order to help her old flame Logan Echolls, who's embroiled in a murder mystery.",3485127.0,107.0,She thought she was out. -335791.0,en,When the Bough Breaks,17.652,2016-09-09,5.8,310.0,"['Mystery', 'Drama', 'Horror']",A surrogate mother harbors a deadly secret desire for a family of her own with the husband who is expecting to raise her child.,30658387.0,97.0,She's carrying more than just a secret. -599281.0,en,Fear of Rain,40.276,2021-02-12,7.2,299.0,"['Thriller', 'Horror', 'Drama']","A teenage girl living with schizophrenia begins to suspect her neighbor has kidnapped a child. Her parents try desperately to help her live a normal life, without exposing their own tragic secrets, and the only person who believes her is Caleb – a boy she isn’t even sure exists.",0.0,109.0,Some voices you can't outrun. -272878.0,en,Max,31.724,2015-06-26,7.1,618.0,"['Adventure', 'Drama']",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.,43967255.0,111.0,Best Friend. Hero. Marine. -1427.0,en,Perfume: The Story of a Murderer,41.258,2006-09-13,7.3,3414.0,"['Crime', 'Fantasy', 'Drama']","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.",132180323.0,147.0,Based on the best-selling novel -426613.0,en,The Miseducation of Cameron Post,23.957,2018-07-18,6.9,735.0,['Drama'],"Pennsylvania, 1993. After getting caught with another girl, teenager Cameron Post is sent to a conversion therapy center run by the strict Dr. Lydia Marsh and her brother, Reverend Rick, whose treatment consists in repenting for feeling “same sex attraction.” Cameron befriends fellow sinners Jane and Adam, thus creating a new family to deal with the surrounding intolerance.",2019874.0,92.0,Come as you are. -27098.0,sv,Lust och fägring stor,17.826,1995-03-08,6.5,73.0,"['Drama', 'Romance', 'War']","Stig is a 15-year-old pupil of 37-year-old teacher Viola. He is attracted by her beauty and maturity while she is drawn to him by his youth and innocence, a godsent relief from her drunk and miserable husband.",0.0,130.0,He was a student. She was his teacher. Their love was forbidden. -10489.0,en,Cujo,22.438,1983-08-10,6.0,686.0,"['Horror', 'Thriller']","A friendly St. Bernard named ""Cujo"" contracts rabies and conducts a reign of terror on a small American town.",21200000.0,93.0,Now there's a new name for terror... -9829.0,en,United 93,17.693,2006-04-28,7.1,1057.0,"['Drama', 'History', 'Crime', 'Thriller', 'Action']","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.",76286096.0,111.0,"September 11, 2001. Four planes were hijacked. Three of them reached their target. This is the story of the fourth." -9767.0,en,The Break-Up,17.229,2006-06-01,5.8,2159.0,"['Romance', 'Comedy']","Pushed to the breaking-up point after their latest 'why can't you do this one little thing for me?' argument, Brooke calls it quits with her boyfriend Gary. What follows is a hilarious series of remedies, war tactics, overtures and undermining tricks – all encouraged by the former couple's friends and confidantes …and the occasional total stranger! When neither ex is willing to move out of their shared apartment, the only solution is to continue living as hostile roommates until one of them reaches breaking point.",205668210.0,106.0,…pick a side. -360387.0,en,Blunt Force Trauma,15.993,2015-10-05,5.1,64.0,['Action'],"Follows the journey of John and Colt, gunfighters and sometime lovers, on parallel but very different journeys through an underground dueling culture.",0.0,92.0,In the world of underground dueling the only rule is to survive -664416.0,en,Beastie Boys Story,13.023,2020-04-24,7.8,79.0,"['Music', 'Documentary']","Here’s a little story they’re about to tell… Mike Diamond and Adam Horovitz share the story of their band and 40 years of friendship in a live documentary directed by friend, collaborator, and their former grandfather, Spike Jonze.",0.0,119.0,Here’s a little story they're about to tell... -77805.0,en,Lovelace,37.562,2013-08-08,6.0,522.0,['Drama'],"Story of Linda Lovelace, who is used and abused by the porn industry at the behest of her coercive husband, before taking control of her life.",1585582.0,92.0,The truth goes deeper than you think. -582306.0,en,Assassin 33 A.D.,20.365,2020-01-24,5.3,86.0,['Science Fiction'],"When a billionaire gives a group of young scientists unlimited resources to study the science of matter transfer, the scientists unlock the secrets of time travel. But they soon find out that the project is backed by a militant extremist group, and the billionaire plans to go back in time and prove that Jesus never rose from the dead.",0.0,108.0,What if the greatest event in human history was erased? -6552.0,en,Idle Hands,12.326,1999-04-30,6.1,452.0,"['Comedy', 'Horror', 'Fantasy']","Anton is a cheerful but exceedingly non-ambitious 17-year-old stoner who lives to stay buzzed, watch TV, and moon over Molly, the beautiful girl who lives next door. However, it turns out that the old cliché about idle hands being the devil's playground has a kernel of truth after all.",4152230.0,92.0,The touching story of a boy and his right hand. -9696.0,ja,殺し屋1,19.277,2001-12-22,7.1,639.0,"['Action', 'Crime', 'Horror']","As sadomasochistic yakuza enforcer Kakihara searches for his missing boss he comes across Ichi, a repressed and psychotic killer who may be able to inflict levels of pain that Kakihara has only dreamed of.",0.0,129.0,Love really hurts -13596.0,en,My Best Friend's Girl,52.892,2008-09-19,5.6,552.0,"['Romance', 'Comedy']","When Dustin's girlfriend, Alexis, breaks up with him, he employs his best buddy, Tank, to take her out on the worst rebound date imaginable in the hopes that it will send her running back into his arms. But when Tank begins to really fall for Alexis, he finds himself in an impossible position.",41624687.0,101.0,It's funny what love can make you do... -16258.0,en,The Butterfly Effect 3: Revelations,16.553,2009-01-09,5.4,420.0,"['Science Fiction', 'Thriller', 'Drama', 'Crime']","The story revolves around a man trying to uncover the mysterious death of his girlfriend and save an innocent man from the death chamber in the process, by using his unique power to time travel. However in attempting to do this, he also frees a spiteful serial-killer.",0.0,90.0,Death repeats itself. -539892.0,en,Freaks,79.211,2019-09-13,6.9,766.0,"['Science Fiction', 'Thriller', 'Drama', 'Mystery']","Kept locked inside the house by her father, 7-year-old Chloe lives in fear and fascination of the outside world, where Abnormals create a constant threat—or so she believes. When a mysterious stranger offers her a glimpse of what's really happening outside, Chloe soon finds that while the truth isn't so simple, the danger is very real.",333593.0,105.0,They look just like us -417643.0,en,In Darkness,11.376,2018-05-25,6.1,375.0,"['Thriller', 'Mystery']",A blind musician hears a murder committed in the apartment upstairs from hers that sends her down a dark path into London's gritty criminal underworld.,217427.0,100.0,Fear Blinds the Truth -397992.0,en,Fair Haven,7.794,2017-03-03,6.5,59.0,['Drama'],"After a long stint in gay conversion therapy, James, a young piano prodigy, returns home to his family farm and his emotionally-distant father, Richard. After Richard pressures James to give up his music career and take over the farm, James agrees as a way to make up for his past. Soon, however, James finds himself face-to-face with a former lover, Charlie, who wants to help him turn away from his new beliefs and family expectations and follow his dreams of studying music.",0.0,90.0,Everyone deserves a chance at finding happiness. -5458.0,en,Cruel Intentions 2,14.966,2000-11-09,4.9,271.0,['Drama'],"After his precocious behavior has gotten him bounced out of one more in a string of exclusive private schools, 16-year old Sebastian Valmont has arrived in New York City to live with his father and stepmother. The cunning and handsome Sebastian may have met his match, however in his equally manipulative and beautiful stepsister Kathryn Merteuil.",0.0,87.0,Seduce and destroy. -11970.0,en,Hercules,71.102,1997-06-20,7.5,5876.0,"['Animation', 'Family', 'Fantasy', 'Adventure', 'Comedy', 'Romance']","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!",252712101.0,93.0,Zero to Hero! -12279.0,en,Spy Kids 3-D: Game Over,53.799,2003-07-25,5.1,1691.0,"['Action', 'Adventure', 'Comedy', 'Family', 'Science Fiction']","Carmen's caught in a virtual reality game designed by the Kids' new nemesis, the Toymaker. It's up to Juni to save his sister, and ultimately the world.",197011982.0,84.0,3rd Mission. 3rd Dimension. -9952.0,en,Rescue Dawn,10.28,2006-09-09,6.9,886.0,"['Adventure', 'Drama', 'War']",A US Fighter pilot's epic struggle of survival after being shot down on a mission over Laos during the Vietnam War.,7177143.0,120.0,A true story of survival... declassified. -11838.0,ja,呪怨,13.966,2002-10-18,6.8,533.0,['Horror'],"Volunteer home-care worker Rika is assigned to visit a family, she is cursed and chased by two revengeful fiends: Kayako, a woman brutally murdered by her husband and her son Toshio. Each person that lives in or visits the haunted house is murdered or disappears.",325680.0,92.0,When a grudge from the dead passes to the living - Who is safe? -369032.0,en,Carnage Park,7.025,2016-07-01,5.3,90.0,"['Action', 'Crime', 'Horror', 'Thriller']","Part crime caper gone awry, part survival horror film, this 1970s set thriller depicts a harrowing fight for survival after a pair of wannabe crooks botch a bank heist and flee into the desert, where they inexplicably stumble upon Carnage Park, a remote stretch of wilderness occupied by a psychotic ex-military sniper.",0.0,81.0,"Out here, God don't pick no favorites" -276905.0,en,Norm of the North,16.375,2016-01-14,4.7,274.0,"['Adventure', 'Animation', 'Comedy', 'Family']","Polar bear Norm and his three Arctic lemming buddies are forced out into the world once their icy home begins melting and breaking apart. Landing in New York, Norm begins life anew as a performing corporate mascot, only to discover that his new employers are directly responsible for the destruction of his polar home.",17062499.0,86.0,Bear to be different -11683.0,en,Land of the Dead,18.291,2005-06-24,6.2,1134.0,"['Horror', 'Science Fiction', 'Thriller']","The world is full of zombies and the survivors have barricaded themselves inside a walled city to keep out the living dead. As the wealthy hide out in skyscrapers and chaos rules the streets, the rest of the survivors must find a way to stop the evolving zombies from breaking into the city.",46770602.0,93.0,The dead shall inherit the Earth. -152259.0,en,Phantom,38.822,2013-01-03,5.9,234.0,['Thriller'],"The haunted Captain of a Soviet submarine holds the fate of the world in his hands. Forced to leave his family behind, he is charged with leading a covert mission cloaked in mystery.",1034589.0,99.0,You will never see it coming. -34806.0,en,The Back-Up Plan,18.998,2010-04-23,6.1,1169.0,"['Comedy', 'Romance']","When Zoe tires of looking for Mr. Right, she decides to have a baby on her own. But on the day she's artificially inseminated, she meets Stan, who seems to be just who she's been searching for all her life. Now, Zoe has to figure out how to make her two life's dreams fit with each other.",77477008.0,106.0,"Fall in love, get married, have a baby. Not necessarily in that order." -669671.0,en,Night Teeth,367.303,2021-10-20,6.8,299.0,"['Horror', 'Thriller', 'Action']","A college student moonlighting as a chauffeur picks up two mysterious women for a night of party-hopping across LA. But when he uncovers their bloodthirsty intentions - and their dangerous, shadowy underworld - he must fight to stay alive.",0.0,107.0,Paint the town red. -1923.0,en,Twin Peaks: Fire Walk with Me,12.189,1992-06-03,7.3,1379.0,"['Drama', 'Mystery', 'Horror']","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.",4160851.0,135.0,Meet Laura Palmer... In a town where nothing is as it seems... And everyone has something to hide. -25196.0,en,Crazy Heart,16.641,2009-12-16,6.9,744.0,"['Drama', 'Music', 'Romance']","When reporter Jean Craddock interviews Bad Blake—an alcoholic, seen-better-days country music legend—they connect, and the hard-living crooner sees a possible saving grace in a life with Jean and her young son.",47405566.0,112.0,"The harder the life, the sweeter the song." -105379.0,hi,Blood Money,38.939,2012-03-31,6.1,7.0,"['Drama', 'Action', 'Thriller']","In South Africa, a young man living with his wife becomes embroiled in an illegal diamond business and with time finds his life changing.",0.0,110.0,Success comes at a price. -24929.0,en,Return of the Living Dead Part II,22.73,1988-01-15,6.3,387.0,"['Comedy', 'Horror']","A group of kids discover one of the drums containing a rotting corpse and release the 2-4-5 Trioxin gas into the air, causing the dead to once again rise from the grave and seek out brains.",9205924.0,89.0,Just when you thought it was safe to be dead. -17037.0,en,I'll Be Home for Christmas,12.473,1998-11-13,5.8,223.0,"['Comedy', 'Family']","Estranged from his father, college student Jake is lured home to New York for Christmas with the promise of receiving a classic Porsche as a gift. When the bullying football team dumps him in the desert in a Santa suit, Jake is left without identification or money to help him make the journey. Meanwhile, his girlfriend, Allie, does not know where he is, and accepts a cross-country ride from Jake's rival, Eddie.",0.0,86.0,Somewhere between L.A. and N.Y. Jake found the meaning of Christmas. -442495.0,en,Sexology,14.321,2016-12-22,6.0,3.0,['Documentary'],"In a post-sexual revolution world, roughly one-third of all women have never experienced an orgasm. Armed with shocking sexual data, a bunch of insecurities and a determination to unlock the key to feminine sexual energy, filmmakers Catherine Oxenberg and Gabrielle Anwar seek out sexual experts, tantric masters, researchers, and everyday women to unearth feminism's full potential.",0.0,92.0,A Million Shades of Grey -505954.0,ru,Т-34,14.626,2018-12-27,7.0,623.0,"['War', 'Action', 'Drama', 'History']","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.",36220872.0,139.0,Fast And Furious On Tanks -602147.0,en,Inheritance,13.846,2020-04-30,6.3,347.0,['Thriller'],"The patriarch of a wealthy and powerful family suddenly passes away, leaving his wife and daughter with a shocking secret inheritance that threatens to unravel and destroy their lives.",0.0,110.0,Some secrets should stay buried -268920.0,en,Hot Pursuit,15.389,2015-05-08,5.7,1359.0,"['Action', 'Comedy', 'Crime']",An uptight by-the-book cop must protect the widow of a drug boss from crooked cops and gunmen.,51680201.0,87.0,Armed and Sort-of Dangerous. -6283.0,en,MouseHunt,11.772,1997-12-19,6.5,937.0,"['Comedy', 'Family']","Down-on-their luck brothers, Lars and Ernie Smuntz, aren't happy with the crumbling old mansion they inherit... until they discover the estate is worth millions. Before they can cash in, they have to rid the house of its single, stubborn occupant—a tiny and tenacious mouse.",122417389.0,98.0,Who's hunting who? -351286.0,en,Jurassic World: Fallen Kingdom,77.339,2018-06-06,6.6,9311.0,"['Action', 'Adventure', 'Science Fiction']","Three years after the demise of Jurassic World, a volcanic eruption threatens the remaining dinosaurs on Isla Nublar. So, Claire Dearing recruits Owen Grady to help prevent the extinction of the dinosaurs once again.",1303459585.0,129.0,The park is gone -318121.0,en,The Fundamentals of Caring,11.134,2016-06-16,7.3,1799.0,"['Comedy', 'Drama']","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.",0.0,97.0,Caring is a funny thing. -37707.0,en,Splice,24.081,2009-10-06,5.8,1657.0,"['Horror', 'Thriller', 'Science Fiction']","Elsa and Clive, two young rebellious scientists, defy legal and ethical boundaries and forge ahead with a dangerous experiment: splicing together human and animal DNA to create a new organism. Named ""Dren"", the creature rapidly develops from a deformed female infant into a beautiful but dangerous winged human-chimera, who forges a bond with both of her creators - only to have that bond turn deadly.",0.0,104.0,Science's newest miracle...is a mistake. -14158.0,en,Jackass 2.5,18.258,2007-12-18,6.1,356.0,"['Comedy', 'Documentary']","The crew have now set off to finish what as left over from Jackass 2.0, and in this version they have Wee Man use a 'pee' gun on themselves, having a mini motor bike fracas in the grocery mall, a sperm test, a portly crew member disguised as King Kong, as well as include three episodes of their hilarious adventures in India.",0.0,64.0,All the stuff we couldn't pack into number two. -180299.0,id,The Raid 2: Berandal,40.552,2014-03-27,7.6,1739.0,"['Action', 'Crime', 'Thriller']","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.",6566916.0,150.0,It's not over yet. -425148.0,en,Show Dogs,18.392,2018-05-18,5.8,168.0,"['Adventure', 'Crime', 'Family', 'Comedy']","Max, a macho, solitary Rottweiler police dog is ordered to go undercover as a primped show dog in a prestigious Dog Show, along with his human partner, to avert a disaster from happening.",38830219.0,92.0,Unleashed and undercover -791.0,en,The Fog,14.886,2005-10-14,4.4,540.0,"['Horror', 'Thriller']","Trapped within an eerie mist, the residents of Antonio Bay have become the unwitting victims of a horrifying vengeance. One hundred years earlier, a ship carrying lepers was purposely lured onto the rocky coastline and sank, drowning all aboard. Now they're back – long-dead mariners who've waited a century for their revenge.",46201432.0,100.0,Their PAST Has Come Back To HAUNT THEM -8965.0,en,Atlantis: Milo's Return,23.138,2003-02-25,6.2,1837.0,"['Fantasy', 'Animation', 'Science Fiction', 'Family', 'Action']",Milo and Kida reunite with their friends to investigate strange occurances around the world that seem to have links to the secrets of Atlantis.,0.0,70.0,The all-new adventures -211954.0,es,No se Aceptan Devoluciones,19.551,2013-07-20,7.7,671.0,"['Comedy', 'Drama']","Valentin is Acapulco's resident playboy, until a former fling leaves a baby on his doorstep and him heading with her out of Mexico.",99067206.0,122.0,Life doesn't care if you're ready. -423949.0,en,Unicorn Store,11.619,2017-09-11,6.0,721.0,"['Fantasy', 'Drama', 'Comedy']","A woman named Kit moves back to her parent's house, where she receives a mysterious invitation that would fulfill her childhood dreams.",0.0,92.0,Everyone needs a little magic. Even if they're all grown up. -38073.0,en,Going the Distance,10.68,2010-08-27,6.1,592.0,"['Comedy', 'Drama', 'Romance']","Erin and Garrett are very much in love. When Erin moves to San Francisco to finish her journalism degree and Garrett stays behind in New York to work in the music industry, they gamely keep the romance alive with webcams and frequent-flyer miles. But just when it seems the lovers will soon be reunited, they each score a big break that could separate them for good.",42045846.0,102.0,A comedy about meeting each other halfway. -636879.0,en,A Nun's Curse,66.21,2020-05-12,6.2,66.0,['Horror'],A group of travelers are forced to seek shelter inside an abandoned jail where a notorious nun named Sister Monday had once been assigned and was suspected of murdering prisoners.,0.0,73.0,She will PREY for you! -296096.0,en,Me Before You,97.535,2016-06-01,7.9,9490.0,"['Drama', 'Romance']","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.",207945075.0,110.0,Live boldly. -419743.0,en,Disobedience,41.103,2017-09-10,7.0,866.0,"['Drama', 'Romance']","A woman learns about the death of her Orthodox Jewish father, a rabbi. She returns home and has romantic feelings rekindled for her best childhood friend, who is now married to her cousin.",0.0,114.0,Love is an act of defiance -323677.0,en,Race,23.068,2016-02-19,7.3,1285.0,"['Action', 'Drama', 'History']","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.",24804129.0,134.0,The incredible true story of gold medal champion Jesse Owens -375355.0,en,Don't Hang Up,11.45,2016-10-22,6.1,382.0,"['Horror', 'Thriller']",An evening of drunken prank calls becomes a nightmare for a pair of teenagers when a mysterious stranger turns their own game against them.,0.0,83.0,Be Careful Who You Prank -12253.0,en,Biker Boyz,13.542,2003-01-31,6.2,241.0,"['Action', 'Drama']","A mythic motorcycle tale of father and son"", this is the story of Manuel Galloway, also known as ""the King of Cali"", the president of a motorcycle club whose members are all African-American men, mostly white-collar workers who exchange their suits and ties at night and on weekends for leather outfits and motorcycle helmets.",23510601.0,110.0,Survival of the fastest. -189.0,en,Sin City: A Dame to Kill For,46.493,2014-08-20,6.4,3051.0,"['Crime', 'Action', 'Thriller']",Some of Sin City's most hard-boiled citizens cross paths with a few of its more reviled inhabitants.,39407616.0,102.0,There is no justice without sin. -576845.0,en,Last Night in Soho,88.37,2021-10-21,7.5,198.0,"['Drama', 'Horror', 'Mystery', 'Thriller']","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.",12000000.0,117.0,"When the past lets you in, the truth will come out." -353610.0,en,The Condemned 2,25.287,2015-11-06,5.2,114.0,['Action'],"A former bounty hunter who finds himself on the run as part of a revamped Condemned tournament, in which convicts are forced to fight each other to the death as part of a game that's broadcast to the public.",0.0,90.0,The world's deadliest game is back online -9620.0,en,Paycheck,18.937,2003-12-25,6.2,1376.0,"['Action', 'Adventure', 'Mystery', 'Science Fiction', 'Thriller']","Michael Jennings is a genius who's hired – and paid handsomely – by high-tech firms to work on highly sensitive projects, after which his short-term memory is erased so he's incapable of breaching security. But at the end of a three-year job, he's told he isn't getting a paycheck and instead receives a mysterious envelope. In it are clues he must piece together to find out why he wasn't paid – and why he's now in hot water.",95427515.0,119.0,Remember the future. -41402.0,en,Let Me In,21.975,2010-10-01,6.8,1565.0,"['Drama', 'Horror', 'Mystery']",A bullied young boy befriends a young female vampire who lives in secrecy with her guardian. A remake of the movie “Let The Right One In” which was an adaptation of a book.,24145613.0,116.0,Innocence dies. Abby doesn't. -13012.0,en,Felon,11.917,2008-07-17,7.2,623.0,"['Action', 'Crime', 'Drama', 'Mystery']",A family man convicted of killing an intruder must cope with life afterward in the violent penal system.,0.0,103.0,No rule. No hope. No way out. -310131.0,en,The Witch,56.579,2015-01-27,6.8,5066.0,"['Horror', 'Drama', 'Mystery']","In 1630s New England, William and Katherine lead a devout Christian life with five children, homesteading on the edge of an impassable wilderness, exiled from their settlement when William defies the local church. When their newborn son vanishes and crops mysteriously fail, the family turns on one another.",40423945.0,92.0,Evil takes many forms. -2100.0,en,The Last Castle,15.538,2001-10-19,7.1,876.0,"['Action', 'Drama', 'Thriller']",A court-martialed general rallies together 1200 inmates to rise against the system that put him away.,27642707.0,131.0,A Castle Can Only Have One King -465003.0,en,The Red Sea Diving Resort,15.659,2019-07-28,6.9,613.0,"['Drama', 'Thriller', 'History']","Sudan, East Africa, 1980. A team of Israeli Mossad agents plans to rescue and transfer thousands of Ethiopian Jews to Israel. To do so, and to avoid raising suspicions from the inquisitive and ruthless authorities, they establish as a cover a fake diving resort by the Red Sea.",0.0,130.0,In the 1980s one partnership saved thousands of lives -326215.0,en,Ooops! Noah is Gone...,25.109,2015-03-26,6.3,236.0,"['Animation', 'Adventure', 'Comedy', 'Family']","It's the end of the world. A flood is coming. Luckily for Dave and his son Finny, a couple of clumsy Nestrians, an Ark has been built to save all animals. But as it turns out, Nestrians aren't allowed. Sneaking on board with the involuntary help of Hazel and her daughter Leah, two Grymps, they think they're safe. Until the curious kids fall off the Ark. Now Finny and Leah struggle to survive the flood and hungry predators and attempt to reach the top of a mountain, while Dave and Hazel must put aside their differences, turn the Ark around and save their kids. It's definitely not going to be smooth sailing.",769028.0,85.0,"One ark, 50,000 animals. What could go wrong?" -146229.0,en,Kristy,9.8,2014-08-07,6.0,292.0,"['Thriller', 'Horror']","When a college girl who is alone on campus over the Thanksgiving break is targeted by a group of outcasts, she must conquer her deepest fears to outwit them and fight back.",0.0,86.0,Run for your life -187257.0,en,Fucking Different XXX,41.323,2012-02-08,5.7,5.0,['Drama'],"In Fucking Different XXX, the passion for explicit sex scenes brought eight international filmmakers together. The eight short films shot in Paris, Berlin and San Francisco are about intensive sex, quick sex, romantic sex, funny sex, the first sex, and the last sex. The range goes from a lesbian quickie in the toilet, a bloodthirsty orgy, romantic fisting all the way to wet teenage dreams. The result is a never seen before look upon sexual tastes and varieties, far from clichés, with a fresh and sometimes humorous approach.",0.0,94.0,Queer porn crossover -8273.0,en,American Wedding,45.964,2003-08-01,6.2,3251.0,"['Comedy', 'Romance']","With high school a distant memory, Jim and Michelle are getting married -- and in a hurry, since Jim's grandmother is sick and wants to see him walk down the aisle -- prompting Stifler to throw the ultimate bachelor party. And Jim's dad is reliable as ever, doling out advice no one wants to hear.",231449203.0,103.0,Forever hold your piece. -8999.0,en,Derailed,12.114,2005-11-11,6.3,753.0,"['Drama', 'Thriller']","When two married business executives having an affair are blackmailed by a violent criminal, they are forced to turn the tables on him to save their families.",57479076.0,108.0,He never saw it coming. -9427.0,en,The Full Monty,11.006,1997-08-13,7.0,1200.0,['Comedy'],"Sheffield, England. Gaz, a jobless steelworker in need of quick cash persuades his mates to bare it all in a one-night-only strip show.",257850122.0,91.0,The year's most revealing comedy. -50348.0,en,The Lincoln Lawyer,19.957,2011-03-17,7.2,2379.0,"['Crime', 'Drama', 'Thriller']",A lawyer conducts business from the back of his Lincoln town car while representing a high-profile client in Beverly Hills.,85412898.0,119.0,This Case is a Dangerous Game of Life and Death. -2292.0,en,Clerks,10.551,1994-09-13,7.4,1862.0,['Comedy'],"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.",3151130.0,92.0,Just because they serve you doesn't mean they like you. -10226.0,fr,Haute tension,10.667,2003-06-18,6.8,921.0,"['Horror', 'Thriller', 'Mystery']","Best friends Marie and Alexia decide to spend a quiet weekend at Alexia's parents' secluded farmhouse. But on the night of their arrival, the girls' idyllic getaway turns into an endless night of horror.",6291958.0,91.0,Hearts will bleed. -1637.0,en,Speed,30.605,1994-06-09,7.1,4622.0,"['Action', 'Adventure', 'Crime']","Los Angeles SWAT cop Jack Traven is up against bomb expert Howard Payne, who's after major ransom money. First it's a rigged elevator in a very tall building. Then it's a rigged bus--if it slows, it will blow, bad enough any day, but a nightmare in LA traffic. And that's still not the end.",350448145.0,116.0,Get ready for rush hour. -4806.0,en,Runaway Bride,16.658,1999-07-30,6.1,1537.0,"['Comedy', 'Romance']","Ike Graham, New York columnist, writes his text always at the last minute. This time, a drunken man in his favourite bar tells Ike about Maggie Carpenter, a woman who always flees from her grooms in the last possible moment. Ike, who does not have the best opinion about females anyway, writes an offensive column without researching the subject thoroughly.",309457509.0,116.0,Catch her if you can. -20441.0,en,Messengers 2: The Scarecrow,26.597,2009-07-21,5.4,121.0,['Horror'],"The family man farmer John Rollins is stressed with his financial situation: the crows and the lack of irrigation are destroying his crop of corn; the bank is near closure of his mortgage; he does not have credit to fix the water pump or to buy seeds; and his marriage is in crisis and his wife Mary is giving too much attention to her friend Tommy. When John accidentally discovers a hidden compartment in the barn, he finds a creepy scarecrow but his son Michael makes him promise to destroy it. However, his neighbor Jude Weatherby visits him, gives a six-pack of beer to the abstemious John and convinces him to put the scarecrow in the cornfield. Out of the blue, the life of John changes: the crows die; the pump works again irrigating the land; and the banker responsible for the closure has an accident and dies. However, he feels that his land is possessed by something evil that is threatening his beloved family.",0.0,94.0,The Beginning Of The End -10110.0,en,Empire of the Sun,19.534,1987-12-09,7.5,1375.0,"['Drama', 'History', 'War']","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 spirits, providing a beacon of hope for the others held captive with him.",66700000.0,153.0,"To survive in a world at war, he must find a strength greater than all the events that surround him." -370172.0,en,No Time to Die,604.254,2021-09-29,7.4,1209.0,"['Adventure', 'Action', 'Thriller']","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.",667000000.0,163.0,The mission that changes everything begins… -50022.0,en,Super Troopers 2,11.253,2018-04-19,5.8,321.0,"['Comedy', 'Crime', 'Mystery']","When an international border dispute arises between the U.S. and Canada, the Super Troopers- Mac, Thorny, Foster, Rabbit and Farva, are called in to set up a new Highway Patrol station in the disputed area.",18850674.0,100.0,The mustache rides. Again. -266396.0,en,The Gunman,18.547,2015-02-16,5.7,767.0,"['Action', 'Drama', 'Crime']","Eight years after fleeing the Congo following his assassination of that country's minister of mining, former assassin Jim Terrier is back, suffering from PTSD and digging wells to atone for his violent past. After an attempt is made on his life, Terrier flies to London to find out who wants him dead -- and why. Terrier's search leads him to a reunion with Annie, a woman he once loved, who is now married to an oily businessman with dealings in Africa.",13644292.0,115.0,Armed With the Truth. -175.0,fr,Le Grand Bleu,15.394,1988-05-10,7.5,1074.0,"['Adventure', 'Drama', 'Romance']","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.",0.0,168.0,Danger...Like Passion...Runs Deep -535437.0,en,Swiped,11.273,2018-11-06,4.5,619.0,"['Comedy', 'Drama', 'Romance']","James, a college freshman and computer genius, is enlisted by his womanizing roommate, Lance, to code the ultimate hook-up app. But when James discovers that his divorced mother is using the app, unexpected consequences ensue.",0.0,93.0,Get Ready for Disruption! -765869.0,en,Black Friday,16.927,2021-11-19,0.0,0.0,"['Horror', 'Comedy']",A group of toy store employees must protect each other from a horde of parasite infected shoppers.,0.0,84.0,They have no idea what tonight has in-store. -2447.0,en,The Nativity Story,17.708,2006-11-30,6.9,153.0,"['Drama', 'History']","Mary and Joseph make the hard journey to Bethlehem for a blessed event in this retelling of the Nativity story. This meticulously researched and visually lush adaptation of the biblical tale follows the pair on their arduous path to their arrival in a small village, where they find shelter in a quiet manger and Jesus is born.",0.0,101.0,Her child would change the world. -440762.0,en,Jay and Silent Bob Reboot,10.926,2019-10-15,5.8,320.0,['Comedy'],Jay and Silent Bob embark on a cross-country mission to stop Hollywood from rebooting a film based on their comic book characters Bluntman and Chronic.,1011305.0,105.0,Weed love to tell you a story... -9655.0,en,She's the Man,26.469,2006-03-17,6.8,2345.0,"['Comedy', 'Drama', 'Family', 'Romance']","Viola Hastings is in a real jam. Complications threaten her scheme to pose as her twin brother, Sebastian, and take his place at a new boarding school. She falls in love with her handsome roommate, Duke, who loves beautiful Olivia, who has fallen for Sebastian! As if that were not enough, Viola's twin returns from London ahead of schedule but has no idea that his sister has already replaced him on campus.",33889159.0,105.0,"If you wanna chase your dream, sometimes you gotta break the rules." -297580.0,en,Day of the Mummy,10.014,2014-10-20,5.0,28.0,"['Adventure', 'Horror', 'Action']","Welcome to Egypt, land of the Pharaohs. A place steeped in history and legend; Gods and spiritual guides; untold wealth – and the bone-cracking, blood-spilling guardians of its riches. Jack Wells has arrived in Egypt in search of the famous diamond known as The Codex Stone. His journey leads him to the tomb of the cursed King Neferu, cursed not by name but by nature. With his centuries-old slumber disturbed by timeless human greed, the King rises from the dead with a blood-lust that cannot be quenched and a raging fury that will shred flesh from bone, bringing terrible and tormented death to all who dare witness the Day of the Mummy.",0.0,76.0,An ancient evil has been unleashed -537116.0,en,"tick, tick...BOOM!",35.904,2021-11-11,2.0,1.0,"['Music', 'Drama']","On the cusp of his 30th birthday, a promising young theater composer navigates love, friendship, and the pressures to create something great before time runs out.",0.0,115.0,How much time do we have to do something great? -1891.0,en,The Empire Strikes Back,23.967,1980-05-20,8.4,13506.0,"['Adventure', 'Action', 'Science Fiction']","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.",538400000.0,124.0,The Adventure Continues... -226857.0,en,Endless Love,21.538,2014-02-12,6.9,1412.0,"['Drama', 'Romance']",A privileged girl and a charismatic boy's instant desire sparks a love affair made only more reckless by parents trying to keep them apart.,34077920.0,103.0,Say Goodbye To Innocence -484718.0,en,Coming 2 America,83.631,2021-03-05,6.7,1612.0,['Comedy'],"Prince Akeem Joffer is set to become King of Zamunda when he discovers he has a son he never knew about in America – a street savvy Queens native named Lavelle. Honoring his royal father's dying wish to groom this son as the crown prince, Akeem and Semmi set off to America once again.",0.0,110.0,A sequel is in the heir. -11351.0,en,Jeepers Creepers 2,60.188,2003-08-08,6.0,1121.0,['Horror'],"When their bus is crippled on the side of a deserted road, a team of high school athletes discover an opponent they cannot defeat – and may not survive. Staring hungrily at them through the school bus windows, the ""Creeper"" returns again and again. But when the teammates discover that it’s selective about whom it attacks, it will test their ability to stick together – as the insatiable menace tries to tear them apart!",63102666.0,104.0,He can taste your fear. -328252.0,es,Sweet Home,10.555,2015-05-08,4.9,100.0,['Horror'],A couple decides to spend a romantic evening in a floor of a semi-abandoned building that slip because she works as a consultant for the council house and got the keys. During the evening they discover that a hooded murderer is the only tenant left in the building...and they have become the new target.,0.0,80.0,Wish you stayed at home -425972.0,en,Cargo,20.259,2017-10-06,6.4,1314.0,"['Drama', 'Thriller', 'Adventure', 'Horror']","After being infected in the wake of a violent pandemic and with only 48 hours to live, a father struggles to find a new home for his baby daughter.",56385.0,105.0,The future is fragile. -177677.0,en,Mission: Impossible - Rogue Nation,39.002,2015-07-23,7.2,6986.0,"['Action', 'Adventure']","Ethan and team take on their most impossible mission yet—eradicating 'The Syndicate', an International and highly-skilled rogue organisation committed to destroying the IMF.",682330139.0,131.0,Desperate Times. Desperate Measures. -52520.0,en,Underworld: Awakening,69.313,2012-01-19,6.3,3333.0,"['Fantasy', 'Action', 'Horror']","Having escaped years of imprisonment, vampire warrioress Selene finds herself in a changed world where humans have discovered the existence of both Vampire and Lycan clans and are conducting an all-out war to eradicate both immortal species. Now Selene must battle the humans and a frightening new breed of super Lycans to ensure the death dealers' survival.",160112671.0,88.0,Vengeance Returns -263109.0,en,Shaun the Sheep Movie,23.22,2015-02-05,7.0,1065.0,"['Family', 'Animation', 'Comedy', 'Adventure']","When Shaun decides to take the day off and have some fun, he gets a little more action than he bargained for. A mix up with the Farmer, a caravan and a very steep hill lead them all to the Big City and it's up to Shaun and the flock to return everyone safely to the green grass of home.",106209378.0,85.0,Moving on to Pastures New. -9654.0,en,The Italian Job,32.737,2003-05-30,6.7,4330.0,"['Action', 'Crime']","Charlie Croker pulled off the crime of a lifetime. The one thing that he didn't plan on was being double-crossed. Along with a drop-dead gorgeous safecracker, Croker and his team take off to re-steal the loot and end up in a pulse-pounding, pedal-to-the-metal chase that careens up, down, above and below the streets of Los Angeles.",176070171.0,110.0,Get in. Get out. Get even. -11864.0,en,Enemy Mine,13.745,1985-12-12,6.9,654.0,"['Drama', 'Science Fiction']","A soldier from Earth crashlands on an alien world after sustaining battle damage. Eventually he encounters another survivor, but from the enemy species he was fighting; they band together to survive on this hostile world. In the end the human finds himself caring for his enemy in a completely unexpected way.",12303411.0,108.0,Enemies because they were taught to be. Survivors because they had to be. -14289.0,en,Fire Down Below,9.494,1997-09-05,5.6,254.0,"['Action', 'Adventure', 'Crime', 'Thriller', 'Drama']","When an EPA representative is murdered in a small Appalachian community, EPA undercover agent Jack Taggart is sent in—posing as a handyman working with a Christian relief agency—to determine what happened.",16228448.0,105.0,Beneath a land of wealth and beauty hides a secret that could kill millions. Undercover has never run so deep. -334074.0,en,Survivor,25.048,2015-05-21,5.6,815.0,"['Crime', 'Action', 'Thriller']","A Foreign Service Officer in London tries to prevent a terrorist attack set to hit New York, but is forced to go on the run when she is framed for crimes she did not commit.",0.0,96.0,His next target is now hunting him -10052.0,en,Dragonfly,11.948,2002-02-22,6.5,644.0,"['Drama', 'Thriller', 'Horror']",A grieving doctor is being contacted by his late wife through his patient's near death experiences.,52322400.0,104.0,When someone you love dies... are they gone forever? -747.0,en,Shaun of the Dead,30.305,2004-04-09,7.5,6530.0,"['Horror', 'Comedy']","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.",30332385.0,99.0,A romantic comedy. With zombies. -416153.0,en,Arctic Dogs,13.0,2019-11-01,6.2,89.0,"['Animation', 'Adventure', 'Comedy']",Animals band together to save the day when the evil Otto Von Walrus hatches a sinister scheme to accelerate global warming and melt the Arctic Circle.,0.0,93.0,Time to run with the big dogs! -10651.0,en,The Dead Pool,19.235,1988-04-14,6.3,575.0,"['Action', 'Crime', 'Thriller']","Dirty Harry Callahan returns for his final film adventure. Together with his partner Al Quan, he must investigate the systematic murder of actors and musicians. By the time Harry learns that the murders are a part of a sick game to predict the deaths of celebrities before they happen, it may be too late...",37903295.0,91.0,Dirty Harry Just Learned A New Game. -45612.0,en,Source Code,49.997,2011-03-30,7.3,6534.0,"['Thriller', 'Science Fiction', 'Mystery']","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.",147332697.0,94.0,Make Every Second Count -18222.0,en,Poison Ivy: The New Seduction,12.675,1997-10-20,4.9,62.0,"['Thriller', 'Romance', 'Drama']",A sinister seductress vows to destroy a suburban family.,0.0,93.0,All the rules are about to be broken. -639.0,en,When Harry Met Sally...,16.094,1989-01-12,7.4,3033.0,"['Comedy', 'Romance', 'Drama']","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.",92823546.0,96.0,Can two friends sleep together and still love each other in the morning? -56590.0,en,All Star Superman,13.489,2011-02-22,7.0,344.0,"['Science Fiction', 'Animation', 'Action', 'Adventure']","Lex Luthor enacts his plan to rid the world of Superman, once and for all. Succeeding with solar radiation poisoning, the Man of Steel is slowly dying. With what little times remains, the Last Son of Krypton must confront the revealing of his secret identity to Lois Lane and face Luthor in a final battle.",0.0,76.0,"The measure of a man lies not in what he says, but what he does." -384664.0,de,Tschick,9.582,2016-09-15,6.7,203.0,"['Drama', 'Comedy']","While his mother is in rehab and his father is on a 'business trip' with his assistant, 14-year-old outsider Maik is spending the summer holidays bored and alone at his parents' villa, when rebellious teenager Tschick appears. Tschick, a Russian immigrant and an outcast, steals a car and decides to set off on a journey away from Berlin with Maik tagging along for the ride. So begins a wild adventure where the two experience the trip of a lifetime and share a summer that they will never forget.",0.0,93.0,The best summer ever -79698.0,en,The Lovers,15.831,2015-02-13,4.7,59.0,"['Action', 'Adventure', 'Science Fiction', 'Romance']","The Lovers is an epic romance time travel adventure film. Helmed by Roland Joffé from a story by Ajey Jhankar, the film is a sweeping tale of an impossible love set against the backdrop of the first Anglo-Maratha war across two time periods and continents and centred around four characters — a British officer in 18th century colonial India, the Indian woman he falls deeply in love with, an American present-day marine biologist and his wife.",0.0,109.0,Love is longer than life. -631583.0,en,Sacrifice,21.446,2021-02-09,5.2,14.0,['Horror'],Isaac and his pregnant wife visit a remote Norwegian village to claim an unexpected inheritance. The couple finds themselves caught in a nightmare when they encounter a sinister cult that worships a sea-dwelling deity.,0.0,87.0,Dream Well -203739.0,en,Vampire Academy,24.593,2014-02-07,6.3,1498.0,"['Comedy', 'Action', 'Fantasy']","Rose, a rebellious half-vampire/half-human guardian-in-training and her best friend, Lissa -- a mortal, royal vampire Princess - have been on the run when they are captured and returned to St. Vladamirs Academy, the very place where they believe their lives may be in most jeopardy. Rose will sacrifice everything to protect Lissa from those who intend to exploit her from within the Academy walls and the Strigoi (immortal, evil vampires) who hunt her kind from outside its sanctuary.",15391979.0,104.0,They suck at school. -321612.0,en,Beauty and the Beast,57.884,2017-03-16,7.0,13735.0,"['Family', 'Fantasy', 'Romance']",A live-action adaptation of Disney's version of the classic tale of a cursed prince and a beautiful young woman who helps him break the spell.,1263521126.0,129.0,Be our guest. -76489.0,en,The Three Stooges,57.778,2012-04-13,5.7,412.0,['Comedy'],"While trying to save their childhood orphanage, Moe, Larry and Curly inadvertently stumble into a murder plot and wind up starring in a reality TV show.",54819301.0,92.0,Just Say Moe. -68727.0,en,Trance,16.615,2013-03-27,6.6,1765.0,"['Thriller', 'Crime', 'Drama', 'Mystery']",A violent gang enlists the help of a hypnotherapist in an attempt to locate a painting which somehow vanished in the middle of a heist.,24261569.0,101.0,Don't be a hero. -129670.0,en,Nebraska,8.444,2013-09-21,7.4,1383.0,"['Drama', 'Adventure']","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.",27682872.0,115.0,Life's not about winning or losing. It's about how you get there in the end. -374464.0,fr,Planetarium,14.55,2016-10-12,4.6,162.0,"['Drama', 'Fantasy', 'Mystery']","In 1930s France, two sisters who are thought to be able to communicate with ghosts meet a visionary producer while performing in Paris.",0.0,109.0,You never know what's about to change... -161143.0,en,Madly Madagascar,27.479,2013-01-29,6.5,158.0,"['Animation', 'Comedy', 'Family']","Your favorite Madagascar pals are back in an all-new adventure! Alex's favorite holiday, Valentine's Day, brings hilarious surprises and excitement for the entire gang. Melman plans a big surprise for Gloria, Marty tries to impress a new friend and everyone wants to get their hands on King Julien's love potion. You'll fall in LOVE with Madly Madagascar!",0.0,22.0,All New Adventure -238603.0,en,Earth to Echo,9.95,2014-06-14,5.9,483.0,"['Family', 'Adventure', 'Science Fiction']","After a construction project begins digging in their neighbourhood, best friends Tuck, Munch and Alex inexplicably begin to receive strange, encoded messages on their cell phones. Convinced something bigger is going on, they go to their parents and the authorities. The three embark on a secret adventure to crack the code and follow it to its source, and discover a mysterious being from another world who desperately needs their help. The journey that follows will change all their lives forever.",45300000.0,89.0,No one will ever believe our story. -213901.0,en,Fir Crazy,11.564,2013-12-12,5.9,48.0,"['Comedy', 'Romance', 'TV Movie']","When marketing executive Elise MacKenzie decides to help sell Christmas trees at her family’s Christmas tree lot, she discovers a newfound fondness for the holidays. But all could be lost when the store owner who hosts the tree lot on his block wants to shut it down, and it’s up to Elise to find a way to rekindle his Christmas Cheer.",0.0,87.0,"This Christmas, love is just around the corner." -423204.0,en,Angel Has Fallen,51.484,2019-08-21,6.5,2537.0,"['Action', 'Thriller']","After a treacherous attack, Secret Service agent Mike Banning is charged with attempting to assassinate President Trumbull. Chased by his own colleagues and the FBI, Banning begins a race against the clock to clear his name.",146661977.0,122.0,Loyalty is under fire -112336.0,en,Hitchcock,14.803,2012-11-22,6.5,1197.0,['Drama'],"Follow the relationship between director Alfred Hitchcock and his wife Alma Reville during the making of his most famous horror-thriller film, Psycho, and the trials and tribulations the director faced from Hollywood censors.",23570541.0,98.0,Good evening. -337170.0,en,American Made,33.264,2017-08-18,6.8,3434.0,"['Action', 'Crime', 'Comedy']","The true story of pilot Barry Seal, who transported contraband for the CIA and the Medellin cartel in the 1980s.",133511855.0,115.0,Based on a True Lie -167032.0,en,Curse of Chucky,96.24,2013-10-04,5.8,1127.0,"['Horror', 'Thriller']","After the passing of her mother, a young woman in a wheelchair since birth, is forced to deal with her sister, brother-in-law, niece and their nanny as they say their goodbyes to mother. When people start turning up dead, Nica discovers the culprit might be a strange doll she received a few days earlier.",3800000.0,97.0,Fear has a new home -150689.0,en,Cinderella,78.934,2015-03-12,6.8,6036.0,"['Romance', 'Fantasy', 'Family', 'Drama']","When her father unexpectedly passes away, young Ella finds herself at the mercy of her cruel stepmother and her daughters. Never one to give up hope, Ella's fortunes begin to change after meeting a dashing stranger in the woods.",543514353.0,105.0,Midnight is just the beginning. -407445.0,en,Breathe,22.008,2017-10-13,7.4,572.0,"['Drama', 'Romance']","Based on the true story of Robin, a handsome, brilliant and adventurous man whose life takes a dramatic turn when polio leaves him paralyzed.",477815.0,118.0,"With her love, he lived" -20083.0,cn,新宿事件,12.337,2009-03-22,6.7,170.0,"['Drama', 'Action', 'Thriller', 'Crime']","Steelhead is a Chinese laborer who comes to Japan hoping for a better life. Unable to find honest work and bullied into the shadows with his fellow Chinese illegal immigrants, he soon finds himself ascending as the boss of a black market mob. After providing a deadly service to a powerful Yakuza crime boss, Steelhead’s rise to mafia power spirals rapidly out of control as he’s given reign over the dangerous and lucrative Shinjuku district.",0.0,119.0,They destroyed his life... Now he'll destroy them all. -10198.0,en,The Princess and the Frog,67.269,2009-12-08,7.1,4186.0,"['Romance', 'Family', 'Animation']","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.",270997378.0,98.0,Every love story begins with a kiss... -17009.0,en,Jetsons: The Movie,8.05,1990-06-06,5.9,144.0,"['Animation', 'Comedy', 'Family', 'Science Fiction']",George Jetson is forced to uproot his family when Mr. Spacely promotes him to take charge of a new factory on a distant planet.,0.0,82.0,The first movie from the family that's truly ahead of its time! -244458.0,en,The Voices,13.007,2014-01-19,6.3,1394.0,"['Comedy', 'Crime', 'Horror', 'Fantasy']","A mentally unhinged factory worker must decide whether to listen to his talking cat and become a killer, or follow his dog's advice to keep striving for normalcy.",0.0,101.0,Hearing voices can be murder. -300681.0,en,Replicas,30.609,2018-10-25,6.1,1011.0,"['Science Fiction', 'Thriller']",A scientist becomes obsessed with returning his family to normalcy after a terrible accident.,8100000.0,107.0,Some humans are unstoppable -378111.0,en,A Stork's Journey,13.707,2017-05-05,6.0,108.0,"['Family', 'Fantasy', 'Adventure', 'Animation', 'Comedy']","Orphaned at birth and raised by storks, the teenage sparrow Richard believes he is one of them. But when the time comes to migrate to Africa, his stork family is forced to reveal his true identity and leave him behind in the forest, since he is not a migratory bird and would not survive the journey. Determined to prove he is a stork after all, Richard ventures south on his own. But only with the help of Olga, an eccentric owl with an imaginary friend and Kiki, a narcissistic, disco-singing parakeet, does he stand a chance to reach his goal and learn to accept who he really is.",0.0,85.0,Their adventure is the destination. -246080.0,en,Black Sea,17.978,2014-12-05,6.2,856.0,"['Adventure', 'Thriller', 'Drama']","A rogue submarine captain pulls together a misfit crew to go after a sunken treasure rumored to be lost in the depths of the Black Sea. As greed and desperation take control on-board their claustrophobic vessel, the increasing uncertainty of the mission causes the men to turn on each other to fight for their own survival.",1171559.0,115.0,Brave the deep. Find the gold. Trust no one. -10353.0,fr,Les Couloirs du Temps : Les Visiteurs II,9.748,1998-02-11,6.0,798.0,"['Comedy', 'Fantasy']","The sequel to The Visitors reunites us with those lovable ruffians from the French Medieval ages who - through magic - are transported into the present, with often drastic consequences. Godefroy de Montmirail travels to today to recover the missing family jewels and a sacred relic, guarantor of his wife-to-be's fertility. The confrontation between Godefroy's repellent servant Jack the Crack and his descendent, the effete Jacquart, present-day owner of the chateau, further complicates the matter.",66000000.0,118.0,They come back! -48287.0,en,The Baby-Sitters Club,10.304,1995-08-18,5.5,66.0,"['Comedy', 'Drama', 'Family']",Seven junior-high-school girls organize a daycare camp for children while at the same time experiencing classic adolescent growing pains.,0.0,94.0,Friends Forever -839.0,en,Duel,20.561,1971-11-13,7.4,1288.0,"['Action', 'Thriller', 'TV Movie']","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.",0.0,90.0,The most bizarre murder weapon ever used! -5924.0,en,Papillon,13.05,1973-12-13,7.9,1371.0,"['Crime', 'Drama']","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.",53267000.0,151.0,The greatest adventure of escape! -10388.0,en,The Limey,7.593,1999-05-15,6.7,277.0,"['Crime', 'Drama', 'Mystery']","The Limey follows Wilson, a tough English ex-con who travels to Los Angeles to avenge his daughter's death. Upon arrival, Wilson goes to task battling Valentine and an army of L.A.'s toughest criminals, hoping to find clues and piece together what happened. After surviving a near-death beating, getting thrown from a building and being chased down a dangerous mountain road, the Englishman decides to dole out some bodily harm of his own.",3204663.0,89.0,Vengeance knows no boundaries. -1414.0,es,Los amantes del Círculo Polar,9.827,1998-09-04,7.4,160.0,"['Drama', 'Mystery', 'Romance']","Otto and Ana are kids when they meet each other. Their names are palindromes. They meet by chance, people are related by chance. A story of circular lives, with circular names, and a circular place (Círculo polar) where the day never ends in the midnight sun. There are things that never end, and Love is one of them.",0.0,112.0,Destiny cannot be denied. -199.0,en,Star Trek: First Contact,25.313,1996-11-22,7.3,1318.0,"['Science Fiction', 'Action', 'Adventure', 'Thriller']","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.",150000000.0,111.0,Resistance is futile. -9540.0,en,Dead Ringers,9.691,1988-09-23,7.2,581.0,"['Thriller', 'Horror']","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.",8038508.0,115.0,Two bodies. Two minds. One soul. -491926.0,en,Resistance,11.13,2020-03-27,7.0,257.0,"['War', 'History', 'Drama']",The story of mime Marcel Marceau as he works with a group of Jewish boy scouts and the French Resistance to save the lives of ten thousand orphans during World War II.,288064.0,120.0,The best way to resist is to survive. -476299.0,en,Ghostland,36.684,2018-03-14,7.3,1749.0,"['Horror', 'Mystery', 'Thriller']","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 . . .",0.0,91.0,You really thought you’ve been scared? -728144.0,en,The Special,16.362,2020-01-31,5.8,12.0,"['Horror', 'Comedy']","Suspecting his wife of infidelity, Jerry is persuaded by his best friend to accompany him to a brothel to sample ‘The Special’, which proves to be a lifechanging experience in more ways than one. Because every pleasure has its price...",0.0,94.0,See it with someone you hate. -399248.0,en,Beirut,15.833,2018-04-11,6.3,412.0,"['Action', 'Thriller', 'Drama']","In 1980s Beirut, Mason Skiles is a former U.S. diplomat who is called back into service to save a colleague from the group that is possibly responsible for his own family's death. Meanwhile, a CIA field agent who is working under cover at the American embassy is tasked with keeping Mason alive and ensuring that the mission is a success.",7258534.0,110.0,"Beirut, 1982: The Paris of the Middle East Was Burning" -10249.0,en,The Rocketeer,13.243,1991-06-21,6.5,665.0,"['Action', 'Adventure', 'Science Fiction', 'Family']","A stunt pilot comes across a prototype jetpack that gives him the ability to fly. However, evil forces of the world also want this jetpack at any cost.",46704056.0,108.0,An Ordinary Man Forced to Become An Extraordinary Hero. -2728.0,en,Postal,7.696,2007-08-11,4.5,228.0,"['Action', 'Comedy']","The story begins with a regular Joe who tries desperately to seek employment, but embarks on a violent rampage when he teams up with cult leader Uncle Dave. Their first act is to heist an amusement park, only to learn that the Taliban are planning the same heist as well. Chaos ensues, and now the Postal Dude must not only take on terrorists but also political figures.",0.0,100.0,Some comedies go too far... others start there. -24935.0,en,Return of the Living Dead: Necropolis,21.302,2005-10-15,5.2,150.0,"['Horror', 'Comedy']","A group of teenagers who, in an attempt to rescue their friend from an evil corporation, end up releasing a horde of blood thirsty zombies.",0.0,88.0,You cannot kill what is already dead. -9896.0,en,Rat Race,11.156,2001-08-17,6.2,1334.0,"['Adventure', 'Comedy']","In an ensemble film about easy money, greed, manipulation and bad driving, a Las Vegas casino tycoon entertains his wealthiest high rollers -- a group that will bet on anything -- by pitting six ordinary people against each other in a wild dash for $2 million jammed into a locker hundreds of miles away. The tycoon and his wealthy friends monitor each racer's every move to keep track of their favorites. The only rule in this race is that there are no rules.",85498534.0,112.0,563 miles. 9 people. $2 million. 1001 problems! -474214.0,en,Trading Paint,8.749,2019-02-22,5.5,72.0,"['Action', 'Drama', 'Thriller']","A stock car racing legend is drawn back to the dirt track when his son, an aspiring driver, joins a rival racing team.",0.0,87.0,Racing is in their blood -577.0,en,To Die For,13.381,1995-09-22,6.6,556.0,"['Drama', 'Comedy', 'Crime']","Suzanne Stone wants to be a world-famous news anchor and she is willing to do anything to get what she wants. What she lacks in intelligence, she makes up for in cold determination and diabolical wiles. As she pursues her goal with relentless focus, she is forced to destroy anything and anyone that may stand in her way, regardless of the ultimate cost or means necessary.",21284514.0,106.0,All she wanted was a little attention -411221.0,es,Ozzy,14.449,2016-10-14,6.1,127.0,"['Animation', 'Family']","Ozzy, a friendly, peaceful beagle has his idyllic life turned upside down when the Martins leave on a long and distant trip. There's only one problem: no dogs allowed! Unable to bring their beloved Ozzy along for the ride, they settle on the next best thing, a top-of-the-line canine spa called Blue Creek.",0.0,90.0,Fast & Furry -515195.0,en,Yesterday,24.503,2019-06-27,6.7,2910.0,"['Music', 'Comedy', 'Romance', 'Fantasy']","Jack Malik is a struggling singer-songwriter in an English seaside town whose dreams of fame are rapidly fading, despite the fierce devotion and support of his childhood best friend, Ellie. After a freak bus accident during a mysterious global blackout, Jack wakes up to discover that he's the only person on Earth who can remember The Beatles.",88092097.0,116.0,Everyone in the world has forgotten The Beatles. Everyone except Jack… -646207.0,en,The Ice Road,151.124,2021-06-24,7.2,730.0,"['Action', 'Adventure', 'Drama', 'Thriller']","After a remote diamond mine collapses in far northern Canada, an ice road driver must lead an impossible rescue mission over a frozen ocean to save the trapped miners.",2147110.0,108.0,This mission is on thin ice. -1725.0,en,West Side Story,12.115,1961-12-13,7.3,1326.0,"['Crime', 'Drama', 'Romance']","In the slums of the upper West Side of Manhattan, New York, a gang of Polish-American teenagers called the Jets compete with a rival gang of recently immigrated Puerto Ricans, the Sharks, to ""own"" the neighborhood streets. Tensions are high between the gangs but two kids, one from each rival gang, fall in love leading to tragedy.",43656822.0,152.0,The screen achieves one of the great entertainments in the history of motion pictures. -18736.0,en,The Lizzie McGuire Movie,14.172,2003-05-02,6.3,1048.0,"['Family', 'Comedy']","Lizzie McGuire has graduated from middle school and takes a trip to Rome, Italy with her class. And what was supposed to be only a normal trip, becomes a teenager's dream come true.",55534455.0,94.0,The only risk in taking an adventure is not taking it at all. -399174.0,en,Isle of Dogs,28.544,2018-03-23,7.9,3602.0,"['Adventure', 'Comedy', 'Animation']","In the future, an outbreak of canine flu leads the mayor of a Japanese city to banish all dogs to an island that's 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.",64241499.0,101.0,Welcome to the Isle of Dogs. -341013.0,en,Atomic Blonde,30.032,2017-07-26,6.4,5169.0,"['Action', 'Thriller']",An undercover MI6 agent is sent to Berlin during the Cold War to investigate the murder of a fellow agent and recover a missing list of double agents.,100014025.0,115.0,Talents can be overrated. -10650.0,en,Sudden Impact,12.512,1983-12-07,6.6,601.0,"['Crime', 'Action', 'Thriller']","When a young rape victim takes justice into her own hands and becomes a serial killer, it's up to Dirty Harry Callahan, on suspension from the SFPD, to bring her to justice.",67642693.0,117.0,Dirty Harry is at it again -10147.0,en,Bad Santa,21.259,2003-11-26,6.5,1597.0,"['Drama', 'Comedy', 'Crime']",A miserable conman and his partner pose as Santa and his Little Helper to rob department stores on Christmas Eve. But they run into problems when the conman befriends a troubled kid.,76488889.0,92.0,He doesn't care if you're naughty or nice. -53064.0,ja,地下幻燈劇画 少女椿,20.105,1992-05-02,6.6,72.0,"['Horror', 'Animation', 'Drama']","After losing her parents, young flower selling Midori is put up by a fairground group. She is abused and forced to slavery, until the arrival of an enigmatic magician of short stature, who gives her hope for a better future.",0.0,48.0,The camelia girl -381.0,en,To Catch a Thief,12.601,1955-08-03,7.4,1083.0,"['Crime', 'Drama', 'Mystery', 'Romance', 'Thriller']","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.",8750000.0,107.0,WANTED by the police in all the luxury-spots of Europe!... A catch for any woman! -56601.0,en,The Perfect Game,12.706,2010-04-01,6.8,96.0,"['Drama', 'Family']","Based on a true story, a group of boys from Monterrey, Mexico who become the first non-U.S. team to win the Little League World Series.",3878993.0,118.0,Dream for the fences. -566222.0,en,The Great Hack,12.627,2019-01-26,6.8,370.0,['Documentary'],"Data—arguably the world’s most valuable asset—is being weaponized to wage cultural and political wars. The dark world of data exploitation is uncovered through the unpredictable, personal journeys of players on different sides of the explosive Cambridge Analytica/Facebook data story.",0.0,114.0,They took your data. Then they took control. -51170.0,en,Open Season 3,20.992,2010-10-21,5.7,415.0,"['Adventure', 'Animation', 'Family', 'Comedy']","Boog, Elliot, and their forest friends return with an all-new adventure, this time in a Big Top Circus! The comedy begins when Boog's pals choose their family obligations over the annual guy's trip, and a disappointed Boog decides to take a trip of his own, which leads him right into the middle of a circus ring...literally. When he switches places with a devious look-a-like circus grizzly and falls for an alluring Russian troupe member, he'll come to realize that maybe you don't have to choose between family and friendship after all.",0.0,75.0,Boog and Elliot are Back and the Fur is Going to Fly! -11775.0,en,Intolerable Cruelty,13.674,2003-09-02,5.9,1100.0,"['Crime', 'Comedy', 'Romance']",A revenge-seeking gold digger marries a womanizing Beverly Hills lawyer with the intention of making a killing in the divorce.,119940815.0,100.0,They can't keep their hands off each others assets. -38684.0,en,Jane Eyre,15.366,2011-03-11,7.2,1140.0,"['Drama', 'Romance']","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?",34710627.0,120.0,She sought refuge… and found a place haunted by secrets. -300669.0,en,Don't Breathe,72.706,2016-06-08,7.0,5745.0,"['Horror', 'Thriller']",A group of teens break into a blind man's home thinking they'll get away with the perfect crime. They're wrong.,159047649.0,89.0,In the dark the blind man is king. -423899.0,en,Victoria & Abdul,20.066,2017-09-14,7.0,976.0,"['Drama', 'History']",Queen Victoria strikes up an unlikely friendship with a young Indian clerk named Abdul Karim.,65421267.0,112.0,History's most unlikely friendship. -9560.0,en,A Walk in the Clouds,15.574,1995-08-11,7.2,679.0,"['Drama', 'Romance']",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.,50012507.0,103.0,A man in search. A woman in need. A story of fate. -8688.0,en,Snake Eyes,10.567,1998-08-07,6.1,948.0,"['Thriller', 'Crime', 'Mystery']","All bets are off when corrupt homicide cop Rick Santoro witnesses a murder during a boxing match. It's up to him and lifelong friend and naval intelligence agent Kevin Dunne to uncover the conspiracy behind the killing. At every turn, Santoro makes increasingly shocking discoveries that even he can't turn a blind eye to.",103891409.0,98.0,Believe everything except your eyes. -26648.0,it,Il portiere di notte,14.685,1974-04-03,6.8,202.0,"['War', 'Drama', 'Romance']","A concentration camp survivor discovers her former torturer and lover working as a porter at a hotel in postwar Vienna. When the couple attempt to re-create their sadomasochistic relationship, his former SS comrades begin to stalk them.",0.0,118.0,The Most Controversial Picture of Our Time! -693113.0,en,Midnight in the Switchgrass,28.105,2021-07-23,6.5,173.0,"['Crime', 'Mystery', 'Thriller', 'Action']","FBI Agent Karl Helter and his partner Rebecca Lombardo are very close to busting a sex-trafficking ring. When they realize their investigation has crossed the path of a brutal serial killer, they team up with a Texas Ranger to put an end to the infamous 'Truck Stop Killer'.",0.0,99.0,Can they stop a serial killer who can't stop himself? -11313.0,en,Hearts in Atlantis,8.584,2001-09-07,6.6,348.0,"['Drama', 'Mystery']",A widowed mother and her son change when a mysterious stranger enters their lives.,24185781.0,101.0,What if one of life's great mysteries moved in upstairs? -290250.0,en,The Nice Guys,21.175,2016-05-15,7.1,6130.0,"['Comedy', 'Crime', 'Action']",A private eye investigates the apparent suicide of a fading porn star in 1970s Los Angeles and uncovers a conspiracy.,62788218.0,116.0,Private dicks -203835.0,en,Amityville: The Awakening,14.588,2017-07-20,5.4,838.0,"['Thriller', 'Horror']","Belle, her little sister, and her comatose twin brother move into a new house with their single mother Joan in order to save money to help pay for her brother's expensive healthcare. But when strange phenomena begin to occur in the house including the miraculous recovery of her brother, Belle begins to suspect her Mother isn't telling her everything and soon realizes they just moved into the infamous Amityville house.",0.0,87.0,Every house has a history. This one has a legend. -665.0,en,Ben-Hur,35.076,1959-11-18,7.8,1938.0,"['Action', 'Drama', 'History']","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. Three years later and freed by a grateful Roman galley commander whom he has rescued from drowning, he becomes an expert charioteer for Rome, all the while plotting to return to Judea, find and rescue his family, and avenge himself on his former friend. All the while, the form and work of Jesus move in the background of his life...",164000000.0,222.0,The entertainment experience of a lifetime. -9386.0,en,In the Line of Fire,19.263,1993-07-08,7.0,1107.0,"['Action', 'Drama', 'Thriller', 'Crime', 'Mystery']","Veteran Secret Service agent Frank Horrigan is a man haunted by his failure to save President Kennedy while serving protection detail in Dallas. Thirty years later, a man calling himself ""Booth"" threatens the life of the current President, forcing Horrigan to come back to protection detail to confront the ghosts from his past.",176997168.0,128.0,An assassin on the loose. A president in danger. Only one man stands between them... -9081.0,en,Waking Life,9.405,2001-10-19,7.6,673.0,"['Animation', 'Drama']","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.",3176880.0,99.0,Dreams. What are they? An escape from reality or reality itself? -80280.0,es,[REC]³ Génesis,23.105,2012-03-30,5.2,1085.0,['Horror'],A pair of newlyweds must fight to survive when their wedding reception descends into chaos and carnage when their guests become infected by a virus that turns them into hungry zombies.,11019975.0,80.0,You may kiss the bride. -12429.0,ja,崖の上のポニョ,90.365,2008-07-19,7.7,2989.0,"['Animation', 'Fantasy', 'Family']","The son of a sailor, 5-year old Sosuke, lives a quiet life on an oceanside cliff with his mother Lisa. One fateful day, he finds a beautiful goldfish trapped in a bottle on the beach and upon rescuing her, names her Ponyo. But she is no ordinary goldfish.",202404009.0,100.0,Welcome to a world where anything is possible. -440472.0,en,The Upside,27.743,2019-01-10,7.1,890.0,"['Comedy', 'Drama']","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.",111353135.0,126.0,Based on a true story. -476669.0,en,The King's Man,42.633,2021-12-22,0.0,0.0,"['War', 'Action', 'Thriller', 'Adventure']","As a collection of history's worst tyrants and criminal masterminds gather to plot a war to wipe out millions, one man must race against time to stop them.",0.0,131.0,Witness the bloody origin. -11905.0,en,The Company of Wolves,6.776,1984-09-21,6.4,207.0,"['Horror', 'Fantasy']","An adaptation of Angela Carter's fairy tales. Young Rosaleen dreams of a village in the dark woods, where Granny tells her cautionary tales in which innocent maidens are tempted by wolves who are hairy on the inside. As Rosaleen grows into womanhood, will the wolves come for her too?",0.0,95.0,"Now, as then, ’tis simple truth: sweetest tongue has sharpest tooth" -14362.0,en,Out for Justice,12.927,1991-04-12,6.1,299.0,"['Action', 'Crime']",Gino Felino is an NYPD detective from Brooklyn who knows everyone and everything in his neighborhood. Killing his partner was someone's big mistake... because he's now out for justice.,39673161.0,91.0,He's a cop. It's a dirty job... but somebody's got to take out the garbage. -259316.0,en,Fantastic Beasts and Where to Find Them,81.471,2016-11-16,7.4,15766.0,"['Adventure', 'Fantasy']","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.",809342332.0,132.0,From J.K. Rowling's wizarding world. -81440.0,en,"Good Luck Charlie, It's Christmas!",13.842,2011-12-04,6.6,342.0,"['TV Movie', 'Comedy', 'Family']","Teddy Duncan's middle-class family embarks on a road trip from their home in Denver to visit Mrs. Duncans Parents, the Blankenhoopers, in Palm Springs. When they find themselves stranded between Denver and Utah, they try to hitch a ride to Las Vegas with a seemingly normal older couple in a station wagon from Roswell, New Mexico. It turns out that the couple believes they are the victims of alien abduction. The Duncan's must resort to purchasing a clunker Yugo to get to Utah, have their luggage stolen in Las Vegas, and survive a zany Christmas with Grandpa and Grandma Blankenhooper.",0.0,85.0,"For the Duncan family, Christmas is about to take a major detour." -240916.0,en,Reasonable Doubt,24.675,2014-01-17,5.9,442.0,"['Crime', 'Thriller']","When up-and-coming District Attorney Mitch Brockden commits a fatal hit-and-run, he feels compelled to throw the case against the accused criminal who was found with the body and blamed for the crime. Following the trial, Mitch's worst fears come true when he realizes that he acquitted a guilty man, and he soon finds himself on the hunt for the killer before more victims pile up.",0.0,91.0,Proof is the Burden -565716.0,en,American Factory,13.599,2019-08-21,7.2,329.0,['Documentary'],"In post-industrial Ohio, a Chinese billionaire opens a new factory in the husk of an abandoned General Motors plant, hiring two thousand blue-collar Americans. Early days of hope and optimism give way to setbacks as high-tech China clashes with working-class America.",0.0,110.0,Cultures collide. Hope survives. -513302.0,fr,Minuscule 2 - Les mandibules du bout du monde,16.166,2018-09-09,7.1,133.0,"['Animation', 'Adventure', 'Family', 'Comedy']","When the first snow falls in the valley, it is urgent to prepare its reserves for the winter. Alas, during the operation, a small ladybug is trapped in a box - to the Caribbean. One solution: reform the shock team.",0.0,92.0,The Journey Continues. -9833.0,en,The Phantom of the Opera,14.201,2004-12-08,7.3,1256.0,"['Thriller', 'Drama', 'Romance']","Deformed since birth, a bitter man known only as the Phantom lives in the sewers underneath the Paris Opera House. He falls in love with the obscure chorus singer Christine, and privately tutors her while terrorizing the rest of the opera house and demanding Christine be given lead roles. Things get worse when Christine meets back up with her childhood acquaintance Raoul and the two fall in love",154648887.0,143.0,The classic musical comes to the big screen for the first time. -393345.0,en,Cult of Chucky,149.692,2017-10-23,5.8,800.0,"['Horror', 'Thriller']","Confined to an asylum for the criminally insane, Nica Pierce is convinced that she, not Chucky, murdered her entire family. But when the psychiatrist introduces a new therapeutic ""Good Guy"" doll with a familiar face, a string of new, grisly deaths leads Nica to wonder if she isn't crazy after all.",2200000.0,91.0,You may feel a little prick -644682.0,en,Sleeping With My Student,11.037,2019-10-18,5.4,12.0,"['Thriller', 'TV Movie']",New school headmaster and single mother Kathy discovers her vacation fling with charming 18-year-old Ian was no accident when he transfers to her school targeting Kathy and her teenage daughter Bree in a deadly scheme. Ian wants revenge as he believes Kathy is responsible for splitting up his family ultimately leading to his father's death. Kathy will need to uncover Ian's motives quickly if she hopes to protect herself and Bree from his dangerous threats.,0.0,87.0,An eye for an eye. -411143.0,en,Tau,14.928,2018-06-29,6.2,965.0,"['Science Fiction', 'Thriller']","Held captive in a futuristic smart house, a woman hopes to escape by befriending the A.I. program that controls the house.",0.0,97.0,No bars. No guards. No escape. -1669.0,en,The Hunt for Red October,24.437,1990-03-02,7.4,2429.0,"['Action', 'Adventure', 'Thriller']","Based on Tom Clancy's bestseller, directed by John McTiernan (Die Hard) and starring Sean Connery and Alec Baldwin, The Hunt For Red October seethes with high-tech excitement and sweats with the tension of men who hold Doomsday in their hands. 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. A lone CIA analyst 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 him, too. The hunt is on!",200512643.0,135.0,Invisible. Silent. Stolen. -9671.0,en,Crocodile Dundee,21.866,1986-09-26,6.4,1388.0,"['Adventure', 'Comedy']","When a New York reporter plucks crocodile hunter Dundee from the Australian Outback for a visit to the Big Apple, it's a clash of cultures and a recipe for good-natured comedy as naïve Dundee negotiates the concrete jungle. Dundee proves that his instincts are quite useful in the city and adeptly handles everything from wily muggers to high-society snoots without breaking a sweat.",328203506.0,97.0,There's a little of him in all of us. -787723.0,en,13 Minutes,26.764,2021-10-29,6.1,10.0,"['Drama', 'Thriller']","As a new day begins in the small American town of Minninnewah, the residents start their day as ordinary as the next. Mother Nature, however, has other plans for them. Inhabitants have just 13 minutes to seek shelter before the largest tornado on record ravages the town, leaving them struggling to protect their loved ones and fighting for their lives. Left to deal with the aftermath, four families must overcome their differences and find strength in each other in order to survive.",0.0,109.0,Every second counts. -213681.0,en,Masterminds,21.059,2016-09-29,5.7,1439.0,"['Action', 'Comedy', 'Crime']",A night guard at an armored car company in the Southern U.S. organizes one of the biggest bank heists in American history.,29200000.0,94.0,What Would You Do With $17 Million? -2907.0,en,The Addams Family,56.89,1991-11-22,7.0,3408.0,"['Family', 'Comedy', 'Fantasy', 'Horror']","When a man claiming to be long-lost Uncle Fester reappears after 25 years lost, the family plans a celebration to wake the dead. But the kids barely have time to warm up the electric chair before Morticia begins to suspect Fester is fraud when he can't recall any of the details of Fester's life.",191502426.0,102.0,Weird Is Relative -168259.0,en,Furious 7,93.407,2015-04-01,7.3,8750.0,"['Action', 'Thriller', 'Crime', 'Adventure']",Deckard Shaw seeks revenge against Dominic Toretto and his family for his comatose brother.,1515047671.0,137.0,Vengeance Hits Home -734265.0,en,Love Hard,279.451,2021-11-05,6.6,170.0,"['Comedy', 'Romance']","An LA girl, unlucky in love, falls for an East Coast guy on a dating app and decides to surprise him for Christmas, only to discover that she’s been catfished. But the object of her affection actually lives in the same town, and the guy who duped her offers to set them up if she pretends to be his own girlfriend for the holidays.",0.0,105.0,A romantic comedy about the lies we tell for love. -1688.0,en,Conquest of the Planet of the Apes,14.776,1972-06-29,6.2,615.0,"['Action', 'Science Fiction']","In a futuristic world that has embraced ape slavery, a chimpanzee named Caesar resurfaces after almost twenty years of hiding from the authorities, and prepares for a revolt against humanity.",9700000.0,88.0,All new! The revolt of the apes. The most awesome spectacle in the annals of science fiction! -523139.0,en,In the Tall Grass,18.592,2019-09-20,5.5,1577.0,"['Horror', 'Drama', 'Thriller']","After hearing a child screaming for help from the green depths of a vast field of tall grass, Becky, a pregnant woman, and Cal, her brother, park their car near a mysterious abandoned church and recklessly enter the field, discovering that they are not alone and because of some reason they are unable of escaping a completely inextricable vegetable labyrinth.",0.0,102.0,Some places have a mind of their own. -41180.0,en,The Client List,8.966,2010-07-19,5.6,133.0,['Drama'],"After she and her husband lose their jobs, a former Texas homecoming queen inadvertently finds herself in the middle of a prostitution ring after she unknowingly accepts a position at a massage parlor.",0.0,88.0,A mother will do anything for her family. -9473.0,en,"South Park: Bigger, Longer & Uncut",18.565,1999-06-30,7.2,2017.0,"['Animation', 'Comedy']","When the four boys see an R-rated movie featuring Canadians Terrance and Philip, they are pronounced ""corrupted"", and their parents pressure the United States to wage war against Canada.",83137603.0,81.0,UH-OH. -11908.0,en,Hatchet,10.572,2006-04-27,5.9,453.0,"['Comedy', 'Horror']","When a group of tourists on a New Orleans haunted swamp tour find themselves stranded in the wilderness, their evening of fun and spooks turns into a horrific nightmare.",208550.0,83.0,Stay out of the swamp. -529982.0,en,Asher,8.659,2018-12-07,5.8,104.0,"['Thriller', 'Action', 'Drama']","Asher is a former Mossad agent turned gun for hire, living an austere life in an ever-changing Brooklyn. Approaching the end of his career, he breaks the oath he took as a young man when he meets Sophie on a hit gone wrong. In order to have love in his life before it's too late, he must kill the man he was, for a chance at becoming the man he wants to be.",0.0,117.0,Some Things Get Better With Age -188222.0,en,Entourage,21.979,2015-06-03,6.2,813.0,['Comedy'],"Movie star Vincent Chase, together with his boys, Eric, Turtle and Johnny, are back…and back in business with super agent-turned-studio head Ari Gold. Some of their ambitions have changed, but the bond between them remains strong as they navigate the capricious and often cutthroat world of Hollywood.",49263404.0,104.0,Dream Large. Live Larger. -329833.0,en,Zoolander 2,18.861,2016-02-06,4.8,1784.0,['Comedy'],Derek and Hansel are modelling again when an opposing company attempts to take them out from the business.,55969000.0,100.0,Long time no Z -356486.0,en,Lumberjack Man,16.275,2015-10-16,4.9,74.0,"['Horror', 'Comedy']","As the staff of Good Friends Church Camp prepares for a spring break filled with ""Fun Under the Son"", a demon logger rises from his sap boiler to wreak his vengeance and feast on flapjacks soaked in the blood of his victims.",0.0,105.0,Welcome to Summer Camp. -156022.0,en,The Equalizer,75.165,2014-09-24,7.2,6874.0,"['Thriller', 'Action', 'Crime']","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.",192330738.0,132.0,What do you see when you look at me? -9334.0,en,The Scorpion King,28.997,2002-04-18,5.5,2437.0,"['Action', 'Adventure', 'Fantasy']","In ancient Egypt, peasant Mathayus is hired to exact revenge on the powerful Memnon and the sorceress Cassandra, who are ready to overtake Balthazar's village. Amid betrayals, thieves, abductions and more, Mathayus strives to bring justice to his complicated world.",165333180.0,92.0,Warrior. Legend. King. -77866.0,en,Contraband,51.727,2012-01-12,6.3,1647.0,"['Thriller', 'Action', 'Drama', 'Crime']","When his brother-in-law runs afoul of a drug lord, family man Chris Farraday turns to a skill he abandoned long ago—smuggling—to repay the debt. But the job goes wrong, and Farraday finds himself wanted by cops, crooks and killers alike.",96262212.0,109.0,What would you hide to protect your family? -520172.0,en,Happiest Season,20.787,2020-11-26,7.5,666.0,"['Romance', 'Comedy']",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.,1401954.0,102.0,"This holiday, everyone's secrets are coming out." -52067.0,en,Cedar Rapids,8.293,2011-02-11,6.0,315.0,['Comedy'],A naive Midwesterner insurance salesman travels to a big-city convention in an effort to save the jobs of his co-workers.,6861102.0,87.0,Today is the first day... of the rest of his weekend. -188161.0,en,A Million Ways to Die in the West,30.166,2014-05-22,6.0,3268.0,"['Comedy', 'Western']","As a cowardly farmer begins to fall for the mysterious new woman in town, he must put his new-found courage to the test when her husband, a notorious gun-slinger, announces his arrival.",86410000.0,116.0,Bring protection. -254473.0,en,Brick Mansions,39.093,2014-04-22,5.9,1243.0,"['Action', 'Crime', 'Drama']","In a dystopian Detroit, grand houses that once housed the wealthy are now homes of the city's most-dangerous criminals. Surrounding the area is a giant wall to keep the rest of Detroit safe. For undercover cop Damien Collier, every day is a battle against corruption as he struggles to bring his father's killer, Tremaine, to justice. Meanwhile, Damien and an ex-con named Lino work together to save the city from a plot to destroy it.",68896829.0,90.0,Undercover and never Outgunned -874152.0,en,Christmas in My Heart,7.739,2021-10-23,5.3,3.0,"['TV Movie', 'Drama', 'Romance']","With Christmas fast approaching, concert violinist Beth returns to her hometown after the recent death of her mother, the elementary school’s beloved music department head.",0.0,84.0,Love is life set to music. -521029.0,en,Annabelle Comes Home,81.547,2019-06-26,6.4,2537.0,"['Horror', 'Thriller', 'Mystery']","Determined to keep Annabelle from wreaking more havoc, demonologists Ed and Lorraine Warren bring the possessed doll to the locked artifacts room in their home, placing her “safely” behind sacred glass and enlisting a priest’s holy blessing. But an unholy night of horror awaits as Annabelle awakens the evil spirits in the room, who all set their sights on a new target—the Warrens' ten-year-old daughter, Judy, and her friends.",231252591.0,106.0,Possess them all -607259.0,en,Fatherhood,140.428,2021-06-18,7.7,859.0,"['Drama', 'Family', 'Comedy']","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.",0.0,109.0,"In it, together." -500634.0,en,6 Balloons,10.451,2018-03-12,6.1,205.0,['Drama'],"Over the course of one night, a woman drives across LA with her heroin addict brother in search of a detox center, with his two-year-old daughter in tow.",0.0,75.0,Let go with love. -1164.0,en,Babel,26.381,2006-09-08,7.2,2866.0,['Drama'],"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. In the struggle to overcome isolation, fear, and displacement, each character discovers that it is family that ultimately provides solace. In the remote sands of the Moroccan desert, a rifle shot rings out detonating a chain of events that will link an American tourist couples frantic struggle to survive, two Moroccan boys involved in an accidental crime, a nanny illegally crossing into Mexico with two American children and a Japanese teen rebel whose father is sought by the police in Tokyo. Separated by clashing cultures and sprawling distances, each of these four disparate groups of people are nevertheless hurtling towards a shared destiny of isolation and grief.",135330182.0,143.0,If You Want to be Understood...Listen -13515.0,en,Mirrors,27.67,2008-08-15,6.2,1378.0,"['Horror', 'Mystery', 'Thriller', 'Drama']",An ex-cop and his family are the target of an evil force that is using mirrors as a gateway into their home.,72436439.0,111.0,There is evil...On the other side. -6977.0,en,No Country for Old Men,30.084,2007-11-08,7.9,9110.0,"['Crime', 'Drama', 'Thriller']","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.",171627166.0,122.0,There are no clean getaways. -18937.0,en,Quest for Camelot,28.999,1998-05-15,6.9,634.0,"['Fantasy', 'Animation', 'Drama', 'Romance', 'Family']","During the times of King Arthur, Kayley is a brave girl who dreams of following her late father as a Knight of the Round Table. The evil Ruber wants to invade Camelot and take the throne of King Arthur, and Kayley has to stop him.",38172500.0,86.0,An evil knight gives nobility a bad name. -261392.0,en,American Ultra,26.629,2015-08-19,6.1,2315.0,"['Comedy', 'Action']","Mike is an unmotivated stoner whose small-town life with his live-in girlfriend, Phoebe, is suddenly turned upside down. Unbeknownst to him, Mike is actually a highly trained, lethal sleeper agent. In the blink of an eye, as his secret past comes back to haunt him, Mike is thrust into the middle of a deadly government operation and is forced to summon his inner action-hero in order to survive.",27139524.0,96.0,Everyone's getting smoked. -252680.0,en,Moms' Night Out,20.366,2014-03-25,5.6,244.0,['Comedy'],"Yearning for an evening without their kids, some friends plan a night out. But to do this, their husbands need to watch the kids. What can go wrong?",10429707.0,98.0,What could go wrong? -45662.0,en,Space Chimps 2: Zartog Strikes Back,10.26,2010-05-26,4.7,75.0,"['Animation', 'Family']","Comet longs to be taken seriously as a full-fledged space chimp. He journeys to the fantastical Planet Malgor and bonds with the adorable alien Kilowatt, living out his ultimate fantasy. However, it's time for Comet to prove himself when the feared alien ruler Zartog takes over Mission Control! Comet must show he has the right stuff, and join fellow chimps Ham, Luna and Titan, to save the day.",0.0,76.0,Get ready to blast off on a new adventure. -10009.0,en,Brother Bear,71.226,2003-10-23,7.2,4295.0,"['Adventure', 'Animation', 'Family']","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.",250397798.0,85.0,Nature Calls -791568.0,en,Settlers,14.708,2021-07-23,5.1,32.0,"['Science Fiction', 'Thriller']","Remmy and her parents, refugees from Earth, have found peace on the Martian outskirts until strangers appear in the hills beyond their farm. Told as a triptych, the film follows Remmy as she struggles to survive in an uneasy landscape.",0.0,104.0,How far would you go to build a new life? -257475.0,ja,たまこラブストーリー,32.762,2014-04-26,6.9,94.0,"['Romance', 'Animation', 'Comedy']","Devoted to her family’s rice-cake–making business and the high school baton club, Tamako is a little slow when it comes to love. She’s oblivious to her childhood friend Mochizo’s affections, even though all their friends know. With graduation closing in and Mochizo leaving for Tokyo, will Tamako realise her feelings and tell him in time?",0.0,83.0,"The end of school, the beginning of love…" -431259.0,en,Escape Room,25.364,2017-08-31,5.0,136.0,"['Horror', 'Thriller', 'Fantasy']",Four friends who partake in a popular Los Angeles escape room find themselves stuck with a demonically possessed killer. They have less than an hour to solve the puzzles needed to escape the room alive.,0.0,90.0,Let the game begin... -8291.0,en,Poetic Justice,10.789,1993-07-23,6.8,160.0,"['Romance', 'Drama']","In this film, we see the world through the eyes of main character Justice, a young African-American poet. A mail carrier invites a few friends along for a long overnight delivery run.",27515786.0,109.0,A Street Romance. -454650.0,en,Beast of Burden,12.492,2018-02-23,4.2,79.0,"['Action', 'Crime', 'Drama', 'Thriller']","Sean Haggerty only has an hour to deliver his illegal cargo. An hour to reassure a drug cartel, a hitman, and the DEA that nothing is wrong. An hour to make sure his wife survives. And he must do it all from the cockpit of his Cessna.",0.0,90.0,Lines are meant to be crossed. -439079.0,en,The Nun,96.872,2018-09-05,5.8,4901.0,"['Horror', 'Mystery', 'Thriller']","When a young nun at a cloistered abbey in Romania takes her own life, a priest with a haunted past and a novitiate on the threshold of her final vows are sent by the Vatican to investigate. Together they uncover the order’s unholy secret. Risking not only their lives but their faith and their very souls, they confront a malevolent force in the form of the same demonic nun that first terrorized audiences in “The Conjuring 2” as the abbey becomes a horrific battleground between the living and the damned.",365550119.0,96.0,Pray For Forgiveness -657.0,en,From Russia with Love,30.06,1963-10-10,7.1,2112.0,"['Action', 'Thriller', 'Adventure']","Agent 007 is back in the second installment of the James Bond series, this time battling a secret crime organization known as SPECTRE. Russians Rosa Klebb and Kronsteen are out to snatch a decoding device known as the Lektor, using the ravishing Tatiana to lure Bond into helping them. Bond willingly travels to meet Tatiana in Istanbul, where he must rely on his wits to escape with his life in a series of deadly encounters with the enemy.",78898765.0,115.0,The world's masters of murder pull out all the stops to destroy Agent 007! -716703.0,en,What Lies Below,29.929,2020-12-17,5.2,93.0,"['Horror', 'Mystery', 'Thriller', 'Science Fiction']","Liberty, a socially awkward 16-year-old, returns from two months at camp to a blindsided introduction of her mother’s fiancé, John Smith, whose charm, intelligence, and beauty paint the picture of a man too perfect to be human.",0.0,87.0,Fear comes to the surface. -297762.0,en,Wonder Woman,69.344,2017-05-30,7.3,17040.0,"['Action', 'Adventure', 'Fantasy']",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.,821847012.0,141.0,Power. Grace. Wisdom. Wonder. -16672.0,ja,砂の女,10.83,1964-02-15,8.3,257.0,"['Drama', 'Thriller']",An entomologist suffers extreme psychological and sexual torture after being taken captive by the residents of a poor seaside village.,0.0,147.0,Haunting. Erotic. Unforgettable. -4961.0,en,Mimic,16.546,1997-08-22,6.0,737.0,"['Fantasy', 'Horror', 'Thriller', 'Science Fiction']","A disease carried by common cockroaches is killing Manhattan children. In an effort to stop the epidemic an entomologist, Susan Tyler, creates a mutant breed of insect that secretes a fluid to kill the roaches. This mutant breed was engineered to die after one generation, but three years later Susan finds out that the species has survived and evolved into a large, gruesome monster that can mimic human form.",25480490.0,105.0,"For thousands of years, man has been evolution's greatest creation... until now." -516632.0,en,The Empty Man,33.251,2020-10-22,6.2,317.0,"['Horror', 'Mystery', 'Thriller']","Retired cop James Lasombra is asked by a friend to investigate the disappearance of her daughter, who seemingly packed in the night and left an ominous message on the bathroom mirror - ""The Empty Man Made Me Do It."" As he investigates this mysterious figure further, James begins to see and hear strange things, and is forced to come to terms with his past and what it means for his future.",4176641.0,137.0,The first night you hear him. The second night you see him. The third night he finds you. -101267.0,en,Katy Perry: Part of Me,12.905,2012-06-28,7.1,233.0,"['Documentary', 'Music']","Giving fans unprecedented access to the real life of the music sensation, Katy Perry: Part of Me exposes the hard work, dedication and phenomenal talent of a girl who remained true to herself and her vision in order to achieve her dreams. Featuring rare behind-the-scenes interviews, personal moments between Katy and her friends, and all-access footage of rehearsals, choreography, Katy’s signature style and more, Katy Perry: Part of Me reveals the singer’s unwavering belief that if you can be yourself, then you can be anything.",32726956.0,93.0,Be yourself and you can be anything -841.0,en,Dune,87.574,1984-12-14,6.3,1964.0,"['Action', 'Science Fiction', 'Adventure']","In the year 10,191, the world is at war for control of the desert planet Arrakis—the only place where the space-travel substance Melange 'Spice' can be found. But when one leader gives up control, it's only so he can stage a coup with some unsavory characters.",30925690.0,137.0,"A world beyond your experience, beyond your imagination." -11857.0,en,Orange County,9.961,2002-01-10,6.1,333.0,"['Comedy', 'Drama']","Shaun Brumder is a local surfer kid from Orange County who dreams of going to Stanford to become a writer and to get away from his dysfunctional family household. Except Shaun runs into one complication after another, starting when his application is rejected after his dim-witted guidance counselor sends in the wrong form.",0.0,82.0,It's not just a place. It's a state of mind. -38142.0,ja,秒速5センチメートル,34.901,2007-03-03,7.3,1394.0,"['Animation', 'Drama', 'Romance']","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.",0.0,63.0,At what speed must I live to see you again? -10948.0,en,The Fox and the Hound,52.866,1981-07-10,7.1,2546.0,"['Adventure', 'Animation', 'Drama', 'Family']","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!",29800000.0,82.0,A story of two friends who didn't know they were supposed to be enemies. -294652.0,en,Son of a Gun,21.132,2014-10-16,6.4,611.0,"['Action', 'Crime', 'Drama', 'Thriller']","Locked up for a minor crime, 19 year old JR quickly learns the harsh realities of prison life. Protection, if you can get it, is paramount. JR soon finds himself under the watchful eye of Australia's most notorious criminal, Brendan Lynch, but protection comes at a price.",0.0,108.0,Everyone gets what they deserve -9312.0,en,Mortal Kombat,25.739,1995-08-18,5.8,1653.0,"['Action', 'Fantasy']","For nine generations an evil sorcerer has been victorious in hand-to-hand battle against his mortal enemies. If he wins a tenth Mortal Kombat tournament, desolation and evil will reign over the multiverse forever. To save Earth, three warriors must overcome seemingly insurmountable odds, their own inner demons, and superhuman foes in this action/adventure movie based on one of the most popular video games of all time.",122195920.0,101.0,Nothing In This World Has Prepared You For This. -2110.0,fr,WASABI,13.193,2001-10-31,6.6,936.0,"['Drama', 'Action', 'Comedy']","Hubert is a French policeman with very sharp methods. After being forced to take 2 months off by his boss, who doesn't share his view on working methods, he goes back to Japan, where he used to work 19 years ago, to settle the probate of his girlfriend who left him shortly after marriage without a trace.",0.0,94.0,For those who take their action raw. -11092.0,en,Presumed Innocent,28.441,1990-07-26,6.8,471.0,"['Thriller', 'Crime', 'Mystery']","Rusty Sabich is a deputy prosecutor engaged in an obsessive affair with a coworker who is murdered. Soon after, he's accused of the crime. And his fight to clear his name becomes a whirlpool of lies and hidden passions.",221303188.0,127.0,Some people would kill for love -354912.0,en,Coco,573.567,2017-10-27,8.2,14756.0,"['Family', 'Animation', 'Fantasy', 'Music', 'Comedy', 'Adventure']","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.",800526015.0,105.0,The celebration of a lifetime -810413.0,en,The War Below,9.581,2021-09-10,6.9,4.0,"['War', 'Drama', 'History']","During World War I, a group of British miners are recruited to tunnel underneath no man's land and set bombs from below the German front in hopes of breaking the deadly stalemate of the Battle of Messines.",0.0,97.0,Hope runs deep. -259018.0,en,Behaving Badly,14.147,2014-04-14,5.3,480.0,['Comedy'],"Teenager Rick Stevens is willing to do whatever it takes to win the heart of Nina Pennington. He'll have to deal with his best friend's horny mom, a drug abusing boss and even the mob if he ever hopes to land the girl of his dreams. Love is never easy!",422697.0,92.0,"One good girl, several very bad choices" -421792.0,en,Down a Dark Hall,18.011,2018-08-01,5.5,537.0,"['Thriller', 'Drama', 'Fantasy', 'Horror']","Kit, a troubled girl, is sent to the exclusive Blackwood boarding school, where she discovers that only four other female students have been admitted to learn the four pillars of knowledge under the ominous wing of the mysterious headmistress Madame Duret.",0.0,96.0,Welcome to Blackwood. Where lost girls find their way. -10048.0,en,Stealth,13.312,2005-07-27,5.3,741.0,"['Science Fiction', 'Action', 'War']","Deeply ensconced in a top-secret military program, three pilots struggle to bring an artificial intelligence program under control ... before it initiates the next world war.",76932943.0,121.0,Fear The Sky -8488.0,en,Hitch,27.374,2005-02-11,6.5,4621.0,"['Comedy', 'Drama', 'Romance']","Dating coach Alex 'Hitch' Hitchens mentors a bumbling client, Albert, who hopes to win the heart of the glamorous Allegra Cole. While Albert makes progress, Hitch faces his own romantic setbacks when proven techniques fail to work on Sara Melas, a tabloid reporter digging for dirt on Allegra Cole's love life. When Sara discovers Hitch's connection to Albert – now Allegra's boyfriend – it threatens to destroy both relationships.",368100420.0,118.0,The cure for the common man. -923.0,en,Dawn of the Dead,20.727,1978-09-02,7.5,1500.0,['Horror'],"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.",55000000.0,127.0,"When there’s no more room in hell, the dead will walk the earth." -24100.0,en,The Little Vampire,23.41,2000-10-27,6.8,312.0,"['Family', 'Adventure', 'Comedy', 'Fantasy']","Based on the popular books, the story tells of Tony who wants a friend to add some adventure to his life. What he gets is Rudolph, a vampire kid with a good appetite. The two end up inseparable, but their fun is cut short when all the hopes of the vampire race could be gone forever in single night. With Tony's access to the daytime world, he helps them to find what they've always wanted.",27965865.0,95.0,"They're not just best friends, they're blood brothers." -856421.0,en,Outlier,10.427,2021-11-02,6.0,3.0,"['Horror', 'Thriller', 'Science Fiction', 'Drama']","After a public scene was caused by her abusive boyfriend, James, Olivia Davis flees the relationship with the help of a kind stranger, Thomas. Fearing for her safety from James, Olivia stays with Thomas for a while. Meanwhile, Thomas is working on a mystery project that Olivia only gets glimpses of. Not trusting herself and being eaten up by past trauma, she decides it's time to leave. Fearing for her safety out there on her own, Thomas is forced to confront and take action to keep Olivia safe. She is now forced to take action, find out what is going on, and escape her trauma.",0.0,81.0,Deviate from the plan. -49849.0,en,Cowboys & Aliens,71.58,2011-07-29,5.5,4124.0,"['Action', 'Science Fiction', 'Thriller', 'Western']","A stranger stumbles into the desert town of Absolution with no memory of his past and a futuristic shackle around his wrist. With the help of mysterious beauty Ella and the iron-fisted Colonel Dolarhyde, he finds himself leading an unlikely posse of cowboys, outlaws, and Apache warriors against a common enemy from beyond this world in an epic showdown for survival.",174822325.0,119.0,First Contact. Last Stand. -215830.0,en,Open Grave,8.184,2013-08-13,6.0,551.0,"['Horror', 'Thriller', 'Mystery']","A man awakes-- without memory -- in a pit full of bodies and must figure out if the people who rescued him are the killers, or if he is the murderer.",0.0,102.0,"The moment you wake up, the nightmare begins." -15255.0,en,Undisputed II: Last Man Standing,52.17,2006-04-11,7.2,531.0,"['Action', 'Crime', 'Thriller']","Sequel to the 2002 film. This time, Heavyweight Champ George ""Iceman"" Chambers (White) 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 (Adkins) in a battle to the death. This time he is not fighting for a title, he is fighting for his life!",0.0,93.0,Wrongfully Accused. Unjustly Imprisoned. Now He's Fighting Back. -328111.0,en,The Secret Life of Pets,22.223,2016-06-18,6.2,6931.0,"['Adventure', 'Comedy', 'Animation', 'Family']","The quiet life of a terrier named Max is upended when his owner takes in Duke, a stray whom Max instantly dislikes.",875457937.0,87.0,Think this is what they do all day? -300665.0,en,Leatherface,32.168,2017-09-14,5.5,913.0,"['Horror', 'Thriller', 'Mystery']","A young nurse is kidnapped by a group of violent teens who escape from a mental hospital and take her on the road trip from hell. Pursued by an equally deranged lawman out for revenge, one of the teens is destined for tragedy and horrors that will destroy his mind, moulding him into a monster named Leatherface.",0.0,88.0,The origin story of The Texas Chain Saw Massacre -420426.0,ja,Bleach,22.427,2018-07-20,6.6,423.0,"['Action', 'Fantasy', 'Adventure']","High school student Ichigo Kurosaki lives an ordinary life, besides being able to see ghosts and the blurry memories of his mother death under strange circumstances when he was a kid. His peaceful world suddenly breaks as he meets Rukia Kuchiki, a God of Death.",4001919.0,108.0,The Soul Reaper Agent Arc -227348.0,en,Paranormal Activity: The Marked Ones,45.811,2014-01-01,5.4,1112.0,"['Horror', 'Thriller']","Seventeen-year-old Jesse has been hearing terrifying sounds coming from his neighbor’s apartment, but when he turns on his camera and sets out to uncover their source, he encounters an ancient evil that won’t rest until it’s claimed his very soul.",86362372.0,84.0,Once Marked It Is Already Too Late -451925.0,en,Time Freak,15.843,2018-11-09,6.6,337.0,"['Science Fiction', 'Comedy', 'Romance']","Stillman, a heartbroken physics student, builds a time machine when his girlfriend breaks up with him. Going back in time, he attempts to save their relationship by fixing every mistake he made—while dragging his best friend along in the process.",0.0,104.0,"If at first you don't succeed, build a time machine." -807.0,en,Se7en,39.431,1995-09-22,8.3,16007.0,"['Crime', 'Mystery', 'Thriller']","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. Sommerset 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.",327311859.0,127.0,Seven deadly sins. Seven ways to die. -20223.0,es,Niñas Mal,10.299,2007-03-09,6.7,91.0,['Comedy'],A rebellious teen butts heads with the teachers at an all-girl charm school in Mexico City.,0.0,100.0,Good girls go to heaven. Bad girls go wherever they want. -43947.0,en,I Spit on Your Grave,47.264,2010-06-17,6.5,1643.0,"['Thriller', 'Crime', 'Horror']","Jennifer is a writer working on a new novel and, needing to get out of the city to finish it, hires a riverside apartment in upstate New York to finish her book—attracting the attention of a number of rowdy male locals.",572809.0,108.0,It's date night. -261103.0,en,Maya the Bee Movie,19.552,2014-09-11,6.2,131.0,"['Family', 'Animation']","Freshly hatched bee Maya is a little whirlwind and won't follow the rules of the hive. One of these rules is not to trust the hornets that live beyond the meadow. When the Royal Jelly is stolen, the hornets are suspected and Maya is thought to be their accomplice. No one believes that she is the innocent victim and no one will stand by her except for her good-natured and best friend Willy. After a long and eventful journey to the hornets hive Maya and Willy soon discover the true culprit and the two friends finally bond with the other residents of the opulent meadow.",0.0,79.0,Friendship is thicker than honey -3537.0,en,Fame,7.651,1980-05-16,6.5,320.0,"['Drama', 'Music']",A chronicle of the lives of several teenagers who attend a New York high school for students gifted in the performing arts.,42000000.0,134.0,"If they've really got what it takes, it's going to take everything they've got." -20544.0,en,Something the Lord Made,20.94,2004-05-30,7.7,144.0,"['TV Movie', 'Drama']",A dramatization of the relationship between heart surgery pioneers Alfred Blalock and Vivien Thomas.,0.0,110.0,A breakthrough that changed the face of medicine. A unique partnership that broke the rules. -12227.0,en,White Fang,11.892,1991-01-18,6.7,461.0,"['Action', 'Adventure', 'Drama', 'Family']",Jack London's classic adventure story about the friendship developed between a Yukon gold hunter and the mixed dog-wolf he rescues from the hands of a man who mistreats him.,34793160.0,107.0,"Where civilization ends, their journey begins." -9320.0,en,The Avengers,20.184,1998-08-13,4.4,518.0,"['Thriller', 'Science Fiction']","British Ministry agent John Steed, under direction from ""Mother"", investigates a diabolical plot by arch-villain Sir August de Wynter to rule the world with his weather control machine. Steed investigates the beautiful Doctor Mrs. Emma Peel, the only suspect, but simultaneously falls for her and joins forces with her to combat Sir August.",48585416.0,89.0,Saving the World in Style. -9988.0,en,Beerfest,9.66,2006-08-25,6.0,386.0,['Comedy'],"During a trip to Germany to scatter their grandfather's ashes, German-American brothers Todd and Jan discover Beerfest, the secret Olympics of downing stout, and want to enter the contest to defend their family's beer-guzzling honor. Their Old Country cousins sneer at the Yanks' chances, prompting the siblings to return to America to prepare for a showdown the following year.",19179969.0,110.0,Prepare for the ultimate chug of war. -95516.0,en,Cleanskin,10.207,2012-03-08,5.8,240.0,"['Drama', 'Thriller', 'Crime']","While working undercover as a bodyguard to arms dealer Harry, former-soldier-turned-secret-service-agent Ewan survives a bloody shootout with a member of an Islamic terrorist cell who steals Harry's briefcase full of Semtex explosives and escapes. Ewan's spymasters task Ewan with hunting down the cell members and retrieving the briefcase.",0.0,108.0,Fight Fire With Fire -390734.0,ja,キングスグレイブ ファイナルファンタジーXV,47.936,2016-07-09,6.8,516.0,"['Animation', 'Science Fiction', 'Action']","The magical kingdom of Lucis is home to the world’s last remaining Crystal, and the menacing empire of Niflheim is determined to steal it. King Regis of Lucis commands an elite force of soldiers called the Kingsglaive. Wielding their king’s magic, they fight to protect Lucis. As the overwhelming military might of the empire bears down, King Regis is faced with an impossible ultimatum – to marry his son, Prince Noctis to Princess Lunafreya of Tenebrae, captive of Niflheim, and surrender his lands to Niflheim rule. Although the king concedes, it becomes clear that the empire will stop at nothing to achieve their devious goals, with only the Kingsglaive standing between them and world domination.",269980.0,115.0,The Final Fantasy XV saga starts here. -14695.0,en,Havoc,9.342,2005-10-16,5.2,212.0,"['Crime', 'Drama']","A wealthy Los Angeles teen and her superficial friends wants to break out of suburbia and experience Southern California's ""gangsta"" lifestyle. But problems arise when the preppies get in over their heads and provoke the wrath of a violent Latino gang. Suddenly, their role-playing seems a little too real.",0.0,85.0,Too much is never enough. -747984.0,ko,불어라 검풍아,74.886,2021-04-08,5.5,6.0,"['Action', 'Comedy']","Since she was a child, Yeon-hee dreamt of becoming an action star. Even though she has an amazing swordsmanship, the reality of reaching her goal is just too hard for her to handle. One day, she is hired as a stand-in for an action film and goes onto the set, only to be transported to a lawless parallel world where people carry swords and kill each other without any retribution. Almost immediately, she is welcomed to the village as their protector and is respected by the villagers. And to save the villagers as a heroine, she begins to fight the villains back.",0.0,99.0,Here she comes to save the world. -10278.0,en,Return to Paradise,8.688,1998-08-10,6.4,192.0,"['Drama', 'Thriller', 'Romance']","Lewis, Sheriff and Tony are three friends vacationing in Malaysia. Sheriff and Tony eventually leave to pursue careers in New York, but Lewis stays behind to work with orangutans. Two years later, Sheriff and Tony learn that, because of their past actions, Lewis has been arrested for drug possession. With Lewis facing a death sentence, the friends are left with a difficult decision: return to Malaysia and split Lewis' sentence, or let him die.",0.0,109.0,Give up three years of their lives or give up the life of their friend. They have eight days to decide. -451751.0,en,American Satan,9.868,2017-10-13,7.4,192.0,"['Thriller', 'Drama', 'Music']","A young rock band, half from England and half from the US, drop out of college and move to the Sunset Strip to chase their dreams.",237708.0,111.0,Rock & roll is where God and The Devil shake hands -512895.0,en,Lady and the Tramp,27.854,2019-11-12,7.3,1224.0,"['Family', 'Romance', 'Comedy']","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.",0.0,111.0,Be loyal. Be brave. Be loved. -274857.0,en,King Arthur: Legend of the Sword,35.382,2017-05-10,6.5,4664.0,"['Action', 'Drama', 'Fantasy']","When the child Arthur’s father is murdered, Vortigern, Arthur’s uncle, seizes the crown. Robbed of his birthright and with no idea who he truly is, Arthur comes up the hard way in the back alleys of the city. But once he pulls the sword Excalibur from the stone, his life is turned upside down and he is forced to acknowledge his true legacy... whether he likes it or not.",148675066.0,126.0,From nothing comes a King -49950.0,en,The Roommate,10.568,2011-02-04,5.5,730.0,"['Thriller', 'Drama', 'Horror']","When Sara, a young design student from Iowa, arrives for college in Los Angeles, she is eager to fit in and get to know the big city. Her wealthy roommate, Rebecca, is more than eager to take Sara under her wing and show her the ropes. The two become close, but when Sara begins to branch out and make more friends on campus, Rebecca becomes resentful. Alarmed, Sara moves in with her new boyfriend, causing Rebecca's behavior to take a violent turn.",52545707.0,91.0,"2,000 colleges. 8 million roommates. Which one will you get?" -396557.0,en,Kids in Love,22.13,2016-08-26,6.1,93.0,"['Drama', 'Romance']","Drifting through his gap year with its internships and travel plans, Jack has always suspected there was more to life than this. A chance encounter with the beautiful and ethereal Evelyn swerves his life radically off course.",0.0,87.0,Sometimes the only way to find yourself is to lose yourself completely -598331.0,en,Rumble,10.029,2022-02-09,0.0,0.0,"['Family', 'Comedy', 'Animation']","In a world where monster wrestling is a global sport and monsters are superstar athletes, teenage Winnie seeks to follow in her father’s footsteps by coaching a loveable underdog monster into a champion.",0.0,0.0,The biggest underdog story ever. -238713.0,en,Spy,33.905,2015-05-06,6.8,5071.0,"['Action', 'Comedy', 'Crime']","A desk-bound CIA analyst volunteers to go undercover to infiltrate the world of a deadly arms dealer, and prevent diabolical global disaster.",235666219.0,120.0,One of the guys. One of the Spies. -536869.0,en,Cats,20.458,2019-12-19,4.3,674.0,"['Fantasy', 'Comedy', 'Drama']",A tribe of cats called the Jellicles must decide yearly which one will ascend to the Heaviside Layer and come back to a new Jellicle life.,73515024.0,110.0,You will believe. -22894.0,en,Legion,189.34,2010-01-21,5.7,1933.0,"['Horror', 'Action', 'Fantasy']","When God loses faith in humankind, he sends his legion of angels to bring on the Apocalypse. Humanity's only hope for survival lies in a group of strangers trapped in an out-of-the-way, desert diner with the Archangel Michael.",67918658.0,100.0,"When the last angel falls, the fight for mankind begins." -522444.0,en,Black Water: Abyss,274.301,2020-07-09,5.1,284.0,"['Horror', 'Thriller', 'Adventure', 'Mystery']","An adventure-loving couple convince their friends to explore a remote, uncharted cave system in the forests of Northern Australia. With a tropical storm approaching, they abseil into the mouth of the cave, but when the caves start to flood, tensions rise as oxygen levels fall and the friends find themselves trapped. Unknown to them, the storm has also brought in a pack of dangerous and hungry crocodiles.",0.0,98.0,Descend into fear -334543.0,en,Lion,28.488,2016-01-20,8.1,5494.0,['Drama'],"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.",140312928.0,118.0,The search begins -168098.0,en,Cell,25.962,2016-07-06,4.6,855.0,"['Horror', 'Science Fiction', 'Thriller']","When a strange signal pulsates through all cell phone networks worldwide, it starts a murderous epidemic of epic proportions when users become bloodthirsty creatures, and a group of people in New England are among the survivors to deal with the ensuing chaos after.",1133031.0,98.0,When everyone is connected no one is safe. -3082.0,en,Modern Times,11.894,1936-02-11,8.3,2758.0,"['Comedy', 'Drama']",The Tramp struggles to live in modern industrial society with the help of a young homeless woman.,8500000.0,87.0,"He stands alone as the greatest entertainer of modern times! No one on earth can make you laugh as heartily or touch your heart as deeply...the whole world laughs, cries and thrills to his priceless genius!" -9563.0,en,Any Given Sunday,9.815,1999-12-16,6.8,1249.0,['Drama'],A star quarterback gets knocked out of the game and an unknown third stringer is called in to replace him. The unknown gives a stunning performance and forces the ageing coach to reevaluate his game plans and life. A new co-owner/president adds to the pressure of winning. The new owner must prove herself in a male dominated world.,100230832.0,162.0,Play or be Played. -256474.0,en,In the Blood,14.429,2014-04-04,5.9,276.0,"['Action', 'Crime', 'Thriller']","When her husband goes missing during their Caribbean vacation, a woman sets off on her own to take down the men she thinks are responsible.",0.0,108.0,She Will Stop At Nothing -526050.0,en,Little,13.126,2019-04-04,6.8,500.0,"['Comedy', 'Fantasy', 'Romance']","Jordan Sanders, a take-no-prisoners tech mogul, wakes up one morning in the body of her 13-year-old self right before a do-or-die presentation. Her beleaguered assistant April is the only one in on the secret that her daily tormentor is now trapped in an awkward tween body, just as everything is on the line.",17399000.0,108.0,She woke up like this -16620.0,en,La Bamba,20.142,1987-07-24,7.2,512.0,"['Drama', 'Music']",Biographical story of the rise from nowhere of singer Ritchie Valens whose life was cut short by a plane crash.,54215416.0,108.0,Born into poverty. Destined for stardom. He lived the American dream. -585257.0,ru,Огонь,11.187,2020-12-24,8.8,80.0,"['Action', 'Drama']","A heroic story about firefighters and rescuers. What we call an act of bravery is just a usual routine for them, if only one can get used to mortal danger and extreme risk. When people in distress seem to have nobody who may help them, rescuers come to fight against merciless forces of nature.",0.0,120.0,Some fires can't be tamed. -21385.0,en,"Mickey, Donald, Goofy: The Three Musketeers",21.067,2004-08-04,6.6,689.0,"['Adventure', 'Animation', 'Comedy', 'Family']","In Disney's take on the Alexander Dumas tale, Mickey Mouse, Donald Duck and Goofy want nothing more than to perform brave deeds on behalf of their queen (Minnie Mouse), but they're stymied by the head Musketeer, Pete. Pete secretly wants to get rid of the queen, so he appoints Mickey and his bumbling friends as guardians to Minnie, thinking such a maneuver will ensure his scheme's success. The score features songs based on familiar classical melodies.",0.0,68.0,All for fun and fun for all -466282.0,en,To All the Boys I've Loved Before,51.792,2018-08-16,7.7,7332.0,"['Comedy', 'Romance']",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.,0.0,100.0,The Letters Are Out. -252.0,en,Willy Wonka & the Chocolate Factory,44.158,1971-06-29,7.5,2529.0,"['Family', 'Fantasy', 'Comedy']","When eccentric candy man Willy Wonka promises a lifetime supply of sweets and a tour of his chocolate factory to five lucky kids, penniless Charlie Bucket seeks the golden ticket that will make him a winner.",4000000.0,100.0,It's Scrumdidilyumptious! -11934.0,en,The Hudsucker Proxy,9.605,1994-03-11,7.1,745.0,"['Comedy', 'Drama']",A naive business graduate is installed as president of a manufacturing company as part of a stock scam.,2800000.0,111.0,They took him for a fall guy... but he threw them for a hoop. -429617.0,en,Spider-Man: Far From Home,273.535,2019-06-28,7.5,10893.0,"['Action', 'Adventure', 'Science Fiction']","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.",1131927996.0,129.0,It’s time to step up. -795.0,en,City of Angels,16.424,1998-04-10,6.8,1655.0,"['Romance', 'Drama', 'Fantasy']","When guardian angel Seth - who invisibly watches over the citizens of Los Angeles - becomes captivated by Maggie, a strong-willed heart surgeon, he ponders trading in his pure, otherworldly existence for a mortal life with his beloved. The couple embarks on a tender but forbidden romance spanning heaven and Earth.",198685114.0,114.0,She didn't believe in angels until she fell in love with one. -407436.0,en,Mowgli: Legend of the Jungle,29.787,2018-11-25,6.5,2081.0,"['Adventure', 'Drama']","A human child raised by wolves, must face off against a menacing tiger named Shere Khan, as well as his own origins.",0.0,105.0,The greatest journey is finding where you belong -10501.0,en,The Road to El Dorado,49.025,2000-03-31,7.2,2978.0,"['Family', 'Adventure', 'Animation', 'Comedy', 'Action']","After a failed swindle, two con-men end up with a map to El Dorado, the fabled ""city of gold,"" and an unintended trip to the New World. Much to their surprise, the map does lead the pair to the mythical city, where the startled inhabitants promptly begin to worship them as gods. The only question is, do they take the worshipful natives for all they're worth, or is there a bit more to El Dorado than riches?",76432727.0,89.0,They came for the gold. They stayed for the adventure. -660.0,en,Thunderball,31.598,1965-12-11,6.6,1598.0,"['Adventure', 'Action', 'Thriller']",A criminal organization has obtained two nuclear bombs and are asking for a 100 million pound ransom in the form of diamonds in seven days or they will use the weapons. The secret service sends James Bond to the Bahamas to once again save the world.,141195658.0,130.0,Look up! Look down! Look out! -608.0,en,Men in Black II,34.248,2002-07-03,6.3,8022.0,"['Action', 'Adventure', 'Comedy', 'Science Fiction']","Kay and Jay reunite to provide our best, last and only line of defense against a sinister seductress who levels the toughest challenge yet to the MIB's untarnished mission statement – protecting Earth from the scum of the universe. It's been four years since the alien-seeking agents averted an intergalactic disaster of epic proportions. Now it's a race against the clock as Jay must convince Kay – who not only has absolutely no memory of his time spent with the MIB, but is also the only living person left with the expertise to save the galaxy – to reunite with the MIB before the earth submits to ultimate destruction.",445135288.0,88.0,Same Planet. New Scum. -433498.0,en,Papillon,24.689,2017-09-07,7.4,1372.0,"['Drama', 'History', 'Crime']","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.",10060903.0,134.0,The greatest escape adventure ever told -12193.0,en,Four Christmases,11.176,2008-11-26,5.8,822.0,"['Comedy', 'Romance', 'Drama']","Brad and Kate have made something of an art form out of avoiding their families during the holidays, but this year their foolproof plan is about go bust -- big time. Stuck at the city airport after all departing flights are canceled, the couple is embarrassed to see their ruse exposed to the world by an overzealous television reporter. Now, Brad and Kate are left with precious little choice other than to swallow their pride and suffer the rounds.",163733697.0,88.0,"His father, her mother, his mother and her father all in one day." -53567.0,no,Thale,14.008,2012-02-16,5.3,106.0,"['Horror', 'Fantasy']","Norwegian folklore turns out to be real when Leo and Elvis encounter a girl called Thale in a basement. A regular cleaning job turns into a struggle for survival, while they're trying to figure out what or who Thale is. Could Thale be a huldra? A seductive forest spirit who appears from the front to be a beautiful young woman, but who also has a cow's tale and whose back appears to be like a hollowed out tree. The huldra has been known to offer rewards to those who satisfy them sexually, while death to those who fail to do so and are also prone to stealing human babies.",0.0,76.0,"In a cellar, dark and deep, I lay my dearest down to sleep; A secret they would like to keep." -290595.0,en,The Huntsman: Winter's War,37.592,2016-04-06,6.3,4030.0,"['Action', 'Adventure', 'Drama']","As two evil sisters prepare to conquer the land, two renegades—Eric the Huntsman, who aided Snow White in defeating Ravenna in Snowwhite and the Huntsman, and his forbidden lover, Sara—set out to stop them.",164989338.0,114.0,The story before Snow White -335988.0,en,Transformers: The Last Knight,114.472,2017-06-16,6.1,4704.0,"['Action', 'Adventure', 'Science Fiction', 'Fantasy']","Autobots and Decepticons are at war, with humans on the sidelines. Optimus Prime is gone. The key to saving our future lies buried in the secrets of the past, in the hidden history of Transformers on Earth.",605425157.0,154.0,"For one world to live, the other must die." -578908.0,en,Bad Trip,123.69,2020-03-26,6.1,328.0,['Comedy'],Two pals embark on a road trip full of funny pranks that pull real people into mayhem.,0.0,87.0,Friendships run deep. -935.0,en,Dr. Strangelove or: How I Learned to Stop Worrying and Love the Bomb,18.933,1964-01-29,8.1,4234.0,"['Drama', 'Comedy', 'War']","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.",9440272.0,95.0,The hot-line suspense comedy -246403.0,en,Tusk,22.128,2014-09-06,5.4,951.0,"['Comedy', 'Horror', 'Drama', 'Thriller']","When his best friend and podcast co-host goes missing in the backwoods of Canada, a young guy joins forces with his friend's girlfriend to search for him.",1882074.0,102.0,Let me tell you a story... -411873.0,en,The Little Hours,17.022,2017-06-30,5.7,378.0,['Comedy'],"Garfagnana, Italy, 1347. The handsome servant Masseto, fleeing from his vindictive master, takes shelter in a nunnery where three young nuns, Sister Alessandra, Sister Ginevra and Sister Fernanda, try unsuccessfully to find out what their purpose in life is, a conundrum that each of them faces in different ways.",0.0,90.0,Obedientia. Paupertas. -11156.0,fr,Coco avant Chanel,11.977,2009-04-22,6.9,728.0,"['Drama', 'History']","Several years after leaving the orphanage, to which her father never returned for her, Gabrielle Chanel finds herself working in a provincial bar. She's both a seamstress for the performers and a singer, earning the nickname Coco from the song she sings nightly with her sister. A liaison with Baron Balsan gives her an entree into French society and a chance to develop her gift for designing.",0.0,110.0,Before she was France's famous mademoiselle… -44251.0,ja,ドラゴンボールZ 危険なふたり!超戦士はねむれない,111.569,1994-03-12,6.7,475.0,"['Animation', 'Action', 'Science Fiction']","A Saiyan Space pod crash-lands on Earth out of which a wounded Saiyan crawls: Broly, the Legendary Super Saiyan. The wounded Broly shouts out in frustration and turns into normal form. The place soon freezes, trapping him in it and he falls into a coma.",0.0,48.0,Broly Is Back! -513576.0,en,Always Be My Maybe,9.827,2019-05-31,6.7,1035.0,"['Romance', 'Comedy']","Reunited after 15 years, famous chef Sasha and hometown musician Marcus feel the old sparks of attraction but struggle to adapt to each other's worlds.",0.0,101.0,There's Always Been Something Between Them. -1907.0,en,The Beach,14.331,2000-02-03,6.4,3437.0,"['Drama', 'Adventure', 'Romance', 'Thriller']","Twenty-something Richard travels to Thailand and finds himself in possession of a strange map. Rumours state that it leads to a solitary beach paradise, a tropical bliss - excited and intrigued, he sets out to find it.",144056873.0,119.0,Somewhere on this planet it must exist. -31938.0,en,The Devil's Brigade,15.688,1968-05-15,6.3,50.0,['War'],"At the onset of World War II, American Lt. Col. Robert Frederick (William Holden) is put in charge of a unit called the 1st Special Service Force, composed of elite Canadian commandos and undisciplined American soldiers. With Maj. Alan Crown (Cliff Robertson) leading the Canadians and Maj. Cliff Bricker (Vince Edwards) the acting head of the American contingent, there is initial tension -- but the team comes together when given a daunting mission that few would dare to attempt.",0.0,130.0,What they did to each other was nothing compared to what they did to the enemy! -17335.0,en,Obsessed,10.77,2009-04-24,5.8,506.0,"['Drama', 'Thriller']","Things couldn't be better for Derek Charles. He's just received a big promotion at work, and has a wonderful marriage with his beautiful wife, Sharon. However, into this idyllic world steps Lisa, a temporary worker at Derek's office. Lisa begins to stalk Derek, jeopardizing all he holds dear.",73830340.0,108.0,Sharon and Derek have all they've ever wanted... but someone else wants it more. -118957.0,en,Bait,10.905,2012-09-05,5.7,594.0,"['Action', 'Horror', 'Thriller']",A freak tsunami traps shoppers at a coastal Australian supermarket inside the building ... along with a 12-foot great white shark.,32500000.0,93.0,Cleanup on aisle 7. -9327.0,en,The Nutty Professor,18.92,1996-06-26,5.6,2318.0,"['Fantasy', 'Comedy', 'Romance', 'Science Fiction']","Eddie Murphy stars as shy Dr. Sherman Klump, a kind, brilliant, 'calorifically challenged' genetic professor. When beautiful Carla Purty joins the university faculty, Sherman grows desperate to whittle his 400-pound frame down to size and win her heart. So, with one swig of his experimental fat-reducing serum, Sherman becomes 'Buddy Love', a fast-talking, pumped-up , plumped down Don Juan.",128769345.0,95.0,"Inside Sherman Klump, a party animal is about to break out." -94047.0,ko,마이웨이,9.867,2011-12-21,8.0,261.0,"['Drama', 'Action', 'History', 'War']","Jun-shik, who works for Tatsuo’s grandfather’s farm while Korea is colonized by Japan, dreams about participating in the Tokyo Olympics as a marathon runner. Tatsuo also aims to become a marathon runner, so the two become rivals. But the war breaks out and they both are forced to enlist in the army. Tatsuo becomes the head of defense in Jun-shik’s unit and he devises a scheme but fails. Jun-shik and Tatsuo are held captive by the Soviets. They run away but soon are captured by the Germans and forced to separate. In 1944, they meet again on the shores of Normandy.",16653488.0,137.0,"They met as enemies, but fate brought them together." -1255.0,ko,괴물,32.855,2006-07-27,7.0,1989.0,"['Horror', 'Drama', 'Science Fiction']","Following the dumping of gallons of toxic waste in the river, a giant mutated squid-like appears and begins attacking the populace. Gang-du's daughter Hyun-seo is snatched up by the creature; with his family to assist him, he sets off to find her.",88489643.0,120.0,Monsters are real -83666.0,en,Moonrise Kingdom,20.384,2012-05-16,7.7,4585.0,"['Comedy', 'Drama', 'Romance']","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.",68263166.0,94.0,A tormenting and surprising story of children and adults during the stormy days of the summer of 1965. -488113.0,en,Christmas Wedding Planner,13.958,2017-12-14,5.5,346.0,"['Romance', 'Family']","Wedding Planner, Kelsey Wilson, is about to have her big break: planning her beloved cousin's lavish and exclusive wedding. Everything is going smoothly until Connor McClane, a devilishly handsome private investigator, shows up and turns Kelsey's world upside-down. Hired by a secret source, Connor quickly disrupts the upcoming nuptials but wins Kelsey's heart in the process.",0.0,86.0,Love is the greatest gift of all -501630.0,en,Summer '03,9.034,2018-09-28,5.8,161.0,['Comedy'],A 16-year-old girl and her extended family are left reeling after her calculating grandmother unveils an array of secrets on her deathbed.,0.0,102.0,Growing up. One mistake at a time. -4922.0,en,The Curious Case of Benjamin Button,50.237,2008-12-25,7.6,10140.0,"['Drama', 'Fantasy', 'Romance']","I was born under unusual circumstances. And so begins. The Curious Case of Benjamin Button, adapted from the 1920s story by F. Scott Fitzgerald about a man who is born in his eighties and ages backwards: a man, like any of us, who is unable to stop time. We follow his story, set in New Orleans, from the end of World War I in 1918 into the 21st century, following his journey that is as unusual as any man's life can be. Directed by David Fincher and starring Brad Pitt and Cate Blanchett with Taraji P. Henson, Tilda Swinton, Jason Flemyng, Elias Koteas and Julia Ormond, Benjamin Button, is a grand tale of a not-so-ordinary man and the people and places he discovers along the way, the loves he finds, the joys of life and the sadness of death, and what lasts beyond time.",333932083.0,166.0,"Life isn't measured in minutes, but in moments." -9570.0,en,The Black Hole,12.313,1979-12-18,5.8,308.0,"['Adventure', 'Family', 'Science Fiction', 'Action']","The explorer craft USS Palomino is returning to Earth after a fruitless 18-month search for extra-terrestrial life when the crew comes upon a supposedly lost ship, the USS Cygnus, hovering near a black hole. The ship is controlled by Dr. Hans Reinhardt and his monstrous robot companion, but the initial wonderment and awe the Palomino crew feel for the ship and its resistance to the power of the black hole turn to horror as they uncover Reinhardt's plans.",35841901.0,98.0,A journey that begins where everything ends! -297961.0,en,Big Driver,33.355,2014-10-18,5.8,155.0,"['Crime', 'Mystery', 'Thriller']","Based on a novella from Stephen King, A famous mystery writer sets out for revenge after a brutal attack.",0.0,87.0,Murder is a two-way street. -10141.0,en,Dirty Rotten Scoundrels,13.402,1988-12-14,7.1,589.0,"['Crime', 'Comedy']","Two con men try to settle their rivalry by betting on who can be the first to swindle a young American heiress out of $50,000.",42039085.0,110.0,Nice guys finish last. Meet the winners. -560044.0,en,The Willoughbys,22.587,2020-04-22,7.2,702.0,"['Animation', 'Comedy', 'Family']","When the four Willoughby children are abandoned by their selfish parents, they must learn how to adapt their Old-Fashioned values to the contemporary world in order to create something new: The Modern Family.",0.0,92.0,A family story for anyone who ever wanted to get away from their family -416494.0,en,Status Update,22.897,2018-02-09,7.4,375.0,"['Comedy', 'Fantasy', 'Science Fiction']","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.",0.0,106.0,Imagine if every time you updated your status your dreams came true -220.0,en,East of Eden,9.665,1955-04-10,7.6,521.0,"['Drama', 'Romance']","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.",5.0,115.0,The searing classic of paradise lost! -592834.0,en,My Spy,24.597,2020-01-09,7.0,842.0,"['Family', 'Action', 'Comedy']","A hardened CIA operative finds himself at the mercy of a precocious 9-year-old girl, having been sent undercover to surveil her family.",4418501.0,99.0,Almost Totally in Control -249.0,en,The War of the Roses,13.027,1989-12-08,6.9,833.0,"['Comedy', 'Drama']","The Roses, Barbara and Oliver, live happily as a married couple. Then she starts to wonder what life would be like without Oliver, and likes what she sees. Both want to stay in the house, and so they begin a campaign to force each other to leave. In the middle of the fighting is D'Amato, the divorce lawyer. He gets to see how far both will go to get rid of the other, and boy do they go far.",160188546.0,116.0,Once in a lifetime comes a motion picture that makes you feel like falling in love all over again. This is not that movie. -652.0,en,Troy,56.356,2004-05-03,7.1,8023.0,"['Adventure', 'History', 'War']","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 Agamemnom to help him get her back. Agamemnon sees this as an opportunity for power. So they set off with 1,000 ships holding 50,000 Greeks to Troy. With the help of Achilles, the Greeks are able to fight the never before defeated Trojans.",497409852.0,163.0,For passion. For honor. For destiny. For victory. For love. -95963.0,en,The Walking Dead,28.688,1995-02-24,6.7,17.0,"['Drama', 'War']","Five young marines on a suicide mission in Vietnam, struggle for survival in a jungle minefield. The mean streets of home did not prepare them for this.",0.0,88.0,Surviving the streets was just a rehearsal. -1813.0,en,The Devil's Advocate,34.807,1997-10-17,7.4,4391.0,"['Drama', 'Mystery', 'Thriller', 'Horror']","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.",152944660.0,144.0,Evil has its winning ways. -429733.0,en,Mayhem,14.693,2017-11-10,6.5,455.0,"['Action', 'Comedy', 'Horror']",A virus spreads through an office complex causing white collar workers to act out their worst impulses.,0.0,86.0,Hostile. Work. Environment. -1809.0,en,The Rules of Attraction,9.35,2002-10-11,6.2,407.0,"['Comedy', 'Drama', 'Romance']","The incredibly spoiled and overprivileged students of Camden College are a backdrop for an unusual love triangle between a drug dealer, a virgin and a bisexual classmate.",0.0,111.0,We all run on instinct -332283.0,en,Mary Shelley,16.233,2017-08-06,7.0,814.0,"['Drama', 'Romance']","The love affair between poet Percy Shelley and Mary Wollstonecraft Godwin resulted in the creation of an immortal novel, “Frankenstein; or, The Modern Prometheus.”",0.0,120.0,Her greatest love inspired her darkest creation -480042.0,en,Escape Plan: The Extractors,22.142,2019-06-20,5.2,593.0,"['Action', 'Thriller', 'Crime']","After security expert Ray Breslin is hired to rescue the kidnapped daughter of a Hong Kong tech mogul from a formidable Latvian prison, Breslin's girlfriend is also captured. Now he and his team must pull off a deadly rescue mission to confront their sadistic foe and save the hostages before time runs out.",0.0,97.0,This time it’s personal -415.0,en,Batman & Robin,33.861,1997-06-20,4.3,3885.0,"['Science Fiction', 'Action', 'Fantasy']",Batman and Robin deal with relationship issues while preventing Mr. Freeze and Poison Ivy from attacking Gotham City.,238207122.0,125.0,Strength. Courage. Honor. And loyalty. -397538.0,sv,Borg vs McEnroe,11.557,2017-09-08,7.0,919.0,"['Drama', 'History']","The Swedish Björn Borg and the American John McEnroe, the best tennis players in the world, maintain a legendary duel during the 1980 Wimbledon tournament.",16657800.0,108.0,Some stars shine forever -458405.0,en,The ParaPod: A Very British Ghost Hunt,9.614,2020-01-07,5.4,9.0,"['Documentary', 'Horror', 'Comedy']","A lifelong believer in the paranormal invites a hardwired sceptic on a road trip of the UK’s most famous haunted locations, in an attempt to convince him of the existence of ghosts. A journey of true discovery, shocks, emotional turmoil, hilarious conflict and a bewildering climax.",0.0,108.0,You won't believe it... but he will! -513223.0,es,Perdida,14.401,2018-04-19,6.3,206.0,"['Drama', 'Mystery', 'Crime']","A policewoman whose childhood friend disappeared in Patagonia years ago starts a new search to find answers, and soon finds her own life in danger.",0.0,103.0,Never stop searching -207703.0,en,Kingsman: The Secret Service,68.069,2014-12-13,7.6,13608.0,"['Crime', 'Comedy', 'Action', 'Adventure']",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.,414351546.0,129.0,Manners maketh man. -27585.0,en,Rabbit Hole,13.292,2010-12-16,6.7,433.0,['Drama'],Life for a happy couple is turned upside down after their young son dies in an accident.,5132850.0,91.0,The only way out is through. -12211.0,en,Highlander: Endgame,11.521,2000-09-01,4.8,286.0,"['Action', 'Fantasy']","Immortals Connor and Duncan Macleod join forces against a man from Connor's distant past in the highlands of Scotland, Kell, an immensely powerful immortal who leads an army of equally powerful and deadly immortal swordsmen and assassins. No immortal alive has been able to defeat Kell yet, and neither Connor nor Duncan are skilled enough themselves to take him on and live. The two of them eventually come to one inevitable conclusion; one of them must die so that the combined power of both the Highlanders can bring down Kell for good. There can be only one... the question is, who will it be?",15843608.0,87.0,"It will take two immortals to defeat the ultimate evil. But in the end, there can be only one." -9264.0,en,Poison Ivy,11.1,1992-05-08,5.4,243.0,"['Thriller', 'Drama']",A seductive teen befriends an introverted high school student and schemes her way into the lives of her wealthy family.,1829804.0,88.0,"What Ivy wants, Ivy gets." -1865.0,en,Pirates of the Caribbean: On Stranger Tides,164.123,2011-05-14,6.5,11352.0,"['Adventure', 'Action', 'Fantasy']","Captain Jack Sparrow crosses paths with a woman from his past, and he's not sure if it's love -- or if she's a ruthless con artist who's using him to find the fabled Fountain of Youth. When she forces him aboard the Queen Anne's Revenge, the ship of the formidable pirate Blackbeard, Jack finds himself on an unexpected adventure in which he doesn't know who to fear more: Blackbeard or the woman from his past.",1045713802.0,137.0,Live Forever Or Die Trying. -152760.0,en,The Monuments Men,27.978,2014-01-24,6.0,2931.0,"['War', 'Drama', 'History', 'Action']","Based on the true story of the greatest treasure hunt in history, The Monuments Men is an action drama focusing on seven over-the-hill, out-of-shape museum directors, artists, architects, curators, and art historians who went to the front lines of WWII to rescue the world’s artistic masterpieces from Nazi thieves and return them to their rightful owners. With the art hidden behind enemy lines, how could these guys hope to succeed?",154984035.0,118.0,It was the greatest art heist in history -333669.0,en,Bastille Day,20.732,2016-04-22,6.3,1012.0,['Action'],"Michael Mason is an American pickpocket living in Paris who finds himself hunted by the CIA when he steals a bag that contains more than just a wallet. Sean Briar, the field agent on the case, soon realises that Michael is just a pawn in a much bigger game and is also his best asset to uncover a large-scale conspiracy.",14397593.0,92.0,With law comes disorder -9341.0,en,The Core,22.95,2003-03-28,5.7,1324.0,"['Action', 'Thriller', 'Adventure', 'Science Fiction']","Geophysicist Dr. Josh Keyes discovers that an unknown force has caused the earth's inner core to stop rotating. With the planet's magnetic field rapidly deteriorating, our atmosphere literally starts to come apart at the seams with catastrophic consequences. To resolve the crisis, Keyes, along with a team of the world's most gifted scientists, travel into the earth's core. Their mission: detonate a device that will reactivate the core.",74208267.0,136.0,Earth has a deadline. -11854.0,hi,कुछ कुछ होता है,9.783,1998-10-16,7.7,290.0,"['Drama', 'Romance']","Anjali is left heartbroken when her best friend and secret crush, Rahul, falls in love with Tina. Years later, Tina's young daughter tries to fulfil her mother's last wish of uniting Rahul and Anjali.",15306000.0,185.0,Love is Friendship. -475888.0,en,Tell It to the Bees,10.93,2019-05-03,7.5,294.0,"['Romance', 'Drama']","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.",0.0,106.0,Some secrets are too powerful to keep -586047.0,ko,서복,212.792,2021-04-12,7.5,90.0,"['Science Fiction', 'Action']","A former intelligence agent gets involved with the first human clone, Seo Bok, who others seek, causing trouble.",0.0,114.0,Live the Moment -3777.0,ja,蜘蛛巣城,10.839,1957-01-15,7.9,542.0,"['Drama', 'History']","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.",0.0,108.0,"From the creator of ""Rashomon"" and ""Ikiru""." -359983.0,en,The Lion Guard: Return of the Roar,57.009,2015-11-22,6.5,758.0,"['Family', 'TV Movie', 'Animation']","Set in the African savannah, the film follows Kion as he assembles the members of the 'Lion Guard'. Throughout the film, the diverse team of young animals will learn how to utilize each of their unique abilities to solve problems and accomplish tasks to maintain balance within the Circle of Life, while also introducing viewers to the vast array of animals that populate the prodigious African landscape.",0.0,44.0,A new hero finds his roar! -14.0,en,American Beauty,25.907,1999-09-15,8.0,9735.0,['Drama'],"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.",356296601.0,122.0,Look closer. -363844.0,en,The Ouija Exorcism,10.089,2015-10-06,4.2,24.0,['Horror'],"In 1985, a celebrated exorcist trapped a horrific demon inside a ouija board. Thinking the board to be a game, his son played without obeying the rules, and let the demon loose. In order to save his son, the exorcist sent him far away until the demon could be destroyed. Thirty years later, and after his death, his grandson finds the board and makes the same mistake his father did. Now the evil is back and roaming the earth to terrorize those responsible for its imprisonment.",0.0,87.0,The Game Will Possess You -10281.0,en,Friday the 13th Part VII: The New Blood,36.865,1988-05-13,5.4,686.0,"['Horror', 'Thriller']","A young girl who possesses the power of telekinesis accidentally causes her father's death after a family dispute at Crystal Lake. Years later, when a doctor tries to exploit her abilities, her power becomes a hellish curse, and she unwittingly unchains the merciless, bloodthirsty Jason Voorhees from his watery grave.",19170001.0,88.0,"Jason is back, but this time someone's waiting!" -1493.0,en,Miss Congeniality,20.331,2000-12-22,6.5,3012.0,"['Comedy', 'Crime', 'Action']","When the local FBI office receives a letter from a terrorist known only as 'The Citizen', it's quickly determined that he's planning his next act at the Miss America beauty pageant. Because tough-as-nails Gracie Hart is the only female Agent at the office, she's chosen to go undercover as the contestant from New Jersey.",212000000.0,111.0,Never Mess With An Agent In A Dress. -41479.0,en,The Joneses,11.917,2010-04-16,6.2,455.0,"['Comedy', 'Drama']","A seemingly perfect family moves into a suburban neighborhood, but when it comes to the truth as to why they're living there, they don't exactly come clean with their neighbors.",7022728.0,96.0,"They're not just living the American dream, they're selling it." -376660.0,en,The Edge of Seventeen,25.626,2016-11-18,7.2,3308.0,"['Comedy', 'Drama']","Two high school girls are best friends until one dates the other's older brother, who is totally his sister's nemesis.",18803648.0,105.0,You're only young once… is it over yet? -6972.0,en,Australia,17.105,2008-11-18,6.6,1832.0,"['Adventure', 'Drama', 'Romance']","Set in northern Australia before World War II, an English aristocrat who inherits a sprawling ranch reluctantly pacts with a stock-man in order to protect her new property from a takeover plot. As the pair drive 2,000 head of cattle over unforgiving landscape, they experience the bombing of Darwin by Japanese forces firsthand.",211787511.0,165.0,Welcome to Australia! -472338.0,en,Victor Crowley,12.255,2017-09-12,5.7,166.0,"['Comedy', 'Horror']","Ten years after the events of the original movie, Victor Crowley is mistakenly resurrected and proceeds to kill once more.",0.0,83.0,Return to his swamp -59678.0,en,Attack the Block,8.917,2011-05-12,6.4,1589.0,"['Action', 'Comedy', 'Science Fiction']",A teen gang in a South London housing estate must team up with the other residents to protect their neighbourhood from a terrifying alien invasion.,3964682.0,88.0,Inner City vs. Outer Space. -311324.0,en,The Great Wall,64.087,2016-12-16,5.9,4043.0,"['Action', 'Adventure', 'Fantasy']",European mercenaries searching for black powder become embroiled in the defense of the Great Wall of China against a horde of monstrous creatures.,331957105.0,103.0,1700 years to build. 5500 miles long. What were they trying to keep out? -5825.0,en,National Lampoon's Christmas Vacation,26.27,1989-11-30,7.2,1659.0,['Comedy'],"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.",71319546.0,97.0,Yule crack up. -9314.0,en,Nineteen Eighty-Four,9.221,1984-10-10,6.8,999.0,"['Drama', 'Science Fiction', 'Thriller']",George Orwell's novel of a totalitarian future society in which a man whose daily work is rewriting history tries to rebel by falling in love.,8430492.0,113.0,George Orwell's terrifying vision comes to the screen. -10312.0,en,Patch Adams,17.353,1998-12-25,7.3,2577.0,"['Comedy', 'Drama']","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.",202292902.0,115.0,Laughter is contagious. -9975.0,en,Curious George,16.625,2006-02-10,6.3,375.0,"['Adventure', 'Animation', 'Comedy', 'Family']","When The Man in the Yellow Hat befriends Curious George in the jungle, they set off on a non-stop, fun-filled journey through the wonders of the big city toward the warmth of true friendship.",69834815.0,87.0,Show me the Monkey! -25676.0,cn,寶貝計劃,16.104,2006-09-28,7.0,398.0,"['Drama', 'Action', 'Comedy']","For never-do-well compulsive gambler Fong, there's only one thing more fearsome than debtors at his doorstep - having to coax a crying baby. But what if the baby becomes his golden goose to fend off his debtors? Can he overcome his phobia of diapers, milk bottles, and cloying lullabies?",0.0,126.0,This September! Crawl Baby crawl! -471925.0,pt,Entrei em Pânico ao Saber o que Vocês Fizeram na Sexta-feira 13 do Verão Passado Parte 2 - A Hora da Volta da Vingança dos Jogos Mortais de Halloween,10.779,2011-10-20,5.5,4.0,"['Comedy', 'Horror']","Seven years after the massacre of the first film, the survivors Niandra and Eliseu still fear the return of Geison, the terrible psychopath who mutilated his friends on a Friday the 13th. New murders start happening in the small town of Carlos Barbosa, putting a new generation of victims as targets of the killer. But who is behind that ""Scream"" mask?",0.0,82.0,Bloodier. Funnier. Shorter. -19698.0,en,Porky's II: The Next Day,15.138,1983-06-24,5.8,225.0,['Comedy'],"When the students of Angel Beach High decide to stage ""An Evening With Shakespeare,"" their efforts are threatened by Miss Balbricker, who views the works of Shakespeare as obscene. She enlists the help of Reverend Bubba Flavel, a religious fanatic who brings along his flock of followers to pressure the school into shutting down the production.",33759266.0,98.0,"If you thought the night before was funny, wait till you see the next day." -297160.0,en,XX,9.885,2017-02-17,5.0,336.0,['Horror'],This all-female horror anthology features four dark tales from four fiercely talented women.,30911.0,80.0,Four deadly tales by four killer women -19277.0,en,In Hell,14.755,2003-11-24,6.3,365.0,"['Action', 'Drama', 'Thriller']",A man must survive a prison where hardened criminals battle to the death for the warden's entertainment.,0.0,96.0,Rage unleashed. -20694.0,en,Rugrats Go Wild,14.961,2003-06-13,6.2,233.0,"['Family', 'Animation', 'Adventure', 'Comedy']","When the Rugrats find themselves stranded on a deserted island, they meet the Thornberrys, a family who agrees to help them escape.",55443032.0,84.0,The Family Vacation Goes Overboard. -568332.0,en,Taylor Swift: Reputation Stadium Tour,11.028,2018-12-31,8.1,218.0,"['Music', 'Documentary']","Taylor Swift takes the stage in Dallas for the Reputation Stadium Tour and celebrates a monumental night of music, memories and visual magic.",0.0,125.0,"And in the death of her reputation, she felt truly alive." -211672.0,en,Minions,35.062,2015-06-17,6.4,8957.0,"['Family', 'Animation', 'Adventure', 'Comedy']","Minions Stuart, Kevin and Bob are recruited by Scarlet Overkill, a super-villain who, alongside her inventor husband Herb, hatches a plot to take over the world.",1156730962.0,91.0,"Before Gru, they had a history of bad bosses" -18890.0,en,We're Back! A Dinosaur's Story,9.319,1993-11-24,6.0,316.0,"['Animation', 'Science Fiction', 'Family']","Captain New Eyes travels back in time and feeds dinosaurs his Brain Grain cereal, which makes them intelligent and non-violent. They agree to go to the Middle Future in order to grant the wishes of children in New York city. They are to meet Dr. Bleeb of the Museum of Natural History, but get sidetracked with their new children friends and run into the Captain's evil brother, Professor Screweyes.",9317021.0,72.0,Wish for a dinosaur and watch all your dreams come true. -216282.0,en,Into the Storm,43.833,2014-08-06,6.0,1648.0,"['Action', 'Thriller']","As a new day begins in the town of Silverton, its residents have little reason to believe it will be anything other than ordinary. Mother Nature, however has other plans. In the span of just a few hours, an unprecedented onslaught of powerful tornadoes ravages Silverton. Storm trackers predict that the worst is still to come, as terrified residents seek shelter, and professional storm-chasers run toward the danger, hoping to study the phenomenon close up and get a once-in-a-lifetime shot.",160602194.0,89.0,There is no calm before the storm -582876.0,uk,Антон і червона химера,15.761,2021-02-12,3.5,2.0,"['Drama', 'History']","Ukraine, 1919. The friendship of two boys, Anton and Jacob, one Christian, the other Jewish, manages to survive the prejudices and hatred that dominate the minds of adults in the aftermath of World War I and the Russian Revolution.",0.0,102.0,A friendship that survived the wrath of war -7249.0,en,Futurama: Bender's Big Score,15.551,2007-11-27,7.4,478.0,"['Animation', 'Comedy', 'Science Fiction', 'TV Movie']","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?",0.0,88.0,Just when you thought it was safe to watch something else! -25643.0,en,Love Happens,10.872,2009-09-18,5.9,526.0,"['Drama', 'Romance']","Dr. Burke Ryan is a successful self-help author and motivational speaker with a secret. While he helps thousands of people cope with tragedy and personal loss, he secretly is unable to overcome the death of his late wife. It's not until Burke meets a fiercely independent florist named Eloise that he is forced to face his past and overcome his demons.",36133014.0,109.0,Sometimes when you least expect it... -10829.0,en,Tremors 3: Back to Perfection,18.409,2001-10-02,5.8,444.0,"['Action', 'Comedy', 'Horror', 'Science Fiction', 'Thriller']","Burt Gummer returns home to Perfection, Nev., to find that the town of terror has become a theme park, and when the simulated giant worm attacks turn real, the survivalist must battle the creatures once again. Gummer pits his impressive knowledge of weaponry against the newest and deadliest generation of flesh-eating graboids, with help from two young entrepreneurs.",0.0,100.0,The Food Chain Just Grew Another Link. -624.0,en,Easy Rider,12.655,1969-05-07,7.1,1473.0,"['Adventure', 'Drama']",A cross-country trip to sell drugs puts two hippie bikers on a collision course with small-town prejudices.,60000000.0,95.0,A man went looking for America and couldn’t find it anywhere... -114150.0,en,Pitch Perfect,37.711,2012-09-28,7.3,5582.0,"['Comedy', 'Music', 'Romance']","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.",115400000.0,112.0,Get pitch slapped. -575776.0,en,Saint Maud,18.729,2020-10-09,6.8,327.0,"['Drama', 'Horror', 'Mystery']","Having recently found God, self-effacing young nurse Maud arrives at a plush home to care for Amanda, a hedonistic dancer left frail from a chronic illness. When a chance encounter with a former colleague throws up hints of a dark past, it becomes clear there is more to sweet Maud than meets the eye.",1640866.0,85.0,Your Savior is Coming -262543.0,en,Autómata,23.585,2014-10-09,5.8,1327.0,"['Thriller', 'Science Fiction']","Jacq Vaucan, an insurance agent of ROC robotics corporation, routinely investigates the case of manipulating a robot. What he discovers will have profound consequences for the future of humanity.",0.0,110.0,Your time is coming to an end – Ours is now beginning -10847.0,en,Lord of the Flies,11.328,1990-03-16,6.4,399.0,"['Adventure', 'Drama', 'Thriller']","When their plane crashes, 25 schoolboys find themselves trapped on a tropical island, miles from civilization. Based on William Goulding’s “Lord of the Flies”, a critique of British imperialism and nobility.",13985225.0,91.0,No parents. No teachers. No rules... No mercy. -323370.0,en,The Diabolical,16.372,2015-03-16,5.1,159.0,"['Horror', 'Science Fiction', 'Thriller']","When a single mother and her two young children are tormented by an increasingly strange and intense presence in their quiet suburban home, she turns to her scientist boyfriend to take on the violent forces that paranormal experts are too frightened to face.",0.0,86.0,Evil is timeless. -38843.0,en,Ramona and Beezus,9.554,2010-07-23,6.5,657.0,"['Comedy', 'Family']","Ramona is a little girl with a very big imagination and a nose for mischief. Her playful antics keep everyone in her loving family on their toes, including her older sister Beezus, who's just trying to survive her first year of high school. Through all the ups and downs of childhood, Ramona and Beezus learn that anything's possible when you believe in yourself and rely on each other.",27293743.0,103.0,A Little Sister Goes A Long Way. -839440.0,en,Dinosaur Hotel,94.71,2021-06-11,5.3,48.0,"['Horror', 'Science Fiction', 'Mystery']","Sienna is desperate to win a large cash prize in a secret underground game show. However, Dinosaur's begin to hunt her down for the entertainment of the rich and wealthy. Can she be the last to survive the horrific night to win the prize?",0.0,77.0,The hunt is on. And you're the prey. -1535.0,en,Spy Game,23.59,2001-11-18,6.9,1541.0,"['Action', 'Crime', 'Thriller']","On the day of his retirement, a veteran CIA agent learns that his former protégé has been arrested in China, is sentenced to die the next morning in Beijing, and that the CIA is considering letting that happen to avoid an international scandal.",143049560.0,126.0,It's not how you play the game. It's how the game plays you. -14864.0,en,The Hot Spot,14.144,1990-10-12,6.3,160.0,"['Crime', 'Romance']","A loner moves in to a small Texas town, finds himself a job, and sets about plotting to rob the local bank.",1293976.0,130.0,Safe is never sex. It’s dangerous. -290751.0,en,Secret in Their Eyes,13.349,2015-10-14,6.4,1067.0,"['Crime', 'Drama', 'Mystery', 'Thriller']","A tight-knit team of FBI investigators, along with their District Attorney supervisor, is suddenly torn apart when they discover that one of their own teenage daughters has been brutally murdered.",34854990.0,111.0,The truth lies in the most unexpected places. -11849.0,en,Dungeons & Dragons,9.509,2000-12-08,4.3,434.0,"['Drama', 'Adventure', 'Fantasy']","The Empire of Izmer is a divided land: elite magicians called “mages” rule while lowly commoners are powerless. When Empress Savina vows to bring equality and prosperity to her land, the evil mage Profion plots to depose her.",15185241.0,107.0,This is no game -297761.0,en,Suicide Squad,76.03,2016-08-03,5.9,18110.0,"['Action', 'Adventure', 'Fantasy']","From DC Comics comes the Suicide Squad, an antihero team of incarcerated supervillains who act as deniable assets for the United States government, undertaking high-risk black ops missions in exchange for commuted prison sentences.",746846894.0,123.0,Worst Heroes Ever -509853.0,en,The Fanatic,14.06,2019-08-30,4.6,193.0,"['Crime', 'Thriller']",A rabid film fan stalks his favorite action hero and destroys the star's life.,3153.0,89.0,All he wanted was an autograph. -4476.0,en,Legends of the Fall,19.861,1994-12-16,7.4,1870.0,"['Adventure', 'Drama', 'Romance', 'War', 'Western']","An epic tale of three brothers and their father living in the remote wilderness of 1900s USA and how their lives are affected by nature, history, war, and love.",160638883.0,133.0,After the Fall from Innocence the Legend begins. -460458.0,en,Resident Evil: Welcome to Raccoon City,88.822,2021-11-24,0.0,0.0,"['Horror', 'Action', 'Mystery']","Once the booming home of pharmaceutical giant Umbrella Corporation, Raccoon City is now a dying Midwestern town. The company’s exodus left the city a wasteland…with great evil brewing below the surface. When that evil is unleashed, the townspeople are forever…changed…and a small group of survivors must work together to uncover the truth behind Umbrella and make it through the night.",0.0,107.0,Witness the beginning of evil. -329.0,en,Jurassic Park,21.804,1993-06-11,7.9,12770.0,"['Adventure', 'Science Fiction']","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.",920100000.0,127.0,An adventure 65 million years in the making. -6644.0,en,El Dorado,11.97,1966-12-17,7.4,351.0,"['Western', 'Adventure', 'Action']","Cole Thornton, a gunfighter for hire, joins forces with an old friend, Sheriff J.P. Hara. Together with an old indian fighter and a gambler, they help a rancher and his family fight a rival rancher that is trying to steal their water.",6000000.0,120.0,It's The Big One With The Big Two! -475430.0,en,Artemis Fowl,47.081,2020-06-12,5.7,1266.0,"['Adventure', 'Fantasy', 'Science Fiction', 'Family', 'Action']",Artemis Fowl is a 12-year-old genius and descendant of a long line of criminal masterminds. He soon finds himself in an epic battle against a race of powerful underground fairies who may be behind his father's disappearance.,0.0,94.0,Remember the name -47519.0,ja,巨乳ドラゴン 温泉ゾンビVSストリッパー5,6.33,2010-05-15,5.6,27.0,"['Action', 'Horror', 'Comedy']","A medieval Book of the Dead is discovered in the catacombs that run under a small town strip club. When one of the desperate strippers raises an army of the undead, the rest of the strippers must kick some zombie ass to save the world.",0.0,73.0,A bloody Armageddon has begun! -1724.0,en,The Incredible Hulk,50.048,2008-06-12,6.2,9149.0,"['Science Fiction', 'Action', 'Adventure']","Scientist Bruce Banner scours the planet for an antidote to the unbridled force of rage within him: the Hulk. But when the military masterminds who dream of exploiting his powers force him back to civilization, he finds himself coming face to face with a new, deadly foe.",163712074.0,114.0,You'll like him when he's angry. -508330.0,en,Awoken,9.438,2020-05-07,6.0,58.0,"['Horror', 'Thriller', 'Mystery']","Karla, a young medical student, is trying to cure her brother, Blake, from a terminal sleep illness called Fatal Familial Insomnia, where you are unable to sleep until you die. On her quest to treat him, a more sinister reason for his condition is revealed.",0.0,87.0,Never Sleep Again -87093.0,en,Big Eyes,15.763,2014-12-24,7.0,2952.0,['Drama'],"The story of the awakening of painter, Margaret Keane, her phenomenal success in the 1950s, and the subsequent legal difficulties she had with her husband, who claimed credit for her works in the 1960s.",28883511.0,106.0,She created it. He sold it. And they bought it. -143049.0,en,Adult World,17.844,2013-04-18,6.1,305.0,['Comedy'],"Amy, a naive college graduate who believes she's destined to be a great poet, begrudgingly accepts a job at a sex shop while she pursues a mentorship with reclusive writer Rat Billings.",0.0,107.0,"When life gets hard, rise to the occasion." -37135.0,en,Tarzan,73.426,1999-06-18,7.4,5329.0,"['Family', 'Adventure', 'Animation', 'Drama']","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...",448191819.0,88.0,An immortal legend. As you've only imagined. -11848.0,en,Animal Farm,12.053,1954-12-28,6.9,319.0,"['Animation', 'Drama']","A successful farmyard revolution by the resident animals vs. the farmer goes horribly wrong when corrupt pigs hijack it for their personal gain. Based on the socialist George Orwell’s novel “Animal Farm”, a critique of Stalinist authoritarianism.",0.0,72.0,He's got the world in an UPROAR! -12702.0,en,Critters 3,14.814,1991-12-11,5.1,248.0,"['Comedy', 'Horror', 'Science Fiction']","In what appears to be a cross between Critters and The Towering Inferno, the residents of a shoddy L.A. apartment block are chased up to the roof by hoards of the eponymous hairy horrors.",0.0,86.0,First they destroyed a farm. Then they terrorised a town. Now they're ready to do some real damage! -22586.0,en,The Swan Princess,16.697,1994-11-18,6.6,756.0,"['Family', 'Animation', 'Fantasy', 'Adventure', 'Comedy']","The beautiful princess Odette is transformed into a swan by an evil sorcerer's spell. Held captive at an enchanted lake, she befriends Jean-Bob the frog, Speed the turtle and Puffin the bird. Despite their struggle to keep the princess safe, these good-natured creatures can do nothing about the sorcerer's spell, which can only be broken by a vow of everlasting love.",9771658.0,89.0,An enchanting classic destined to capture your heart and free your spirit. -1999.0,en,In the Bedroom,15.04,2001-11-23,6.9,227.0,"['Drama', 'Thriller']","Summertime on the coast of Maine, ""In the Bedroom"" centers on the inner dynamics of a family in transition. Matt Fowler is a doctor practicing in his native Maine and is married to New York born Ruth Fowler, a music teacher. His son is involved in a love affair with a local single mother. As the beauty of Maine's brief and fleeting summer comes to an end, these characters find themselves in the midst of unimaginable tragedy.",0.0,130.0,A young man. An older woman. Her ex-husband. Things are about to explode... -393717.0,fr,Braqueurs,12.337,2016-05-04,6.2,260.0,"['Drama', 'Crime', 'Thriller']","One of the members of a gang of thieves commits a serious mistake that force them to work for a ruthless gang of drug dealers, endangering the future of the team, their lives and those of their families.",0.0,78.0,Thieves against dealers -15613.0,en,Fire in the Sky,12.97,1993-03-12,6.6,366.0,"['Science Fiction', 'Drama', 'Mystery']","A group of men who were clearing brush for the government arrive back in town, claiming that their friend was abducted by aliens. Nobody believes them, and despite a lack of motive and no evidence of foul play, their friends' disappearance is treated as murder.",19724334.0,109.0,"Alien abduction. November 5, 1975. White Mountains, Northeastern Arizona. Based on the true story." -11127.0,en,Starship Troopers 3: Marauder,14.937,2008-07-19,4.7,347.0,"['Adventure', 'Science Fiction', 'Action']","The war against the Bugs continues! A Federation Starship crash-lands on the distant Alien planet OM-1, stranding beloved leader Sky Marshal Anoke and several others, including comely but tough pilot Lola Beck. It's up to Colonel/General Johnny Rico, reluctant hero of the original Bug Invasion on Planet P, to lead a team of Troopers on a daring rescue mission.",0.0,105.0,Do you have what it takes to be a Citizen? -50646.0,en,"Crazy, Stupid, Love.",37.922,2011-07-29,7.2,6536.0,"['Comedy', 'Drama', 'Romance']","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.",142851197.0,118.0,This is crazy. This is stupid. This is love. -15775.0,en,If Only,11.09,2004-01-23,6.9,426.0,"['Fantasy', 'Drama', 'Romance']","After his impetuous musician girlfriend, Samantha, dies in an accident shortly after they had a fight (and nearly broke up), a grief-stricken British businessman, Ian Wyndham, living in London gets a chance to relive the day all over again, in the hope of changing the events that led up to her getting killed.",3000000.0,92.0,He loved her like there was no tomorrow. -7450.0,en,Titan A.E.,14.527,2000-06-16,6.6,801.0,"['Animation', 'Action', 'Science Fiction', 'Family', 'Adventure']","A young man finds out that he holds the key to restoring hope and ensuring survival for the human race, while an alien species called the Drej are bent on mankind's destruction.",36754634.0,94.0,"When Earth Ends, The Adventure Begins." -2665.0,en,Airplane II: The Sequel,11.889,1982-12-10,6.1,750.0,['Comedy'],"A faulty computer causes a passenger space shuttle to head straight for the sun, and man-with-a-past, Ted Striker must save the day and get the shuttle back on track – again – all the while trying to patch up his relationship with Elaine.",27150534.0,85.0,For the ride of your life... All you need for Christmas are your two front seats! -12508.0,en,Rock Star,9.55,2001-09-04,6.7,555.0,"['Music', 'Drama', 'Comedy']","A wannabe rock star who fronts a Pennsylvania-based tribute band is devastated when his kick him out of the group he founded. Things begin to look up for Izzy when he is asked to join Steel Dragon, the heavy metal rockers he had been imitating for so long. This film is loosely based on the true story of the band Judas Priest.",16991902.0,105.0,The story of a wanna be who got to be. -2640.0,en,Heathers,11.284,1989-03-31,7.4,1214.0,"['Comedy', 'Crime']","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.",1108462.0,103.0,"Best friends, social trends, and occasional murder." -9725.0,en,Friday the 13th Part 2,36.44,1981-05-01,6.1,1131.0,"['Horror', 'Thriller']","Five years after the horrible bloodbath at Camp Crystal Lake, it seems Jason Voorhees and his demented mother are in the past. Paul opens up a new camp close to the infamous site, ignoring warnings to stay away, and a sexually-charged group of counselors follow -- including child psychologist major Ginny. But Jason has been hiding out all this time, and now he's ready for revenge.",21722776.0,87.0,The body count continues... -109445.0,en,Frozen,112.116,2013-11-20,7.3,13633.0,"['Animation', 'Adventure', 'Family']","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.",1274219009.0,102.0,Only the act of true love will thaw a frozen heart. -12092.0,en,Alice in Wonderland,64.736,1951-07-28,7.2,4703.0,"['Animation', 'Family', 'Fantasy', 'Adventure']","On a golden afternoon, young Alice follows a White Rabbit, who disappears down a nearby rabbit hole. Quickly following him, she tumbles into the burrow - and enters the merry, topsy-turvy world of Wonderland! Memorable songs and whimsical escapades highlight Alice's journey, which culminates in a madcap encounter with the Queen of Hearts - and her army of playing cards!",572000000.0,75.0,A world of wonders in one great picture! -289.0,en,Casablanca,22.587,1942-11-26,8.2,3961.0,"['Drama', 'Romance']","In Casablanca, Morocco in December 1941, a cynical American expatriate meets a former lover, with unforeseen complications.",10462500.0,102.0,They had a date with fate in Casablanca! -14144.0,en,Daddy Day Camp,9.801,2007-08-08,4.7,340.0,"['Family', 'Comedy']","Seeking to offer his son the satisfying summer camp experience that eluded him as a child, the operator of a neighborhood daycare center opens his own camp, only to face financial hardship and stiff competition from a rival camp.",18197398.0,89.0,The summer is going to be in tents. -10112.0,en,The Aristocats,56.411,1970-12-24,7.3,4016.0,"['Animation', 'Comedy', 'Family', 'Adventure']","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.",55675257.0,78.0,A tune-filled animated extravaganza. -146301.0,en,Paranormal Activity: The Ghost Dimension,25.178,2015-10-21,5.3,1088.0,"['Horror', 'Thriller']","Using a special camera that can see spirits, a family must protect their daughter from an evil entity with a sinister plan.",78096553.0,88.0,You can't save them. All you can do is watch. -300687.0,en,Same Kind of Different as Me,13.384,2017-10-20,6.9,191.0,['Drama'],"International art dealer Ron Hall must befriend a dangerous homeless man in order to save his struggling marriage to his wife, a woman whose dreams will lead all three of them on the journey of their lives.",6423605.0,119.0,Based On The Incredible True Story That Inspired Millions -395458.0,en,Suburbicon,22.178,2017-10-26,5.8,1361.0,"['Thriller', 'Crime', 'Drama', 'Mystery']","In the quiet family town of Suburbicon during the 1950s, the best and worst of humanity is hilariously reflected through the deeds of seemingly ordinary people. When a home invasion turns deadly, a picture-perfect family turns to blackmail, revenge and murder.",12751667.0,105.0,Welcome to the neighborhood. -561.0,en,Constantine,53.567,2005-02-08,7.0,5219.0,"['Fantasy', 'Action', 'Horror']","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.",230884728.0,121.0,"Hell Wants Him, Heaven Won't Take Him, Earth Needs Him." -12665.0,en,Powder,16.34,1995-10-27,6.8,416.0,"['Drama', 'Fantasy', 'Science Fiction', 'Thriller']","Harassed by classmates who won't accept his shocking appearance, a shy young man known as ""Powder"" struggles to fit in. But the cruel taunts stop when Powder displays a mysterious power that allows him to do incredible things. This phenomenon changes the lives of all those around him in ways they never could have imagined.",0.0,111.0,An extraordinary encounter with another human being. -438631.0,en,Dune,2911.423,2021-09-15,8.0,3632.0,"['Action', 'Adventure', 'Science Fiction']","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.",331116356.0,155.0,"Beyond fear, destiny awaits." -6646.0,en,Treasure Island,7.187,1950-07-19,6.6,122.0,"['Adventure', 'Family']","Enchanted by the idea of locating treasure buried by Captain Flint, Squire Trelawney, Dr. Livesey and Jim Hawkins charter a sailing voyage to a Caribbean island. Unfortunately, a large number of Flint's old pirate crew are aboard the ship, including Long John Silver.",0.0,96.0,"PIRATE'S PLUNDER a young cabin boy, a roguish buccaneer... match wits in a swashbuckling adventure!" -258193.0,en,Alien Abduction,22.966,2014-04-04,5.6,263.0,"['Horror', 'Science Fiction', 'Thriller']",A vacationing family encounters an alien threat in this pulse-pounding thriller based on the real-life Brown Mountain Lights phenomenon in North Carolina.,0.0,85.0,Fear The Lights... -323272.0,en,War Room,33.355,2015-08-28,7.9,329.0,"['Drama', 'Romance']","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.",67790117.0,120.0,Prayer is a Powerful Weapon -9441.0,en,Stepmom,14.411,1998-12-25,7.1,1076.0,"['Drama', 'Romance', 'Comedy']","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.",159710793.0,124.0,Be there for the joy. Be there for the tears. Be there for each other. -81796.0,en,Lockout,64.097,2012-04-12,5.9,1444.0,"['Action', 'Thriller', 'Science Fiction']","Set in the near future, Lockout follows a falsely convicted ex-government agent , whose one chance at obtaining freedom lies in the dangerous mission of rescuing the President's daughter from rioting convicts at an outer space maximum security prison.",32204030.0,95.0,Take no prisoners. -284054.0,en,Black Panther,95.125,2018-02-13,7.4,18107.0,"['Action', 'Adventure', 'Science Fiction']","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.",1346739107.0,134.0,Long live the king. -2114.0,en,Final Fantasy: The Spirits Within,18.627,2001-07-02,6.2,1128.0,"['Adventure', 'Action', 'Animation', 'Fantasy', 'Science Fiction', 'Thriller', 'Romance']","Led by a strange dream, scientist Aki Ross struggles to collect the eight spirits in the hope of creating a force powerful enough to protect the planet. With the aid of the Deep Eyes Squadron and her mentor, Dr. Sid, Aki must save the Earth from its darkest hate and unleash the spirits within.",85131830.0,106.0,Unleash a new reality -85350.0,en,Boyhood,19.249,2014-06-05,7.5,4262.0,['Drama'],"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.",48137666.0,165.0,12 years in the making. -9333.0,en,Last Man Standing,11.627,1996-09-20,6.3,625.0,"['Action', 'Crime', 'Drama', 'Thriller', 'Mystery']","John Smith is a mysterious stranger who is drawn into a vicious war between two Prohibition-era gangs. In a dangerous game, he switches allegiances from one to another, offering his services to the highest bidder. As the death toll mounts, Smith takes the law into his own hands in a deadly race to stay alive.",47267001.0,101.0,"In a town with no justice, there is only one law... Every man for himself." diff --git a/labs/03-orchestration/05-Functions/function-calling.ipynb b/labs/03-orchestration/04-Functions/function-calling.ipynb similarity index 100% rename from labs/03-orchestration/05-Functions/function-calling.ipynb rename to labs/03-orchestration/04-Functions/function-calling.ipynb diff --git a/labs/03-orchestration/06-Conversations/chat-conversation.ipynb b/labs/03-orchestration/06-Conversations/chat-conversation.ipynb deleted file mode 100644 index 33f24a9..0000000 --- a/labs/03-orchestration/06-Conversations/chat-conversation.ipynb +++ /dev/null @@ -1,445 +0,0 @@ -{ - "cells": [ - { - "cell_type": "markdown", - "metadata": {}, - "source": [ - "# Working with memory \n", - "When implementing a long running chat or a chat that goes over multiple sessions you might want to persist the messages of a conversation in an external history store. This will give you the ability to load previous conversations in the model chat prompt to provide context, trim old messages to reduce the amount of distracting information and leverage summaries to keep really long running conversations on point.\n", - "\n", - "Overview:
\n", - "We will be using Azure CosmosDB for MongoDB (vCore) to persist chat, use langchain to store, load and trim conversation flows." - ] - }, - { - "cell_type": "markdown", - "metadata": {}, - "source": [ - "## Setup" - ] - }, - { - "cell_type": "code", - "execution_count": null, - "metadata": {}, - "outputs": [], - "source": [ - "import os\n", - "from dotenv import load_dotenv\n", - "session_id = \"session1\" # your session id\n", - "\n", - "# Load environment variables\n", - "if load_dotenv():\n", - " print(\"Found OpenAPI Base Endpoint: \" + os.getenv(\"AZURE_OPENAI_ENDPOINT\"))\n", - "else: \n", - " print(\"No file .env found\")" - ] - }, - { - "cell_type": "markdown", - "metadata": {}, - "source": [ - "Lets create a simple conversation and use the SDK to persist the messages in CosmosDB." - ] - }, - { - "cell_type": "code", - "execution_count": null, - "metadata": {}, - "outputs": [], - "source": [ - "pip install -U langchain-mongodb" - ] - }, - { - "cell_type": "code", - "execution_count": null, - "metadata": {}, - "outputs": [], - "source": [ - "connection_string=os.getenv(\"MONGO_DB_CONNECTION_STRING\")\n", - "database_name=os.getenv(\"MONGO_DB_database_name\")\n", - "collection_name=os.getenv(\"MONGO_DB_chathistory_collection_name\")\n" - ] - }, - { - "cell_type": "code", - "execution_count": null, - "metadata": {}, - "outputs": [], - "source": [ - "from langchain_mongodb import MongoDBChatMessageHistory\n", - "from langchain.memory import ConversationBufferMemory\n", - "\n", - "chat_message_history = MongoDBChatMessageHistory(\n", - " session_id=session_id,\n", - " connection_string=connection_string,\n", - " database_name=database_name,\n", - " collection_name=collection_name,\n", - ")\n", - "\n", - "conversational_memory = ConversationBufferMemory(\n", - " chat_memory=chat_message_history,\n", - " memory_key='chat_history',\n", - " return_messages=True)\n", - "\n", - "# Prompt: Create a conversation flow of 10 questions and answers between Luke and Yoda about the power of the force for creating cloud born applications on Azure.\n", - "chat_message_history.add_user_message(\"Master, how can Azure help me in creating cloud-born applications?\")\n", - "chat_message_history.add_ai_message(\"Azure, a powerful platform it is. Build, deploy, and manage applications across a global network of Microsoft-managed data centers, you can. With your preferred tools and frameworks, it works.\")\n", - "\n", - "chat_message_history.add_user_message(\"What kind of applications can I create using Azure?\")\n", - "chat_message_history.add_ai_message(\"Limitless, the possibilities are. Web apps, mobile apps, AI apps, IoT apps, all can be built. Even microservices or docker-based apps, Azure can handle.\")\n", - "\n", - "chat_message_history.add_user_message(\"Can Azure help me in scaling these applications?\")\n", - "chat_message_history.add_ai_message(\"Indeed, young Padawan. Automatically, Azure scales. Adapts to demand, it does. Worry about infrastructure, you need not. Focus on code, you should.\")\n", - "\n", - "chat_message_history.add_user_message(\"How secure is Azure for building applications?\")\n", - "chat_message_history.add_ai_message(\"Strong, Azure's security is. Advanced security, compliance, and privacy features built-in, it has. Trust Azure, you can.\")\n", - "\n", - "chat_message_history.add_user_message(\"What if my application needs to be available all the time?\")\n", - "chat_message_history.add_ai_message(\"Worry not. Azure promises 99.99% availability. Disaster recovery, backup, and migration options, it provides. Always on, your applications will be.\")\n", - "\n", - "chat_message_history.add_user_message(\"Azure help me analyze data from my applications?\")\n", - "chat_message_history.add_ai_message(\"Yes, young one. Powerful analytics tools Azure has. Insight into your data, it will give. Make informed decisions, you can.\")\n", - "\n", - "chat_message_history.add_user_message(\"What about the costs? Is Azure affordable?\")\n", - "chat_message_history.add_ai_message(\"Flexible, Azure's pricing is. Pay for what you use, you do. Even offer free services, they do.\")\n", - "\n", - "chat_message_history.add_user_message(\"Can Azure support open-source technologies?\")\n", - "chat_message_history.add_ai_message(\"Indeed, Luke. Strong supporter of open source, Azure is. Many languages, tools, and frameworks, it supports.\")\n", - "\n", - "chat_message_history.add_user_message(\"Is it possible to automate tasks in Azure?\")\n", - "chat_message_history.add_ai_message(\"Mmm, automate tasks, you can. Azure DevOps and Azure Automation, use you can. Increase productivity, you will.\")\n", - "\n", - "chat_message_history.add_user_message(\"Finally, what if I need help? Does Azure provide support?\")\n", - "chat_message_history.add_ai_message(\"Fear not, Luke. Strong support, Azure provides. Community support, documentation, tutorials, all available they are. Even professional support options, they have.\")\n", - "\n", - "print(\"This is what has been persisted:\")\n", - "chat_message_history.messages" - ] - }, - { - "cell_type": "markdown", - "metadata": {}, - "source": [ - "Now go into the Data Explorer of CosmosDB or Mongo Compass to check the documents that have been created.\n", - "There should be several documents each for a single message that will be connected by the SessionId:\n", - "\n", - "```json\n", - "{\n", - "\t\"_id\" : ObjectId(\"65d620e61875ca4a55e09fae\"),\n", - "\t\"SessionId\" : \"session1\",\n", - "\t\"History\" : \"{\\\"type\\\": \\\"human\\\", \\\"data\\\": {\\\"content\\\": \\\"Can Azure support open-source technologies?\\\", \\\"additional_kwargs\\\": {}, \\\"type\\\": \\\"human\\\", \\\"example\\\": false}}\"\n", - "}\n", - "```\n", - "\n", - "If you want to delete all items in the database use the MongoDB shell and execute the following command:\n", - "```\n", - "use my_db\n", - "db.chat_histories.deleteMany({})\n", - "```" - ] - }, - { - "cell_type": "markdown", - "metadata": {}, - "source": [ - "Now lets create a conversation flow that includes the history to also use questions on the chat history itself." - ] - }, - { - "cell_type": "code", - "execution_count": null, - "metadata": {}, - "outputs": [], - "source": [ - "from langchain_openai import AzureChatOpenAI\n", - "import os\n", - "chat = AzureChatOpenAI(\n", - " azure_deployment = os.getenv(\"AZURE_OPENAI_COMPLETION_DEPLOYMENT_NAME\")\n", - ")\n", - "\n", - "from langchain_core.messages import AIMessage, HumanMessage\n", - "from langchain_core.prompts import ChatPromptTemplate, MessagesPlaceholder\n", - "\n", - "prompt = ChatPromptTemplate.from_messages(\n", - " [\n", - " (\n", - " \"system\",\n", - " \"You are a helpful assistant. Answer all questions to the best of your ability.\",\n", - " ),\n", - " MessagesPlaceholder(variable_name=\"messages\"),\n", - " ]\n", - ")\n", - "\n", - "chain = prompt | chat\n", - "\n", - "follow_up_question = \"Can you summarize the last two answers I got from you?\"\n", - "\n", - "chat_message_history.add_user_message(follow_up_question)\n", - "\n", - "response = chain.invoke(\n", - " {\n", - " \"messages\": chat_message_history.messages,\n", - " }\n", - ")\n", - "\n", - "print(response)\n" - ] - }, - { - "cell_type": "markdown", - "metadata": {}, - "source": [ - "## Trim the message history\n", - "The downside of this approach is that we always have to pass the messages to the chain explicitly. That approach is valid but requires us to keep the message history in sync manually. To overcome that we can use the RunnableWithMessageHistory." - ] - }, - { - "cell_type": "code", - "execution_count": null, - "metadata": {}, - "outputs": [], - "source": [ - "from langchain.memory import ChatMessageHistory\n", - "demo_ephemeral_chat_history = ChatMessageHistory()\n", - "\n", - "demo_ephemeral_chat_history.add_user_message(\"Hey there! I'm Nemo.\")\n", - "demo_ephemeral_chat_history.add_ai_message(\"Hello!\")\n", - "demo_ephemeral_chat_history.add_user_message(\"How are you today?\")\n", - "demo_ephemeral_chat_history.add_ai_message(\"Fine thanks!\")\n", - "\n", - "demo_ephemeral_chat_history.messages\n", - "\n", - "from langchain_core.runnables.history import RunnableWithMessageHistory\n", - "\n", - "prompt = ChatPromptTemplate.from_messages(\n", - " [\n", - " (\n", - " \"system\",\n", - " \"You are a helpful assistant. Answer all questions to the best of your ability.\",\n", - " ),\n", - " MessagesPlaceholder(variable_name=\"chat_history\"),\n", - " (\"human\", \"{input}\"),\n", - " ]\n", - ")\n", - "\n", - "chain = prompt | chat\n", - "\n", - "chain_with_message_history = RunnableWithMessageHistory(\n", - " chain,\n", - " lambda session_id: demo_ephemeral_chat_history,\n", - " input_messages_key=\"input\",\n", - " history_messages_key=\"chat_history\",\n", - ")\n", - "\n", - "chain_with_message_history.invoke(\n", - " {\"input\": \"What was my name again?\"},\n", - " {\"configurable\": {\"session_id\": \"unused\"}},\n", - ")" - ] - }, - { - "cell_type": "markdown", - "metadata": {}, - "source": [ - "More interesting is the idea of regularly trimming the history to a fixed size to keep the context window of messages (and the amount of prompt tokens low and relevant). In this case we will only keep the two last messages in the history." - ] - }, - { - "cell_type": "code", - "execution_count": null, - "metadata": {}, - "outputs": [], - "source": [ - "from langchain_core.runnables import RunnablePassthrough\n", - "\n", - "\n", - "def trim_messages(chain_input):\n", - " stored_messages = demo_ephemeral_chat_history.messages\n", - " if len(stored_messages) <= 2:\n", - " return False\n", - "\n", - " demo_ephemeral_chat_history.clear()\n", - "\n", - " for message in stored_messages[-2:]:\n", - " demo_ephemeral_chat_history.add_message(message)\n", - "\n", - " return True\n", - "\n", - "\n", - "chain_with_trimming = (\n", - " RunnablePassthrough.assign(messages_trimmed=trim_messages)\n", - " | chain_with_message_history\n", - ")" - ] - }, - { - "cell_type": "markdown", - "metadata": {}, - "source": [ - "If we now ask the same question as before we will see that the first question in the context is a different one." - ] - }, - { - "cell_type": "code", - "execution_count": null, - "metadata": {}, - "outputs": [], - "source": [ - "print(\"These are all the messages before the questions\")\n", - "\n", - "demo_ephemeral_chat_history.messages\n", - "\n", - "chain_with_trimming.invoke(\n", - " {\"input\": \"What is my name again?\"},\n", - " {\"configurable\": {\"session_id\": \"unused\"}},\n", - ")\n", - "\n", - "print(\"These are all the messages after the questions\")\n", - "demo_ephemeral_chat_history.messages" - ] - }, - { - "cell_type": "markdown", - "metadata": {}, - "source": [ - "## Automatically create summaries\n", - "\n", - "This approach keeps the amount of chat history low but the history can loose relevance very quickly. An approach to solve that is to ask the LLM to create a summary of a fixed size of the previous conversation and only keep that summary in the context while updating the summary continously in CosmosDB." - ] - }, - { - "cell_type": "code", - "execution_count": null, - "metadata": {}, - "outputs": [], - "source": [ - "from langchain_core.chat_history import BaseChatMessageHistory\n", - "from langchain_mongodb import MongoDBChatMessageHistory\n", - "\n", - "chat_message_history = MongoDBChatMessageHistory(\n", - " session_id=session_id,\n", - " connection_string=connection_string,\n", - " database_name=database_name,\n", - " collection_name=collection_name,\n", - ")\n", - "\n", - "# Prompt: Create a conversation flow of 10 questions and answers between Luke and Yoda about the power of the force for creating cloud born applications on Azure.\n", - "chat_message_history.add_user_message(\"Master, how can Azure help me in creating cloud-born applications?\")\n", - "chat_message_history.add_ai_message(\"Azure, a powerful platform it is. Build, deploy, and manage applications across a global network of Microsoft-managed data centers, you can. With your preferred tools and frameworks, it works.\")\n", - "\n", - "chat_message_history.add_user_message(\"What kind of applications can I create using Azure?\")\n", - "chat_message_history.add_ai_message(\"Limitless, the possibilities are. Web apps, mobile apps, AI apps, IoT apps, all can be built. Even microservices or docker-based apps, Azure can handle.\")\n", - "\n", - "chat_message_history.add_user_message(\"Can Azure help me in scaling these applications?\")\n", - "chat_message_history.add_ai_message(\"Indeed, young Padawan. Automatically, Azure scales. Adapts to demand, it does. Worry about infrastructure, you need not. Focus on code, you should.\")\n", - "\n", - "print(\"These messages have been persisted:\")\n", - "chat_message_history.messages\n", - "\n", - "def get_session_history(session_id: str) -> BaseChatMessageHistory:\n", - " return chat_message_history\n", - "\n", - "prompt = ChatPromptTemplate.from_messages(\n", - " [\n", - " (\n", - " \"system\",\n", - " \"You are a helpful assistant. Answer all questions to the best of your ability. The provided chat history includes facts about the user you are speaking with.\",\n", - " ),\n", - " MessagesPlaceholder(variable_name=\"chat_history\"),\n", - " (\"user\", \"{input}\"),\n", - " ]\n", - ")\n", - "\n", - "chain = prompt | chat\n", - "\n", - "chain_with_saved_message_history = RunnableWithMessageHistory(\n", - " chain,\n", - " get_session_history,\n", - " input_messages_key=\"input\",\n", - " history_messages_key=\"chat_history\",\n", - ")\n", - "\n", - "def summarize_messages(chain_input):\n", - " stored_messages = chat_message_history.messages\n", - " if len(stored_messages) == 0:\n", - " return False\n", - " summarization_prompt = ChatPromptTemplate.from_messages(\n", - " [\n", - " MessagesPlaceholder(variable_name=\"chat_history\"),\n", - " (\n", - " \"user\",\n", - " \"Distill the above chat messages into a single summary message. Include as many specific details as you can.\",\n", - " ),\n", - " ]\n", - " )\n", - " summarization_chain = summarization_prompt | chat\n", - "\n", - " summary_message = summarization_chain.invoke({\"chat_history\": stored_messages})\n", - "\n", - " chat_message_history.clear()\n", - "\n", - " chat_message_history.add_message(summary_message)\n", - "\n", - " return True\n", - "\n", - "\n", - "chain_with_summarization = (\n", - " RunnablePassthrough.assign(messages_summarized=summarize_messages)\n", - " | chain_with_saved_message_history\n", - ")" - ] - }, - { - "cell_type": "markdown", - "metadata": {}, - "source": [ - "Now if we ask a question the items in the CosmosDB will be updated and you will no longer see every message but instead only a summary of the details." - ] - }, - { - "cell_type": "code", - "execution_count": null, - "metadata": {}, - "outputs": [], - "source": [ - "chain_with_summarization.invoke(\n", - " {\"input\": \"What did we talk about Azure?\"},\n", - " {\"configurable\": {\"session_id\": session_id}},\n", - ")\n", - "\n", - "print(\"These messages have been persisted after the summary:\")\n", - "chat_message_history.messages" - ] - }, - { - "cell_type": "markdown", - "metadata": {}, - "source": [ - "This demonstrates the basic principles for persisting a chat history, trim the contents and use automatic summaries. Of course we have not implemented session handling or multiple users yet but maybe you can extend the scenario?" - ] - } - ], - "metadata": { - "kernelspec": { - "display_name": "Python 3", - "language": "python", - "name": "python3" - }, - "language_info": { - "codemirror_mode": { - "name": "ipython", - "version": 3 - }, - "file_extension": ".py", - "mimetype": "text/x-python", - "name": "python", - "nbconvert_exporter": "python", - "pygments_lexer": "ipython3", - "version": "3.12.3" - } - }, - "nbformat": 4, - "nbformat_minor": 2 -} diff --git a/labs/03-orchestration/README.md b/labs/03-orchestration/README.md index 584246b..da54683 100644 --- a/labs/03-orchestration/README.md +++ b/labs/03-orchestration/README.md @@ -26,22 +26,12 @@ In this lab, we'll walk through using an open source vector store called Qdrant. In this lab, we'll use Azure CosmosDB for MongoDB (vCore) as a vector store and as a semantic cache. -## 04-AI Search +[AI Search](https://github.com/Azure/intro-to-intelligent-apps/blob/main/labs/03-orchestration/03-VectorStore/aisearch.ipynb) -[Azure AI Search + Semantic Kernel C#](04-ACS/acs-sk-csharp.ipynb) -[Azure AI Search + Semantic Kernel Python](04-ACS/acs-sk-python.ipynb) -[Azure AI Search + Langchain Python](04-ACS/acs-lc-python.ipynb) +In this lab, we'll walk through Azure AI Search vector store and search ranking capabilities. -In this lab, we'll walk through using one of Azure's vector stores, **Azure AI Search**. +## 04-Functions -## 05-Functions - -[Function calling](05-Functions/function-calling.ipynb) +[Function calling](04-Functions/function-calling.ipynb) In this lab, we'll walk through integrating external APIs into your chain. - -## 06-Conversations - -[Conversations](06-Conversations/chat-conversation.ipynb) - -In this lab, we'll walk through persisting your chat history in **Azure Cosmos DB for MongoDB (vCore)**.