diff --git a/f24/Louis_Lecture_Notes/29_Web1/Lec29_Web1.ipynb b/f24/Louis_Lecture_Notes/29_Web1/Lec29_Web1.ipynb new file mode 100644 index 0000000000000000000000000000000000000000..69c903381772197ac2ecba6a75f0aa0405beed66 --- /dev/null +++ b/f24/Louis_Lecture_Notes/29_Web1/Lec29_Web1.ipynb @@ -0,0 +1,483 @@ +{ + "cells": [ + { + "cell_type": "code", + "execution_count": 1, + "metadata": {}, + "outputs": [], + "source": [ + "# We'll need these modules!\n", + "import os\n", + "import requests\n", + "import json\n", + "import pandas as pd\n", + "from pandas import Series, DataFrame" + ] + }, + { + "cell_type": "markdown", + "metadata": {}, + "source": [ + "## Warmup" + ] + }, + { + "cell_type": "code", + "execution_count": null, + "metadata": {}, + "outputs": [], + "source": [ + "# Warmup 0\n", + "# Did you hardcode the slashes in P10 rather than using os.path.join?\n", + "# It likely won't run on the grader. Check your code and check the autograder ASAP.\n", + "os.path.join(\"data\", \"louis.csv\")" + ] + }, + { + "cell_type": "code", + "execution_count": null, + "metadata": {}, + "outputs": [], + "source": [ + "# Warmup 1: Read the data from \"new_movie_data.csv\" into a pandas DataFrame called \"movies\"\n" + ] + }, + { + "cell_type": "code", + "execution_count": null, + "metadata": {}, + "outputs": [], + "source": [ + "# Warmup 2: What years does this new movie dataset cover?\n" + ] + }, + { + "cell_type": "code", + "execution_count": null, + "metadata": {}, + "outputs": [], + "source": [ + "# Warmup 3a: What are the movies with the median rating?\n" + ] + }, + { + "cell_type": "code", + "execution_count": null, + "metadata": {}, + "outputs": [], + "source": [ + "# Warmup 3b: Of these, what was the average runtime?\n" + ] + }, + { + "cell_type": "code", + "execution_count": null, + "metadata": {}, + "outputs": [], + "source": [ + "# Warmup 3c: ... and how does that compare to the average runtime of all movies?\n" + ] + }, + { + "cell_type": "code", + "execution_count": null, + "metadata": {}, + "outputs": [], + "source": [ + "# Warmup 3d: ... and how does that compare to the average runtime of all Sport movies?" + ] + }, + { + "cell_type": "code", + "execution_count": null, + "metadata": {}, + "outputs": [], + "source": [ + "# Warmup 4a: What does this function do?\n", + "def format_revenue(revenue):\n", + " if revenue[-1] == 'M': # some have an \"M\" at the end\n", + " return float(revenue[:-1]) * 1e6\n", + " else: # otherwise, assume millions.\n", + " return float(revenue) * 1e6" + ] + }, + { + "cell_type": "code", + "execution_count": null, + "metadata": {}, + "outputs": [], + "source": [ + "# Warmup 4b: Using the above function, create a new column called\n", + "# \"CountableRevenue\" with the revenue as a float.\n" + ] + }, + { + "cell_type": "code", + "execution_count": null, + "metadata": {}, + "outputs": [], + "source": [ + "# Warmup 5: What are the top 10 highest-revenue movies" + ] + }, + { + "cell_type": "markdown", + "metadata": {}, + "source": [ + "# Web 1 - How to get data from the 'Net\n", + "\n", + "## Reading\n", + "\n", + "- [Sweigart Ch 12](https://automatetheboringstuff.com/2e/chapter12/)\n", + " \n", + "## Objectives:\n", + "\n", + "Understand:\n", + "\n", + " - Network structure\n", + " - Client/Server\n", + " - Request/Response\n", + " - HTTP protocol\n", + " - URL\n", + " - Headers\n", + " - Status Codes\n", + "\n", + "In order to use:\n", + "\n", + " - The `requests` module" + ] + }, + { + "cell_type": "markdown", + "metadata": {}, + "source": [ + "## HTTP Status Codes overview\n", + "- 1XX : Informational\n", + "- 2XX : Successful\n", + "- 3XX : Redirection\n", + "- 4XX : Client Error\n", + "- 5XX : Server Error\n", + "\n", + "https://en.wikipedia.org/wiki/List_of_HTTP_status_codes" + ] + }, + { + "cell_type": "markdown", + "metadata": {}, + "source": [ + "## requests.get : Simple string example\n", + "- URL: https://cs220.cs.wisc.edu/hello.txt" + ] + }, + { + "cell_type": "code", + "execution_count": null, + "metadata": {}, + "outputs": [], + "source": [ + "url = \"https://cs220.cs.wisc.edu/hello.txt\"\n", + "r = requests.get(url) # r is the response\n", + "print(r.status_code)\n", + "print(r.text)" + ] + }, + { + "cell_type": "code", + "execution_count": null, + "metadata": {}, + "outputs": [], + "source": [ + "# Q: What if the web site does not exist?\n", + "typo_url = \"https://cs220.cs.wisc.edu/hello.txttttt\"\n", + "r = requests.get(typo_url)\n", + "print(r.status_code)\n", + "print(r.text)\n", + "\n", + "# A: " + ] + }, + { + "cell_type": "code", + "execution_count": null, + "metadata": {}, + "outputs": [], + "source": [ + "# We can check for a status_code error by using an assert\n", + "typo_url = \"https://cs220.cs.wisc.edu/hello.txttttt\"\n", + "r = requests.get(typo_url)\n", + "assert r.status_code == 200\n", + "print(r.status_code)\n", + "print(r.text)\n" + ] + }, + { + "cell_type": "code", + "execution_count": null, + "metadata": {}, + "outputs": [], + "source": [ + "# Instead of using an assert, we often use raise_for_status()\n", + "r = requests.get(typo_url)\n", + "r.raise_for_status() #similar to asserting r.status_code == 200\n", + "r.text\n", + "\n", + "# Note the error you get.... We will use this in the next cell" + ] + }, + { + "cell_type": "code", + "execution_count": null, + "metadata": {}, + "outputs": [], + "source": [ + "# Let's try to catch that error\n", + "\n", + "try:\n", + "\n", + "except:\n", + " print(\"oops!!\", e)\n", + " " + ] + }, + { + "cell_type": "markdown", + "metadata": {}, + "source": [ + "## requests.get : JSON file example\n", + "- URL: https://www.msyamkumar.com/scores.json\n", + "- `json.load` (FILE_OBJECT)\n", + "- `json.loads` (STRING)" + ] + }, + { + "cell_type": "code", + "execution_count": null, + "metadata": {}, + "outputs": [], + "source": [ + "# GETting a JSON file, the long way\n", + "url = \"https://cs220.cs.wisc.edu/scores.json\"\n", + "r = requests.get(url)\n", + "r.raise_for_status()\n", + "urltext = r.text\n", + "print(urltext)\n", + "d = json.loads(urltext)\n", + "print(type(d), d)" + ] + }, + { + "cell_type": "code", + "execution_count": null, + "metadata": {}, + "outputs": [], + "source": [ + "# GETting a JSON file, the shortcut way\n", + "url = \"https://cs220.cs.wisc.edu/scores.json\"\n", + "#Shortcut to bypass using json.loads()\n", + "r = requests.get(url)\n", + "r.raise_for_status()\n", + "d2 = r.json()\n", + "print(type(d2), d2)" + ] + }, + { + "cell_type": "markdown", + "metadata": {}, + "source": [ + "## Good GET Etiquette\n", + "\n", + "Don't make a lot of requests to the same server all at once.\n", + " - Requests use up the server's time\n", + " - Major websites will often ban users who make too many requests\n", + " - You can break a server....similar to DDoS attacks (DON'T DO THIS)\n", + " \n", + "In CS220 we will usually give you a link to a copied file to avoid overloading the site.\n" + ] + }, + { + "cell_type": "markdown", + "metadata": {}, + "source": [ + "### Explore real-world JSON\n", + "\n", + "How to explore an unknown JSON?\n", + "- If you run into a `dict`, try `.keys()` method to look at the keys of the dictionary, then use lookup process to explore further\n", + "- If you run into a `list`, iterate over the list and print each item\n", + "\n", + "### Weather for UW-Madison campus\n", + "- URL: https://api.weather.gov/gridpoints/MKX/37,63/forecast" + ] + }, + { + "cell_type": "code", + "execution_count": null, + "metadata": {}, + "outputs": [], + "source": [ + "# TODO: GET the forecast from the URL below. Then, explore the data we are working with!\n", + "url = \"https://api.weather.gov/gridpoints/MKX/37,63/forecast\"\n", + "..." + ] + }, + { + "cell_type": "code", + "execution_count": null, + "metadata": {}, + "outputs": [], + "source": [ + "# TODO: extract periods list into a variable, and then make a data frame out of it\n" + ] + }, + { + "cell_type": "markdown", + "metadata": {}, + "source": [ + "#### What are the maximum and minimum observed temperatures?" + ] + }, + { + "cell_type": "code", + "execution_count": null, + "metadata": {}, + "outputs": [], + "source": [] + }, + { + "cell_type": "markdown", + "metadata": {}, + "source": [ + "#### Which days `detailedForecast` contains `rain`?" + ] + }, + { + "cell_type": "code", + "execution_count": null, + "metadata": {}, + "outputs": [], + "source": [] + }, + { + "cell_type": "markdown", + "metadata": {}, + "source": [ + "#### Which day's `detailedForecast` has the most lengthy description?" + ] + }, + { + "cell_type": "code", + "execution_count": null, + "metadata": {}, + "outputs": [], + "source": [] + }, + { + "cell_type": "markdown", + "metadata": {}, + "source": [ + "#### ... and what was the forecast for that day?" + ] + }, + { + "cell_type": "code", + "execution_count": null, + "metadata": {}, + "outputs": [], + "source": [] + }, + { + "cell_type": "markdown", + "metadata": {}, + "source": [ + "#### Of the days where the temperature is below 60 F, what is the wind speed forecast?" + ] + }, + { + "cell_type": "code", + "execution_count": null, + "metadata": {}, + "outputs": [], + "source": [] + }, + { + "cell_type": "markdown", + "metadata": {}, + "source": [ + "#### ... and what was the maximum predicted wind speed?" + ] + }, + { + "cell_type": "code", + "execution_count": null, + "metadata": {}, + "outputs": [], + "source": [] + }, + { + "cell_type": "markdown", + "metadata": {}, + "source": [ + "### Write it out to a CSV file on your drive\n", + "You now have your own copy!" + ] + }, + { + "cell_type": "code", + "execution_count": null, + "metadata": {}, + "outputs": [], + "source": [ + "# Write it all out to a single CSV file\n", + "periods_df.to_csv(\"campus_weather.csv\", index=False)" + ] + }, + { + "cell_type": "markdown", + "metadata": {}, + "source": [ + "### Other Cool APIs" + ] + }, + { + "cell_type": "markdown", + "metadata": {}, + "source": [ + "- City of Madison Transit: http://transitdata.cityofmadison.com/\n", + "- Reddit: https://reddit.com/r/UWMadison.json\n", + "- Lord of the Rings: https://the-one-api.dev/\n", + "- Pokemon: https://pokeapi.co/\n", + "- CS571: https://www.cs571.org/ (you have to be enrolled!)\n", + "\n", + "Remember: Be judicious when making requests; don't overwhelm the server! :)" + ] + }, + { + "cell_type": "markdown", + "metadata": {}, + "source": [ + "## Next Time\n", + "What other documents can we get via the Web? HTML is very popular! We'll explore this." + ] + } + ], + "metadata": { + "kernelspec": { + "display_name": "Python 3 (ipykernel)", + "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.4" + } + }, + "nbformat": 4, + "nbformat_minor": 4 +} diff --git a/f24/Louis_Lecture_Notes/29_Web1/Lec29_Web1_Solution.ipynb b/f24/Louis_Lecture_Notes/29_Web1/Lec29_Web1_Solution.ipynb new file mode 100644 index 0000000000000000000000000000000000000000..1ebb13ad9fbf66ecc766d88e63312e0f81db276f --- /dev/null +++ b/f24/Louis_Lecture_Notes/29_Web1/Lec29_Web1_Solution.ipynb @@ -0,0 +1,2598 @@ +{ + "cells": [ + { + "cell_type": "code", + "execution_count": 1, + "metadata": {}, + "outputs": [], + "source": [ + "# We'll need these modules!\n", + "import os\n", + "import requests\n", + "import json\n", + "import pandas as pd\n", + "from pandas import Series, DataFrame" + ] + }, + { + "cell_type": "markdown", + "metadata": {}, + "source": [ + "## Warmup" + ] + }, + { + "cell_type": "code", + "execution_count": 2, + "metadata": {}, + "outputs": [ + { + "data": { + "text/plain": [ + "'data/louis.csv'" + ] + }, + "execution_count": 2, + "metadata": {}, + "output_type": "execute_result" + } + ], + "source": [ + "# Warmup 0\n", + "# Did you hardcode the slashes in P10 rather than using os.path.join?\n", + "# It likely won't run on the grader. Check your code and check the autograder ASAP.\n", + "os.path.join(\"data\", \"louis.csv\")" + ] + }, + { + "cell_type": "code", + "execution_count": 3, + "metadata": {}, + "outputs": [ + { + "data": { + "text/html": [ + "<div>\n", + "<style scoped>\n", + " .dataframe tbody tr th:only-of-type {\n", + " vertical-align: middle;\n", + " }\n", + "\n", + " .dataframe tbody tr th {\n", + " vertical-align: top;\n", + " }\n", + "\n", + " .dataframe thead th {\n", + " text-align: right;\n", + " }\n", + "</style>\n", + "<table border=\"1\" class=\"dataframe\">\n", + " <thead>\n", + " <tr style=\"text-align: right;\">\n", + " <th></th>\n", + " <th>Title</th>\n", + " <th>Genre</th>\n", + " <th>Director</th>\n", + " <th>Cast</th>\n", + " <th>Year</th>\n", + " <th>Runtime</th>\n", + " <th>Rating</th>\n", + " <th>Revenue</th>\n", + " </tr>\n", + " </thead>\n", + " <tbody>\n", + " <tr>\n", + " <th>0</th>\n", + " <td>Guardians of the Galaxy</td>\n", + " <td>Action,Adventure,Sci-Fi</td>\n", + " <td>James Gunn</td>\n", + " <td>Chris Pratt, Vin Diesel, Bradley Cooper, Zoe S...</td>\n", + " <td>2014</td>\n", + " <td>121</td>\n", + " <td>8.1</td>\n", + " <td>333.13</td>\n", + " </tr>\n", + " <tr>\n", + " <th>1</th>\n", + " <td>Prometheus</td>\n", + " <td>Adventure,Mystery,Sci-Fi</td>\n", + " <td>Ridley Scott</td>\n", + " <td>Noomi Rapace, Logan Marshall-Green, Michael ...</td>\n", + " <td>2012</td>\n", + " <td>124</td>\n", + " <td>7.0</td>\n", + " <td>126.46M</td>\n", + " </tr>\n", + " <tr>\n", + " <th>2</th>\n", + " <td>Split</td>\n", + " <td>Horror,Thriller</td>\n", + " <td>M. Night Shyamalan</td>\n", + " <td>James McAvoy, Anya Taylor-Joy, Haley Lu Richar...</td>\n", + " <td>2016</td>\n", + " <td>117</td>\n", + " <td>7.3</td>\n", + " <td>138.12M</td>\n", + " </tr>\n", + " <tr>\n", + " <th>3</th>\n", + " <td>Sing</td>\n", + " <td>Animation,Comedy,Family</td>\n", + " <td>Christophe Lourdelet</td>\n", + " <td>Matthew McConaughey,Reese Witherspoon, Seth Ma...</td>\n", + " <td>2016</td>\n", + " <td>108</td>\n", + " <td>7.2</td>\n", + " <td>270.32</td>\n", + " </tr>\n", + " <tr>\n", + " <th>4</th>\n", + " <td>Suicide Squad</td>\n", + " <td>Action,Adventure,Fantasy</td>\n", + " <td>David Ayer</td>\n", + " <td>Will Smith, Jared Leto, Margot Robbie, Viola D...</td>\n", + " <td>2016</td>\n", + " <td>123</td>\n", + " <td>6.2</td>\n", + " <td>325.02</td>\n", + " </tr>\n", + " <tr>\n", + " <th>...</th>\n", + " <td>...</td>\n", + " <td>...</td>\n", + " <td>...</td>\n", + " <td>...</td>\n", + " <td>...</td>\n", + " <td>...</td>\n", + " <td>...</td>\n", + " <td>...</td>\n", + " </tr>\n", + " <tr>\n", + " <th>1063</th>\n", + " <td>Guardians of the Galaxy Vol. 2</td>\n", + " <td>Action, Adventure, Comedy</td>\n", + " <td>James Gunn</td>\n", + " <td>Chris Pratt, Zoe Saldana, Dave Bautista, Vin D...</td>\n", + " <td>2017</td>\n", + " <td>136</td>\n", + " <td>7.6</td>\n", + " <td>389.81</td>\n", + " </tr>\n", + " <tr>\n", + " <th>1064</th>\n", + " <td>Baby Driver</td>\n", + " <td>Action, Crime, Drama</td>\n", + " <td>Edgar Wright</td>\n", + " <td>Ansel Elgort, Jon Bernthal, Jon Hamm, Eiza Gon...</td>\n", + " <td>2017</td>\n", + " <td>113</td>\n", + " <td>7.6</td>\n", + " <td>107.83</td>\n", + " </tr>\n", + " <tr>\n", + " <th>1065</th>\n", + " <td>Only the Brave</td>\n", + " <td>Action, Biography, Drama</td>\n", + " <td>Joseph Kosinski</td>\n", + " <td>Josh Brolin, Miles Teller, Jeff Bridges, Jenni...</td>\n", + " <td>2017</td>\n", + " <td>134</td>\n", + " <td>7.6</td>\n", + " <td>18.34</td>\n", + " </tr>\n", + " <tr>\n", + " <th>1066</th>\n", + " <td>Incredibles 2</td>\n", + " <td>Animation, Action, Adventure</td>\n", + " <td>Brad Bird</td>\n", + " <td>Craig T. Nelson, Holly Hunter, Sarah Vowell, H...</td>\n", + " <td>2018</td>\n", + " <td>118</td>\n", + " <td>7.6</td>\n", + " <td>608.58</td>\n", + " </tr>\n", + " <tr>\n", + " <th>1067</th>\n", + " <td>A Star Is Born</td>\n", + " <td>Drama, Music, Romance</td>\n", + " <td>Bradley Cooper</td>\n", + " <td>Lady Gaga, Bradley Cooper, Sam Elliott, Greg G...</td>\n", + " <td>2018</td>\n", + " <td>136</td>\n", + " <td>7.6</td>\n", + " <td>215.29</td>\n", + " </tr>\n", + " </tbody>\n", + "</table>\n", + "<p>1068 rows × 8 columns</p>\n", + "</div>" + ], + "text/plain": [ + " Title Genre \\\n", + "0 Guardians of the Galaxy Action,Adventure,Sci-Fi \n", + "1 Prometheus Adventure,Mystery,Sci-Fi \n", + "2 Split Horror,Thriller \n", + "3 Sing Animation,Comedy,Family \n", + "4 Suicide Squad Action,Adventure,Fantasy \n", + "... ... ... \n", + "1063 Guardians of the Galaxy Vol. 2 Action, Adventure, Comedy \n", + "1064 Baby Driver Action, Crime, Drama \n", + "1065 Only the Brave Action, Biography, Drama \n", + "1066 Incredibles 2 Animation, Action, Adventure \n", + "1067 A Star Is Born Drama, Music, Romance \n", + "\n", + " Director Cast \\\n", + "0 James Gunn Chris Pratt, Vin Diesel, Bradley Cooper, Zoe S... \n", + "1 Ridley Scott Noomi Rapace, Logan Marshall-Green, Michael ... \n", + "2 M. Night Shyamalan James McAvoy, Anya Taylor-Joy, Haley Lu Richar... \n", + "3 Christophe Lourdelet Matthew McConaughey,Reese Witherspoon, Seth Ma... \n", + "4 David Ayer Will Smith, Jared Leto, Margot Robbie, Viola D... \n", + "... ... ... \n", + "1063 James Gunn Chris Pratt, Zoe Saldana, Dave Bautista, Vin D... \n", + "1064 Edgar Wright Ansel Elgort, Jon Bernthal, Jon Hamm, Eiza Gon... \n", + "1065 Joseph Kosinski Josh Brolin, Miles Teller, Jeff Bridges, Jenni... \n", + "1066 Brad Bird Craig T. Nelson, Holly Hunter, Sarah Vowell, H... \n", + "1067 Bradley Cooper Lady Gaga, Bradley Cooper, Sam Elliott, Greg G... \n", + "\n", + " Year Runtime Rating Revenue \n", + "0 2014 121 8.1 333.13 \n", + "1 2012 124 7.0 126.46M \n", + "2 2016 117 7.3 138.12M \n", + "3 2016 108 7.2 270.32 \n", + "4 2016 123 6.2 325.02 \n", + "... ... ... ... ... \n", + "1063 2017 136 7.6 389.81 \n", + "1064 2017 113 7.6 107.83 \n", + "1065 2017 134 7.6 18.34 \n", + "1066 2018 118 7.6 608.58 \n", + "1067 2018 136 7.6 215.29 \n", + "\n", + "[1068 rows x 8 columns]" + ] + }, + "execution_count": 3, + "metadata": {}, + "output_type": "execute_result" + } + ], + "source": [ + "# Warmup 1: Read the data from \"new_movie_data.csv\" into a pandas DataFrame called \"movies\"\n", + "movies = pd.read_csv(\"new_movie_data.csv\")\n", + "movies" + ] + }, + { + "cell_type": "code", + "execution_count": 4, + "metadata": {}, + "outputs": [ + { + "name": "stdout", + "output_type": "stream", + "text": [ + "2006 to 2020\n" + ] + } + ], + "source": [ + "# Warmup 2: What years does this new movie dataset cover?\n", + "print(movies['Year'].min(), 'to', movies['Year'].max())" + ] + }, + { + "cell_type": "code", + "execution_count": 5, + "metadata": {}, + "outputs": [ + { + "data": { + "text/html": [ + "<div>\n", + "<style scoped>\n", + " .dataframe tbody tr th:only-of-type {\n", + " vertical-align: middle;\n", + " }\n", + "\n", + " .dataframe tbody tr th {\n", + " vertical-align: top;\n", + " }\n", + "\n", + " .dataframe thead th {\n", + " text-align: right;\n", + " }\n", + "</style>\n", + "<table border=\"1\" class=\"dataframe\">\n", + " <thead>\n", + " <tr style=\"text-align: right;\">\n", + " <th></th>\n", + " <th>Title</th>\n", + " <th>Genre</th>\n", + " <th>Director</th>\n", + " <th>Cast</th>\n", + " <th>Year</th>\n", + " <th>Runtime</th>\n", + " <th>Rating</th>\n", + " <th>Revenue</th>\n", + " </tr>\n", + " </thead>\n", + " <tbody>\n", + " <tr>\n", + " <th>38</th>\n", + " <td>The Magnificent Seven</td>\n", + " <td>Action,Adventure,Western</td>\n", + " <td>Antoine Fuqua</td>\n", + " <td>Denzel washington, Chris Pratt, Ethan Haw...</td>\n", + " <td>2016</td>\n", + " <td>132</td>\n", + " <td>6.9</td>\n", + " <td>93.38</td>\n", + " </tr>\n", + " <tr>\n", + " <th>195</th>\n", + " <td>Captain America: The First Avenger</td>\n", + " <td>Action,Adventure,Sci-Fi</td>\n", + " <td>Joe Johnston</td>\n", + " <td>Chris Evans, Hugo Weaving, Samuel L. Jackson,H...</td>\n", + " <td>2011</td>\n", + " <td>124</td>\n", + " <td>6.9</td>\n", + " <td>176.64M</td>\n", + " </tr>\n", + " <tr>\n", + " <th>222</th>\n", + " <td>It Follows</td>\n", + " <td>Horror,Mystery</td>\n", + " <td>David Robert Mitchell</td>\n", + " <td>Maika Monroe, Keir Gilchrist, Olivia Luccardi,...</td>\n", + " <td>2014</td>\n", + " <td>100</td>\n", + " <td>6.9</td>\n", + " <td>14.67</td>\n", + " </tr>\n", + " <tr>\n", + " <th>330</th>\n", + " <td>Storks</td>\n", + " <td>Animation,Adventure,Comedy</td>\n", + " <td>Nicholas Stoller</td>\n", + " <td>Andy Samberg, Katie Crown,Kelsey Grammer, Jenn...</td>\n", + " <td>2016</td>\n", + " <td>87</td>\n", + " <td>6.9</td>\n", + " <td>72.66</td>\n", + " </tr>\n", + " <tr>\n", + " <th>359</th>\n", + " <td>Step Brothers</td>\n", + " <td>Comedy</td>\n", + " <td>Adam McKay</td>\n", + " <td>Will Ferrell, John C. Reilly, Mary Steenburgen...</td>\n", + " <td>2008</td>\n", + " <td>98</td>\n", + " <td>6.9</td>\n", + " <td>100.47M</td>\n", + " </tr>\n", + " <tr>\n", + " <th>366</th>\n", + " <td>American Wrestler: The Wizard</td>\n", + " <td>Drama,Sport</td>\n", + " <td>Alex Ranarivelo</td>\n", + " <td>William Fichtner, Jon Voight, Lia Marie Johnso...</td>\n", + " <td>2016</td>\n", + " <td>117</td>\n", + " <td>6.9</td>\n", + " <td>0</td>\n", + " </tr>\n", + " <tr>\n", + " <th>373</th>\n", + " <td>Florence Foster Jenkins</td>\n", + " <td>Biography,Comedy,Drama</td>\n", + " <td>Stephen Frears</td>\n", + " <td>Meryl Streep, Hugh Grant, Simon Helberg, Rebec...</td>\n", + " <td>2016</td>\n", + " <td>111</td>\n", + " <td>6.9</td>\n", + " <td>27.37</td>\n", + " </tr>\n", + " <tr>\n", + " <th>375</th>\n", + " <td>Black Mass</td>\n", + " <td>Biography,Crime,Drama</td>\n", + " <td>Scott Cooper</td>\n", + " <td>Johnny Depp, Benedict Cumberbatch, Dakota John...</td>\n", + " <td>2015</td>\n", + " <td>123</td>\n", + " <td>6.9</td>\n", + " <td>62.56</td>\n", + " </tr>\n", + " <tr>\n", + " <th>415</th>\n", + " <td>The Headhunter's Calling</td>\n", + " <td>Drama</td>\n", + " <td>Mark Williams</td>\n", + " <td>Alison Brie, Gerard Butler, Willem Dafoe, Gret...</td>\n", + " <td>2016</td>\n", + " <td>108</td>\n", + " <td>6.9</td>\n", + " <td>0</td>\n", + " </tr>\n", + " <tr>\n", + " <th>466</th>\n", + " <td>Enemy</td>\n", + " <td>Mystery,Thriller</td>\n", + " <td>Denis Villeneuve</td>\n", + " <td>Jake Gyllenhaal, Mélanie Laurent, Sarah Gadon,...</td>\n", + " <td>2013</td>\n", + " <td>91</td>\n", + " <td>6.9</td>\n", + " <td>1.01</td>\n", + " </tr>\n", + " <tr>\n", + " <th>490</th>\n", + " <td>The Book of Eli</td>\n", + " <td>Action,Adventure,Drama</td>\n", + " <td>Albert Hughes</td>\n", + " <td>Denzel Washington, Mila Kunis, Ray Steve...</td>\n", + " <td>2010</td>\n", + " <td>118</td>\n", + " <td>6.9</td>\n", + " <td>94.82</td>\n", + " </tr>\n", + " <tr>\n", + " <th>516</th>\n", + " <td>Chappie</td>\n", + " <td>Action,Crime,Drama</td>\n", + " <td>Neill Blomkamp</td>\n", + " <td>Sharlto Copley, Dev Patel, Hugh Jackman,Sigour...</td>\n", + " <td>2015</td>\n", + " <td>120</td>\n", + " <td>6.9</td>\n", + " <td>31.57</td>\n", + " </tr>\n", + " <tr>\n", + " <th>529</th>\n", + " <td>A Good Year</td>\n", + " <td>Comedy,Drama,Romance</td>\n", + " <td>Ridley Scott</td>\n", + " <td>Russell Crowe, Abbie Cornish, Albert Finney, M...</td>\n", + " <td>2006</td>\n", + " <td>117</td>\n", + " <td>6.9</td>\n", + " <td>7.46</td>\n", + " </tr>\n", + " <tr>\n", + " <th>557</th>\n", + " <td>In the Heart of the Sea</td>\n", + " <td>Action,Adventure,Biography</td>\n", + " <td>Ron Howard</td>\n", + " <td>Chris Hemsworth, Cillian Murphy, Brendan Glees...</td>\n", + " <td>2015</td>\n", + " <td>122</td>\n", + " <td>6.9</td>\n", + " <td>24.99</td>\n", + " </tr>\n", + " <tr>\n", + " <th>606</th>\n", + " <td>Horrible Bosses</td>\n", + " <td>Comedy,Crime</td>\n", + " <td>Seth Gordon</td>\n", + " <td>Jason Bateman, Charlie Day, Jason Sudeikis, St...</td>\n", + " <td>2011</td>\n", + " <td>98</td>\n", + " <td>6.9</td>\n", + " <td>117.53M</td>\n", + " </tr>\n", + " <tr>\n", + " <th>616</th>\n", + " <td>Free State of Jones</td>\n", + " <td>Action,Biography,Drama</td>\n", + " <td>Gary Ross</td>\n", + " <td>Matthew McConaughey, Gugu Mbatha-Raw, Mahersha...</td>\n", + " <td>2016</td>\n", + " <td>139</td>\n", + " <td>6.9</td>\n", + " <td>0</td>\n", + " </tr>\n", + " <tr>\n", + " <th>660</th>\n", + " <td>The First Time</td>\n", + " <td>Comedy,Drama,Romance</td>\n", + " <td>Jon Kasdan</td>\n", + " <td>Dylan O'Brien, Britt Robertson, Victoria Justi...</td>\n", + " <td>2012</td>\n", + " <td>95</td>\n", + " <td>6.9</td>\n", + " <td>0.02</td>\n", + " </tr>\n", + " <tr>\n", + " <th>731</th>\n", + " <td>This Beautiful Fantastic</td>\n", + " <td>Comedy,Drama,Fantasy</td>\n", + " <td>Simon Aboud</td>\n", + " <td>Jessica Brown Findlay, Andrew Scott, Jeremy Ir...</td>\n", + " <td>2016</td>\n", + " <td>100</td>\n", + " <td>6.9</td>\n", + " <td>0</td>\n", + " </tr>\n", + " <tr>\n", + " <th>779</th>\n", + " <td>Unknown</td>\n", + " <td>Action,Mystery,Thriller</td>\n", + " <td>Jaume Collet-Serra</td>\n", + " <td>Liam Neeson, Diane Kruger, January Jones,Aidan...</td>\n", + " <td>2011</td>\n", + " <td>113</td>\n", + " <td>6.9</td>\n", + " <td>61.09</td>\n", + " </tr>\n", + " <tr>\n", + " <th>783</th>\n", + " <td>Before We Go</td>\n", + " <td>Comedy,Drama,Romance</td>\n", + " <td>Chris Evans</td>\n", + " <td>Chris Evans, Alice Eve, Emma Fitzpatrick, John...</td>\n", + " <td>2014</td>\n", + " <td>95</td>\n", + " <td>6.9</td>\n", + " <td>0.04</td>\n", + " </tr>\n", + " <tr>\n", + " <th>819</th>\n", + " <td>Suite Française</td>\n", + " <td>Drama,Romance,War</td>\n", + " <td>Saul Dibb</td>\n", + " <td>Michelle Williams, Kristin Scott Thomas, Margo...</td>\n", + " <td>2014</td>\n", + " <td>107</td>\n", + " <td>6.9</td>\n", + " <td>0</td>\n", + " </tr>\n", + " <tr>\n", + " <th>865</th>\n", + " <td>Indignation</td>\n", + " <td>Drama,Romance</td>\n", + " <td>James Schamus</td>\n", + " <td>Logan Lerman, Sarah Gadon, Tijuana Ricks, Sue ...</td>\n", + " <td>2016</td>\n", + " <td>110</td>\n", + " <td>6.9</td>\n", + " <td>3.4</td>\n", + " </tr>\n", + " <tr>\n", + " <th>866</th>\n", + " <td>The Stanford Prison Experiment</td>\n", + " <td>Biography,Drama,History</td>\n", + " <td>Kyle Patrick Alvarez</td>\n", + " <td>Ezra Miller, Tye Sheridan, Billy Crudup, Olivi...</td>\n", + " <td>2015</td>\n", + " <td>122</td>\n", + " <td>6.9</td>\n", + " <td>0.64</td>\n", + " </tr>\n", + " <tr>\n", + " <th>868</th>\n", + " <td>Mission: Impossible III</td>\n", + " <td>Action,Adventure,Thriller</td>\n", + " <td>J.J. Abrams</td>\n", + " <td>Tom Cruise, Michelle Monaghan, Ving Rhames, Ph...</td>\n", + " <td>2006</td>\n", + " <td>126</td>\n", + " <td>6.9</td>\n", + " <td>133.38M</td>\n", + " </tr>\n", + " <tr>\n", + " <th>875</th>\n", + " <td>Warm Bodies</td>\n", + " <td>Comedy,Horror,Romance</td>\n", + " <td>Jonathan Levine</td>\n", + " <td>Nicholas Hoult, Teresa Palmer, John Malkovich,...</td>\n", + " <td>2013</td>\n", + " <td>98</td>\n", + " <td>6.9</td>\n", + " <td>66.36</td>\n", + " </tr>\n", + " <tr>\n", + " <th>878</th>\n", + " <td>Shin Gojira</td>\n", + " <td>Action,Adventure,Drama</td>\n", + " <td>Hideaki Anno</td>\n", + " <td>Hiroki Hasegawa, Yutaka Takenouchi,Satomi Ishi...</td>\n", + " <td>2016</td>\n", + " <td>120</td>\n", + " <td>6.9</td>\n", + " <td>1.91</td>\n", + " </tr>\n", + " <tr>\n", + " <th>881</th>\n", + " <td>Rio</td>\n", + " <td>Animation,Adventure,Comedy</td>\n", + " <td>Carlos Saldanha</td>\n", + " <td>Jesse Eisenberg, Anne Hathaway, George Lopez,K...</td>\n", + " <td>2011</td>\n", + " <td>96</td>\n", + " <td>6.9</td>\n", + " <td>143.62M</td>\n", + " </tr>\n", + " <tr>\n", + " <th>905</th>\n", + " <td>Ocean's Thirteen</td>\n", + " <td>Crime,Thriller</td>\n", + " <td>Steven Soderbergh</td>\n", + " <td>George Clooney, Brad Pitt, Matt Damon,Michael ...</td>\n", + " <td>2007</td>\n", + " <td>122</td>\n", + " <td>6.9</td>\n", + " <td>117.14M</td>\n", + " </tr>\n", + " <tr>\n", + " <th>943</th>\n", + " <td>Triangle</td>\n", + " <td>Fantasy,Mystery,Thriller</td>\n", + " <td>Christopher Smith</td>\n", + " <td>Melissa George, Joshua McIvor, Jack Taylor,Mic...</td>\n", + " <td>2009</td>\n", + " <td>99</td>\n", + " <td>6.9</td>\n", + " <td>0</td>\n", + " </tr>\n", + " <tr>\n", + " <th>962</th>\n", + " <td>Custody</td>\n", + " <td>Drama</td>\n", + " <td>James Lapine</td>\n", + " <td>Viola Davis, Hayden Panettiere, Catalina Sandi...</td>\n", + " <td>2016</td>\n", + " <td>104</td>\n", + " <td>6.9</td>\n", + " <td>0</td>\n", + " </tr>\n", + " <tr>\n", + " <th>969</th>\n", + " <td>Disturbia</td>\n", + " <td>Drama,Mystery,Thriller</td>\n", + " <td>D.J. Caruso</td>\n", + " <td>Shia LaBeouf, David Morse, Carrie-Anne Moss, S...</td>\n", + " <td>2007</td>\n", + " <td>105</td>\n", + " <td>6.9</td>\n", + " <td>80.05</td>\n", + " </tr>\n", + " </tbody>\n", + "</table>\n", + "</div>" + ], + "text/plain": [ + " Title Genre \\\n", + "38 The Magnificent Seven Action,Adventure,Western \n", + "195 Captain America: The First Avenger Action,Adventure,Sci-Fi \n", + "222 It Follows Horror,Mystery \n", + "330 Storks Animation,Adventure,Comedy \n", + "359 Step Brothers Comedy \n", + "366 American Wrestler: The Wizard Drama,Sport \n", + "373 Florence Foster Jenkins Biography,Comedy,Drama \n", + "375 Black Mass Biography,Crime,Drama \n", + "415 The Headhunter's Calling Drama \n", + "466 Enemy Mystery,Thriller \n", + "490 The Book of Eli Action,Adventure,Drama \n", + "516 Chappie Action,Crime,Drama \n", + "529 A Good Year Comedy,Drama,Romance \n", + "557 In the Heart of the Sea Action,Adventure,Biography \n", + "606 Horrible Bosses Comedy,Crime \n", + "616 Free State of Jones Action,Biography,Drama \n", + "660 The First Time Comedy,Drama,Romance \n", + "731 This Beautiful Fantastic Comedy,Drama,Fantasy \n", + "779 Unknown Action,Mystery,Thriller \n", + "783 Before We Go Comedy,Drama,Romance \n", + "819 Suite Française Drama,Romance,War \n", + "865 Indignation Drama,Romance \n", + "866 The Stanford Prison Experiment Biography,Drama,History \n", + "868 Mission: Impossible III Action,Adventure,Thriller \n", + "875 Warm Bodies Comedy,Horror,Romance \n", + "878 Shin Gojira Action,Adventure,Drama \n", + "881 Rio Animation,Adventure,Comedy \n", + "905 Ocean's Thirteen Crime,Thriller \n", + "943 Triangle Fantasy,Mystery,Thriller \n", + "962 Custody Drama \n", + "969 Disturbia Drama,Mystery,Thriller \n", + "\n", + " Director Cast \\\n", + "38 Antoine Fuqua Denzel washington, Chris Pratt, Ethan Haw... \n", + "195 Joe Johnston Chris Evans, Hugo Weaving, Samuel L. Jackson,H... \n", + "222 David Robert Mitchell Maika Monroe, Keir Gilchrist, Olivia Luccardi,... \n", + "330 Nicholas Stoller Andy Samberg, Katie Crown,Kelsey Grammer, Jenn... \n", + "359 Adam McKay Will Ferrell, John C. Reilly, Mary Steenburgen... \n", + "366 Alex Ranarivelo William Fichtner, Jon Voight, Lia Marie Johnso... \n", + "373 Stephen Frears Meryl Streep, Hugh Grant, Simon Helberg, Rebec... \n", + "375 Scott Cooper Johnny Depp, Benedict Cumberbatch, Dakota John... \n", + "415 Mark Williams Alison Brie, Gerard Butler, Willem Dafoe, Gret... \n", + "466 Denis Villeneuve Jake Gyllenhaal, Mélanie Laurent, Sarah Gadon,... \n", + "490 Albert Hughes Denzel Washington, Mila Kunis, Ray Steve... \n", + "516 Neill Blomkamp Sharlto Copley, Dev Patel, Hugh Jackman,Sigour... \n", + "529 Ridley Scott Russell Crowe, Abbie Cornish, Albert Finney, M... \n", + "557 Ron Howard Chris Hemsworth, Cillian Murphy, Brendan Glees... \n", + "606 Seth Gordon Jason Bateman, Charlie Day, Jason Sudeikis, St... \n", + "616 Gary Ross Matthew McConaughey, Gugu Mbatha-Raw, Mahersha... \n", + "660 Jon Kasdan Dylan O'Brien, Britt Robertson, Victoria Justi... \n", + "731 Simon Aboud Jessica Brown Findlay, Andrew Scott, Jeremy Ir... \n", + "779 Jaume Collet-Serra Liam Neeson, Diane Kruger, January Jones,Aidan... \n", + "783 Chris Evans Chris Evans, Alice Eve, Emma Fitzpatrick, John... \n", + "819 Saul Dibb Michelle Williams, Kristin Scott Thomas, Margo... \n", + "865 James Schamus Logan Lerman, Sarah Gadon, Tijuana Ricks, Sue ... \n", + "866 Kyle Patrick Alvarez Ezra Miller, Tye Sheridan, Billy Crudup, Olivi... \n", + "868 J.J. Abrams Tom Cruise, Michelle Monaghan, Ving Rhames, Ph... \n", + "875 Jonathan Levine Nicholas Hoult, Teresa Palmer, John Malkovich,... \n", + "878 Hideaki Anno Hiroki Hasegawa, Yutaka Takenouchi,Satomi Ishi... \n", + "881 Carlos Saldanha Jesse Eisenberg, Anne Hathaway, George Lopez,K... \n", + "905 Steven Soderbergh George Clooney, Brad Pitt, Matt Damon,Michael ... \n", + "943 Christopher Smith Melissa George, Joshua McIvor, Jack Taylor,Mic... \n", + "962 James Lapine Viola Davis, Hayden Panettiere, Catalina Sandi... \n", + "969 D.J. Caruso Shia LaBeouf, David Morse, Carrie-Anne Moss, S... \n", + "\n", + " Year Runtime Rating Revenue \n", + "38 2016 132 6.9 93.38 \n", + "195 2011 124 6.9 176.64M \n", + "222 2014 100 6.9 14.67 \n", + "330 2016 87 6.9 72.66 \n", + "359 2008 98 6.9 100.47M \n", + "366 2016 117 6.9 0 \n", + "373 2016 111 6.9 27.37 \n", + "375 2015 123 6.9 62.56 \n", + "415 2016 108 6.9 0 \n", + "466 2013 91 6.9 1.01 \n", + "490 2010 118 6.9 94.82 \n", + "516 2015 120 6.9 31.57 \n", + "529 2006 117 6.9 7.46 \n", + "557 2015 122 6.9 24.99 \n", + "606 2011 98 6.9 117.53M \n", + "616 2016 139 6.9 0 \n", + "660 2012 95 6.9 0.02 \n", + "731 2016 100 6.9 0 \n", + "779 2011 113 6.9 61.09 \n", + "783 2014 95 6.9 0.04 \n", + "819 2014 107 6.9 0 \n", + "865 2016 110 6.9 3.4 \n", + "866 2015 122 6.9 0.64 \n", + "868 2006 126 6.9 133.38M \n", + "875 2013 98 6.9 66.36 \n", + "878 2016 120 6.9 1.91 \n", + "881 2011 96 6.9 143.62M \n", + "905 2007 122 6.9 117.14M \n", + "943 2009 99 6.9 0 \n", + "962 2016 104 6.9 0 \n", + "969 2007 105 6.9 80.05 " + ] + }, + "execution_count": 5, + "metadata": {}, + "output_type": "execute_result" + } + ], + "source": [ + "# Warmup 3a: What are the movies with the median rating?\n", + "median_movies = movies[movies['Rating'] == movies['Rating'].median()]\n", + "median_movies" + ] + }, + { + "cell_type": "code", + "execution_count": 6, + "metadata": {}, + "outputs": [ + { + "data": { + "text/plain": [ + "110.2258064516129" + ] + }, + "execution_count": 6, + "metadata": {}, + "output_type": "execute_result" + } + ], + "source": [ + "# Warmup 3b: Of these, what was the average runtime?\n", + "median_movies[\"Runtime\"].mean()" + ] + }, + { + "cell_type": "code", + "execution_count": 7, + "metadata": {}, + "outputs": [ + { + "data": { + "text/plain": [ + "114.09363295880149" + ] + }, + "execution_count": 7, + "metadata": {}, + "output_type": "execute_result" + } + ], + "source": [ + "# Warmup 3c: ... and how does that compare to the average runtime of all movies?\n", + "movies[\"Runtime\"].mean()" + ] + }, + { + "cell_type": "code", + "execution_count": 8, + "metadata": {}, + "outputs": [ + { + "data": { + "text/plain": [ + "118.33333333333333" + ] + }, + "execution_count": 8, + "metadata": {}, + "output_type": "execute_result" + } + ], + "source": [ + "# Warmup 3d: ... and how does that compare to the average runtime of all Sport movies?\n", + "movies[movies[\"Genre\"].str.contains(\"Sport\")][\"Runtime\"].mean()" + ] + }, + { + "cell_type": "code", + "execution_count": 9, + "metadata": {}, + "outputs": [], + "source": [ + "# Warmup 4a: What does this function do?\n", + "def format_revenue(revenue):\n", + " if revenue[-1] == 'M': # some have an \"M\" at the end\n", + " return float(revenue[:-1]) * 1e6\n", + " else: # otherwise, assume millions.\n", + " return float(revenue) * 1e6" + ] + }, + { + "cell_type": "code", + "execution_count": 10, + "metadata": {}, + "outputs": [ + { + "data": { + "text/html": [ + "<div>\n", + "<style scoped>\n", + " .dataframe tbody tr th:only-of-type {\n", + " vertical-align: middle;\n", + " }\n", + "\n", + " .dataframe tbody tr th {\n", + " vertical-align: top;\n", + " }\n", + "\n", + " .dataframe thead th {\n", + " text-align: right;\n", + " }\n", + "</style>\n", + "<table border=\"1\" class=\"dataframe\">\n", + " <thead>\n", + " <tr style=\"text-align: right;\">\n", + " <th></th>\n", + " <th>Title</th>\n", + " <th>Genre</th>\n", + " <th>Director</th>\n", + " <th>Cast</th>\n", + " <th>Year</th>\n", + " <th>Runtime</th>\n", + " <th>Rating</th>\n", + " <th>Revenue</th>\n", + " <th>CountableRevenue</th>\n", + " </tr>\n", + " </thead>\n", + " <tbody>\n", + " <tr>\n", + " <th>0</th>\n", + " <td>Guardians of the Galaxy</td>\n", + " <td>Action,Adventure,Sci-Fi</td>\n", + " <td>James Gunn</td>\n", + " <td>Chris Pratt, Vin Diesel, Bradley Cooper, Zoe S...</td>\n", + " <td>2014</td>\n", + " <td>121</td>\n", + " <td>8.1</td>\n", + " <td>333.13</td>\n", + " <td>333130000.0</td>\n", + " </tr>\n", + " <tr>\n", + " <th>1</th>\n", + " <td>Prometheus</td>\n", + " <td>Adventure,Mystery,Sci-Fi</td>\n", + " <td>Ridley Scott</td>\n", + " <td>Noomi Rapace, Logan Marshall-Green, Michael ...</td>\n", + " <td>2012</td>\n", + " <td>124</td>\n", + " <td>7.0</td>\n", + " <td>126.46M</td>\n", + " <td>126460000.0</td>\n", + " </tr>\n", + " <tr>\n", + " <th>2</th>\n", + " <td>Split</td>\n", + " <td>Horror,Thriller</td>\n", + " <td>M. Night Shyamalan</td>\n", + " <td>James McAvoy, Anya Taylor-Joy, Haley Lu Richar...</td>\n", + " <td>2016</td>\n", + " <td>117</td>\n", + " <td>7.3</td>\n", + " <td>138.12M</td>\n", + " <td>138120000.0</td>\n", + " </tr>\n", + " <tr>\n", + " <th>3</th>\n", + " <td>Sing</td>\n", + " <td>Animation,Comedy,Family</td>\n", + " <td>Christophe Lourdelet</td>\n", + " <td>Matthew McConaughey,Reese Witherspoon, Seth Ma...</td>\n", + " <td>2016</td>\n", + " <td>108</td>\n", + " <td>7.2</td>\n", + " <td>270.32</td>\n", + " <td>270320000.0</td>\n", + " </tr>\n", + " <tr>\n", + " <th>4</th>\n", + " <td>Suicide Squad</td>\n", + " <td>Action,Adventure,Fantasy</td>\n", + " <td>David Ayer</td>\n", + " <td>Will Smith, Jared Leto, Margot Robbie, Viola D...</td>\n", + " <td>2016</td>\n", + " <td>123</td>\n", + " <td>6.2</td>\n", + " <td>325.02</td>\n", + " <td>325020000.0</td>\n", + " </tr>\n", + " <tr>\n", + " <th>...</th>\n", + " <td>...</td>\n", + " <td>...</td>\n", + " <td>...</td>\n", + " <td>...</td>\n", + " <td>...</td>\n", + " <td>...</td>\n", + " <td>...</td>\n", + " <td>...</td>\n", + " <td>...</td>\n", + " </tr>\n", + " <tr>\n", + " <th>1063</th>\n", + " <td>Guardians of the Galaxy Vol. 2</td>\n", + " <td>Action, Adventure, Comedy</td>\n", + " <td>James Gunn</td>\n", + " <td>Chris Pratt, Zoe Saldana, Dave Bautista, Vin D...</td>\n", + " <td>2017</td>\n", + " <td>136</td>\n", + " <td>7.6</td>\n", + " <td>389.81</td>\n", + " <td>389810000.0</td>\n", + " </tr>\n", + " <tr>\n", + " <th>1064</th>\n", + " <td>Baby Driver</td>\n", + " <td>Action, Crime, Drama</td>\n", + " <td>Edgar Wright</td>\n", + " <td>Ansel Elgort, Jon Bernthal, Jon Hamm, Eiza Gon...</td>\n", + " <td>2017</td>\n", + " <td>113</td>\n", + " <td>7.6</td>\n", + " <td>107.83</td>\n", + " <td>107830000.0</td>\n", + " </tr>\n", + " <tr>\n", + " <th>1065</th>\n", + " <td>Only the Brave</td>\n", + " <td>Action, Biography, Drama</td>\n", + " <td>Joseph Kosinski</td>\n", + " <td>Josh Brolin, Miles Teller, Jeff Bridges, Jenni...</td>\n", + " <td>2017</td>\n", + " <td>134</td>\n", + " <td>7.6</td>\n", + " <td>18.34</td>\n", + " <td>18340000.0</td>\n", + " </tr>\n", + " <tr>\n", + " <th>1066</th>\n", + " <td>Incredibles 2</td>\n", + " <td>Animation, Action, Adventure</td>\n", + " <td>Brad Bird</td>\n", + " <td>Craig T. Nelson, Holly Hunter, Sarah Vowell, H...</td>\n", + " <td>2018</td>\n", + " <td>118</td>\n", + " <td>7.6</td>\n", + " <td>608.58</td>\n", + " <td>608580000.0</td>\n", + " </tr>\n", + " <tr>\n", + " <th>1067</th>\n", + " <td>A Star Is Born</td>\n", + " <td>Drama, Music, Romance</td>\n", + " <td>Bradley Cooper</td>\n", + " <td>Lady Gaga, Bradley Cooper, Sam Elliott, Greg G...</td>\n", + " <td>2018</td>\n", + " <td>136</td>\n", + " <td>7.6</td>\n", + " <td>215.29</td>\n", + " <td>215290000.0</td>\n", + " </tr>\n", + " </tbody>\n", + "</table>\n", + "<p>1068 rows × 9 columns</p>\n", + "</div>" + ], + "text/plain": [ + " Title Genre \\\n", + "0 Guardians of the Galaxy Action,Adventure,Sci-Fi \n", + "1 Prometheus Adventure,Mystery,Sci-Fi \n", + "2 Split Horror,Thriller \n", + "3 Sing Animation,Comedy,Family \n", + "4 Suicide Squad Action,Adventure,Fantasy \n", + "... ... ... \n", + "1063 Guardians of the Galaxy Vol. 2 Action, Adventure, Comedy \n", + "1064 Baby Driver Action, Crime, Drama \n", + "1065 Only the Brave Action, Biography, Drama \n", + "1066 Incredibles 2 Animation, Action, Adventure \n", + "1067 A Star Is Born Drama, Music, Romance \n", + "\n", + " Director Cast \\\n", + "0 James Gunn Chris Pratt, Vin Diesel, Bradley Cooper, Zoe S... \n", + "1 Ridley Scott Noomi Rapace, Logan Marshall-Green, Michael ... \n", + "2 M. Night Shyamalan James McAvoy, Anya Taylor-Joy, Haley Lu Richar... \n", + "3 Christophe Lourdelet Matthew McConaughey,Reese Witherspoon, Seth Ma... \n", + "4 David Ayer Will Smith, Jared Leto, Margot Robbie, Viola D... \n", + "... ... ... \n", + "1063 James Gunn Chris Pratt, Zoe Saldana, Dave Bautista, Vin D... \n", + "1064 Edgar Wright Ansel Elgort, Jon Bernthal, Jon Hamm, Eiza Gon... \n", + "1065 Joseph Kosinski Josh Brolin, Miles Teller, Jeff Bridges, Jenni... \n", + "1066 Brad Bird Craig T. Nelson, Holly Hunter, Sarah Vowell, H... \n", + "1067 Bradley Cooper Lady Gaga, Bradley Cooper, Sam Elliott, Greg G... \n", + "\n", + " Year Runtime Rating Revenue CountableRevenue \n", + "0 2014 121 8.1 333.13 333130000.0 \n", + "1 2012 124 7.0 126.46M 126460000.0 \n", + "2 2016 117 7.3 138.12M 138120000.0 \n", + "3 2016 108 7.2 270.32 270320000.0 \n", + "4 2016 123 6.2 325.02 325020000.0 \n", + "... ... ... ... ... ... \n", + "1063 2017 136 7.6 389.81 389810000.0 \n", + "1064 2017 113 7.6 107.83 107830000.0 \n", + "1065 2017 134 7.6 18.34 18340000.0 \n", + "1066 2018 118 7.6 608.58 608580000.0 \n", + "1067 2018 136 7.6 215.29 215290000.0 \n", + "\n", + "[1068 rows x 9 columns]" + ] + }, + "execution_count": 10, + "metadata": {}, + "output_type": "execute_result" + } + ], + "source": [ + "# Warmup 4b: Using the above function, create a new column called\n", + "# \"CountableRevenue\" with the revenue as a float.\n", + "movies[\"CountableRevenue\"] = movies[\"Revenue\"].apply(format_revenue)\n", + "movies" + ] + }, + { + "cell_type": "code", + "execution_count": 11, + "metadata": {}, + "outputs": [ + { + "data": { + "text/html": [ + "<div>\n", + "<style scoped>\n", + " .dataframe tbody tr th:only-of-type {\n", + " vertical-align: middle;\n", + " }\n", + "\n", + " .dataframe tbody tr th {\n", + " vertical-align: top;\n", + " }\n", + "\n", + " .dataframe thead th {\n", + " text-align: right;\n", + " }\n", + "</style>\n", + "<table border=\"1\" class=\"dataframe\">\n", + " <thead>\n", + " <tr style=\"text-align: right;\">\n", + " <th></th>\n", + " <th>Title</th>\n", + " <th>Genre</th>\n", + " <th>Director</th>\n", + " <th>Cast</th>\n", + " <th>Year</th>\n", + " <th>Runtime</th>\n", + " <th>Rating</th>\n", + " <th>Revenue</th>\n", + " <th>CountableRevenue</th>\n", + " </tr>\n", + " </thead>\n", + " <tbody>\n", + " <tr>\n", + " <th>50</th>\n", + " <td>Star Wars: Episode VII - The Force Awakens</td>\n", + " <td>Action,Adventure,Fantasy</td>\n", + " <td>J.J. Abrams</td>\n", + " <td>Daisy Ridley, John Boyega, Oscar Isaac, Domhna...</td>\n", + " <td>2015</td>\n", + " <td>136</td>\n", + " <td>8.1</td>\n", + " <td>936.63</td>\n", + " <td>936630000.0</td>\n", + " </tr>\n", + " <tr>\n", + " <th>1006</th>\n", + " <td>Avengers: Endgame</td>\n", + " <td>Action, Adventure, Drama</td>\n", + " <td>Anthony Russo</td>\n", + " <td>Joe Russo, Robert Downey Jr., Chris Evans, Mar...</td>\n", + " <td>2019</td>\n", + " <td>181</td>\n", + " <td>8.4</td>\n", + " <td>858.37</td>\n", + " <td>858370000.0</td>\n", + " </tr>\n", + " <tr>\n", + " <th>87</th>\n", + " <td>Avatar</td>\n", + " <td>Action,Adventure,Fantasy</td>\n", + " <td>James Cameron</td>\n", + " <td>Sam Worthington, Zoe Saldana, Sigourney Weaver...</td>\n", + " <td>2009</td>\n", + " <td>162</td>\n", + " <td>7.8</td>\n", + " <td>760.51</td>\n", + " <td>760510000.0</td>\n", + " </tr>\n", + " <tr>\n", + " <th>1007</th>\n", + " <td>Avengers: Infinity War</td>\n", + " <td>Action, Adventure, Sci-Fi</td>\n", + " <td>Anthony Russo</td>\n", + " <td>Joe Russo, Robert Downey Jr., Chris Hemsworth,...</td>\n", + " <td>2018</td>\n", + " <td>149</td>\n", + " <td>8.4</td>\n", + " <td>678.82</td>\n", + " <td>678820000.0</td>\n", + " </tr>\n", + " <tr>\n", + " <th>85</th>\n", + " <td>Jurassic World</td>\n", + " <td>Action,Adventure,Sci-Fi</td>\n", + " <td>Colin Trevorrow</td>\n", + " <td>Chris Pratt, Bryce Dallas Howard, Ty Simpkins,...</td>\n", + " <td>2015</td>\n", + " <td>124</td>\n", + " <td>7.0</td>\n", + " <td>652.18</td>\n", + " <td>652180000.0</td>\n", + " </tr>\n", + " <tr>\n", + " <th>76</th>\n", + " <td>The Avengers</td>\n", + " <td>Action,Sci-Fi</td>\n", + " <td>Joss Whedon</td>\n", + " <td>Robert Downey Jr., Chris Evans, Scarlett Johan...</td>\n", + " <td>2012</td>\n", + " <td>143</td>\n", + " <td>8.1</td>\n", + " <td>623.28</td>\n", + " <td>623280000.0</td>\n", + " </tr>\n", + " <tr>\n", + " <th>998</th>\n", + " <td>Hamilton</td>\n", + " <td>Biography, Drama, History</td>\n", + " <td>Thomas Kail</td>\n", + " <td>Lin-Manuel Miranda, Phillipa Soo, Leslie Odom ...</td>\n", + " <td>2020</td>\n", + " <td>160</td>\n", + " <td>8.6</td>\n", + " <td>612.82</td>\n", + " <td>612820000.0</td>\n", + " </tr>\n", + " <tr>\n", + " <th>1066</th>\n", + " <td>Incredibles 2</td>\n", + " <td>Animation, Action, Adventure</td>\n", + " <td>Brad Bird</td>\n", + " <td>Craig T. Nelson, Holly Hunter, Sarah Vowell, H...</td>\n", + " <td>2018</td>\n", + " <td>118</td>\n", + " <td>7.6</td>\n", + " <td>608.58</td>\n", + " <td>608580000.0</td>\n", + " </tr>\n", + " <tr>\n", + " <th>54</th>\n", + " <td>The Dark Knight</td>\n", + " <td>Action,Crime,Drama</td>\n", + " <td>Christopher Nolan</td>\n", + " <td>Christian Bale, Heath Ledger, Aaron Eckhart,Mi...</td>\n", + " <td>2008</td>\n", + " <td>152</td>\n", + " <td>9.0</td>\n", + " <td>533.32</td>\n", + " <td>533320000.0</td>\n", + " </tr>\n", + " <tr>\n", + " <th>12</th>\n", + " <td>Rogue One</td>\n", + " <td>Action,Adventure,Sci-Fi</td>\n", + " <td>Gareth Edwards</td>\n", + " <td>Felicity Jones, Diego Luna, Alan Tudyk, Donnie...</td>\n", + " <td>2016</td>\n", + " <td>133</td>\n", + " <td>7.9</td>\n", + " <td>532.17</td>\n", + " <td>532170000.0</td>\n", + " </tr>\n", + " </tbody>\n", + "</table>\n", + "</div>" + ], + "text/plain": [ + " Title \\\n", + "50 Star Wars: Episode VII - The Force Awakens \n", + "1006 Avengers: Endgame \n", + "87 Avatar \n", + "1007 Avengers: Infinity War \n", + "85 Jurassic World \n", + "76 The Avengers \n", + "998 Hamilton \n", + "1066 Incredibles 2 \n", + "54 The Dark Knight \n", + "12 Rogue One \n", + "\n", + " Genre Director \\\n", + "50 Action,Adventure,Fantasy J.J. Abrams \n", + "1006 Action, Adventure, Drama Anthony Russo \n", + "87 Action,Adventure,Fantasy James Cameron \n", + "1007 Action, Adventure, Sci-Fi Anthony Russo \n", + "85 Action,Adventure,Sci-Fi Colin Trevorrow \n", + "76 Action,Sci-Fi Joss Whedon \n", + "998 Biography, Drama, History Thomas Kail \n", + "1066 Animation, Action, Adventure Brad Bird \n", + "54 Action,Crime,Drama Christopher Nolan \n", + "12 Action,Adventure,Sci-Fi Gareth Edwards \n", + "\n", + " Cast Year Runtime \\\n", + "50 Daisy Ridley, John Boyega, Oscar Isaac, Domhna... 2015 136 \n", + "1006 Joe Russo, Robert Downey Jr., Chris Evans, Mar... 2019 181 \n", + "87 Sam Worthington, Zoe Saldana, Sigourney Weaver... 2009 162 \n", + "1007 Joe Russo, Robert Downey Jr., Chris Hemsworth,... 2018 149 \n", + "85 Chris Pratt, Bryce Dallas Howard, Ty Simpkins,... 2015 124 \n", + "76 Robert Downey Jr., Chris Evans, Scarlett Johan... 2012 143 \n", + "998 Lin-Manuel Miranda, Phillipa Soo, Leslie Odom ... 2020 160 \n", + "1066 Craig T. Nelson, Holly Hunter, Sarah Vowell, H... 2018 118 \n", + "54 Christian Bale, Heath Ledger, Aaron Eckhart,Mi... 2008 152 \n", + "12 Felicity Jones, Diego Luna, Alan Tudyk, Donnie... 2016 133 \n", + "\n", + " Rating Revenue CountableRevenue \n", + "50 8.1 936.63 936630000.0 \n", + "1006 8.4 858.37 858370000.0 \n", + "87 7.8 760.51 760510000.0 \n", + "1007 8.4 678.82 678820000.0 \n", + "85 7.0 652.18 652180000.0 \n", + "76 8.1 623.28 623280000.0 \n", + "998 8.6 612.82 612820000.0 \n", + "1066 7.6 608.58 608580000.0 \n", + "54 9.0 533.32 533320000.0 \n", + "12 7.9 532.17 532170000.0 " + ] + }, + "execution_count": 11, + "metadata": {}, + "output_type": "execute_result" + } + ], + "source": [ + "# Warmup 5: What are the top 10 highest-revenue movies\n", + "movies.sort_values(by=\"CountableRevenue\", ascending=False).head(10)" + ] + }, + { + "cell_type": "markdown", + "metadata": {}, + "source": [ + "# Web 1 - How to get data from the 'Net\n", + "\n", + "## Reading\n", + "\n", + "- [Sweigart Ch 12](https://automatetheboringstuff.com/2e/chapter12/)\n", + " \n", + "## Objectives:\n", + "\n", + "Understand:\n", + "\n", + " - Network structure\n", + " - Client/Server\n", + " - Request/Response\n", + " - HTTP protocol\n", + " - URL\n", + " - Headers\n", + " - Status Codes\n", + "\n", + "In order to use:\n", + "\n", + " - The `requests` module" + ] + }, + { + "cell_type": "markdown", + "metadata": {}, + "source": [ + "## HTTP Status Codes overview\n", + "- 1XX : Informational\n", + "- 2XX : Successful\n", + "- 3XX : Redirection\n", + "- 4XX : Client Error\n", + "- 5XX : Server Error\n", + "\n", + "https://en.wikipedia.org/wiki/List_of_HTTP_status_codes" + ] + }, + { + "cell_type": "markdown", + "metadata": {}, + "source": [ + "## requests.get : Simple string example\n", + "- URL: https://cs220.cs.wisc.edu/hello.txt" + ] + }, + { + "cell_type": "code", + "execution_count": 12, + "metadata": {}, + "outputs": [ + { + "name": "stdout", + "output_type": "stream", + "text": [ + "200\n", + "Hello CS220 / CS319 students! Welcome to our website. Hope you are staying safe and healthy!\n", + "\n" + ] + } + ], + "source": [ + "url = \"https://cs220.cs.wisc.edu/hello.txt\"\n", + "r = requests.get(url) # r is the response\n", + "print(r.status_code)\n", + "print(r.text)" + ] + }, + { + "cell_type": "code", + "execution_count": 13, + "metadata": {}, + "outputs": [ + { + "name": "stdout", + "output_type": "stream", + "text": [ + "403\n", + "<html>\n", + "<head><title>403 Forbidden</title></head>\n", + "<body>\n", + "<h1>403 Forbidden</h1>\n", + "<ul>\n", + "<li>Code: AccessDenied</li>\n", + "<li>Message: Access Denied</li>\n", + "<li>RequestId: B1ZBH2CF6CS6MXEB</li>\n", + "<li>HostId: 1qiud0qqr8tBB8OP9SBQrgESGbbrYo6YJ02FkCTNVGpfnHsAZfx2RbfP6JMK9vVyUca9WH54bkA=</li>\n", + "</ul>\n", + "<h3>An Error Occurred While Attempting to Retrieve a Custom Error Document</h3>\n", + "<ul>\n", + "<li>Code: AccessDenied</li>\n", + "<li>Message: Access Denied</li>\n", + "</ul>\n", + "<hr/>\n", + "</body>\n", + "</html>\n", + "\n" + ] + } + ], + "source": [ + "# Q: What if the web site does not exist?\n", + "typo_url = \"https://cs220.cs.wisc.edu/hello.txttttt\"\n", + "r = requests.get(typo_url)\n", + "print(r.status_code)\n", + "print(r.text)\n", + "\n", + "# A: " + ] + }, + { + "cell_type": "code", + "execution_count": 14, + "metadata": {}, + "outputs": [ + { + "ename": "AssertionError", + "evalue": "", + "output_type": "error", + "traceback": [ + "\u001b[0;31m---------------------------------------------------------------------------\u001b[0m", + "\u001b[0;31mAssertionError\u001b[0m Traceback (most recent call last)", + "Cell \u001b[0;32mIn[14], line 4\u001b[0m\n\u001b[1;32m 2\u001b[0m typo_url \u001b[38;5;241m=\u001b[39m \u001b[38;5;124m\"\u001b[39m\u001b[38;5;124mhttps://cs220.cs.wisc.edu/hello.txttttt\u001b[39m\u001b[38;5;124m\"\u001b[39m\n\u001b[1;32m 3\u001b[0m r \u001b[38;5;241m=\u001b[39m requests\u001b[38;5;241m.\u001b[39mget(typo_url)\n\u001b[0;32m----> 4\u001b[0m \u001b[38;5;28;01massert\u001b[39;00m r\u001b[38;5;241m.\u001b[39mstatus_code \u001b[38;5;241m==\u001b[39m \u001b[38;5;241m200\u001b[39m\n\u001b[1;32m 5\u001b[0m \u001b[38;5;28mprint\u001b[39m(r\u001b[38;5;241m.\u001b[39mstatus_code)\n\u001b[1;32m 6\u001b[0m \u001b[38;5;28mprint\u001b[39m(r\u001b[38;5;241m.\u001b[39mtext)\n", + "\u001b[0;31mAssertionError\u001b[0m: " + ] + } + ], + "source": [ + "# We can check for a status_code error by using an assert\n", + "typo_url = \"https://cs220.cs.wisc.edu/hello.txttttt\"\n", + "r = requests.get(typo_url)\n", + "assert r.status_code == 200\n", + "print(r.status_code)\n", + "print(r.text)\n" + ] + }, + { + "cell_type": "code", + "execution_count": 15, + "metadata": {}, + "outputs": [ + { + "ename": "HTTPError", + "evalue": "403 Client Error: Forbidden for url: https://cs220.cs.wisc.edu/hello.txttttt", + "output_type": "error", + "traceback": [ + "\u001b[0;31m---------------------------------------------------------------------------\u001b[0m", + "\u001b[0;31mHTTPError\u001b[0m Traceback (most recent call last)", + "Cell \u001b[0;32mIn[15], line 3\u001b[0m\n\u001b[1;32m 1\u001b[0m \u001b[38;5;66;03m# Instead of using an assert, we often use raise_for_status()\u001b[39;00m\n\u001b[1;32m 2\u001b[0m r \u001b[38;5;241m=\u001b[39m requests\u001b[38;5;241m.\u001b[39mget(typo_url)\n\u001b[0;32m----> 3\u001b[0m r\u001b[38;5;241m.\u001b[39mraise_for_status() \u001b[38;5;66;03m#similar to asserting r.status_code == 200\u001b[39;00m\n\u001b[1;32m 4\u001b[0m r\u001b[38;5;241m.\u001b[39mtext\n", + "File \u001b[0;32m/opt/anaconda3/lib/python3.12/site-packages/requests/models.py:1024\u001b[0m, in \u001b[0;36mResponse.raise_for_status\u001b[0;34m(self)\u001b[0m\n\u001b[1;32m 1019\u001b[0m http_error_msg \u001b[38;5;241m=\u001b[39m (\n\u001b[1;32m 1020\u001b[0m \u001b[38;5;124mf\u001b[39m\u001b[38;5;124m\"\u001b[39m\u001b[38;5;132;01m{\u001b[39;00m\u001b[38;5;28mself\u001b[39m\u001b[38;5;241m.\u001b[39mstatus_code\u001b[38;5;132;01m}\u001b[39;00m\u001b[38;5;124m Server Error: \u001b[39m\u001b[38;5;132;01m{\u001b[39;00mreason\u001b[38;5;132;01m}\u001b[39;00m\u001b[38;5;124m for url: \u001b[39m\u001b[38;5;132;01m{\u001b[39;00m\u001b[38;5;28mself\u001b[39m\u001b[38;5;241m.\u001b[39murl\u001b[38;5;132;01m}\u001b[39;00m\u001b[38;5;124m\"\u001b[39m\n\u001b[1;32m 1021\u001b[0m )\n\u001b[1;32m 1023\u001b[0m \u001b[38;5;28;01mif\u001b[39;00m http_error_msg:\n\u001b[0;32m-> 1024\u001b[0m \u001b[38;5;28;01mraise\u001b[39;00m HTTPError(http_error_msg, response\u001b[38;5;241m=\u001b[39m\u001b[38;5;28mself\u001b[39m)\n", + "\u001b[0;31mHTTPError\u001b[0m: 403 Client Error: Forbidden for url: https://cs220.cs.wisc.edu/hello.txttttt" + ] + } + ], + "source": [ + "# Instead of using an assert, we often use raise_for_status()\n", + "r = requests.get(typo_url)\n", + "r.raise_for_status() #similar to asserting r.status_code == 200\n", + "r.text\n", + "\n", + "# Note the error you get.... We will use this in the next cell" + ] + }, + { + "cell_type": "code", + "execution_count": 16, + "metadata": {}, + "outputs": [ + { + "name": "stdout", + "output_type": "stream", + "text": [ + "oops!! 403 Client Error: Forbidden for url: https://cs220.cs.wisc.edu/hello.txttttt\n" + ] + } + ], + "source": [ + "# Let's try to catch that error\n", + "\n", + "try:\n", + " r = requests.get(typo_url)\n", + " r.raise_for_status() #similar to asserting r.status_code == 200\n", + " r.text\n", + "except requests.HTTPError as e: # What's still wrong here?\n", + " print(\"oops!!\", e)\n" + ] + }, + { + "cell_type": "markdown", + "metadata": {}, + "source": [ + "## requests.get : JSON file example\n", + "- URL: https://www.msyamkumar.com/scores.json\n", + "- `json.load` (FILE_OBJECT)\n", + "- `json.loads` (STRING)" + ] + }, + { + "cell_type": "code", + "execution_count": 17, + "metadata": {}, + "outputs": [ + { + "name": "stdout", + "output_type": "stream", + "text": [ + "{\n", + " \"alice\": 100,\n", + " \"bob\": 200,\n", + " \"cindy\": 300\n", + "}\n", + "\n", + "<class 'dict'> {'alice': 100, 'bob': 200, 'cindy': 300}\n" + ] + } + ], + "source": [ + "# GETting a JSON file, the long way\n", + "url = \"https://cs220.cs.wisc.edu/scores.json\"\n", + "r = requests.get(url)\n", + "r.raise_for_status()\n", + "urltext = r.text\n", + "print(urltext)\n", + "d = json.loads(urltext)\n", + "print(type(d), d)" + ] + }, + { + "cell_type": "code", + "execution_count": 18, + "metadata": {}, + "outputs": [ + { + "name": "stdout", + "output_type": "stream", + "text": [ + "<class 'dict'> {'alice': 100, 'bob': 200, 'cindy': 300}\n" + ] + } + ], + "source": [ + "# GETting a JSON file, the shortcut way\n", + "url = \"https://cs220.cs.wisc.edu/scores.json\"\n", + "#Shortcut to bypass using json.loads()\n", + "r = requests.get(url)\n", + "r.raise_for_status()\n", + "d2 = r.json()\n", + "print(type(d2), d2)" + ] + }, + { + "cell_type": "markdown", + "metadata": {}, + "source": [ + "## Good GET Etiquette\n", + "\n", + "Don't make a lot of requests to the same server all at once.\n", + " - Requests use up the server's time\n", + " - Major websites will often ban users who make too many requests\n", + " - You can break a server....similar to DDoS attacks (DON'T DO THIS)\n", + " \n", + "In CS220 we will usually give you a link to a copied file to avoid overloading the site.\n" + ] + }, + { + "cell_type": "markdown", + "metadata": {}, + "source": [ + "### Explore real-world JSON\n", + "\n", + "How to explore an unknown JSON?\n", + "- If you run into a `dict`, try `.keys()` method to look at the keys of the dictionary, then use lookup process to explore further\n", + "- If you run into a `list`, iterate over the list and print each item\n", + "\n", + "### Weather for UW-Madison campus\n", + "- URL: https://api.weather.gov/gridpoints/MKX/37,63/forecast" + ] + }, + { + "cell_type": "code", + "execution_count": 19, + "metadata": {}, + "outputs": [ + { + "name": "stdout", + "output_type": "stream", + "text": [ + "<class 'dict'>\n" + ] + } + ], + "source": [ + "# TODO: GET the forecast from the URL below. Then, explore the data we are working with!\n", + "url = \"https://api.weather.gov/gridpoints/MKX/37,63/forecast\"\n", + "r = requests.get(url)\n", + "r.raise_for_status()\n", + "weather_data = r.json()\n", + "print(type(weather_data))\n", + "# print(weather_data) #uncomment to see all the json" + ] + }, + { + "cell_type": "code", + "execution_count": 20, + "metadata": {}, + "outputs": [ + { + "name": "stdout", + "output_type": "stream", + "text": [ + "['@context', 'type', 'geometry', 'properties']\n", + "<class 'dict'>\n" + ] + } + ], + "source": [ + "# TODO: display the keys of the weather_data dict\n", + "print(list(weather_data.keys()))\n", + "\n", + "# TODO: lookup the value corresponding to the 'properties'\n", + "weather_data[\"properties\"]\n", + "\n", + "# TODO: you know what to do next ... explore type again\n", + "print(type(weather_data[\"properties\"]))" + ] + }, + { + "cell_type": "code", + "execution_count": 21, + "metadata": {}, + "outputs": [ + { + "name": "stdout", + "output_type": "stream", + "text": [ + "['units', 'forecastGenerator', 'generatedAt', 'updateTime', 'validTimes', 'elevation', 'periods']\n", + "<class 'list'>\n" + ] + } + ], + "source": [ + "# TODO: display the keys of the properties dict\n", + "print(list(weather_data[\"properties\"].keys()))\n", + "\n", + "# TODO: lookup the value corresponding to the 'periods'\n", + "# weather_data[\"properties\"][\"periods\"] # uncomment to see the output\n", + "\n", + "# TODO: you know what to do next ... explore type again\n", + "print(type(weather_data[\"properties\"][\"periods\"]))" + ] + }, + { + "cell_type": "code", + "execution_count": 22, + "metadata": {}, + "outputs": [ + { + "data": { + "text/html": [ + "<div>\n", + "<style scoped>\n", + " .dataframe tbody tr th:only-of-type {\n", + " vertical-align: middle;\n", + " }\n", + "\n", + " .dataframe tbody tr th {\n", + " vertical-align: top;\n", + " }\n", + "\n", + " .dataframe thead th {\n", + " text-align: right;\n", + " }\n", + "</style>\n", + "<table border=\"1\" class=\"dataframe\">\n", + " <thead>\n", + " <tr style=\"text-align: right;\">\n", + " <th></th>\n", + " <th>number</th>\n", + " <th>name</th>\n", + " <th>startTime</th>\n", + " <th>endTime</th>\n", + " <th>isDaytime</th>\n", + " <th>temperature</th>\n", + " <th>temperatureUnit</th>\n", + " <th>temperatureTrend</th>\n", + " <th>probabilityOfPrecipitation</th>\n", + " <th>windSpeed</th>\n", + " <th>windDirection</th>\n", + " <th>icon</th>\n", + " <th>shortForecast</th>\n", + " <th>detailedForecast</th>\n", + " </tr>\n", + " </thead>\n", + " <tbody>\n", + " <tr>\n", + " <th>0</th>\n", + " <td>1</td>\n", + " <td>Today</td>\n", + " <td>2024-11-13T07:00:00-06:00</td>\n", + " <td>2024-11-13T18:00:00-06:00</td>\n", + " <td>True</td>\n", + " <td>51</td>\n", + " <td>F</td>\n", + " <td></td>\n", + " <td>{'unitCode': 'wmoUnit:percent', 'value': None}</td>\n", + " <td>10 to 15 mph</td>\n", + " <td>SE</td>\n", + " <td>https://api.weather.gov/icons/land/day/bkn?siz...</td>\n", + " <td>Partly Sunny</td>\n", + " <td>Partly sunny, with a high near 51. Southeast w...</td>\n", + " </tr>\n", + " <tr>\n", + " <th>1</th>\n", + " <td>2</td>\n", + " <td>Tonight</td>\n", + " <td>2024-11-13T18:00:00-06:00</td>\n", + " <td>2024-11-14T06:00:00-06:00</td>\n", + " <td>False</td>\n", + " <td>44</td>\n", + " <td>F</td>\n", + " <td></td>\n", + " <td>{'unitCode': 'wmoUnit:percent', 'value': 100}</td>\n", + " <td>5 to 10 mph</td>\n", + " <td>NE</td>\n", + " <td>https://api.weather.gov/icons/land/night/rain,...</td>\n", + " <td>Rain</td>\n", + " <td>Rain after 7pm. Cloudy, with a low around 44. ...</td>\n", + " </tr>\n", + " <tr>\n", + " <th>2</th>\n", + " <td>3</td>\n", + " <td>Thursday</td>\n", + " <td>2024-11-14T06:00:00-06:00</td>\n", + " <td>2024-11-14T18:00:00-06:00</td>\n", + " <td>True</td>\n", + " <td>52</td>\n", + " <td>F</td>\n", + " <td></td>\n", + " <td>{'unitCode': 'wmoUnit:percent', 'value': 40}</td>\n", + " <td>5 to 10 mph</td>\n", + " <td>NW</td>\n", + " <td>https://api.weather.gov/icons/land/day/rain,40...</td>\n", + " <td>Chance Light Rain then Mostly Cloudy</td>\n", + " <td>A chance of rain before 9am. Mostly cloudy, wi...</td>\n", + " </tr>\n", + " <tr>\n", + " <th>3</th>\n", + " <td>4</td>\n", + " <td>Thursday Night</td>\n", + " <td>2024-11-14T18:00:00-06:00</td>\n", + " <td>2024-11-15T06:00:00-06:00</td>\n", + " <td>False</td>\n", + " <td>41</td>\n", + " <td>F</td>\n", + " <td></td>\n", + " <td>{'unitCode': 'wmoUnit:percent', 'value': None}</td>\n", + " <td>0 to 5 mph</td>\n", + " <td>NW</td>\n", + " <td>https://api.weather.gov/icons/land/night/bkn?s...</td>\n", + " <td>Mostly Cloudy</td>\n", + " <td>Mostly cloudy, with a low around 41. Northwest...</td>\n", + " </tr>\n", + " <tr>\n", + " <th>4</th>\n", + " <td>5</td>\n", + " <td>Friday</td>\n", + " <td>2024-11-15T06:00:00-06:00</td>\n", + " <td>2024-11-15T18:00:00-06:00</td>\n", + " <td>True</td>\n", + " <td>54</td>\n", + " <td>F</td>\n", + " <td></td>\n", + " <td>{'unitCode': 'wmoUnit:percent', 'value': None}</td>\n", + " <td>0 to 5 mph</td>\n", + " <td>N</td>\n", + " <td>https://api.weather.gov/icons/land/day/sct?siz...</td>\n", + " <td>Mostly Sunny</td>\n", + " <td>Mostly sunny. High near 54, with temperatures ...</td>\n", + " </tr>\n", + " <tr>\n", + " <th>5</th>\n", + " <td>6</td>\n", + " <td>Friday Night</td>\n", + " <td>2024-11-15T18:00:00-06:00</td>\n", + " <td>2024-11-16T06:00:00-06:00</td>\n", + " <td>False</td>\n", + " <td>41</td>\n", + " <td>F</td>\n", + " <td></td>\n", + " <td>{'unitCode': 'wmoUnit:percent', 'value': None}</td>\n", + " <td>0 to 5 mph</td>\n", + " <td>SE</td>\n", + " <td>https://api.weather.gov/icons/land/night/sct?s...</td>\n", + " <td>Partly Cloudy</td>\n", + " <td>Partly cloudy, with a low around 41. Southeast...</td>\n", + " </tr>\n", + " <tr>\n", + " <th>6</th>\n", + " <td>7</td>\n", + " <td>Saturday</td>\n", + " <td>2024-11-16T06:00:00-06:00</td>\n", + " <td>2024-11-16T18:00:00-06:00</td>\n", + " <td>True</td>\n", + " <td>56</td>\n", + " <td>F</td>\n", + " <td></td>\n", + " <td>{'unitCode': 'wmoUnit:percent', 'value': None}</td>\n", + " <td>5 to 15 mph</td>\n", + " <td>S</td>\n", + " <td>https://api.weather.gov/icons/land/day/bkn?siz...</td>\n", + " <td>Partly Sunny</td>\n", + " <td>Partly sunny, with a high near 56. South wind ...</td>\n", + " </tr>\n", + " <tr>\n", + " <th>7</th>\n", + " <td>8</td>\n", + " <td>Saturday Night</td>\n", + " <td>2024-11-16T18:00:00-06:00</td>\n", + " <td>2024-11-17T06:00:00-06:00</td>\n", + " <td>False</td>\n", + " <td>47</td>\n", + " <td>F</td>\n", + " <td></td>\n", + " <td>{'unitCode': 'wmoUnit:percent', 'value': 20}</td>\n", + " <td>10 to 15 mph</td>\n", + " <td>S</td>\n", + " <td>https://api.weather.gov/icons/land/night/bkn/r...</td>\n", + " <td>Mostly Cloudy then Slight Chance Light Rain</td>\n", + " <td>A slight chance of rain after midnight. Mostly...</td>\n", + " </tr>\n", + " <tr>\n", + " <th>8</th>\n", + " <td>9</td>\n", + " <td>Sunday</td>\n", + " <td>2024-11-17T06:00:00-06:00</td>\n", + " <td>2024-11-17T18:00:00-06:00</td>\n", + " <td>True</td>\n", + " <td>59</td>\n", + " <td>F</td>\n", + " <td></td>\n", + " <td>{'unitCode': 'wmoUnit:percent', 'value': 20}</td>\n", + " <td>10 mph</td>\n", + " <td>SW</td>\n", + " <td>https://api.weather.gov/icons/land/day/bkn/rai...</td>\n", + " <td>Mostly Cloudy then Slight Chance Light Rain</td>\n", + " <td>A slight chance of rain after noon. Mostly clo...</td>\n", + " </tr>\n", + " <tr>\n", + " <th>9</th>\n", + " <td>10</td>\n", + " <td>Sunday Night</td>\n", + " <td>2024-11-17T18:00:00-06:00</td>\n", + " <td>2024-11-18T06:00:00-06:00</td>\n", + " <td>False</td>\n", + " <td>38</td>\n", + " <td>F</td>\n", + " <td></td>\n", + " <td>{'unitCode': 'wmoUnit:percent', 'value': 30}</td>\n", + " <td>0 to 5 mph</td>\n", + " <td>NW</td>\n", + " <td>https://api.weather.gov/icons/land/night/rain,...</td>\n", + " <td>Chance Light Rain</td>\n", + " <td>A chance of rain. Partly cloudy, with a low ar...</td>\n", + " </tr>\n", + " <tr>\n", + " <th>10</th>\n", + " <td>11</td>\n", + " <td>Monday</td>\n", + " <td>2024-11-18T06:00:00-06:00</td>\n", + " <td>2024-11-18T18:00:00-06:00</td>\n", + " <td>True</td>\n", + " <td>55</td>\n", + " <td>F</td>\n", + " <td></td>\n", + " <td>{'unitCode': 'wmoUnit:percent', 'value': 30}</td>\n", + " <td>5 to 10 mph</td>\n", + " <td>E</td>\n", + " <td>https://api.weather.gov/icons/land/day/rain,20...</td>\n", + " <td>Chance Light Rain</td>\n", + " <td>A chance of rain. Partly sunny. High near 55, ...</td>\n", + " </tr>\n", + " <tr>\n", + " <th>11</th>\n", + " <td>12</td>\n", + " <td>Monday Night</td>\n", + " <td>2024-11-18T18:00:00-06:00</td>\n", + " <td>2024-11-19T06:00:00-06:00</td>\n", + " <td>False</td>\n", + " <td>44</td>\n", + " <td>F</td>\n", + " <td></td>\n", + " <td>{'unitCode': 'wmoUnit:percent', 'value': 60}</td>\n", + " <td>10 mph</td>\n", + " <td>E</td>\n", + " <td>https://api.weather.gov/icons/land/night/rain,...</td>\n", + " <td>Rain Likely</td>\n", + " <td>Rain likely. Mostly cloudy, with a low around ...</td>\n", + " </tr>\n", + " <tr>\n", + " <th>12</th>\n", + " <td>13</td>\n", + " <td>Tuesday</td>\n", + " <td>2024-11-19T06:00:00-06:00</td>\n", + " <td>2024-11-19T18:00:00-06:00</td>\n", + " <td>True</td>\n", + " <td>54</td>\n", + " <td>F</td>\n", + " <td></td>\n", + " <td>{'unitCode': 'wmoUnit:percent', 'value': 40}</td>\n", + " <td>10 to 15 mph</td>\n", + " <td>N</td>\n", + " <td>https://api.weather.gov/icons/land/day/rain,40...</td>\n", + " <td>Chance Light Rain</td>\n", + " <td>A chance of rain. Partly sunny. High near 54, ...</td>\n", + " </tr>\n", + " <tr>\n", + " <th>13</th>\n", + " <td>14</td>\n", + " <td>Tuesday Night</td>\n", + " <td>2024-11-19T18:00:00-06:00</td>\n", + " <td>2024-11-20T06:00:00-06:00</td>\n", + " <td>False</td>\n", + " <td>35</td>\n", + " <td>F</td>\n", + " <td></td>\n", + " <td>{'unitCode': 'wmoUnit:percent', 'value': 30}</td>\n", + " <td>10 mph</td>\n", + " <td>NW</td>\n", + " <td>https://api.weather.gov/icons/land/night/rain,...</td>\n", + " <td>Chance Light Rain</td>\n", + " <td>A chance of rain. Mostly cloudy, with a low ar...</td>\n", + " </tr>\n", + " </tbody>\n", + "</table>\n", + "</div>" + ], + "text/plain": [ + " number name startTime \\\n", + "0 1 Today 2024-11-13T07:00:00-06:00 \n", + "1 2 Tonight 2024-11-13T18:00:00-06:00 \n", + "2 3 Thursday 2024-11-14T06:00:00-06:00 \n", + "3 4 Thursday Night 2024-11-14T18:00:00-06:00 \n", + "4 5 Friday 2024-11-15T06:00:00-06:00 \n", + "5 6 Friday Night 2024-11-15T18:00:00-06:00 \n", + "6 7 Saturday 2024-11-16T06:00:00-06:00 \n", + "7 8 Saturday Night 2024-11-16T18:00:00-06:00 \n", + "8 9 Sunday 2024-11-17T06:00:00-06:00 \n", + "9 10 Sunday Night 2024-11-17T18:00:00-06:00 \n", + "10 11 Monday 2024-11-18T06:00:00-06:00 \n", + "11 12 Monday Night 2024-11-18T18:00:00-06:00 \n", + "12 13 Tuesday 2024-11-19T06:00:00-06:00 \n", + "13 14 Tuesday Night 2024-11-19T18:00:00-06:00 \n", + "\n", + " endTime isDaytime temperature temperatureUnit \\\n", + "0 2024-11-13T18:00:00-06:00 True 51 F \n", + "1 2024-11-14T06:00:00-06:00 False 44 F \n", + "2 2024-11-14T18:00:00-06:00 True 52 F \n", + "3 2024-11-15T06:00:00-06:00 False 41 F \n", + "4 2024-11-15T18:00:00-06:00 True 54 F \n", + "5 2024-11-16T06:00:00-06:00 False 41 F \n", + "6 2024-11-16T18:00:00-06:00 True 56 F \n", + "7 2024-11-17T06:00:00-06:00 False 47 F \n", + "8 2024-11-17T18:00:00-06:00 True 59 F \n", + "9 2024-11-18T06:00:00-06:00 False 38 F \n", + "10 2024-11-18T18:00:00-06:00 True 55 F \n", + "11 2024-11-19T06:00:00-06:00 False 44 F \n", + "12 2024-11-19T18:00:00-06:00 True 54 F \n", + "13 2024-11-20T06:00:00-06:00 False 35 F \n", + "\n", + " temperatureTrend probabilityOfPrecipitation \\\n", + "0 {'unitCode': 'wmoUnit:percent', 'value': None} \n", + "1 {'unitCode': 'wmoUnit:percent', 'value': 100} \n", + "2 {'unitCode': 'wmoUnit:percent', 'value': 40} \n", + "3 {'unitCode': 'wmoUnit:percent', 'value': None} \n", + "4 {'unitCode': 'wmoUnit:percent', 'value': None} \n", + "5 {'unitCode': 'wmoUnit:percent', 'value': None} \n", + "6 {'unitCode': 'wmoUnit:percent', 'value': None} \n", + "7 {'unitCode': 'wmoUnit:percent', 'value': 20} \n", + "8 {'unitCode': 'wmoUnit:percent', 'value': 20} \n", + "9 {'unitCode': 'wmoUnit:percent', 'value': 30} \n", + "10 {'unitCode': 'wmoUnit:percent', 'value': 30} \n", + "11 {'unitCode': 'wmoUnit:percent', 'value': 60} \n", + "12 {'unitCode': 'wmoUnit:percent', 'value': 40} \n", + "13 {'unitCode': 'wmoUnit:percent', 'value': 30} \n", + "\n", + " windSpeed windDirection \\\n", + "0 10 to 15 mph SE \n", + "1 5 to 10 mph NE \n", + "2 5 to 10 mph NW \n", + "3 0 to 5 mph NW \n", + "4 0 to 5 mph N \n", + "5 0 to 5 mph SE \n", + "6 5 to 15 mph S \n", + "7 10 to 15 mph S \n", + "8 10 mph SW \n", + "9 0 to 5 mph NW \n", + "10 5 to 10 mph E \n", + "11 10 mph E \n", + "12 10 to 15 mph N \n", + "13 10 mph NW \n", + "\n", + " icon \\\n", + "0 https://api.weather.gov/icons/land/day/bkn?siz... \n", + "1 https://api.weather.gov/icons/land/night/rain,... \n", + "2 https://api.weather.gov/icons/land/day/rain,40... \n", + "3 https://api.weather.gov/icons/land/night/bkn?s... \n", + "4 https://api.weather.gov/icons/land/day/sct?siz... \n", + "5 https://api.weather.gov/icons/land/night/sct?s... \n", + "6 https://api.weather.gov/icons/land/day/bkn?siz... \n", + "7 https://api.weather.gov/icons/land/night/bkn/r... \n", + "8 https://api.weather.gov/icons/land/day/bkn/rai... \n", + "9 https://api.weather.gov/icons/land/night/rain,... \n", + "10 https://api.weather.gov/icons/land/day/rain,20... \n", + "11 https://api.weather.gov/icons/land/night/rain,... \n", + "12 https://api.weather.gov/icons/land/day/rain,40... \n", + "13 https://api.weather.gov/icons/land/night/rain,... \n", + "\n", + " shortForecast \\\n", + "0 Partly Sunny \n", + "1 Rain \n", + "2 Chance Light Rain then Mostly Cloudy \n", + "3 Mostly Cloudy \n", + "4 Mostly Sunny \n", + "5 Partly Cloudy \n", + "6 Partly Sunny \n", + "7 Mostly Cloudy then Slight Chance Light Rain \n", + "8 Mostly Cloudy then Slight Chance Light Rain \n", + "9 Chance Light Rain \n", + "10 Chance Light Rain \n", + "11 Rain Likely \n", + "12 Chance Light Rain \n", + "13 Chance Light Rain \n", + "\n", + " detailedForecast \n", + "0 Partly sunny, with a high near 51. Southeast w... \n", + "1 Rain after 7pm. Cloudy, with a low around 44. ... \n", + "2 A chance of rain before 9am. Mostly cloudy, wi... \n", + "3 Mostly cloudy, with a low around 41. Northwest... \n", + "4 Mostly sunny. High near 54, with temperatures ... \n", + "5 Partly cloudy, with a low around 41. Southeast... \n", + "6 Partly sunny, with a high near 56. South wind ... \n", + "7 A slight chance of rain after midnight. Mostly... \n", + "8 A slight chance of rain after noon. Mostly clo... \n", + "9 A chance of rain. Partly cloudy, with a low ar... \n", + "10 A chance of rain. Partly sunny. High near 55, ... \n", + "11 Rain likely. Mostly cloudy, with a low around ... \n", + "12 A chance of rain. Partly sunny. High near 54, ... \n", + "13 A chance of rain. Mostly cloudy, with a low ar... " + ] + }, + "execution_count": 22, + "metadata": {}, + "output_type": "execute_result" + } + ], + "source": [ + "# TODO: extract periods list into a variable\n", + "periods_list = weather_data[\"properties\"][\"periods\"]\n", + "\n", + "# TODO: create a DataFrame using periods_list\n", + "# TODO: What does each inner data structure represent in your DataFrame?\n", + "# Keep in mind that outer data structure is a list.\n", + "# A. rows (because outer data structure is a list)\n", + "periods_df = DataFrame(periods_list)\n", + "periods_df" + ] + }, + { + "cell_type": "markdown", + "metadata": {}, + "source": [ + "#### What are the maximum and minimum observed temperatures?" + ] + }, + { + "cell_type": "code", + "execution_count": 23, + "metadata": {}, + "outputs": [ + { + "name": "stdout", + "output_type": "stream", + "text": [ + "Min of 35 degrees, max of 59 degrees\n" + ] + } + ], + "source": [ + "min_temp = periods_df[\"temperature\"].min()\n", + "max_temp = periods_df[\"temperature\"].max()\n", + "\n", + "print(\"Min of {} degrees, max of {} degrees\".format(min_temp, max_temp))" + ] + }, + { + "cell_type": "markdown", + "metadata": {}, + "source": [ + "#### Which days `detailedForecast` contains `rain`?" + ] + }, + { + "cell_type": "code", + "execution_count": 24, + "metadata": {}, + "outputs": [ + { + "data": { + "text/html": [ + "<div>\n", + "<style scoped>\n", + " .dataframe tbody tr th:only-of-type {\n", + " vertical-align: middle;\n", + " }\n", + "\n", + " .dataframe tbody tr th {\n", + " vertical-align: top;\n", + " }\n", + "\n", + " .dataframe thead th {\n", + " text-align: right;\n", + " }\n", + "</style>\n", + "<table border=\"1\" class=\"dataframe\">\n", + " <thead>\n", + " <tr style=\"text-align: right;\">\n", + " <th></th>\n", + " <th>number</th>\n", + " <th>name</th>\n", + " <th>startTime</th>\n", + " <th>endTime</th>\n", + " <th>isDaytime</th>\n", + " <th>temperature</th>\n", + " <th>temperatureUnit</th>\n", + " <th>temperatureTrend</th>\n", + " <th>probabilityOfPrecipitation</th>\n", + " <th>windSpeed</th>\n", + " <th>windDirection</th>\n", + " <th>icon</th>\n", + " <th>shortForecast</th>\n", + " <th>detailedForecast</th>\n", + " </tr>\n", + " </thead>\n", + " <tbody>\n", + " <tr>\n", + " <th>1</th>\n", + " <td>2</td>\n", + " <td>Tonight</td>\n", + " <td>2024-11-13T18:00:00-06:00</td>\n", + " <td>2024-11-14T06:00:00-06:00</td>\n", + " <td>False</td>\n", + " <td>44</td>\n", + " <td>F</td>\n", + " <td></td>\n", + " <td>{'unitCode': 'wmoUnit:percent', 'value': 100}</td>\n", + " <td>5 to 10 mph</td>\n", + " <td>NE</td>\n", + " <td>https://api.weather.gov/icons/land/night/rain,...</td>\n", + " <td>Rain</td>\n", + " <td>Rain after 7pm. Cloudy, with a low around 44. ...</td>\n", + " </tr>\n", + " <tr>\n", + " <th>2</th>\n", + " <td>3</td>\n", + " <td>Thursday</td>\n", + " <td>2024-11-14T06:00:00-06:00</td>\n", + " <td>2024-11-14T18:00:00-06:00</td>\n", + " <td>True</td>\n", + " <td>52</td>\n", + " <td>F</td>\n", + " <td></td>\n", + " <td>{'unitCode': 'wmoUnit:percent', 'value': 40}</td>\n", + " <td>5 to 10 mph</td>\n", + " <td>NW</td>\n", + " <td>https://api.weather.gov/icons/land/day/rain,40...</td>\n", + " <td>Chance Light Rain then Mostly Cloudy</td>\n", + " <td>A chance of rain before 9am. Mostly cloudy, wi...</td>\n", + " </tr>\n", + " <tr>\n", + " <th>7</th>\n", + " <td>8</td>\n", + " <td>Saturday Night</td>\n", + " <td>2024-11-16T18:00:00-06:00</td>\n", + " <td>2024-11-17T06:00:00-06:00</td>\n", + " <td>False</td>\n", + " <td>47</td>\n", + " <td>F</td>\n", + " <td></td>\n", + " <td>{'unitCode': 'wmoUnit:percent', 'value': 20}</td>\n", + " <td>10 to 15 mph</td>\n", + " <td>S</td>\n", + " <td>https://api.weather.gov/icons/land/night/bkn/r...</td>\n", + " <td>Mostly Cloudy then Slight Chance Light Rain</td>\n", + " <td>A slight chance of rain after midnight. Mostly...</td>\n", + " </tr>\n", + " <tr>\n", + " <th>8</th>\n", + " <td>9</td>\n", + " <td>Sunday</td>\n", + " <td>2024-11-17T06:00:00-06:00</td>\n", + " <td>2024-11-17T18:00:00-06:00</td>\n", + " <td>True</td>\n", + " <td>59</td>\n", + " <td>F</td>\n", + " <td></td>\n", + " <td>{'unitCode': 'wmoUnit:percent', 'value': 20}</td>\n", + " <td>10 mph</td>\n", + " <td>SW</td>\n", + " <td>https://api.weather.gov/icons/land/day/bkn/rai...</td>\n", + " <td>Mostly Cloudy then Slight Chance Light Rain</td>\n", + " <td>A slight chance of rain after noon. Mostly clo...</td>\n", + " </tr>\n", + " <tr>\n", + " <th>9</th>\n", + " <td>10</td>\n", + " <td>Sunday Night</td>\n", + " <td>2024-11-17T18:00:00-06:00</td>\n", + " <td>2024-11-18T06:00:00-06:00</td>\n", + " <td>False</td>\n", + " <td>38</td>\n", + " <td>F</td>\n", + " <td></td>\n", + " <td>{'unitCode': 'wmoUnit:percent', 'value': 30}</td>\n", + " <td>0 to 5 mph</td>\n", + " <td>NW</td>\n", + " <td>https://api.weather.gov/icons/land/night/rain,...</td>\n", + " <td>Chance Light Rain</td>\n", + " <td>A chance of rain. Partly cloudy, with a low ar...</td>\n", + " </tr>\n", + " <tr>\n", + " <th>10</th>\n", + " <td>11</td>\n", + " <td>Monday</td>\n", + " <td>2024-11-18T06:00:00-06:00</td>\n", + " <td>2024-11-18T18:00:00-06:00</td>\n", + " <td>True</td>\n", + " <td>55</td>\n", + " <td>F</td>\n", + " <td></td>\n", + " <td>{'unitCode': 'wmoUnit:percent', 'value': 30}</td>\n", + " <td>5 to 10 mph</td>\n", + " <td>E</td>\n", + " <td>https://api.weather.gov/icons/land/day/rain,20...</td>\n", + " <td>Chance Light Rain</td>\n", + " <td>A chance of rain. Partly sunny. High near 55, ...</td>\n", + " </tr>\n", + " <tr>\n", + " <th>12</th>\n", + " <td>13</td>\n", + " <td>Tuesday</td>\n", + " <td>2024-11-19T06:00:00-06:00</td>\n", + " <td>2024-11-19T18:00:00-06:00</td>\n", + " <td>True</td>\n", + " <td>54</td>\n", + " <td>F</td>\n", + " <td></td>\n", + " <td>{'unitCode': 'wmoUnit:percent', 'value': 40}</td>\n", + " <td>10 to 15 mph</td>\n", + " <td>N</td>\n", + " <td>https://api.weather.gov/icons/land/day/rain,40...</td>\n", + " <td>Chance Light Rain</td>\n", + " <td>A chance of rain. Partly sunny. High near 54, ...</td>\n", + " </tr>\n", + " <tr>\n", + " <th>13</th>\n", + " <td>14</td>\n", + " <td>Tuesday Night</td>\n", + " <td>2024-11-19T18:00:00-06:00</td>\n", + " <td>2024-11-20T06:00:00-06:00</td>\n", + " <td>False</td>\n", + " <td>35</td>\n", + " <td>F</td>\n", + " <td></td>\n", + " <td>{'unitCode': 'wmoUnit:percent', 'value': 30}</td>\n", + " <td>10 mph</td>\n", + " <td>NW</td>\n", + " <td>https://api.weather.gov/icons/land/night/rain,...</td>\n", + " <td>Chance Light Rain</td>\n", + " <td>A chance of rain. Mostly cloudy, with a low ar...</td>\n", + " </tr>\n", + " </tbody>\n", + "</table>\n", + "</div>" + ], + "text/plain": [ + " number name startTime \\\n", + "1 2 Tonight 2024-11-13T18:00:00-06:00 \n", + "2 3 Thursday 2024-11-14T06:00:00-06:00 \n", + "7 8 Saturday Night 2024-11-16T18:00:00-06:00 \n", + "8 9 Sunday 2024-11-17T06:00:00-06:00 \n", + "9 10 Sunday Night 2024-11-17T18:00:00-06:00 \n", + "10 11 Monday 2024-11-18T06:00:00-06:00 \n", + "12 13 Tuesday 2024-11-19T06:00:00-06:00 \n", + "13 14 Tuesday Night 2024-11-19T18:00:00-06:00 \n", + "\n", + " endTime isDaytime temperature temperatureUnit \\\n", + "1 2024-11-14T06:00:00-06:00 False 44 F \n", + "2 2024-11-14T18:00:00-06:00 True 52 F \n", + "7 2024-11-17T06:00:00-06:00 False 47 F \n", + "8 2024-11-17T18:00:00-06:00 True 59 F \n", + "9 2024-11-18T06:00:00-06:00 False 38 F \n", + "10 2024-11-18T18:00:00-06:00 True 55 F \n", + "12 2024-11-19T18:00:00-06:00 True 54 F \n", + "13 2024-11-20T06:00:00-06:00 False 35 F \n", + "\n", + " temperatureTrend probabilityOfPrecipitation \\\n", + "1 {'unitCode': 'wmoUnit:percent', 'value': 100} \n", + "2 {'unitCode': 'wmoUnit:percent', 'value': 40} \n", + "7 {'unitCode': 'wmoUnit:percent', 'value': 20} \n", + "8 {'unitCode': 'wmoUnit:percent', 'value': 20} \n", + "9 {'unitCode': 'wmoUnit:percent', 'value': 30} \n", + "10 {'unitCode': 'wmoUnit:percent', 'value': 30} \n", + "12 {'unitCode': 'wmoUnit:percent', 'value': 40} \n", + "13 {'unitCode': 'wmoUnit:percent', 'value': 30} \n", + "\n", + " windSpeed windDirection \\\n", + "1 5 to 10 mph NE \n", + "2 5 to 10 mph NW \n", + "7 10 to 15 mph S \n", + "8 10 mph SW \n", + "9 0 to 5 mph NW \n", + "10 5 to 10 mph E \n", + "12 10 to 15 mph N \n", + "13 10 mph NW \n", + "\n", + " icon \\\n", + "1 https://api.weather.gov/icons/land/night/rain,... \n", + "2 https://api.weather.gov/icons/land/day/rain,40... \n", + "7 https://api.weather.gov/icons/land/night/bkn/r... \n", + "8 https://api.weather.gov/icons/land/day/bkn/rai... \n", + "9 https://api.weather.gov/icons/land/night/rain,... \n", + "10 https://api.weather.gov/icons/land/day/rain,20... \n", + "12 https://api.weather.gov/icons/land/day/rain,40... \n", + "13 https://api.weather.gov/icons/land/night/rain,... \n", + "\n", + " shortForecast \\\n", + "1 Rain \n", + "2 Chance Light Rain then Mostly Cloudy \n", + "7 Mostly Cloudy then Slight Chance Light Rain \n", + "8 Mostly Cloudy then Slight Chance Light Rain \n", + "9 Chance Light Rain \n", + "10 Chance Light Rain \n", + "12 Chance Light Rain \n", + "13 Chance Light Rain \n", + "\n", + " detailedForecast \n", + "1 Rain after 7pm. Cloudy, with a low around 44. ... \n", + "2 A chance of rain before 9am. Mostly cloudy, wi... \n", + "7 A slight chance of rain after midnight. Mostly... \n", + "8 A slight chance of rain after noon. Mostly clo... \n", + "9 A chance of rain. Partly cloudy, with a low ar... \n", + "10 A chance of rain. Partly sunny. High near 55, ... \n", + "12 A chance of rain. Partly sunny. High near 54, ... \n", + "13 A chance of rain. Mostly cloudy, with a low ar... " + ] + }, + "execution_count": 24, + "metadata": {}, + "output_type": "execute_result" + } + ], + "source": [ + "rain_days_df = periods_df[periods_df[\"detailedForecast\"].str.contains(\"rain\")]\n", + "rain_days_df" + ] + }, + { + "cell_type": "markdown", + "metadata": {}, + "source": [ + "#### Which day's `detailedForecast` has the most lengthy description?" + ] + }, + { + "cell_type": "code", + "execution_count": 28, + "metadata": {}, + "outputs": [ + { + "name": "stdout", + "output_type": "stream", + "text": [ + "Saturday Night\n" + ] + } + ], + "source": [ + "idx_max_desc = periods_df[\"detailedForecast\"].str.len().idxmax()\n", + "print(periods_df.loc[idx_max_desc]['name'])" + ] + }, + { + "cell_type": "markdown", + "metadata": {}, + "source": [ + "#### ... and what was the forecast for that day?" + ] + }, + { + "cell_type": "code", + "execution_count": 29, + "metadata": {}, + "outputs": [ + { + "name": "stdout", + "output_type": "stream", + "text": [ + "A slight chance of rain after midnight. Mostly cloudy, with a low around 47. South wind 10 to 15 mph. Chance of precipitation is 20%. New rainfall amounts less than a tenth of an inch possible.\n" + ] + } + ], + "source": [ + "print(periods_df.loc[idx_max_desc]['detailedForecast'])" + ] + }, + { + "cell_type": "markdown", + "metadata": {}, + "source": [ + "#### Of the days where the temperature is below 60 F, what is the wind speed forecast?" + ] + }, + { + "cell_type": "code", + "execution_count": 30, + "metadata": {}, + "outputs": [ + { + "data": { + "text/plain": [ + "0 10 to 15 mph\n", + "1 5 to 10 mph\n", + "2 5 to 10 mph\n", + "3 0 to 5 mph\n", + "4 0 to 5 mph\n", + "5 0 to 5 mph\n", + "6 5 to 15 mph\n", + "7 10 to 15 mph\n", + "8 10 mph\n", + "9 0 to 5 mph\n", + "10 5 to 10 mph\n", + "11 10 mph\n", + "12 10 to 15 mph\n", + "13 10 mph\n", + "Name: windSpeed, dtype: object" + ] + }, + "execution_count": 30, + "metadata": {}, + "output_type": "execute_result" + } + ], + "source": [ + "winds = periods_df[periods_df[\"temperature\"] < 60][\"windSpeed\"]\n", + "winds" + ] + }, + { + "cell_type": "markdown", + "metadata": {}, + "source": [ + "#### ... and what was the maximum predicted wind speed?" + ] + }, + { + "cell_type": "code", + "execution_count": 31, + "metadata": { + "scrolled": true + }, + "outputs": [ + { + "data": { + "text/plain": [ + "0 10 to 15\n", + "1 5 to 10\n", + "2 5 to 10\n", + "3 0 to 5\n", + "4 0 to 5\n", + "5 0 to 5\n", + "6 5 to 15\n", + "7 10 to 15\n", + "8 10\n", + "9 0 to 5\n", + "10 5 to 10\n", + "11 10\n", + "12 10 to 15\n", + "13 10\n", + "Name: windSpeed, dtype: object" + ] + }, + "execution_count": 31, + "metadata": {}, + "output_type": "execute_result" + } + ], + "source": [ + "better_winds = winds.str[:-4]\n", + "better_winds" + ] + }, + { + "cell_type": "code", + "execution_count": 32, + "metadata": {}, + "outputs": [ + { + "data": { + "text/plain": [ + "15" + ] + }, + "execution_count": 32, + "metadata": {}, + "output_type": "execute_result" + } + ], + "source": [ + "best_winds = better_winds.apply(lambda wind : int(wind) if \" to \" not in wind else int(wind.split(\" to \")[1]))\n", + "best_winds.max()" + ] + }, + { + "cell_type": "markdown", + "metadata": {}, + "source": [ + "### Write it out to a CSV file on your drive\n", + "You now have your own copy!" + ] + }, + { + "cell_type": "code", + "execution_count": 33, + "metadata": {}, + "outputs": [], + "source": [ + "# Write it all out to a single CSV file\n", + "periods_df.to_csv(\"campus_weather.csv\", index=False)" + ] + }, + { + "cell_type": "markdown", + "metadata": {}, + "source": [ + "### Other Cool APIs" + ] + }, + { + "cell_type": "markdown", + "metadata": {}, + "source": [ + "- City of Madison Transit: http://transitdata.cityofmadison.com/\n", + "- Reddit: https://reddit.com/r/UWMadison.json\n", + "- Lord of the Rings: https://the-one-api.dev/\n", + "- Pokemon: https://pokeapi.co/\n", + "- CS571: https://www.cs571.org/ (you have to be enrolled!)\n", + "\n", + "Remember: Be judicious when making requests; don't overwhelm the server! :)" + ] + }, + { + "cell_type": "markdown", + "metadata": {}, + "source": [ + "## Next Time\n", + "What other documents can we get via the Web? HTML is very popular! We'll explore this." + ] + } + ], + "metadata": { + "kernelspec": { + "display_name": "Python 3 (ipykernel)", + "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.4" + } + }, + "nbformat": 4, + "nbformat_minor": 4 +} diff --git a/f24/Louis_Lecture_Notes/29_Web1/new_movie_data.csv b/f24/Louis_Lecture_Notes/29_Web1/new_movie_data.csv new file mode 100644 index 0000000000000000000000000000000000000000..356ae42e85fbe78bded3fdd43d8be2ac54e0c560 --- /dev/null +++ b/f24/Louis_Lecture_Notes/29_Web1/new_movie_data.csv @@ -0,0 +1,1069 @@ +Title,Genre,Director,Cast,Year,Runtime,Rating,Revenue +Guardians of the Galaxy,"Action,Adventure,Sci-Fi",James Gunn,"Chris Pratt, Vin Diesel, Bradley Cooper, Zoe Saldana",2014,121,8.1,333.13 +Prometheus,"Adventure,Mystery,Sci-Fi",Ridley Scott,"Noomi Rapace, Logan Marshall-Green, Michael fassbender, Charlize Theron",2012,124,7,126.46M +Split,"Horror,Thriller",M. Night Shyamalan,"James McAvoy, Anya Taylor-Joy, Haley Lu Richardson, Jessica Sula",2016,117,7.3,138.12M +Sing,"Animation,Comedy,Family",Christophe Lourdelet,"Matthew McConaughey,Reese Witherspoon, Seth MacFarlane, Scarlett Johansson",2016,108,7.2,270.32 +Suicide Squad,"Action,Adventure,Fantasy",David Ayer,"Will Smith, Jared Leto, Margot Robbie, Viola Davis",2016,123,6.2,325.02 +The Great Wall,"Action,Adventure,Fantasy",Yimou Zhang,"Matt Damon, Tian Jing, Willem Dafoe, Andy Lau",2016,103,6.1,45.13 +La La Land,"Comedy,Drama,Music",Damien Chazelle,"Ryan Gosling, Emma Stone, Rosemarie DeWitt, J.K. Simmons",2016,128,8.3,151.06M +Mindhorn,Comedy,Sean Foley,"Essie Davis, Andrea Riseborough, Julian Barratt,Kenneth Branagh",2016,89,6.4,0 +The Lost City of Z,"Action,Adventure,Biography",James Gray,"Charlie Hunnam, Robert Pattinson, Sienna Miller, Tom Holland",2016,141,7.1,8.01 +Passengers,"Adventure,Drama,Romance",Morten Tyldum,"Jennifer Lawrence, Chris Pratt, Michael Sheen,Laurence Fishburne",2016,116,7,100.01M +Fantastic Beasts and Where to Find Them,"Adventure,Family,Fantasy",David Yates,"Eddie Redmayne, Katherine Waterston, Alison Sudol,Dan Fogler",2016,133,7.5,234.02 +Hidden Figures,"Biography,Drama,History",Theodore Melfi,"Taraji P. Henson, Octavia Spencer, Janelle Monáe,Kevin Costner",2016,127,7.8,169.27M +Rogue One,"Action,Adventure,Sci-Fi",Gareth Edwards,"Felicity Jones, Diego Luna, Alan Tudyk, Donnie Yen",2016,133,7.9,532.17 +Moana,"Animation,Adventure,Comedy",Ron Clements,"Auli'i Cravalho, Dwayne Johnson, Rachel House, Temuera Morrison",2016,107,7.7,248.75 +Colossal,"Action,Comedy,Drama",Nacho Vigalondo,"Anne Hathaway, Jason Sudeikis, Austin Stowell,Tim Blake Nelson",2016,109,6.4,2.87 +The Secret Life of Pets,"Animation,Adventure,Comedy",Chris Renaud,"Louis C.K., Eric Stonestreet, Kevin Hart, Lake Bell",2016,87,6.6,368.31 +Hacksaw Ridge,"Biography,Drama,History",Mel Gibson,"Andrew Garfield, Sam Worthington, Luke Bracey,Teresa Palmer",2016,139,8.2,67.12 +Jason Bourne,"Action,Thriller",Paul Greengrass,"Matt Damon, Tommy Lee Jones, Alicia Vikander,Vincent Cassel",2016,123,6.7,162.16M +Lion,"Biography,Drama",Garth Davis,"Dev Patel, Nicole Kidman, Rooney Mara, Sunny Pawar",2016,118,8.1,51.69 +Arrival,"Drama,Mystery,Sci-Fi",Denis Villeneuve,"Amy Adams, Jeremy Renner, Forest Whitaker,Michael Stuhlbarg",2016,116,8,100.5M +Gold,"Adventure,Drama,Thriller",Stephen Gaghan,"Matthew McConaughey, Edgar Ramírez, Bryce Dallas Howard, Corey Stoll",2016,120,6.7,7.22 +Manchester by the Sea,Drama,Kenneth Lonergan,"Casey Affleck, Michelle Williams, Kyle Chandler,Lucas Hedges",2016,137,7.9,47.7 +Hounds of Love,"Crime,Drama,Horror",Ben Young,"Emma Booth, Ashleigh Cummings, Stephen Curry,Susie Porter",2016,108,6.7,0 +Trolls,"Animation,Adventure,Comedy",Walt Dohrn,"Anna Kendrick, Justin Timberlake,Zooey Deschanel, Christopher Mintz-Plasse",2016,92,6.5,153.69M +Independence Day: Resurgence,"Action,Adventure,Sci-Fi",Roland Emmerich,"Liam Hemsworth, Jeff Goldblum, Bill Pullman,Maika Monroe",2016,120,5.3,103.14M +Paris pieds nus,Comedy,Dominique Abel,"Fiona Gordon, Dominique Abel,Emmanuelle Riva, Pierre Richard",2016,83,6.8,0 +Bahubali: The Beginning,"Action,Adventure,Drama",S.S. Rajamouli,"Prabhas, Rana Daggubati, Anushka Shetty,Tamannaah Bhatia",2015,159,8.3,6.5 +Dead Awake,"Horror,Thriller",Phillip Guzman,"Jocelin Donahue, Jesse Bradford, Jesse Borrego,Lori Petty",2016,99,4.7,0.01 +Bad Moms,Comedy,Jon Lucas,"Mila Kunis, Kathryn Hahn, Kristen Bell,Christina Applegate",2016,100,6.2,113.08M +Assassin's Creed,"Action,Adventure,Drama",Justin Kurzel,"Michael Fassbender, Marion Cotillard, Jeremy Irons,Brendan Gleeson",2016,115,5.9,54.65 +Why Him?,Comedy,John Hamburg,"Zoey Deutch, James Franco, Tangie Ambrose,Cedric the Entertainer",2016,111,6.3,60.31 +Nocturnal Animals,"Drama,Thriller",Tom Ford,"Amy Adams, Jake Gyllenhaal, Michael Shannon, Aaron Taylor-Johnson",2016,116,7.5,10.64 +X-Men: Apocalypse,"Action,Adventure,Sci-Fi",Bryan Singer,"James McAvoy, Michael Fassbender, Jennifer Lawrence, Nicholas Hoult",2016,144,7.1,155.33M +Deadpool,"Action,Adventure,Comedy",Tim Miller,"Ryan Reynolds, Morena Baccarin, T.J. Miller, Ed Skrein",2016,108,8,363.02 +Resident Evil: The Final Chapter,"Action,Horror,Sci-Fi",Paul W.S. Anderson,"Milla Jovovich, Iain Glen, Ali Larter, Shawn Roberts",2016,107,5.6,26.84 +Captain America: Civil War,"Action,Adventure,Sci-Fi",Anthony Russo,"Chris Evans, Robert Downey Jr.,Scarlett Johansson, Sebastian Stan",2016,147,7.9,408.08 +Interstellar,"Adventure,Drama,Sci-Fi",Christopher Nolan,"Matthew McConaughey, Anne Hathaway, Jessica Chastain, Mackenzie Foy",2014,169,8.6,187.99M +Doctor Strange,"Action,Adventure,Fantasy",Scott Derrickson,"Benedict Cumberbatch, Chiwetel Ejiofor, Rachel McAdams, Benedict Wong",2016,115,7.6,232.6 +The Magnificent Seven,"Action,Adventure,Western",Antoine Fuqua,"Denzel washington, Chris Pratt, Ethan Hawke,Vincent D'Onofrio",2016,132,6.9,93.38 +5/25/1977,"Comedy,Drama",Patrick Read Johnson,"John Francis Daley, Austin Pendleton, Colleen Camp, Neil Flynn",2007,113,7.1,0 +Sausage Party,"Animation,Adventure,Comedy",Greg Tiernan,"Seth Rogen, Kristen Wiig, Jonah Hill, Alistair Abell",2016,89,6.3,97.66 +Moonlight,Drama,Barry Jenkins,"Mahershala Ali, Shariff Earp, Duan Sanderson, Alex R. Hibbert",2016,111,7.5,27.85 +Don't Fuck in the Woods,Horror,Shawn Burkett,"Brittany Blanton, Ayse Howard, Roman Jossart,Nadia White",2016,73,2.7,0 +The Founder,"Biography,Drama,History",John Lee Hancock,"Michael Keaton, Nick Offerman, John Carroll Lynch, Linda Cardellini",2016,115,7.2,12.79 +Lowriders,Drama,Ricardo de Montreuil,"Gabriel Chavarria, Demián Bichir, Theo Rossi,Tony Revolori",2016,99,6.3,4.21 +Pirates of the Caribbean: On Stranger Tides,"Action,Adventure,Fantasy",Rob Marshall,"Johnny Depp, Penélope Cruz, Ian McShane, Geoffrey Rush",2011,136,6.7,241.06 +Miss Sloane,"Drama,Thriller",John Madden,"Jessica Chastain, Mark Strong, Gugu Mbatha-Raw,Michael Stuhlbarg",2016,132,7.3,3.44 +Fallen,"Adventure,Drama,Fantasy",Scott Hicks,"Hermione Corfield, Addison Timlin, Joely Richardson,Jeremy Irvine",2016,91,5.6,0 +Star Trek Beyond,"Action,Adventure,Sci-Fi",Justin Lin,"Chris Pine, Zachary Quinto, Karl Urban, Zoe Saldana",2016,122,7.1,158.8M +The Last Face,Drama,Sean Penn,"Charlize Theron, Javier Bardem, Adèle Exarchopoulos,Jared Harris",2016,130,3.7,0 +Star Wars: Episode VII - The Force Awakens,"Action,Adventure,Fantasy",J.J. Abrams,"Daisy Ridley, John Boyega, Oscar Isaac, Domhnall Gleeson",2015,136,8.1,936.63 +Underworld: Blood Wars,"Action,Adventure,Fantasy",Anna Foerster,"Kate Beckinsale, Theo James, Tobias Menzies, Lara Pulver",2016,91,5.8,30.35 +Mother's Day,"Comedy,Drama",Garry Marshall,"Jennifer Aniston, Kate Hudson, Julia Roberts, Jason Sudeikis",2016,118,5.6,32.46 +John Wick,"Action,Crime,Thriller",Chad Stahelski,"Keanu Reeves, Michael Nyqvist, Alfie Allen, Willem Dafoe",2014,101,7.2,43 +The Dark Knight,"Action,Crime,Drama",Christopher Nolan,"Christian Bale, Heath Ledger, Aaron Eckhart,Michael Caine",2008,152,9,533.32 +Silence,"Adventure,Drama,History",Martin Scorsese,"Andrew Garfield, Adam Driver, Liam Neeson,Tadanobu Asano",2016,161,7.3,7.08 +Don't Breathe,"Crime,Horror,Thriller",Fede Alvarez,"Stephen Lang, Jane Levy, Dylan Minnette, Daniel Zovatto",2016,88,7.2,89.21 +Me Before You,"Drama,Romance",Thea Sharrock,"Emilia Clarke, Sam Claflin, Janet McTeer, Charles Dance",2016,106,7.4,56.23 +Their Finest,"Comedy,Drama,Romance",Lone Scherfig,"Gemma Arterton, Sam Claflin, Bill Nighy, Jack Huston",2016,117,7,3.18 +Sully,"Biography,Drama",Clint Eastwood,"Tom Hanks, Aaron Eckhart, Laura Linney, Valerie Mahaffey",2016,96,7.5,125.07M +Batman v Superman: Dawn of Justice,"Action,Adventure,Sci-Fi",Zack Snyder,"Ben Affleck, Henry Cavill, Amy Adams, Jesse Eisenberg",2016,151,6.7,330.25 +The Autopsy of Jane Doe,"Horror,Mystery,Thriller",André Øvredal,"Brian Cox, Emile Hirsch, Ophelia Lovibond, Michael McElhatton",2016,86,6.8,0 +The Girl on the Train,"Crime,Drama,Mystery",Tate Taylor,"Emily Blunt, Haley Bennett, Rebecca Ferguson, Justin Theroux",2016,112,6.5,75.31 +Fifty Shades of Grey,"Drama,Romance,Thriller",Sam Taylor-Johnson,"Dakota Johnson, Jamie Dornan, Jennifer Ehle,Eloise Mumford",2015,125,4.1,166.15M +The Prestige,"Drama,Mystery,Sci-Fi",Christopher Nolan,"Christian Bale, Hugh Jackman, Scarlett Johansson, Michael Caine",2006,130,8.5,53.08 +Kingsman: The Secret Service,"Action,Adventure,Comedy",Matthew Vaughn,"Colin Firth, Taron Egerton, Samuel L. Jackson,Michael Caine",2014,129,7.7,128.25M +Patriots Day,"Drama,History,Thriller",Peter Berg,"Mark Wahlberg, Michelle Monaghan, J.K. Simmons, John Goodman",2016,133,7.4,31.86 +Mad Max: Fury Road,"Action,Adventure,Sci-Fi",George Miller,"Tom Hardy, Charlize Theron, Nicholas Hoult, Zoë Kravitz",2015,120,8.1,153.63M +Wakefield,Drama,Robin Swicord,"Bryan Cranston, Jennifer Garner, Beverly D'Angelo,Jason O'Mara",2016,106,7.5,0.01 +Deepwater Horizon,"Action,Drama,Thriller",Peter Berg,"Mark Wahlberg, Kurt Russell, Douglas M. Griffin, James DuMont",2016,107,7.2,61.28 +The Promise,"Drama,History",Terry George,"Oscar Isaac, Charlotte Le Bon, Christian Bale, Daniel Giménez Cacho",2016,133,5.9,0 +Allied,"Action,Drama,Romance",Robert Zemeckis,"Brad Pitt, Marion Cotillard, Jared Harris, Vincent Ebrahim",2016,124,7.1,40.07 +A Monster Calls,"Drama,Fantasy",J.A. Bayona,"Lewis MacDougall, Sigourney Weaver, Felicity Jones,Toby Kebbell",2016,108,7.5,3.73 +Collateral Beauty,"Drama,Romance",David Frankel,"Will Smith, Edward Norton, Kate Winslet, Michael Peña",2016,97,6.8,30.98 +Zootopia,"Animation,Adventure,Comedy",Byron Howard,"Ginnifer Goodwin, Jason Bateman, Idris Elba, Jenny Slate",2016,108,8.1,341.26 +Pirates of the Caribbean: At World's End,"Action,Adventure,Fantasy",Gore Verbinski,"Johnny Depp, Orlando Bloom, Keira Knightley,Geoffrey Rush",2007,169,7.1,309.4 +The Avengers,"Action,Sci-Fi",Joss Whedon,"Robert Downey Jr., Chris Evans, Scarlett Johansson,Jeremy Renner",2012,143,8.1,623.28 +Inglourious Basterds,"Adventure,Drama,War",Quentin Tarantino,"Brad Pitt, Diane Kruger, Eli Roth,Mélanie Laurent",2009,153,8.3,120.52M +Pirates of the Caribbean: Dead Man's Chest,"Action,Adventure,Fantasy",Gore Verbinski,"Johnny Depp, Orlando Bloom, Keira Knightley, Jack Davenport",2006,151,7.3,423.03 +Ghostbusters,"Action,Comedy,Fantasy",Paul Feig,"Melissa McCarthy, Kristen Wiig, Kate McKinnon, Leslie Jones",2016,116,5.3,128.34M +Inception,"Action,Adventure,Sci-Fi",Christopher Nolan,"Leonardo DiCaprio, Joseph Gordon-Levitt, Ellen Page, Ken Watanabe",2010,148,8.8,292.57 +Captain Fantastic,"Comedy,Drama",Matt Ross,"Viggo Mortensen, George MacKay, Samantha Isler,Annalise Basso",2016,118,7.9,5.88 +The Wolf of Wall Street,"Biography,Comedy,Crime",Martin Scorsese,"Leonardo DiCaprio, Jonah Hill, Margot Robbie,Matthew McConaughey",2013,180,8.2,116.87M +Gone Girl,"Crime,Drama,Mystery",David Fincher,"Ben Affleck, Rosamund Pike, Neil Patrick Harris,Tyler Perry",2014,149,8.1,167.74M +Furious Seven,"Action,Crime,Thriller",James Wan,"Vin Diesel, Paul Walker, Dwayne Johnson, Jason Statham",2015,137,7.2,350.03 +Jurassic World,"Action,Adventure,Sci-Fi",Colin Trevorrow,"Chris Pratt, Bryce Dallas Howard, Ty Simpkins,Judy Greer",2015,124,7,652.18 +Live by Night,"Crime,Drama",Ben Affleck,"Ben Affleck, Elle Fanning, Brendan Gleeson, Chris Messina",2016,129,6.4,10.38 +Avatar,"Action,Adventure,Fantasy",James Cameron,"Sam Worthington, Zoe Saldana, Sigourney Weaver, Michelle Rodriguez",2009,162,7.8,760.51 +The Hateful Eight,"Crime,Drama,Mystery",Quentin Tarantino,"Samuel L. Jackson, Kurt Russell, Jennifer Jason Leigh, Walton Goggins",2015,187,7.8,54.12 +The Accountant,"Action,Crime,Drama",Gavin O'Connor,"Ben Affleck, Anna Kendrick, J.K. Simmons, Jon Bernthal",2016,128,7.4,86.2 +Prisoners,"Crime,Drama,Mystery",Denis Villeneuve,"Hugh Jackman, Jake Gyllenhaal, Viola Davis,Melissa Leo",2013,153,8.1,60.96 +Warcraft,"Action,Adventure,Fantasy",Duncan Jones,"Travis Fimmel, Paula Patton, Ben Foster, Dominic Cooper",2016,123,7,47.17 +The Help,Drama,Tate Taylor,"Emma Stone, Viola Davis, Octavia Spencer, Bryce Dallas Howard",2011,146,8.1,169.71M +War Dogs,"Comedy,Crime,Drama",Todd Phillips,"Jonah Hill, Miles Teller, Steve Lantz, Gregg Weiner",2016,114,7.1,43.02 +Avengers: Age of Ultron,"Action,Adventure,Sci-Fi",Joss Whedon,"Robert Downey Jr., Chris Evans, Mark Ruffalo, Chris Hemsworth",2015,141,7.4,458.99 +The Nice Guys,"Action,Comedy,Crime",Shane Black,"Russell Crowe, Ryan Gosling, Angourie Rice, Matt Bomer",2016,116,7.4,36.25 +Kimi no na wa,"Animation,Drama,Fantasy",Makoto Shinkai,"Ryûnosuke Kamiki, Mone Kamishiraishi, Ryô Narita, Aoi Yuki",2016,106,8.6,4.68 +The Void,"Horror,Mystery,Sci-Fi",Jeremy Gillespie,"Aaron Poole, Kenneth Welsh,Daniel Fathers, Kathleen Munroe",2016,90,5.8,0.15 +Personal Shopper,"Drama,Mystery,Thriller",Olivier Assayas,"Kristen Stewart, Lars Eidinger, Sigrid Bouaziz,Anders Danielsen Lie",2016,105,6.3,1.29 +The Departed,"Crime,Drama,Thriller",Martin Scorsese,"Leonardo DiCaprio, Matt Damon, Jack Nicholson, Mark Wahlberg",2006,151,8.5,132.37M +Legend,"Biography,Crime,Drama",Brian Helgeland,"Tom Hardy, Emily Browning, Taron Egerton, Paul Anderson",2015,132,7,1.87 +Thor,"Action,Adventure,Fantasy",Kenneth Branagh,"Chris Hemsworth, Anthony Hopkins, Natalie Portman, Tom Hiddleston",2011,115,7,181.02M +The Martian,"Adventure,Drama,Sci-Fi",Ridley Scott,"Matt Damon, Jessica Chastain, Kristen Wiig, Kate Mara",2015,144,8,228.43 +Contratiempo,"Crime,Mystery,Thriller",Oriol Paulo,"Mario Casas, Ana Wagener, José Coronado, Bárbara Lennie",2016,106,7.9,0 +The Man from U.N.C.L.E.,"Action,Adventure,Comedy",Guy Ritchie,"Henry Cavill, Armie Hammer, Alicia Vikander, Elizabeth Debicki",2015,116,7.3,45.43 +Hell or High Water,"Crime,Drama,Thriller",David Mackenzie,"Chris Pine, Ben Foster, Jeff Bridges, Gil Birmingham",2016,102,7.7,26.86 +The Comedian,Comedy,Taylor Hackford,"Robert De Niro, Leslie Mann, Danny DeVito, Edie Falco",2016,120,5.4,1.66 +The Legend of Tarzan,"Action,Adventure,Drama",David Yates,"Alexander Skarsgård, Rory J. Saper, Christian Stevens, Christoph Waltz",2016,110,6.3,126.59M +All We Had,Drama,Katie Holmes,"Eve Lindley, Richard Kind, Mark Consuelos, Katherine Reis",2016,105,5.8,0 +Ex Machina,"Drama,Mystery,Sci-Fi",Alex Garland,"Alicia Vikander, Domhnall Gleeson, Oscar Isaac,Sonoya Mizuno",2014,108,7.7,25.44 +The Belko Experiment,"Action,Horror,Thriller",Greg McLean,"John Gallagher Jr., Tony Goldwyn, Adria Arjona, John C. McGinley",2016,89,6.3,10.16 +12 Years a Slave,"Biography,Drama,History",Steve McQueen,"Chiwetel Ejiofor, Michael Kenneth Williams, Michael Fassbender, Brad Pitt",2013,134,8.1,56.67 +The Bad Batch,"Romance,Sci-Fi",Ana Lily Amirpour,"Keanu Reeves, Jason Momoa, Jim Carrey, Diego Luna",2016,118,6.1,0 +300,"Action,Fantasy,War",Zack Snyder,"Gerard Butler, Lena Headey, David Wenham, Dominic West",2006,117,7.7,210.59 +Harry Potter and the Deathly Hallows: Part 2,"Adventure,Drama,Fantasy",David Yates,"Daniel Radcliffe, Emma Watson, Rupert Grint, Michael Gambon",2011,130,8.1,380.96 +Office Christmas Party,Comedy,Josh Gordon,"Jason Bateman, Olivia Munn, T.J. Miller,Jennifer Aniston",2016,105,5.8,54.73 +The Neon Demon,"Horror,Thriller",Nicolas Winding Refn,"Elle Fanning, Christina Hendricks, Keanu Reeves, Karl Glusman",2016,118,6.2,1.33 +Dangal,"Action,Biography,Drama",Nitesh Tiwari,"Aamir Khan, Sakshi Tanwar, Fatima Sana Shaikh,Sanya Malhotra",2016,161,8.8,11.15 +10 Cloverfield Lane,"Drama,Horror,Mystery",Dan Trachtenberg,"John Goodman, Mary Elizabeth Winstead, John Gallagher Jr., Douglas M. Griffin",2016,104,7.2,71.9 +Finding Dory,"Animation,Adventure,Comedy",Andrew Stanton,"Ellen DeGeneres, Albert Brooks,Ed O'Neill, Kaitlin Olson",2016,97,7.4,486.29 +Miss Peregrine's Home for Peculiar Children,"Adventure,Drama,Family",Tim Burton,"Eva Green, Asa Butterfield, Samuel L. Jackson, Judi Dench",2016,127,6.7,87.24 +Divergent,"Adventure,Mystery,Sci-Fi",Neil Burger,"Shailene Woodley, Theo James, Kate Winslet, Jai Courtney",2014,139,6.7,150.83M +Mike and Dave Need Wedding Dates,"Adventure,Comedy,Romance",Jake Szymanski,"Zac Efron, Adam Devine, Anna Kendrick, Aubrey Plaza",2016,98,6,46.01 +Boyka: Undisputed IV,Action,Todor Chapkanov,"Scott Adkins, Teodora Duhovnikova, Alon Aboutboul, Julian Vergov",2016,86,7.4,0 +The Dark Knight Rises,"Action,Thriller",Christopher Nolan,"Christian Bale, Tom Hardy, Anne Hathaway,Gary Oldman",2012,164,8.5,448.13 +The Jungle Book,"Adventure,Drama,Family",Jon Favreau,"Neel Sethi, Bill Murray, Ben Kingsley, Idris Elba",2016,106,7.5,364 +Transformers: Age of Extinction,"Action,Adventure,Sci-Fi",Michael Bay,"Mark Wahlberg, Nicola Peltz, Jack Reynor, Stanley Tucci",2014,165,5.7,245.43 +Nerve,"Adventure,Crime,Mystery",Henry Joost,"Emma Roberts, Dave Franco, Emily Meade, Miles Heizer",2016,96,6.6,38.56 +Mamma Mia!,"Comedy,Family,Musical",Phyllida Lloyd,"Meryl Streep, Pierce Brosnan, Amanda Seyfried,Stellan Skarsgård",2008,108,6.4,143.7M +The Revenant,"Adventure,Drama,Thriller",Alejandro González Iñárritu,"Leonardo DiCaprio, Tom Hardy, Will Poulter, Domhnall Gleeson",2015,156,8,183.64M +Fences,Drama,Denzel Washington,"Denzel Washington, Viola Davis, Stephen Henderson, Jovan Adepo",2016,139,7.3,57.64 +Into the Woods,"Adventure,Comedy,Drama",Rob Marshall,"Anna Kendrick, Meryl Streep, Chris Pine, Emily Blunt",2014,125,6,128M +The Shallows,"Drama,Horror,Thriller",Jaume Collet-Serra,"Blake Lively, Óscar Jaenada, Angelo Josue Lozano Corzo, Brett Cullen",2016,86,6.4,55.12 +Whiplash,"Drama,Music",Damien Chazelle,"Miles Teller, J.K. Simmons, Melissa Benoist, Paul Reiser",2014,107,8.5,13.09 +Furious 6,"Action,Crime,Thriller",Justin Lin,"Vin Diesel, Paul Walker, Dwayne Johnson, Michelle Rodriguez",2013,130,7.1,238.67 +The Place Beyond the Pines,"Crime,Drama,Thriller",Derek Cianfrance,"Ryan Gosling, Bradley Cooper, Eva Mendes,Craig Van Hook",2012,140,7.3,21.38 +No Country for Old Men,"Crime,Drama,Thriller",Ethan Coen,"Tommy Lee Jones, Javier Bardem, Josh Brolin, Woody Harrelson",2007,122,8.1,74.27 +The Great Gatsby,"Drama,Romance",Baz Luhrmann,"Leonardo DiCaprio, Carey Mulligan, Joel Edgerton,Tobey Maguire",2013,143,7.3,144.81M +Shutter Island,"Mystery,Thriller",Martin Scorsese,"Leonardo DiCaprio, Emily Mortimer, Mark Ruffalo,Ben Kingsley",2010,138,8.1,127.97M +Brimstone,"Mystery,Thriller,Western",Martin Koolhoven,"Dakota Fanning, Guy Pearce, Kit Harington,Carice van Houten",2016,148,7.1,0 +Star Trek,"Action,Adventure,Sci-Fi",J.J. Abrams,"Chris Pine, Zachary Quinto, Simon Pegg, Leonard Nimoy",2009,127,8,257.7 +Diary of a Wimpy Kid,"Comedy,Family",Thor Freudenthal,"Zachary Gordon, Robert Capron, Rachael Harris,Steve Zahn",2010,94,6.2,64 +The Big Short,"Biography,Comedy,Drama",Adam McKay,"Christian Bale, Steve Carell, Ryan Gosling, Brad Pitt",2015,130,7.8,70.24 +Room,Drama,Lenny Abrahamson,"Brie Larson, Jacob Tremblay, Sean Bridgers,Wendy Crewson",2015,118,8.2,14.68 +Django Unchained,"Drama,Western",Quentin Tarantino,"Jamie Foxx, Christoph Waltz, Leonardo DiCaprio,Kerry Washington",2012,165,8.4,162.8M +Ah-ga-ssi,"Drama,Mystery,Romance",Chan-wook Park,"Min-hee Kim, Jung-woo Ha, Jin-woong Jo, So-ri Moon",2016,144,8.1,2.01 +The Edge of Seventeen,"Comedy,Drama",Kelly Fremon Craig,"Hailee Steinfeld, Haley Lu Richardson, Blake Jenner, Kyra Sedgwick",2016,104,7.4,14.26 +Watchmen,"Action,Drama,Mystery",Zack Snyder,"Jackie Earle Haley, Patrick Wilson, Carla Gugino,Malin Akerman",2009,162,7.6,107.5M +Superbad,Comedy,Greg Mottola,"Michael Cera, Jonah Hill, Christopher Mintz-Plasse, Bill Hader",2007,113,7.6,121.46M +Inferno,"Action,Adventure,Crime",Ron Howard,"Tom Hanks, Felicity Jones, Irrfan Khan, Ben Foster",2016,121,6.2,34.26 +The BFG,"Adventure,Family,Fantasy",Steven Spielberg,"Mark Rylance, Ruby Barnhill, Penelope Wilton,Jemaine Clement",2016,117,6.4,55.47 +The Hunger Games,"Adventure,Sci-Fi,Thriller",Gary Ross,"Jennifer Lawrence, Josh Hutcherson, Liam Hemsworth,Stanley Tucci",2012,142,7.2,408 +White Girl,Drama,Elizabeth Wood,"Morgan Saylor, Brian Marc, Justin Bartha, Adrian Martinez",2016,88,5.8,0.2 +Sicario,"Action,Crime,Drama",Denis Villeneuve,"Emily Blunt, Josh Brolin, Benicio Del Toro, Jon Bernthal",2015,121,7.6,46.88 +Twin Peaks: The Missing Pieces,"Drama,Horror,Mystery",David Lynch,"Chris Isaak, Kiefer Sutherland, C.H. Evans, Sandra Kinder",2014,91,8.1,0 +Aliens vs Predator - Requiem,"Action,Horror,Sci-Fi",Colin Strause,"Reiko Aylesworth, Steven Pasquale,Shareeka Epps, John Ortiz",2007,94,4.7,41.8 +Pacific Rim,"Action,Adventure,Sci-Fi",Guillermo del Toro,"Idris Elba, Charlie Hunnam, Rinko Kikuchi,Charlie Day",2013,131,7,101.79M +"Crazy, Stupid, Love.","Comedy,Drama,Romance",Glenn Ficarra,"Steve Carell, Ryan Gosling, Julianne Moore, Emma Stone",2011,118,7.4,84.24 +Scott Pilgrim vs. the World,"Action,Comedy,Fantasy",Edgar Wright,"Michael Cera, Mary Elizabeth Winstead, Kieran Culkin, Alison Pill",2010,112,7.5,31.49 +Hot Fuzz,"Action,Comedy,Mystery",Edgar Wright,"Simon Pegg, Nick Frost, Martin Freeman, Bill Nighy",2007,121,7.9,23.62 +Mine,"Thriller,War",Fabio Guaglione,"Armie Hammer, Annabelle Wallis,Tom Cullen, Clint Dyer",2016,106,6,0 +Free Fire,"Action,Comedy,Crime",Ben Wheatley,"Sharlto Copley, Brie Larson, Armie Hammer, Cillian Murphy",2016,90,7,1.8 +X-Men: Days of Future Past,"Action,Adventure,Sci-Fi",Bryan Singer,"Patrick Stewart, Ian McKellen, Hugh Jackman, James McAvoy",2014,132,8,233.91 +Jack Reacher: Never Go Back,"Action,Adventure,Crime",Edward Zwick,"Tom Cruise, Cobie Smulders, Aldis Hodge, Robert Knepper",2016,118,6.1,58.4 +Casino Royale,"Action,Adventure,Thriller",Martin Campbell,"Daniel Craig, Eva Green, Judi Dench, Jeffrey Wright",2006,144,8,167.01M +Twilight,"Drama,Fantasy,Romance",Catherine Hardwicke,"Kristen Stewart, Robert Pattinson, Billy Burke,Sarah Clarke",2008,122,5.2,191.45M +Now You See Me 2,"Action,Adventure,Comedy",Jon M. Chu,"Jesse Eisenberg, Mark Ruffalo, Woody Harrelson, Dave Franco",2016,129,6.5,65.03 +Woman in Gold,"Biography,Drama,History",Simon Curtis,"Helen Mirren, Ryan Reynolds, Daniel Brühl, Katie Holmes",2015,109,7.3,33.31 +13 Hours,"Action,Drama,History",Michael Bay,"John Krasinski, Pablo Schreiber, James Badge Dale,David Denman",2016,144,7.3,52.82 +Spectre,"Action,Adventure,Thriller",Sam Mendes,"Daniel Craig, Christoph Waltz, Léa Seydoux, Ralph Fiennes",2015,148,6.8,200.07 +Nightcrawler,"Crime,Drama,Thriller",Dan Gilroy,"Jake Gyllenhaal, Rene Russo, Bill Paxton, Riz Ahmed",2014,118,7.9,32.28 +Kubo and the Two Strings,"Animation,Adventure,Family",Travis Knight,"Charlize Theron, Art Parkinson, Matthew McConaughey, Ralph Fiennes",2016,101,7.9,48.02 +Beyond the Gates,"Adventure,Horror",Jackson Stewart,"Graham Skipper, Chase Williamson, Brea Grant,Barbara Crampton",2016,84,5.2,0 +Her,"Drama,Romance,Sci-Fi",Spike Jonze,"Joaquin Phoenix, Amy Adams, Scarlett Johansson,Rooney Mara",2013,126,8,25.56 +Frozen,"Animation,Adventure,Comedy",Chris Buck,"Kristen Bell, Idina Menzel, Jonathan Groff, Josh Gad",2013,102,7.5,400.74 +Tomorrowland,"Action,Adventure,Family",Brad Bird,"George Clooney, Britt Robertson, Hugh Laurie, Raffey Cassidy",2015,130,6.5,93.42 +Dawn of the Planet of the Apes,"Action,Adventure,Drama",Matt Reeves,"Gary Oldman, Keri Russell, Andy Serkis, Kodi Smit-McPhee",2014,130,7.6,208.54 +Tropic Thunder,"Action,Comedy",Ben Stiller,"Ben Stiller, Jack Black, Robert Downey Jr., Jeff Kahn",2008,107,7,110.42M +The Conjuring 2,"Horror,Mystery,Thriller",James Wan,"Vera Farmiga, Patrick Wilson, Madison Wolfe, Frances O'Connor",2016,134,7.4,102.46M +Ant-Man,"Action,Adventure,Comedy",Peyton Reed,"Paul Rudd, Michael Douglas, Corey Stoll, Evangeline Lilly",2015,117,7.3,180.19M +Bridget Jones's Baby,"Comedy,Romance",Sharon Maguire,"Renée Zellweger, Gemma Jones, Jim Broadbent,Sally Phillips",2016,118,6.7,24.09 +The VVitch: A New-England Folktale,"Horror,Mystery",Robert Eggers,"Anya Taylor-Joy, Ralph Ineson, Kate Dickie, Julian Richings",2015,92,6.8,25.14 +Cinderella,"Drama,Family,Fantasy",Kenneth Branagh,"Lily James, Cate Blanchett, Richard Madden,Helena Bonham Carter",2015,105,7,201.15 +Realive,Sci-Fi,Mateo Gil,"Tom Hughes, Charlotte Le Bon, Oona Chaplin, Barry Ward",2016,112,5.9,0 +Forushande,"Drama,Thriller",Asghar Farhadi,"Taraneh Alidoosti, Shahab Hosseini, Babak Karimi,Farid Sajjadi Hosseini",2016,124,8,3.4 +Love,"Drama,Romance",Gaspar Noé,"Aomi Muyock, Karl Glusman, Klara Kristin, Juan Saavedra",2015,135,6,0 +Billy Lynn's Long Halftime Walk,"Drama,War",Ang Lee,"Joe Alwyn, Garrett Hedlund, Arturo Castro, Mason Lee",2016,113,6.3,1.72 +Crimson Peak,"Drama,Fantasy,Horror",Guillermo del Toro,"Mia Wasikowska, Jessica Chastain, Tom Hiddleston, Charlie Hunnam",2015,119,6.6,31.06 +Drive,"Crime,Drama",Nicolas Winding Refn,"Ryan Gosling, Carey Mulligan, Bryan Cranston, Albert Brooks",2011,100,7.8,35.05 +Trainwreck,"Comedy,Drama,Romance",Judd Apatow,"Amy Schumer, Bill Hader, Brie Larson, Colin Quinn",2015,125,6.3,110.01M +The Light Between Oceans,"Drama,Romance",Derek Cianfrance,"Michael Fassbender, Alicia Vikander, Rachel Weisz, Florence Clery",2016,133,7.2,12.53 +Below Her Mouth,Drama,April Mullen,"Erika Linder, Natalie Krill, Sebastian Pigott, Mayko Nguyen",2016,94,5.6,0 +Spotlight,"Crime,Drama,History",Tom McCarthy,"Mark Ruffalo, Michael Keaton, Rachel McAdams, Liev Schreiber",2015,128,8.1,44.99 +Morgan,"Horror,Sci-Fi,Thriller",Luke Scott,"Kate Mara, Anya Taylor-Joy, Rose Leslie, Michael Yare",2016,92,5.8,3.91 +Warrior,"Action,Drama,Sport",Gavin O'Connor,"Tom Hardy, Nick Nolte, Joel Edgerton, Jennifer Morrison",2011,140,8.2,13.65 +Captain America: The First Avenger,"Action,Adventure,Sci-Fi",Joe Johnston,"Chris Evans, Hugo Weaving, Samuel L. Jackson,Hayley Atwell",2011,124,6.9,176.64M +Hacker,"Crime,Drama,Thriller",Akan Satayev,"Callan McAuliffe, Lorraine Nicholson, Daniel Eric Gold, Clifton Collins Jr.",2016,95,6.3,0 +Into the Wild,"Adventure,Biography,Drama",Sean Penn,"Emile Hirsch, Vince Vaughn, Catherine Keener, Marcia Gay Harden",2007,148,8.1,18.35 +The Imitation Game,"Biography,Drama,Thriller",Morten Tyldum,"Benedict Cumberbatch, Keira Knightley, Matthew Goode, Allen Leech",2014,114,8.1,91.12 +Central Intelligence,"Action,Comedy,Crime",Rawson Marshall Thurber,"Dwayne Johnson, Kevin Hart, Danielle Nicolet, Amy Ryan",2016,107,6.3,127.38M +Edge of Tomorrow,"Action,Adventure,Sci-Fi",Doug Liman,"Tom Cruise, Emily Blunt, Bill Paxton, Brendan Gleeson",2014,113,7.9,100.19M +A Cure for Wellness,"Drama,Fantasy,Horror",Gore Verbinski,"Dane DeHaan, Jason Isaacs, Mia Goth, Ivo Nandi",2016,146,6.5,8.1 +Snowden,"Biography,Drama,Thriller",Oliver Stone,"Joseph Gordon-Levitt, Shailene Woodley, Melissa Leo,Zachary Quinto",2016,134,7.3,21.48 +Iron Man,"Action,Adventure,Sci-Fi",Jon Favreau,"Robert Downey Jr., Gwyneth Paltrow, Terrence Howard, Jeff Bridges",2008,126,7.9,318.3 +Allegiant,"Action,Adventure,Mystery",Robert Schwentke,"Shailene Woodley, Theo James, Jeff Daniels,Naomi Watts",2016,120,5.7,66 +X: First Class,"Action,Adventure,Sci-Fi",Matthew Vaughn,"James McAvoy, Michael Fassbender, Jennifer Lawrence, Kevin Bacon",2011,132,7.8,146.41M +Raw (II),"Drama,Horror",Julia Ducournau,"Garance Marillier, Ella Rumpf, Rabah Nait Oufella,Laurent Lucas",2016,99,7.5,0.51 +Paterson,"Comedy,Drama,Romance",Jim Jarmusch,"Adam Driver, Golshifteh Farahani, Nellie, Rizwan Manji",2016,118,7.5,2.14 +Bridesmaids,"Comedy,Romance",Paul Feig,"Kristen Wiig, Maya Rudolph, Rose Byrne, Terry Crews",2011,125,6.8,169.08M +The Girl with All the Gifts,"Drama,Horror,Thriller",Colm McCarthy,"Gemma Arterton, Glenn Close, Dominique Tipper,Paddy Considine",2016,111,6.7,0 +San Andreas,"Action,Adventure,Drama",Brad Peyton,"Dwayne Johnson, Carla Gugino, Alexandra Daddario,Colton Haynes",2015,114,6.1,155.18M +Spring Breakers,Drama,Harmony Korine,"Vanessa Hudgens, Selena Gomez, Ashley Benson,Rachel Korine",2012,94,5.3,14.12 +Transformers,"Action,Adventure,Sci-Fi",Michael Bay,"Shia LaBeouf, Megan Fox, Josh Duhamel, Tyrese Gibson",2007,144,7.1,318.76 +Old Boy,"Action,Drama,Mystery",Spike Lee,"Josh Brolin, Elizabeth Olsen, Samuel L. Jackson, Sharlto Copley",2013,104,5.8,0 +Thor: The Dark World,"Action,Adventure,Fantasy",Alan Taylor,"Chris Hemsworth, Natalie Portman, Tom Hiddleston,Stellan Skarsgård",2013,112,7,206.36 +Gods of Egypt,"Action,Adventure,Fantasy",Alex Proyas,"Brenton Thwaites, Nikolaj Coster-Waldau, Gerard Butler, Chadwick Boseman",2016,126,5.5,31.14 +Captain America: The Winter Soldier,"Action,Adventure,Sci-Fi",Anthony Russo,"Chris Evans, Samuel L. Jackson,Scarlett Johansson, Robert Redford",2014,136,7.8,259.75 +Monster Trucks,"Action,Adventure,Comedy",Chris Wedge,"Lucas Till, Jane Levy, Thomas Lennon, Barry Pepper",2016,104,5.7,33.04 +A Dark Song,"Drama,Horror",Liam Gavin,"Mark Huberman, Susan Loughnane, Steve Oram,Catherine Walker",2016,100,6.1,0 +Kick-Ass,"Action,Comedy",Matthew Vaughn,"Aaron Taylor-Johnson, Nicolas Cage, Chloë Grace Moretz, Garrett M. Brown",2010,117,7.7,48.04 +Hardcore Henry,"Action,Adventure,Sci-Fi",Ilya Naishuller,"Sharlto Copley, Tim Roth, Haley Bennett, Danila Kozlovsky",2015,96,6.7,9.24 +Cars,"Animation,Adventure,Comedy",John Lasseter,"Owen Wilson, Bonnie Hunt, Paul Newman, Larry the Cable Guy",2006,117,7.1,244.05 +It Follows,"Horror,Mystery",David Robert Mitchell,"Maika Monroe, Keir Gilchrist, Olivia Luccardi,Lili Sepe",2014,100,6.9,14.67 +The Girl with the Dragon Tattoo,"Crime,Drama,Mystery",David Fincher,"Daniel Craig, Rooney Mara, Christopher Plummer,Stellan Skarsgård",2011,158,7.8,102.52M +We're the Millers,"Comedy,Crime",Rawson Marshall Thurber,"Jason Sudeikis, Jennifer Aniston, Emma Roberts, Ed Helms",2013,110,7,150.37M +American Honey,Drama,Andrea Arnold,"Sasha Lane, Shia LaBeouf, Riley Keough, McCaul Lombardi",2016,163,7,0.66 +The Lobster,"Comedy,Drama,Romance",Yorgos Lanthimos,"Colin Farrell, Rachel Weisz, Jessica Barden,Olivia Colman",2015,119,7.1,8.7 +Predators,"Action,Adventure,Sci-Fi",Nimród Antal,"Adrien Brody, Laurence Fishburne, Topher Grace,Alice Braga",2010,107,6.4,52 +Maleficent,"Action,Adventure,Family",Robert Stromberg,"Angelina Jolie, Elle Fanning, Sharlto Copley,Lesley Manville",2014,97,7,241.41 +Rupture,"Horror,Sci-Fi,Thriller",Steven Shainberg,"Noomi Rapace, Michael Chiklis, Kerry Bishé,Peter Stormare",2016,102,4.8,0 +Pan's Labyrinth,"Drama,Fantasy,War",Guillermo del Toro,"Ivana Baquero, Ariadna Gil, Sergi López,Maribel Verdú",2006,118,8.2,37.62 +A Kind of Murder,"Crime,Drama,Thriller",Andy Goddard,"Patrick Wilson, Jessica Biel, Haley Bennett, Vincent Kartheiser",2016,95,5.2,0 +Apocalypto,"Action,Adventure,Drama",Mel Gibson,"Gerardo Taracena, Raoul Max Trujillo, Dalia Hernández,Rudy Youngblood",2006,139,7.8,50.86 +Mission: Impossible - Rogue Nation,"Action,Adventure,Thriller",Christopher McQuarrie,"Tom Cruise, Rebecca Ferguson, Jeremy Renner, Simon Pegg",2015,131,7.4,195M +The Huntsman: Winter's War,"Action,Adventure,Drama",Cedric Nicolas-Troyan,"Chris Hemsworth, Jessica Chastain, Charlize Theron, Emily Blunt",2016,114,6.1,47.95 +The Perks of Being a Wallflower,"Drama,Romance",Stephen Chbosky,"Logan Lerman, Emma Watson, Ezra Miller, Paul Rudd",2012,102,8,17.74 +Jackie,"Biography,Drama,History",Pablo Larraín,"Natalie Portman, Peter Sarsgaard, Greta Gerwig,Billy Crudup",2016,100,6.8,13.96 +The Disappointments Room,"Drama,Horror,Thriller",D.J. Caruso,"Kate Beckinsale, Mel Raido, Duncan Joiner, Lucas Till",2016,85,3.9,2.41 +The Grand Budapest Hotel,"Adventure,Comedy,Drama",Wes Anderson,"Ralph Fiennes, F. Murray Abraham, Mathieu Amalric,Adrien Brody",2014,99,8.1,59.07 +The Host ,"Action,Adventure,Romance",Andrew Niccol,"Saoirse Ronan, Max Irons, Jake Abel, Diane Kruger",2013,125,5.9,26.62 +Fury,"Action,Drama,War",David Ayer,"Brad Pitt, Shia LaBeouf, Logan Lerman, Michael Peña",2014,134,7.6,85.71 +Inside Out,"Animation,Adventure,Comedy",Pete Docter,"Amy Poehler, Bill Hader, Lewis Black, Mindy Kaling",2015,95,8.2,356.45 +Rock Dog,"Animation,Adventure,Comedy",Ash Brannon,"Luke Wilson, Eddie Izzard, J.K. Simmons, Lewis Black",2016,90,5.8,9.4 +Terminator Genisys,"Action,Adventure,Sci-Fi",Alan Taylor,"Arnold Schwarzenegger, Jason Clarke, Emilia Clarke,Jai Courtney",2015,126,6.5,89.73 +Percy Jackson & the Olympians: The Lightning Thief,"Adventure,Family,Fantasy",Chris Columbus,"Logan Lerman, Kevin McKidd, Steve Coogan,Brandon T. Jackson",2010,118,5.9,88.76 +Les Misérables,"Drama,Musical,Romance",Tom Hooper,"Hugh Jackman, Russell Crowe, Anne Hathaway,Amanda Seyfried",2012,158,7.6,148.78M +Children of Men,"Drama,Sci-Fi,Thriller",Alfonso Cuarón,"Julianne Moore, Clive Owen, Chiwetel Ejiofor,Michael Caine",2006,109,7.9,35.29 +20th Century Women,"Comedy,Drama",Mike Mills,"Annette Bening, Elle Fanning, Greta Gerwig, Billy Crudup",2016,119,7.4,5.66 +Spy,"Action,Comedy,Crime",Paul Feig,"Melissa McCarthy, Rose Byrne, Jude Law, Jason Statham",2015,119,7.1,110.82M +The Intouchables,"Biography,Comedy,Drama",Olivier Nakache,"François Cluzet, Omar Sy, Anne Le Ny, Audrey Fleurot",2011,112,8.6,13.18 +Bonjour Anne,"Comedy,Drama,Romance",Eleanor Coppola,"Diane Lane, Alec Baldwin, Arnaud Viard, Linda Gegusch",2016,92,4.9,0.32 +Kynodontas,"Drama,Thriller",Yorgos Lanthimos,"Christos Stergioglou, Michele Valley, Angeliki Papoulia, Hristos Passalis",2009,94,7.3,0.11 +Straight Outta Compton,"Biography,Drama,History",F. Gary Gray,"O'Shea Jackson Jr., Corey Hawkins, Jason Mitchell,Neil Brown Jr.",2015,147,7.9,161.03M +The Amazing Spider-Man 2,"Action,Adventure,Sci-Fi",Marc Webb,"Andrew Garfield, Emma Stone, Jamie Foxx, Paul Giamatti",2014,142,6.7,202.85 +The Conjuring,"Horror,Mystery,Thriller",James Wan,"Patrick Wilson, Vera Farmiga, Ron Livingston, Lili Taylor",2013,112,7.5,137.39M +The Hangover,Comedy,Todd Phillips,"Zach Galifianakis, Bradley Cooper, Justin Bartha, Ed Helms",2009,100,7.8,277.31 +Battleship,"Action,Adventure,Sci-Fi",Peter Berg,"Alexander Skarsgård, Brooklyn Decker, Liam Neeson,Rihanna",2012,131,5.8,65.17 +Rise of the Planet of the Apes,"Action,Drama,Sci-Fi",Rupert Wyatt,"James Franco, Andy Serkis, Freida Pinto, Karin Konoval",2011,105,7.6,176.74M +Lights Out,Horror,David F. Sandberg,"Teresa Palmer, Gabriel Bateman, Maria Bello,Billy Burke",2016,81,6.4,67.24 +Norman: The Moderate Rise and Tragic Fall of a New York Fixer,"Drama,Thriller",Joseph Cedar,"Richard Gere, Lior Ashkenazi, Michael Sheen,Charlotte Gainsbourg",2016,118,7.1,2.27 +Birdman or (The Unexpected Virtue of Ignorance),"Comedy,Drama,Romance",Alejandro González Iñárritu,"Michael Keaton, Zach Galifianakis,Edward Norton, Andrea Riseborough",2014,119,7.8,42.34 +Black Swan,"Drama,Thriller",Darren Aronofsky,"Natalie Portman, Mila Kunis, Vincent Cassel,Winona Ryder",2010,108,8,106.95M +Dear White People,"Comedy,Drama",Justin Simien,"Tyler James Williams, Tessa Thompson, Kyle Gallner,Teyonah Parris",2014,108,6.2,4.4 +Nymphomaniac: Vol. I,Drama,Lars von Trier,"Charlotte Gainsbourg, Stellan Skarsgård, Stacy Martin, Shia LaBeouf",2013,117,7,0.79 +Teenage Mutant Ninja Turtles: Out of the Shadows,"Action,Adventure,Comedy",Dave Green,"Megan Fox, Will Arnett, Tyler Perry, Laura Linney",2016,112,6,0.54 +Knock Knock,"Drama,Horror,Thriller",Eli Roth,"Keanu Reeves, Lorenza Izzo, Ana de Armas, Aaron Burns",2015,99,4.9,0.03 +Dirty Grandpa,Comedy,Dan Mazer,"Robert De Niro, Zac Efron, Zoey Deutch, Aubrey Plaza",2016,102,6,35.54 +Cloud Atlas,"Drama,Sci-Fi",Tom Tykwer,"Tom Hanks, Halle Berry, Hugh Grant, Hugo Weaving",2012,172,7.5,27.1 +X-Men Origins: Wolverine,"Action,Adventure,Sci-Fi",Gavin Hood,"Hugh Jackman, Liev Schreiber, Ryan Reynolds, Danny Huston",2009,107,6.7,179.88M +Satanic,Horror,Jeffrey G. Hunt,"Sarah Hyland, Steven Krueger, Justin Chon, Clara Mamet",2016,85,3.7,0 +Skyfall,"Action,Adventure,Thriller",Sam Mendes,"Daniel Craig, Javier Bardem, Naomie Harris, Judi Dench",2012,143,7.8,304.36 +The Hobbit: An Unexpected Journey,"Adventure,Fantasy",Peter Jackson,"Martin Freeman, Ian McKellen, Richard Armitage,Andy Serkis",2012,169,7.9,303 +21 Jump Street,"Action,Comedy,Crime",Phil Lord,"Jonah Hill, Channing Tatum, Ice Cube,Brie Larson",2012,110,7.2,138.45M +Sing Street,"Comedy,Drama,Music",John Carney,"Ferdia Walsh-Peelo, Aidan Gillen, Maria Doyle Kennedy, Jack Reynor",2016,106,8,3.23 +Ballerina,"Animation,Adventure,Comedy",Eric Summer,"Elle Fanning, Dane DeHaan, Carly Rae Jepsen, Maddie Ziegler",2016,89,6.8,0 +Oblivion,"Action,Adventure,Mystery",Joseph Kosinski,"Tom Cruise, Morgan Freeman, Andrea Riseborough, Olga Kurylenko",2013,124,7,89.02 +22 Jump Street,"Action,Comedy,Crime",Phil Lord,"Channing Tatum, Jonah Hill, Ice Cube,Nick Offerman",2014,112,7.1,191.62M +Zodiac,"Crime,Drama,History",David Fincher,"Jake Gyllenhaal, Robert Downey Jr., Mark Ruffalo,Anthony Edwards",2007,157,7.7,33.05 +Everybody Wants Some!!,Comedy,Richard Linklater,"Blake Jenner, Tyler Hoechlin, Ryan Guzman,Zoey Deutch",2016,117,7,3.37 +Iron Man Three,"Action,Adventure,Sci-Fi",Shane Black,"Robert Downey Jr., Guy Pearce, Gwyneth Paltrow,Don Cheadle",2013,130,7.2,408.99 +Now You See Me,"Crime,Mystery,Thriller",Louis Leterrier,"Jesse Eisenberg, Common, Mark Ruffalo, Woody Harrelson",2013,115,7.3,117.7M +Sherlock Holmes,"Action,Adventure,Crime",Guy Ritchie,"Robert Downey Jr., Jude Law, Rachel McAdams, Mark Strong",2009,128,7.6,209.02 +Death Proof,Thriller,Quentin Tarantino,"Kurt Russell, Zoë Bell, Rosario Dawson, Vanessa Ferlito",2007,113,7.1,0 +The Danish Girl,"Biography,Drama,Romance",Tom Hooper,"Eddie Redmayne, Alicia Vikander, Amber Heard, Ben Whishaw",2015,119,7,12.71 +Hercules,"Action,Adventure",Brett Ratner,"Dwayne Johnson, John Hurt, Ian McShane, Joseph Fiennes",2014,98,6,72.66 +Sucker Punch,"Action,Fantasy",Zack Snyder,"Emily Browning, Vanessa Hudgens, Abbie Cornish,Jena Malone",2011,110,6.1,36.38 +Keeping Up with the Joneses,"Action,Comedy",Greg Mottola,"Zach Galifianakis, Isla Fisher, Jon Hamm, Gal Gadot",2016,105,5.8,14.9 +Jupiter Ascending,"Action,Adventure,Sci-Fi",Lana Wachowski,"Channing Tatum, Mila Kunis,Eddie Redmayne, Sean Bean",2015,127,5.3,47.38 +Masterminds,"Action,Comedy,Crime",Jared Hess,"Zach Galifianakis, Kristen Wiig, Owen Wilson, Ross Kimball",2016,95,5.8,17.36 +Iris,Thriller,Jalil Lespert,"Romain Duris, Charlotte Le Bon, Jalil Lespert, Camille Cottin",2016,99,6.1,0 +Busanhaeng,"Action,Drama,Horror",Sang-ho Yeon,"Yoo Gong, Soo-an Kim, Yu-mi Jung, Dong-seok Ma",2016,118,7.5,2.13 +Pitch Perfect,"Comedy,Music,Romance",Jason Moore,"Anna Kendrick, Brittany Snow, Rebel Wilson, Anna Camp",2012,112,7.2,65 +Neighbors 2: Sorority Rising,Comedy,Nicholas Stoller,"Seth Rogen, Rose Byrne, Zac Efron, Chloë Grace Moretz",2016,92,5.7,55.29 +The Exception,Drama,David Leveaux,"Lily James, Jai Courtney, Christopher Plummer, Loïs van Wijk",2016,107,7.7,0 +Man of Steel,"Action,Adventure,Fantasy",Zack Snyder,"Henry Cavill, Amy Adams, Michael Shannon, Diane Lane",2013,143,7.1,291.02 +The Choice,"Drama,Romance",Ross Katz,"Benjamin Walker, Teresa Palmer, Alexandra Daddario,Maggie Grace",2016,111,6.6,18.71 +Ice Age: Collision Course,"Animation,Adventure,Comedy",Mike Thurmeier,"Ray Romano, Denis Leary, John Leguizamo, Chris Wedge",2016,94,5.7,64.06 +The Devil Wears Prada,"Comedy,Drama",David Frankel,"Anne Hathaway, Meryl Streep, Adrian Grenier, Emily Blunt",2006,109,6.8,124.73M +The Infiltrator,"Biography,Crime,Drama",Brad Furman,"Bryan Cranston, John Leguizamo, Diane Kruger, Amy Ryan",2016,127,7.1,15.43 +There Will Be Blood,"Drama,History",Paul Thomas Anderson,"Daniel Day-Lewis, Paul Dano, Ciarán Hinds,Martin Stringer",2007,158,8.1,40.22 +The Equalizer,"Action,Crime,Thriller",Antoine Fuqua,"Denzel Washington, Marton Csokas, Chloë Grace Moretz, David Harbour",2014,132,7.2,101.53M +Lone Survivor,"Action,Biography,Drama",Peter Berg,"Mark Wahlberg, Taylor Kitsch, Emile Hirsch, Ben Foster",2013,121,7.5,125.07M +The Cabin in the Woods,Horror,Drew Goddard,"Kristen Connolly, Chris Hemsworth, Anna Hutchison,Fran Kranz",2012,95,7,42.04 +The House Bunny,"Comedy,Romance",Fred Wolf,"Anna Faris, Colin Hanks, Emma Stone, Kat Dennings",2008,97,5.5,48.24 +She's Out of My League,"Comedy,Romance",Jim Field Smith,"Jay Baruchel, Alice Eve, T.J. Miller, Mike Vogel",2010,104,6.4,31.58 +Inherent Vice,"Comedy,Crime,Drama",Paul Thomas Anderson,"Joaquin Phoenix, Josh Brolin, Owen Wilson,Katherine Waterston",2014,148,6.7,8.09 +Alice Through the Looking Glass,"Adventure,Family,Fantasy",James Bobin,"Mia Wasikowska, Johnny Depp, Helena Bonham Carter, Anne Hathaway",2016,113,6.2,77.04 +Vincent N Roxxy,"Crime,Drama,Thriller",Gary Michael Schultz,"Emile Hirsch, Zoë Kravitz, Zoey Deutch,Emory Cohen",2016,110,5.5,0 +The Fast and the Furious: Tokyo Drift,"Action,Crime,Thriller",Justin Lin,"Lucas Black, Zachery Ty Bryan, Shad Moss, Damien Marzette",2006,104,6,62.49 +How to Be Single,"Comedy,Romance",Christian Ditter,"Dakota Johnson, Rebel Wilson, Leslie Mann, Alison Brie",2016,110,6.1,46.81 +The Blind Side,"Biography,Drama,Sport",John Lee Hancock,"Quinton Aaron, Sandra Bullock, Tim McGraw,Jae Head",2009,129,7.7,255.95 +La vie d'Adèle,"Drama,Romance",Abdellatif Kechiche,"Léa Seydoux, Adèle Exarchopoulos, Salim Kechiouche, Aurélien Recoing",2013,180,7.8,2.2 +The Babadook,"Drama,Horror",Jennifer Kent,"Essie Davis, Noah Wiseman, Daniel Henshall, Hayley McElhinney",2014,93,6.8,0.92 +The Hobbit: The Battle of the Five Armies,"Adventure,Fantasy",Peter Jackson,"Ian McKellen, Martin Freeman, Richard Armitage,Cate Blanchett",2014,144,7.4,255.11 +Harry Potter and the Order of the Phoenix,"Adventure,Family,Fantasy",David Yates,"Daniel Radcliffe, Emma Watson, Rupert Grint, Brendan Gleeson",2007,138,7.5,292 +Snowpiercer,"Action,Drama,Sci-Fi",Bong Joon Ho,"Chris Evans, Jamie Bell, Tilda Swinton, Ed Harris",2013,126,7,4.56 +The 5th Wave,"Action,Adventure,Sci-Fi",J Blakeson,"Chloë Grace Moretz, Matthew Zuk, Gabriela Lopez,Bailey Anne Borders",2016,112,5.2,34.91 +The Stakelander,"Action,Horror",Dan Berk,"Connor Paolo, Nick Damici, Laura Abramsen, A.C. Peterson",2016,81,5.3,0 +The Visit,"Comedy,Horror,Thriller",M. Night Shyamalan,"Olivia DeJonge, Ed Oxenbould, Deanna Dunagan, Peter McRobbie",2015,94,6.2,65.07 +Fast Five,"Action,Crime,Thriller",Justin Lin,"Vin Diesel, Paul Walker, Dwayne Johnson, Jordana Brewster",2011,131,7.3,209.81 +Step Up,"Crime,Drama,Music",Anne Fletcher,"Channing Tatum, Jenna Dewan Tatum, Damaine Radcliff, De'Shawn Washington",2006,104,6.5,65.27 +Lovesong,Drama,So Yong Kim,"Riley Keough, Jena Malone, Jessie Ok Gray, Cary Joji Fukunaga",2016,84,6.4,0.01 +RocknRolla,"Action,Crime,Thriller",Guy Ritchie,"Gerard Butler, Tom Wilkinson, Idris Elba, Thandie Newton",2008,114,7.3,5.69 +In Time,"Action,Sci-Fi,Thriller",Andrew Niccol,"Justin Timberlake, Amanda Seyfried, Cillian Murphy,Olivia Wilde",2011,109,6.7,37.55 +The Social Network,"Biography,Drama",David Fincher,"Jesse Eisenberg, Andrew Garfield, Justin Timberlake,Rooney Mara",2010,120,7.7,96.92 +The Last Witch Hunter,"Action,Adventure,Fantasy",Breck Eisner,"Vin Diesel, Rose Leslie, Elijah Wood, Ólafur Darri Ólafsson",2015,106,6,27.36 +Victor Frankenstein,"Drama,Horror,Sci-Fi",Paul McGuigan,"Daniel Radcliffe, James McAvoy, Jessica Brown Findlay, Andrew Scott",2015,110,6,5.77 +A Street Cat Named Bob,"Biography,Comedy,Drama",Roger Spottiswoode,"Luke Treadaway, Bob the Cat, Ruta Gedmintas, Joanne Froggatt",2016,103,7.4,0.04 +Green Room,"Crime,Horror,Thriller",Jeremy Saulnier,"Anton Yelchin, Imogen Poots, Alia Shawkat,Patrick Stewart",2015,95,7,3.22 +Blackhat,"Crime,Drama,Mystery",Michael Mann,"Chris Hemsworth, Viola Davis, Wei Tang, Leehom Wang",2015,133,5.4,7.1 +Storks,"Animation,Adventure,Comedy",Nicholas Stoller,"Andy Samberg, Katie Crown,Kelsey Grammer, Jennifer Aniston",2016,87,6.9,72.66 +American Sniper,"Action,Biography,Drama",Clint Eastwood,"Bradley Cooper, Sienna Miller, Kyle Gallner, Cole Konis",2014,133,7.3,350.12 +Dallas Buyers Club,"Biography,Drama",Jean-Marc Vallée,"Matthew McConaughey, Jennifer Garner, Jared Leto, Steve Zahn",2013,117,8,27.3 +Lincoln,"Biography,Drama,History",Steven Spielberg,"Daniel Day-Lewis, Sally Field, David Strathairn,Joseph Gordon-Levitt",2012,150,7.4,182.2M +Rush,"Action,Biography,Drama",Ron Howard,"Daniel Brühl, Chris Hemsworth, Olivia Wilde,Alexandra Maria Lara",2013,123,8.1,26.9 +Before I Wake,"Drama,Fantasy,Horror",Mike Flanagan,"Kate Bosworth, Thomas Jane, Jacob Tremblay,Annabeth Gish",2016,97,6.1,0 +Silver Linings Playbook,"Comedy,Drama,Romance",David O. Russell,"Bradley Cooper, Jennifer Lawrence, Robert De Niro, Jacki Weaver",2012,122,7.8,132.09M +Tracktown,"Drama,Sport",Alexi Pappas,"Alexi Pappas, Chase Offerle, Rachel Dratch, Andy Buckley",2016,88,5.9,0 +The Fault in Our Stars,"Drama,Romance",Josh Boone,"Shailene Woodley, Ansel Elgort, Nat Wolff, Laura Dern",2014,126,7.8,124.87M +Blended,"Comedy,Romance",Frank Coraci,"Adam Sandler, Drew Barrymore, Wendi McLendon-Covey, Kevin Nealon",2014,117,6.5,46.28 +Fast & Furious,"Action,Crime,Thriller",Justin Lin,"Vin Diesel, Paul Walker, Michelle Rodriguez, Jordana Brewster",2009,107,6.6,155.02M +Looper,"Action,Crime,Drama",Rian Johnson,"Joseph Gordon-Levitt, Bruce Willis, Emily Blunt, Paul Dano",2012,119,7.4,66.47 +White House Down,"Action,Drama,Thriller",Roland Emmerich,"Channing Tatum, Jamie Foxx, Maggie Gyllenhaal,Jason Clarke",2013,131,6.4,73.1 +Pete's Dragon,"Adventure,Family,Fantasy",David Lowery,"Bryce Dallas Howard, Robert Redford, Oakes Fegley,Oona Laurence",2016,102,6.8,76.2 +Spider-Man 3,"Action,Adventure",Sam Raimi,"Tobey Maguire, Kirsten Dunst, Topher Grace, Thomas Haden Church",2007,139,6.2,336.53 +The Three Musketeers,"Action,Adventure,Romance",Paul W.S. Anderson,"Logan Lerman, Matthew Macfadyen, Ray Stevenson, Milla Jovovich",2011,110,5.8,20.32 +Stardust,"Adventure,Family,Fantasy",Matthew Vaughn,"Charlie Cox, Claire Danes, Sienna Miller, Ian McKellen",2007,127,7.7,38.35 +American Hustle,"Crime,Drama",David O. Russell,"Christian Bale, Amy Adams, Bradley Cooper,Jennifer Lawrence",2013,138,7.3,150.12M +Jennifer's Body,"Comedy,Horror",Karyn Kusama,"Megan Fox, Amanda Seyfried, Adam Brody, Johnny Simmons",2009,102,5.1,16.2 +Midnight in Paris,"Comedy,Fantasy,Romance",Woody Allen,"Owen Wilson, Rachel McAdams, Kathy Bates, Kurt Fuller",2011,94,7.7,56.82 +Lady Macbeth,Drama,William Oldroyd,"Florence Pugh, Christopher Fairbank, Cosmo Jarvis, Naomi Ackie",2016,89,7.3,0 +Joy,Drama,David O. Russell,"Jennifer Lawrence, Robert De Niro, Bradley Cooper, Edgar Ramírez",2015,124,6.6,56.44 +The Dressmaker,"Comedy,Drama",Jocelyn Moorhouse,"Kate Winslet, Judy Davis, Liam Hemsworth,Hugo Weaving",2015,119,7.1,2.02 +Café Society,"Comedy,Drama,Romance",Woody Allen,"Jesse Eisenberg, Kristen Stewart, Steve Carell, Blake Lively",2016,96,6.7,11.08 +Insurgent,"Adventure,Sci-Fi,Thriller",Robert Schwentke,"Shailene Woodley, Ansel Elgort, Theo James,Kate Winslet",2015,119,6.3,130M +Seventh Son,"Action,Adventure,Fantasy",Sergei Bodrov,"Ben Barnes, Julianne Moore, Jeff Bridges, Alicia Vikander",2014,102,5.5,17.18 +The Theory of Everything,"Biography,Drama,Romance",James Marsh,"Eddie Redmayne, Felicity Jones, Tom Prior, Sophie Perry",2014,123,7.7,35.89 +This Is the End,"Comedy,Fantasy",Evan Goldberg,"James Franco, Jonah Hill, Seth Rogen,Jay Baruchel",2013,107,6.6,101.47M +About Time,"Comedy,Drama,Fantasy",Richard Curtis,"Domhnall Gleeson, Rachel McAdams, Bill Nighy,Lydia Wilson",2013,123,7.8,15.29 +Step Brothers,Comedy,Adam McKay,"Will Ferrell, John C. Reilly, Mary Steenburgen,Richard Jenkins",2008,98,6.9,100.47M +Clown,"Horror,Thriller",Jon Watts,"Andy Powers, Laura Allen, Peter Stormare, Christian Distefano",2014,100,5.7,0.05 +Star Trek Into Darkness,"Action,Adventure,Sci-Fi",J.J. Abrams,"Chris Pine, Zachary Quinto, Zoe Saldana, Benedict Cumberbatch",2013,132,7.8,228.76 +Zombieland,"Adventure,Comedy,Horror",Ruben Fleischer,"Jesse Eisenberg, Emma Stone, Woody Harrelson,Abigail Breslin",2009,88,7.7,75.59 +"Hail, Caesar!","Comedy,Mystery",Ethan Coen,"Josh Brolin, George Clooney, Alden Ehrenreich, Ralph Fiennes",2016,106,6.3,30 +Slumdog Millionaire,Drama,Danny Boyle,"Dev Patel, Freida Pinto, Saurabh Shukla, Anil Kapoor",2008,120,8,141.32M +The Twilight Saga: Breaking Dawn - Part 2,"Adventure,Drama,Fantasy",Bill Condon,"Kristen Stewart, Robert Pattinson, Taylor Lautner, Peter Facinelli",2012,115,5.5,292.3 +American Wrestler: The Wizard,"Drama,Sport",Alex Ranarivelo,"William Fichtner, Jon Voight, Lia Marie Johnson,Gabriel Basso",2016,117,6.9,0 +The Amazing Spider-Man,"Action,Adventure",Marc Webb,"Andrew Garfield, Emma Stone, Rhys Ifans, Irrfan Khan",2012,136,7,262.03 +Ben-Hur,"Action,Adventure,Drama",Timur Bekmambetov,"Jack Huston, Toby Kebbell, Rodrigo Santoro,Nazanin Boniadi",2016,123,5.7,26.38 +Sleight,"Action,Drama,Sci-Fi",J.D. Dillard,"Jacob Latimore, Seychelle Gabriel, Dulé Hill, Storm Reid",2016,89,6,3.85 +The Maze Runner,"Action,Mystery,Sci-Fi",Wes Ball,"Dylan O'Brien, Kaya Scodelario, Will Poulter, Thomas Brodie-Sangster",2014,113,6.8,102.41M +Criminal,"Action,Crime,Drama",Ariel Vromen,"Kevin Costner, Ryan Reynolds, Gal Gadot, Gary Oldman",2016,113,6.3,14.27 +Wanted,"Action,Crime,Fantasy",Timur Bekmambetov,"Angelina Jolie, James McAvoy, Morgan Freeman, Terence Stamp",2008,110,6.7,134.57M +Florence Foster Jenkins,"Biography,Comedy,Drama",Stephen Frears,"Meryl Streep, Hugh Grant, Simon Helberg, Rebecca Ferguson",2016,111,6.9,27.37 +Collide,"Action,Crime,Thriller",Eran Creevy,"Nicholas Hoult, Felicity Jones, Anthony Hopkins, Ben Kingsley",2016,99,5.7,2.2 +Black Mass,"Biography,Crime,Drama",Scott Cooper,"Johnny Depp, Benedict Cumberbatch, Dakota Johnson, Joel Edgerton",2015,123,6.9,62.56 +Creed,"Drama,Sport",Ryan Coogler,"Michael B. Jordan, Sylvester Stallone, Tessa Thompson, Phylicia Rashad",2015,133,7.6,109.71M +Swiss Army Man,"Adventure,Comedy,Drama",Dan Kwan,"Paul Dano, Daniel Radcliffe, Mary Elizabeth Winstead, Antonia Ribero",2016,97,7.1,4.21 +The Expendables 3,"Action,Adventure,Thriller",Patrick Hughes,"Sylvester Stallone, Jason Statham, Jet Li, Antonio Banderas",2014,126,6.1,39.29 +What We Do in the Shadows,"Comedy,Fantasy,Horror",Jemaine Clement,"Jemaine Clement, Taika Waititi,Cori Gonzalez-Macuer, Jonny Brugh",2014,86,7.6,3.33 +Southpaw,"Drama,Sport",Antoine Fuqua,"Jake Gyllenhaal, Rachel McAdams, Oona Laurence,Forest Whitaker",2015,124,7.4,52.42 +Hush,"Horror,Thriller",Mike Flanagan,"John Gallagher Jr., Kate Siegel, Michael Trucco,Samantha Sloyan",2016,81,6.6,0 +Bridge of Spies,"Drama,History,Thriller",Steven Spielberg,"Tom Hanks, Mark Rylance, Alan Alda, Amy Ryan",2015,142,7.6,72.31 +The Lego Movie,"Animation,Action,Adventure",Phil Lord,"Chris Pratt, Will Ferrell, Elizabeth Banks, Will Arnett",2014,100,7.8,257.76 +Everest,"Action,Adventure,Drama",Baltasar Kormákur,"Jason Clarke, Ang Phula Sherpa, Thomas M. Wright, Martin Henderson",2015,121,7.1,43.25 +Pixels,"Action,Comedy,Family",Chris Columbus,"Adam Sandler, Kevin James, Michelle Monaghan,Peter Dinklage",2015,105,5.6,78.75 +Robin Hood,"Action,Adventure,Drama",Ridley Scott,"Russell Crowe, Cate Blanchett, Matthew Macfadyen,Max von Sydow",2010,140,6.7,105.22M +The Wolverine,"Action,Adventure,Sci-Fi",James Mangold,"Hugh Jackman, Will Yun Lee, Tao Okamoto, Rila Fukushima",2013,126,6.7,132.55M +John Carter,"Action,Adventure,Sci-Fi",Andrew Stanton,"Taylor Kitsch, Lynn Collins, Willem Dafoe,Samantha Morton",2012,132,6.6,73.06 +Keanu,"Action,Comedy",Peter Atencio,"Keegan-Michael Key, Jordan Peele, Tiffany Haddish,Method Man",2016,100,6.3,20.57 +The Gunman,"Action,Crime,Drama",Pierre Morel,"Sean Penn, Idris Elba, Jasmine Trinca, Javier Bardem",2015,115,5.8,10.64 +Steve Jobs,"Biography,Drama",Danny Boyle,"Michael Fassbender, Kate Winslet, Seth Rogen, Jeff Daniels",2015,122,7.2,17.75 +Whisky Galore,"Comedy,Romance",Gillies MacKinnon,"Tim Pigott-Smith, Naomi Battrick, Ellie Kendrick,James Cosmo",2016,98,5,0 +Grown Ups 2,Comedy,Dennis Dugan,"Adam Sandler, Kevin James, Chris Rock, David Spade",2013,101,5.4,133.67M +The Age of Adaline,"Drama,Fantasy,Romance",Lee Toland Krieger,"Blake Lively, Michiel Huisman, Harrison Ford,Kathy Baker",2015,112,7.2,42.48 +The Incredible Hulk,"Action,Adventure,Sci-Fi",Louis Leterrier,"Edward Norton, Liv Tyler, Tim Roth, William Hurt",2008,112,6.8,134.52M +Couples Retreat,Comedy,Peter Billingsley,"Vince Vaughn, Malin Akerman, Jon Favreau, Jason Bateman",2009,113,5.5,109.18M +Absolutely Anything,"Comedy,Sci-Fi",Terry Jones,"Simon Pegg, Kate Beckinsale, Sanjeev Bhaskar, Rob Riggle",2015,85,6,0 +Magic Mike,"Comedy,Drama",Steven Soderbergh,"Channing Tatum, Alex Pettyfer, Olivia Munn,Matthew McConaughey",2012,110,6.1,113.71M +Minions,"Animation,Action,Adventure",Kyle Balda,"Sandra Bullock, Jon Hamm, Michael Keaton, Pierre Coffin",2015,91,6.4,336.03 +The Black Room,Horror,Rolfe Kanefsky,"Natasha Henstridge, Lukas Hassel, Lin Shaye,Dominique Swain",2016,91,3.9,0 +Bronson,"Action,Biography,Crime",Nicolas Winding Refn,"Tom Hardy, Kelly Adams, Luing Andrews,Katy Barker",2008,92,7.1,0.1 +Despicable Me,"Animation,Adventure,Comedy",Pierre Coffin,"Steve Carell, Jason Segel, Russell Brand, Julie Andrews",2010,95,7.7,251.5 +The Best of Me,"Drama,Romance",Michael Hoffman,"James Marsden, Michelle Monaghan, Luke Bracey,Liana Liberato",2014,118,6.7,26.76 +The Invitation,"Drama,Mystery,Thriller",Karyn Kusama,"Logan Marshall-Green, Emayatzy Corinealdi, Michiel Huisman, Tammy Blanchard",2015,100,6.7,0.23 +Zero Dark Thirty,"Drama,History,Thriller",Kathryn Bigelow,"Jessica Chastain, Joel Edgerton, Chris Pratt, Mark Strong",2012,157,7.4,95.72 +Tangled,"Animation,Adventure,Comedy",Nathan Greno,"Mandy Moore, Zachary Levi, Donna Murphy, Ron Perlman",2010,100,7.8,200.81 +The Hunger Games: Mockingjay - Part 2,"Action,Adventure,Sci-Fi",Francis Lawrence,"Jennifer Lawrence, Josh Hutcherson, Liam Hemsworth, Woody Harrelson",2015,137,6.6,281.67 +Vacation,"Adventure,Comedy",John Francis Daley,"Ed Helms, Christina Applegate, Skyler Gisondo, Steele Stebbins",2015,99,6.1,58.88 +Taken,"Action,Thriller",Pierre Morel,"Liam Neeson, Maggie Grace, Famke Janssen, Leland Orser",2008,93,7.8,145M +Pitch Perfect 2,"Comedy,Music",Elizabeth Banks,"Anna Kendrick, Rebel Wilson, Hailee Steinfeld,Brittany Snow",2015,115,6.5,183.44M +Monsters University,"Animation,Adventure,Comedy",Dan Scanlon,"Billy Crystal, John Goodman, Steve Buscemi, Helen Mirren",2013,104,7.3,268.49 +Elle,"Crime,Drama,Thriller",Paul Verhoeven,"Isabelle Huppert, Laurent Lafitte, Anne Consigny,Charles Berling",2016,130,7.2,0 +Mechanic: Resurrection,"Action,Adventure,Crime",Dennis Gansel,"Jason Statham, Jessica Alba, Tommy Lee Jones,Michelle Yeoh",2016,98,5.6,21.2 +Tusk,"Comedy,Drama,Horror",Kevin Smith,"Justin Long, Michael Parks, Haley Joel Osment,Genesis Rodriguez",2014,102,5.4,1.82 +The Headhunter's Calling,Drama,Mark Williams,"Alison Brie, Gerard Butler, Willem Dafoe, Gretchen Mol",2016,108,6.9,0 +Atonement,"Drama,Mystery,Romance",Joe Wright,"Keira Knightley, James McAvoy, Brenda Blethyn,Saoirse Ronan",2007,123,7.8,50.92 +Harry Potter and the Deathly Hallows: Part 1,"Adventure,Family,Fantasy",David Yates,"Daniel Radcliffe, Emma Watson, Rupert Grint, Bill Nighy",2010,146,7.7,294.98 +Shame,Drama,Steve McQueen,"Michael Fassbender, Carey Mulligan, James Badge Dale, Lucy Walters",2011,101,7.2,4 +Hanna,"Action,Drama,Thriller",Joe Wright,"Saoirse Ronan, Cate Blanchett, Eric Bana, Vicky Krieps",2011,111,6.8,40.25 +The Babysitters,Drama,David Ross,"Lauren Birkell, Paul Borghese, Chira Cassel, Anthony Cirillo",2007,88,5.7,0.04 +Pride and Prejudice and Zombies,"Action,Horror,Romance",Burr Steers,"Lily James, Sam Riley, Jack Huston, Bella Heathcote",2016,108,5.8,10.91 +300: Rise of an Empire,"Action,Drama,Fantasy",Noam Murro,"Sullivan Stapleton, Eva Green, Lena Headey, Hans Matheson",2014,102,6.2,106.37M +London Has Fallen,"Action,Crime,Drama",Babak Najafi,"Gerard Butler, Aaron Eckhart, Morgan Freeman,Angela Bassett",2016,99,5.9,62.4 +The Curious Case of Benjamin Button,"Drama,Fantasy,Romance",David Fincher,"Brad Pitt, Cate Blanchett, Tilda Swinton, Julia Ormond",2008,166,7.8,127.49M +Sin City: A Dame to Kill For,"Action,Crime,Thriller",Frank Miller,"Mickey Rourke, Jessica Alba, Josh Brolin, Joseph Gordon-Levitt",2014,102,6.5,13.75 +The Bourne Ultimatum,"Action,Mystery,Thriller",Paul Greengrass,"Matt Damon, Edgar Ramírez, Joan Allen, Julia Stiles",2007,115,8.1,227.14 +Srpski film,"Horror,Mystery,Thriller",Srdjan Spasojevic,"Srdjan 'Zika' Todorovic, Sergej Trifunovic,Jelena Gavrilovic, Slobodan Bestic",2010,104,5.2,0 +The Purge: Election Year,"Action,Horror,Sci-Fi",James DeMonaco,"Frank Grillo, Elizabeth Mitchell, Mykelti Williamson, Joseph Julian Soria",2016,109,6,79 +3 Idiots,"Comedy,Drama",Rajkumar Hirani,"Aamir Khan, Madhavan, Mona Singh, Sharman Joshi",2009,170,8.4,6.52 +Zoolander 2,Comedy,Ben Stiller,"Ben Stiller, Owen Wilson, Penélope Cruz, Will Ferrell",2016,102,4.7,28.84 +World War Z,"Action,Adventure,Horror",Marc Forster,"Brad Pitt, Mireille Enos, Daniella Kertesz, James Badge Dale",2013,116,7,202.35 +Mission: Impossible - Ghost Protocol,"Action,Adventure,Thriller",Brad Bird,"Tom Cruise, Jeremy Renner, Simon Pegg, Paula Patton",2011,132,7.4,209.36 +Let Me Make You a Martyr,"Action,Crime,Drama",Corey Asraf,"Marilyn Manson, Mark Boone Junior, Sam Quartin, Niko Nicotera",2016,102,6.4,0 +Filth,"Comedy,Crime,Drama",Jon S. Baird,"James McAvoy, Jamie Bell, Eddie Marsan, Imogen Poots",2013,97,7.1,0.03 +The Longest Ride,"Drama,Romance",George Tillman Jr.,"Scott Eastwood, Britt Robertson, Alan Alda, Jack Huston",2015,123,7.1,37.43 +The imposible,"Drama,Thriller",J.A. Bayona,"Naomi Watts, Ewan McGregor, Tom Holland, Oaklee Pendergast",2012,114,7.6,19 +Kick-Ass 2,"Action,Comedy,Crime",Jeff Wadlow,"Aaron Taylor-Johnson, Chloë Grace Moretz,Christopher Mintz-Plasse, Jim Carrey",2013,103,6.6,28.75 +Folk Hero & Funny Guy,Comedy,Jeff Grace,"Alex Karpovsky, Wyatt Russell, Meredith Hagner,Melanie Lynskey",2016,88,5.6,0 +Oz the Great and Powerful,"Adventure,Family,Fantasy",Sam Raimi,"James Franco, Michelle Williams, Rachel Weisz, Mila Kunis",2013,130,6.3,234.9 +Brooklyn,"Drama,Romance",John Crowley,"Saoirse Ronan, Emory Cohen, Domhnall Gleeson,Jim Broadbent",2015,117,7.5,38.32 +Coraline,"Animation,Family,Fantasy",Henry Selick,"Dakota Fanning, Teri Hatcher, John Hodgman, Jennifer Saunders",2009,100,7.7,75.28 +Blue Valentine,"Drama,Romance",Derek Cianfrance,"Ryan Gosling, Michelle Williams, John Doman,Faith Wladyka",2010,112,7.4,9.7 +The Thinning,Thriller,Michael J. Gallagher,"Logan Paul, Peyton List, Lia Marie Johnson,Calum Worthy",2016,81,6,0 +Silent Hill,"Adventure,Horror,Mystery",Christophe Gans,"Radha Mitchell, Laurie Holden, Sean Bean,Deborah Kara Unger",2006,125,6.6,46.98 +Dredd,"Action,Sci-Fi",Pete Travis,"Karl Urban, Olivia Thirlby, Lena Headey, Rachel Wood",2012,95,7.1,13.4 +Hunt for the Wilderpeople,"Adventure,Comedy,Drama",Taika Waititi,"Sam Neill, Julian Dennison, Rima Te Wiata, Rachel House",2016,101,7.9,5.2 +Big Hero 6,"Animation,Action,Adventure",Don Hall,"Ryan Potter, Scott Adsit, Jamie Chung,T.J. Miller",2014,102,7.8,222.49 +Carrie,"Drama,Horror",Kimberly Peirce,"Chloë Grace Moretz, Julianne Moore, Gabriella Wilde, Portia Doubleday",2013,100,5.9,35.27 +Iron Man 2,"Action,Adventure,Sci-Fi",Jon Favreau,"Robert Downey Jr., Mickey Rourke, Gwyneth Paltrow,Don Cheadle",2010,124,7,312.06 +Demolition,"Comedy,Drama",Jean-Marc Vallée,"Jake Gyllenhaal, Naomi Watts, Chris Cooper,Judah Lewis",2015,101,7,1.82 +Pandorum,"Action,Horror,Mystery",Christian Alvart,"Dennis Quaid, Ben Foster, Cam Gigandet, Antje Traue",2009,108,6.8,10.33 +Olympus Has Fallen,"Action,Thriller",Antoine Fuqua,"Gerard Butler, Aaron Eckhart, Morgan Freeman,Angela Bassett",2013,119,6.5,98.9 +I Am Number Four,"Action,Adventure,Sci-Fi",D.J. Caruso,"Alex Pettyfer, Timothy Olyphant, Dianna Agron, Teresa Palmer",2011,109,6.1,55.09 +Jagten,Drama,Thomas Vinterberg,"Mads Mikkelsen, Thomas Bo Larsen, Annika Wedderkopp, Lasse Fogelstrøm",2012,115,8.3,0.61 +The Proposal,"Comedy,Drama,Romance",Anne Fletcher,"Sandra Bullock, Ryan Reynolds, Mary Steenburgen,Craig T. Nelson",2009,108,6.7,163.95M +Get Hard,"Comedy,Crime",Etan Cohen,"Will Ferrell, Kevin Hart, Alison Brie, T.I.",2015,100,6,90.35 +Just Go with It,"Comedy,Romance",Dennis Dugan,"Adam Sandler, Jennifer Aniston, Brooklyn Decker,Nicole Kidman",2011,117,6.4,103.03M +Revolutionary Road,"Drama,Romance",Sam Mendes,"Leonardo DiCaprio, Kate Winslet, Christopher Fitzgerald, Jonathan Roumie",2008,119,7.3,22.88 +The Town,"Crime,Drama,Thriller",Ben Affleck,"Ben Affleck, Rebecca Hall, Jon Hamm, Jeremy Renner",2010,125,7.6,92.17 +The Boy,"Horror,Mystery,Thriller",William Brent Bell,"Lauren Cohan, Rupert Evans, James Russell, Jim Norton",2016,97,6,35.79 +Denial,"Biography,Drama",Mick Jackson,"Rachel Weisz, Tom Wilkinson, Timothy Spall, Andrew Scott",2016,109,6.6,4.07 +Predestination,"Drama,Mystery,Sci-Fi",Michael Spierig,"Ethan Hawke, Sarah Snook, Noah Taylor, Madeleine West",2014,97,7.5,0 +Goosebumps,"Adventure,Comedy,Family",Rob Letterman,"Jack Black, Dylan Minnette, Odeya Rush, Ryan Lee",2015,103,6.3,80.02 +Sherlock Holmes: A Game of Shadows,"Action,Adventure,Crime",Guy Ritchie,"Robert Downey Jr., Jude Law, Jared Harris, Rachel McAdams",2011,129,7.5,186.83M +Salt,"Action,Crime,Mystery",Phillip Noyce,"Angelina Jolie, Liev Schreiber, Chiwetel Ejiofor, Daniel Olbrychski",2010,100,6.4,118.31M +Enemy,"Mystery,Thriller",Denis Villeneuve,"Jake Gyllenhaal, Mélanie Laurent, Sarah Gadon,Isabella Rossellini",2013,91,6.9,1.01 +District 9,"Action,Sci-Fi,Thriller",Neill Blomkamp,"Sharlto Copley, David James, Jason Cope, Nathalie Boltt",2009,112,8,115.65M +The Other Guys,"Action,Comedy,Crime",Adam McKay,"Will Ferrell, Mark Wahlberg, Derek Jeter, Eva Mendes",2010,107,6.7,119.22M +American Gangster,"Biography,Crime,Drama",Ridley Scott,"denzel Washington, Russell Crowe, Chiwetel Ejiofor,Josh Brolin",2007,157,7.8,130.13M +Marie Antoinette,"Biography,Drama,History",Sofia Coppola,"Kirsten Dunst, Jason Schwartzman, Rip Torn, Judy Davis",2006,123,6.4,15.96 +2012,"Action,Adventure,Sci-Fi",Roland Emmerich,"John Cusack, Thandie Newton, Chiwetel Ejiofor,Amanda Peet",2009,158,5.8,166.11M +Harry Potter and the Half-Blood Prince,"Adventure,Family,Fantasy",David Yates,"Daniel Radcliffe, Emma Watson, Rupert Grint, Michael Gambon",2009,153,7.5,301.96 +Argo,"Biography,Drama,History",Ben Affleck,"Ben Affleck, Bryan Cranston, John Goodman, Alan Arkin",2012,120,7.7,136.02M +Eddie the Eagle,"Biography,Comedy,Drama",Dexter Fletcher,"Taron Egerton, Hugh Jackman, Tom Costello, Jo Hartley",2016,106,7.4,15.79 +The Lives of Others,"Drama,Thriller",Florian Henckel von Donnersmarck,"Ulrich Mühe, Martina Gedeck,Sebastian Koch, Ulrich Tukur",2006,137,8.5,11.28 +Pet,"Horror,Thriller",Carles Torrens,"Dominic Monaghan, Ksenia Solo, Jennette McCurdy,Da'Vone McDonald",2016,94,5.7,0 +Paint It Black,Drama,Amber Tamblyn,"Alia Shawkat, Nancy Kwan, Annabelle Attanasio,Alfred Molina",2016,96,8.3,0 +Macbeth,"Drama,War",Justin Kurzel,"Michael Fassbender, Marion Cotillard, Jack Madigan,Frank Madigan",2015,113,6.7,0 +Forgetting Sarah Marshall,"Comedy,Drama,Romance",Nicholas Stoller,"Kristen Bell, Jason Segel, Paul Rudd, Mila Kunis",2008,111,7.2,62.88 +The Giver,"Drama,Romance,Sci-Fi",Phillip Noyce,"Brenton Thwaites, Jeff Bridges, Meryl Streep, Taylor Swift",2014,97,6.5,45.09 +Triple 9,"Action,Crime,Drama",John Hillcoat,"Casey Affleck, Chiwetel Ejiofor, Anthony Mackie,Aaron Paul",2016,115,6.3,12.63 +Perfetti sconosciuti,"Comedy,Drama",Paolo Genovese,"Giuseppe Battiston, Anna Foglietta, Marco Giallini,Edoardo Leo",2016,97,7.7,0 +Angry Birds,"Animation,Action,Adventure",Clay Kaytis,"Jason Sudeikis, Josh Gad, Danny McBride, Maya Rudolph",2016,97,6.3,107.51M +Moonrise Kingdom,"Adventure,Comedy,Drama",Wes Anderson,"Jared Gilman, Kara Hayward, Bruce Willis, Bill Murray",2012,94,7.8,45.51 +Hairspray,"Comedy,Drama,Family",Adam Shankman,"John Travolta, Queen Latifah, Nikki Blonsky,Michelle Pfeiffer",2007,117,6.7,118.82M +Safe Haven,"Drama,Romance,Thriller",Lasse Hallström,"Julianne Hough, Josh Duhamel, Cobie Smulders,David Lyons",2013,115,6.7,71.35 +Focus,"Comedy,Crime,Drama",Glenn Ficarra,"Will Smith, Margot Robbie, Rodrigo Santoro, Adrian Martinez",2015,105,6.6,53.85 +Ratatouille,"Animation,Comedy,Family",Brad Bird,"Brad Garrett, Lou Romano, Patton Oswalt,Ian Holm",2007,111,8,206.44 +Stake Land,"Drama,Horror,Sci-Fi",Jim Mickle,"Connor Paolo, Nick Damici, Kelly McGillis, Gregory Jones",2010,98,6.5,0.02 +The Book of Eli,"Action,Adventure,Drama",Albert Hughes,"Denzel Washington, Mila Kunis, Ray Stevenson, Gary Oldman",2010,118,6.9,94.82 +Cloverfield,"Action,Horror,Sci-Fi",Matt Reeves,"Mike Vogel, Jessica Lucas, Lizzy Caplan, T.J. Miller",2008,85,7,80.03 +Point Break,"Action,Crime,Sport",Ericson Core,"Edgar Ramírez, Luke Bracey, Ray Winstone, Teresa Palmer",2015,114,5.3,28.77 +Under the Skin,"Drama,Horror,Sci-Fi",Jonathan Glazer,"Scarlett Johansson, Jeremy McWilliams, Lynsey Taylor Mackay, Dougie McConnell",2013,108,6.3,2.61 +I Am Legend,"Drama,Horror,Sci-Fi",Francis Lawrence,"Will Smith, Alice Braga, Charlie Tahan, Salli Richardson-Whitfield",2007,101,7.2,256.39 +Men in Black 3,"Action,Adventure,Comedy",Barry Sonnenfeld,"Will Smith, Tommy Lee Jones, Josh Brolin,Jemaine Clement",2012,106,6.8,179.02M +Super 8,"Mystery,Sci-Fi,Thriller",J.J. Abrams,"Elle Fanning, AJ Michalka, Kyle Chandler, Joel Courtney",2011,112,7.1,126.98M +Law Abiding Citizen,"Crime,Drama,Thriller",F. Gary Gray,"Gerard Butler, Jamie Foxx, Leslie Bibb, Colm Meaney",2009,109,7.4,73.34 +Up,"Animation,Adventure,Comedy",Pete Docter,"Edward Asner, Jordan Nagai, John Ratzenberger, Christopher Plummer",2009,96,8.3,292.98 +Maze Runner: The Scorch Trials,"Action,Sci-Fi,Thriller",Wes Ball,"Dylan O'Brien, Kaya Scodelario, Thomas Brodie-Sangster,Giancarlo Esposito",2015,131,6.3,81.69 +Carol,"Drama,Romance",Todd Haynes,"Cate Blanchett, Rooney Mara, Sarah Paulson, Kyle Chandler",2015,118,7.2,0.25 +Imperium,"Crime,Drama,Thriller",Daniel Ragussis,"Daniel Radcliffe, Toni Collette, Tracy Letts, Sam Trammell",2016,109,6.5,0 +Youth,"Comedy,Drama,Music",Paolo Sorrentino,"Michael Caine, Harvey Keitel, Rachel Weisz, Jane Fonda",2015,124,7.3,2.7 +Mr. Nobody,"Drama,Fantasy,Romance",Jaco Van Dormael,"Jared Leto, Sarah Polley, Diane Kruger, Linh Dan Pham",2009,141,7.9,0 +City of Tiny Lights,"Crime,Drama,Thriller",Pete Travis,"Riz Ahmed, Billie Piper, James Floyd, Cush Jumbo",2016,110,5.7,0 +Savages,"Crime,Drama,Thriller",Oliver Stone,"Aaron Taylor-Johnson, Taylor Kitsch, Blake Lively,Benicio Del Toro",2012,131,6.5,47.31 +(500) Days of Summer,"Comedy,Drama,Romance",Marc Webb,"Zooey Deschanel, Joseph Gordon-Levitt, Geoffrey Arend, Chloë Grace Moretz",2009,95,7.7,32.39 +Movie 43,"Comedy,Romance",Elizabeth Banks,"Emma Stone, Stephen Merchant, Richard Gere, Liev Schreiber",2013,94,4.3,8.83 +Gravity,"Drama,Sci-Fi,Thriller",Alfonso Cuarón,"Sandra Bullock, George Clooney, Ed Harris, Orto Ignatiussen",2013,91,7.8,274.08 +The Boy in the Striped Pyjamas,"Drama,War",Mark Herman,"Asa Butterfield, David Thewlis, Rupert Friend, Zac Mattoon O'Brien",2008,94,7.8,9.03 +Shooter,"Action,Crime,Drama",Antoine Fuqua,"Mark Wahlberg, Michael Peña, Rhona Mitra, Danny Glover",2007,124,7.2,46.98 +The Happening,"Sci-Fi,Thriller",M. Night Shyamalan,"Mark Wahlberg, Zooey Deschanel, John Leguizamo, Ashlyn Sanchez",2008,91,5,64.51 +Bone Tomahawk,"Adventure,Drama,Horror",S. Craig Zahler,"Kurt Russell, Patrick Wilson, Matthew Fox, Richard Jenkins",2015,132,7.1,66.01 +Magic Mike XXL,"Comedy,Drama,Music",Gregory Jacobs,"Channing Tatum, Joe Manganiello, Matt Bomer,Adam Rodriguez",2015,115,5.7,0 +Easy A,"Comedy,Drama,Romance",Will Gluck,"Emma Stone, Amanda Bynes, Penn Badgley, Dan Byrd",2010,92,7.1,58.4 +Exodus: Gods and Kings,"Action,Adventure,Drama",Ridley Scott,"Christian Bale, Joel Edgerton, Ben Kingsley, Sigourney Weaver",2014,150,6,65.01 +Chappie,"Action,Crime,Drama",Neill Blomkamp,"Sharlto Copley, Dev Patel, Hugh Jackman,Sigourney Weaver",2015,120,6.9,31.57 +The Hobbit: The Desolation of Smaug,"Adventure,Fantasy",Peter Jackson,"Ian McKellen, Martin Freeman, Richard Armitage,Ken Stott",2013,161,7.9,258.36 +Half of a Yellow Sun,"Drama,Romance",Biyi Bandele,"Chiwetel Ejiofor, Thandie Newton, Anika Noni Rose,Joseph Mawle",2013,111,6.2,0.05 +Anthropoid,"Biography,History,Thriller",Sean Ellis,"Jamie Dornan, Cillian Murphy, Brian Caspe, Karel Hermánek Jr.",2016,120,7.2,2.96 +The Counselor,"Crime,Drama,Thriller",Ridley Scott,"Michael fassbender, Penélope Cruz, Cameron Diaz,Javier Bardem",2013,117,5.3,16.97 +Viking,"Action,Drama,History",Andrey Kravchuk,"Anton Adasinsky, Aleksandr Armer, Vilen Babichev, Rostislav Bershauer",2016,133,4.7,23.05 +Whiskey Tango Foxtrot,"Biography,Comedy,Drama",Glenn Ficarra,"Tina Fey, Margot Robbie, Martin Freeman, Alfred Molina",2016,112,6.6,0 +Trust,"Crime,Drama,Thriller",David Schwimmer,"Clive Owen, Catherine Keener, Liana Liberato,Jason Clarke",2010,106,7,0.06 +Birth of the Dragon,"Action,Biography,Drama",George Nolfi,"Billy Magnussen, Terry Chen, Teresa Navarro,Vanessa Ross",2016,103,3.9,93.05 +Elysium,"Action,Drama,Sci-Fi",Neill Blomkamp,"Matt Damon, Jodie Foster, Sharlto Copley, Alice Braga",2013,109,6.6,0 +The Green Inferno,"Adventure,Horror",Eli Roth,"Lorenza Izzo, Ariel Levy, Aaron Burns, Kirby Bliss Blanton",2013,100,5.4,7.19 +Godzilla,"Action,Adventure,Sci-Fi",Gareth Edwards,"Aaron Taylor-Johnson, Elizabeth Olsen, Bryan Cranston, Ken Watanabe",2014,123,6.4,200.66 +The Bourne Legacy,"Action,Adventure,Mystery",Tony Gilroy,"Jeremy Renner, Rachel Weisz, Edward Norton, Scott Glenn",2012,135,6.7,113.17M +A Good Year,"Comedy,Drama,Romance",Ridley Scott,"Russell Crowe, Abbie Cornish, Albert Finney, Marion Cotillard",2006,117,6.9,7.46 +Friend Request,"Horror,Thriller",Simon Verhoeven,"Alycia Debnam-Carey, William Moseley, Connor Paolo, Brit Morgan",2016,92,5.4,64.03 +Deja Vu,"Action,Sci-Fi,Thriller",Tony Scott,"Denzel Washington, Paula Patton, Jim Caviezel, Val Kilmer",2006,126,7,0 +Lucy,"Action,Sci-Fi,Thriller",Luc Besson,"Scarlett Johansson, Morgan Freeman, Min-sik Choi,Amr Waked",2014,89,6.4,126.55M +A Quiet Passion,"Biography,Drama",Terence Davies,"Cynthia Nixon, Jennifer Ehle, Duncan Duff, Keith Carradine",2016,125,7.2,1.08 +Need for Speed,"Action,Crime,Drama",Scott Waugh,"Aaron Paul, Dominic Cooper, Imogen Poots, Scott Mescudi",2014,132,6.5,43.57 +Jack Reacher,"Action,Crime,Mystery",Christopher McQuarrie,"Tom Cruise, Rosamund Pike, Richard Jenkins, Werner Herzog",2012,130,7,58.68 +The Do-Over,"Action,Adventure,Comedy",Steven Brill,"Adam Sandler, David Spade, Paula Patton, Kathryn Hahn",2016,108,5.7,0.54 +True Crimes,"Crime,Drama,Thriller",Alexandros Avranas,"Jim Carrey, Charlotte Gainsbourg, Marton Csokas, Kati Outinen",2016,92,7.3,0 +American Pastoral,"Crime,Drama",Ewan McGregor,"Ewan McGregor, Jennifer Connelly, Dakota Fanning, Peter Riegert",2016,108,6.1,0 +The Ghost Writer,"Mystery,Thriller",Roman Polanski,"Ewan McGregor, Pierce Brosnan, Olivia Williams,Jon Bernthal",2010,128,7.2,15.52 +Limitless,"Mystery,Sci-Fi,Thriller",Neil Burger,"Bradley Cooper, Anna Friel, Abbie Cornish, Robert De Niro",2011,105,7.4,79.24 +Spectral,"Action,Mystery,Sci-Fi",Nic Mathieu,"James Badge Dale, Emily Mortimer, Bruce Greenwood,Max Martini",2016,107,6.3,0 +P.S. I Love You,"Drama,Romance",Richard LaGravenese,"Hilary Swank, Gerard Butler, Harry Connick Jr., Lisa Kudrow",2007,126,7.1,53.68 +Zipper,"Drama,Thriller",Mora Stephens,"Patrick Wilson, Lena Headey, Ray Winstone,Richard Dreyfuss",2015,103,5.7,0 +Midnight Special,"Drama,Mystery,Sci-Fi",Jeff Nichols,"Michael Shannon, Joel Edgerton, Kirsten Dunst, Adam Driver",2016,112,6.7,3.71 +Don't Think Twice,"Comedy,Drama",Mike Birbiglia,"Keegan-Michael Key, Gillian Jacobs, Mike Birbiglia,Chris Gethard",2016,92,6.8,4.42 +Alice in Wonderland,"Adventure,Family,Fantasy",Tim Burton,"Mia Wasikowska, Johnny Depp, Helena Bonham Carter,Anne Hathaway",2010,108,6.5,334.19 +Chuck,"Biography,Drama,Sport",Philippe Falardeau,"Elisabeth Moss, Naomi Watts, Ron Perlman, Liev Schreiber",2016,98,6.8,0.11 +"I, Daniel Blake",Drama,Ken Loach,"Dave Johns, Hayley Squires, Sharon Percy, Briana Shann",2016,100,7.9,0 +The Break-Up,"Comedy,Drama,Romance",Peyton Reed,"Jennifer Aniston, Vince Vaughn, Jon Favreau, Joey Lauren Adams",2006,106,5.8,118.68M +Loving,"Biography,Drama,Romance",Jeff Nichols,"Ruth Negga, Joel Edgerton, Will Dalton, Dean Mumford",2016,123,7.1,7.7 +Fantastic Four,"Action,Adventure,Sci-Fi",Josh Trank,"Miles Teller, Kate Mara, Michael B. Jordan, Jamie Bell",2015,100,4.3,56.11 +The Survivalist,"Drama,Sci-Fi,Thriller",Stephen Fingleton,"Mia Goth, Martin McCann, Barry Ward, Andrew Simpson",2015,104,6.3,0 +Colonia,"Drama,Romance,Thriller",Florian Gallenberger,"Emma Watson, Daniel Brühl, Michael Nyqvist,Richenda Carey",2015,106,7.1,0 +The Boy Next Door,"Mystery,Thriller",Rob Cohen,"Jennifer Lopez, Ryan Guzman, Kristin Chenoweth, John Corbett",2015,91,4.6,35.39 +The Gift,"Mystery,Thriller",Joel Edgerton,"Jason Bateman, Rebecca Hall, Joel Edgerton, Allison Tolman",2015,108,7.1,43.77 +Dracula Untold,"Action,Drama,Fantasy",Gary Shore,"Luke Evans, Dominic Cooper, Sarah Gadon, Art Parkinson",2014,92,6.3,55.94 +In the Heart of the Sea,"Action,Adventure,Biography",Ron Howard,"Chris Hemsworth, Cillian Murphy, Brendan Gleeson,Ben Whishaw",2015,122,6.9,24.99 +Idiocracy,"Adventure,Comedy,Sci-Fi",Mike Judge,"Luke Wilson, Maya Rudolph, Dax Shepard, Terry Crews",2006,84,6.6,0.44 +The Expendables,"Action,Adventure,Thriller",Sylvester Stallone,"Sylvester Stallone, Jason Statham, Jet Li, Dolph Lundgren",2010,103,6.5,102.98M +Evil Dead,"Fantasy,Horror",Fede Alvarez,"Jane Levy, Shiloh Fernandez, Jessica Lucas, Lou Taylor Pucci",2013,91,6.5,54.24 +Sinister,"Horror,Mystery",Scott Derrickson,"Ethan Hawke, Juliet Rylance, James Ransone,Fred Dalton Thompson",2012,110,6.8,48.06 +Wreck-It Ralph,"Animation,Adventure,Comedy",Rich Moore,"John C. Reilly, Jack McBrayer, Jane Lynch, Sarah Silverman",2012,101,7.8,189.41M +Snow White and the Huntsman,"Action,Adventure,Drama",Rupert Sanders,"Kristen Stewart, Chris Hemsworth, Charlize Theron, Sam Claflin",2012,127,6.1,155.11M +Pan,"Adventure,Family,Fantasy",Joe Wright,"Levi Miller, Hugh Jackman, Garrett Hedlund, Rooney Mara",2015,111,5.8,34.96 +Transformers: Dark of the Moon,"Action,Adventure,Sci-Fi",Michael Bay,"Shia LaBeouf, Rosie Huntington-Whiteley, Tyrese Gibson, Josh Duhamel",2011,154,6.3,352.36 +Juno,"Comedy,Drama",Jason Reitman,"Ellen Page, Michael Cera, Jennifer Garner, Jason Bateman",2007,96,7.5,143.49M +A Hologram for the King,"Comedy,Drama",Tom Tykwer,"Tom Hanks, Sarita Choudhury, Ben Whishaw,Alexander Black",2016,98,6.1,4.2 +Money Monster,"Crime,Drama,Thriller",Jodie Foster,"George Clooney, Julia Roberts, Jack O'Connell,Dominic West",2016,98,6.5,41.01 +The Other Woman,"Comedy,Romance",Nick Cassavetes,"Cameron Diaz, Leslie Mann, Kate Upton, Nikolaj Coster-Waldau",2014,109,6,83.91 +Enchanted,"Animation,Comedy,Family",Kevin Lima,"Amy Adams, Susan Sarandon, James Marsden, Patrick Dempsey",2007,107,7.1,127.71M +The Intern,"Comedy,Drama",Nancy Meyers,"Robert De Niro, Anne Hathaway, Rene Russo,Anders Holm",2015,121,7.1,75.27 +Little Miss Sunshine,"Comedy,Drama",Jonathan Dayton,"Steve Carell, Toni Collette, Greg Kinnear, Abigail Breslin",2006,101,7.8,59.89 +Bleed for This,"Biography,Drama,Sport",Ben Younger,"Miles Teller, Aaron Eckhart, Katey Sagal, Ciarán Hinds",2016,117,6.8,4.85 +Clash of the Titans,"Action,Adventure,Fantasy",Louis Leterrier,"Sam Worthington, Liam Neeson, Ralph Fiennes,Jason Flemyng",2010,106,5.8,163.19M +The Finest Hours,"Action,Drama,History",Craig Gillespie,"Chris Pine, Casey Affleck, Ben Foster, Eric Bana",2016,117,6.8,27.55 +Tron,"Action,Adventure,Sci-Fi",Joseph Kosinski,"Jeff Bridges, Garrett Hedlund, Olivia Wilde, Bruce Boxleitner",2010,125,6.8,172.05M +The Hunger Games: Catching Fire,"Action,Adventure,Mystery",Francis Lawrence,"Jennifer Lawrence, Josh Hutcherson, Liam Hemsworth, Philip Seymour Hoffman",2013,146,7.6,424.65 +All Good Things,"Crime,Drama,Mystery",Andrew Jarecki,"Ryan Gosling, Kirsten Dunst, Frank Langella, Lily Rabe",2010,101,6.3,0.58 +Kickboxer: Vengeance,Action,John Stockwell,"Dave Bautista, Alain Moussi, Gina Carano, Jean-Claude Van Damme",2016,90,4.9,131.56M +The Last Airbender,"Action,Adventure,Family",M. Night Shyamalan,"Noah Ringer, Nicola Peltz, Jackson Rathbone,Dev Patel",2010,103,4.2,0 +Sex Tape,"Comedy,Romance",Jake Kasdan,"Jason Segel, Cameron Diaz, Rob Corddry, Ellie Kemper",2014,94,5.1,38.54 +What to Expect When You're Expecting,"Comedy,Drama,Romance",Kirk Jones,"Cameron Diaz, Matthew Morrison, J. Todd Smith, Dennis Quaid",2012,110,5.7,41.1 +Moneyball,"Biography,Drama,Sport",Bennett Miller,"Brad Pitt, Robin Wright, Jonah Hill, Philip Seymour Hoffman",2011,133,7.6,75.61 +Ghost Rider,"Action,Fantasy,Thriller",Mark Steven Johnson,"Nicolas Cage, Eva Mendes, Sam Elliott, Matt Long",2007,114,5.2,115.8M +Unbroken,"Biography,Drama,Sport",Angelina Jolie,"Jack O'Connell, Miyavi, Domhnall Gleeson, Garrett Hedlund",2014,137,7.2,115.6M +Immortals,"Action,Drama,Fantasy",Tarsem Singh,"Henry Cavill, Mickey Rourke, John Hurt, Stephen Dorff",2011,110,6,83.5 +Sunshine,"Adventure,Sci-Fi,Thriller",Danny Boyle,"Cillian Murphy, Rose Byrne, Chris Evans, Michelle Yeoh",2007,107,7.3,3.68 +Brave,"Animation,Adventure,Comedy",Mark Andrews,"Kelly Macdonald,Billy Connolly, Emma Thompson, Julie Walters",2012,93,7.2,237.28 +Män som hatar kvinnor,"Drama,Mystery,Thriller",Niels Arden Oplev,"Michael Nyqvist, Noomi Rapace, Ewa Fröling,Lena Endre",2009,152,7.8,10.1 +Adoration,"Drama,Romance",Anne Fontaine,"Naomi Watts, Robin Wright, Xavier Samuel, James Frecheville",2013,112,6.2,0.32 +The Drop,"Crime,Drama,Mystery",Michaël R. Roskam,"Tom Hardy, Noomi Rapace, James Gandolfini,Matthias Schoenaerts",2014,106,7.1,10.72 +She's the Man,"Comedy,Romance,Sport",Andy Fickman,"Amanda Bynes, Laura Ramsey, Channing Tatum,Vinnie Jones",2006,105,6.4,2.34 +Daddy's Home,"Comedy,Family",Sean Anders,"Will Ferrell, Mark Wahlberg, Linda Cardellini, Thomas Haden Church",2015,96,6.1,150.32M +Let Me In,"Drama,Horror,Mystery",Matt Reeves,"Kodi Smit-McPhee, Chloë Grace Moretz, Richard Jenkins, Cara Buono",2010,116,7.2,12.13 +Never Back Down,"Action,Drama,Sport",Jeff Wadlow,"Sean Faris, Djimon Hounsou, Amber Heard, Cam Gigandet",2008,110,6.6,24.85 +Grimsby,"Action,Adventure,Comedy",Louis Leterrier,"Sacha Baron Cohen, Mark Strong, Rebel Wilson,Freddie Crowder",2016,83,6.2,6.86 +Moon,"Drama,Mystery,Sci-Fi",Duncan Jones,"Sam Rockwell, Kevin Spacey, Dominique McElligott,Rosie Shaw",2009,97,7.9,5.01 +Megamind,"Animation,Action,Comedy",Tom McGrath,"Will Ferrell, Jonah Hill, Brad Pitt, Tina Fey",2010,95,7.3,148.34M +Gangster Squad,"Action,Crime,Drama",Ruben Fleischer,"Sean Penn, Ryan Gosling, Emma Stone, Giovanni Ribisi",2013,113,6.7,46 +Blood Father,"Action,Crime,Drama",Jean-François Richet,"Mel Gibson, Erin Moriarty, Diego Luna, Michael Parks",2016,88,6.4,93.95 +He's Just Not That Into You,"Comedy,Drama,Romance",Ken Kwapis,"Jennifer Aniston, Jennifer Connelly, Morgan Lily,Trenton Rogers",2009,129,6.4,0 +Kung Fu Panda 3,"Animation,Action,Adventure",Alessandro Carloni,"Jack Black, Bryan Cranston, Dustin Hoffman, Angelina Jolie",2016,95,7.2,143.52M +The Rise of the Krays,"Crime,Drama",Zackary Adler,"Matt Vael, Simon Cotton, Kevin Leslie, Olivia Moyles",2015,110,5.1,6.53 +Handsome Devil,Drama,John Butler,"Fionn O'Shea, Nicholas Galitzine, Andrew Scott, Moe Dunford",2016,95,7.4,0 +Winter's Bone,Drama,Debra Granik,"Jennifer Lawrence, John Hawkes, Garret Dillahunt,Isaiah Stone",2010,100,7.2,0 +Horrible Bosses,"Comedy,Crime",Seth Gordon,"Jason Bateman, Charlie Day, Jason Sudeikis, Steve Wiebe",2011,98,6.9,117.53M +Mommy,Drama,Xavier Dolan,"Anne Dorval, Antoine-Olivier Pilon, Suzanne Clément,Patrick Huard",2014,139,8.1,3.49 +Hellboy II: The Golden Army,"Action,Adventure,Fantasy",Guillermo del Toro,"Ron Perlman, Selma Blair, Doug Jones, John Alexander",2008,120,7,75.75 +Beautiful Creatures,"Drama,Fantasy,Romance",Richard LaGravenese,"Alice Englert, Viola Davis, Emma Thompson,Alden Ehrenreich",2013,124,6.2,19.45 +Toni Erdmann,"Comedy,Drama",Maren Ade,"Sandra Hüller, Peter Simonischek, Michael Wittenborn,Thomas Loibl",2016,162,7.6,1.48 +The Lovely Bones,"Drama,Fantasy,Thriller",Peter Jackson,"Rachel Weisz, Mark Wahlberg, Saoirse Ronan, Susan Sarandon",2009,135,6.7,43.98 +The Assassination of Jesse James by the Coward Robert Ford,"Biography,Crime,Drama",Andrew Dominik,"Brad Pitt, Casey Affleck, Sam Shepard, Mary-Louise Parker",2007,160,7.5,3.9 +Don Jon,"Comedy,Drama,Romance",Joseph Gordon-Levitt,"Joseph Gordon-Levitt, Scarlett Johansson,Julianne Moore, Tony Danza",2013,90,6.6,24.48 +Bastille Day,"Action,Crime,Drama",James Watkins,"Idris Elba, Richard Madden, Charlotte Le Bon, Kelly Reilly",2016,92,6.3,0.04 +2307: Winter's Dream,Sci-Fi,Joey Curtis,"Paul Sidhu, Branden Coles, Arielle Holmes, Kelcey Watson",2016,101,4,20.76 +Free State of Jones,"Action,Biography,Drama",Gary Ross,"Matthew McConaughey, Gugu Mbatha-Raw, Mahershala Ali, Keri Russell",2016,139,6.9,0 +Mr. Right,"Action,Comedy,Romance",Paco Cabezas,"Anna Kendrick, Sam Rockwell, Tim Roth, James Ransone",2015,95,6.3,0.03 +The Secret Life of Walter Mitty,"Adventure,Comedy,Drama",Ben Stiller,"Ben Stiller, Kristen Wiig, Jon Daly, Kathryn Hahn",2013,114,7.3,58.23 +Dope,"Comedy,Crime,Drama",Rick Famuyiwa,"Shameik Moore, Tony Revolori, Kiersey Clemons,Kimberly Elise",2015,103,7.3,17.47 +Underworld Awakening,"Action,Fantasy,Horror",Måns Mårlind,"Kate Beckinsale, Michael Ealy, India Eisley, Stephen Rea",2012,88,6.4,62.32 +Antichrist,"Drama,Horror",Lars von Trier,"Willem Dafoe, Charlotte Gainsbourg, Storm Acheche Sahlstrøm",2009,108,6.6,0.4 +Friday the 13th,Horror,Marcus Nispel,"Jared Padalecki, Amanda Righetti, Derek Mears,Danielle Panabaker",2009,97,5.6,65 +Taken 3,"Action,Thriller",Olivier Megaton,"Liam Neeson, Forest Whitaker, Maggie Grace,Famke Janssen",2014,109,6,89.25 +Total Recall,"Action,Adventure,Mystery",Len Wiseman,"Colin Farrell, Bokeem Woodbine, Bryan Cranston,Kate Beckinsale",2012,118,6.3,58.88 +X-Men: The Last Stand,"Action,Adventure,Fantasy",Brett Ratner,"Patrick Stewart, Hugh Jackman, Halle Berry, Famke Janssen",2006,104,6.7,234.36 +The Escort,"Comedy,Drama,Romance",Will Slocombe,"Lyndsy Fonseca, Michael Doneger, Tommy Dewey,Bruce Campbell",2016,88,6,0 +The Whole Truth,"Crime,Drama,Mystery",Courtney Hunt,"Keanu Reeves, Renée Zellweger, Gugu Mbatha-Raw, Gabriel Basso",2016,93,6.1,0 +Night at the Museum: Secret of the Tomb,"Adventure,Comedy,Family",Shawn Levy,"Ben Stiller, Robin Williams, Owen Wilson, Dick Van Dyke",2014,98,6.2,113.73M +Love & Other Drugs,"Comedy,Drama,Romance",Edward Zwick,"Jake Gyllenhaal, Anne Hathaway, Judy Greer, Oliver Platt",2010,112,6.7,32.36 +The Interview,Comedy,Evan Goldberg,"James Franco, Seth Rogen, Randall Park, Lizzy Caplan",2014,112,6.6,6.11 +The Host,"Comedy,Drama,Horror",Bong Joon Ho,"Kang-ho Song, Hee-Bong Byun, Hae-il Park, Doona Bae",2006,120,7,2.2 +Megan Is Missing,"Drama,Horror,Thriller",Michael Goi,"Amber Perkins, Rachel Quinn, Dean Waite, Jael Elizabeth Steinmeyer",2011,85,4.9,0 +WALL·E,"Animation,Adventure,Family",Andrew Stanton,"Ben Burtt, Elissa Knight, Jeff Garlin, Fred Willard",2008,98,8.4,223.81 +Knocked Up,"Comedy,Romance",Judd Apatow,"Seth Rogen, Katherine Heigl, Paul Rudd, Leslie Mann",2007,129,7,148.73M +Source Code,"Mystery,Romance,Sci-Fi",Duncan Jones,"Jake Gyllenhaal, Michelle Monaghan, Vera Farmiga,Jeffrey Wright",2011,93,7.5,54.7 +Lawless,"Crime,Drama",John Hillcoat,"Tom Hardy, Shia LaBeouf, Guy Pearce, Jason Clarke",2012,116,7.3,37.4 +Unfriended,"Drama,Horror,Mystery",Levan Gabriadze,"Heather Sossaman, Matthew Bohrer, Courtney Halverson, Shelley Hennig",2014,83,5.6,31.54 +American Reunion,Comedy,Jon Hurwitz,"Jason Biggs, Alyson Hannigan,Seann William Scott, Chris Klein",2012,113,6.7,56.72 +The Pursuit of Happyness,"Biography,Drama",Gabriele Muccino,"Will Smith, Thandie Newton, Jaden Smith, Brian Howe",2006,117,8,162.59M +Relatos salvajes,"Comedy,Drama,Thriller",Damián Szifron,"Darío Grandinetti, María Marull, Mónica Villa, Rita Cortese",2014,122,8.1,3.08 +The Ridiculous 6,"Comedy,Western",Frank Coraci,"Adam Sandler, Terry Crews, Jorge Garcia, Taylor Lautner",2015,119,4.8,0 +Frantz,"Drama,History,War",François Ozon,"Pierre Niney, Paula Beer, Ernst Stötzner, Marie Gruber",2016,113,7.5,0.86 +Viral,"Drama,Horror,Sci-Fi",Henry Joost,"Sofia Black-D'Elia, Analeigh Tipton,Travis Tope, Michael Kelly",2016,85,5.5,0 +Gran Torino,Drama,Clint Eastwood,"Clint Eastwood, Bee Vang, Christopher Carley,Ahney Her",2008,116,8.2,148.09M +Burnt,"Comedy,Drama",John Wells,"Bradley Cooper, Sienna Miller, Daniel Brühl, Riccardo Scamarcio",2015,101,6.6,13.65 +Tall Men,"Fantasy,Horror,Thriller",Jonathan Holbrook,"Dan Crisafulli, Kay Whitney, Richard Garcia, Pat Cashman",2016,133,3.2,0 +Sleeping Beauty,"Drama,Romance",Julia Leigh,"Emily Browning, Rachael Blake, Ewen Leslie, Bridgette Barrett",2011,101,5.3,0.03 +Vampire Academy,"Action,Comedy,Fantasy",Mark Waters,"Zoey Deutch, Lucy Fry, Danila Kozlovsky, Gabriel Byrne",2014,104,5.6,7.79 +Sweeney Todd: The Demon Barber of Fleet Street,"Drama,Horror,Musical",Tim Burton,"Johnny Depp, Helena Bonham Carter, Alan Rickman,Timothy Spall",2007,116,7.4,52.88 +Solace,"Crime,Drama,Mystery",Afonso Poyart,"Anthony Hopkins, Jeffrey Dean Morgan, Abbie Cornish, Colin Farrell",2015,101,6.4,0 +Insidious,"Horror,Mystery,Thriller",James Wan,"Patrick Wilson, Rose Byrne, Ty Simpkins, Lin Shaye",2010,103,6.8,53.99 +Popstar: Never Stop Never Stopping,"Comedy,Music",Akiva Schaffer,"Andy Samberg, Jorma Taccone,Akiva Schaffer, Sarah Silverman",2016,87,6.7,9.39 +The Levelling,Drama,Hope Dickson Leach,"Ellie Kendrick, David Troughton, Jack Holden,Joe Blakemore",2016,83,6.4,0 +Public Enemies,"Biography,Crime,Drama",Michael Mann,"Christian Bale, Johnny Depp, Christian Stolte, Jason Clarke",2009,140,7,97.03 +Boyhood,Drama,Richard Linklater,"Ellar Coltrane, Patricia Arquette, Ethan Hawke,Elijah Smith",2014,165,7.9,25.36 +Teenage Mutant Ninja Turtles,"Action,Adventure,Comedy",Jonathan Liebesman,"Megan Fox, Will Arnett, William Fichtner, Noel Fisher",2014,101,5.9,190.87M +Eastern Promises,"Crime,Drama,Mystery",David Cronenberg,"Naomi Watts, Viggo Mortensen, Armin Mueller-Stahl, Josef Altin",2007,100,7.7,17.11 +The Daughter,Drama,Simon Stone,"Geoffrey Rush, Nicholas Hope, Sam Neill, Ewen Leslie",2015,96,6.7,0.03 +Pineapple Express,"Action,Comedy,Crime",David Gordon Green,"Seth Rogen, James Franco, Gary Cole, Danny McBride",2008,111,7,87.34 +The First Time,"Comedy,Drama,Romance",Jon Kasdan,"Dylan O'Brien, Britt Robertson, Victoria Justice, James Frecheville",2012,95,6.9,0.02 +Gone Baby Gone,"Crime,Drama,Mystery",Ben Affleck,"Morgan Freeman, Ed Harris, Casey Affleck, Michelle Monaghan",2007,114,7.7,20.3 +The Heat,"Action,Comedy,Crime",Paul Feig,"Sandra Bullock, Michael McDonald, Melissa McCarthy,Demián Bichir",2013,117,6.6,159.58M +L'avenir,Drama,Mia Hansen-Løve,"Isabelle Huppert, André Marcon, Roman Kolinka,Edith Scob",2016,102,7.1,0.28 +Anna Karenina,"Drama,Romance",Joe Wright,"Keira Knightley, Jude Law, Aaron Taylor-Johnson,Matthew Macfadyen",2012,129,6.6,12.8 +Regression,"Crime,Drama,Mystery",Alejandro Amenábar,"Ethan Hawke, David Thewlis, Emma Watson,Dale Dickey",2015,106,5.7,0.05 +Ted 2,"Adventure,Comedy,Romance",Seth MacFarlane,"Mark Wahlberg, Seth MacFarlane, Amanda Seyfried, Jessica Barth",2015,115,6.3,81.26 +Pain & Gain,"Comedy,Crime,Drama",Michael Bay,"Mark Wahlberg, Dwayne Johnson, Anthony Mackie,Tony Shalhoub",2013,129,6.5,49.87 +Blood Diamond,"Adventure,Drama,Thriller",Edward Zwick,"Leonardo DiCaprio, Djimon Hounsou, Jennifer Connelly, Kagiso Kuypers",2006,143,8,57.37 +Devil's Knot,"Biography,Crime,Drama",Atom Egoyan,"Colin Firth, Reese Witherspoon, Alessandro Nivola,James Hamrick",2013,114,6.1,0 +Child 44,"Crime,Drama,Thriller",Daniel Espinosa,"Tom Hardy, Gary Oldman, Noomi Rapace, Joel Kinnaman",2015,137,6.5,1.21 +The Hurt Locker,"Drama,History,Thriller",Kathryn Bigelow,"Jeremy Renner, Anthony Mackie, Brian Geraghty,Guy Pearce",2008,131,7.6,15.7 +Green Lantern,"Action,Adventure,Sci-Fi",Martin Campbell,"Ryan Reynolds, Blake Lively, Peter Sarsgaard,Mark Strong",2011,114,5.6,116.59M +War on Everyone,"Action,Comedy",John Michael McDonagh,"Alexander Skarsgård, Michael Peña, Theo James, Tessa Thompson",2016,98,5.9,0 +The Mist,Horror,Frank Darabont,"Thomas Jane, Marcia Gay Harden, Laurie Holden,Andre Braugher",2007,126,7.2,25.59 +Escape Plan,"Action,Crime,Mystery",Mikael Håfström,"Sylvester Stallone, Arnold Schwarzenegger, 50 Cent, Vincent D'Onofrio",2013,115,6.7,25.12 +"Love, Rosie","Comedy,Romance",Christian Ditter,"Lily Collins, Sam Claflin, Christian Cooke, Jaime Winstone",2014,102,7.2,0.01 +The DUFF,Comedy,Ari Sandel,"Mae Whitman, Bella Thorne, Robbie Amell, Allison Janney",2015,101,6.5,34.02 +The Age of Shadows,"Action,Drama,Thriller",Jee-woon Kim,"Byung-hun Lee, Yoo Gong, Kang-ho Song, Ji-min Han",2016,140,7.2,0.54 +The Hunger Games: Mockingjay - Part 1,"Action,Adventure,Sci-Fi",Francis Lawrence,"Jennifer Lawrence, Josh Hutcherson, Liam Hemsworth, Woody Harrelson",2014,123,6.7,337.1 +We Need to Talk About Kevin,"Drama,Mystery,Thriller",Lynne Ramsay,"Tilda Swinton, John C. Reilly, Ezra Miller, Jasper Newell",2011,112,7.5,1.74 +Love & Friendship,"Comedy,Drama,Romance",Whit Stillman,"Kate Beckinsale, Chloë Sevigny, Xavier Samuel,Emma Greenwell",2016,90,6.5,14.01 +The Mortal Instruments: City of Bones,"Action,Fantasy,Horror",Harald Zwart,"Lily Collins, Jamie Campbell Bower, Robert Sheehan,Jemima West",2013,130,5.9,31.17 +Seven Pounds,"Drama,Romance",Gabriele Muccino,"Will Smith, Rosario Dawson, Woody Harrelson,Michael Ealy",2008,123,7.7,69.95 +The King's Speech,"Biography,Drama",Tom Hooper,"Colin Firth, Geoffrey Rush, Helena Bonham Carter,Derek Jacobi",2010,118,8,138.8M +Hunger,"Biography,Drama",Steve McQueen,"Stuart Graham, Laine Megaw, Brian Milligan, Liam McMahon",2008,96,7.6,0.15 +Jumper,"Action,Adventure,Sci-Fi",Doug Liman,"Hayden Christensen, Samuel L. Jackson, Jamie Bell,Rachel Bilson",2008,88,6.1,80.17 +Toy Story 3,"Animation,Adventure,Comedy",Lee Unkrich,"Tom Hanks, Tim Allen, Joan Cusack, Ned Beatty",2010,103,8.3,414.98 +Tinker Tailor Soldier Spy,"Drama,Mystery,Thriller",Tomas Alfredson,"Gary Oldman, Colin Firth, Tom Hardy, Mark Strong",2011,122,7.1,24.1 +Resident Evil: Retribution,"Action,Horror,Sci-Fi",Paul W.S. Anderson,"Milla Jovovich, Sienna Guillory, Michelle Rodriguez, Aryana Engineer",2012,96,5.4,42.35 +Dear Zindagi,"Drama,Romance",Gauri Shinde,"Alia Bhatt, Shah Rukh Khan, Kunal Kapoor, Priyanka Moodley",2016,151,7.8,1.4 +Genius,"Biography,Drama",Michael Grandage,"Colin Firth, Jude Law, Nicole Kidman, Laura Linney",2016,104,6.5,1.36 +Pompeii,"Action,Adventure,Drama",Paul W.S. Anderson,"Kit Harington, Emily Browning, Kiefer Sutherland, Adewale Akinnuoye-Agbaje",2014,105,5.5,23.22 +Life of Pi,"Adventure,Drama,Fantasy",Ang Lee,"Suraj Sharma, Irrfan Khan, Adil Hussain, Tabu",2012,127,7.9,124.98M +Hachi: A Dog's Tale,"Drama,Family",Lasse Hallström,"Richard Gere, Joan Allen, Cary-Hiroyuki Tagawa,Sarah Roemer",2009,93,8.1,0 +10 Years,"Comedy,Drama,Romance",Jamie Linden,"Channing Tatum, Rosario Dawson, Chris Pratt, Jenna Dewan Tatum",2011,100,6.1,0.2 +I Origins,"Drama,Romance,Sci-Fi",Mike Cahill,"Michael Pitt, Steven Yeun, Astrid Bergès-Frisbey, Brit Marling",2014,106,7.3,0.33 +Live Free or Die Hard,"Action,Adventure,Thriller",Len Wiseman,"Bruce Willis, Justin Long, Timothy Olyphant, Maggie Q",2007,128,7.2,134.52M +The Matchbreaker,"Comedy,Romance",Caleb Vetter,"Wesley Elder, Christina Grimmie, Osric Chau, Olan Rogers",2016,94,5.5,0 +Funny Games,"Crime,Drama,Horror",Michael Haneke,"Naomi Watts, Tim Roth, Michael Pitt, Brady Corbet",2007,111,6.5,1.29 +Ted,"Comedy,Fantasy",Seth MacFarlane,"Mark Wahlberg, Mila Kunis, Seth MacFarlane, Joel McHale",2012,106,7,218.63 +RED,"Action,Comedy,Crime",Robert Schwentke,"Bruce Willis, Helen Mirren, Morgan Freeman,Mary-Louise Parker",2010,111,7.1,90.36 +Australia,"Adventure,Drama,Romance",Baz Luhrmann,"Nicole Kidman, Hugh Jackman, Shea Adams, Eddie Baroo",2008,165,6.6,49.55 +Faster,"Action,Crime,Drama",George Tillman Jr.,"Dwayne Johnson, Billy Bob Thornton, Maggie Grace, Mauricio Lopez",2010,98,6.5,23.23 +The Neighbor,"Crime,Horror,Thriller",Marcus Dunstan,"Josh Stewart, Bill Engvall, Alex Essoe, Ronnie Gene Blevins",2016,87,5.8,0 +The Adjustment Bureau,"Romance,Sci-Fi,Thriller",George Nolfi,"Matt Damon, Emily Blunt, Lisa Thoreson, Florence Kastriner",2011,106,7.1,62.45 +The Hollars,"Comedy,Drama,Romance",John Krasinski,"Sharlto Copley, Charlie Day, Richard Jenkins, Anna Kendrick",2016,88,6.5,1.02 +The Judge,"Crime,Drama",David Dobkin,"Robert Downey Jr., Robert Duvall, Vera Farmiga, Billy Bob Thornton",2014,141,7.4,47.11 +Closed Circuit,"Crime,Drama,Mystery",John Crowley,"Eric Bana, Rebecca Hall, Jim Broadbent, Ciarán Hinds",2013,96,6.2,5.73 +Transformers: Revenge of the Fallen,"Action,Adventure,Sci-Fi",Michael Bay,"Shia LaBeouf, Megan Fox, Josh Duhamel, Tyrese Gibson",2009,150,6,402.08 +La tortue rouge,"Animation,Fantasy",Michael Dudok de Wit,"Emmanuel Garijo, Tom Hudson, Baptiste Goy, Axel Devillers",2016,80,7.6,0.92 +The Book of Life,"Animation,Adventure,Comedy",Jorge R. Gutiérrez,"Diego Luna, Zoe Saldana, Channing Tatum, Ron Perlman",2014,95,7.3,50.15 +Incendies,"Drama,Mystery,War",Denis Villeneuve,"Lubna Azabal, Mélissa Désormeaux-Poulin, Maxim Gaudette, Mustafa Kamel",2010,131,8.2,6.86 +The Heartbreak Kid,"Comedy,Romance",Bobby Farrelly,"Ben Stiller, Michelle Monaghan,Malin Akerman, Jerry Stiller",2007,116,5.8,36.77 +Happy Feet,"Animation,Comedy,Family",George Miller,"Elijah Wood, Brittany Murphy, Hugh Jackman, Robin Williams",2006,108,6.5,197.99M +Entourage,Comedy,Doug Ellin,"Adrian Grenier, Kevin Connolly, Jerry Ferrara, Kevin Dillon",2015,104,6.6,32.36 +The Strangers,"Horror,Mystery,Thriller",Bryan Bertino,"Scott Speedman, Liv Tyler, Gemma Ward, Alex Fisher",2008,86,6.2,52.53 +Noah,"Action,Adventure,Drama",Darren Aronofsky,"Russell Crowe, Jennifer Connelly, Anthony Hopkins, Emma Watson",2014,138,5.8,101.16M +Neighbors,Comedy,Nicholas Stoller,"Seth Rogen, Rose Byrne, Zac Efron, Lisa Kudrow",2014,97,6.4,150.06M +Nymphomaniac: Vol. II,Drama,Lars von Trier,"Charlotte Gainsbourg, Stellan Skarsgård, Willem Dafoe, Jamie Bell",2013,123,6.7,0.33 +Wild,"Adventure,Biography,Drama",Jean-Marc Vallée,"Reese Witherspoon, Laura Dern, Gaby Hoffmann,Michiel Huisman",2014,115,7.1,37.88 +Grown Ups,Comedy,Dennis Dugan,"Adam Sandler, Salma Hayek, Kevin James, Chris Rock",2010,102,6,162M +Blair Witch,"Horror,Thriller",Adam Wingard,"James Allen McCune, Callie Hernandez, Corbin Reid, Brandon Scott",2016,89,5.1,20.75 +The Karate Kid,"Action,Drama,Family",Harald Zwart,"Jackie Chan, Jaden Smith, Taraji P. Henson, Wenwen Han",2010,140,6.2,176.59M +Dark Shadows,"Comedy,Fantasy,Horror",Tim Burton,"Johnny Depp, Michelle Pfeiffer, Eva Green, Helena Bonham Carter",2012,113,6.2,79.71 +Friends with Benefits,"Comedy,Romance",Will Gluck,"Mila Kunis, Justin Timberlake, Patricia Clarkson, Jenna Elfman",2011,109,6.6,55.8 +The Illusionist,"Drama,Mystery,Romance",Neil Burger,"Edward Norton, Jessica Biel, Paul Giamatti, Rufus Sewell",2006,110,7.6,39.83 +The A-Team,"Action,Adventure,Comedy",Joe Carnahan,"Liam Neeson, Bradley Cooper, Sharlto Copley,Jessica Biel",2010,117,6.8,77.21 +The Guest,Thriller,Adam Wingard,"Dan Stevens, Sheila Kelley, Maika Monroe, Joel David Moore",2014,100,6.7,0.32 +The Internship,Comedy,Shawn Levy,"Vince Vaughn, Owen Wilson, Rose Byrne, Aasif Mandvi",2013,119,6.3,44.67 +Paul,"Adventure,Comedy,Sci-Fi",Greg Mottola,"Simon Pegg, Nick Frost, Seth Rogen, Mia Stallard",2011,104,7,37.37 +This Beautiful Fantastic,"Comedy,Drama,Fantasy",Simon Aboud,"Jessica Brown Findlay, Andrew Scott, Jeremy Irvine,Tom Wilkinson",2016,100,6.9,0 +The Da Vinci Code,"Mystery,Thriller",Ron Howard,"Tom Hanks, Audrey Tautou, Jean Reno, Ian McKellen",2006,149,6.6,217.54 +Mr. Church,"Comedy,Drama",Bruce Beresford,"Eddie Murphy, Britt Robertson, Natascha McElhone, Xavier Samuel",2016,104,7.7,0.69 +Hugo,"Adventure,Drama,Family",Martin Scorsese,"Asa Butterfield, Chloë Grace Moretz, Christopher Lee, Ben Kingsley",2011,126,7.5,73.82 +The Blackcoat's Daughter,"Horror,Thriller",Oz Perkins,"Emma Roberts, Kiernan Shipka, Lauren Holly, Lucy Boynton",2015,93,5.6,0.02 +Body of Lies,"Action,Drama,Romance",Ridley Scott,"Leonardo DiCaprio, Russell Crowe, Mark Strong,Golshifteh Farahani",2008,128,7.1,39.38 +Knight of Cups,"Drama,Romance",Terrence Malick,"Christian Bale, Cate Blanchett, Natalie Portman,Brian Dennehy",2015,118,5.7,0.56 +The Mummy: Tomb of the Dragon Emperor,"Action,Adventure,Fantasy",Rob Cohen,"Brendan Fraser, Jet Li, Maria Bello, Michelle Yeoh",2008,112,5.2,102.18M +The Boss,Comedy,Ben Falcone,"Melissa McCarthy, Kristen Bell, Peter Dinklage, Ella Anderson",2016,99,5.4,63.03 +Hands of Stone,"Action,Biography,Drama",Jonathan Jakubowicz,"Edgar Ramírez, Usher Raymond, Robert De Niro, Rubén Blades",2016,111,6.6,4.71 +El secreto de sus ojos,"Drama,Mystery,Romance",Juan José Campanella,"Ricardo Darín, Soledad Villamil, Pablo Rago,Carla Quevedo",2009,129,8.2,20.17 +True Grit,"Adventure,Drama,Western",Ethan Coen,"Jeff Bridges, Matt Damon, Hailee Steinfeld,Josh Brolin",2010,110,7.6,171.03M +We Are Your Friends,"Drama,Music,Romance",Max Joseph,"Zac Efron, Wes Bentley, Emily Ratajkowski, Jonny Weston",2015,96,6.2,3.59 +A Million Ways to Die in the West,"Comedy,Romance,Western",Seth MacFarlane,"Seth MacFarlane, Charlize Theron, Liam Neeson,Amanda Seyfried",2014,116,6.1,42.62 +Only for One Night,Thriller,Chris Stokes,"Brian White, Karrueche Tran, Angelique Pereira,Jessica Vanessa DeLeon",2016,86,4.6,0 +Rules Don't Apply,"Comedy,Drama,Romance",Warren Beatty,"Lily Collins, Haley Bennett, Taissa Farmiga, Steve Tom",2016,127,5.7,3.65 +Ouija: Origin of Evil,"Horror,Thriller",Mike Flanagan,"Elizabeth Reaser, Lulu Wilson, Annalise Basso,Henry Thomas",2016,99,6.1,34.9 +Percy Jackson: Sea of Monsters,"Adventure,Family,Fantasy",Thor Freudenthal,"Logan Lerman, Alexandra Daddario, Brandon T. Jackson, Nathan Fillion",2013,106,5.9,68.56 +Fracture,"Crime,Drama,Mystery",Gregory Hoblit,"Anthony Hopkins, Ryan Gosling, David Strathairn,Rosamund Pike",2007,113,7.2,39 +Oculus,"Horror,Mystery",Mike Flanagan,"Karen Gillan, Brenton Thwaites, Katee Sackhoff,Rory Cochrane",2013,104,6.5,27.69 +In Bruges,"Comedy,Crime,Drama",Martin McDonagh,"Colin Farrell, Brendan Gleeson, Ciarán Hinds,Elizabeth Berrington",2008,107,7.9,7.76 +This Means War,"Action,Comedy,Romance",McG,"Reese Witherspoon, Chris Pine, Tom Hardy, Til Schweiger",2012,103,6.3,54.76 +Lída Baarová,"Biography,Drama,History",Filip Renc,"Tatiana Pauhofová, Karl Markovics, Gedeon Burkhard,Simona Stasová",2016,106,5,0 +The Road,"Adventure,Drama",John Hillcoat,"Viggo Mortensen, Charlize Theron, Kodi Smit-McPhee,Robert Duvall",2009,111,7.3,0.06 +Lavender,"Drama,Thriller",Ed Gass-Donnelly,"Abbie Cornish, Dermot Mulroney, Justin Long,Diego Klattenhoff",2016,92,5.2,0 +Deuces,Drama,Jamal Hill,"Larenz Tate, Meagan Good, Rotimi, Rick Gonzalez",2016,87,6.6,0 +Conan the Barbarian,"Action,Adventure,Fantasy",Marcus Nispel,"Jason Momoa, Ron Perlman, Rose McGowan,Stephen Lang",2011,113,5.2,21.27 +The Fighter,"Action,Biography,Drama",David O. Russell,"Mark Wahlberg, Christian Bale, Amy Adams,Melissa Leo",2010,116,7.8,93.57 +August Rush,"Drama,Music",Kirsten Sheridan,"Freddie Highmore, Keri Russell, Jonathan Rhys Meyers, Terrence Howard",2007,114,7.5,31.66 +Chef,"Comedy,Drama",Jon Favreau,"Jon Favreau, Robert Downey Jr., Scarlett Johansson,Dustin Hoffman",2014,114,7.3,31.24 +Eye in the Sky,"Drama,Thriller,War",Gavin Hood,"Helen Mirren, Aaron Paul, Alan Rickman, Barkhad Abdi",2015,102,7.3,18.7 +Eagle Eye,"Action,Mystery,Thriller",D.J. Caruso,"Shia LaBeouf, Michelle Monaghan, Rosario Dawson,Michael Chiklis",2008,118,6.6,101.11M +The Purge,"Horror,Sci-Fi,Thriller",James DeMonaco,"Ethan Hawke, Lena Headey, Max Burkholder,Adelaide Kane",2013,85,5.7,64.42 +PK,"Comedy,Drama,Romance",Rajkumar Hirani,"Aamir Khan, Anushka Sharma, Sanjay Dutt,Boman Irani",2014,153,8.2,10.57 +Ender's Game,"Action,Sci-Fi",Gavin Hood,"Harrison Ford, Asa Butterfield, Hailee Steinfeld, Abigail Breslin",2013,114,6.7,61.66 +Indiana Jones and the Kingdom of the Crystal Skull,"Action,Adventure,Fantasy",Steven Spielberg,"Harrison Ford, Cate Blanchett, Shia LaBeouf,Karen Allen",2008,122,6.2,317.01 +Paper Towns,"Drama,Mystery,Romance",Jake Schreier,"Nat Wolff, Cara Delevingne, Austin Abrams, Justice Smith",2015,109,6.3,31.99 +High-Rise,Drama,Ben Wheatley,"Tom Hiddleston, Jeremy Irons, Sienna Miller, Luke Evans",2015,119,5.7,0.34 +Quantum of Solace,"Action,Adventure,Thriller",Marc Forster,"Daniel Craig, Olga Kurylenko, Mathieu Amalric, Judi Dench",2008,106,6.6,168.37M +The Assignment,"Action,Crime,Thriller",Walter Hill,"Sigourney Weaver, Michelle Rodriguez, Tony Shalhoub,Anthony LaPaglia",2016,95,4.5,0 +How to Train Your Dragon,"Animation,Action,Adventure",Dean DeBlois,"Jay Baruchel, Gerard Butler,Christopher Mintz-Plasse, Craig Ferguson",2010,98,8.1,217.39 +Lady in the Water,"Drama,Fantasy,Mystery",M. Night Shyamalan,"Paul Giamatti, Bryce Dallas Howard, Jeffrey Wright, Bob Balaban",2006,110,5.6,42.27 +The Fountain,"Drama,Sci-Fi",Darren Aronofsky,"Hugh Jackman, Rachel Weisz, Sean Patrick Thomas, Ellen Burstyn",2006,96,7.3,10.14 +Cars 2,"Animation,Adventure,Comedy",John Lasseter,"Owen Wilson, Larry the Cable Guy,Michael Caine, Emily Mortimer",2011,106,6.2,191.45M +31,"Horror,Thriller",Rob Zombie,"Malcolm McDowell, Richard Brake, Jeff Daniel Phillips,Sheri Moon Zombie",2016,102,5.1,0.78 +Final Girl,"Action,Thriller",Tyler Shields,"Abigail Breslin, Wes Bentley, Logan Huffman,Alexander Ludwig",2015,90,4.7,0 +Chalk It Up,Comedy,Hisonni Johnson,"Maddy Curley, John DeLuca, Nikki SooHoo, Drew Seeley",2016,90,4.8,0 +The Man Who Knew Infinity,"Biography,Drama",Matt Brown,"Dev Patel, Jeremy Irons, Malcolm Sinclair, Raghuvir Joshi",2015,108,7.2,3.86 +Unknown,"Action,Mystery,Thriller",Jaume Collet-Serra,"Liam Neeson, Diane Kruger, January Jones,Aidan Quinn",2011,113,6.9,61.09 +Self/less,"Action,Mystery,Sci-Fi",Tarsem Singh,"Ryan Reynolds, Natalie Martinez, Matthew Goode,Ben Kingsley",2015,117,6.5,12.28 +Mr. Brooks,"Crime,Drama,Thriller",Bruce A. Evans,"Kevin Costner, Demi Moore, William Hurt, Dane Cook",2007,120,7.3,28.48 +Tramps,"Comedy,Romance",Adam Leon,"Callum Turner, Grace Van Patten, Michal Vondel, Mike Birbiglia",2016,82,6.5,0 +Before We Go,"Comedy,Drama,Romance",Chris Evans,"Chris Evans, Alice Eve, Emma Fitzpatrick, John Cullum",2014,95,6.9,0.04 +Captain Phillips,"Biography,Drama,Thriller",Paul Greengrass,"Tom Hanks, Barkhad Abdi, Barkhad Abdirahman,Catherine Keener",2013,134,7.8,107.1M +The Secret Scripture,Drama,Jim Sheridan,"Rooney Mara, Eric Bana, Theo James, Aidan Turner",2016,108,6.8,0 +Max Steel,"Action,Adventure,Family",Stewart Hendler,"Ben Winchell, Josh Brener, Maria Bello, Andy Garcia",2016,92,4.6,3.77 +Hotel Transylvania 2,"Animation,Comedy,Family",Genndy Tartakovsky,"Adam Sandler, Andy Samberg, Selena Gomez, Kevin James",2015,89,6.7,169.69M +Hancock,"Action,Crime,Drama",Peter Berg,"Will Smith, Charlize Theron, Jason Bateman, Jae Head",2008,92,6.4,227.95 +Sisters,Comedy,Jason Moore,"Amy Poehler, Tina Fey, Maya Rudolph, Ike Barinholtz",2015,118,6,87.03 +The Family,"Comedy,Crime,Thriller",Luc Besson,"Robert De Niro, Michelle Pfeiffer, Dianna Agron, John D'Leo",2013,111,6.3,36.92 +Zack and Miri Make a Porno,"Comedy,Romance",Kevin Smith,"Seth Rogen, Elizabeth Banks, Craig Robinson, Gerry Bednob",2008,101,6.6,31.45 +Ma vie de Courgette,"Animation,Comedy,Drama",Claude Barras,"Gaspard Schlatter, Sixtine Murat, Paulin Jaccoud,Michel Vuillermoz",2016,66,7.8,0.29 +Man on a Ledge,"Action,Crime,Thriller",Asger Leth,"Sam Worthington, Elizabeth Banks, Jamie Bell, Mandy Gonzalez",2012,102,6.6,18.6 +No Strings Attached,"Comedy,Romance",Ivan Reitman,"Natalie Portman, Ashton Kutcher, Kevin Kline, Cary Elwes",2011,108,6.2,70.63 +Rescue Dawn,"Adventure,Biography,Drama",Werner Herzog,"Christian Bale, Steve Zahn, Jeremy Davies, Zach Grenier",2006,120,7.3,5.48 +Despicable Me 2,"Animation,Adventure,Comedy",Pierre Coffin,"Steve Carell, Kristen Wiig, Benjamin Bratt, Miranda Cosgrove",2013,98,7.4,368.05 +A Walk Among the Tombstones,"Crime,Drama,Mystery",Scott Frank,"Liam Neeson, Dan Stevens, David Harbour, Boyd Holbrook",2014,114,6.5,25.98 +The World's End,"Action,Comedy,Sci-Fi",Edgar Wright,"Simon Pegg, Nick Frost, Martin Freeman, Rosamund Pike",2013,109,7,26 +Yoga Hosers,"Comedy,Fantasy,Horror",Kevin Smith,"Lily-Rose Depp, Harley Quinn Smith, Johnny Depp,Adam Brody",2016,88,4.3,0 +Seven Psychopaths,"Comedy,Crime",Martin McDonagh,"Colin Farrell, Woody Harrelson, Sam Rockwell,Christopher Walken",2012,110,7.2,14.99 +Beowulf,"Animation,Action,Adventure",Robert Zemeckis,"Ray Winstone, Crispin Glover, Angelina Jolie,Robin Wright",2007,115,6.2,82.16 +Jack Ryan: Shadow Recruit,"Action,Drama,Thriller",Kenneth Branagh,"Chris Pine, Kevin Costner, Keira Knightley,Kenneth Branagh",2014,105,6.2,50.55 +1408,"Fantasy,Horror",Mikael Håfström,"John Cusack, Samuel L. Jackson, Mary McCormack, Paul Birchard",2007,104,6.8,71.98 +The Gambler,"Crime,Drama,Thriller",Rupert Wyatt,"Mark Wahlberg, Jessica Lange, John Goodman, Brie Larson",2014,111,6,33.63 +Prince of Persia: The Sands of Time,"Action,Adventure,Fantasy",Mike Newell,"Jake Gyllenhaal, Gemma Arterton, Ben Kingsley,Alfred Molina",2010,116,6.6,90.76 +The Spectacular Now,"Comedy,Drama,Romance",James Ponsoldt,"Miles Teller, Shailene Woodley, Kyle Chandler,Jennifer Jason Leigh",2013,95,7.1,6.85 +A United Kingdom,"Biography,Drama,Romance",Amma Asante,"David Oyelowo, Rosamund Pike, Tom Felton, Jack Davenport",2016,111,6.8,3.9 +USS Indianapolis: Men of Courage,"Action,Drama,History",Mario Van Peebles,"Nicolas Cage, Tom Sizemore, Thomas Jane,Matt Lanter",2016,128,5.2,0 +Turbo Kid,"Action,Adventure,Comedy",François Simard,"Munro Chambers, Laurence Leboeuf, Michael Ironside, Edwin Wright",2015,93,6.7,0.05 +Mama,"Horror,Thriller",Andrés Muschietti,"Jessica Chastain, Nikolaj Coster-Waldau, Megan Charpentier, Isabelle Nélisse",2013,100,6.2,71.59 +Orphan,"Horror,Mystery,Thriller",Jaume Collet-Serra,"Vera Farmiga, Peter Sarsgaard, Isabelle Fuhrman, CCH Pounder",2009,123,7,41.57 +To Rome with Love,"Comedy,Romance",Woody Allen,"Woody Allen, Penélope Cruz, Jesse Eisenberg, Ellen Page",2012,112,6.3,16.68 +Fantastic Mr. Fox,"Animation,Adventure,Comedy",Wes Anderson,"George Clooney, Meryl Streep, Bill Murray, Jason Schwartzman",2009,87,7.8,21 +Inside Man,"Crime,Drama,Mystery",Spike Lee,"Denzel Washington, Clive Owen, Jodie Foster,Christopher Plummer",2006,129,7.6,88.5 +I.T.,"Crime,Drama,Mystery",John Moore,"Pierce Brosnan, Jason Barry, Karen Moskow, Kai Ryssdal",2016,95,5.4,0 +127 Hours,"Adventure,Biography,Drama",Danny Boyle,"James Franco, Amber Tamblyn, Kate Mara, Sean Bott",2010,94,7.6,18.33 +Annabelle,"Horror,Mystery,Thriller",John R. Leonetti,"Ward Horton, Annabelle Wallis, Alfre Woodard,Tony Amendola",2014,99,5.4,84.26 +Wolves at the Door,"Horror,Thriller",John R. Leonetti,"Katie Cassidy, Elizabeth Henstridge, Adam Campbell, Miles Fisher",2016,73,4.6,0 +Suite Française,"Drama,Romance,War",Saul Dibb,"Michelle Williams, Kristin Scott Thomas, Margot Robbie,Eric Godon",2014,107,6.9,0 +The Imaginarium of Doctor Parnassus,"Adventure,Fantasy,Mystery",Terry Gilliam,"Christopher Plummer, Lily Cole, Heath Ledger,Andrew Garfield",2009,123,6.8,7.69 +G.I. Joe: The Rise of Cobra,"Action,Adventure,Sci-Fi",Stephen Sommers,"Dennis Quaid, Channing Tatum, Marlon Wayans,Adewale Akinnuoye-Agbaje",2009,118,5.8,150.17M +Christine,"Biography,Drama",Antonio Campos,"Rebecca Hall, Michael C. Hall, Tracy Letts, Maria Dizzia",2016,119,7,0.3 +Man Down,"Drama,Thriller",Dito Montiel,"Shia LaBeouf, Jai Courtney, Gary Oldman, Kate Mara",2015,90,5.8,0 +Crawlspace,"Horror,Thriller",Phil Claydon,"Michael Vartan, Erin Moriarty, Nadine Velazquez,Ronnie Gene Blevins",2016,88,5.3,0 +Shut In,"Drama,Horror,Thriller",Farren Blackburn,"Naomi Watts, Charlie Heaton, Jacob Tremblay,Oliver Platt",2016,91,4.6,6.88 +The Warriors Gate,"Action,Adventure,Fantasy",Matthias Hoene,"Mark Chao, Ni Ni, Dave Bautista, Sienna Guillory",2016,108,5.3,0 +Grindhouse,"Action,Horror,Thriller",Robert Rodriguez,"Kurt Russell, Rose McGowan, Danny Trejo, Zoë Bell",2007,191,7.6,25.03 +Disaster Movie,Comedy,Jason Friedberg,"Carmen Electra, Vanessa Lachey,Nicole Parker, Matt Lanter",2008,87,1.9,14.17 +Rocky Balboa,"Drama,Sport",Sylvester Stallone,"Sylvester Stallone, Antonio Tarver, Milo Ventimiglia, Burt Young",2006,102,7.2,70.27 +Diary of a Wimpy Kid: Dog Days,"Comedy,Family",David Bowers,"Zachary Gordon, Robert Capron, Devon Bostick,Steve Zahn",2012,94,6.4,49 +Jane Eyre,"Drama,Romance",Cary Joji Fukunaga,"Mia Wasikowska, Michael Fassbender, Jamie Bell, Su Elliot",2011,120,7.4,11.23 +Fool's Gold,"Action,Adventure,Comedy",Andy Tennant,"Matthew McConaughey, Kate Hudson, Donald Sutherland, Alexis Dziena",2008,112,5.7,70.22 +The Dictator,Comedy,Larry Charles,"Sacha Baron Cohen, Anna Faris, John C. Reilly, Ben Kingsley",2012,83,6.4,59.62 +The Loft,"Mystery,Romance,Thriller",Erik Van Looy,"Karl Urban, James Marsden, Wentworth Miller, Eric Stonestreet",2014,108,6.3,5.98 +Bacalaureat,"Crime,Drama",Cristian Mungiu,"Adrian Titieni, Maria-Victoria Dragus, Lia Bugnar,Malina Manovici",2016,128,7.5,0.13 +You Don't Mess with the Zohan,"Action,Comedy",Dennis Dugan,"Adam Sandler, John Turturro, Emmanuelle Chriqui,Nick Swardson",2008,113,5.5,100.02M +Exposed,"Crime,Drama,Mystery",Gee Malik Linton,"Ana de Armas, Keanu Reeves, Christopher McDonald, Mira Sorvino",2016,102,4.2,0 +Maudie,"Biography,Drama,Romance",Aisling Walsh,"Ethan Hawke, Sally Hawkins, Kari Matchett, Zachary Bennett",2016,115,7.8,0 +Horrible Bosses 2,"Comedy,Crime",Sean Anders,"Jason Bateman, Jason Sudeikis, Charlie Day, Jennifer Aniston",2014,108,6.3,54.41 +A Bigger Splash,"Drama,Thriller",Luca Guadagnino,"Tilda Swinton, Matthias Schoenaerts, Ralph Fiennes, Dakota Johnson",2015,125,6.4,1.98 +Melancholia,Drama,Lars von Trier,"Kirsten Dunst, Charlotte Gainsbourg, Kiefer Sutherland, Alexander Skarsgård",2011,135,7.1,3.03 +The Princess and the Frog,"Animation,Adventure,Comedy",Ron Clements,"Anika Noni Rose, Keith David, Oprah Winfrey, Bruno Campos",2009,97,7.1,104.37M +Unstoppable,"Action,Thriller",Tony Scott,"Denzel Washington, Chris Pine, Rosario Dawson, Ethan Suplee",2010,98,6.8,81.56 +Flight,"Drama,Thriller",Robert Zemeckis,"Denzel Washington, Nadine Velazquez, Don Cheadle, John Goodman",2012,138,7.3,93.75 +Home,"Animation,Adventure,Comedy",Tim Johnson,"Jim Parsons, Rihanna, Steve Martin, Jennifer Lopez",2015,94,6.7,177.34M +La migliore offerta,"Crime,Drama,Mystery",Giuseppe Tornatore,"Geoffrey Rush, Jim Sturgess, Sylvia Hoeks,Donald Sutherland",2013,131,7.8,0.09 +Mean Dreams,Thriller,Nathan Morlando,"Sophie Nélisse, Josh Wiggins, Joe Cobden, Bill Paxton",2016,108,6.3,0 +42,"Biography,Drama,Sport",Brian Helgeland,"Chadwick Boseman, T.R. Knight, Harrison Ford,Nicole Beharie",2013,128,7.5,95 +21,"Crime,Drama,Thriller",Robert Luketic,"Jim Sturgess, Kate Bosworth, Kevin Spacey, Aaron Yoo",2008,123,6.8,81.16 +Begin Again,"Drama,Music",John Carney,"Keira Knightley, Mark Ruffalo, Adam Levine, Hailee Steinfeld",2013,104,7.4,16.17 +Out of the Furnace,"Crime,Drama,Thriller",Scott Cooper,"Christian Bale, Casey Affleck, Zoe Saldana, Woody Harrelson",2013,116,6.8,11.33 +Vicky Cristina Barcelona,"Drama,Romance",Woody Allen,"Rebecca Hall, Scarlett Johansson, Javier Bardem,Christopher Evan Welch",2008,96,7.1,23.21 +Kung Fu Panda,"Animation,Action,Adventure",Mark Osborne,"Jack Black, Ian McShane,Angelina Jolie, Dustin Hoffman",2008,92,7.6,215.4 +Barbershop: The Next Cut,"Comedy,Drama",Malcolm D. Lee,"Ice Cube, Regina Hall, Anthony Anderson, Eve",2016,111,5.9,54.01 +Terminator Salvation,"Action,Adventure,Drama",McG,"Christian Bale, Sam Worthington, Anton Yelchin, Moon Bloodgood",2009,115,6.6,125.32M +Freedom Writers,"Biography,Crime,Drama",Richard LaGravenese,"Hilary Swank, Imelda Staunton, Patrick Dempsey, Scott Glenn",2007,123,7.5,36.58 +The Hills Have Eyes,Horror,Alexandre Aja,"Ted Levine, Kathleen Quinlan, Dan Byrd, Emilie de Ravin",2006,107,6.4,41.78 +Changeling,"Biography,Drama,Mystery",Clint Eastwood,"Angelina Jolie, Colm Feore, Amy Ryan, Gattlin Griffith",2008,141,7.8,35.71 +Remember Me,"Drama,Romance",Allen Coulter,"Robert Pattinson, Emilie de Ravin, Caitlyn Rund,Moisés Acevedo",2010,113,7.2,19.06 +Koe no katachi,"Animation,Drama,Romance",Naoko Yamada,"Miyu Irino, Saori Hayami, Aoi Yuki, Kenshô Ono",2016,129,8.4,0 +"Alexander and the Terrible, Horrible, No Good, Very Bad Day","Comedy,Family",Miguel Arteta,"Steve Carell, Jennifer Garner, Ed Oxenbould, Dylan Minnette",2014,81,6.2,66.95 +Locke,Drama,Steven Knight,"Tom Hardy, Olivia Colman, Ruth Wilson, Andrew Scott",2013,85,7.1,1.36 +The 9th Life of Louis Drax,"Mystery,Thriller",Alexandre Aja,"Jamie Dornan, Aiden Longworth, Sarah Gadon,Aaron Paul",2016,108,6.3,0 +Horns,"Drama,Fantasy,Horror",Alexandre Aja,"Daniel Radcliffe, Juno Temple, Max Minghella, Joe Anderson",2013,120,6.5,0.16 +Indignation,"Drama,Romance",James Schamus,"Logan Lerman, Sarah Gadon, Tijuana Ricks, Sue Dahlman",2016,110,6.9,3.4 +The Stanford Prison Experiment,"Biography,Drama,History",Kyle Patrick Alvarez,"Ezra Miller, Tye Sheridan, Billy Crudup, Olivia Thirlby",2015,122,6.9,0.64 +Diary of a Wimpy Kid: Rodrick Rules,"Comedy,Family",David Bowers,"Zachary Gordon, Devon Bostick, Robert Capron,Rachael Harris",2011,99,6.6,52.69 +Mission: Impossible III,"Action,Adventure,Thriller",J.J. Abrams,"Tom Cruise, Michelle Monaghan, Ving Rhames, Philip Seymour Hoffman",2006,126,6.9,133.38M +En man som heter Ove,"Comedy,Drama",Hannes Holm,"Rolf Lassgård, Bahar Pars, Filip Berg, Ida Engvoll",2015,116,7.7,3.36 +Dragonball Evolution,"Action,Adventure,Fantasy",James Wong,"Justin Chatwin, James Marsters, Yun-Fat Chow, Emmy Rossum",2009,85,2.7,9.35 +Red Dawn,"Action,Thriller",Dan Bradley,"Chris Hemsworth, Isabel Lucas, Josh Hutcherson, Josh Peck",2012,93,5.4,44.8 +One Day,"Drama,Romance",Lone Scherfig,"Anne Hathaway, Jim Sturgess, Patricia Clarkson,Tom Mison",2011,107,7,13.77 +Life as We Know It,"Comedy,Drama,Romance",Greg Berlanti,"Katherine Heigl, Josh Duhamel, Josh Lucas, Alexis Clagett",2010,114,6.6,53.36 +28 Weeks Later,"Drama,Horror,Sci-Fi",Juan Carlos Fresnadillo,"Jeremy Renner, Rose Byrne, Robert Carlyle, Harold Perrineau",2007,100,7,28.64 +Warm Bodies,"Comedy,Horror,Romance",Jonathan Levine,"Nicholas Hoult, Teresa Palmer, John Malkovich,Analeigh Tipton",2013,98,6.9,66.36 +Blue Jasmine,Drama,Woody Allen,"Cate Blanchett, Alec Baldwin, Peter Sarsgaard, Sally Hawkins",2013,98,7.3,33.4 +Wrath of the Titans,"Action,Adventure,Fantasy",Jonathan Liebesman,"Sam Worthington, Liam Neeson, Rosamund Pike, Ralph Fiennes",2012,99,5.8,83.64 +Shin Gojira,"Action,Adventure,Drama",Hideaki Anno,"Hiroki Hasegawa, Yutaka Takenouchi,Satomi Ishihara, Ren Ôsugi",2016,120,6.9,1.91 +Saving Mr. Banks,"Biography,Comedy,Drama",John Lee Hancock,"Emma Thompson, Tom Hanks, Annie Rose Buckley, Colin Farrell",2013,125,7.5,83.3 +Transcendence,"Drama,Mystery,Romance",Wally Pfister,"Johnny Depp, Rebecca Hall, Morgan Freeman, Cillian Murphy",2014,119,6.3,23.01 +Rio,"Animation,Adventure,Comedy",Carlos Saldanha,"Jesse Eisenberg, Anne Hathaway, George Lopez,Karen Disher",2011,96,6.9,143.62M +Equals,"Drama,Romance,Sci-Fi",Drake Doremus,"Nicholas Hoult, Kristen Stewart, Vernetta Lopez,Scott Lawrence",2015,101,6.1,0.03 +Babel,Drama,Alejandro González Iñárritu,"Brad Pitt, Cate Blanchett, Gael García Bernal, Mohamed Akhzam",2006,143,7.5,34.3 +The Tree of Life,"Drama,Fantasy",Terrence Malick,"Brad Pitt, Sean Penn, Jessica Chastain, Hunter McCracken",2011,139,6.8,13.3 +The Lucky One,"Drama,Romance",Scott Hicks,"Zac Efron, Taylor Schilling, Blythe Danner, Riley Thomas Stewart",2012,101,6.5,60.44 +Piranha 3D,"Comedy,Horror,Thriller",Alexandre Aja,"Elisabeth Shue, Jerry O'Connell, Richard Dreyfuss,Ving Rhames",2010,88,5.5,25 +50/50,"Comedy,Drama,Romance",Jonathan Levine,"Joseph Gordon-Levitt, Seth Rogen, Anna Kendrick, Bryce Dallas Howard",2011,100,7.7,34.96 +The Intent,"Crime,Drama",Femi Oyeniran,"Dylan Duffus, Scorcher,Shone Romulus, Jade Asha",2016,104,3.5,0 +This Is 40,"Comedy,Romance",Judd Apatow,"Paul Rudd, Leslie Mann, Maude Apatow, Iris Apatow",2012,134,6.2,67.52 +Real Steel,"Action,Drama,Family",Shawn Levy,"Hugh Jackman, Evangeline Lilly, Dakota Goyo,Anthony Mackie",2011,127,7.1,85.46 +Sex and the City,"Comedy,Drama,Romance",Michael Patrick King,"Sarah Jessica Parker, Kim Cattrall, Cynthia Nixon, Kristin Davis",2008,145,5.5,152.64M +Rambo,"Action,Thriller,War",Sylvester Stallone,"Sylvester Stallone, Julie Benz, Matthew Marsden, Graham McTavish",2008,92,7.1,42.72 +Planet Terror,"Action,Comedy,Horror",Robert Rodriguez,"Rose McGowan, Freddy Rodríguez, Josh Brolin,Marley Shelton",2007,105,7.1,0 +Concussion,"Biography,Drama,Sport",Peter Landesman,"Will Smith, Alec Baldwin, Albert Brooks, David Morse",2015,123,7.1,34.53 +The Fall,"Adventure,Comedy,Drama",Tarsem Singh,"Lee Pace, Catinca Untaru, Justine Waddell, Kim Uylenbroek",2006,117,7.9,2.28 +The Ugly Truth,"Comedy,Romance",Robert Luketic,"Katherine Heigl, Gerard Butler, Bree Turner, Eric Winter",2009,96,6.5,88.92 +Bride Wars,"Comedy,Romance",Gary Winick,"Kate Hudson, Anne Hathaway, Candice Bergen, Bryan Greenberg",2009,89,5.5,58.72 +Sleeping with Other People,"Comedy,Drama,Romance",Leslye Headland,"Jason Sudeikis, Alison Brie, Jordan Carlos,Margarita Levieva",2015,101,6.5,0.81 +Snakes on a Plane,"Action,Adventure,Crime",David R. Ellis,"Samuel L. Jackson, Julianna Margulies, Nathan Phillips, Rachel Blanchard",2006,105,5.6,34.01 +What If,"Comedy,Romance",Michael Dowse,"Daniel Radcliffe, Zoe Kazan, Megan Park, Adam Driver",2013,98,6.8,3.45 +How to Train Your Dragon 2,"Animation,Action,Adventure",Dean DeBlois,"Jay Baruchel, Cate Blanchett, Gerard Butler, Craig Ferguson",2014,102,7.9,177M +RoboCop,"Action,Crime,Sci-Fi",José Padilha,"Joel Kinnaman, Gary Oldman, Michael Keaton, Abbie Cornish",2014,117,6.2,58.61 +In Dubious Battle,Drama,James Franco,"Nat Wolff, James Franco, Vincent D'Onofrio, Selena Gomez",2016,110,6.2,0 +"Hello, My Name Is Doris","Comedy,Drama,Romance",Michael Showalter,"Sally Field, Max Greenfield, Tyne Daly, Wendi McLendon-Covey",2015,95,6.7,14.44 +Ocean's Thirteen,"Crime,Thriller",Steven Soderbergh,"George Clooney, Brad Pitt, Matt Damon,Michael Mantell",2007,122,6.9,117.14M +Slither,"Comedy,Horror,Sci-Fi",James Gunn,"Nathan Fillion, Elizabeth Banks, Michael Rooker, Don Thompson",2006,95,6.5,7.77 +Contagion,"Drama,Thriller",Steven Soderbergh,"Matt Damon, Kate Winslet, Jude Law, Gwyneth Paltrow",2011,106,6.6,75.64 +Il racconto dei racconti - Tale of Tales,"Drama,Fantasy,Horror",Matteo Garrone,"Salma Hayek, Vincent Cassel, Toby Jones, John C. Reilly",2015,133,6.4,0.08 +I Am the Pretty Thing That Lives in the House,Thriller,Oz Perkins,"Ruth Wilson, Paula Prentiss, Lucy Boynton, Bob Balaban",2016,87,4.7,0 +Bridge to Terabithia,"Adventure,Drama,Family",Gabor Csupo,"Josh Hutcherson, AnnaSophia Robb, Zooey Deschanel, Robert Patrick",2007,96,7.2,82.23 +Coherence,"Mystery,Sci-Fi,Thriller",James Ward Byrkit,"Emily Baldoni, Maury Sterling, Nicholas Brendon, Elizabeth Gracen",2013,89,7.2,0.07 +Notorious,"Biography,Crime,Drama",George Tillman Jr.,"Jamal Woolard, Anthony Mackie, Derek Luke,Momo Dione",2009,122,6.7,36.84 +Goksung,"Drama,Fantasy,Horror",Hong-jin Na,"Jun Kunimura, Jung-min Hwang, Do-won Kwak, Woo-hee Chun",2016,156,7.5,0.79 +The Expendables 2,"Action,Adventure,Thriller",Simon West,"Sylvester Stallone, Liam Hemsworth, Randy Couture,Jean-Claude Van Damme",2012,103,6.6,85.02 +The Girl Next Door,"Crime,Drama,Horror",Gregory Wilson,"William Atherton, Blythe Auffarth, Blanche Baker,Kevin Chamberlin",2007,91,6.7,0 +Perfume: The Story of a Murderer,"Crime,Drama,Fantasy",Tom Tykwer,"Ben Whishaw, Dustin Hoffman, Alan Rickman,Francesc Albiol",2006,147,7.5,2.21 +The Golden Compass,"Adventure,Family,Fantasy",Chris Weitz,"Nicole Kidman, Daniel Craig, Dakota Blue Richards, Ben Walker",2007,113,6.1,70.08 +Centurion,"Action,Adventure,Drama",Neil Marshall,"Michael fassbender, Dominic West, Olga Kurylenko,Andreas Wisniewski",2010,97,6.4,0.12 +Scouts Guide to the Zombie Apocalypse,"Action,Comedy,Horror",Christopher Landon,"Tye Sheridan, Logan Miller, Joey Morgan,Sarah Dumont",2015,93,6.3,3.64 +17 Again,"Comedy,Drama,Family",Burr Steers,"Zac Efron, Matthew Perry, Leslie Mann, Thomas Lennon",2009,102,6.4,64.15 +No Escape,"Action,Thriller",John Erick Dowdle,"Lake Bell, Pierce Brosnan, Owen Wilson,Chatchawai Kamonsakpitak",2015,103,6.8,27.29 +Superman Returns,"Action,Adventure,Sci-Fi",Bryan Singer,"Brandon Routh, Kevin Spacey, Kate Bosworth, James Marsden",2006,154,6.1,200.07 +The Twilight Saga: Breaking Dawn - Part 1,"Adventure,Drama,Fantasy",Bill Condon,"Kristen Stewart, Robert Pattinson, Taylor Lautner, Gil Birmingham",2011,117,4.9,281.28 +Precious,Drama,Lee Daniels,"Gabourey Sidibe, Mo'Nique, Paula Patton, Mariah Carey",2009,110,7.3,47.54 +The Sea of Trees,Drama,Gus Van Sant,"Matthew McConaughey, Naomi Watts, Ken Watanabe,Ryoko Seta",2015,110,5.9,0.02 +Good Kids,Comedy,Chris McCoy,"Zoey Deutch, Nicholas Braun, Mateo Arias, Israel Broussard",2016,86,6.1,0 +The Master,Drama,Paul Thomas Anderson,"Philip Seymour Hoffman, Joaquin Phoenix,Amy Adams, Jesse Plemons",2012,144,7.1,16.38 +Footloose,"Comedy,Drama,Music",Craig Brewer,"Kenny Wormald, Julianne Hough, Dennis Quaid,Andie MacDowell",2011,113,5.9,51.78 +If I Stay,"Drama,Fantasy,Music",R.J. Cutler,"Chloë Grace Moretz, Mireille Enos, Jamie Blackley,Joshua Leonard",2014,107,6.8,50.46 +The Ticket,Drama,Ido Fluk,"Dan Stevens, Malin Akerman, Oliver Platt, Kerry Bishé",2016,97,5.4,0 +Detour,Thriller,Christopher Smith,"Tye Sheridan, Emory Cohen, Bel Powley,Stephen Moyer",2016,97,6.3,0 +The Love Witch,"Comedy,Horror",Anna Biller,"Samantha Robinson, Jeffrey Vincent Parise, Laura Waddell, Gian Keys",2016,120,6.2,0.22 +Talladega Nights: The Ballad of Ricky Bobby,"Action,Comedy,Sport",Adam McKay,"Will Ferrell, John C. Reilly, Sacha Baron Cohen, Gary Cole",2006,108,6.6,148.21M +The Human Centipede (First Sequence),Horror,Tom Six,"Dieter Laser, Ashley C. Williams, Ashlynn Yennie, Akihiro Kitamura",2009,92,4.4,0.18 +Super,"Comedy,Drama",James Gunn,"Rainn Wilson, Ellen Page, Liv Tyler, Kevin Bacon",2010,96,6.8,0.32 +The Siege of Jadotville,"Action,Drama,Thriller",Richie Smyth,"Jamie Dornan, Mark Strong, Jason O'Mara, Michael McElhatton",2016,108,7.3,0 +Up in the Air,"Drama,Romance",Jason Reitman,"George Clooney, Vera Farmiga, Anna Kendrick,Jason Bateman",2009,109,7.4,83.81 +The Midnight Meat Train,"Horror,Mystery",Ryûhei Kitamura,"Vinnie Jones, Bradley Cooper, Leslie Bibb, Brooke Shields",2008,98,6.1,0.07 +The Twilight Saga: Eclipse,"Adventure,Drama,Fantasy",David Slade,"Kristen Stewart, Robert Pattinson, Taylor Lautner,Xavier Samuel",2010,124,4.9,300.52 +Transpecos,Thriller,Greg Kwedar,"Johnny Simmons, Gabriel Luna, Clifton Collins Jr.,David Acord",2016,86,5.8,0 +What's Your Number?,"Comedy,Romance",Mark Mylod,"Anna Faris, Chris Evans, Ari Graynor, Blythe Danner",2011,106,6.1,13.99 +Riddick,"Action,Sci-Fi,Thriller",David Twohy,"Vin Diesel, Karl Urban, Katee Sackhoff, Jordi Mollà",2013,119,6.4,42 +Triangle,"Fantasy,Mystery,Thriller",Christopher Smith,"Melissa George, Joshua McIvor, Jack Taylor,Michael Dorman",2009,99,6.9,0 +The Butler,"Biography,Drama",Lee Daniels,"Forest Whitaker, Oprah Winfrey, John Cusack, Jane Fonda",2013,132,7.2,116.63M +King Cobra,"Crime,Drama",Justin Kelly,"Garrett Clayton, Christian Slater, Molly Ringwald,James Kelley",2016,91,5.6,0.03 +After Earth,"Action,Adventure,Sci-Fi",M. Night Shyamalan,"Jaden Smith, David Denman, Will Smith,Sophie Okonedo",2013,100,4.9,60.52 +Kicks,Adventure,Justin Tipping,"Jahking Guillory, Christopher Jordan Wallace,Christopher Meyer, Kofi Siriboe",2016,80,6.1,0.15 +Me and Earl and the Dying Girl,"Comedy,Drama",Alfonso Gomez-Rejon,"Thomas Mann, RJ Cyler, Olivia Cooke, Nick Offerman",2015,105,7.8,6.74 +The Descendants,"Comedy,Drama",Alexander Payne,"George Clooney, Shailene Woodley, Amara Miller, Nick Krause",2011,115,7.3,82.62 +Sex and the City 2,"Comedy,Drama,Romance",Michael Patrick King,"Sarah Jessica Parker, Kim Cattrall, Kristin Davis, Cynthia Nixon",2010,146,4.3,95.33 +The Kings of Summer,"Adventure,Comedy,Drama",Jordan Vogt-Roberts,"Nick Robinson, Gabriel Basso, Moises Arias,Nick Offerman",2013,95,7.2,1.29 +Death Race,"Action,Sci-Fi,Thriller",Paul W.S. Anderson,"Jason Statham, Joan Allen, Tyrese Gibson, Ian McShane",2008,105,6.4,36.06 +That Awkward Moment,"Comedy,Romance",Tom Gormican,"Zac Efron, Michael B. Jordan, Miles Teller, Imogen Poots",2014,94,6.2,26.05 +Legion,"Action,Fantasy,Horror",Scott Stewart,"Paul Bettany, Dennis Quaid, Charles S. Dutton, Lucas Black",2010,100,5.2,40.17 +End of Watch,"Crime,Drama,Thriller",David Ayer,"Jake Gyllenhaal, Michael Peña, Anna Kendrick, America Ferrera",2012,109,7.7,40.98 +3 Days to Kill,"Action,Drama,Thriller",McG,"Kevin Costner, Hailee Steinfeld, Connie Nielsen, Amber Heard",2014,117,6.2,30.69 +Lucky Number Slevin,"Crime,Drama,Mystery",Paul McGuigan,"Josh Hartnett, Ben Kingsley, Morgan Freeman, Lucy Liu",2006,110,7.8,22.49 +Trance,"Crime,Drama,Mystery",Danny Boyle,"James McAvoy, Rosario Dawson, Vincent Cassel,Danny Sapani",2013,101,7,2.32 +Into the Forest,"Drama,Sci-Fi,Thriller",Patricia Rozema,"Ellen Page, Evan Rachel Wood, Max Minghella,Callum Keith Rennie",2015,101,5.9,0.01 +The Other Boleyn Girl,"Biography,Drama,History",Justin Chadwick,"Natalie Portman, Scarlett Johansson, Eric Bana,Jim Sturgess",2008,115,6.7,26.81 +I Spit on Your Grave,"Crime,Horror,Thriller",Steven R. Monroe,"Sarah Butler, Jeff Branson, Andrew Howard,Daniel Franzese",2010,108,6.3,0.09 +Custody,Drama,James Lapine,"Viola Davis, Hayden Panettiere, Catalina Sandino Moreno, Ellen Burstyn",2016,104,6.9,0 +Inland Empire,"Drama,Mystery,Thriller",David Lynch,"Laura Dern, Jeremy Irons, Justin Theroux, Karolina Gruszka",2006,180,7,0 +L'odyssée,"Adventure,Biography",Jérôme Salle,"Lambert Wilson, Pierre Niney, Audrey Tautou,Laurent Lucas",2016,122,6.7,0 +The Walk,"Adventure,Biography,Crime",Robert Zemeckis,"Joseph Gordon-Levitt, Charlotte Le Bon,Guillaume Baillargeon, Émilie Leclerc",2015,123,7.3,10.14 +Wrecker,"Action,Horror,Thriller",Micheal Bafaro,"Anna Hutchison, Andrea Whitburn, Jennifer Koenig,Michael Dickson",2015,83,3.5,0 +The Lone Ranger,"Action,Adventure,Western",Gore Verbinski,"Johnny Depp, Armie Hammer, William Fichtner,Tom Wilkinson",2013,150,6.5,89.29 +Texas Chainsaw 3D,"Horror,Thriller",John Luessenhop,"Alexandra Daddario, Tania Raymonde, Scott Eastwood, Trey Songz",2013,92,4.8,34.33M +Disturbia,"Drama,Mystery,Thriller",D.J. Caruso,"Shia LaBeouf, David Morse, Carrie-Anne Moss, Sarah Roemer",2007,105,6.9,80.05 +Rock of Ages,"Comedy,Drama,Musical",Adam Shankman,"Julianne Hough, Diego Boneta, Tom Cruise, Alec Baldwin",2012,123,5.9,38.51 +Scream 4,"Horror,Mystery",Wes Craven,"Neve Campbell, Courteney Cox, David Arquette, Lucy Hale",2011,111,6.2,38.18 +Queen of Katwe,"Biography,Drama,Sport",Mira Nair,"Madina Nalwanga, David Oyelowo, Lupita Nyong'o, Martin Kabanza",2016,124,7.4,8.81 +My Big Fat Greek Wedding 2,"Comedy,Family,Romance",Kirk Jones,"Nia Vardalos, John Corbett, Michael Constantine, Lainie Kazan",2016,94,6,59.57 +Dark Places,"Drama,Mystery,Thriller",Gilles Paquet-Brenner,"Charlize Theron, Nicholas Hoult, Christina Hendricks, Chloë Grace Moretz",2015,113,6.2,0 +Amateur Night,Comedy,Lisa Addario,"Jason Biggs, Janet Montgomery,Ashley Tisdale, Bria L. Murphy",2016,92,5,0 +It's Only the End of the World,Drama,Xavier Dolan,"Nathalie Baye, Vincent Cassel, Marion Cotillard, Léa Seydoux",2016,97,7,0 +The Skin I Live In,"Drama,Thriller",Pedro Almodóvar,"Antonio Banderas, Elena Anaya, Jan Cornet,Marisa Paredes",2011,120,7.6,3.19 +Miracles from Heaven,"Biography,Drama,Family",Patricia Riggen,"Jennifer Garner, Kylie Rogers, Martin Henderson,Brighton Sharbino",2016,109,7,61.69 +Annie,"Comedy,Drama,Family",Will Gluck,"Quvenzhané Wallis, Cameron Diaz, Jamie Foxx, Rose Byrne",2014,118,5.3,85.91 +Across the Universe,"Drama,Fantasy,Musical",Julie Taymor,"Evan Rachel Wood, Jim Sturgess, Joe Anderson, Dana Fuchs",2007,133,7.4,24.34 +Let's Be Cops,Comedy,Luke Greenfield,"Jake Johnson, Damon Wayans Jr., Rob Riggle, Nina Dobrev",2014,104,6.5,82.39 +Max,"Adventure,Family",Boaz Yakin,"Thomas Haden Church, Josh Wiggins, Luke Kleintank,Lauren Graham",2015,111,6.8,42.65 +Your Highness,"Adventure,Comedy,Fantasy",David Gordon Green,"Danny McBride, Natalie Portman, James Franco, Rasmus Hardiker",2011,102,5.6,21.56 +Final Destination 5,"Horror,Thriller",Steven Quale,"Nicholas D'Agosto, Emma Bell, Arlen Escarpeta, Miles Fisher",2011,92,5.9,42.58 +Endless Love,"Drama,Romance",Shana Feste,"Gabriella Wilde, Alex Pettyfer, Bruce Greenwood,Robert Patrick",2014,104,6.3,23.39 +Martyrs,Horror,Pascal Laugier,"Morjana Alaoui, Mylène Jampanoï, Catherine Bégin,Robert Toupin",2008,99,7.1,0 +Selma,"Biography,Drama,History",Ava DuVernay,"David Oyelowo, Carmen Ejogo, Tim Roth, Lorraine Toussaint",2014,128,7.5,52.07 +Underworld: Rise of the Lycans,"Action,Adventure,Fantasy",Patrick Tatopoulos,"Rhona Mitra, Michael Sheen, Bill Nighy, Steven Mackintosh",2009,92,6.6,45.8 +Taare Zameen Par,"Drama,Family,Music",Aamir Khan,"Darsheel Safary, Aamir Khan, Tanay Chheda, Sachet Engineer",2007,165,8.5,1.2 +Take Me Home Tonight,"Comedy,Drama,Romance",Michael Dowse,"Topher Grace, Anna Faris, Dan Fogler, Teresa Palmer",2011,97,6.3,6.92 +Resident Evil: Afterlife,"Action,Adventure,Horror",Paul W.S. Anderson,"Milla Jovovich, Ali Larter, Wentworth Miller,Kim Coates",2010,97,5.9,60.13 +Project X,Comedy,Nima Nourizadeh,"Thomas Mann, Oliver Cooper, Jonathan Daniel Brown, Dax Flame",2012,88,6.7,54.72 +Secret in Their Eyes,"Crime,Drama,Mystery",Billy Ray,"Chiwetel Ejiofor, Nicole Kidman, Julia Roberts, Dean Norris",2015,111,6.2,0 +Hostel: Part II,Horror,Eli Roth,"Lauren German, Heather Matarazzo, Bijou Phillips, Roger Bart",2007,94,5.5,17.54 +Step Up 2: The Streets,"Drama,Music,Romance",Jon M. Chu,"Robert Hoffman, Briana Evigan, Cassie Ventura, Adam G. Sevani",2008,98,6.2,58.01 +Search Party,"Adventure,Comedy",Scot Armstrong,"Adam Pally, T.J. Miller, Thomas Middleditch,Shannon Woodward",2014,93,5.6,0 +Nine Lives,"Comedy,Family,Fantasy",Barry Sonnenfeld,"Kevin Spacey, Jennifer Garner, Robbie Amell,Cheryl Hines",2016,87,5.3,19.64 +Hamilton,"Biography, Drama, History",Thomas Kail,"Lin-Manuel Miranda, Phillipa Soo, Leslie Odom Jr., Renée Elise Goldsberry",2020,160,8.6,612.82 +Gisaengchung,"Comedy, Drama, Thriller",Bong Joon Ho,"Kang-ho Song, Lee Sun-kyun, Cho Yeo-jeong, Choi Woo-sik",2019,132,8.6,53.37 +Soorarai Pottru,Drama,Sudha Kongara,"Suriya, Madhavan, Paresh Rawal, Aparna Balamurali",2020,153,8.6,5.93 +Joker,"Crime, Drama, Thriller",Todd Phillips,"Joaquin Phoenix, Robert De Niro, Zazie Beetz, Frances Conroy",2019,122,8.5,335.45 +Capharnaüm,Drama,Nadine Labaki,"Zain Al Rafeea, Yordanos Shiferaw, Boluwatife Treasure Bankole, Kawsar Al Haddad",2018,126,8.4,1.66 +Ayla: The Daughter of War,"Biography, Drama, History",Can Ulkay,"Erdem Can, Çetin Tekindor, Ismail Hacioglu, Kyung-jin Lee",2017,125,8.4,16.2 +Vikram Vedha,"Action, Crime, Drama",Gayatri,"Pushkar, Madhavan, Vijay Sethupathi, Shraddha Srinath",2017,147,8.4,9.06 +Spider-Man: Into the Spider-Verse,"Animation, Action, Adventure",Bob Persichetti,"Peter Ramsey, Rodney Rothman, Shameik Moore, Jake Johnson",2018,117,8.4,190.24 +Avengers: Endgame,"Action, Adventure, Drama",Anthony Russo,"Joe Russo, Robert Downey Jr., Chris Evans, Mark Ruffalo",2019,181,8.4,858.37 +Avengers: Infinity War,"Action, Adventure, Sci-Fi",Anthony Russo,"Joe Russo, Robert Downey Jr., Chris Hemsworth, Mark Ruffalo",2018,149,8.4,678.82 +Coco,"Animation, Adventure, Family",Lee Unkrich,"Adrian Molina, Anthony Gonzalez, Gael García Bernal, Benjamin Bratt",2017,105,8.4,209.73 +1917,"Drama, Thriller, War",Sam Mendes,"Dean-Charles Chapman, George MacKay, Daniel Mays, Colin Firth",2019,119,8.3,159.23 +Tumbbad,"Drama, Fantasy, Horror",Rahi Anil Barve,"Anand Gandhi, Adesh Prasad, Sohum Shah, Jyoti Malshe",2018,104,8.3,0.66 +Andhadhun,"Crime, Drama, Music",Sriram Raghavan,"Ayushmann Khurrana, Tabu, Radhika Apte, Anil Dhawan",2018,139,8.3,1.37 +Miracle in cell NO.7,Drama,Mehmet Ada Öztekin,"Aras Bulut Iynemli, Nisa Sofiya Aksongur, Deniz Baysal, Celile Toyon Uysal",2019,132,8.3,80.3 +Chhichhore,"Comedy, Drama",Nitesh Tiwari,"Sushant Singh Rajput, Shraddha Kapoor, Varun Sharma, Prateik",2019,143,8.2,0.9 +Uri: The Surgical Strike,"Action, Drama, War",Aditya Dhar,"Vicky Kaushal, Paresh Rawal, Mohit Raina, Yami Gautam",2018,138,8.2,4.19 +K.G.F: Chapter 1,"Action, Drama",Prashanth Neel,"Yash, Srinidhi Shetty, Ramachandra Raju, Archana Jois",2018,156,8.2,32.95 +Green Book,"Biography, Comedy, Drama",Peter Farrelly,"Viggo Mortensen, Mahershala Ali, Linda Cardellini, Sebastian Maniscalco",2018,130,8.2,85.08 +"Three Billboards Outside Ebbing, Missouri","Comedy, Crime, Drama",Martin McDonagh,"Frances McDormand, Woody Harrelson, Sam Rockwell, Caleb Landry Jones",2017,115,8.2,54.51 +Baahubali 2: The Conclusion,"Action, Drama",S.S. Rajamouli,"Prabhas, Rana Daggubati, Anushka Shetty, Tamannaah Bhatia",2017,167,8.2,20.19 +Klaus,"Animation, Adventure, Comedy",Sergio Pablos,"Carlos Martínez López, Jason Schwartzman, J.K. Simmons, Rashida Jones",2019,96,8.2,1.14 +Portrait de la jeune fille en feu,"Drama, Romance",Céline Sciamma,"Noémie Merlant, Adèle Haenel, Luàna Bajrami, Valeria Golino",2019,122,8.1,3.76 +Logan,"Action, Drama, Sci-Fi",James Mangold,"Hugh Jackman, Patrick Stewart, Dafne Keen, Boyd Holbrook",2017,137,8.1,226.28 +Soul,"Animation, Adventure, Comedy",Pete Docter,"Kemp Powers, Jamie Foxx, Tina Fey, Graham Norton",2020,100,8.1,121 +Ford v Ferrari,"Action, Biography, Drama",James Mangold,"Matt Damon, Christian Bale, Jon Bernthal, Caitriona Balfe",2019,152,8.1,117.62 +Badhaai ho,"Comedy, Drama",Amit Ravindernath Sharma,"Ayushmann Khurrana, Neena Gupta, Gajraj Rao, Sanya Malhotra",2018,124,8,1.65 +Togo,"Adventure, Biography, Drama",Ericson Core,"Willem Dafoe, Julianne Nicholson, Christopher Heyerdahl, Richard Dormer",2019,113,8,0.49 +Wonder,"Drama, Family",Stephen Chbosky,"Jacob Tremblay, Owen Wilson, Izabela Vidovic, Julia Roberts",2017,113,8,132.42 +Gully Boy,"Drama, Music, Romance",Zoya Akhtar,"Vijay Varma, Nakul Roshan Sahdev, Ranveer Singh, Vijay Raaz",2019,154,8,5.57 +Blade Runner 2049,"Action, Drama, Mystery",Denis Villeneuve,"Harrison Ford, Ryan Gosling, Ana de Armas, Dave Bautista",2017,164,8,92.05 +Bohemian Rhapsody,"Biography, Drama, Music",Bryan Singer,"Rami Malek, Lucy Boynton, Gwilym Lee, Ben Hardy",2018,134,8,216.43 +Knives Out,"Comedy, Crime, Drama",Rian Johnson,"Daniel Craig, Chris Evans, Ana de Armas, Jamie Lee Curtis",2019,130,7.9,165.36 +Dil Bechara,"Comedy, Drama, Romance",Mukesh Chhabra,"Sushant Singh Rajput, Sanjana Sanghi, Sahil Vaid, Saswata Chatterjee",2020,101,7.9,263.61 +Manbiki kazoku,"Crime, Drama",Hirokazu Koreeda,"Lily Franky, Sakura Andô, Kirin Kiki, Mayu Matsuoka",2018,121,7.9,3.31 +Marriage Story,"Comedy, Drama, Romance",Noah Baumbach,"Adam Driver, Scarlett Johansson, Julia Greer, Azhy Robertson",2019,137,7.9,2 +Call Me by Your Name,"Drama, Romance",Luca Guadagnino,"Armie Hammer, Timothée Chalamet, Michael Stuhlbarg, Amira Casar",2017,132,7.9,18.1 +Isle of Dogs,"Animation, Adventure, Comedy",Wes Anderson,"Bryan Cranston, Koyu Rankin, Edward Norton, Bob Balaban",2018,101,7.9,32.02 +Thor: Ragnarok,"Action, Adventure, Comedy",Taika Waititi,"Chris Hemsworth, Tom Hiddleston, Cate Blanchett, Mark Ruffalo",2017,130,7.9,315.06 +Jojo Rabbit,"Comedy, Drama, War",Taika Waititi,"Roman Griffin Davis, Thomasin McKenzie, Scarlett Johansson, Taika Waititi",2019,108,7.9,0.35 +The Irishman,"Biography, Crime, Drama",Martin Scorsese,"Robert De Niro, Al Pacino, Joe Pesci, Harvey Keitel",2019,209,7.9,7 +The Gentlemen,"Action, Comedy, Crime",Guy Ritchie,"Matthew McConaughey, Charlie Hunnam, Michelle Dockery, Jeremy Strong",2019,113,7.8,115.2 +Raazi,"Action, Drama, Thriller",Meghna Gulzar,"Alia Bhatt, Vicky Kaushal, Rajit Kapoor, Shishir Sharma",2018,138,7.8,27 +Sound of Metal,"Drama, Music",Darius Marder,"Riz Ahmed, Olivia Cooke, Paul Raci, Lauren Ridloff",2019,120,7.8,0.52 +Dunkirk,"Action, Drama, History",Christopher Nolan,"Fionn Whitehead, Barry Keoghan, Mark Rylance, Tom Hardy",2017,106,7.8,188.37 +Paddington 2,"Adventure, Comedy, Family",Paul King,"Ben Whishaw, Hugh Grant, Hugh Bonneville, Sally Hawkins",2017,103,7.8,40.44 +Little Women,"Drama, Romance",Greta Gerwig,"Saoirse Ronan, Emma Watson, Florence Pugh, Eliza Scanlen",2019,135,7.8,108.1 +Loving Vincent,"Animation, Biography, Crime",Dorota Kobiela,"Hugh Welchman, Douglas Booth, Jerome Flynn, Robert Gulaczyk",2017,94,7.8,6.74 +Toy Story 4,"Animation, Adventure, Comedy",Josh Cooley,"Tom Hanks, Tim Allen, Annie Potts, Tony Hale",2019,100,7.8,434.04 +The Trial of the Chicago 7,"Drama, History, Thriller",Aaron Sorkin,"Eddie Redmayne, Alex Sharp, Sacha Baron Cohen, Jeremy Strong",2020,129,7.8,0.12 +Druk,"Comedy, Drama",Thomas Vinterberg,"Mads Mikkelsen, Thomas Bo Larsen, Magnus Millang, Lars Ranthe",2020,117,7.8,21.71 +Roma,Drama,Alfonso Cuarón,"Yalitza Aparicio, Marina de Tavira, Diego Cortina Autrey, Carlos Peralta",2018,135,7.7,5.1 +God's Own Country,"Drama, Romance",Francis Lee,"Josh O'Connor, Alec Secareanu, Gemma Jones, Ian Hart",2017,104,7.7,0.34 +Deadpool 2,"Action, Adventure, Comedy",David Leitch,"Ryan Reynolds, Josh Brolin, Morena Baccarin, Julian Dennison",2018,119,7.7,324.59 +Wind River,"Crime, Drama, Mystery",Taylor Sheridan,"Kelsey Asbille, Jeremy Renner, Julia Jones, Teo Briones",2017,107,7.7,33.8 +Get Out,"Horror, Mystery, Thriller",Jordan Peele,"Daniel Kaluuya, Allison Williams, Bradley Whitford, Catherine Keener",2017,104,7.7,176.04 +Mission: Impossible - Fallout,"Action, Adventure, Thriller",Christopher McQuarrie,"Tom Cruise, Henry Cavill, Ving Rhames, Simon Pegg",2018,147,7.7,220.16 +Dark Waters,"Biography, Drama, History",Todd Haynes,"Mark Ruffalo, Anne Hathaway, Tim Robbins, Bill Pullman",2019,126,7.6,11.14 +Searching,"Drama, Mystery, Thriller",Aneesh Chaganty,"John Cho, Debra Messing, Joseph Lee, Michelle La",2018,102,7.6,26.02 +Once Upon a Time... in Hollywood,"Comedy, Drama",Quentin Tarantino,"Leonardo DiCaprio, Brad Pitt, Margot Robbie, Emile Hirsch",2019,161,7.6,142.5 +Nelyubov,Drama,Andrey Zvyagintsev,"Maryana Spivak, Aleksey Rozin, Matvey Novikov, Marina Vasileva",2017,127,7.6,0.57 +The Florida Project,Drama,Sean Baker,"Brooklynn Prince, Bria Vinaite, Willem Dafoe, Christopher Rivera",2017,111,7.6,5.9 +Just Mercy,"Biography, Crime, Drama",Destin Daniel Cretton,"Michael B. Jordan, Jamie Foxx, Brie Larson, Charlie Pye Jr.",2019,137,7.6,50.4 +Gifted,Drama,Marc Webb,"Chris Evans, Mckenna Grace, Lindsay Duncan, Octavia Spencer",2017,101,7.6,24.8 +The Peanut Butter Falcon,"Adventure, Comedy, Drama",Tyler Nilson,"Michael Schwartz, Zack Gottsagen, Ann Owens, Dakota Johnson",2019,97,7.6,13.12 +Guardians of the Galaxy Vol. 2,"Action, Adventure, Comedy",James Gunn,"Chris Pratt, Zoe Saldana, Dave Bautista, Vin Diesel",2017,136,7.6,389.81 +Baby Driver,"Action, Crime, Drama",Edgar Wright,"Ansel Elgort, Jon Bernthal, Jon Hamm, Eiza González",2017,113,7.6,107.83 +Only the Brave,"Action, Biography, Drama",Joseph Kosinski,"Josh Brolin, Miles Teller, Jeff Bridges, Jennifer Connelly",2017,134,7.6,18.34 +Incredibles 2,"Animation, Action, Adventure",Brad Bird,"Craig T. Nelson, Holly Hunter, Sarah Vowell, Huck Milner",2018,118,7.6,608.58 +A Star Is Born,"Drama, Music, Romance",Bradley Cooper,"Lady Gaga, Bradley Cooper, Sam Elliott, Greg Grunberg",2018,136,7.6,215.29