Data wrangling involves four main steps described below:
Depending on where you find your data and what format it's in, the steps of the gathering process can vary.
Data sources:
Low quality data is commonly referred to as dirty data. Dirty data has issues with its content.
Common Data Quality Issues:
We'll go over more tips and tricks to identify data quality issues and categorize them.
Data quality is a perception or an assessment of data's fitness to serve its purpose in a given context. Unfortunately, that’s a bit of an evasive definition but it gets to something important: there are no hard and fast rules for data quality. One dataset may be high enough quality for one application but not for another.
Untidy data is commonly referred to as "messy" data. Messy data has issues with its structure.
Tidy data is a relatively new concept coined by statistician, professor, and all-round data expert Hadley Wickham.
I’m going to take a quote from his excellent paper on the subject:
"It is often said that 80% of data analysis is spent on the cleaning and preparing data." And it’s not just a first step, but it must be repeated many times over the course of analysis as new problems come to light or new data is collected. To get a handle on the problem, this paper focuses on a small, but important, aspect of data cleaning that I call data tidying: structuring datasets to facilitate analysis.
...
A dataset is messy or tidy depending on how rows, columns, and tables are matched up with observations, variables, and types. In tidy data:
Cleaning means acting on the assessments we made to improve quality and tidiness.
Improving quality doesn’t mean changing the data to make it say something different—that's data fraud.
Improving tidiness means transforming the dataset so that each variable is a column, each observation is a row, and each type of observational unit is a table. There are special functions in pandas that help us do that. We'll dive deeper into those in Lesson four of this course.
The Programmatic Data Cleaning Process
Defining means defining a data cleaning plan in writing, where we turn our assessments into defined cleaning tasks. This plan will also serve as an instruction list so others (or us in the future) can look at our work and reproduce it.
Coding means translating these definitions to code and executing that code.
Testing means testing our dataset, often using code, to make sure our cleaning operations worked.
Data Wrangling is an Iterative Process
We've gathered, assessed, and cleaned our data. Are we done? No. After cleaning, we always reassess and then iterate on any of the steps if we need to. If we're happy with the quality and tidiness of our data, we can end our wrangling process and move on to storing our clean data, or analyzing, visualizing, or modeling it.
After reassessing your data and revisiting any steps of the data wrangling process deemed necessary, storing your cleaned data can be the next logical step. Storing data is important if you need to use your cleaned data in the future.
Storing data isn't always necessary, though. Sometimes the Jupyter Notebook that you gathered, assessed, cleaned, analyzed, and visualized your data in, plus the original data files is good enough. Sometimes the analysis and visualization are the final products and you won't be using the cleaned data any further. If you ever want to reproduce the analysis, the Jupyter Notebook suffices.
We've gathered, assessed, and cleaned our data. Are we done? No. After cleaning, we always reassess and then iterate on any of the steps if we need to. If we're happy with the quality and tidiness of our data, we can end our wrangling process and move on to storing our clean data, or analyzing, visualizing, or modeling it.
Once we go through each step once, we can revisit any step in the process at any time.
After reassessing your data and revisiting any steps of the data wrangling process deemed necessary, storing your cleaned data can be the next logical step. Storing data is important if you need to use your cleaned data in the future.
Storing data isn't always necessary, though. Sometimes the Jupyter Notebook that you gathered, assessed, cleaned, analyzed, and visualized your data in, plus the original data files is good enough. Sometimes the analysis and visualization are the final products and you won't be using the cleaned data any further. If you ever want to reproduce the analysis, the Jupyter Notebook suffices.
How do you pick which movie to watch? You may check movie rating websites like Rotten Tomatoes or IMDb to help you chose. These sites contain a number of different metrics which are used to evaluate whether or not you will like a movie. However, because these metrics do not always show on the same page, figuring out the best movies can get confusing.
We can start with the Rotten Tomatoes: Top 100 Movies of All Time.
(Note: this current list may be different than the latest archived list used in this lesson).
For lots of people, Roger Ebert's movie review was the only review they needed because he explained the movie in such a way that they would know whether they would like it or not.
Wouldn't it be neat if we had a word cloud like this one for each of the movies in the top 100 list at RogerEbert.com? We can use a Andreas Mueller's Word Cloud Generator in Python to help.
The data is in a few different spots, and it will require some craftiness to gather it all, but using the tools you will learn in this lesson, you can definitely do it.
The inspiration for our project is the Rotten Tomatoes Top 100 Movies of All Time list. Unfortunately, Rotten Tomatoes doesn't provide a file to download, so I'm just going to give it to you for this part of the lesson.
The file is in a TSV file - which stands for tab-separated values.
You can download it here: Rotten Tomatoes Top 100 Movies of All Time TSV File
# Import pandas, matplotlib.pyplot, and os
import pandas as pd
import matplotlib.pyplot as plt
import os
%matplotlib inline
# Import the Rotten Tomatoes bestofrt TSV file into a DataFrame
critic_df = pd.read_csv('bestofrt.tsv', sep = '\t')
# Check to see if the file was imported correctly
critic_df.head(10)
ranking | critic_score | title | number_of_critic_ratings | |
---|---|---|---|---|
0 | 53 | 100 | 12 Angry Men (Twelve Angry Men) (1957) | 49 |
1 | 29 | 96 | 12 Years a Slave (2013) | 316 |
2 | 22 | 98 | A Hard Day's Night (1964) | 104 |
3 | 60 | 98 | A Streetcar Named Desire (1951) | 54 |
4 | 48 | 97 | Alien (1979) | 104 |
5 | 7 | 100 | All About Eve (1950) | 64 |
6 | 56 | 100 | All Quiet on the Western Front (1930) | 40 |
7 | 89 | 98 | Apocalypse Now (1979) | 80 |
8 | 40 | 96 | Argo (2012) | 313 |
9 | 57 | 97 | Army of Shadows (L'Armée des ombres) (1969) | 73 |
# Sort dataframe values according to titles and reset index
critic_df.sort_values('title', inplace = True, ignore_index = True)
critic_df.head()
ranking | critic_score | title | number_of_critic_ratings | |
---|---|---|---|---|
0 | 53 | 100 | 12 Angry Men (Twelve Angry Men) (1957) | 49 |
1 | 29 | 96 | 12 Years a Slave (2013) | 316 |
2 | 22 | 98 | A Hard Day's Night (1964) | 104 |
3 | 60 | 98 | A Streetcar Named Desire (1951) | 54 |
4 | 48 | 97 | Alien (1979) | 104 |
critic_df.info()
<class 'pandas.core.frame.DataFrame'>
RangeIndex: 100 entries, 0 to 99
Data columns (total 4 columns):
# Column Non-Null Count Dtype
--- ------ -------------- -----
0 ranking 100 non-null int64
1 critic_score 100 non-null int64
2 title 100 non-null object
3 number_of_critic_ratings 100 non-null int64
dtypes: int64(3), object(1)
memory usage: 3.2+ KB
We want to get Rotten Tomatoes' audience scores and the number of audience reviews to add to our dataset. However, this is not easily accessible from the website and to get this data we will need to do web scraping, which allows us to extract data from websites using code.
How Does Web Scraping Work?
Website data is written in HTML (HyperText Markup Language) which uses tags to structure the page. Because HTML and its tags are just text, the text can be accessed using parsers . We'll be using a Python parser called Beautiful Soup.
HTML files are text files that can be opened and inspected in text editors.
An HTML file is a collection of tags.
'''
<!DOCTYPE html>
<html>
<head>
<meta charset="utf-8" />
<title>HTML Structure</title>
</head>
<body>
<h1>This is a heading.</h1>
<p>This is a paragraph.</p>
<span>This is a span.</span>s
<span>So is this.</span>
<img src="image.jpg" alt="a picture" />
</body>
</html>
'''
'\n<!DOCTYPE html>\n<html>\n <head>\n <meta charset="utf-8" />\n <title>HTML Structure</title>\n </head>\n <body>\n <h1>This is a heading.</h1>\n <p>This is a paragraph.</p>\n <span>This is a span.</span>s\n <span>So is this.</span>\n <img src="image.jpg" alt="a picture" />\n </body>\n</html>\n'
# Import requests library
import requests
# Get URL content
url = 'https://www.rottentomatoes.com/m/et_the_extraterrestrial'
response = requests.get(url)
# View content of response received from server
response.content
b'<!DOCTYPE html>\n<html lang="en"\n dir="ltr"\n xmlns:fb="http://www.facebook.com/2008/fbml"\n xmlns:og="http://opengraphprotocol.org/schema/">\n\n <head prefix="og: http://ogp.me/ns# flixstertomatoes: http://ogp.me/ns/apps/flixstertomatoes#">\n \n\n \n <script src="/assets/pizza-pie/javascripts/bundles/roma/rt-common.js?single"></script>\n \n <!-- salt=lay-def-02-juRm -->\n <meta http-equiv="Content-Type" content="text/html; charset=utf-8" />\n <meta http-equiv="x-ua-compatible" content="ie=edge">\n <meta name="viewport" content="width=device-width, initial-scale=1">\n\n <title>E.T. the Extra-Terrestrial - Rotten Tomatoes</title>\n <meta name="description" content="After a gentle alien becomes stranded on Earth, the being is discovered and befriended by a young boy named Elliott (Henry Thomas). Bringing the extraterrestrial into his suburban California house, Elliott introduces E.T., as the alien is dubbed, to his brother and his little sister, Gertie (Drew Barrymore), and the children decide to keep its existence a secret. Soon, however, E.T. falls ill, resulting in government intervention and a dire situation for both Elliott and the alien.">\n\n \n <link rel="canonical" href="https://www.rottentomatoes.com/m/et_the_extraterrestrial">\n \n\n \n \n \n\n <link rel="shortcut icon" sizes="76x76" type="image/x-icon" href="https://www.rottentomatoes.com/assets/pizza-pie/images/favicon.ico">\n \n\n \n <meta property="fb:app_id" content="326803741017">\n <meta property="og:site_name" content="Rotten Tomatoes">\n <meta property="og:title" content="E.T. the Extra-Terrestrial">\n <meta property="og:description" content="After a gentle alien becomes stranded on Earth, the being is discovered and befriended by a young boy named Elliott (Henry Thomas). Bringing the extraterrestrial into his suburban California house, Elliott introduces E.T., as the alien is dubbed, to his brother and his little sister, Gertie (Drew Barrymore), and the children decide to keep its existence a secret. Soon, however, E.T. falls ill, resulting in government intervention and a dire situation for both Elliott and the alien.">\n <meta property="og:type" content="video.movie">\n <meta property="og:url" content="https://www.rottentomatoes.com/m/et_the_extraterrestrial">\n <meta property="og:image" content="https://www.rottentomatoes.com/assets/pizza-pie/head-assets/images/RT_TwitterCard_2018.jpg">\n <meta property="og:locale" content="en_US">\n \n\n <meta name="twitter:card" content="summary_large_image">\n <meta name="twitter:image" content="https://www.rottentomatoes.com/assets/pizza-pie/head-assets/images/RT_TwitterCard_2018.jpg">\n <meta name="twitter:title" content="E.T. the Extra-Terrestrial">\n <meta name="twitter:text:title" content="E.T. the Extra-Terrestrial">\n <meta name="twitter:description" content="After a gentle alien becomes stranded on Earth, the being is discovered and befriended by a young boy named Elliott (Henry Thomas). Bringing the extraterrestrial into his suburban California house, Elliott introduces E.T., as the alien is dubbed, to his brother and his little sister, Gertie (Drew Barrymore), and the children decide to keep its existence a secret. Soon, however, E.T. falls ill, resulting in government intervention and a dire situation for both Elliott and the alien.">\n <meta name="twitter:site" content="@rottentomatoes">\n\n <link rel="manifest" href="https://www.rottentomatoes.com/assets/pizza-pie/manifest/manifest.json" />\n\n <link rel="apple-touch-icon" href="https://www.rottentomatoes.com/assets/pizza-pie/head-assets/images/apple-touch-icon-60.jpg">\n <link rel="apple-touch-icon" sizes="152x152" href="https://www.rottentomatoes.com/assets/pizza-pie/head-assets/images/apple-touch-icon-152.jpg">\n <link rel="apple-touch-icon" sizes="167x167" href="https://www.rottentomatoes.com/assets/pizza-pie/head-assets/images/apple-touch-icon-167.jpg">\n <link rel="apple-touch-icon" sizes="180x180" href="https://www.rottentomatoes.com/assets/pizza-pie/head-assets/images/apple-touch-icon-180.jpg">\n\n <!-- JSON+LD -->\n \n \n <script type="application/ld+json">\n {"@context":"http://schema.org","@type":"Movie","actors":[{"@type":"Person","name":"NA","sameAs":"https://www.rottentomatoes.com/celebrity/henry_thomas","image":"https://resizing.flixster.com/GhyR_iN5J4GUC1E8tdall2__Klc=/100x120/v2/https://flxt.tmsimg.com/assets/26487_v9_bb.jpg"},{"@type":"Person","name":"NA","sameAs":"https://www.rottentomatoes.com/celebrity/dee_wallace","image":"https://resizing.flixster.com/9ce4S6gcN3qyW9gxmMxS4XVp1yA=/100x120/v2/https://flxt.tmsimg.com/assets/1713_v9_bb.jpg"},{"@type":"Person","name":"NA","sameAs":"https://www.rottentomatoes.com/celebrity/peter_coyote","image":"https://resizing.flixster.com/m1V1br-Oid6f6mNzCLD6Urars0U=/100x120/v2/https://flxt.tmsimg.com/assets/71731_v9_bb.jpg"},{"@type":"Person","name":"NA","sameAs":"https://www.rottentomatoes.com/celebrity/drew_barrymore","image":"https://resizing.flixster.com/B6upIDlHpM9gP88SpFYWeLbdl4s=/100x120/v2/https://flxt.tmsimg.com/assets/100_v9_bb.jpg"},{"@type":"Person","name":"NA","sameAs":"https://www.rottentomatoes.com/celebrity/tom_howell","image":"https://resizing.flixster.com/3racoIc9kPB0Cm_Lq4t0ZApik-g=/100x120/v2/https://flxt.tmsimg.com/assets/804_v9_cc.jpg"},{"@type":"Person","name":"NA","sameAs":"https://www.rottentomatoes.com/celebrity/robert-macnaughton","image":"https://resizing.flixster.com/3z6XLjRHY3yskplNwGL2t59hcwU=/100x120/v2/https://flxt.tmsimg.com/assets/90708_v9_ba.jpg"},{"@type":"Person","name":"NA","sameAs":"https://www.rottentomatoes.com/celebrity/kc_martel","image":""},{"@type":"Person","name":"NA","sameAs":"https://www.rottentomatoes.com/celebrity/sean_frye","image":""}],"aggregateRating":{"@type":"AggregateRating","bestRating":"100","description":"The Tomatometer rating \xe2\x80\x93 based on the published opinions of hundreds of film and television critics \xe2\x80\x93 is a trusted measurement of movie and TV programming quality for millions of moviegoers. It represents the percentage of professional critic reviews that are positive for a given film or television show.","name":"Tomatometer","ratingCount":139,"ratingValue":"99","reviewCount":139,"worstRating":"0"},"author":[{"@type":"Person","name":"NA","sameAs":"https://www.rottentomatoes.com/celebrity/melissa_mathison","image":"https://resizing.flixster.com/NZEBpfg7QGVVMnZf4C2rizTspHU=/100x120/v2/https://flxt.tmsimg.com/assets/79226_v9_ba.jpg"}],"character":["Elliott","Mary","Keys","Gertie","Tyler","Michael","Greg","Steve"],"contentRating":"PG","dateCreated":"TODO_MISSING","dateModified":"TODO_MISSING","datePublished":null,"director":[{"@type":"Person","name":"NA","sameAs":"https://www.rottentomatoes.com/celebrity/steve_spielberg","image":"https://resizing.flixster.com/KWGryASrIqVz1Tsbf8N4JklyOC8=/100x120/v2/https://flxt.tmsimg.com/assets/1672_v9_ba.jpg"}],"genre":["Kids & family","Sci-fi","Adventure"],"image":"https://resizing.flixster.com/ZdBAIoWUBANnXl3k8XN6VT5xSbI=/740x380/v2/https://statcdn.fandango.com/MPX/image/NBCU_Fandango/432/335/thumb_4AD7A6EA-169F-408C-9C44-6538D696F733.jpg","name":"E.T. the Extra-Terrestrial","url":"https://www.rottentomatoes.com/m/et_the_extraterrestrial"}\n </script>\n \n \n\n \n \n\n <!-- Google webmaster tools -->\n <meta name="google-site-verification" content="VPPXtECgUUeuATBacnqnCm4ydGO99reF-xgNklSbNbc" />\n\n <!-- Bing webmaster tools -->\n <meta name="msvalidate.01" content="034F16304017CA7DCF45D43850915323" />\n <meta name="theme-color" content="#FA320A">\n\n <!-- DNS prefetch -->\n <meta http-equiv="x-dns-prefetch-control" content="on">\n \n <link rel="dns-prefetch" href="//www.rottentomatoes.com" />\n \n \n <link rel="preconnect" href="//www.rottentomatoes.com" />\n \n\n \n\n \n<!-- BEGIN: critical-->\n<style id="critical-path">html{font-family:sans-serif;-ms-text-size-adjust:100%;-webkit-text-size-adjust:100%}body{margin:0}aside,footer,header,nav,section{display:block}a{background-color:transparent}strong{font-weight:700}h1{font-size:2em;margin:.67em 0}small{font-size:80%}img{border:0}hr{box-sizing:content-box;height:0}button,input,textarea{color:inherit;font:inherit;margin:0}button{overflow:visible}button{text-transform:none}button{-webkit-appearance:button}button::-moz-focus-inner,input::-moz-focus-inner{border:0;padding:0}input{line-height:normal}input[type=checkbox]{box-sizing:border-box;padding:0}textarea{overflow:auto}@font-face{font-family:fontello;src:url(/assets/pizza-pie/stylesheets/global/fonts/fontello.eot);src:url(/assets/pizza-pie/stylesheets/global/fonts/fontello.eot) format(\'embedded-opentype\'),url(/assets/pizza-pie/stylesheets/global/fonts/fontello.woff2) format(\'woff2\'),url(/assets/pizza-pie/stylesheets/global/fonts/fontello.woff) format(\'woff\'),url(/assets/pizza-pie/stylesheets/global/fonts/fontello.ttf) format(\'truetype\'),url(/assets/pizza-pie/stylesheets/global/fonts/fontello.svg) format(\'svg\');font-weight:400;font-style:normal}@font-face{font-family:\'Neusa Next Pro Compact\';src:url(/assets/pizza-pie/stylesheets/global/fonts/NeusaNextPro-CompactRegular.eot);src:url(/assets/pizza-pie/stylesheets/global/fonts/NeusaNextPro-CompactRegular.eot) format(\'embedded-opentype\'),url(/assets/pizza-pie/stylesheets/global/fonts/NeusaNextPro-CompactRegular.woff2) format(\'woff2\'),url(/assets/pizza-pie/stylesheets/global/fonts/NeusaNextPro-CompactRegular.woff) format(\'woff\'),url(/assets/pizza-pie/stylesheets/global/fonts/NeusaNextPro-CompactRegular.ttf) format(\'truetype\'),url(/assets/pizza-pie/stylesheets/global/fonts/NeusaNextPro-CompactRegular.svg) format(\'svg\');font-weight:400;font-style:normal}@font-face{font-family:\'Franklin Gothic FS Med\';src:url(/assets/pizza-pie/stylesheets/global/fonts/FranklinGothicFS-Med.eot);src:url(/assets/pizza-pie/stylesheets/global/fonts/FranklinGothicFS-Med.eot) format(\'embedded-opentype\'),url(/assets/pizza-pie/stylesheets/global/fonts/FranklinGothicFS-Med.woff2) format(\'woff2\'),url(/assets/pizza-pie/stylesheets/global/fonts/FranklinGothicFS-Med.woff) format(\'woff\'),url(/assets/pizza-pie/stylesheets/global/fonts/FranklinGothicFS-Med.ttf) format(\'truetype\'),url(/assets/pizza-pie/stylesheets/global/fonts/FranklinGothicFS-Med.svg) format(\'svg\');font-weight:500;font-style:normal}@font-face{font-family:\'Franklin Gothic FS Book\';src:url(/assets/pizza-pie/stylesheets/global/fonts/FranklinGothicFS-Book.eot);src:url(/assets/pizza-pie/stylesheets/global/fonts/FranklinGothicFS-Book.eot) format(\'embedded-opentype\'),url(/assets/pizza-pie/stylesheets/global/fonts/FranklinGothicFS-Book.woff2) format(\'woff2\'),url(/assets/pizza-pie/stylesheets/global/fonts/FranklinGothicFS-Book.woff) format(\'woff\'),url(/assets/pizza-pie/stylesheets/global/fonts/FranklinGothicFS-Book.ttf) format(\'truetype\'),url(/assets/pizza-pie/stylesheets/global/fonts/FranklinGothicFS-Book.svg) format(\'svg\');font-weight:400;font-style:normal}@font-face{font-family:\'Franklin Gothic FS Book\';src:url(/assets/pizza-pie/stylesheets/global/fonts/FranklinGothicFS-Demi.eot);src:url(/assets/pizza-pie/stylesheets/global/fonts/FranklinGothicFS-Demi.eot) format(\'embedded-opentype\'),url(/assets/pizza-pie/stylesheets/global/fonts/FranklinGothicFS-Demi.woff2) format(\'woff2\'),url(/assets/pizza-pie/stylesheets/global/fonts/FranklinGothicFS-Demi.woff) format(\'woff\'),url(/assets/pizza-pie/stylesheets/global/fonts/FranklinGothicFS-Demi.ttf) format(\'truetype\'),url(/assets/pizza-pie/stylesheets/global/fonts/FranklinGothicFS-Demi.svg) format(\'svg\');font-weight:600;font-style:normal}@font-face{font-family:\'Glyphicons Halflings\';src:url(/assets/pizza-pie/stylesheets/global/fonts/glyphicons-halflings-regular.eot);src:url(/assets/pizza-pie/stylesheets/global/fonts/glyphicons-halflings-regular.eot) format("embedded-opentype"),url(/assets/pizza-pie/stylesheets/global/fonts/glyphicons-halflings-regular.woff2) format("woff2"),url(/assets/pizza-pie/stylesheets/global/fonts/glyphicons-halflings-regular.woff) format("woff"),url(/assets/pizza-pie/stylesheets/global/fonts/glyphicons-halflings-regular.ttf) format("truetype"),url(/assets/pizza-pie/stylesheets/global/fonts/glyphicons-halflings-regular.svg) format("svg")}.glyphicon{position:relative;top:1px;display:inline-block;font-family:\'Glyphicons Halflings\';font-style:normal;font-weight:400;line-height:1;-webkit-font-smoothing:antialiased;-moz-osx-font-smoothing:grayscale}.glyphicon-remove:before{content:"\\e014"}.glyphicon-chevron-left:before{content:"\\e079"}.glyphicon-chevron-right:before{content:"\\e080"}.glyphicon-remove-circle:before{content:"\\e088"}.container{margin-right:auto;margin-left:auto}.container:after,.container:before{content:" ";display:table}.container:after{clear:both}.col-sm-11,.col-sm-13,.col-xs-11,.col-xs-12,.col-xs-24,.col-xs-3,.col-xs-4,.col-xs-5,.col-xs-6,.col-xs-7{position:relative;min-height:1px;padding-left:10px;padding-right:10px}.col-xs-11,.col-xs-12,.col-xs-24,.col-xs-3,.col-xs-4,.col-xs-5,.col-xs-6,.col-xs-7{float:left}.col-xs-3{width:12.5%}.col-xs-4{width:16.66667%}.col-xs-5{width:20.83333%}.col-xs-6{width:25%}.col-xs-7{width:29.16667%}.col-xs-11{width:45.83333%}.col-xs-12{width:50%}.col-xs-24{width:100%}@media (min-width:768px){.col-sm-11,.col-sm-13{float:left}.col-sm-11{width:45.83333%}.col-sm-13{width:54.16667%}}*{-webkit-box-sizing:border-box;-moz-box-sizing:border-box;box-sizing:border-box}:after,:before{-webkit-box-sizing:border-box;-moz-box-sizing:border-box;box-sizing:border-box}html{font-size:10px}body{font-size:16px;line-height:1.25;color:var(--grayDark2);background-color:var(--white)}button,input,textarea{font-family:inherit;font-size:inherit;line-height:inherit}a{color:#337ab7;text-decoration:none}img{vertical-align:middle}hr{margin-top:20px;margin-bottom:20px;border:0;border-top:1px solid #eee}.sr-only{position:absolute;width:1px;height:1px;margin:-1px;padding:0;overflow:hidden;clip:rect(0,0,0,0);border:0}.h2,h1,h2,h3,h4{font-family:inherit;font-weight:700;line-height:1.1;color:var(--grayDark2)}.h2,h1,h2,h3{margin-top:20px;margin-bottom:10px}h4{margin-top:10px;margin-bottom:10px}h1{font-size:24px}.h2,h2{font-size:18px}h3{font-size:14px}h4{font-size:18px}p{margin:0 0 10px}small{font-size:75%}.text-center{text-align:center}ul{margin-top:0;margin-bottom:10px}ul ul{margin-bottom:0}.list-unstyled{padding-left:0;list-style:none}.list-inline{padding-left:0;list-style:none;margin-left:-5px}.list-inline>li{display:inline-block;padding-left:5px;padding-right:5px}label{display:inline-block;max-width:100%;margin-bottom:5px;font-weight:700}input[type=checkbox]{margin:4px 0 0;line-height:normal}.form-control{display:block;width:100%;height:34px;padding:6px 12px;font-size:16px;line-height:1.25;color:var(--gray);background-color:var(--white);background-image:none;border:1px solid #ccc;border-radius:4px;-webkit-box-shadow:inset 0 1px 1px rgba(0,0,0,.075);box-shadow:inset 0 1px 1px rgba(0,0,0,.075)}.form-control::-moz-placeholder{color:#999;opacity:1}.form-control:-ms-input-placeholder{color:#999}.form-control::-webkit-input-placeholder{color:#999}.form-control::-ms-expand{border:0;background-color:transparent}.form-group{margin-bottom:15px}.help-block{display:block;margin-top:5px;margin-bottom:10px;color:#747474}.btn{display:inline-block;margin-bottom:0;font-weight:400;text-align:center;vertical-align:middle;touch-action:manipulation;background-image:none;border:1px solid transparent;white-space:nowrap;padding:6px 12px;font-size:16px;line-height:1.25;border-radius:4px}.btn.disabled{opacity:.65;-webkit-box-shadow:none;box-shadow:none}.btn-primary{color:var(--white)!important;background-color:#4472ca!important}.fade{opacity:0}.dropdown{position:relative}.dropdown-menu{position:absolute;top:100%;left:0;z-index:1000;display:none;float:left;min-width:160px;padding:5px 0;margin:2px 0 0;list-style:none;font-size:16px;text-align:left;background-color:var(--white);border:1px solid #ccc;border:1px solid rgba(0,0,0,.15);border-radius:5px;-webkit-box-shadow:0 6px 12px rgba(0,0,0,.175);box-shadow:0 6px 12px rgba(0,0,0,.175);background-clip:padding-box}.navbar{position:relative;min-height:50px;margin-bottom:20px;border:1px solid transparent}.navbar:after,.navbar:before{content:" ";display:table}.navbar:after{clear:both}@media (min-width:768px){.navbar{border-radius:4px}}.navbar-header:after,.navbar-header:before{content:" ";display:table}.navbar-header:after{clear:both}@media (min-width:768px){.navbar-header{float:left}}.navbar-brand{float:left;padding:15px 15px;font-size:18px;line-height:20px;height:50px}.navbar-nav{margin:7.5px -15px}@media (min-width:768px){.navbar-nav{float:left;margin:0}}.media{margin-top:15px}.media,.media-body{zoom:1;overflow:hidden}.media-body{width:10000px}.media>.pull-right{padding-left:10px}.media-body{display:table-cell;vertical-align:top}.panel{margin-bottom:20px;background-color:var(--white);border:1px solid transparent;border-radius:4px;-webkit-box-shadow:0 1px 1px rgba(0,0,0,.05);box-shadow:0 1px 1px rgba(0,0,0,.05)}.panel-body{padding:15px}.panel-body:after,.panel-body:before{content:" ";display:table}.panel-body:after{clear:both}.panel-heading{border-bottom:1px solid transparent;border-top-right-radius:3px;border-top-left-radius:3px}.close{float:right;font-size:24px;font-weight:700;line-height:1;color:var(--black);text-shadow:0 1px 0 var(--white);opacity:.2}button.close{padding:0;background:0 0;border:0;-webkit-appearance:none}.modal{display:none;overflow:hidden;position:fixed;top:0;right:0;bottom:0;left:0;z-index:1050;-webkit-overflow-scrolling:touch;outline:0}.modal.fade .modal-dialog{-webkit-transform:translate(0,-25%);-ms-transform:translate(0,-25%);-o-transform:translate(0,-25%);transform:translate(0,-25%)}.modal.in .modal-dialog{-webkit-transform:translate(0,0);-ms-transform:translate(0,0);-o-transform:translate(0,0);transform:translate(0,0)}.modal-dialog{position:relative;width:auto;margin:10px}.modal-content{position:relative;background-color:var(--white);border:1px solid #999;border:1px solid rgba(0,0,0,.2);border-radius:6px;-webkit-box-shadow:0 3px 9px rgba(0,0,0,.5);box-shadow:0 3px 9px rgba(0,0,0,.5);background-clip:padding-box;outline:0}.modal-header{padding:15px;border-bottom:1px solid #e5e5e5}.modal-header:after,.modal-header:before{content:" ";display:table}.modal-header:after{clear:both}.modal-header .close{margin-top:-2px;background-color:transparent}.modal-title{margin:0;line-height:1.42857}.modal-body{position:relative;padding:15px}.modal-footer{padding:15px;text-align:right;border-top:1px solid #e5e5e5}.modal-footer:after,.modal-footer:before{content:" ";display:table}.modal-footer:after{clear:both}.modal-footer .btn+.btn{margin-left:5px;margin-bottom:0}@media (min-width:768px){.modal-dialog{width:600px;margin:30px auto}.modal-content{-webkit-box-shadow:0 5px 15px rgba(0,0,0,.5);box-shadow:0 5px 15px rgba(0,0,0,.5)}.modal-sm{width:300px}}@media (min-width:992px){.modal-lg{width:900px}}.clearfix:after,.clearfix:before{content:" ";display:table}.clearfix:after{clear:both}.pull-right{float:right!important}.pull-left{float:left!important}.hide{display:none!important}@-ms-viewport{width:device-width}.visible-xs{display:none!important}.visible-xs-block{display:none!important}@media (max-width:767px){.visible-xs{display:block!important}}@media (max-width:767px){.visible-xs-block{display:block!important}}@media (max-width:767px){.hidden-xs{display:none!important}}@media (min-width:768px) and (max-width:991px){.hidden-sm{display:none!important}}@media (min-width:992px) and (max-width:1199px){.hidden-md{display:none!important}}@media (min-width:1200px){.hidden-lg{display:none!important}}.hide{display:none}@media (min-width:768px) and (max-width:1119px){@viewport{width:1120px;user-zoom:fixed}@-ms-viewport{width:1120px;user-zoom:fixed}}@media (max-width:767px){@viewport{width:device-width;initial-scale:1}@-ms-viewport{width:device-width;initial-scale:1}}ul{list-style-type:none;padding:0;margin:0}.noSpacing{margin:0;padding:0}.container{background-color:var(--white);padding:0;margin:0 auto}.container.body_main{background:0 0}@media (min-width:768px){.container{width:1100px}}@media (max-width:767px){.container{width:100%;overflow:hidden}}@media (min-width:768px){h1{line-height:30px;margin-bottom:6px}}@media (max-width:767px){h1{font-size:18px;margin:0;padding:4px 6px}}@media (min-width:768px){h2{line-height:19px;margin-bottom:6px;margin-top:4px}}.h2{font-family:"Neusa Next Pro Compact",Impact,Helvetica Neue,Arial,Sans-Serif;font-weight:700;font-size:1.25em;letter-spacing:0;line-height:1.2;padding-left:9px;text-transform:uppercase;margin-top:0;margin-bottom:1em}.h2:before{position:absolute;content:"";height:1.1em;border-left:3px solid var(--red);margin:-1px 0 0 -9px}h3{line-height:17px;color:var(--gray);margin:0 0 12px 0}h4{font-size:11px;line-height:14px}h1,h2,h3,h4{text-transform:uppercase}body{color:var(--grayDark2);background-color:var(--grayLight1);position:relative;-webkit-font-smoothing:antialiased}@media (max-width:767px){body{background:var(--grayLight1);border:0;width:100%;margin:0;padding:0}}em{display:inline}@media (max-width:767px){.col-full-xs{padding:0;width:100%}}a{color:#4472ca;text-decoration:none}a.unstyled{color:var(--grayDark2)}a.articleLink{color:#000}.lightGray{color:var(--grayLight1)}.white{color:var(--white)}@media (min-width:768px){.default-margin{margin:20px}}@media (max-width:767px){.default-margin{margin:10px}}.col-center-right,.col-right{float:left;min-height:1px;position:relative}@media (max-width:767px){.col-center-right.col-full-xs{padding:0;width:100%}}.col-center-right,.col-right{padding-left:10px;padding-right:20px}@media (min-width:768px){.col-right{width:335px}}@media (max-width:767px){.col-right{width:30%}}@media (min-width:768px){.col-center-right{width:770px}}@media (max-width:767px){.col-center-right{width:70%}}.fullWidth{width:100%!important}.fr{float:right}.clearfix{clear:both}.relative{position:relative}.btn-primary-rt:not(.disabled){color:var(--white);background-color:#4472ca;border-color:#4472ca}.center{text-align:center}.row-sameColumnHeight{margin-left:-10px;margin-right:-10px;display:table}.row-sameColumnHeight.noSpacing{margin:0}.row-sameColumnHeight>[class*=col-]{float:none;display:table-cell;vertical-align:top}#trending_bar_ad{margin-top:-4px;position:relative;left:10px}#tomatometer_sponsorship_ad{display:none}.leaderboard_wrapper{display:block;width:100%;padding:5px 0}@media (max-width:767px){.leaderboard_wrapper{padding:0}}@media (min-width:768px){.leaderboard_wrapper{height:90px}}.leaderboard_wrapper .leaderboard_helper{display:block;vertical-align:middle;text-align:center}.leaderboard_wrapper .leaderboard_helper>div{display:inline-block}.leaderboard_wrapper{display:block;min-height:90px;padding:5px 0;width:100%}@media (max-width:767px){.leaderboard_wrapper{min-height:50px;padding:0}}.leaderboard_wrapper .leaderboard_helper{display:block;text-align:center;vertical-align:middle}.leaderboard_wrapper .leaderboard_helper>div{display:inline-block}@media (min-width:768px){#top_leaderboard_wrapper{min-height:100px}}@media (max-width:767px){#interstitial{display:none!important}}@media (max-width:767px){#main_container{padding-top:0!important;min-height:100vh}}.medrec_ad{margin:10px auto;width:300px}.str-ad{display:none;padding:10px}.navbar.navbar-rt{-webkit-border-radius:0;-moz-border-radius:0;-ms-border-radius:0;border-radius:0;background-color:var(--red);font-family:"Source Sans Pro","Helvetica Neue",Helvetica,Arial,sans-serif;margin:0}@media (min-width:768px){.navbar.navbar-rt{background-repeat:no-repeat;background-size:9%}}@media (max-width:767px){.navbar.navbar-rt{border:none;border-top:solid var(--gray) 1px;min-height:auto}}.navbar.navbar-rt .navbar-header{padding:4px 2px}.navbar.navbar-rt .navbar-header .header_links{float:right;vertical-align:middle}.navbar.navbar-rt .navbar-header .header_links>*{color:#b1eda3;font-size:14px;padding:2px 6px;text-decoration:none}.navbar.navbar-rt .navbar-header .header_links>* a{padding-left:6px}.navbar.navbar-rt .navbar-header .header_links #headerUserSection{display:inline-block;font-weight:700}.navbar.navbar-rt a{background-color:transparent;color:var(--white);text-decoration:none}.navbar.navbar-rt #menu{position:static}.navbar.navbar-rt #menu>ul{list-style-type:none;margin:0 0 0 -5px;padding:0}.navbar.navbar-rt #menu .menuHeader{border-top-left-radius:5px;border-top-right-radius:5px;color:var(--white);padding:0;position:static}.navbar.navbar-rt #menu .menuHeader #podcastLink,.navbar.navbar-rt #menu .menuHeader #ticketingMenu{-webkit-border-radius:5px;-moz-border-radius:5px;-ms-border-radius:5px;border-radius:5px}.navbar.navbar-rt #menu .menuHeader .row-sameColumnHeight{width:100%}.navbar.navbar-rt #menu .menuHeader>a{display:block;margin:0;padding:14px 10px 17px;text-transform:uppercase}.navbar.navbar-rt #menu .menuHeader>a>.fontelloIcon.icon-down-dir:before{margin-right:0;width:10px}.navbar.navbar-rt #menu .menuHeader .dropdown-menu{-webkit-border-radius:0;-moz-border-radius:0;-ms-border-radius:0;border-radius:0;border-top:none;display:none;margin:-4px 0 10px 0;left:-1px;top:78px;position:absolute;width:1102px;z-index:2147483647}.navbar.navbar-rt #menu .menuHeader .dropdown-menu a{color:var(--grayDark2);font-size:16px;line-height:21px}.navbar.navbar-rt #menu .menuHeader .dropdown-menu .subnav{padding:10px}.navbar.navbar-rt #menu .menuHeader .dropdown-menu .subnav h2.title{font-size:18px;margin-top:0;font-weight:700;width:max-content;width:-moz-max-content}.navbar.navbar-rt #menu .menuHeader .dropdown-menu .subnav li{padding:2px 0;width:max-content}.navbar.navbar-rt #menu .menuHeader .dropdown-menu .subnav .innerSubnav{margin:0 10px}.navbar.navbar-rt #menu .menuHeader .dropdown-menu #header-news-columns ul li{padding:0}.navbar.navbar-rt #menu .menuHeader#header-rt-podcast{position:relative}.navbar.navbar-rt rt-badge{position:absolute;right:0;font-size:12px}@media (min-width:768px){.navbar.navbar-rt .navbar-brand{height:auto;padding:7px 15px 10px 18px}}@media (max-width:767px){.navbar.navbar-rt .navbar-brand{float:left;margin-left:0;position:static;flex-shrink:0;padding:7px 15px 10px 18px}}@media (min-width:768px){.navbar.navbar-rt .navbar-brand img{width:165px}}@media (max-width:767px){.navbar.navbar-rt .navbar-brand img{max-height:34px;max-width:100%}}.navbar.navbar-rt search-algolia-results a.view-all{color:var(--blue)}bottom-nav{position:fixed;bottom:0;left:0;width:100%;height:84px;z-index:100}@media (min-width:768px){bottom-nav{display:none}}@-webkit-keyframes overlay-fade{0%{opacity:0}100%{opacity:1}}@-moz-keyframes overlay-fade{0%{opacity:0}100%{opacity:1}}@-o-keyframes overlay-fade{0%{opacity:0}100%{opacity:1}}@keyframes overlay-fade{0%{opacity:0}100%{opacity:1}}#forgot-password,#login,#signup{z-index:1000001}@media (max-width:767px){#login .modal-dialog,#signup .modal-dialog{height:100%;margin:auto;width:100%}#login .modal-dialog .modal-content,#signup .modal-dialog .modal-content{height:auto;overflow-y:scroll;width:100%}}#login .modal-dialog .modal-footer,#signup .modal-dialog .modal-footer{background-color:var(--grayLight1);text-align:center}@media (min-width:768px){#navMenu{display:none}}@media (max-width:767px){#navMenu{background:0 0;border-right:1px solid #000;padding:0;width:100%}#navMenu .modal-dialog{height:100%;margin:0}#navMenu .modal-dialog .modal-content{background:#3a9425;height:100%}#navMenu .modal-dialog .modal-content .modal-body{height:100%;padding:0;overflow-y:scroll;width:100%}#navMenu .social{margin-left:0}#navMenu .social li{padding:0}#navMenu .social li a{color:var(--white);display:block;font-size:32px;padding:12px}#navMenu .close{padding:20px}#navMenu .items{border-top:1px solid #326028;margin-top:67px}#navMenu .items .item{border-bottom:1px solid #326028;display:block}#navMenu .items .item>a{color:var(--white);display:inline-block;font-weight:700;text-transform:uppercase}#navMenu .items .item>a{padding:15px 5px}#navMenu .items .item>a.navLink{padding:15px;width:85%}#navMenu .items .item>a.navLink.fullLink{display:block;width:100%}#navMenu .loginArea{display:block}}#header-news-columns ul li{padding:0}.panel{box-shadow:0 0 0 transparent}@media (min-width:991px){.col-center-right .panel-box:first-of-type{margin-top:10px}}.panel-rt,.panel-rt.panel{border-color:var(--white);-webkit-border-radius:0;-moz-border-radius:0;-ms-border-radius:0;border-radius:0;-webkit-box-shadow:none;box-shadow:none;border:none;clear:both}.panel-rt.panel>.panel-heading,.panel-rt>.panel-heading{color:var(--grayDark2)}@media (max-width:767px){.panel-rt,.panel-rt.panel{border:none;margin:10px 0;padding-bottom:0}}@media (max-width:767px){.panel-rt.panel-box,.panel-rt.panel.panel-box{border:none}}.panel-rt .panel-body,.panel-rt.panel .panel-body{clear:both;overflow:hidden}@media (max-width:767px){.panel-rt .panel-body,.panel-rt.panel .panel-body{padding:5px}}.panel-rt .panel-heading,.panel-rt.panel .panel-heading{-webkit-border-radius:0;-moz-border-radius:0;-ms-border-radius:0;border-radius:0;clear:left;color:var(--grayDark2);float:left;text-transform:uppercase}@media (min-width:768px){.panel-rt .panel-heading,.panel-rt.panel .panel-heading{padding:10px 15px 10px 25px;float:initial}}.fontelloIcon:before{display:inline-block;font-family:fontello;font-style:normal;font-variant:normal;font-weight:400;line-height:1em;margin-left:.2em;margin-right:.2em;speak:none;text-align:center;text-decoration:inherit;text-transform:none;width:1em;-moz-osx-font-smoothing:grayscale;-webkit-font-smoothing:antialiased}.icon-down-dir:before{content:\'\\e807\'}#newIframeTrailerModal.modal,#newTrailerModal.modal{bottom:0;display:none;overflow:auto;position:fixed;left:0;outline:0;right:0;top:0;z-index:1000001;-webkit-overflow-scrolling:touch}@media (max-width:991px){#newIframeTrailerModal.modal,#newTrailerModal.modal{background:#000;height:100%;width:100%}}#newIframeTrailerModal.modal.fade .modal-dialog,#newTrailerModal.modal.fade .modal-dialog{transform:none!important;-webkit-transform:none!important;-moz-transform:none!important;-o-transform:none!important}#newIframeTrailerModal .modal-dialog,#newTrailerModal .modal-dialog{-webkit-border-radius:6px;-moz-border-radius:6px;-ms-border-radius:6px;border-radius:6px;-webkit-box-shadow:0 5px 15px rgba(0,0,0,.5);box-shadow:0 5px 15px rgba(0,0,0,.5);background:#000;bottom:0;left:0;position:absolute;right:0;top:0}@media (min-width:768px){#newIframeTrailerModal .modal-dialog,#newTrailerModal .modal-dialog{height:51vw;margin:10vh auto auto;max-height:70vh;max-width:125vh;width:90vw}}@media (max-width:767px){#newIframeTrailerModal .modal-dialog,#newTrailerModal .modal-dialog{height:60vw;margin:auto;max-height:100vh;max-width:178vh;width:100vw}}#newTrailerModal #videoPlayer{height:100%;width:100%}#newIframeTrailerModal .closebutton,#newTrailerModal .closebutton{opacity:0;font-size:25px;position:absolute;right:-11px;top:-11px;z-index:2147483647}#videoPlayer{height:100%;text-align:center;width:100%}@media (max-width:767px){#videoPlayer{height:calc(100% - 40px)}}@media (max-width:767px){#newIframeTrailerModal .closebutton,#newTrailerModal .closebutton{display:none}}@media (min-width:768px){#newTrailerModal .closeBtn,#newTrailerModal .moreTrailer{display:none}}@media (max-width:767px){#newTrailerModal .closeBtn,#newTrailerModal .moreTrailer{bottom:0;height:40px;margin:0 auto;position:absolute;width:49%}}@media (max-width:767px){#newTrailerModal .closeBtn{left:0}}@media (max-width:767px){#newTrailerModal .moreTrailer{left:50%}#newTrailerModal .moreTrailer a{display:block;height:100%;width:100%}}.in{opacity:1}.mobile-interscroller{clear:both;margin:0 auto}#super{font-family:\'Franklin Gothic FS Med\'}.super-reviewer-badge{border-radius:2px;box-sizing:border-box;display:flex;color:var(--red);font-family:\'Franklin Gothic FS Med\',\'Arial Narrow\',Arial,sans-serif;font-size:12px;font-stretch:normal;font-style:normal;font-weight:400;justify-content:center;letter-spacing:.05em;line-height:1;padding:0;text-transform:uppercase;white-space:nowrap}.super-reviewer-badge--hidden{visibility:hidden}.social-tools{background-color:var(--white);border:none;margin-top:-100px;overflow:hidden;position:fixed;right:0;top:75%}.social-tools__facebook-like-btn{text-align:center;background-position:0 -31px;display:block;height:32px;width:57px;padding-top:7px}.social-tools__facebook-like-btn:after{background-position:-57px -32px}.social-tools__btn{background-image:url(/assets/pizza-pie/stylesheets/global/images/social/sharevert-sprite.png);display:block;height:32px;width:57px}.social-tools__btn::after{background-image:url(/assets/pizza-pie/stylesheets/global/images/social/sharevert-sprite.png);content:"";display:block;height:32px;opacity:0;width:57px}.social-tools__btn--facebook{background-position:0 0}.social-tools__btn--facebook:after{background-position:-57px 0}.social-tools__btn--twitter{background-position:0 -97px}.social-tools__btn--twitter:after{background-position:-57px -96px}.social-tools__btn--pinterest{background-position:0 -128px}.social-tools__btn--pinterest:after{background-position:-57px -128px}.social-tools__btn--stumbleupon{background-position:0 -192px}.social-tools__btn--stumbleupon:after{background-position:-57px -192px}@media (max-width:1150px){.social-tools{display:none}}@media (max-width:767px){.social-tools__facebook-like-btn{width:23%}.social-tools__btn--facebook{width:23%}.social-tools__btn--twitter{width:23%}.social-tools__btn--pinterest{width:23%}.social-tools__btn--stumbleupon{width:23%}}.trendingBar{background-color:rgba(0,0,0,.6);color:var(--white);padding:4px 10px;font-size:14px;z-index:1;opacity:.9;width:inherit;position:relative;height:26px}.trendingBar .header{color:var(--yellowLegacy);font-family:"Neusa Next Pro Compact"!important;font-size:18px;text-transform:uppercase;padding-left:0;white-space:nowrap}.trendingBar li a{color:var(--white);fill:var(--white)}.trendingBar .social li{padding:0 2px;margin-top:-2px}.trendingBar .trendingEl{display:table;padding:0 15px}.trendingBar .trendingEl li{display:table-cell;vertical-align:middle;font-family:"Source Sans Pro","Helvetica Neue",Helvetica,Arial,sans-serif}.trendingBar .social li a{display:inline-block;margin:0 5px;font-size:16px}.star-display{display:inline-block;line-height:14px;vertical-align:middle;white-space:nowrap}.star-display__empty{display:inline-block;position:relative;background-position:center;background-size:contain;width:14px;height:14px}span.star-display__desktop{width:25px;height:25px;position:relative;margin-left:-4px}.star-display__overlay{position:absolute;height:100%;width:100%}.star-display__half--left,.star-display__half--right{width:50%}.star-display__half--left{left:0}.star-display__half--right{right:0}.star-display__empty{background-image:url("data:image/svg+xml,%3C%3Fxml version=\'1.0\' encoding=\'UTF-8\'%3F%3E%3Csvg version=\'1.1\' viewBox=\'0 0 24 24\' xmlns=\'http://www.w3.org/2000/svg\' x=\'0px\' y=\'0px\' width=\'24px\' height=\'24px\' xml:space=\'preserve\' role=\'img\'%3E%3Ctitle%3Estar%3C/title%3E%3Cpath d=\'m22.728 10.418c0.18713-0.14747 0.27874-0.39829 0.21004-0.6424-0.068708-0.24355-0.27595-0.41057-0.51224-0.43962 0.039102 0.0033516-7.1468-0.79713-7.1468-0.79713s-2.7143-6.7016-2.7003-6.6647c-0.09217-0.21953-0.30891-0.37427-0.5614-0.37427-0.25361 0-0.4709 0.15529-0.56252 0.37594h-5.586e-4l-2.7327 6.663s-7.1859 0.80048-7.1468 0.79713c-0.23629 0.029047-0.44409 0.19607-0.51224 0.43962-0.068708 0.24411 0.022344 0.49492 0.21004 0.6424l-5.586e-4 5.586e-4 5.6754 4.4325c-0.005586 0.017875-2.145 6.9027-2.1328 6.8658-0.067591 0.22847 0.0016758 0.48487 0.19775 0.64519 0.19607 0.16088 0.46253 0.1782 0.67312 0.065915h5.586e-4l6.3145-3.4131 6.3145 3.4131 5.587e-4 -5.586e-4c0.21059 0.11284 0.47705 0.095521 0.67312-0.065357 0.19551-0.16032 0.26534-0.41728 0.19719-0.64519h5.586e-4c0.012289 0.036868-2.1283-6.8513-2.1333-6.8664l5.6749-4.432v-5.586e-4z\' fill=\'%23E3E3E6\'/%3E%3C/svg%3E%0A")}@media (min-width:768px){.star-display__desktop .star-display__overlay::after{position:absolute;z-index:10;top:-120%;left:50%;display:none;content:attr(data-title);background:#111;padding:3px 5px;border-radius:4px;transform:translateX(-50%);color:var(--white);font-size:12px}}@media (max-width:767px){.star-display__empty{width:12px;height:12px}}.clamp{display:block;display:-webkit-box;-webkit-box-orient:vertical;overflow:hidden;line-height:1.2em}.clamp-6{max-height:7.5em;-webkit-line-clamp:6}@media (min-width:768px){#mainColumn h2.panel-heading{float:initial;padding-left:25px}h2.panel-heading::after{content:\' \'}.panel-rt .panel-heading{font-size:28px}}@media (max-width:767px){h2.panel-heading::after{content:none}.panel-heading{padding-left:25px;line-height:26px}.panel-rt .panel-heading{font-size:20px}h2.panel-heading::before{left:0!important}#mainColumn h2.panel-heading{padding-left:25px;float:initial}}.articleLink,.btn,h3{font-family:\'Franklin Gothic FS Med\',sans-serif}#header-main .dropdown-menu li a,.modal-content,.movie_info,.trendingEl li:not(.header) a{font-family:\'Franklin Gothic FS Book\',sans-serif}#movieMenu,#newsMenu,#podcastLink,#ticketingMenu,#tvMenu,h2.panel-heading{font-family:\'Neusa Next Pro Compact\',Impact,Arial,sans-serif}.col.col-center-right.col-full-xs{overflow:hidden}h2.panel-heading{font-weight:600;line-height:26px;width:100%;position:relative;overflow:hidden}h2.panel-heading::after{position:absolute;margin-left:11px;width:100%;background-color:var(--red);min-width:20px;height:20px}h2.panel-heading::before{background-color:var(--red);content:\' \';min-width:20px;height:20px;position:absolute;left:0}#menu .list-inline{width:520px}#movieMenu,#newsMenu,#podcastLink,#ticketingMenu,#tvMenu{font-size:20px;font-weight:700}@media not all and (min-resolution:.001dpcm){@media{#movieMenu,#newsMenu,#podcastLink,#ticketingMenu,#tvMenu{letter-spacing:-1px}}}#header-top-bar-critics,#header-whats-the-tomatometer{font-family:\'Franklin Gothic FS Med\',sans-serif;color:var(--white)}#headerUserSection{color:var(--white)}#header-top-bar-signup{padding-right:3px}#header-main .dropdown-menu h2{font-family:\'Franklin Gothic FS Med\',sans-serif;font-weight:400}.glyphicon-chevron-right:before{content:"\\e250"}.glyphicon-chevron-left:before{content:"\\e251"}#main_container{position:relative}.panel-heading em{margin:0;padding:0}.trendingEl li:not(.header){position:relative;top:-1px}.movie-thumbnail-wrap{position:relative}.advertise-with-us-link{color:var(--grayDark1,#505257);display:block;font-family:\'Franklin Gothic\';font-size:12px;line-height:1.33;text-align:center;text-decoration:underline}@media all and (-ms-high-contrast:none) and (min-width:767px),(-ms-high-contrast:active) and (min-width:767px){h2.panel-heading::before{background-color:var(--red);content:\' \';min-width:20px;height:20px;position:absolute;left:0}}#foot .btn-primary{font-weight:700}.footer a{color:var(--white);fill:var(--white)}.footer-mobile-legal__list-item{display:inline-block}.footer-mobile-legal__list{margin-bottom:30px}.footer-mobile{background-color:var(--grayDark2);border-top:1px solid var(--white);clear:both;color:var(--white);font-size:12px;padding:15px 15px 69px;text-align:center;font-family:\'Franklin Gothic FS Book\'}.footer-mobile-legal__list-item{padding:2px 5px}#footer-feedback-mobile a,.footer-mobile-legal__link{color:#b2b2b2}.footer .newsletter-btn,.footer-mobile .newsletter-btn{text-transform:none}.version{color:var(--grayDark2)}#header_brand_column{display:flex;align-items:center}@media (min-width:768px){#header_brand_column{padding:10px}}@media all and (-ms-high-contrast:none) and (min-width:767px),(-ms-high-contrast:active) and (min-width:767px){.editorial-header-link{width:211px}.navbar.navbar-rt #menu .menuHeader .dropdown-menu .subnav h2.title:not(.cfp-tv-season-title){width:110%}.navbar.navbar-rt #menu .menuHeader .dropdown-menu .subnav li{width:130%}}@supports (-ms-ime-align:auto){.navbar.navbar-rt #menu .menuHeader .dropdown-menu .subnav h2.title:not(.cfp-tv-season-title){width:110%}.navbar.navbar-rt #menu .menuHeader .dropdown-menu .subnav li{width:130%}}h2.title{font-weight:700}#tvMenuDropdown{height:350px}.login-modal-header{background-color:var(--red)}.login-modal-title{font-family:\'Neusa Next Pro Compact\';color:var(--white);font-size:25px;line-height:1}.js-header-auth__login-btn{width:85%;margin-top:15px}search-algolia{font-size:16px;margin:9px 0 9px 15px}search-algolia[skeleton]{height:35px;border-radius:26px;width:100%;margin-right:15px}search-algolia-controls a,search-algolia-controls button,search-algolia-controls input{font-family:\'Franklin Gothic\';display:flex}search-algolia-controls a,search-algolia-controls button{width:fit-content;width:-moz-fit-content}search-algolia-controls a rt-icon,search-algolia-controls button rt-icon{fill:#fff}search-algolia-controls input{color:#fff}search-algolia-controls button{border-radius:0;font-size:14px;background:0 0;padding:0;height:auto;line-height:0}search-algolia-controls button.search-cancel{margin-right:15px}search-algolia-controls button{background:0 0}search-algolia-controls button.search-clear{font-size:20px}search-algolia-results search-algolia-results-category{margin-bottom:40px;color:var(--grayDark2)}search-algolia-results-category[slot=none]{margin-bottom:0}search-algolia-results-category ul{padding:0}@media (min-width:768px){search-algolia{margin:10px 15px 0 15px}}.signup-form__news-letter{display:flex;flex-direction:column;margin-bottom:10px}.signup-form__news-letter-checkbox-wrap{display:flex}.signup-form__news-letter-checkbox-wrap input{margin-top:-6px}.signup-form__news-letter-description{flex-basis:95%;font-size:12px;color:var(--gray);line-height:16px;margin:0 8px 10px}.signup-form__recaptcha-wrap{display:flex;justify-content:center;height:78px}.signup-form__body label{font-family:"Franklin Gothic",-apple-system,BlinkMacSystemFont,"PT Sans",Arial,Sans-Serif;font-weight:500}.signup-form__body input{height:40px;border:1px solid var(--grayLight2)}.signup-form__body .form-group{margin-bottom:0;margin-top:20px}.signup-form__signup_btn{border-radius:99px;font-weight:800;padding:0 48px;margin-top:20px;margin-bottom:12px}.signup-form__footer{margin-bottom:0;border-bottom-left-radius:4px;border-bottom-right-radius:4px;font-size:12px;letter-spacing:.25px;line-height:24px}.signup-form__footer a{font-weight:400}@media (min-width:768px){.signup-form__news-letter{flex-direction:row}.signup-form__news-letter{flex-direction:row}}[skeleton]{background-color:#eee;color:transparent}[skeleton] *{visibility:hidden}[skeleton=panel]{border-radius:4px}[skeleton=transparent]{background-color:transparent}:root{--red:#FA320A;--redDark1:#A33E2A;--blue:#3976DC;--blueHover:#2A62C0;--gray:#757A84;--grayLight1:#F3F3F3;--grayLight2:#E9E9EA;--grayLight3:#DCDCE6;--grayLight4:#BCBDBE;--grayDark1:#505257;--grayDark2:#2A2C32;--yellow:#FFB600;--white:#FFFFFF;--black:#000000;--yellowLegacy:#FFE400;--blueLightLegacy:#EBF3FE;--fontFranklinGothic:\'Franklin Gothic\',-apple-system,BlinkMacSystemFont,\'PT Sans\',Arial,Sans-Serif;--fontNeusa:\'Neusa\',\'Impact\',\'Helvetica Neue\',Arial,Sans-Serif;--fontMonospace:\'Courier New\',Courier,monospace;--fontRtIcon:\'rt-icon\'}@font-face{font-family:"Franklin Gothic";src:url(/assets/pizza-pie/stylesheets/global/fonts/FranklinGothicFS-Book.eot);src:url(/assets/pizza-pie/stylesheets/global/fonts/FranklinGothicFS-Book.eot) format("embedded-opentype"),url(/assets/pizza-pie/stylesheets/global/fonts/FranklinGothicFS-Book.woff2) format("woff2"),url(/assets/pizza-pie/stylesheets/global/fonts/FranklinGothicFS-Book.woff) format("woff"),url(/assets/pizza-pie/stylesheets/global/fonts/FranklinGothicFS-Book.ttf) format("truetype"),url(/assets/pizza-pie/stylesheets/global/fonts/FranklinGothicFS-Book) format("svg");font-weight:400;font-style:normal}@font-face{font-family:"Franklin Gothic";src:url(/assets/pizza-pie/stylesheets/global/fonts/FranklinGothicFS-Med.eot);src:url(/assets/pizza-pie/stylesheets/global/fonts/FranklinGothicFS-Med.eot) format("embedded-opentype"),url(/assets/pizza-pie/stylesheets/global/fonts/FranklinGothicFS-Med.woff2) format("woff2"),url(/assets/pizza-pie/stylesheets/global/fonts/FranklinGothicFS-Med.woff) format("woff"),url(/assets/pizza-pie/stylesheets/global/fonts/FranklinGothicFS-Med.ttf) format("truetype"),url(/assets/pizza-pie/stylesheets/global/fonts/FranklinGothicFS-Med) format("svg");font-weight:500;font-style:normal}@font-face{font-family:"Franklin Gothic";src:url(/assets/pizza-pie/stylesheets/global/fonts/FranklinGothicFS-Demi.eot);src:url(/assets/pizza-pie/stylesheets/global/fonts/FranklinGothicFS-Demi.eot) format("embedded-opentype"),url(/assets/pizza-pie/stylesheets/global/fonts/FranklinGothicFS-Demi.woff2) format("woff2"),url(/assets/pizza-pie/stylesheets/global/fonts/FranklinGothicFS-Demi.woff) format("woff"),url(/assets/pizza-pie/stylesheets/global/fonts/FranklinGothicFS-Demi.ttf) format("truetype"),url(/assets/pizza-pie/stylesheets/global/fonts/FranklinGothicFS-Demi) format("svg");font-weight:600;font-style:normal}button{display:inline-block;height:40px;font-family:"Franklin Gothic",-apple-system,BlinkMacSystemFont,"PT Sans",Arial,Sans-Serif;font-size:.875rem;font-weight:500;line-height:2.9;padding:0 16px;text-align:center;text-overflow:ellipsis;text-transform:uppercase;vertical-align:middle;-webkit-line-clamp:2;white-space:nowrap;word-wrap:break-word;border:1px transparent;border-radius:4px;background-color:var(--blue);color:var(--white)}button:disabled,button[disabled]{background-color:var(--grayLight2);color:var(--grayLight4)}.button--outline{border:1px solid var(--grayLight4);background-color:var(--white);color:var(--grayDark2)}.button--link{height:auto;background-color:transparent;color:var(--blue);padding:0}@font-face{font-family:"Franklin Gothic";src:url(/assets/pizza-pie/stylesheets/roma/common/video/fonts/FranklinGothicFS-Book.eot);src:url(/assets/pizza-pie/stylesheets/roma/common/video/fonts/FranklinGothicFS-Book.eot) format("embedded-opentype"),url(/assets/pizza-pie/stylesheets/roma/common/video/fonts/FranklinGothicFS-Book.woff2) format("woff2"),url(/assets/pizza-pie/stylesheets/roma/common/video/fonts/FranklinGothicFS-Book.woff) format("woff"),url(/assets/pizza-pie/stylesheets/roma/common/video/fonts/FranklinGothicFS-Book.ttf) format("truetype"),url(/assets/pizza-pie/stylesheets/roma/common/video/fonts/FranklinGothicFS-Book) format("svg");font-weight:400;font-style:normal}@font-face{font-family:"Franklin Gothic";src:url(/assets/pizza-pie/stylesheets/roma/common/video/fonts/FranklinGothicFS-Med.eot);src:url(/assets/pizza-pie/stylesheets/roma/common/video/fonts/FranklinGothicFS-Med.eot) format("embedded-opentype"),url(/assets/pizza-pie/stylesheets/roma/common/video/fonts/FranklinGothicFS-Med.woff2) format("woff2"),url(/assets/pizza-pie/stylesheets/roma/common/video/fonts/FranklinGothicFS-Med.woff) format("woff"),url(/assets/pizza-pie/stylesheets/roma/common/video/fonts/FranklinGothicFS-Med.ttf) format("truetype"),url(/assets/pizza-pie/stylesheets/roma/common/video/fonts/FranklinGothicFS-Med) format("svg");font-weight:500;font-style:normal}@font-face{font-family:"Franklin Gothic";src:url(/assets/pizza-pie/stylesheets/roma/common/video/fonts/FranklinGothicFS-Demi.eot);src:url(/assets/pizza-pie/stylesheets/roma/common/video/fonts/FranklinGothicFS-Demi.eot) format("embedded-opentype"),url(/assets/pizza-pie/stylesheets/roma/common/video/fonts/FranklinGothicFS-Demi.woff2) format("woff2"),url(/assets/pizza-pie/stylesheets/roma/common/video/fonts/FranklinGothicFS-Demi.woff) format("woff"),url(/assets/pizza-pie/stylesheets/roma/common/video/fonts/FranklinGothicFS-Demi.ttf) format("truetype"),url(/assets/pizza-pie/stylesheets/roma/common/video/fonts/FranklinGothicFS-Demi) format("svg");font-weight:600;font-style:normal}@font-face{font-family:Neusa;src:url(/assets/pizza-pie/stylesheets/roma/common/video/fonts/NeusaNextPro-CompactMedium.eot);src:url(/assets/pizza-pie/stylesheets/roma/common/video/fonts/NeusaNextPro-CompactMedium.eot) format("embedded-opentype"),url(/assets/pizza-pie/stylesheets/roma/common/video/fonts/NeusaNextPro-CompactMedium.woff2) format("woff2"),url(/assets/pizza-pie/stylesheets/roma/common/video/fonts/NeusaNextPro-CompactMedium.woff) format("woff"),url(/assets/pizza-pie/stylesheets/roma/common/video/fonts/NeusaNextPro-CompactMedium.ttf) format("truetype"),url(/assets/pizza-pie/stylesheets/roma/common/video/fonts/NeusaNextPro-CompactMedium) format("svg");font-weight:400;font-style:normal}.mob.col-center-right{width:770px}@media (max-width:767px){.mob.col-center-right{width:100%}}.mob.col-right{width:330px}@media (max-width:767px){.mob.col-right{display:none!important}}#mainColumn{border:none;overflow:hidden}@media (min-width:768px){div#mainColumn.col.mob.mop-main-column{overflow:visible}}#movieListColumn{padding-left:20px;padding-right:10px}.movie_info{margin:10px 0}.content-meta.info{display:table;width:100%;margin:10px 0 15px}#topSection{margin:0}.movie-thumbnail-wrap{max-width:206px;margin-right:20px;float:left}@media (min-width:768px){#topSection{margin-top:10px;clear:both}}#topSection img.posterImage{padding-bottom:0;width:auto;height:220px;border-radius:4px}@media (max-width:767px){.movie-thumbnail-wrap{display:none}}@media (max-width:767px){.movie_info #movieSynopsis{padding:0}}@media (max-width:767px){.media-body{padding:0;line-height:1}}@media (max-width:767px){.movie_info .panel-body{padding:5px 10px!important}}a.unstyled.articleLink{font-family:\'Franklin Gothic FS Book\'}#verify-email-reminder{z-index:999999}.wts-ratings-group{display:flex;flex-direction:column;clear:both;justify-content:space-between;margin:auto;box-shadow:0 4px 10px rgba(42,44,50,.2);width:calc(100% - 30px)}@media (min-width:768px){.wts-ratings-group{box-shadow:none;flex-direction:row;width:100%}}score-board{display:block;width:100vw}.thumbnail-scoreboard-wrap{display:flex;margin-top:10px;margin-bottom:25px}link-chips-overview-page{display:block;margin:30px 15px}link-chips-overview-page[hidden]{display:none}link-chips-overview-page[skeleton=panel]{height:34px}@media (min-width:768px){score-board{width:700px}.thumbnail-scoreboard-wrap{margin-top:0}link-chips-overview-page{margin:30px 0}link-chips-overview-page[skeleton=panel]{width:100%;height:34px}}@media (min-width:768px){span.stars-rating__tooltip{display:none}}.user-media-rating__component{clear:both}.review-submitted-message{border-radius:4px;background-color:var(--grayLight1);font-size:14px;line-height:1.5;margin:20px auto;padding:24px 32px;width:calc(100% - 30px)}.rate-and-review-widget.review-submitted-message{margin:0;background:0 0;padding:0;width:100%}.review-submitted-message__review-info{font-size:14px;background:var(--grayLight1);padding:24px 60px 20px 20px;border-radius:4px 4px 0 0;position:relative}.review-submitted-message__close-review-info{background-image:url("data:image/svg+xml,%3C%3Fxml version=\'1.0\' encoding=\'UTF-8\'%3F%3E%3Csvg viewBox=\'0 0 24 24\' version=\'1.1\' xmlns=\'http://www.w3.org/2000/svg\' x=\'0px\' y=\'0px\' width=\'24px\' height=\'24px\' xml:space=\'preserve\' role=\'img\'%3E%3Ctitle%3Erticon-close%3C/title%3E%3Cpath d=\'M17.1798075,4.42379374 C17.7448658,3.85873542 18.6610064,3.85873542 19.2260647,4.42379374 C19.791123,4.98885206 19.791123,5.90499262 19.2260647,6.47005094 L13.8711864,11.8249292 L19.2260647,17.1798075 C19.791123,17.7448658 19.791123,18.6610064 19.2260647,19.2260647 C18.6610064,19.791123 17.7448658,19.791123 17.1798075,19.2260647 L11.8249292,13.8711864 L6.47005094,19.2260647 C5.90499262,19.791123 4.98885206,19.791123 4.42379374,19.2260647 C3.85873542,18.6610064 3.85873542,17.7448658 4.42379374,17.1798075 L9.77867202,11.8249292 L4.42379374,6.47005094 C3.85873542,5.90499262 3.85873542,4.98885206 4.42379374,4.42379374 C4.98885206,3.85873542 5.90499262,3.85873542 6.47005094,4.42379374 L11.8249292,9.77867202 L17.1798075,4.42379374 Z\' fill=\'%23BCBDBE\'%3E%3C/path%3E%3C/svg%3E%0A");width:20px;height:20px;background-size:20px;position:absolute;right:20px;top:50%;transform:translateY(-50%)}@media (min-width:768px){.review-submitted-message{margin-top:0;padding:24px;width:100%}.review-submitted-message__review-info{margin-bottom:0}.rate-and-review-widget.review-submitted-message{padding:0;width:100%;margin:0;margin-top:15px;background:0 0}}.wts-button__container{width:100%;margin:auto;text-align:center;order:2}.wts-button__container::before{content:"";display:block;height:1px;border:0;border-top:1px solid var(--grayLight1);padding:0;margin:0 auto;width:90%}.button--wts{background-color:transparent;font-family:\'Franklin Gothic FS Med\',Arial,Helvetica,Tahoma,Century,Verdana,sans-serif;font-size:14px;font-weight:400;font-style:normal;font-stretch:normal;line-height:normal;letter-spacing:.25px;color:var(--blue);visibility:hidden;width:100%}.button--wts::before{content:"";background-repeat:no-repeat;background-size:16px;margin-right:.36em;padding:1px 8px;width:18px;height:18px}.button--wts::before{background-image:url("data:image/svg+xml,%3C%3Fxml version=\'1.0\' encoding=\'UTF-8\'%3F%3E%3Csvg version=\'1.1\' viewBox=\'0 0 24 24\' xmlns=\'http://www.w3.org/2000/svg\' x=\'0px\' y=\'0px\' width=\'24px\' height=\'24px\' xml:space=\'preserve\' role=\'img\'%3E%3Ctitle%3Erticon-circled_plus%3C/title%3E%3Cpath d=\'M12,1 C14.9173814,1 17.7152744,2.15892524 19.7781746,4.22182541 C21.8410748,6.28472557 23,9.08261861 23,12 C23,18.0751322 18.0751322,23 12,23 C5.92486775,23 1,18.0751322 1,12 C1,5.92486775 5.92486775,1 12,1 Z M12,2.94936709 C7.00147347,2.94936709 2.94936709,7.00147347 2.94936709,12 C2.94936709,16.9985265 7.00147347,21.0506329 12,21.0506329 C16.9985265,21.0506329 21.0506329,16.9985265 21.0506329,12 C21.0506329,9.59962291 20.0970868,7.29755901 18.3997639,5.60023609 C16.702441,3.90291318 14.4003771,2.94936709 12,2.94936709 Z M15.905,10.9392857 C16.4777982,10.9392857 16.9421429,11.4036304 16.9421429,11.9764286 C16.9421429,12.5492268 16.4777982,13.0135714 15.905,13.0135714 L13.0135714,13.0135714 L13.0135714,15.905 C13.0135714,16.4777982 12.5492268,16.9421429 11.9764286,16.9421429 C11.4036304,16.9421429 10.9392857,16.4777982 10.9392857,15.905 L10.9392857,13.0135714 L8.04785714,13.0135714 C7.47505896,13.0135714 7.01071429,12.5492268 7.01071429,11.9764286 C7.01071429,11.4036304 7.47505896,10.9392857 8.04785714,10.9392857 L10.9392857,10.9392857 L10.9392857,8.04785714 C10.9392857,7.47505896 11.4036304,7.01071429 11.9764286,7.01071429 C12.5492268,7.01071429 13.0135714,7.47505896 13.0135714,8.04785714 L13.0135714,10.9392857 L15.905,10.9392857 Z\' fill=\'%233976DC\'%3E%3C/path%3E%3C/svg%3E%0A")}.wts-btn__rating-count{font-family:\'Franklin Gothic FS Med\',Arial,Helvetica,Tahoma,Century,Verdana,sans-serif;font-size:14px;letter-spacing:.22px}@media (min-width:768px){.wts-button__container{margin:0;order:0;width:205px}.wts-button__container::before{content:none;display:none}.button--wts{height:auto;padding:0;visibility:visible;text-align:left}}.wts-ratings-group{display:flex;flex-direction:column;clear:both;justify-content:space-between;margin:auto;width:calc(100% - 30px)}.wts-ratings-group{box-shadow:none}@media (min-width:768px){.wts-ratings-group{box-shadow:none;flex-direction:row;width:100%}}.multi-page-modal{font-family:\'Franklin Gothic FS Med\',\'Helvetica Neue\',Helvetica,Arial,sans-serif;position:relative;box-shadow:0 3px 50px 0 rgba(42,44,50,.16);background-color:var(--white);padding:20px}.multi-page-modal__header{box-shadow:0 1px 0 0 var(--grayLight1);padding:24px 0;display:flex;justify-content:space-between}.multi-page-modal__back,.multi-page-modal__close{border:none;background:0 0;font-family:Arial,sans-serif;background-color:transparent;color:var(--grayLight4)}.multi-page-modal__back::before,.multi-page-modal__close::before{content:"";display:block;background-repeat:no-repeat;background-size:20px;height:20px;width:20px}.multi-page-modal__close::before{background-image:url(/assets/pizza-pie/stylesheets/shared/images/icons/rticon-close.svg)}.multi-page-modal__back::before{background-image:url(/assets/pizza-pie/stylesheets/shared/images/icons/rticon-arrow_external.svg);transform:rotate(-135deg)}.multi-page-modal__body{height:calc(100vh - 110px);padding:24px 0}.multi-page-modal__step{font-size:14px;font-weight:400;font-style:normal;font-stretch:normal;line-height:1.29;letter-spacing:.22px;color:var(--grayDark2)}.multi-page-modal-content-wrap{display:none}.multi-page-modal__sub-modal-overlay{position:absolute;box-sizing:border-box;top:0;left:0;background:rgba(0,0,0,.64);padding:27px;width:100%;height:100%;display:none;z-index:1}.multi-page-modal__sub-modal-content{display:flex;flex-direction:column;justify-content:space-between;position:fixed;top:50%;left:50%;width:85%;transform:translateX(-50%) translateY(-50%);border-radius:4px;box-shadow:0 8px 24px 0 rgba(42,44,50,.2);background:var(--white);padding:16px}.multi-page-modal__sub-modal-title{font-family:\'Franklin Gothic FS Book\',\'Helvetica Neue\',Helvetica,Arial,sans-serif;font-weight:700;font-size:24px;font-style:normal;font-stretch:normal;line-height:1.3;letter-spacing:.13px;color:var(--grayDark2);text-transform:none;margin-bottom:10px}.multi-page-modal__sub-modal-body{margin-bottom:24px}.multi-page-modal__sub-modal-content p{font-family:\'Franklin Gothic FS Book\',\'Helvetica Neue\',Helvetica,Arial,sans-serif;font-size:16px;font-weight:400;font-style:normal;font-stretch:normal;line-height:1.38;letter-spacing:.25px;color:var(--gray)}.multi-page-modal__sub-modal-btn-group{display:flex;flex-direction:column;justify-content:center}.multi-page-modal__sub-modal-btn-group button{margin-top:8px;font-size:14px;display:inline-flex;justify-content:center}@media (min-width:768px){.multi-page-modal{padding:0}.multi-page-modal__header{height:80px;align-items:center;padding:13px 13px 15px 17px}.rate-and-review .userInfo__group{width:100%;display:flex;justify-content:space-between}.multi-page-modal__sub-modal-content{padding:32px;max-width:400px;min-height:150px}.multi-page-modal__sub-modal-btn-group{display:flex;flex-direction:row;justify-content:flex-start}.multi-page-modal__sub-modal-btn-group button{margin-top:0;margin-right:12px}.multi-page-modal__sub-modal-btn-group button:first-child{order:1}}.rate-and-review{font-family:\'Franklin Gothic FS Med\',\'Helvetica Neue\',Helvetica,Arial,sans-serif;position:fixed;top:0;left:0;height:100%;width:100%;z-index:10000;overflow-y:hidden}.rate-and-review--hidden{display:none}.rate-and-review .userInfo__group{width:100%;display:flex;justify-content:start}.rate-and-review .userInfo__group button{margin-left:auto}.rate-and-review .userInfo__image-group{width:40px;height:40px;border-radius:6px;margin-right:8px}.userInfo__image{-webkit-animation:overlay-fade 1s 1;-o-animation:overlay-fade 1s 1;animation:overlay-fade 1s 1;border-radius:50%}.rate-and-review .userInfo__name-group{display:flex;flex-direction:column;transform:translate(4px,6px)}.rate-and-review .userInfo__name{margin:0;text-transform:capitalize;font-family:\'Franklin Gothic FS Med\',\'Helvetica Neue\',Helvetica,Arial,sans-serif;font-size:16px;margin-bottom:3px;letter-spacing:.25px;color:var(--grayDark2)}.rate-and-review .userInfo__superReviewer{margin:0;padding:0}.rate-and-review__submission-group{height:100%;display:flex;flex-direction:column}.rate-and-review__submission-group button{align-self:flex-end;margin-top:auto;font-size:14px;width:115px;height:32px;line-height:1}.rate-and-review .textarea-with-counter__text{background-color:var(--white)}@media (min-width:768px){.rate-and-review__submission-group button{margin-top:0}.rate-and-review .textarea-with-counter__text{height:240px;border:solid 2px #f8f9f9;background-color:#f8f9f9}}.user-media-rating__component{clear:both}.rate-and-review-widget__module{clear:both;margin-bottom:25px}.rate-and-review-widget__user-comment-area,.rate-and-review-widget__user-thumbnail{flex:1}.rate-and-review-widget__user-thumbnail{width:48px;height:48px;border-radius:50%;background:#f1f1f1}.rate-and-review-widget__user-thumbnail img{width:100%;border-radius:50%}.rate-and-review-widget__user-comment-area{padding-left:10px}.rate-and-review-widget__textbox-textarea{border:1px solid #f8f9f9;border-radius:4px;background-color:#f8f9f9;width:100%;max-width:100%;font-size:16px;padding:16px}.rate-and-review-widget__container{border-radius:4px;box-shadow:0 -2px 4px 0 rgba(0,0,0,.08),0 2px 4px 0 rgba(0,0,0,.1);background-color:var(--white)}.rate-and-review-widget__review-container{padding:20px}.rate-and-review-widget__container-top{display:flex;flex-direction:row-reverse;justify-content:space-between;align-items:flex-start;height:44px}.rate-and-review-widget__stars{align-self:center}.rate-and-review-widget__user-comment-area{padding-left:0;margin-top:20px}.rate-and-review-widget__mobile{background:var(--white);z-index:3;font-family:\'Franklin Gothic FS Book\',\'Helvetica Neue\',sans-serif;min-width:275px;color:var(--black);margin:0 auto;border-radius:5px;position:relative;display:none}.rate-and-review-widget__review-container--mobile{padding:20px}.rate-and-review-widget__mobile-comment:empty{display:none}.rate-and-review-widget__header{margin:0;display:flex}.rate-and-review-widget__mobile-header{padding:0}.rate-and-review-widget__user-info,.rate-and-review-widget__user-thumbnail{flex:1}.rate-and-review-widget__user-thumbnail{background:url(/assets/pizza-pie/stylesheets/roma/common/rateAndReview/images/user_none.jpg) center center no-repeat;background-size:cover}.rate-and-review-widget__mobile-edit-btn{position:relative;width:100%;height:auto;background-color:var(--white);outline:0;padding:20px;border:none;border-radius:4px;color:var(--blue);display:block;font-family:\'Franklin Gothic FS Med\',\'Helvetica Neue\',Helvetica,Arial,sans-serif;font-size:16px;font-weight:400;font-style:normal;font-stretch:normal;letter-spacing:.25px;line-height:normal;text-align:center}.rate-and-review-widget__mobile-edit-btn::after{border-top:1px solid var(--grayLight1);content:" ";position:absolute;top:0;width:90%;left:50%;transform:translateX(-50%)}.rate-and-review-widget__user-thumbnail{margin-top:initial;max-width:44px;height:44px;overflow:hidden}.rate-and-review-widget__user-info{transform:translateY(-3px);margin-left:8px;display:flex;flex-direction:column;justify-content:center;align-items:flex-start}.rate-and-review-widget__username{font-family:\'Franklin Gothic FS Med\',\'Helvetica Neue\',Helvetica,Arial,sans-serif;font-size:16px;margin-bottom:2px;font-weight:400;font-style:normal;font-stretch:normal;line-height:normal;letter-spacing:.25px;color:#202226}.rate-and-review-widget__mobile-username{font-size:16px;font-family:\'Franklin Gothic FS Med\',\'Helvetica Neue\',Helvetica,Arial,sans-serif}.rate-and-review-widget__desktop-stars-wrap{display:flex;padding:0;margin-bottom:20px}.rate-and-review-widget__mobile-stars-wrap{margin:32px 0 16px;display:flex;align-items:flex-end;justify-content:center}.rate-and-review-widget__resubmit-btn{width:auto;display:inline-block;margin-left:auto;font-size:16px;height:44px;border-radius:26px;font-family:"Franklin Gothic FS Book",\'Franklin Gothic FS Med\',\'Arial Narrow\',Arial,sans-serif;font-weight:700;padding:0 32px}.rate-and-review-widget__comment{margin:0}.rate-and-review-widget__reviewed-container--hidden{display:none}.rate-and-review-widget__icon-edit{height:auto;padding:0;background-color:transparent;font-size:16px;text-transform:uppercase;line-height:1.25;color:var(--blue)}.rate-and-review-widget__icon-edit--hidden{display:none}.rate-and-review-widget__duration-since-rating-creation{margin-left:auto;margin-bottom:0;font-size:14px;color:var(--gray)}.rate-and-review-widget__is-verified{margin-left:14px;margin-bottom:0;color:#595959;font-size:14px}.rate-and-review-widget__is-verified:before{content:\'\';display:inline-block;transform:translateY(3px);background-image:url("data:image/svg+xml,%3C%3Fxml version=\'1.0\' encoding=\'UTF-8\'%3F%3E%3Csvg version=\'1.1\' xmlns=\'http://www.w3.org/2000/svg\' xmlns:xlink=\'http://www.w3.org/1999/xlink\' x=\'0px\' y=\'0px\' width=\'24px\' height=\'24px\' viewbox=\'0 0 24 24;\' xml:space=\'preserve\'%3E%3Cstyle type=\'text/css\'%3E .st0%7Bfill:%23595959;%7D%0A%3C/style%3E%3Ctitle%3EVerified Rating%3C/title%3E%3Cpath class=\'st0\' d=\'M12,21.5c-5.2,0-9.5-4.2-9.5-9.5c0-5.2,4.2-9.5,9.5-9.5c5.2,0,9.5,4.2,9.5,9.5C21.5,17.2,17.2,21.5,12,21.5z M12,0.2C5.5,0.2,0.2,5.5,0.2,12S5.5,23.8,12,23.8S23.8,18.5,23.8,12S18.5,0.2,12,0.2z\'/%3E%3Cpath class=\'st0\' d=\'M18.1,8.8c0-0.7-0.6-1.2-1.3-1.2c-0.4,0-0.7,0.1-0.9,0.4l0,0l-4.6,5l-2.6-2.3l0,0c-0.2-0.2-0.5-0.3-0.8-0.3 c-0.7,0-1.3,0.6-1.3,1.2c0,0.3,0.1,0.7,0.4,0.9l0,0l3.5,3c0.2,0.3,0.6,0.5,1,0.5s0.8-0.2,1-0.5l0,0l5.4-6l0,0 C18,9.3,18.1,9.1,18.1,8.8\'/%3E%3C/svg%3E%0A");background-position:center;background-size:contain;background-repeat:no-repeat;width:16px;height:16px;margin-right:4px}.rate-and-review-widget__section-heading{margin-left:0;padding:0 0 0 25px;font-size:20px}@media (max-width:767px){.rate-and-review-widget__resubmit-btn{display:block;order:2;width:90%;margin:15px}.rate-and-review-widget__mobile{display:block}}@media (min-width:768px){.rate-and-review-widget__desktop-stars-wrap{padding:0;margin-bottom:0}.rate-and-review-widget__comment{margin-top:10px}.rate-and-review-widget__section-heading{padding:10px 15px 10px 25px;font-size:28px}}.rate-and-review__body .stars-rating__container{margin-top:10px;margin-bottom:40px;padding:0}.rate-and-review__textarea-group--hidden{display:none}.multi-page-modal__step{display:none}.verify-ticket__content .multi-page-modal__step{display:block;margin:40px 0 20px}.rate-and-review__textarea-header{font-family:\'Franklin Gothic FS Book\',\'Helvetica Neue\',Helvetica,Arial,sans-serif;font-weight:700;font-size:16px;line-height:1.38;letter-spacing:.11px;text-transform:none;color:var(--grayDark2)}.rate-and-review__textarea-header span{font-size:14px;letter-spacing:.22px}.rate-and-review__submit-btn-container{display:flex;justify-content:flex-end;position:fixed;width:100%;bottom:20px;left:0;margin-top:auto;padding:0 20px}.rate-and-review__submit-btn{width:100%}@media (min-width:768px){.rate-and-review__body{padding-top:40px;padding-left:calc(10% + 10px)}.multi-page-modal__step{display:block;margin-bottom:0;font-size:12px;color:#4f5256}.rate-and-review__submission-group{width:680px}.multi-page-modal__step{order:1}.rate-and-review__textarea-header{order:2;font-size:20px;margin-bottom:20px}.rate-and-review__textarea-header span{display:none}.stars-rating__container{order:3;margin-bottom:30px;margin-top:10px}.rate-and-review__textarea-group{order:4;margin-bottom:40px}.rate-and-review__submit-btn{order:5}.rate-and-review__submit-btn-container{order:5;position:static;margin-top:0;padding-right:0}}.verify-ticket__body{display:flex;flex-direction:column;justify-content:space-between;font-family:\'Franklin Gothic FS Med\',\'Helvetica Neue\',Helvetica,Arial,sans-serif;font-weight:500;padding:0}.verify-ticket__content-button-container{display:flex;flex-direction:column;width:100%;height:100%;padding-bottom:0}.verify-ticket__content{display:flex;flex-direction:column;height:100%;z-index:0;overflow-y:scroll}.verify-ticket__button-disclaimer-group{display:flex;flex-direction:column;flex-shrink:0;width:100%;position:fixed;bottom:0;left:0;z-index:1;background:var(--white);padding:20px;box-shadow:0 -2px 8px 0 rgba(42,44,50,.08)}.verify-ticket__header{margin-top:20px;margin-bottom:3px;font-family:"Franklin Gothic FS Book",\'Helvetica Neue\',Helvetica,Arial,sans-serif;font-weight:700;font-size:20px;line-height:1.21;letter-spacing:.21px;color:var(--grayDark2);text-transform:none}.verify-ticket__subHeader{margin:0 0 20px;font-weight:400;font-size:14px;text-transform:none}.verify-ticket__theater{position:relative;display:flex;flex-direction:column;justify-content:flex-start;background-color:var(--grayLight1);font-size:16px;letter-spacing:.25px;line-height:normal;color:var(--grayDark2);margin-bottom:10px;padding:14px 16px;border:solid 2px var(--white);border-radius:4px;box-sizing:border-box}.verify-ticket__theater-name{font-family:\'Franklin Gothic FS Book\',\'Helvetica Neue\',Helvetica,Arial,sans-serif;margin:0}.verify-ticket__submit-btn{width:90vw;font-size:14px;display:inline-flex;justify-content:center}.verify-ticket__interstitial-sequence_container-desktop{display:none}.verify-ticket__legal{font-size:12px;line-height:1.55;letter-spacing:.17px;color:var(--gray)}@media (min-width:768px){.verify-ticket__body{overflow-x:scroll;flex-direction:row;justify-content:start;height:calc(100% - 72px);padding-left:calc(10% + 10px)}.verify-ticket__content-button-container{width:700px}.verify-ticket__content{height:auto;width:100%;padding-left:4px;overflow:hidden}.verify-ticket__button-disclaimer-group{width:100%;position:static;box-shadow:none;padding:20px 0 0}.multi-page-modal__step{order:1;font-size:14px}.verify-ticket__header{order:2;font-size:20px}.verify-ticket__subHeader{order:3;margin-bottom:40px}.verify-ticket__theaters{order:4;width:100%;display:flex;flex-direction:row;align-content:flex-start;justify-content:start}.verify-ticket__legal{order:5;font-size:11px;font-family:"Franklin Gothic FS Med",\'Helvetica Neue\',Helvetica,Arial,sans-serif;font-weight:500}.verify-ticket__submit-btn{order:6;align-self:flex-end;width:116px;height:32px;margin:10px 5px 0 0;box-shadow:none;font-size:14px;line-height:1}.verify-ticket__theater{font-size:16px;width:343px;justify-content:center;padding:14px;padding-left:16px}.verify-ticket__desktop-left-theater-container{width:340px;margin-right:10px}.verify-ticket__desktop-right-theater-container{width:340px}.verify-ticket__interstitial-sequence_container-desktop{display:flex;flex-direction:column;align-items:center;text-align:center;width:368px;height:684px;margin-left:100px;padding:32px;border:solid 1px var(--grayLight1);border-radius:4px;margin-bottom:50px}.verify-ticket__interstitial-sequence_container-desktop img{height:90px;width:auto}.verify-ticket__interstitial-sequence_container-desktop h3{margin-bottom:0;font-family:"Franklin Gothic FS Book",\'Helvetica Neue\',Helvetica,Arial,sans-serif;font-weight:700;color:#202226;letter-spacing:.28px;line-height:1.28;font-size:16px}.verify-ticket__interstitial-sequence_container-desktop p{margin-bottom:0}.verify-ticket-ticket__interstitial-desktop-step-container{display:flex;flex-direction:column;align-items:center;justify-content:center;margin-top:25px;width:304px;height:168px;font-size:14px;line-height:1.29;letter-spacing:.22px;padding:20px}.verify-ticket-ticket__interstitial-desktop-red-step-container{background-color:#feeae6;color:#5d2418}.verify-ticket-ticket__interstitial-desktop-green-step-container{background-color:#e6f9ed;color:#185a30}.verify-ticket-ticket__interstitial-desktop-blue-step-container{background-color:var(--blueLightLegacy);color:#1f345c}}.interstitial__header{display:flex;flex-direction:column;padding:24px 0;justify-content:space-between;align-items:flex-end}.interstitial__steps-container{display:flex;justify-content:center;align-items:center;width:100%;margin-top:56px;margin-bottom:62px}.interstitial__circle{width:24px;height:24px;border-radius:32px}.interstitial__circle{position:relative;width:24px;height:24px;border-radius:50%;display:inline-block}.interstitial__circle::before{position:absolute;top:50%;left:50%;color:#fff;transform:translate(-50%,-50%)}.interstitial__circle--check::before{content:"";background-image:url("data:image/svg+xml,%3C%3Fxml version=\'1.0\' encoding=\'UTF-8\'%3F%3E%3Csvg width=\'24px\' height=\'24px\' viewBox=\'0 0 24 24\' version=\'1.1\' xmlns=\'http://www.w3.org/2000/svg\' x=\'0px\' y=\'0px\' xml:space=\'preserve\' role=\'img\'%3E%3Ctitle%3Erticon-check%3C/title%3E%3Cpath d=\'M18.8859357,4.39816252 L8.54631389,14.9620522 L5.76481,11.6562858 C4.53861824,10.599023 2.61049722,11.8310399 3.48718064,13.4154777 L6.79294704,19.1867342 C7.31720956,19.8915761 8.54631389,20.5949616 9.77250566,19.1867342 C10.2967682,18.4818924 20.2868816,5.98114405 20.2868816,5.98114405 C21.5145297,4.57291669 19.9373733,3.34089979 18.8859357,4.39670624 L18.8859357,4.39816252 Z\' fill=\'%23ffffff\'%3E%3C/path%3E%3C/svg%3E%0A");width:15px;height:15px;background-size:15px;background-repeat:no-repeat}.interstitial__circle--check::after,.interstitial__circle--two::after{font-size:14px;letter-spacing:.22px;text-align:center;display:inline-block;width:86px;top:32px;position:absolute;transform:translateX(-33px)}.interstitial__circle--check::after{content:"Review movie";font-family:\'Franklin Gothic FS Med\',\'Arial Narrow\',Arial,sans-serif}.interstitial__circle--two::before{content:"2";font-size:14px}.interstitial__circle--two::after{content:"Verify ticket";font-family:\'Franklin Gothic FS Book\',\'Arial Narrow\',Arial,sans-serif;font-weight:700}.interstitial__line{border-width:1px;border-style:solid;margin:12px;width:125px;opacity:.1}.interstitial__section-divider{border-width:1px;border-style:solid;margin-top:0;margin-bottom:0;width:100%;opacity:.1}.interstitial__body{display:flex;flex-direction:column;height:calc(100% - 320px);overflow:scroll}.interstitial__description{margin:0 20px 40px;font-family:\'Franklin Gothic FS Book\',\'Helvetica Neue\',Helvetica,Arial,sans-serif;font-weight:700;font-size:20px;line-height:1.3;letter-spacing:.13px;text-align:center}.interstitial-explanation{margin-top:18px;margin-bottom:0;margin-left:20px;margin-right:20px;text-align:center;font-family:\'Franklin Gothic FS Book\',\'Helvetica Neue\',Helvetica,Arial,sans-serif;font-size:14px}.interstitial__continue-btn{width:130px;height:48px;border-radius:26px;position:fixed;bottom:56px;right:20px;font-family:\'Franklin Gothic FS Book\',\'Helvetica Neue\',Helvetica,Arial,sans-serif;font-weight:700}.edit-review__body{display:flex;flex-direction:column;font-family:"Franklin Gothic FS Med",\'Arial Narrow\',Arial,sans-serif;font-weight:500;height:calc(100% - 150px);overflow:scroll;padding-bottom:0}.edit-review__body .stars-rating__container{margin-top:3vh;margin-bottom:5vh;padding:0}.edit-review__textarea-group{margin-bottom:25px}.edit-review__body .textarea-with-counter__text{min-height:100px;font-size:16px;height:calc(5vh + 130px)}.edit-verify-ticket__body .verify-ticket__header{margin-top:40px;margin-bottom:20px}.edit-review__submit-btn{width:calc(100% - 40px);font-size:14px;display:inline-flex;justify-content:center}.edit-review__submission-group{width:100%;overflow-x:hidden;overflow-y:scroll}.edit-review__submit-btn-container{position:fixed;width:100%;bottom:20px;margin-top:auto;box-shadow:0 -2px 8px 0 rgba(42,44,50,.08)}.edit-review__textarea-header{font-family:\'Franklin Gothic FS Book\',\'Helvetica Neue\',Helvetica,Arial,sans-serif;font-weight:700;font-size:16px;line-height:1.38;letter-spacing:.11px;margin-bottom:8px;text-transform:none;color:var(--grayDark2)}.edit-review__textarea-header span{display:none}.edit-review__vas-btn-disclaimer-container{position:fixed;left:0;bottom:0;padding:20px;width:100%;background:var(--white)}.edit-review__vas-btn-disclaimer-container .verify-ticket__legal{margin-bottom:0}@media (min-width:768px){.edit-review__body{padding-top:24px;padding-left:calc(5vw + 5px);display:flex;flex-direction:column;height:calc(100vh - 149px);overflow:auto}.edit-review__submission-group{display:flex;flex-wrap:wrap;min-height:340px;height:340px;flex-direction:column;align-content:start;overflow-y:hidden}.edit-review__textarea-header{order:1;margin-bottom:300px;width:450px;font-size:20px}.edit-review__submission-group .stars-rating__container{padding:0;order:2;margin-bottom:20px;margin-top:0;transform:scale(.9) translateX(-6%)}.edit-review__textarea-group{order:3}.edit-review__body .textarea-with-counter__text{min-width:680px;width:680px;background-color:var(--grayLight1);border:2px solid var(--grayLight1);height:240px}.edit-review__textarea-group textarea{resize:none}.edit-review__submit-btn{width:200px;margin-left:calc(300px + 51%);font-size:14px}.edit-review__submit-btn-container{display:flex;flex-direction:row;align-items:center;bottom:0;height:68px;width:100vw;background-color:var(--white);padding-left:calc(5vw + 5px)}.edit-review__body .textarea-with-counter{width:680px}}.stars-rating__container{padding:50px 0;display:flex;flex-flow:column nowrap;align-items:center}.stars-rating__msg-group{width:220px;height:20px;position:relative;padding:2px 10px;display:flex;align-items:center;justify-content:center}.stars-rating__msg{position:absolute;font-size:14px;padding:0 5px;letter-spacing:.22px;text-align:center;color:var(--grayDark2);opacity:0}.stars-rating__stars-group{display:flex;align-items:center;justify-content:center;height:56px;width:180px;box-shadow:0 2px 5px 0 rgba(255,255,255,0);border-radius:32px}.icon-star{background-position:center;background-size:35px;background-repeat:no-repeat;background-position:0;height:35px;position:relative;padding-left:18px;padding-right:0}.icon-star--full{background-position:-17px;padding-right:18px;padding-left:0}.icon-star{background-image:url("data:image/svg+xml,%3C%3Fxml version=\'1.0\' encoding=\'UTF-8\'%3F%3E%3Csvg version=\'1.1\' viewBox=\'0 0 24 24\' xmlns=\'http://www.w3.org/2000/svg\' x=\'0px\' y=\'0px\' width=\'24px\' height=\'24px\' xml:space=\'preserve\' role=\'img\'%3E%3Ctitle%3Estar%3C/title%3E%3Cpath d=\'m22.728 10.418c0.18713-0.14747 0.27874-0.39829 0.21004-0.6424-0.068708-0.24355-0.27595-0.41057-0.51224-0.43962 0.039102 0.0033516-7.1468-0.79713-7.1468-0.79713s-2.7143-6.7016-2.7003-6.6647c-0.09217-0.21953-0.30891-0.37427-0.5614-0.37427-0.25361 0-0.4709 0.15529-0.56252 0.37594h-5.586e-4l-2.7327 6.663s-7.1859 0.80048-7.1468 0.79713c-0.23629 0.029047-0.44409 0.19607-0.51224 0.43962-0.068708 0.24411 0.022344 0.49492 0.21004 0.6424l-5.586e-4 5.586e-4 5.6754 4.4325c-0.005586 0.017875-2.145 6.9027-2.1328 6.8658-0.067591 0.22847 0.0016758 0.48487 0.19775 0.64519 0.19607 0.16088 0.46253 0.1782 0.67312 0.065915h5.586e-4l6.3145-3.4131 6.3145 3.4131 5.587e-4 -5.586e-4c0.21059 0.11284 0.47705 0.095521 0.67312-0.065357 0.19551-0.16032 0.26534-0.41728 0.19719-0.64519h5.586e-4c0.012289 0.036868-2.1283-6.8513-2.1333-6.8664l5.6749-4.432v-5.586e-4z\' fill=\'%23ffb600\'/%3E%3C/svg%3E%0A")}.stars-rating__container--is-not-rated .icon-star{background-image:url("data:image/svg+xml,%3C%3Fxml version=\'1.0\' encoding=\'UTF-8\'%3F%3E%3Csvg version=\'1.1\' viewBox=\'0 0 24 24\' xmlns=\'http://www.w3.org/2000/svg\' x=\'0px\' y=\'0px\' width=\'24px\' height=\'24px\' xml:space=\'preserve\' role=\'img\'%3E%3Ctitle%3Estar%3C/title%3E%3Cpath d=\'m22.728 10.418c0.18713-0.14747 0.27874-0.39829 0.21004-0.6424-0.068708-0.24355-0.27595-0.41057-0.51224-0.43962 0.039102 0.0033516-7.1468-0.79713-7.1468-0.79713s-2.7143-6.7016-2.7003-6.6647c-0.09217-0.21953-0.30891-0.37427-0.5614-0.37427-0.25361 0-0.4709 0.15529-0.56252 0.37594h-5.586e-4l-2.7327 6.663s-7.1859 0.80048-7.1468 0.79713c-0.23629 0.029047-0.44409 0.19607-0.51224 0.43962-0.068708 0.24411 0.022344 0.49492 0.21004 0.6424l-5.586e-4 5.586e-4 5.6754 4.4325c-0.005586 0.017875-2.145 6.9027-2.1328 6.8658-0.067591 0.22847 0.0016758 0.48487 0.19775 0.64519 0.19607 0.16088 0.46253 0.1782 0.67312 0.065915h5.586e-4l6.3145-3.4131 6.3145 3.4131 5.587e-4 -5.586e-4c0.21059 0.11284 0.47705 0.095521 0.67312-0.065357 0.19551-0.16032 0.26534-0.41728 0.19719-0.64519h5.586e-4c0.012289 0.036868-2.1283-6.8513-2.1333-6.8664l5.6749-4.432v-5.586e-4z\' fill=\'%23e3e3e6\'/%3E%3C/svg%3E%0A")}.stars-rating__tooltip{position:relative;margin-top:-33px;display:inline-block;background:#2884f6;padding:8px 16px;font-size:14px;font-family:\'Franklin Gothic FS Book\',sans-serif;box-shadow:0 8px 24px 0 rgba(42,44,50,.2);border-radius:4px;color:var(--white);animation:fadeInTooltip .4s forwards;-webkit-animation:fadeInTooltip .4s forwards;-moz-animation:fadeInTooltip .4s forwards}.stars-rating__tooltip::before{content:attr(data-text);position:relative;z-index:1}.stars-rating__tooltip::after{content:" ";position:absolute;bottom:-10px;left:50%;transform:rotate(45deg) translate(-50%);width:15px;height:15px;background:#2884f6}@keyframes fadeInTooltip{0%{transform:scale(0) translateY(50px);opacity:0}100%{transform:scale(1) translateY(0);opacity:1}}@-webkit-keyframes fadeInTooltip{0%{transform:scale(0) translateY(50px);opacity:0}100%{transform:scale(1) translateY(0);opacity:1}}@-moz-keyframes fadeInTooltip{0%{transform:scale(0) translateY(50px);opacity:0}100%{transform:scale(1) translateY(0);opacity:1}}@media (min-width:768px){.stars-rating__container{align-items:center;flex-direction:row}.stars-rating__msg-group{order:2;margin-bottom:0;margin-left:15px;padding:0;text-align:left}.stars-rating__stars-group{height:35px}}.stars-rating-static__container{padding:0;display:flex;flex-flow:row nowrap;align-items:center;justify-content:flex-start}.stars-rating-static__container.stars-rating__container--is-not-rated{justify-content:center}@media (min-width:768px){.stars-rating-static__container{padding:0;justify-content:flex-start}.stars-rating-static__container .icon-star{background-size:20px;height:20px;padding-left:10px}.stars-rating-static__container .icon-star--full{margin-right:1px;padding-right:10px;padding-left:0;background-position:-10px}}.textarea-with-counter{position:relative;max-width:680px}.textarea-with-counter__text{font-family:\'Franklin Gothic FS Book\',\'Franklin Gothic FS Med\',\'Arial Narrow\',Arial,sans-serif;width:100%;height:30vh;box-sizing:border-box;border:1px solid #f8f9f9;border-radius:4px;background-color:#f8f9f9;padding:16px;font-size:18px;line-height:1.5;outline:0;color:var(--grayDark2)}@media (max-width:768px){.textarea-with-counter__text{border:none;padding:0}}.mobile-drawer{visibility:hidden}.mobile-drawer__backdrop{display:none}.mobile-drawer__content{font-family:\'Franklin Gothic FS Book\',\'Helvetica Neue\',Helvetica,Arial,sans-serif;border-top-left-radius:8px;border-top-right-radius:8px;box-shadow:0 8px 24px 0 rgba(42,44,50,.2);background-color:var(--white);position:fixed;z-index:10000;bottom:-820px;left:0;width:100%;margin:0 auto;padding:40px 20px}.mobile-drawer__body{display:block;font-family:\'Franklin Gothic FS Book\',\'Helvetica Neue\',Helvetica,Arial,sans-serif;margin:8px 0 12px}.mobile-drawer__body-content-group{display:flex;flex-direction:column}.mobile-drawer.mobile-drawer--responsive .mobile-drawer__content{display:flex;flex-direction:column;justify-content:center}.mobile-drawer.mobile-drawer--responsive .mobile-drawer__body-content-group{width:100%}.mobile-drawer.mobile-drawer--responsive .mobile-drawer__body{margin:0 auto}.mobile-drawer__close-btn{position:absolute;top:16px;right:16px}.mobile-drawer__close-btn::before{background-image:url(/assets/pizza-pie/stylesheets/roma/common/drawers/images/icons/rticon-close.svg);content:"";display:block;background-repeat:no-repeat;background-size:20px;width:20px;height:20px}@media (min-width:768px){.mobile-drawer__body-content-group{width:470px}.mobile-drawer.mobile-drawer--responsive .mobile-drawer__content{width:560px;height:470px;top:50%;left:50%;margin-top:-235px;margin-left:-280px;box-shadow:0 8px 24px 0 rgba(42,44,50,.2);padding:72px 133px;border-radius:8px}}@media (min-width:768px){.rating-submit-drawer .mobile-drawer__backdrop{background:0 0}.rating-submit-drawer .mobile-drawer__content{display:flex;flex-direction:row;box-shadow:none;height:calc(100% - 81px);padding-left:15%;padding-top:100px}}.submission-drawer__icon{background-image:url("data:image/svg+xml,%3Csvg xmlns=\'http://www.w3.org/2000/svg\' width=\'72\' height=\'80\' viewBox=\'0 0 72 80\'%3E%3Cg fill=\'none\' fill-rule=\'evenodd\'%3E%3Cpath fill=\'%23D1D1D1\' fill-rule=\'nonzero\' d=\'M12.355 42.417H65.266V46.849000000000004H12.355zM12.355 33.669H65.266V38.101H12.355zM12.355 51.146H65.266V55.578H12.355z\'/%3E%3Cpath fill=\'%23FCB415\' fill-rule=\'nonzero\' d=\'M30.388 12.49c.27-.27.346-.519.27-.864-.097-.345-.346-.614-.692-.614L19.914 9.803 16.192.537C16.019.192 15.75.02 15.405.02c-.345 0-.69.173-.786.518l-3.895 9.247-9.957 1.132c-.44.096-.786.518-.69 1.036 0 .173.096.345.268.518l7.981 6.158-3.031 9.612c-.096.441.173.959.614 1.036 0 0 .46.096.614 0l8.844-4.758 8.92 4.758c.442.172.864 0 1.133-.441.096-.173.096-.442.096-.614 0 .096-3.032-9.535-3.032-9.612-.076.02 7.904-6.12 7.904-6.12z\'/%3E%3Cg%3E%3Cpath d=\'M.269 26.053c-.02.134-.02.25.019.383v-.44l-.02.057z\' transform=\'translate(4.988 2.11)\'/%3E%3Cpath fill=\'%23000\' fill-rule=\'nonzero\' d=\'M2.609 15.904L2.667 15.942 2.667 15.923zM16.173.134L17.113 2.475 64.345 2.475 64.345 62.043 27.799 62.043 27.242 72.787 14.945 62.043 2.667 62.043 2.667 31.041.288 31.041.288 64.384 14.043 64.384 29.372 77.755 30.062 64.384 66.724 64.384 66.724.134z\' transform=\'translate(4.988 2.11)\'/%3E%3Cg%3E%3Cpath d=\'M.269 3.415c-.02.134-.02.25.019.384v-.442l-.02.058z\' transform=\'translate(4.988 2.11) translate(0 22.638)\'/%3E%3Cpath fill=\'%23D1D1D1\' fill-rule=\'nonzero\' d=\'M60.297.173H24.422v4.431h35.875V.173z\' transform=\'translate(4.988 2.11) translate(0 22.638)\'/%3E%3C/g%3E%3C/g%3E%3C/g%3E%3C/svg%3E%0A");background-size:72px;background-repeat:no-repeat;width:72px;height:81px;margin:auto}.submission-drawer__title{font-family:\'Franklin Gothic FS Med\',\'Helvetica Neue\',Helvetica,Arial,sans-serif;font-size:16px;font-weight:500;line-height:1.25;text-align:center;color:var(--grayDark2);text-transform:none;padding:0;margin:10px 0 0}.submission-drawer__copy{font-family:\'Franklin Gothic FS Book\',\'Helvetica Neue\',Helvetica,Arial,sans-serif;font-size:14px;font-weight:400;line-height:1.29;text-align:center;color:var(--grayDark2);margin:10px 0 0;padding:0 32px}.submission-drawer__social-share{font-family:\'Franklin Gothic FS Med\',\'Helvetica Neue\',Helvetica,Arial,sans-serif;display:flex;align-items:center;justify-content:flex-start;margin:40px auto 10px;width:236px;height:40px;border-radius:5px;font-size:14px}.submission-drawer__social-share:last-child{margin-top:0;margin-bottom:0}.submission-drawer__twitter-share{background-color:#1da1f2;color:var(--white)}.submission-drawer__facebook-share{background-color:#4267b2;color:var(--white)}.submission-drawer__social-share span:first-child{background-size:18px;background-repeat:no-repeat;content:"";width:18px;margin:0 16px}.submission-drawer__twitter-icon{background-image:url("data:image/svg+xml,%3C%3Fxml version=\'1.0\' encoding=\'UTF-8\'%3F%3E%3Csvg width=\'18px\' height=\'15px\' viewBox=\'0 0 18 15\' version=\'1.1\' xmlns=\'http://www.w3.org/2000/svg\' xmlns:xlink=\'http://www.w3.org/1999/xlink\'%3E%3C!-- Generator: Sketch 63.1 (92452) - https://sketch.com --%3E%3Ctitle%3ETwitter_Social_Icon_Circle_Color%3C/title%3E%3Cdesc%3ECreated with Sketch.%3C/desc%3E%3Cg id=\'Mobile-(Tomorrow)\' stroke=\'none\' stroke-width=\'1\' fill=\'none\' fill-rule=\'evenodd\'%3E%3Cg id=\'AMC-Share\' transform=\'translate(-82.000000, -567.000000)\' fill=\'%23FFFFFF\' fill-rule=\'nonzero\'%3E%3Cg id=\'Group-4\' transform=\'translate(0.000000, 267.000000)\'%3E%3Cg id=\'Group-3\' transform=\'translate(70.000000, 237.000000)\'%3E%3Cg id=\'Facebook-button-Copy\' transform=\'translate(0.000000, 50.000000)\'%3E%3Cg id=\'Group-2\'%3E%3Cg id=\'Twitter_Social_Icon_Circle_Color\' transform=\'translate(12.000000, 13.000000)\'%3E%3Cg id=\'Logo__x2014__FIXED\'%3E%3Cpath d=\'M5.62118644,14.6004808 C12.3864407,14.6004808 16.0855932,8.98197115 16.0855932,4.11259615 C16.0855932,3.95206731 16.0855932,3.79153846 16.0779661,3.63865385 C16.7949153,3.11884615 17.420339,2.46908654 17.9161017,1.72759615 C17.2601695,2.01807692 16.5508475,2.21682692 15.8033898,2.30855769 C16.5661017,1.84990385 17.1457627,1.13134615 17.420339,0.267548077 C16.7110169,0.687980769 15.9254237,0.99375 15.0864407,1.16192308 C14.4152542,0.443365385 13.4618644,0 12.4016949,0 C10.3728814,0 8.72542373,1.65115385 8.72542373,3.68451923 C8.72542373,3.975 8.7559322,4.25783654 8.82457627,4.52538462 C5.76610169,4.3725 3.05847458,2.90480769 1.24322034,0.672692308 C0.930508475,1.21543269 0.747457627,1.84990385 0.747457627,2.52259615 C0.747457627,3.79918269 1.39576271,4.93052885 2.38728814,5.58793269 C1.78474576,5.57264423 1.22033898,5.40447115 0.724576271,5.12927885 C0.724576271,5.14456731 0.724576271,5.15985577 0.724576271,5.17514423 C0.724576271,6.96389423 1.99067797,8.446875 3.67627119,8.79086538 C3.37118644,8.87495192 3.04322034,8.92081731 2.70762712,8.92081731 C2.47118644,8.92081731 2.24237288,8.89788462 2.01355932,8.85201923 C2.47881356,10.3197115 3.83644068,11.3822596 5.44576271,11.4128365 C4.18728814,12.3989423 2.60084746,12.9875481 0.877118644,12.9875481 C0.579661017,12.9875481 0.289830508,12.9722596 0,12.9340385 C1.60932203,13.9889423 3.54661017,14.6004808 5.62118644,14.6004808\' id=\'Path\'%3E%3C/path%3E%3C/g%3E%3C/g%3E%3C/g%3E%3C/g%3E%3C/g%3E%3C/g%3E%3C/g%3E%3C/g%3E%3C/svg%3E");height:15px}.submission-drawer__facebook-icon{background-image:url(/assets/pizza-pie/stylesheets/roma/common/rateAndReview/drawers/images/vendor/facebook/f_logo_white.png);height:18px}@media (min-width:768px){.submission-drawer__icon{background-size:99px;width:99px;height:110px}.submission-drawer__title{font-size:20px}.submission-drawer__copy{font-size:16px;padding:0}}.amc-help-drawer__icon{width:100%;margin:0 auto}.mobile-drawer.mobile-drawer--responsive .amc-help-drawer__content.mobile-drawer__content{padding:72px 40px;max-height:100%}.amc-help-drawer__copy{font-family:\'Franklin Gothic FS Book\',\'Helvetica Neue\',Helvetica,Arial,sans-serif;font-size:16px;line-height:1.25;color:var(--grayDark2);text-align:center}@media (min-width:768px){.amc-help-drawer__icon{width:260px}.mobile-drawer.mobile-drawer--responsive .amc-help-drawer__content.mobile-drawer__content{padding:54px 121px;height:470px;overflow:hidden}}.user-rating-error{position:relative;padding:24px;border-radius:4px;border:solid 1px var(--grayLight2);max-width:524px;width:94%;margin:0 auto 28px}.user-rating-error__close-button{background-image:transparent url("data:image/svg+xml,%3C%3Fxml version=\'1.0\' encoding=\'UTF-8\'%3F%3E%3Csvg viewBox=\'0 0 24 24\' version=\'1.1\' xmlns=\'http://www.w3.org/2000/svg\' x=\'0px\' y=\'0px\' width=\'24px\' height=\'24px\' xml:space=\'preserve\' role=\'img\'%3E%3Ctitle%3Erticon-close%3C/title%3E%3Cpath d=\'M17.1798075,4.42379374 C17.7448658,3.85873542 18.6610064,3.85873542 19.2260647,4.42379374 C19.791123,4.98885206 19.791123,5.90499262 19.2260647,6.47005094 L13.8711864,11.8249292 L19.2260647,17.1798075 C19.791123,17.7448658 19.791123,18.6610064 19.2260647,19.2260647 C18.6610064,19.791123 17.7448658,19.791123 17.1798075,19.2260647 L11.8249292,13.8711864 L6.47005094,19.2260647 C5.90499262,19.791123 4.98885206,19.791123 4.42379374,19.2260647 C3.85873542,18.6610064 3.85873542,17.7448658 4.42379374,17.1798075 L9.77867202,11.8249292 L4.42379374,6.47005094 C3.85873542,5.90499262 3.85873542,4.98885206 4.42379374,4.42379374 C4.98885206,3.85873542 5.90499262,3.85873542 6.47005094,4.42379374 L11.8249292,9.77867202 L17.1798075,4.42379374 Z\' fill=\'%23BCBDBE\'%3E%3C/path%3E%3C/svg%3E%0A");background-color:transparent;width:20px;height:20px;position:absolute;right:27px;top:27px;transform:translateY(-50%);border:none}h3.user-rating-error__header{font-family:\'Franklin Gothic FS Book\',Helvetica,sans-serif;font-weight:700;font-size:16px;letter-spacing:.11px;color:#202226}.user-rating-error__body{font-family:\'Franklin Gothic FS Book\',Helvetica,sans-serif;font-size:14px;line-height:1.43;letter-spacing:.22px;color:#202226}@media (min-width:728px){.user-rating-error{float:right}}@font-face{font-family:"Franklin Gothic";src:url(/assets/pizza-pie/stylesheets/roma/common/video/fonts/FranklinGothicFS-Book.eot);src:url(/assets/pizza-pie/stylesheets/roma/common/video/fonts/FranklinGothicFS-Book.eot) format("embedded-opentype"),url(/assets/pizza-pie/stylesheets/roma/common/video/fonts/FranklinGothicFS-Book.woff2) format("woff2"),url(/assets/pizza-pie/stylesheets/roma/common/video/fonts/FranklinGothicFS-Book.woff) format("woff"),url(/assets/pizza-pie/stylesheets/roma/common/video/fonts/FranklinGothicFS-Book.ttf) format("truetype"),url(/assets/pizza-pie/stylesheets/roma/common/video/fonts/FranklinGothicFS-Book) format("svg");font-weight:400;font-style:normal}@font-face{font-family:"Franklin Gothic";src:url(/assets/pizza-pie/stylesheets/roma/common/video/fonts/FranklinGothicFS-Med.eot);src:url(/assets/pizza-pie/stylesheets/roma/common/video/fonts/FranklinGothicFS-Med.eot) format("embedded-opentype"),url(/assets/pizza-pie/stylesheets/roma/common/video/fonts/FranklinGothicFS-Med.woff2) format("woff2"),url(/assets/pizza-pie/stylesheets/roma/common/video/fonts/FranklinGothicFS-Med.woff) format("woff"),url(/assets/pizza-pie/stylesheets/roma/common/video/fonts/FranklinGothicFS-Med.ttf) format("truetype"),url(/assets/pizza-pie/stylesheets/roma/common/video/fonts/FranklinGothicFS-Med) format("svg");font-weight:500;font-style:normal}@font-face{font-family:"Franklin Gothic";src:url(/assets/pizza-pie/stylesheets/roma/common/video/fonts/FranklinGothicFS-Demi.eot);src:url(/assets/pizza-pie/stylesheets/roma/common/video/fonts/FranklinGothicFS-Demi.eot) format("embedded-opentype"),url(/assets/pizza-pie/stylesheets/roma/common/video/fonts/FranklinGothicFS-Demi.woff2) format("woff2"),url(/assets/pizza-pie/stylesheets/roma/common/video/fonts/FranklinGothicFS-Demi.woff) format("woff"),url(/assets/pizza-pie/stylesheets/roma/common/video/fonts/FranklinGothicFS-Demi.ttf) format("truetype"),url(/assets/pizza-pie/stylesheets/roma/common/video/fonts/FranklinGothicFS-Demi) format("svg");font-weight:600;font-style:normal}@font-face{font-family:Neusa;src:url(/assets/pizza-pie/stylesheets/roma/common/video/fonts/NeusaNextPro-CompactMedium.eot);src:url(/assets/pizza-pie/stylesheets/roma/common/video/fonts/NeusaNextPro-CompactMedium.eot) format("embedded-opentype"),url(/assets/pizza-pie/stylesheets/roma/common/video/fonts/NeusaNextPro-CompactMedium.woff2) format("woff2"),url(/assets/pizza-pie/stylesheets/roma/common/video/fonts/NeusaNextPro-CompactMedium.woff) format("woff"),url(/assets/pizza-pie/stylesheets/roma/common/video/fonts/NeusaNextPro-CompactMedium.ttf) format("truetype"),url(/assets/pizza-pie/stylesheets/roma/common/video/fonts/NeusaNextPro-CompactMedium) format("svg");font-weight:400;font-style:normal}@font-face{font-family:"Franklin Gothic";src:url(/assets/pizza-pie/stylesheets/roma/common/video/fonts/FranklinGothicFS-Book.eot);src:url(/assets/pizza-pie/stylesheets/roma/common/video/fonts/FranklinGothicFS-Book.eot) format("embedded-opentype"),url(/assets/pizza-pie/stylesheets/roma/common/video/fonts/FranklinGothicFS-Book.woff2) format("woff2"),url(/assets/pizza-pie/stylesheets/roma/common/video/fonts/FranklinGothicFS-Book.woff) format("woff"),url(/assets/pizza-pie/stylesheets/roma/common/video/fonts/FranklinGothicFS-Book.ttf) format("truetype"),url(/assets/pizza-pie/stylesheets/roma/common/video/fonts/FranklinGothicFS-Book) format("svg");font-weight:400;font-style:normal}@font-face{font-family:"Franklin Gothic";src:url(/assets/pizza-pie/stylesheets/roma/common/video/fonts/FranklinGothicFS-Med.eot);src:url(/assets/pizza-pie/stylesheets/roma/common/video/fonts/FranklinGothicFS-Med.eot) format("embedded-opentype"),url(/assets/pizza-pie/stylesheets/roma/common/video/fonts/FranklinGothicFS-Med.woff2) format("woff2"),url(/assets/pizza-pie/stylesheets/roma/common/video/fonts/FranklinGothicFS-Med.woff) format("woff"),url(/assets/pizza-pie/stylesheets/roma/common/video/fonts/FranklinGothicFS-Med.ttf) format("truetype"),url(/assets/pizza-pie/stylesheets/roma/common/video/fonts/FranklinGothicFS-Med) format("svg");font-weight:500;font-style:normal}@font-face{font-family:"Franklin Gothic";src:url(/assets/pizza-pie/stylesheets/roma/common/video/fonts/FranklinGothicFS-Demi.eot);src:url(/assets/pizza-pie/stylesheets/roma/common/video/fonts/FranklinGothicFS-Demi.eot) format("embedded-opentype"),url(/assets/pizza-pie/stylesheets/roma/common/video/fonts/FranklinGothicFS-Demi.woff2) format("woff2"),url(/assets/pizza-pie/stylesheets/roma/common/video/fonts/FranklinGothicFS-Demi.woff) format("woff"),url(/assets/pizza-pie/stylesheets/roma/common/video/fonts/FranklinGothicFS-Demi.ttf) format("truetype"),url(/assets/pizza-pie/stylesheets/roma/common/video/fonts/FranklinGothicFS-Demi) format("svg");font-weight:600;font-style:normal}@font-face{font-family:Neusa;src:url(/assets/pizza-pie/stylesheets/roma/common/video/fonts/NeusaNextPro-CompactMedium.eot);src:url(/assets/pizza-pie/stylesheets/roma/common/video/fonts/NeusaNextPro-CompactMedium.eot) format("embedded-opentype"),url(/assets/pizza-pie/stylesheets/roma/common/video/fonts/NeusaNextPro-CompactMedium.woff2) format("woff2"),url(/assets/pizza-pie/stylesheets/roma/common/video/fonts/NeusaNextPro-CompactMedium.woff) format("woff"),url(/assets/pizza-pie/stylesheets/roma/common/video/fonts/NeusaNextPro-CompactMedium.ttf) format("truetype"),url(/assets/pizza-pie/stylesheets/roma/common/video/fonts/NeusaNextPro-CompactMedium) format("svg");font-weight:400;font-style:normal}.scoreboard{min-height:171px;margin:0 15px}.scoreboard__title{margin:0;text-transform:uppercase;font-family:Neusa,Impact,Helvetica Neue,Arial,Sans-Serif;font-size:1.625em;font-weight:500;font-stretch:normal;font-style:normal;line-height:.92;letter-spacing:normal;text-align:center;color:#2a2c32}.scoreboard__info{margin:0;display:inline-block;font-family:"Franklin Gothic",-apple-system,BlinkMacSystemFont,"PT Sans",Arial,Sans-Serif;font-weight:400;font-stretch:normal;font-style:normal;line-height:1.29;font-size:14px;letter-spacing:normal;color:#2a2c32}.scoreboard__link{font-size:12px}.scoreboard__link--tomatometer{align-self:flex-end}.scoreboard__link--audience{align-self:flex-start}.scoreboard[skeleton]{height:171px}@media (min-width:768px){.scoreboard{margin:0}.scoreboard[skeleton]{height:220px}}@font-face{font-family:"Franklin Gothic";src:url(/assets/pizza-pie/stylesheets/roma/common/video/fonts/FranklinGothicFS-Book.eot);src:url(/assets/pizza-pie/stylesheets/roma/common/video/fonts/FranklinGothicFS-Book.eot) format("embedded-opentype"),url(/assets/pizza-pie/stylesheets/roma/common/video/fonts/FranklinGothicFS-Book.woff2) format("woff2"),url(/assets/pizza-pie/stylesheets/roma/common/video/fonts/FranklinGothicFS-Book.woff) format("woff"),url(/assets/pizza-pie/stylesheets/roma/common/video/fonts/FranklinGothicFS-Book.ttf) format("truetype"),url(/assets/pizza-pie/stylesheets/roma/common/video/fonts/FranklinGothicFS-Book) format("svg");font-weight:400;font-style:normal}@font-face{font-family:"Franklin Gothic";src:url(/assets/pizza-pie/stylesheets/roma/common/video/fonts/FranklinGothicFS-Med.eot);src:url(/assets/pizza-pie/stylesheets/roma/common/video/fonts/FranklinGothicFS-Med.eot) format("embedded-opentype"),url(/assets/pizza-pie/stylesheets/roma/common/video/fonts/FranklinGothicFS-Med.woff2) format("woff2"),url(/assets/pizza-pie/stylesheets/roma/common/video/fonts/FranklinGothicFS-Med.woff) format("woff"),url(/assets/pizza-pie/stylesheets/roma/common/video/fonts/FranklinGothicFS-Med.ttf) format("truetype"),url(/assets/pizza-pie/stylesheets/roma/common/video/fonts/FranklinGothicFS-Med) format("svg");font-weight:500;font-style:normal}@font-face{font-family:"Franklin Gothic";src:url(/assets/pizza-pie/stylesheets/roma/common/video/fonts/FranklinGothicFS-Demi.eot);src:url(/assets/pizza-pie/stylesheets/roma/common/video/fonts/FranklinGothicFS-Demi.eot) format("embedded-opentype"),url(/assets/pizza-pie/stylesheets/roma/common/video/fonts/FranklinGothicFS-Demi.woff2) format("woff2"),url(/assets/pizza-pie/stylesheets/roma/common/video/fonts/FranklinGothicFS-Demi.woff) format("woff"),url(/assets/pizza-pie/stylesheets/roma/common/video/fonts/FranklinGothicFS-Demi.ttf) format("truetype"),url(/assets/pizza-pie/stylesheets/roma/common/video/fonts/FranklinGothicFS-Demi) format("svg");font-weight:600;font-style:normal}@font-face{font-family:Neusa;src:url(/assets/pizza-pie/stylesheets/roma/common/video/fonts/NeusaNextPro-CompactMedium.eot);src:url(/assets/pizza-pie/stylesheets/roma/common/video/fonts/NeusaNextPro-CompactMedium.eot) format("embedded-opentype"),url(/assets/pizza-pie/stylesheets/roma/common/video/fonts/NeusaNextPro-CompactMedium.woff2) format("woff2"),url(/assets/pizza-pie/stylesheets/roma/common/video/fonts/NeusaNextPro-CompactMedium.woff) format("woff"),url(/assets/pizza-pie/stylesheets/roma/common/video/fonts/NeusaNextPro-CompactMedium.ttf) format("truetype"),url(/assets/pizza-pie/stylesheets/roma/common/video/fonts/NeusaNextPro-CompactMedium) format("svg");font-weight:400;font-style:normal}score-details{font-family:"Franklin Gothic",-apple-system,BlinkMacSystemFont,"PT Sans",Arial,Sans-Serif}score-details tool-tip button[slot=tool-tip-btn]{background-color:#fff;border:none;font-size:18px;padding:0;line-height:1;height:18px}score-details filter-chip{margin-right:10px}@media (min-width:768px){score-details{font-family:"Franklin Gothic",-apple-system,BlinkMacSystemFont,"PT Sans",Arial,Sans-Serif}}overlay-base .overlay-base-btn{height:24px;background-color:#fff;padding:0}overlay-base .overlay-base-btn rt-icon{font-size:24px}overlay-base filter-chip label{margin-bottom:0;font-size:14px}#criticReviewsModule .reviews-wrap{display:flex;flex-wrap:wrap;justify-content:space-between}#criticReviewsModule .no-reviews-wrap{background:var(--grayLight1);padding:15px;text-align:center}</style>\n<!-- /END: critical-->\n\n\n \n \n <link rel="preload" href="/assets/pizza-pie/stylesheets/bundles/global.eb421083962.css" as="style" onload="this.onload=null;this.rel=\'stylesheet\'">\n \n <link rel="preload" href="/assets/pizza-pie/stylesheets/bundles/movie-details.64bbc14523a.css" as="style" onload="this.onload=null;this.rel=\'stylesheet\'">\n\n\n \n \n <link rel="preload" href="/assets/pizza-pie/stylesheets/bundles/auth.377ea677a89.css" as="style" onload="this.onload=null;this.rel=\'stylesheet\'">\n \n\n <script>\n !function(t){"use strict";t.loadCSS||(t.loadCSS=function(){});var e=loadCSS.relpreload={};if(e.support=function(){var e;try{e=t.document.createElement("link").relList.supports("preload")}catch(t){e=!1}return function(){return e}}(),e.bindMediaToggle=function(t){var e=t.media||"all";function a(){t.media=e}t.addEventListener?t.addEventListener("load",a):t.attachEvent&&t.attachEvent("onload",a),setTimeout(function(){t.rel="stylesheet",t.media="only x"}),setTimeout(a,3e3)},e.poly=function(){if(!e.support())for(var a=t.document.getElementsByTagName("link"),n=0;n<a.length;n++){var o=a[n];"preload"!==o.rel||"style"!==o.getAttribute("as")||o.getAttribute("data-loadcss")||(o.setAttribute("data-loadcss",!0),e.bindMediaToggle(o))}},!e.support()){e.poly();var a=t.setInterval(e.poly,500);t.addEventListener?t.addEventListener("load",function(){e.poly(),t.clearInterval(a)}):t.attachEvent&&t.attachEvent("onload",function(){e.poly(),t.clearInterval(a)})}"undefined"!=typeof exports?exports.loadCSS=loadCSS:t.loadCSS=loadCSS}("undefined"!=typeof global?global:this);\n </script>\n\n <script>window.RottenTomatoes = {};</script>\n <script>window.RTLocals = {};</script>\n\n <script>var dataLayer = dataLayer || [];</script>\n\n \n \n <script id="mps-page-integration">\n window.mpscall = {"adunits":"Multi Logo|Box Ad|Marquee Banner|Top Banner","cag[score]":"99","cag[certified_fresh]":"1","cag[fresh_rotten]":"fresh","cag[rating]":"PG","cag[release]":"1982","cag[movieshow]":"E.T. the Extra-Terrestrial","cag[genre]":"Kids & family|Sci-fi|Adventure","cag[urlid]":"et_the_extraterrestrial","cat":"movie|movie_page","field[env]":"production","path":"/m/et_the_extraterrestrial","site":"rottentomatoes-web","title":"E.T. the Extra-Terrestrial","type":"movie_page"};\n var mpsopts={\'host\':\'mps.nbcuni.com\', \'updatecorrelator\':1};\n var mps=mps||{};mps._ext=mps._ext||{};mps._adsheld=[];mps._queue=mps._queue||{};mps._queue.mpsloaded=mps._queue.mpsloaded||[];mps._queue.mpsinit=mps._queue.mpsinit||[];mps._queue.gptloaded=mps._queue.gptloaded||[];mps._queue.adload=mps._queue.adload||[];mps._queue.adclone=mps._queue.adclone||[];mps._queue.adview=mps._queue.adview||[];mps._queue.refreshads=mps._queue.refreshads||[];mps.__timer=Date.now||function(){return+new Date};mps.__intcode="v2";if(typeof mps.getAd!="function")mps.getAd=function(adunit){if(typeof adunit!="string")return false;var slotid="mps-getad-"+adunit.replace(/\\W/g,"");if(!mps._ext||!mps._ext.loaded){mps._queue.gptloaded.push(function(){typeof mps._gptfirst=="function"&&mps._gptfirst(adunit,slotid);mps.insertAd("#"+slotid,adunit)});mps._adsheld.push(adunit)}return\'<div id="\'+slotid+\'" class="mps-wrapper" data-mps-fill-slot="\'+adunit+\'"></div>\'};(function(){head=document.head||document.getElementsByTagName("head")[0],mpsload=document.createElement("script");mpsload.src="//"+mpsopts.host+"/fetch/ext/load-"+mpscall.site+".js?nowrite=2";mpsload.id="mps-load";head.insertBefore(mpsload,head.firstChild)})();\n </script>\n\n \n <script>\n function endsWith(str, suffix) {\n return str.indexOf(suffix, str.length - suffix.length) !== -1;\n }\n \n //--Ad Unit Loaded (called for each ad loaded)\n var mps = mps||{}; mps._queue = mps._queue||{}; mps._queue.adload = mps._queue.adload||[];\n mps._queue.adload.push(function (eo) {\n if (!eo.isEmpty) {\n var slotName = eo._mps._slot;\n \n if (\'topbanner\' === slotName) {\n var leaderboardHeight = eo.size[1];\n if (leaderboardHeight > 50){\n \n $(\'#header-main\').removeClass(\'header_main_scroll\');\n $(\'#header-main\').css(\'margin-top\', leaderboardHeight + 10);\n var bannerEl = $(\'#header_and_leaderboard\');\n bannerEl.addClass(\'header_and_leaderboard_scroll\');\n \n if (leaderboardHeight < 90){\n $(\'.leaderboard_wrapper\').css(\'min-height\', leaderboardHeight);\n }\n $(\'#top_leaderboard_wrapper\').animate({ height: (leaderboardHeight + 10) },1000);\n }\n }\n \n if (\'trendinggraphic\' === slotName) {\n //Hide Trending bar social section\n $(\'#trending_bar_social\').hide();\n // Roma version\n $(\'.trending-bar__social\').hide();\n //Removing padding for trending bar ad\n $(\'.trendingBar > .trendingEl\').css(\'padding\',\'0px\');\n $(\'#trending_bar_ad\').show();\n \n $(\'a.trendingLink\').addClass(\'trending-link-truncate\');\n // Roma version\n $(\'.trending-bar__link\').addClass(\'trending-link--truncate\');\n }\n \n if (\'tomatometer\' === slotName) {\n if (eo.size[0] == 524 && eo.size[1] == 40) {\n //Increase score panel margin\n $(\'#scorePanel\').css(\'margin-bottom\', \'20px\');\n }\n // Only show Tomatometer Sponsorship div if rendered\n $(\'#tomatometer_sponsorship_ad\').show();\n }\n }\n });\n </script>\n\n\n\n\n \n \n\n \n <script>\n dataLayer.push({"webVersion":"node","clicktale":true,"rtVersion":3,"loggedInStatus":"","customerId":"","pageName":"rt | movies | overview | E.T. the Extra-Terrestrial","titleType":"Movie","emsID":"9ac889c9-a513-3596-a647-ab4f4554112f","lifeCycleWindow":"TODO_MISSING","titleGenre":"Kids & family|Sci-fi|Adventure","titleId":"9ac889c9-a513-3596-a647-ab4f4554112f","titleName":"E.T. the Extra-Terrestrial","whereToWatch":[{}]});\n </script>\n <script>\n (function(w,d,s,l,i){w[l]=w[l]||[];w[l].push({\'gtm.start\':\n new Date().getTime(),event:\'gtm.js\'});var f=d.getElementsByTagName(s)[0],\n j=d.createElement(s),dl=l!=\'dataLayer\'?\'&l=\'+l:\'\';j.async=true;j.src=\n \'https://www.googletagmanager.com/gtm.js?id=\'+i+dl;f.parentNode.insertBefore(j,f);\n })(window,document,\'script\',\'dataLayer\',\'GTM-M5LKWCR\');\n </script>\n \n \n\n \n \n \n\n \n <script>\n dataLayer.push({\n event: \'MOB Pageview\',\n mobUrl: \'/m/et_the_extraterrestrial/\',\n mobWindow: \'TODO_MISSING\'\n });\n </script>\n\n </head>\n <body class="body no-touch">\n\n \n \n <auth-manager></auth-manager>\n<auth-profile-manager></auth-profile-manager>\n<overlay-base class="v3-auth-overlay" hidden>\n <overlay-flows slot="content">\n <button slot="close" class="auth-overlay__icon-button auth-overlay__icon-button--close" aria-label="Close">\n <rt-icon image icon="close"></rt-icon>\n </button>\n </overlay-flows>\n</overlay-base>\n\n<notification-alert class="js-auth-success v3-auth-success" animate hidden>\n <rt-icon icon="check-circled"></rt-icon>\n <span>Signed in</span>\n</notification-alert>\n\n<div id="auth-templates">\n <template slot="screens" id="cognito-signup-form">\r\n<auth-signup-screen data-qa="auth-signup-screen">\r\n <h2 slot="header" class="cognito-signup-form__header" data-qa="auth-signup-screen-title">Log in or sign up for Rotten Tomatoes</h2>\r\n \r\n <rt-button slot="signup-option" theme="light" class="cognito-signup-form__option" value="facebook" data-qa="auth-signup-screen-facebook-btn">\r\n <div class="cognito-signup-form__option__container">\r\n <rt-icon image icon="facebook-official" class="cognito-signup-form__option__icon cognito-signup-form__option__icon--facebook"></rt-icon>\r\n <span class="cognito-signup-form__option__text">Continue with Facebook</span>\r\n </div>\r\n </rt-button>\r\n \r\n <rt-button slot="signup-option" theme="light" class="cognito-signup-form__option" value="google" data-qa="auth-signup-screen-google-btn">\r\n <div class="cognito-signup-form__option__container">\r\n <span class="cognito-signup-form__option__icon cognito-signup-form__option__icon--google"></span>\r\n <span class="cognito-signup-form__option__text">Continue with Google</span>\r\n </div>\r\n </rt-button>\r\n <rt-button slot="signup-option" theme="light" class="cognito-signup-form__option" value="email" data-qa="auth-signup-screen-email-btn">\r\n <div class="cognito-signup-form__option__container">\r\n <rt-icon image icon="mail" class="cognito-signup-form__option__icon cognito-signup-form__option__icon--mail"></rt-icon>\r\n <span class="cognito-signup-form__option__text">Continue with Email</span>\r\n </div>\r\n </rt-button>\r\n \r\n <input-label slot="email">\r\n <label slot="label" for="cognito-email-input" class="auth-form__control__label">Email</label>\r\n <input slot="input" id="cognito-email-input" type="email" data-qa="auth-signup-screen-email">\r\n </input-label>\r\n\r\n <div slot="info">\r\n <div class="no-password-container">\r\n <rt-badge>New</rt-badge>\r\n <span class="no-password">Where is the password field?</span>\r\n <tool-tip\r\n class="cognito-signup-form__tooltip"\r\n title="Where is the password field?"\r\n description="Rotten Tomatoes now offers passwordless authentication for all user accounts, making it easier for you to access your information. Simply enter the email address you previously used and hit continue to complete your log-in."\r\n slot="tooltip"\r\n nomobilefooter\r\n >\r\n <button slot="tool-tip-btn" class="button--link">\r\n <rt-icon icon="question-circled" image></rt-icon>\r\n </button>\r\n </tool-tip>\r\n </div>\r\n </div>\r\n \r\n <button slot="continue" class="auth-form__button" data-qa="auth-signup-screen-continue-btn">Continue</button>\r\n\r\n <p slot="help" class="cognito-signup-form-help">\r\n <a href="/reset-client">Trouble logging in?</a>\r\n </p>\r\n \r\n <p slot="terms-and-policies" class="cognito-signup-form__terms-and-policies">\r\n By continuing, you agree to the <a href="https://www.fandango.com/policies/privacy-policy" target="_blank" data-qa="auth-signup-screen-privacy-policy-link">Privacy Policy</a> and \r\n the <a href="https://www.fandango.com/policies/terms-and-policies" target="_blank" data-qa="auth-signup-screen-terms-policies-link">Terms and Policies</a>, and to receive email from Rotten Tomatoes.\r\n </p>\r\n</auth-signup-screen>\r\n</template>\n <template slot="screens" id="cognito-name-form">\r\n <auth-name-screen data-qa="auth-name-screen">\r\n <input-label slot="first-name">\r\n <label slot="label" for="cognito-first-name-input" class="auth-form__control__label">First name (Required)</label>\r\n <input slot="input" id="cognito-first-name-input" data-qa="auth-name-screen-first-name">\r\n </input-label>\r\n <input-label slot="last-name">\r\n <label slot="label" for="cognito-last-name-input" class="auth-form__control__label">Last name (Required)</label>\r\n <input slot="input" id="cognito-last-name-input" data-qa="auth-name-screen-last-name">\r\n </input-label>\r\n <button slot="create-account" class="auth-form__button">Create my account</button>\r\n <p slot="terms-and-policies" class="cognito-signup-form__terms-and-policies">\r\n By creating an account, you agree to the \r\n <a href="https://www.fandango.com/policies/privacy-policy" target="_blank" data-qa="auth-name-screen-privacy-policy-link"> Privacy Policy </a> \r\n and the<br>\r\n <a href="https://www.fandango.com/policies/terms-and-policies" target="_blank" data-qa="auth-name-screen-terms-policies-link"> Terms and Policies</a>\r\n , and to receive email from Rotten Tomatoes.\r\n </p>\r\n </auth-name-screen>\r\n</template>\n <template slot="screens" id="cognito-checkemail">\n <auth-checkemail-screen data-qa="auth-check-email-screen">\n <span slot="email-icon" class="cognito-check-email__icon--email"></span>\n <span slot="mobile-icon" class="cognito-check-email__icon--mobile"></span>\n <button slot="learn-more" class="text-button" tabindex="0" data-qa="auth-check-email-screen-learn-more-link">LEARN MORE</button>\n <a slot="help" tabindex="0" target="_blank" href="/help_desk" data-qa="auth-check-email-screen-help-link">HELP</a>\n </auth-checkemail-screen>\n</template>\n\n <template slot="screens" id="cognito-learn-more">\r\n <auth-learn-more-screen data-qa="auth-learn-more-screen">\r\n <button slot="back" class="auth-overlay__icon-button auth-overlay__icon-button--back">\r\n <rt-icon icon="left-arrow-stem" image></rt-icon>\r\n </button>\r\n </auth-learn-more-screen>\r\n</template>\n <template slot="screens" id="cognito-error">\n <auth-error-screen data-qa="auth-error-screen">\n <h2 slot="heading" class="cognito-error__heading" data-qa="auth-error-screen-title">\n <rt-icon image icon="exclamation-circled" class="cognito-error__icon--exclamation-circled"></rt-icon>\n <span class="js-cognito-error-heading-txt">Email not verified</span>\n </h2>\n <p slot="error-message" class="js-cognito-error-message cognito-error__error-message" data-qa="auth-error-screen-message">\n <!-- error message is set from auth-error-screen WC-->\n </p>\n <p slot="error-code" class="js-cognito-error-code cognito-error__error-message" data-qa="auth-error-screen-code">\n <!-- error code is set from auth-error-screen WC-->\n </p>\n <rt-button slot="tryAgainBtn" class="cognito-error__try-again-btn"><span class="cognito-error__btn-text" data-qa="auth-error-screen-try-again-btn">TRY AGAIN</span></rt-button>\n <rt-button slot="cancelBtn" class="cognito-error__cancel-btn" theme="light"><span class="cognito-error__btn-text" data-qa="auth-error-screen-cancel-btn">CANCEL</span></rt-button>\n </auth-error-screen>\n</template>\n\n <template slot="screens" id="cognito-opt-in">\n <auth-optin-screen data-qa="auth-opt-in-screen">\n <div slot="newsletterText">\n <h2 class="cognito-optin-form__header unset">Let\'s keep in touch</h2>\n <p>\n Stay up-to-date on all the latest Rotten Tomatoes news! \n Tap "Sign me up" below to receive our weekly newsletter \n with updates on movies, TV shows, Rotten Tomatoes podcast and more.\n </p>\n </div>\n <button slot="optInButton" data-qa="auth-opt-in-screen-opt-in-btn">\n Sign me up\n </button>\n <button slot="optOutButton" class="button--outline" data-qa="auth-opt-in-screen-opt-out-btn">\n No thanks\n </button>\n </auth-optin-screen>\n</template>\n\n <template slot="screens" id="cognito-opt-in-success">\n <auth-verify-screen>\n <rt-icon icon="check-circled" slot="icon"></rt-icon>\n <p class="h3" slot="status">OK, got it!</p>\n </auth-verify-screen>\n</template>\n\n</div>\n\n \n\n <div id="emptyPlaceholder"></div> \n\n \n <script ASYNC src="//assets.adobedtm.com/launch-EN549327edc13e414a9beb5d61bfd9aac6.min.js"></script>\n \n\n <!-- mobile menu -->\n <div id="navMenu" class="modal fade" role="dialog" aria-labelledby="navMenu">\n <div class="modal-dialog">\n <div class="modal-content">\n <div class="modal-body">\n <button type="button" class="close" data-dismiss="modal" aria-label="Close">\n <span class="glyphicon glyphicon-remove" />\n </button>\n <div class="pull-left">\n <ul class="list-inline social">\n <li><a class="header-facebook-social-link" class="unstyled fontelloIcon icon-facebook-squared" href="//www.facebook.com/rottentomatoes" target="_blank" rel="noopener"></a></li>\n <li><a class="header-twitter-social-link" class="unstyled fontelloIcon icon-twitter" href="//twitter.com/rottentomatoes" target="_blank" rel="noopener"></a></li>\n </ul>\n </div>\n <div class="items">\n <div class="item">\n <a class="homeTab unstyled navLink fullLink" href="/">\n Home\n </a>\n </div>\n <div class="item">\n <a class="boxofficeTab unstyled navLink fullLink" href="/lists/theater/">\n Top Box Office\n </a>\n </div>\n <div class="item">\n <a class="theatersTab unstyled navLink fullLink" href="/theaters/">\n Tickets & Showtimes\n </a>\n </div>\n <div class="item">\n <a class="dvdTab unstyled navLink fullLink" href="/lists/dvd/">\n DVD & Streaming\n </a>\n </div>\n <!-- <c:if test="${\'us\' eq headerInfo.i18nHeader or \'US\' eq headerInfo.i18nHeader or \'\' eq headerInfo.i18nHeader}"> -->\n <div class="item">\n <a class="tvTab unstyled navLink fullLink" href="/lists/tv/">\n TV\n </a>\n </div>\n <!-- </c:if> -->\n <div class="item">\n <a class="newsTab unstyled navLink fullLink" href="https://editorial.rottentomatoes.com/">\n News\n </a>\n </div>\n <!--\n <div class="item">\n <a class="newsletterTab unstyled navLink fullLink" href="/newsletter/">\n <%--Join Newsletter--%>\n </a>\n </div>\n -->\n </div>\n <div class="loginArea"></div>\n </div>\n </div>\n </div>\n</div>\n\n\n <div class="body_main container">\n\n <div id="header_and_leaderboard">\n \n \n \n \n <div id="top_leaderboard_wrapper" class="leaderboard_wrapper ">\n <div id="top_leaderboard_helper" class="leaderboard_helper">\n <div id="leaderboard_top_ad"></div>\n <script>\n //--RESPONSIVE AD SWITCHING (DIFFERENT CONTAINERS)\n var mps = mps||{}; mps._queue = mps._queue||{}; mps._queue.gptloaded = mps._queue.gptloaded||[];\n mps._queue.gptloaded.push(function () {\n if (mps.getResponsiveSet() == \'0\') { //MOBILE\n mps.insertAd(\'#leaderboard_top_ad\',\'mbanner\');\n } else { //DESKTOP or TABLET\n mps.insertAd(\'#leaderboard_top_ad\',\'topbanner\');\n }\n });\n </script>\n </div>\n </div>\n\n\n </div>\n\n <!-- global header -->\n <nav id="header-main" class="header_main container">\n <div id="navbar" class="navbar navbar-rt" role="navigation" data-qa="header-nav-bar">\n <div class="navbar-header pull-right hidden-xs">\n <div class="header_links">\n <a id="header-whats-the-tomatometer" href="/about#whatisthetomatometer" data-qa="header:link-whats-tmeter">What\'s the Tomatometer®?</a>\n <a id="header-top-bar-critics" href="/critics/" data-qa="header:link-critics-home">Critics</a>\n <div id="headerUserSection" class="js-header-auth__user-section" style="display: inline-block;" data-qa="header:user">\n \n <button class="js-cognito-signin js-dtm-login button--link" data-qa="header:login-btn">LOGIN/SIGNUP</button>\n \n </div>\n </div>\n </div>\n <div id="header_brand_column" class="col-sm-13 col-full-xs">\n <!-- Logo -->\n <div id="navbar_brand" class="navbar-brand">\n <a class="header-rt-logo" aria-label="header logo" href="/" data-qa="header-logo"><img id="original_rt_logo" src="/assets/pizza-pie/images/rtlogo.9b892cff3fd.png" alt="Rotten Tomatoes Logo" /></a>\n \n \n \n \n \n <div id="new_logo_ad" style="display:none;"></div>\n <script>\n var mps = mps||{}; mps._queue = mps._queue||{}; mps._queue.gptloaded = mps._queue.gptloaded||[];\n mps._queue.gptloaded.push(function () {\n mps.rt.insertlogo(\'#new_logo_ad\', \'ploc=rtlogo;\');\n });\n </script>\n\n\n </div>\n <search-algolia class="search-algolia search-algolia-desktop" skeleton="transparent">\n <search-algolia-controls slot="search-controls">\n <input\n class="search-text"\n aria-label="Search"\n data-qa="search-input"\n placeholder="Search movies, TV, actors, more..."\n slot="search-input"\n type="text"\n />\n <button\n class="search-clear"\n data-qa="search-clear"\n slot="search-clear"\n >\n <rt-icon icon="close" image></rt-icon>\n </button>\n <a\n class="search-submit"\n aria-label="Submit search"\n data-qa="search-submit"\n href="/search"\n slot="search-submit"\n >\n <rt-icon icon="search" image></rt-icon>\n </a>\n <button\n class="search-cancel"\n data-qa="search-cancel"\n slot="search-cancel"\n >\n Cancel\n </button>\n </search-algolia-controls>\n <search-algolia-results slot="search-results" data-qa="search-results-overlay">\n <search-algolia-results-category slot="content" data-qa="search-results-category">\n <h2 slot="title" class="h2" data-qa="search-category-header">Movies / TV</h2>\n <ul slot="results"></ul>\n </search-algolia-results-category>\n <search-algolia-results-category slot="celebrity" data-qa="search-results-category">\n <h2 slot="title" class="h2" data-qa="search-category-header">Celebrity</h2>\n <ul slot="results"></ul>\n </search-algolia-results-category>\n <search-algolia-results-category slot="none">\n <h2 slot="title" class="h2" data-qa="search-no-results">No Results Found</h2>\n </search-algolia-results-category>\n <a slot="view-all" class="view-all" href="/" data-qa="search-view-all">View All</a>\n </search-algolia-results>\n </search-algolia>\n <mobile-search-algolia logoselector="#navbar_brand" navselector="#navbar" data-qa="mobile-search-algolia"></mobile-search-algolia>\n <bottom-nav data-qa="bottom-nav">\n <a slot="template">\n <bottom-nav-item></bottom-nav-item>\n </a>\n </bottom-nav>\n </div>\n <div id="menu" class="navbar-nav col-sm-11 hidden-xs">\n <ul class="list-inline">\n <li class="menuHeader center dropdown noSpacing" id="movieHeaderMenu" data-qa="masthead:movies-dvds">\n <a id="movieMenu" role="button" class="white" href="/browse/opening" data-qa="masthead:movies-dvds-link">\n Movies<span class="fontelloIcon icon-down-dir"></span>\n </a>\n <div class="dropdown-menu" role="menu" aria-labelledby="movieMenu" data-qa="movie-menu">\n <div class="row-sameColumnHeight">\n <div class="col-xs-5 subnav">\n <div class="innerSubnav" data-qa="header-movies-in-theaters">\n <a class="unstyled articleLink" href="/browse/in-theaters"><h2 class="title">Movies in Theaters</h2></a>\n <ul class="list-unstyled" id="header-movies-in-theaters">\n <li data-qa="in-theaters-item">\n <a class="unstyled articleLink" href="/browse/opening" data-qa="in-theaters-link">Opening This Week</a>\n </li>\n <li data-qa="in-theaters-item">\n <a class="unstyled articleLink" href="/browse/upcoming" data-qa="in-theaters-link">Coming Soon to Theaters</a>\n </li>\n <li data-qa="in-theaters-item">\n <a class="unstyled articleLink" href="/browse/cf-in-theaters" data-qa="in-theaters-link">Certified Fresh Movies</a>\n </li>\n </ul>\n </div>\n </div>\n <div class="col-xs-5 subnav">\n <div class="innerSubnav" data-qa="header-on-dvd-streaming">\n <a class="unstyled articleLink" href="/dvd/" data-qa="dvd-streaming-main-link"><h2 class="title">Movies at Home</h2></a>\n <ul class="list-unstyled" id="header-on-dvd-streaming">\n <li data-qa="dvd-streaming-item">\n <a class="unstyled articleLink" href="/browse/dvd-streaming-all?services=vudu" data-qa="dvd-streaming-link">Vudu</a>\n </li>\n <li data-qa="dvd-streaming-item">\n <a class="unstyled articleLink" href="/browse/dvd-streaming-all?services=netflix_iw" data-qa="dvd-streaming-link">Netflix Streaming</a>\n </li>\n <li data-qa="dvd-streaming-item">\n <a class="unstyled articleLink" href="/browse/dvd-streaming-all?services=itunes" data-qa="dvd-streaming-link">iTunes</a>\n </li>\n <li data-qa="dvd-streaming-item">\n <a class="unstyled articleLink" href="/browse/dvd-streaming-all?services=amazon_prime;amazon" data-qa="dvd-streaming-link">Amazon and Amazon Prime</a>\n </li>\n <li data-qa="dvd-streaming-item">\n <a class="unstyled articleLink" href="/browse/top-dvd-streaming" data-qa="dvd-streaming-link">Most Popular Streaming Movies</a>\n </li>\n <li data-qa="dvd-streaming-item">\n <a class="unstyled articleLink" href="/browse/cf-dvd-streaming-all" data-qa="dvd-streaming-link">Certified Fresh Movies</a>\n </li>\n <li data-qa="dvd-streaming-item">\n <a class="unstyled articleLink" href="/browse/dvd-streaming-all" data-qa="dvd-streaming-link">Browse All</a>\n </li>\n </ul>\n </div>\n </div>\n <div class="col-xs-3 subnav">\n <div class="innerSubnav" data-qa="header-movies-more">\n <h2 class="title">More</h2>\n <ul class="list-unstyled" id="header-movies-more">\n <li data-qa="movies-more-item"><a class="unstyled articleLink" href="/top/" data-qa="movies-more-link">Top Movies</a></li>\n <li data-qa="movies-more-item"><a class="unstyled articleLink" href="/trailers/" data-qa="movies-more-link">Trailers</a></li>\n </ul>\n </div>\n </div>\n <div class="col-xs-11 subnav" id="cfp-movies-nav">\n \n <h2 class="title">Certified Fresh Picks</h2>\n <div class="freshPicks inDropdown" id="header-certified-fresh-picks" data-qa="header-certified-fresh-picks">\n \n \n \n \n \n <div class="cfpItem hidden-xs" data-qa="cert-fresh-item">\n <!-- Hardcorded rt url so pageheader on editorial routes to rt too -->\n <a href="/m/moonage_daydream" class="unstyled articleLink cfpLinks" data-qa="cert-fresh-link">\n \n <p class="topText bold"></p>\n \n <div id="dropdown-cfp-image" class="imgContainer cfp-img-container">\n <img src="/assets/pizza-pie/images/poster_default.c8c896e70c3.gif" data-src="https://resizing.flixster.com/y1qaLr2j5LJhu2aa2T5HVnllz3c=/fit-in/180x240/v2/https://resizing.flixster.com/1RvVvRT_yIkZpE6CiOdcmXaLjDk=/ems.cHJkLWVtcy1hc3NldHMvbW92aWVzLzRiMGFiMmJmLWQxZTgtNDhjOC1hMzM0LWE0MGMyNzNlZTM2ZC5qcGc=" class="js-lazyLoad cfp-header-img" alt="Moonage Daydream"/>\n </div>\n <div class="movie_content_area">\n \n <span class="icon tiny certified"></span>\n <span class="tMeterScore">96%</span>\n \n </div>\n <p class="title noSpacing">Moonage Daydream</p>\n </a>\n</div>\n\n \n \n \n \n \n \n <div class="cfpItem hidden-xs" data-qa="cert-fresh-item">\n <!-- Hardcorded rt url so pageheader on editorial routes to rt too -->\n <a href="/m/saloum" class="unstyled articleLink cfpLinks" data-qa="cert-fresh-link">\n \n <p class="topText bold"></p>\n \n <div id="dropdown-cfp-image" class="imgContainer cfp-img-container">\n <img src="/assets/pizza-pie/images/poster_default.c8c896e70c3.gif" data-src="https://resizing.flixster.com/whlIlBxv-pDVQOtLKKT6I84uw44=/fit-in/180x240/v2/https://flxt.tmsimg.com/assets/p20673242_p_v13_aa.jpg" class="js-lazyLoad cfp-header-img" alt="Saloum"/>\n </div>\n <div class="movie_content_area">\n \n <span class="icon tiny certified"></span>\n <span class="tMeterScore">95%</span>\n \n </div>\n <p class="title noSpacing">Saloum</p>\n </a>\n</div>\n\n \n \n \n \n \n \n <div class="cfpItem hidden-xs" data-qa="cert-fresh-item">\n <!-- Hardcorded rt url so pageheader on editorial routes to rt too -->\n <a href="/m/gods_country_2022" class="unstyled articleLink cfpLinks" data-qa="cert-fresh-link">\n \n <p class="topText bold"></p>\n \n <div id="dropdown-cfp-image" class="imgContainer cfp-img-container">\n <img src="/assets/pizza-pie/images/poster_default.c8c896e70c3.gif" data-src="https://resizing.flixster.com/bdhhMsmztfWMIiXUcBC46Yh6uo4=/fit-in/180x240/v2/https://resizing.flixster.com/T_cCRukbtWUXBnje0kPN3_uajXE=/ems.cHJkLWVtcy1hc3NldHMvbW92aWVzLzI4NTQ0YjJjLTBjMmUtNGY0NC1hYTI1LTM5ZGE5ZjFjYzQwZi5qcGc=" class="js-lazyLoad cfp-header-img" alt="God's Country"/>\n </div>\n <div class="movie_content_area">\n \n <span class="icon tiny certified"></span>\n <span class="tMeterScore">86%</span>\n \n </div>\n <p class="title noSpacing">God's Country</p>\n </a>\n</div>\n\n \n </div>\n \n </div>\n </div>\n </div>\n </li>\n <li class="menuHeader center dropdown noSpacing dropdown-toggle" data-qa="masthead:tv">\n <a id="tvMenu" href="/top-tv/" data-qa="masthead:tv-link">TV Shows<span class="fontelloIcon icon-down-dir" /></a>\n <div id="tvMenuDropdown" class="dropdown-menu" role="menu" aria-labelledby="tvMenu" data-qa="tv-menu">\n <div class="row-sameColumnHeight">\n <div class="col-xs-7 subnav">\n \n \n <div class="innerSubnav" id="header-tv-col1" data-qa="header-tv-list1">\n <h2 class="title">New TV Tonight</h2>\n <table id="tv-list-1" class="movie_list tv_list">\n \n \n \n \n <tr class="tv_show_tr tvTopListTitle" data-qa="list-item">\n <td class="left_col">\n <a href="/tv/the_serpent_queen/s01">\n \n <score-icon-critic\n alignment="left"\n percentage="100"\n size="tiny"\n slot="critic-score"\n state="fresh"\n ></score-icon-critic>\n \n </a>\n </td>\n <td class="middle_col">\n <a href="/tv/the_serpent_queen/s01" data-qa="list-item-link">\n \n The Serpent Queen: Season 1\n \n </a>\n </td>\n</tr>\n\n \n \n \n <tr class="tv_show_tr tvTopListTitle" data-qa="list-item">\n <td class="left_col">\n <a href="/tv/the_handmaids_tale/s05">\n \n <score-icon-critic\n alignment="left"\n percentage="75"\n size="tiny"\n slot="critic-score"\n state="fresh"\n ></score-icon-critic>\n \n </a>\n </td>\n <td class="middle_col">\n <a href="/tv/the_handmaids_tale/s05" data-qa="list-item-link">\n \n The Handmaid's Tale: Season 5\n \n </a>\n </td>\n</tr>\n\n \n \n \n <tr class="tv_show_tr tvTopListTitle" data-qa="list-item">\n <td class="left_col">\n <a href="/tv/atlanta/s04">\n \n <span class="tMeterIcon tiny noRating">No Score Yet</span>\n \n </a>\n </td>\n <td class="middle_col">\n <a href="/tv/atlanta/s04" data-qa="list-item-link">\n \n Atlanta: Season 4\n \n </a>\n </td>\n</tr>\n\n \n \n \n <tr class="tv_show_tr tvTopListTitle" data-qa="list-item">\n <td class="left_col">\n <a href="/tv/emmys/s74">\n \n <score-icon-critic\n alignment="left"\n percentage="18"\n size="tiny"\n slot="critic-score"\n state="rotten"\n ></score-icon-critic>\n \n </a>\n </td>\n <td class="middle_col">\n <a href="/tv/emmys/s74" data-qa="list-item-link">\n \n Emmys: Season 74\n \n </a>\n </td>\n</tr>\n\n \n \n \n <tr class="tv_show_tr tvTopListTitle" data-qa="list-item">\n <td class="left_col">\n <a href="/tv/los_espookys/s02">\n \n <span class="tMeterIcon tiny noRating">No Score Yet</span>\n \n </a>\n </td>\n <td class="middle_col">\n <a href="/tv/los_espookys/s02" data-qa="list-item-link">\n \n Los Espookys: Season 2\n \n </a>\n </td>\n</tr>\n\n \n \n \n <tr class="tv_show_tr tvTopListTitle" data-qa="list-item">\n <td class="left_col">\n <a href="/tv/monarch/s01">\n \n <score-icon-critic\n alignment="left"\n percentage="30"\n size="tiny"\n slot="critic-score"\n state="rotten"\n ></score-icon-critic>\n \n </a>\n </td>\n <td class="middle_col">\n <a href="/tv/monarch/s01" data-qa="list-item-link">\n \n Monarch: Season 1\n \n </a>\n </td>\n</tr>\n\n \n \n \n <tr class="tv_show_tr tvTopListTitle" data-qa="list-item">\n <td class="left_col">\n <a href="/tv/vampire_academy/s01">\n \n <span class="tMeterIcon tiny noRating">No Score Yet</span>\n \n </a>\n </td>\n <td class="middle_col">\n <a href="/tv/vampire_academy/s01" data-qa="list-item-link">\n \n Vampire Academy: Season 1\n \n </a>\n </td>\n</tr>\n\n \n \n \n <tr class="tv_show_tr tvTopListTitle" data-qa="list-item">\n <td class="left_col">\n <a href="/tv/war_of_the_worlds_2020/s03">\n \n <span class="tMeterIcon tiny noRating">No Score Yet</span>\n \n </a>\n </td>\n <td class="middle_col">\n <a href="/tv/war_of_the_worlds_2020/s03" data-qa="list-item-link">\n \n War of the Worlds: Season 3\n \n </a>\n </td>\n</tr>\n\n \n \n \n <tr class="tv_show_tr tvTopListTitle" data-qa="list-item">\n <td class="left_col">\n <a href="/tv/fate_the_winx_saga/s02">\n \n <span class="tMeterIcon tiny noRating">No Score Yet</span>\n \n </a>\n </td>\n <td class="middle_col">\n <a href="/tv/fate_the_winx_saga/s02" data-qa="list-item-link">\n \n Fate: The Winx Saga: Season 2\n \n </a>\n </td>\n</tr>\n\n \n \n \n <tr class="tv_show_tr tvTopListTitle" data-qa="list-item">\n <td class="left_col">\n <a href="/tv/cyberpunk_edgerunners/s01">\n \n <score-icon-critic\n alignment="left"\n percentage="100"\n size="tiny"\n slot="critic-score"\n state="fresh"\n ></score-icon-critic>\n \n </a>\n </td>\n <td class="middle_col">\n <a href="/tv/cyberpunk_edgerunners/s01" data-qa="list-item-link">\n \n Cyberpunk: Edgerunners: Season 1\n \n </a>\n </td>\n</tr>\n\n \n </table>\n <div class="header-view-all-wrap">\n <a class="header-view-all-link" href="/browse/tv-list-1/" data-qa="tv-list1-view-all-link">View All</a>\n </div>\n </div>\n \n </div>\n <div class="col-xs-7 subnav">\n \n \n <div class="innerSubnav" id="header-tv-col2" data-qa="header-tv-list2">\n <h2 class="title">Most Popular TV on RT</h2>\n <table id="tv-list-2" class="movie_list tv_list">\n \n \n \n \n <tr class="tv_show_tr tvTopListTitle" data-qa="list-item">\n <td class="left_col">\n <a href="/tv/the_lord_of_the_rings_the_rings_of_power/s01">\n \n <score-icon-critic\n alignment="left"\n percentage="84"\n size="tiny"\n slot="critic-score"\n state="fresh"\n ></score-icon-critic>\n \n </a>\n </td>\n <td class="middle_col">\n <a href="/tv/the_lord_of_the_rings_the_rings_of_power/s01" data-qa="list-item-link">\n \n The Lord of the Rings: The Rings of Power: Season 1\n \n </a>\n </td>\n</tr>\n\n \n \n \n <tr class="tv_show_tr tvTopListTitle" data-qa="list-item">\n <td class="left_col">\n <a href="/tv/house_of_the_dragon/s01">\n \n <score-icon-critic\n alignment="left"\n percentage="85"\n size="tiny"\n slot="critic-score"\n state="fresh"\n ></score-icon-critic>\n \n </a>\n </td>\n <td class="middle_col">\n <a href="/tv/house_of_the_dragon/s01" data-qa="list-item-link">\n \n House of the Dragon: Season 1\n \n </a>\n </td>\n</tr>\n\n \n \n \n <tr class="tv_show_tr tvTopListTitle" data-qa="list-item">\n <td class="left_col">\n <a href="/tv/cobra_kai/s05">\n \n <score-icon-critic\n alignment="left"\n percentage="100"\n size="tiny"\n slot="critic-score"\n state="fresh"\n ></score-icon-critic>\n \n </a>\n </td>\n <td class="middle_col">\n <a href="/tv/cobra_kai/s05" data-qa="list-item-link">\n \n Cobra Kai: Season 5\n \n </a>\n </td>\n</tr>\n\n \n \n \n <tr class="tv_show_tr tvTopListTitle" data-qa="list-item">\n <td class="left_col">\n <a href="/tv/she_hulk_attorney_at_law/s01">\n \n <score-icon-critic\n alignment="left"\n percentage="88"\n size="tiny"\n slot="critic-score"\n state="fresh"\n ></score-icon-critic>\n \n </a>\n </td>\n <td class="middle_col">\n <a href="/tv/she_hulk_attorney_at_law/s01" data-qa="list-item-link">\n \n She-Hulk: Attorney at Law: Season 1\n \n </a>\n </td>\n</tr>\n\n \n \n \n <tr class="tv_show_tr tvTopListTitle" data-qa="list-item">\n <td class="left_col">\n <a href="/tv/the_imperfects/s01">\n \n <span class="tMeterIcon tiny noRating">No Score Yet</span>\n \n </a>\n </td>\n <td class="middle_col">\n <a href="/tv/the_imperfects/s01" data-qa="list-item-link">\n \n The Imperfects: Season 1\n \n </a>\n </td>\n</tr>\n\n \n \n \n <tr class="tv_show_tr tvTopListTitle" data-qa="list-item">\n <td class="left_col">\n <a href="/tv/devil_in_ohio/s01">\n \n <score-icon-critic\n alignment="left"\n percentage="45"\n size="tiny"\n slot="critic-score"\n state="rotten"\n ></score-icon-critic>\n \n </a>\n </td>\n <td class="middle_col">\n <a href="/tv/devil_in_ohio/s01" data-qa="list-item-link">\n \n Devil in Ohio: Season 1\n \n </a>\n </td>\n</tr>\n\n \n \n \n <tr class="tv_show_tr tvTopListTitle" data-qa="list-item">\n <td class="left_col">\n <a href="/tv/the_serpent_queen/s01">\n \n <score-icon-critic\n alignment="left"\n percentage="100"\n size="tiny"\n slot="critic-score"\n state="fresh"\n ></score-icon-critic>\n \n </a>\n </td>\n <td class="middle_col">\n <a href="/tv/the_serpent_queen/s01" data-qa="list-item-link">\n \n The Serpent Queen: Season 1\n \n </a>\n </td>\n</tr>\n\n \n \n \n <tr class="tv_show_tr tvTopListTitle" data-qa="list-item">\n <td class="left_col">\n <a href="/tv/the_patient/s01">\n \n <score-icon-critic\n alignment="left"\n percentage="87"\n size="tiny"\n slot="critic-score"\n state="certified_fresh"\n ></score-icon-critic>\n \n </a>\n </td>\n <td class="middle_col">\n <a href="/tv/the_patient/s01" data-qa="list-item-link">\n \n The Patient: Season 1\n \n </a>\n </td>\n</tr>\n\n \n \n \n <tr class="tv_show_tr tvTopListTitle" data-qa="list-item">\n <td class="left_col">\n <a href="/tv/the_white_lotus/s01">\n \n <score-icon-critic\n alignment="left"\n percentage="89"\n size="tiny"\n slot="critic-score"\n state="certified_fresh"\n ></score-icon-critic>\n \n </a>\n </td>\n <td class="middle_col">\n <a href="/tv/the_white_lotus/s01" data-qa="list-item-link">\n \n The White Lotus: Season 1\n \n </a>\n </td>\n</tr>\n\n \n \n \n <tr class="tv_show_tr tvTopListTitle" data-qa="list-item">\n <td class="left_col">\n <a href="/tv/monarch/s01">\n \n <score-icon-critic\n alignment="left"\n percentage="30"\n size="tiny"\n slot="critic-score"\n state="rotten"\n ></score-icon-critic>\n \n </a>\n </td>\n <td class="middle_col">\n <a href="/tv/monarch/s01" data-qa="list-item-link">\n \n Monarch: Season 1\n \n </a>\n </td>\n</tr>\n\n \n </table>\n <div class="header-view-all-wrap">\n <a class="header-view-all-link" href="/browse/tv-list-2/" data-qa="tv-list2-view-all-link">View All</a>\n </div>\n </div>\n \n </div>\n <div class="col-xs-5 subnav">\n <div class="innerSubnav" data-qa="header-tv-more">\n <h2 class="title">More</h2>\n <ul class="list-unstyled" id="header-tv-more">\n <li data-qa="tv-more-item"><a class="unstyled articleLink" href="/top-tv/" data-qa="tv-more-link">Top TV Shows</a></li>\n <li data-qa="tv-more-item"><a class="unstyled articleLink" href="/browse/tv-list-3/" data-qa="tv-more-link">Certified Fresh TV</a></li>\n </ul>\n <h2 class="title" style="margin-top: 20px">Episodic Reviews</h2>\n <ul class="list-unstyled" id="header-tv-episodic-reviews" data-qa="header-tv-episodic-reviews">\n \n <div class="header-desktop-episode" data-qa="tv-media-list-item">\n <li><a href="/tv/better_call_saul/s06#desktopEpisodeList" data-qa="tv-media-list-link"> Better Call Saul: Season 6 </a></li>\n </div>\n \n <div class="header-desktop-episode" data-qa="tv-media-list-item">\n <li><a href="/tv/reservation_dogs/s02#desktopEpisodeList" data-qa="tv-media-list-link"> Reservation Dogs: Season 2 </a></li>\n </div>\n \n <div class="header-desktop-episode" data-qa="tv-media-list-item">\n <li><a href="/tv/uncoupled/s01#desktopEpisodeList" data-qa="tv-media-list-link"> Uncoupled: Season 1 </a></li>\n </div>\n \n <div class="header-desktop-episode" data-qa="tv-media-list-item">\n <li><a href="/tv/only_murders_in_the_building/s02#desktopEpisodeList" data-qa="tv-media-list-link"> Only Murders in the Building: Season 2 </a></li>\n </div>\n \n <div class="header-desktop-episode" data-qa="tv-media-list-item">\n <li><a href="/tv/the_old_man/s01#desktopEpisodeList" data-qa="tv-media-list-link"> The Old Man: Season 1 </a></li>\n </div>\n \n <div class="header-desktop-episode" data-qa="tv-media-list-item">\n <li><a href="/tv/westworld/s04#desktopEpisodeList" data-qa="tv-media-list-link"> Westworld: Season 4 </a></li>\n </div>\n \n <div class="header-desktop-episode" data-qa="tv-media-list-item">\n <li><a href="/tv/the_bear/s01#desktopEpisodeList" data-qa="tv-media-list-link"> The Bear: Season 1 </a></li>\n </div>\n \n </ul>\n </div>\n </div>\n <div class="col-xs-5 subnav freshPicks inDropdownTv">\n \n <div class="innerSubnav" data-qa="header-certified-fresh-pick">\n <h2 id="cfp-tv-header-title" class="title cfp-tv-season-title">Certified Fresh Pick</h2>\n \n \n \n \n <div class="cfpItem hidden-xs" data-qa="cert-fresh-item">\n <!-- Hardcorded rt url so pageheader on editorial routes to rt too -->\n <a href="/tv/mo/s01" class="unstyled articleLink cfpLinks" data-qa="cert-fresh-link">\n \n <div id="dropdown-cfp-image" class="imgContainer cfp-img-container">\n <img src="/assets/pizza-pie/images/poster_default.c8c896e70c3.gif" data-src="https://resizing.flixster.com/4jzk7W_rL4Lx4XQVlGz4kPTV5gE=/fit-in/180x240/v2/https://resizing.flixster.com/hLKxzf02byaPUiuSog5m0vml4LI=/ems.cHJkLWVtcy1hc3NldHMvdHZzZWFzb24vODI4ZDY3NWQtZWRkNC00ZTlkLThlNDctMzVmMDQwMGI3ZjI5LmpwZw==" class="js-lazyLoad cfp-header-img" alt="Mo: Season 1"/>\n </div>\n <div class="movie_content_area">\n \n <span class="icon tiny certified"></span>\n <span class="tMeterScore">100%</span>\n \n </div>\n <p class="title noSpacing">Mo: Season 1</p>\n </a>\n</div>\n\n \n </div>\n \n </div>\n </div>\n </div>\n </li>\n <li class="menuHeader center relative noSpacing" style="border-radius: 5px" id="header-rt-podcast">\n <temporary-display key="podcast" element="#podcastLink" event="click">\n <rt-badge hidden>New</rt-badge>\n </temporary-display>\n <a id="podcastLink" id="podcast-link" href="https://editorial.rottentomatoes.com/article/rotten-tomatoes-is-wrong-a-podcast-from-rotten-tomatoes/" class="menuHeader" data-qa="masthead:podcast-link">RT Podcast</a>\n </li>\n <li id="newsMenuDropdown" class="menuHeader center dropdown noSpacing dropdown-toggle" data-qa="masthead:news">\n <a id="newsMenu" href="https://editorial.rottentomatoes.com/" data-qa="masthead:news-link">\n News<span class="fontelloIcon icon-down-dir" />\n </a>\n <div class="dropdown-menu" role="menu" aria-labelledby="newsMenu" data-qa="news-menu">\n <div class="row-sameColumnHeight noSpacing">\n <div class="col-xs-4 subnav">\n <div class="innerSubnav" id="header-news-columns" data-qa="header-news-columns">\n <h2 class="title">Columns</h2>\n <ul class="list-unstyled">\n <li data-qa="column-item"><a class="unstyled articleLink editorial-header-link" href="https://editorial.rottentomatoes.com/24-frames/" data-pageheader="24 Frames" data-qa="column-link">24 Frames</a></li>\n <li data-qa="column-item"><a class="unstyled articleLink editorial-header-link" href="https://editorial.rottentomatoes.com/all-time-lists/" data-pageheader="All-Time Lists" data-qa="column-link">All-Time Lists</a></li>\n <li data-qa="column-item"><a class="unstyled articleLink editorial-header-link" href="https://editorial.rottentomatoes.com/binge-guide/" data-pageheader="Binge Guide" data-qa="column-link">Binge Guide</a></li>\n <li data-qa="column-item"><a class="unstyled articleLink editorial-header-link" href="https://editorial.rottentomatoes.com/comics-on-tv/" data-pageheader="Comics on TV" data-qa="column-link">Comics on TV</a></li>\n <li data-qa="column-item"><a class="unstyled articleLink editorial-header-link" href="https://editorial.rottentomatoes.com/countdown/" data-pageheader="Countdown" data-qa="column-link">Countdown</a></li>\n <li data-qa="column-item"><a class="unstyled articleLink editorial-header-link" href="https://editorial.rottentomatoes.com/critics-consensus/" data-pageheader="Critics Consensus" data-qa="column-link">Critics Consensus</a></li>\n <li data-qa="column-item"><a class="unstyled articleLink editorial-header-link" href="https://editorial.rottentomatoes.com/five-favorite-films/" data-pageheader="Five Favorite Films" data-qa="column-link">Five Favorite Films</a></li>\n <li data-qa="column-item"><a class="unstyled articleLink editorial-header-link" href="https://editorial.rottentomatoes.com/now-streaming/" data-pageheader="Now Streaming" data-qa="column-link">Now Streaming</a></li>\n <li data-qa="column-item"><a class="unstyled articleLink editorial-header-link" href="https://editorial.rottentomatoes.com/parental-guidance/" data-pageheader="Parental Guidance" data-qa="column-link">Parental Guidance</a></li>\n <li data-qa="column-item"><a class="unstyled articleLink editorial-header-link" href="https://editorial.rottentomatoes.com/red-carpet-roundup/" data-pageheader="Red Carpet Roundup" data-qa="column-link">Red Carpet Roundup</a></li>\n <li data-qa="column-item"><a class="unstyled articleLink editorial-header-link" href="https://editorial.rottentomatoes.com/movie-tv-scorecards/" data-pageheader="Scorecards" data-qa="column-link">Scorecards</a></li>\n <li data-qa="column-item"><a class="unstyled articleLink editorial-header-link" href="https://editorial.rottentomatoes.com/sub-cult/" data-pageheader="Sub-Cult" data-qa="column-link">Sub-Cult</a></li>\n <li data-qa="column-item"><a class="unstyled articleLink editorial-header-link" href="https://editorial.rottentomatoes.com/total-recall/" data-pageheader="Total Recall" data-qa="column-link">Total Recall</a></li>\n <li data-qa="column-item"><a class="unstyled articleLink editorial-header-link" href="https://editorial.rottentomatoes.com/video-interviews/" data-pageheader="Video Interviews" data-qa="column-link">Video Interviews</a></li>\n <li data-qa="column-item"><a class="unstyled articleLink editorial-header-link" href="https://editorial.rottentomatoes.com/weekend-box-office/" data-pageheader="Weekend Box Office" data-qa="column-link">Weekend Box Office</a></li>\n <li data-qa="column-item"><a class="unstyled articleLink editorial-header-link" href="https://editorial.rottentomatoes.com/weekly-ketchup/" data-pageheader="Weekly Ketchup" data-qa="column-link">Weekly Ketchup</a></li>\n <li data-qa="column-item"><a class="unstyled articleLink editorial-header-link" href="https://editorial.rottentomatoes.com/what-to-watch/" data-pageheader="What to Watch" data-qa="column-link">What to Watch</a></li>\n <li data-qa="column-item"><a class="unstyled articleLink editorial-header-link" href="https://editorial.rottentomatoes.com/the-zeros/" data-pageheader="The Zeros" data-qa="column-link">The Zeros</a></li>\n </ul>\n </div>\n </div>\n <div class="col-xs-6 subnav">\n \n <div class="innerSubnav" id="header-news-best-worst" data-qa="header-news-best-worst">\n <div class="clickForMore">\n <a class="unstyled articleLink" data-pageheader="Best and Worst - Show All" href="https://editorial.rottentomatoes.com/total-recall/" data-qa="best-worst-view-all-link">View All <span class="glyphicon" /></a>\n </div>\n <h2 class="title">Best and Worst</h2>\n <div class="newsContainer">\n \n <div class="newsContainerItem" data-qa="best-worst-item">\n <a href="https://editorial.rottentomatoes.com/guide/jurassic-park-world-movies/" class="articleLink unstyled" data-qa="best-worst-link">\n <div class="newsPhoto js-lazyLoad" data-src="https://prd-rteditorial.s3.us-west-2.amazonaws.com/wp-content/uploads/2015/06/19171851/Jurassic-Park-Franchise-Recall.jpg" data-bg-image="true"></div>\n <div class="newsTitleContainer">\n <div class="newsTitle">\n <em>Jurassic Park</em> Movies Ranked By Tomatometer\n </div>\n </div>\n </a>\n </div>\n \n <div class="newsContainerItem" data-qa="best-worst-item">\n <a href="https://editorial.rottentomatoes.com/guide/all-marvel-cinematic-universe-movies-ranked/" class="articleLink unstyled" data-qa="best-worst-link">\n <div class="newsPhoto js-lazyLoad" data-src="https://prd-rteditorial.s3.us-west-2.amazonaws.com/wp-content/uploads/2018/02/14193805/Marvel-Movies-Recall2.jpg" data-bg-image="true"></div>\n <div class="newsTitleContainer">\n <div class="newsTitle">\n Marvel Movies Ranked Worst to Best by Tomatometer\n </div>\n </div>\n </a>\n </div>\n \n </div>\n </div>\n \n </div>\n <div class="col-xs-6 subnav">\n \n <div class="innerSubnav" id="header-news-guides" data-qa="header-news-guides">\n <div class="clickForMore">\n <a class="unstyled articleLink" data-pageheader="Guides - Show All" href="https://editorial.rottentomatoes.com/rt-hubs/" data-qa="guides-view-all-link">View All <span class="glyphicon" /></a>\n </div>\n <h2 class="title">Guides</h2>\n <div class="newsContainer">\n \n <div class="newsContainerItem" data-qa="guides-item">\n <a href="https://editorial.rottentomatoes.com/rt-hub/awards-tour/" class="articleLink unstyled" data-qa="guides-link">\n <div class="newsPhoto js-lazyLoad" data-src="https://prd-rteditorial.s3.us-west-2.amazonaws.com/wp-content/uploads/2021/12/14172550/RT_AWARDS_2022_600x314.jpg" data-bg-image="true"></div>\n <div class="newsTitleContainer">\n <div class="newsTitle">\n Awards Tour\n </div>\n </div>\n </a>\n </div>\n \n <div class="newsContainerItem" data-qa="guides-item">\n <a href="https://editorial.rottentomatoes.com/rt-hub/2022-fall-tv-survey/" class="articleLink unstyled" data-qa="guides-link">\n <div class="newsPhoto js-lazyLoad" data-src="https://prd-rteditorial.s3.us-west-2.amazonaws.com/wp-content/uploads/2022/09/06120735/RT_FALLTV2022_600x314.jpg" data-bg-image="true"></div>\n <div class="newsTitleContainer">\n <div class="newsTitle">\n 2022 Fall TV Survey\n </div>\n </div>\n </a>\n </div>\n \n </div>\n </div>\n \n </div>\n <div class="col-xs-6 subnav">\n \n <div class="innerSubnav" id="header-news-rtnews" data-qa="header-news-rt-news">\n <div class="clickForMore" style="margin-bottom: 0">\n <a class="unstyled articleLink" data-pageheader="RT News - Show All" href="https://editorial.rottentomatoes.com/news/" data-qa="rt-news-view-all-link">View All <span class="glyphicon" /></a>\n </div>\n <h2 class="title">RT News</h2>\n <div class="newsContainer">\n \n <div class="newsContainerItem" data-qa="rt-news-item">\n <a href="https://editorial.rottentomatoes.com/article/best-emmys-moments-2022/" class="articleLink unstyled" data-qa="rt-news-link">\n <div class="newsPhoto js-lazyLoad" data-src="https://prd-rteditorial.s3.us-west-2.amazonaws.com/wp-content/uploads/2022/09/12222901/jennifer-coolidge-emmys-600x314-1.jpg" data-bg-image="true"></div>\n <div class="newsTitleContainer">\n <div class="newsTitle">\n Best Emmys Moments 2022: Quinta Brunson Overcomes an Overplayed Skit, Jennifer Coolidge Dances Off With an Award\n </div>\n </div>\n </a>\n </div>\n \n <div class="newsContainerItem" data-qa="rt-news-item">\n <a href="https://editorial.rottentomatoes.com/article/2022-emmy-awards-winners-full-list-of-winners-from-the-74th-primetime-emmy-awards/" class="articleLink unstyled" data-qa="rt-news-link">\n <div class="newsPhoto js-lazyLoad" data-src="https://prd-rteditorial.s3.us-west-2.amazonaws.com/wp-content/uploads/2022/09/12193808/emmys-zendaya-600x314-1.jpg" data-bg-image="true"></div>\n <div class="newsTitleContainer">\n <div class="newsTitle">\n 2022 Emmy Awards Winners: Full List of Winners from the 74th Primetime Emmy Awards\n </div>\n </div>\n </a>\n </div>\n \n </div>\n </div>\n \n </div>\n </div>\n </div>\n </li>\n <li class="menuHeader center noSpacing" style="border-radius: 5px" id="header-tickets-showtimes">\n <a id="ticketingMenu" href="/showtimes/" class="menuHeader" data-qa="masthead:tickets-showtimes-link">Showtimes</a>\n </li>\n </ul>\n </div>\n </div>\n <!-- TRENDING BAR -->\n <div class="trendingBar hidden-xs">\n <div class="fr">\n <ul id="trending_bar_social" class="list-inline social" data-qa="trending-bar-social-list">\n <li>\n <a id="header-facebook-social-link" class="unstyled squared white" \n href="//www.facebook.com/rottentomatoes" target="_blank" rel="noopener" data-qa="trending-bar-social-facebook">\n <rt-icon icon="facebook-squared"></rt-icon>\n </a>\n </li>\n <li>\n <a id="header-twitter-social-link" class="unstyled white" \n href="//twitter.com/rottentomatoes" target="_blank" rel="noopener" data-qa="trending-bar-social-twitter">\n <rt-icon icon="twitter"></rt-icon>\n </a>\n </li>\n <li>\n <a id="header-instagram-social-link" class="unstyled white" \n href="//www.instagram.com/rottentomatoes/" target="_blank" rel="noopener" data-qa="trending-bar-social-instagram">\n <rt-icon icon="instagram"></rt-icon>\n </a>\n </li>\n <li>\n <a id="header-pinterest-social-link" class="unstyled white" \n href=" https://www.pinterest.com/rottentomatoes" target="_blank" rel="noopener" data-qa="trending-bar-social-pinterest">\n <rt-icon icon="pinterest"></rt-icon>\n </a>\n </li>\n <li>\n <a id="header-youtube-social-link" class="unstyled play white" \n href="//www.youtube.com/user/rottentomatoes" target="_blank" rel="noopener" data-qa="trending-bar-social-youtube">\n <rt-icon icon="youtube-play"></rt-icon>\n </a>\n </li>\n </ul>\n \n <div id="trending_bar_ad" style="display: none;"></div>\n <script>\n var mps = mps||{}; mps._queue = mps._queue||{}; mps._queue.gptloaded = mps._queue.gptloaded||[];\n mps._queue.gptloaded.push(function () {\n if (mps.getResponsiveSet() != \'0\') { //DESKTOP or TABLET\n mps.insertAd(\'#trending_bar_ad\',\'trendinggraphic\');\n }\n });\n </script>\n\n\n </div>\n <div id="trending-list-wrap" data-qa="trending-bar">\n <ul class="list-inline trendingEl" data-qa="trending-bar-list">\n <li class="header">Trending on RT</li>\n \n <li><a class="unstyled trendingLink" href="https://www.rottentomatoes.com/m/barbarian_2022" data-qa="trending-bar-item"> Barbarian </a></li>\n \n <li><a class="unstyled trendingLink" href="https://editorial.rottentomatoes.com/article/2022-emmy-awards-winners-full-list-of-winners-from-the-74th-primetime-emmy-awards/" data-qa="trending-bar-item"> Emmy Winners </a></li>\n \n <li><a class="unstyled trendingLink" href="https://www.rottentomatoes.com/tv/the_lord_of_the_rings_the_rings_of_power" data-qa="trending-bar-item"> The Rings of Power </a></li>\n \n <li><a class="unstyled trendingLink" href="https://www.rottentomatoes.com/m/the_woman_king" data-qa="trending-bar-item"> The Woman King </a></li>\n \n <li><a class="unstyled trendingLink" href="https://www.rottentomatoes.com/m/dont_worry_darling" data-qa="trending-bar-item"> Don't Worry Darling </a></li>\n \n </ul>\n </div>\n </div>\n</nav>\n\n<!--START @todo TOMATO-5223 - clean up legacy auth modals -->\n<!-- @todo TOMATO-5223 - clean up legacy auth modals -->\n<form class="modal fade in" id="login" role="dialog" aria-hidden="false" style="display: none;" data-qa="modal:login">\n <div class="modal-dialog modal-sm ctHidden">\n <div class="modal-content login-modal-content" data-qa="modal:login">\n <div class="modal-header login-modal-header">\n <button type="button" class="close" data-dismiss="modal" data-qa="login-close-btn">\n <span aria-hidden="true">\xc3\x97</span><span class="sr-only">Close</span>\n </button>\n <h2 class="modal-title login-modal-title" data-qa="login-title">Sign In</h2>\n </div>\n <div class="modal-body loginForm">\n <div class="error js-header__feedback js-header-auth__error" data-qa="msg-alert"></div>\n\n \n <div class="login-modal__fb-btn">\n <button id="fbLoginButton" class="btn btn-primary-fb btn-lg fullWidth" data-qa="facebook-log-in">\n <img class="login-form__facebook-icon" src="/assets/pizza-pie/images/vendor/facebook/f_logo_white.7fe4024dd22.png" alt="">\n Log in with Facebook\n </button>\n </div>\n <div class="login-modal__divider--line">\n <div class="login-modal__divider--text">OR</div>\n </div>\n \n <div class="loginInfo">\n <div class="form-group username js-header-auth__email" data-qa="login-field-username">\n <label class="control-label" for="login_username">Email address</label>\n <input id="login_username" class="form-control js-header-auth__input-email" name="login_username" type="email" autocomplete="on" data-qa="login-username">\n <span class="help-block" data-qa="form-error-msg"></span>\n </div>\n <div class="form-group password js-header-auth__password" data-qa="login-field-password">\n <label class="control-label" for="login_password">Password</label>\n <input id="login_password" type="password" class="form-control js-header-auth__input-password" name="login_password" autocomplete="on" data-qa="login-password">\n <span class="help-block" data-qa="form-error-msg"></span>\n </div>\n <div class="form-group">\n <div class="text-center">\n <button type="submit" class="btn btn-primary btn-login js-header-submit js-header-auth__login-btn" data-qa="login-submit-btn">Log In</button>\n </div>\n </div>\n <input type="hidden" name="redirectUrl" value="">\n </div>\n </div>\n <div class="modal-footer">\n <p>\n <a class="passwordModal js-forgot-password-login" data-dismiss="modal" data-toggle="modal" data-target="#forgot-password" data-qa="login-forgot-password-btn">Forgot your password?</a><br>\n Don\'t have an account? <a class="signupModal js-dtm-signup" data-dismiss="modal" data-toggle="modal" data-target="#signup" data-qa="login-register-btn">Sign up here</a>\n </p>\n </div>\n </div>\n </div>\n</form>\n\n<!-- @todo TOMATO-5223 - clean up legacy auth modals -->\n<form class="modal fade in" id="signup" role="dialog" aria-hidden="false" style="display: none;" data-qa="modal:register">\n <div class="modal-dialog ctHidden">\n <div class="modal-content">\n <div class="modal-header">\n <button type="button" class="close" data-dismiss="modal">\n <span aria-hidden="true">\xc3\x97</span><span class="sr-only">Close</span>\n </button>\n <h2 class="modal-title">Sign up for Rotten Tomatoes</h2>\n </div>\n <div class="signup-form__body modal-body">\n <div class="error js-header__feedback js-header-signup__feedback"></div>\n\n \n <a id="fbSignUpButton" class="btn btn-primary-fb btn-lg fullWidth" tabindex="0" data-qa="register-facebook-btn">\n <img class="signup-form__facebook-icon" src="/assets/pizza-pie/images/vendor/facebook/f_logo_white.7fe4024dd22.png">Sign up with Facebook\n </a>\n <div class="signup-form__facebook-login--divider">\n or\n </div>\n \n <div class="form-group col-xs-12 first_name js-header-signup__firstname">\n <label class="control-label fullWidth" for="register_first_name">\n First Name\n </label>\n <div class="fullWidth">\n <input id="register_first_name" class="form-control js-header-signup__input-firstname" name="register_first_name" autocomplete="on" data-qa="register-first-name">\n </div>\n <span class="help-block"></span>\n </div>\n <div class="form-group col-xs-12 last_name js-header-signup__lastname">\n <label class="control-label fullWidth" for="register_first_name">\n Last Name\n </label>\n <div class="fullWidth">\n <input id="register_last_name" class="form-control js-header-signup__input-lastname" name="register_last_name" autocomplete="on" data-qa="register-last-name">\n </div>\n <span class="help-block"></span>\n </div>\n <div class="form-group col-xs-24 email js-header-signup__email">\n <label class="control-label fullWidth" for="register_email">\n Email\n </label>\n <div class="fullWidth">\n <input id="register_email" class="form-control js-header-signup__input-email" name="register_email" autocomplete="on" data-qa="register-email">\n </div>\n <span class="help-block"></span>\n </div>\n <div class="form-group col-xs-24 password js-header-signup__password">\n <label class="control-label fullWidth" for="register_password">\n Password\n </label>\n <div class="fullWidth">\n <input id="register_password" class="form-control js-header-signup__input-password" name="register_password" type="password" autocomplete="on" data-qa="register-password">\n </div>\n <span class="help-block"></span>\n </div>\n <div class="form-group col-xs-24 newsletter signup-form__news-letter">\n <div class="signup-form__news-letter-checkbox-wrap js-header-signup__newsletter">\n <input id="register_newsletter" name="register_newsletter" type="checkbox" data-qa="register-newsletter">\n <label class="signup-form__news-letter-description" for="register_newsletter">\n By signing up, you agree to receiving newsletters from Rotten Tomatoes. You may later unsubscribe.\n </label>\n </div>\n\n <span class="help-block"></span>\n </div>\n <div class="form-group col-xs-24 recaptcha">\n <div id="recaptchaSignupBlock" class="signup-form__recaptcha-wrap"></div>\n </div>\n <div class="form-group">\n <div class="text-center">\n <button type="submit" class="btn btn-primary btn-signup signup-form__signup_btn disabled js-header-submit js-header-signup-signup-btn" data-qa="register-submit-btn">Create your account</button>\n <p class="text-center">\n <small data-qa="register-have-an-account">Already have an account? <a class="loginModal js-dtm-login" data-dismiss="modal" data-toggle="modal" data-target="#login" href="#" data-qa="register-login-btn">Log in here</a></small>\n </p>\n </div>\n </div>\n <div class="form-group"></div>\n </div>\n <div class="signup-form__footer modal-footer">\n <p data-qa="register-disclaimer">\n By creating an account, you agree to the <a href="http://www.fandango.com/policies/privacy-policy" target="_blank" rel="noopener" data-qa="register-privacy-policy-link">Privacy Policy</a>\n and the <a href="http://www.fandango.com/policies/terms-and-policies" target="_blank" rel="noopener" data-qa="register-terms-policies-link">Terms and Policies</a>,\n and to receive email from Rotten Tomatoes and Fandango.\n </p>\n </div>\n </div>\n </div>\n</form>\n\n<!-- @todo TOMATO-5223 - clean up legacy auth modals -->\n<div class="modal fade" id="forgot-password" role="dialog" aria-hidden="true" style="display: none;" data-qa="modal:recover-password">\n <div class="modal-dialog ctHidden">\n <div class="modal-content">\n <div class="modal-header">\n <button type="button" class="close" data-dismiss="modal">\n <span aria-hidden="true">\xc3\x97</span><span class="sr-only">Close</span>\n </button>\n <h2 class="modal-title" data-qa="recover-pass-title">Forgot your password</h2>\n </div>\n <div class="modal-body">\n <div class="error js-header__feedback js-header-forgot-password__feedback"></div>\n <p class="js-header-forgot-password__message" data-qa="recover-pass-content">\n Please enter your email address and we will email you a new password.\n </p>\n <div class="form-group col-xs-24 js-header-forgot-password__email">\n <label class="control-label fullWidth" for="forgot_email_address">\n Email Address\n </label>\n <div class="fullWidth">\n <input id="forgot_email_address" class="form-control" name="forgot_email_address">\n </div>\n <span class="help-block" data-qa="recover-pass-error"></span>\n </div>\n <div class="form-group col-xs-24">\n <div id="recaptchaFPBlock"></div>\n </div>\n <button class="btn btn-primary btn-submit js-header-submit js-header-forgot-password__submit-btn disabled" data-qa="recover-pass-submit-btn">Submit</button>\n </div>\n </div>\n </div>\n</div>\n\n<!-- END @todo TOMATO-5223 - clean up legacy auth modals -->\n<aside id="social-tools" class="social-tools" aria-hidden="true">\n <div class="social-tools__facebook-like-btn" id="social-tools-like-btn">\n <div class="fb-like" data-href="https://www.rottentomatoes.com/m/et_the_extraterrestrial" data-layout="button" data-action="like" data-size="small" data-show-faces="true" data-share="false"></div>\n </div>\n <ul>\n <li><a class="js-social-tools-btn social-tools__btn social-tools__btn--facebook" title="Facebook Share" data-name="facebookShare"></a></li>\n <li><a class="js-social-tools-btn social-tools__btn social-tools__btn--twitter" title="Twitter" data-name="twitter"></a></li>\n <li><a class="js-social-tools-btn social-tools__btn social-tools__btn--pinterest" title="Pinterest" data-name="pinterest"></a></li>\n <li><a class="js-social-tools-btn social-tools__btn social-tools__btn--stumbleupon" title="StumbleUpon" data-name="stumbleUpon"></a></li>\n </ul>\n</aside>\n\n\n\n <!-- page body -->\n <div id="main_container" class="container" role="main">\n \n \n\n <div class="modal fade" id="verify-email-reminder" tabindex="-1" role="dialog" aria-labelledby="verify-email-reminder" aria-hidden="true">\n <div class="modal-dialog" role="document">\n <div class="modal-content">\n <div class="modal-header login-modal-header">\n <h2 class="modal-title login-modal-title">Real Quick</h2>\n </div>\n <div class="modal-body login-modal-body js-msg-verify-user">\n We want to hear what you have to say but need to verify your email. Don\xe2\x80\x99t worry, it won\xe2\x80\x99t take long. Please click the link below to receive your verification email.\n </div>\n <div class="modal-body login-modal-body js-msg-contact-us">\n <p>We want to hear what you have to say but need to verify your account. Just leave us a message <a href="https://support.fandango.com/en_us/contact/contact-us-fandango-rkksORSDO?from=RT">here</a> and we will work on getting you verified. </p>\n <p>Please reference \xe2\x80\x9cError Code 2121\xe2\x80\x9d when contacting customer service.</p>\n </div>\n <div class="modal-footer rating-modal-footer">\n <button type="button" class="btn btn-secondary" data-dismiss="modal">Cancel</button>\n <button type="button" class="btn btn-primary js-resend-email-btn">Resend Email</button>\n </div>\n </div>\n </div>\n</div>\n\n\n <!-- salt=movie-atomic-unicorn-77 -->\n <section class="mob-body mob-body--no-hero-image">\n <div id="super">\n \n \n \n \n \n <div id="super_movie_tv_ad" style="height:0px;"></div>\n <script>\n var mps = mps||{}; mps._queue = mps._queue||{}; mps._queue.gptloaded = mps._queue.gptloaded||[];\n mps._queue.gptloaded.push(function () {\n mps.insertAd(\'#super_movie_tv_ad\',\'superdetail\');\n });\n </script>\n\n\n </div>\n\n <aside id="movieListColumn" class="col mob col-right hidden-xs">\n \n \n <discovery-sidebar skeleton="panel" initial="in-theaters" data-qa="sidebar-container">\n \n <article title="In<br>Theaters" value="in-theaters" data-qa="in-theaters-tab-panel">\n \n <discovery-sidebar-list\n title=""\n detailsUrl="/browse/in-theaters/"\n data-curation=""\n data-qa="in-theaters-list"\n >\n \n <discovery-sidebar-item\n title="Clerks III"\n mediaUrl="/m/clerks_iii"\n boxOffice=""\n releaseDate="Sep 13"\n tomatometerStatus="fresh"\n tomatometerScore="67"\n type=""\n >\n </discovery-sidebar-item>\n \n <discovery-sidebar-item\n title="Dreamland: A Storming Area 51 Story"\n mediaUrl="/m/dreamland_a_storming_area_51_story"\n boxOffice=""\n releaseDate="Sep 13"\n tomatometerStatus=""\n tomatometerScore=""\n type=""\n >\n </discovery-sidebar-item>\n \n <discovery-sidebar-item\n title="The Retaliators"\n mediaUrl="/m/the_retaliators"\n boxOffice=""\n releaseDate="Sep 14"\n tomatometerStatus="fresh"\n tomatometerScore="83"\n type=""\n >\n </discovery-sidebar-item>\n \n <discovery-sidebar-item\n title="Goodbye, Don Glees!"\n mediaUrl="/m/goodbye_don_glees"\n boxOffice=""\n releaseDate="Sep 14"\n tomatometerStatus="fresh"\n tomatometerScore="100"\n type=""\n >\n </discovery-sidebar-item>\n \n <discovery-sidebar-item\n title="Goodnight Mommy"\n mediaUrl="/m/goodnight_mommy_2022"\n boxOffice=""\n releaseDate="Sep 14"\n tomatometerStatus=""\n tomatometerScore=""\n type=""\n >\n </discovery-sidebar-item>\n \n <discovery-sidebar-item\n title="MVP"\n mediaUrl="/m/mvp"\n boxOffice=""\n releaseDate="Sep 14"\n tomatometerStatus=""\n tomatometerScore=""\n type=""\n >\n </discovery-sidebar-item>\n \n <discovery-sidebar-item\n title="Boblo Boats: A Detroit Ferry Tale"\n mediaUrl="/m/boblo_boats_a_detroit_ferry_tale"\n boxOffice=""\n releaseDate="Sep 15"\n tomatometerStatus=""\n tomatometerScore=""\n type=""\n >\n </discovery-sidebar-item>\n \n <discovery-sidebar-item\n title="The Woman King"\n mediaUrl="/m/the_woman_king"\n boxOffice=""\n releaseDate="Sep 16"\n tomatometerStatus="fresh"\n tomatometerScore="100"\n type=""\n >\n </discovery-sidebar-item>\n \n <discovery-sidebar-item\n title="Blonde"\n mediaUrl="/m/blonde"\n boxOffice=""\n releaseDate="Sep 16"\n tomatometerStatus="fresh"\n tomatometerScore="78"\n type=""\n >\n </discovery-sidebar-item>\n \n <discovery-sidebar-item\n title="See How They Run"\n mediaUrl="/m/see_how_they_run"\n boxOffice=""\n releaseDate="Sep 16"\n tomatometerStatus="fresh"\n tomatometerScore="75"\n type=""\n >\n </discovery-sidebar-item>\n \n <discovery-sidebar-item\n title="Pearl"\n mediaUrl="/m/pearl_2022"\n boxOffice=""\n releaseDate="Sep 16"\n tomatometerStatus="fresh"\n tomatometerScore="83"\n type=""\n >\n </discovery-sidebar-item>\n \n <discovery-sidebar-item\n title="Moonage Daydream"\n mediaUrl="/m/moonage_daydream"\n boxOffice=""\n releaseDate="Sep 16"\n tomatometerStatus="certified-fresh"\n tomatometerScore="96"\n type=""\n >\n </discovery-sidebar-item>\n \n <discovery-sidebar-item\n title="God's Country"\n mediaUrl="/m/gods_country_2022"\n boxOffice=""\n releaseDate="Sep 16"\n tomatometerStatus="certified-fresh"\n tomatometerScore="86"\n type=""\n >\n </discovery-sidebar-item>\n \n <discovery-sidebar-item\n title="Confess, Fletch"\n mediaUrl="/m/confess_fletch"\n boxOffice=""\n releaseDate="Sep 16"\n tomatometerStatus="fresh"\n tomatometerScore="91"\n type=""\n >\n </discovery-sidebar-item>\n \n <discovery-sidebar-item\n title="The Silent Twins"\n mediaUrl="/m/the_silent_twins_2022"\n boxOffice=""\n releaseDate="Sep 16"\n tomatometerStatus="fresh"\n tomatometerScore="65"\n type=""\n >\n </discovery-sidebar-item>\n \n </discovery-sidebar-list>\n \n <discovery-sidebar-list\n title="Coming soon"\n detailsUrl="/browse/upcoming/"\n data-curation=""\n data-qa="in-theaters-list"\n >\n \n <discovery-sidebar-item\n title="Don't Worry Darling"\n mediaUrl="/m/dont_worry_darling"\n boxOffice=""\n releaseDate="Sep 23"\n tomatometerStatus="rotten"\n tomatometerScore="40"\n type="date"\n >\n </discovery-sidebar-item>\n \n <discovery-sidebar-item\n title="Catherine Called Birdy"\n mediaUrl="/m/catherine_called_birdy"\n boxOffice=""\n releaseDate="Sep 23"\n tomatometerStatus="fresh"\n tomatometerScore="70"\n type="date"\n >\n </discovery-sidebar-item>\n \n <discovery-sidebar-item\n title="Carmen"\n mediaUrl="/m/carmen_2022"\n boxOffice=""\n releaseDate="Sep 23"\n tomatometerStatus=""\n tomatometerScore=""\n type="date"\n >\n </discovery-sidebar-item>\n \n <discovery-sidebar-item\n title="Railway Children"\n mediaUrl="/m/railway_children_2022"\n boxOffice=""\n releaseDate="Sep 23"\n tomatometerStatus="fresh"\n tomatometerScore="70"\n type="date"\n >\n </discovery-sidebar-item>\n \n <discovery-sidebar-item\n title="The Enforcer"\n mediaUrl="/m/the_enforcer_2022"\n boxOffice=""\n releaseDate="Sep 23"\n tomatometerStatus=""\n tomatometerScore=""\n type="date"\n >\n </discovery-sidebar-item>\n \n </discovery-sidebar-list>\n \n </article>\n \n <article title="Streaming movies" value="streaming-movies" data-qa="streaming-movies-tab-panel">\n \n <discovery-sidebar-list\n title="Most popular"\n detailsUrl="/browse/top-dvd-streaming/"\n data-curation=""\n data-qa="streaming-movies-list"\n >\n \n <discovery-sidebar-item\n title="House of Darkness"\n mediaUrl="/m/house_of_darkness_2022"\n boxOffice=""\n releaseDate="Sep 09"\n tomatometerStatus="rotten"\n tomatometerScore="58"\n type=""\n >\n </discovery-sidebar-item>\n \n <discovery-sidebar-item\n title="Murina"\n mediaUrl="/m/murina"\n boxOffice="$46.6K"\n releaseDate="Jul 08"\n tomatometerStatus="certified-fresh"\n tomatometerScore="90"\n type=""\n >\n </discovery-sidebar-item>\n \n <discovery-sidebar-item\n title="Deus"\n mediaUrl="/m/deus"\n boxOffice=""\n releaseDate=""\n tomatometerStatus=""\n tomatometerScore=""\n type=""\n >\n </discovery-sidebar-item>\n \n <discovery-sidebar-item\n title="From Where They Stood"\n mediaUrl="/m/from_where_they_stood"\n boxOffice=""\n releaseDate="Jul 15"\n tomatometerStatus="fresh"\n tomatometerScore="86"\n type=""\n >\n </discovery-sidebar-item>\n \n <discovery-sidebar-item\n title="Wolves of War"\n mediaUrl="/m/wolves_of_war"\n boxOffice=""\n releaseDate=""\n tomatometerStatus=""\n tomatometerScore=""\n type=""\n >\n </discovery-sidebar-item>\n \n <discovery-sidebar-item\n title="Costa Brava, Lebanon"\n mediaUrl="/m/costa_brava_lebanon"\n boxOffice="$13.0K"\n releaseDate="Jul 15"\n tomatometerStatus="fresh"\n tomatometerScore="89"\n type=""\n >\n </discovery-sidebar-item>\n \n <discovery-sidebar-item\n title="Dreamland: A Storming Area 51 Story"\n mediaUrl="/m/dreamland_a_storming_area_51_story"\n boxOffice=""\n releaseDate="Sep 13"\n tomatometerStatus=""\n tomatometerScore=""\n type=""\n >\n </discovery-sidebar-item>\n \n <discovery-sidebar-item\n title="Bloom Up: A Swinger Couple Story"\n mediaUrl="/m/bloom_up_a_swinger_couple_story"\n boxOffice="$3.0K"\n releaseDate="Aug 12"\n tomatometerStatus="fresh"\n tomatometerScore="63"\n type=""\n >\n </discovery-sidebar-item>\n \n <discovery-sidebar-item\n title="The Red Book Ritual"\n mediaUrl="/m/the_red_book_ritual"\n boxOffice=""\n releaseDate=""\n tomatometerStatus=""\n tomatometerScore=""\n type=""\n >\n </discovery-sidebar-item>\n \n <discovery-sidebar-item\n title="Jo Koy: Live from the LA Forum"\n mediaUrl="/m/jo_koy_live_from_the_la_forum"\n boxOffice=""\n releaseDate=""\n tomatometerStatus=""\n tomatometerScore=""\n type=""\n >\n </discovery-sidebar-item>\n \n <discovery-sidebar-item\n title="Unseen Skies"\n mediaUrl="/m/unseen_skies"\n boxOffice=""\n releaseDate=""\n tomatometerStatus=""\n tomatometerScore=""\n type=""\n >\n </discovery-sidebar-item>\n \n <discovery-sidebar-item\n title="The Take Out Move"\n mediaUrl="/m/the_take_out_move"\n boxOffice=""\n releaseDate=""\n tomatometerStatus=""\n tomatometerScore=""\n type=""\n >\n </discovery-sidebar-item>\n \n <discovery-sidebar-item\n title="The Catholic School"\n mediaUrl="/m/the_catholic_school"\n boxOffice=""\n releaseDate=""\n tomatometerStatus=""\n tomatometerScore=""\n type=""\n >\n </discovery-sidebar-item>\n \n <discovery-sidebar-item\n title="Hell of a Cruise"\n mediaUrl="/m/hell_of_a_cruise"\n boxOffice=""\n releaseDate=""\n tomatometerStatus=""\n tomatometerScore=""\n type=""\n >\n </discovery-sidebar-item>\n \n <discovery-sidebar-item\n title="Broad Peak"\n mediaUrl="/m/broad_peak"\n boxOffice=""\n releaseDate=""\n tomatometerStatus=""\n tomatometerScore=""\n type=""\n >\n </discovery-sidebar-item>\n \n <discovery-sidebar-item\n title="Speak No Evil"\n mediaUrl="/m/speak_no_evil_2022"\n boxOffice=""\n releaseDate="Sep 09"\n tomatometerStatus="fresh"\n tomatometerScore="81"\n type=""\n >\n </discovery-sidebar-item>\n \n <discovery-sidebar-item\n title="How Dark They Prey"\n mediaUrl="/m/how_dark_they_prey"\n boxOffice=""\n releaseDate=""\n tomatometerStatus=""\n tomatometerScore=""\n type=""\n >\n </discovery-sidebar-item>\n \n <discovery-sidebar-item\n title="Liss Pereira: Adulting"\n mediaUrl="/m/liss_pereira_adulting"\n boxOffice=""\n releaseDate=""\n tomatometerStatus=""\n tomatometerScore=""\n type=""\n >\n </discovery-sidebar-item>\n \n <discovery-sidebar-item\n title="Confess, Fletch"\n mediaUrl="/m/confess_fletch"\n boxOffice=""\n releaseDate="Sep 16"\n tomatometerStatus="fresh"\n tomatometerScore="91"\n type=""\n >\n </discovery-sidebar-item>\n \n <discovery-sidebar-item\n title="Goodnight Mommy"\n mediaUrl="/m/goodnight_mommy_2022"\n boxOffice=""\n releaseDate="Sep 14"\n tomatometerStatus=""\n tomatometerScore=""\n type=""\n >\n </discovery-sidebar-item>\n \n </discovery-sidebar-list>\n \n </article>\n \n <article title="TV<br>Shows" value="tv-shows" data-qa="tv-shows-tab-panel">\n \n <discovery-sidebar-list\n title="New TV Tonight"\n detailsUrl="/browse/tv-list-1/"\n data-curation=""\n data-qa="tv-shows-list"\n >\n \n <discovery-sidebar-item\n title="Tell Me Lies"\n mediaUrl="/tv/tell_me_lies"\n boxOffice=""\n releaseDate=""\n tomatometerStatus="fresh"\n tomatometerScore="83"\n type=""\n >\n </discovery-sidebar-item>\n \n <discovery-sidebar-item\n title="Welcome to Wrexham"\n mediaUrl="/tv/welcome_to_wrexham"\n boxOffice=""\n releaseDate=""\n tomatometerStatus="fresh"\n tomatometerScore="90"\n type=""\n >\n </discovery-sidebar-item>\n \n <discovery-sidebar-item\n title="The Handmaid's Tale"\n mediaUrl="/tv/the_handmaids_tale"\n boxOffice=""\n releaseDate=""\n tomatometerStatus="fresh"\n tomatometerScore="82"\n type=""\n >\n </discovery-sidebar-item>\n \n <discovery-sidebar-item\n title="Reservation Dogs"\n mediaUrl="/tv/reservation_dogs"\n boxOffice=""\n releaseDate=""\n tomatometerStatus="fresh"\n tomatometerScore="99"\n type=""\n >\n </discovery-sidebar-item>\n \n <discovery-sidebar-item\n title="Resident Alien"\n mediaUrl="/tv/resident_alien"\n boxOffice=""\n releaseDate=""\n tomatometerStatus="fresh"\n tomatometerScore="94"\n type=""\n >\n </discovery-sidebar-item>\n \n </discovery-sidebar-list>\n \n <discovery-sidebar-list\n title="Most Popular TV on RT"\n detailsUrl="/browse/tv-list-2/"\n data-curation=""\n data-qa="tv-shows-list"\n >\n \n <discovery-sidebar-item\n title="The Lord of the Rings: The Rings of Power"\n mediaUrl="/tv/the_lord_of_the_rings_the_rings_of_power"\n boxOffice=""\n releaseDate=""\n tomatometerStatus="fresh"\n tomatometerScore="84"\n type=""\n >\n </discovery-sidebar-item>\n \n <discovery-sidebar-item\n title="She-Hulk: Attorney at Law"\n mediaUrl="/tv/she_hulk_attorney_at_law"\n boxOffice=""\n releaseDate=""\n tomatometerStatus="fresh"\n tomatometerScore="88"\n type=""\n >\n </discovery-sidebar-item>\n \n <discovery-sidebar-item\n title="House of the Dragon"\n mediaUrl="/tv/house_of_the_dragon"\n boxOffice=""\n releaseDate=""\n tomatometerStatus="fresh"\n tomatometerScore="85"\n type=""\n >\n </discovery-sidebar-item>\n \n <discovery-sidebar-item\n title="Devil in Ohio"\n mediaUrl="/tv/devil_in_ohio"\n boxOffice=""\n releaseDate=""\n tomatometerStatus="rotten"\n tomatometerScore="45"\n type=""\n >\n </discovery-sidebar-item>\n \n <discovery-sidebar-item\n title="Cobra Kai"\n mediaUrl="/tv/cobra_kai"\n boxOffice=""\n releaseDate=""\n tomatometerStatus="fresh"\n tomatometerScore="95"\n type=""\n >\n </discovery-sidebar-item>\n \n </discovery-sidebar-list>\n \n <discovery-sidebar-list\n title="Certified Fresh TV"\n detailsUrl="/browse/tv-list-3/"\n data-curation="rt-sidebar-list-cf-tv"\n data-qa="tv-shows-list"\n >\n \n <discovery-sidebar-item\n title="Only Murders in the Building"\n mediaUrl="/tv/only_murders_in_the_building"\n boxOffice=""\n releaseDate=""\n tomatometerStatus="certified-fresh"\n tomatometerScore="99"\n type=""\n >\n </discovery-sidebar-item>\n \n <discovery-sidebar-item\n title="Dark Winds"\n mediaUrl="/tv/dark_winds"\n boxOffice=""\n releaseDate=""\n tomatometerStatus="certified-fresh"\n tomatometerScore="100"\n type=""\n >\n </discovery-sidebar-item>\n \n </discovery-sidebar-list>\n \n </article>\n \n </discovery-sidebar>\n\n\n <aside class=\'panel-rt\' style="border-bottom:none">\n <div class=\'panel-body\' style="padding:0px;">\n \n \n \n \n \n <aside id="medrec_top_ad" class="medrec_ad " style="width:300px"></aside>\n \n \n <script>\n var mps = mps||{}; mps._queue = mps._queue||{}; mps._queue.gptloaded = mps._queue.gptloaded||[];\n mps._queue.gptloaded.push(function () {\n if (mps.getResponsiveSet() != \'0\') { //DESKTOP or TABLET\n mps.insertAd(\'#medrec_top_ad\',\'topmulti\');\n }\n });\n\n // check for presence of ad via iframe height\n var observer = new MutationObserver((mutationList, observer) => {\n for (var mutation of mutationList) {\n if (mutation.type === \'childList\') {\n var elAdIframe = mutation.target.querySelector(\'iframe\');\n if (Boolean(elAdIframe)) {\n if (Number(elAdIframe.height) > 1) {\n var elAdvertiseWithUsLink = document.querySelector(\'#medrec_top_ad ~ .advertise-with-us-link\');\n elAdvertiseWithUsLink.classList.remove(\'hide\');\n observer.disconnect();\n }\n }\n }\n }\n });\n\n var targetNode = document.getElementById(\'medrec_top_ad\');\n var config = { attributes: true, childList: true, subtree: true };\n observer.observe(targetNode, config);\n </script>\n\n \n <a href="https://together.nbcuni.com/advertise/?utm_source=rotten_tomatoes&utm_medium=referral&utm_campaign=property_ad_pages&utm_content=header" target="_blank" data-qa="header:link-ads" class="advertise-with-us-link hide">Advertise With Us</a>\n \n \n \n\n\n </div>\n </aside>\n \n \n \n \n \n <div id="sponsored_media_sidebar_ad" style="height:0"></div>\n <script>\n var mps = mps||{}; mps._queue = mps._queue||{}; mps._queue.gptloaded = mps._queue.gptloaded||[];\n mps._queue.gptloaded.push(function () {\n if (mps.getResponsiveSet() != \'0\') { //DESKTOP or TABLET\n mps.insertAd(\'#sponsored_media_sidebar_ad\',\'featuredmediadetail\');\n }\n });\n </script>\n\n\n </aside>\n\n <div id="mainColumn" class="col mob col-center-right col-full-xs mop-main-column" data-qa="movie-main-column">\n \n <hero-image\n skeleton="panel"\n >\n \n <button\n slot="content"\n class="trailer_play_action_button"\n data-thumbnail="https://resizing.flixster.com/ZdBAIoWUBANnXl3k8XN6VT5xSbI=/740x380/v2/https://statcdn.fandango.com/MPX/image/NBCU_Fandango/432/335/thumb_4AD7A6EA-169F-408C-9C44-6538D696F733.jpg"\n data-video-id="E14D3BEF-819F-48F0-8331-7F7EFC943994"\n data-title="E.T. the Extra-Terrestrial"\n data-mpx-fwsite="rotten_tomatoes_video_vod"\n >\n <hero-image-poster>\n <img\n fetch-priority="high"\n sizes="(max-width: 767px) 350px, 768px"\n srcset="https://resizing.flixster.com/zEwJFMamIJ_hyt6OD93YkE5mj74=/340x192/v2/https://statcdn.fandango.com/MPX/image/NBCU_Fandango/432/335/thumb_4AD7A6EA-169F-408C-9C44-6538D696F733.jpg 350w, https://resizing.flixster.com/ZdBAIoWUBANnXl3k8XN6VT5xSbI=/740x380/v2/https://statcdn.fandango.com/MPX/image/NBCU_Fandango/432/335/thumb_4AD7A6EA-169F-408C-9C44-6538D696F733.jpg 768w"\n slot="poster"\n />\n <rt-icon-cta-video slot="icon-play" data-qa="play-trailer-btn"></rt-icon-cta-video>\n </hero-image-poster>\n </button>\n \n </hero-image>\n \n\n <div id="topSection">\n \n \n\n <div class="thumbnail-scoreboard-wrap">\n <div class="movie-thumbnail-wrap">\n <div>\n \n <button id="poster_link"\n data-qa="movie-poster-link"\n class="trailer_play_action_button transparent"\n data-title="E.T. the Extra-Terrestrial"\n data-video-id="E14D3BEF-819F-48F0-8331-7F7EFC943994"\n data-mpx-fwsite="rotten_tomatoes_video_vod"\n >\n \n <img\n src="/assets/pizza-pie/images/poster_default.c8c896e70c3.gif"\n alt=""\n class="posterImage js-lazyLoad"\n data-src="https://resizing.flixster.com/HCdoV_NHZ8NRZwH1zw5MDanPOtM=/206x305/v2/https://flxt.tmsimg.com/assets/p10998_p_v8_ao.jpg"\n onerror="this.src=\'https://images.fandango.com/cms/assets/5d84d010-59b1-11ea-b175-791e911be53d--rt-poster-defaultgif.gif\';" />\n \n <div class="playButton playButton--big">\n <div class="playButton__img">\n <span class="sr-only">Watch trailer</span>\n </div>\n </div>\n </button>\n \n\n <critic-add-article\n data-qa="add-article-container"\n emsid="9ac889c9-a513-3596-a647-ab4f4554112f"\n hidden\n mediatype="movie"\n ></critic-add-article>\n </div>\n </div>\n\n\n \n <score-board\n audiencestate="upright"\n audiencescore="72"\n class="scoreboard"\n rating="PG"\n skeleton="panel"\n tomatometerstate="certified-fresh"\n tomatometerscore="99"\n data-qa="score-panel"\n >\n <h1 slot="title" class="scoreboard__title" data-qa="score-panel-movie-title">E.T. the Extra-Terrestrial</h1>\n <p slot="info" class="scoreboard__info">1982, Kids & family/Sci-fi, 1h 55m</p>\n <a slot="critics-count" href="/m/et_the_extraterrestrial/reviews?intcmp=rt-scorecard_tomatometer-reviews" class="scoreboard__link scoreboard__link--tomatometer" data-qa="tomatometer-review-count">139 Reviews</a>\n <a slot="audience-count" href="/m/et_the_extraterrestrial/reviews?type=user&intcmp=rt-scorecard_audience-score-reviews" class="scoreboard__link scoreboard__link--audience" data-qa="audience-rating-count">250,000+ Ratings</a>\n <div slot="sponsorship" id="tomatometer_sponsorship_ad"></div>\n </score-board>\n <div id="tomatometer_sponsorship_ad_script" style="display: none"></div>\n\n \n <script>\n var mps = mps||{}; mps._queue = mps._queue||{}; mps._queue.gptloaded = mps._queue.gptloaded||[];\n mps._queue.gptloaded.push(function () {\n mps.insertAd(\'#tomatometer_sponsorship_ad_script\',\'tomatometer\');\n });\n </script>\n \n </div>\n\n <script id="link-chips-json" type="application/json">{"showAudienceChip":true,"showCriticsChip":true,"showPhotosChip":true,"showVideosChip":true,"audienceReviewsUrl":"/m/et_the_extraterrestrial/reviews?type=user","criticsReviewsUrl":"/m/et_the_extraterrestrial/reviews","photosUrl":"/m/et_the_extraterrestrial/pictures","videosUrl":"/m/et_the_extraterrestrial/trailers"}</script>\n <link-chips-overview-page skeleton="panel" hidden></link-chips-overview-page>\n\n \n <section id="what-to-know" class="what-to-know panel-rt panel-box">\n <h2 class=" panel-heading what-to-know__header">What to know</h2>\n <div class="what-to-know__body">\n <section>\n <h3 class="what-to-know__section-title">\n <score-icon-critic\n size="tiny"\n percentage="hide"\n state="certified-fresh"\n style="display: inline-block"\n ></score-icon-critic>\n <span class="what-to-know__section-title--text">critics consensus</span>\n </h3>\n <p class="what-to-know__section-body">\n <span data-qa="critics-consensus">Playing as both an exciting sci-fi adventure and a remarkable portrait of childhood, Steven Spielberg\'s touching tale of a homesick alien remains a piece of movie magic for young and old.</span>\n <a href="/m/et_the_extraterrestrial/reviews?intcmp=rt-what-to-know_read-critics-reviews">Read critic reviews</a>\n </p>\n </section>\n \n </div>\n </section>\n\n\n\n \n<sponsored-carousel-tracker>\n \n</sponsored-carousel-tracker>\n\n \n <section id="you-might-like" class="dynamic-poster-list recommendations">\n <div class="dynamic-poster-list__sponsored-header">\n <h2 class="panel-heading">You might also like</h2>\n \n \n <a class="header-link" href="/browse/movies_at_home/genres:kids & family,sci_fi,adventure~ratings:pg" data-qa="recomendation-see-more-link">\n See More\n </a>\n \n </div>\n \n <tiles-carousel-responsive skeleton="panel">\n <button slot="scroll-left">\n <rt-icon slot="icon-arrow-left" image icon="left-chevron"></rt-icon>\n </button>\n\n \n <tiles-carousel-responsive-item slot="tile">\n <a href="/m/charlie_and_the_chocolate_factory">\n <tile-dynamic>\n <img\n slot="image"\n data-src="https://resizing.flixster.com/dH8ztaqpTH5WSbGLP_njIvp5Krc=/130x187/v2/https://flxt.tmsimg.com/assets/p36068_p_v8_ag.jpg"\n src="/assets/pizza-pie/images/poster_default.c8c896e70c3.gif"\n class="js-lazyLoad"\n onError="this.onerror=null; this.src=\'/images/poster_default.gif\';"\n />\n <div slot="caption" data-track="scores">\n <div class="score-icon-pair">\n <score-icon-critic\n alignment="left"\n percentage="83"\n size="tiny"\n slot="critic-score"\n state="certified-fresh"\n ></score-icon-critic>\n <score-icon-audience\n alignment="left"\n percentage="51"\n size="tiny"\n slot="audience-score"\n state="spilled"\n ></score-icon-audience>\n </div>\n <span class="p--small">Charlie and the Chocolate Factory</span>\n </div>\n </tile-dynamic>\n </a>\n </tiles-carousel-responsive-item>\n \n <tiles-carousel-responsive-item slot="tile">\n <a href="/m/incredibles">\n <tile-dynamic>\n <img\n slot="image"\n data-src="https://resizing.flixster.com/0t-V0FrdlSD1FiKs1Ey3lDvPPHs=/130x187/v2/https://flxt.tmsimg.com/assets/p35032_p_v8_at.jpg"\n src="/assets/pizza-pie/images/poster_default.c8c896e70c3.gif"\n class="js-lazyLoad"\n onError="this.onerror=null; this.src=\'/images/poster_default.gif\';"\n />\n <div slot="caption" data-track="scores">\n <div class="score-icon-pair">\n <score-icon-critic\n alignment="left"\n percentage="97"\n size="tiny"\n slot="critic-score"\n state="certified-fresh"\n ></score-icon-critic>\n <score-icon-audience\n alignment="left"\n percentage="75"\n size="tiny"\n slot="audience-score"\n state="upright"\n ></score-icon-audience>\n </div>\n <span class="p--small">The Incredibles</span>\n </div>\n </tile-dynamic>\n </a>\n </tiles-carousel-responsive-item>\n \n <tiles-carousel-responsive-item slot="tile">\n <a href="/m/twigson_ties_the_knot">\n <tile-dynamic>\n <img\n slot="image"\n data-src=""\n src="/assets/pizza-pie/images/poster_default.c8c896e70c3.gif"\n class="js-lazyLoad"\n onError="this.onerror=null; this.src=\'/images/poster_default.gif\';"\n />\n <div slot="caption" data-track="scores">\n <div class="score-icon-pair">\n <score-icon-critic\n alignment="left"\n percentage=""\n size="tiny"\n slot="critic-score"\n state=""\n ></score-icon-critic>\n <score-icon-audience\n alignment="left"\n percentage=""\n size="tiny"\n slot="audience-score"\n state=""\n ></score-icon-audience>\n </div>\n <span class="p--small">Twigson Ties the Knot</span>\n </div>\n </tile-dynamic>\n </a>\n </tiles-carousel-responsive-item>\n \n <tiles-carousel-responsive-item slot="tile">\n <a href="/m/wolf-summer">\n <tile-dynamic>\n <img\n slot="image"\n data-src="https://resizing.flixster.com/-zRJ9rkdQ64hea7-PKdEVA1q3Kw=/130x187/v2/https://flxt.tmsimg.com/assets/p3513953_p_v8_ab.jpg"\n src="/assets/pizza-pie/images/poster_default.c8c896e70c3.gif"\n class="js-lazyLoad"\n onError="this.onerror=null; this.src=\'/images/poster_default.gif\';"\n />\n <div slot="caption" data-track="scores">\n <div class="score-icon-pair">\n <score-icon-critic\n alignment="left"\n percentage=""\n size="tiny"\n slot="critic-score"\n state=""\n ></score-icon-critic>\n <score-icon-audience\n alignment="left"\n percentage="43"\n size="tiny"\n slot="audience-score"\n state="spilled"\n ></score-icon-audience>\n </div>\n <span class="p--small">Wolf Summer</span>\n </div>\n </tile-dynamic>\n </a>\n </tiles-carousel-responsive-item>\n \n <tiles-carousel-responsive-item slot="tile">\n <a href="/m/chronicles_of_narnia_lion_witch_wardrobe">\n <tile-dynamic>\n <img\n slot="image"\n data-src="https://resizing.flixster.com/N4tYwPH2tubMB9naCK-2MCO9Iqc=/130x187/v2/https://flxt.tmsimg.com/assets/p90695_p_v8_aj.jpg"\n src="/assets/pizza-pie/images/poster_default.c8c896e70c3.gif"\n class="js-lazyLoad"\n onError="this.onerror=null; this.src=\'/images/poster_default.gif\';"\n />\n <div slot="caption" data-track="scores">\n <div class="score-icon-pair">\n <score-icon-critic\n alignment="left"\n percentage="76"\n size="tiny"\n slot="critic-score"\n state="certified-fresh"\n ></score-icon-critic>\n <score-icon-audience\n alignment="left"\n percentage="61"\n size="tiny"\n slot="audience-score"\n state="upright"\n ></score-icon-audience>\n </div>\n <span class="p--small">The Chronicles of Narnia: The Lion, the Witch and the Wardrobe</span>\n </div>\n </tile-dynamic>\n </a>\n </tiles-carousel-responsive-item>\n \n\n <button slot="scroll-right">\n <rt-icon slot="icon-arrow-right" image icon="right-chevron"></rt-icon>\n </button>\n </tiles-carousel-responsive>\n</section>\n\n \n\n \n <section id="where-to-watch" class="where-to-watch panel-rt panel-box" data-qa="section:where-to-watch">\n <h2 class="panel-heading where-to-watch__header" data-qa="where-to-watch-header">Where to watch</h2>\n\n <bubbles-overflow-container data-curation="rt-affiliates-sort-order">\n \n <where-to-watch-meta\n href="https://www.fandango.com/et-the-extraterrestrial-198120/movie-overview?a=13036"\n affiliate="showtimes"\n skeleton="panel">\n <where-to-watch-bubble\n image="in-theaters"\n slot="bubble"\n tabindex="-1"\n ></where-to-watch-bubble>\n <span slot="license">In Theaters</span>\n </where-to-watch-meta>\n \n \n <where-to-watch-meta\n href="https://www.vudu.com/content/movies/details/ET-The-Extra-Terrestrial/5732?cmp=rt_where_to_watch"\n affiliate="vudu"\n skeleton="panel">\n <where-to-watch-bubble\n image="vudu"\n slot="bubble"\n tabindex="-1"\n ></where-to-watch-bubble>\n <span slot="license">Rent/buy</span>\n <span slot="coverage"></span>\n </where-to-watch-meta>\n \n <where-to-watch-meta\n href="http://www.amazon.com/gp/product/B08DSSBWG6/ref=pv_ag_gcf?cmp=rt_where_to_watch&tag=rottetomao-20"\n affiliate="amazon-prime-video-us"\n skeleton="panel">\n <where-to-watch-bubble\n image="amazon-prime-video-us"\n slot="bubble"\n tabindex="-1"\n ></where-to-watch-bubble>\n <span slot="license">Rent/buy</span>\n <span slot="coverage"></span>\n </where-to-watch-meta>\n \n <where-to-watch-meta\n href="https://itunes.apple.com/us/movie/e-t-the-extra-terrestrial/id544128124?cmp=rt_where_to_watch&itsct=RT&itscg=30200&at=10l9IP"\n affiliate="itunes"\n skeleton="panel">\n <where-to-watch-bubble\n image="itunes"\n slot="bubble"\n tabindex="-1"\n ></where-to-watch-bubble>\n <span slot="license">Rent/buy</span>\n <span slot="coverage"></span>\n </where-to-watch-meta>\n \n </bubbles-overflow-container>\n </section>\n\n\n\n <div id="mobile-movie-image-section" class="pull-left col-full-xs visible-xs" style="text-align:center;"></div>\n \n \n \n \n \n <div id="affiliate_integration_button_ad" style="height:0px;display:none"></div>\n <script>\n var mps = mps||{}; mps._queue = mps._queue||{}; mps._queue.gptloaded = mps._queue.gptloaded||[];\n mps._queue.gptloaded.push(function () {\n if (mps.getResponsiveSet() != \'0\') { //DESKTOP or TABLET\n mps.rt.insertlogo(\'#affiliate_integration_button_ad\', \'ploc=affiliateintegrationbutton;\');\n }\n });\n </script>\n\n\n \n \n \n <div id="rate-and-review-widget" class="rate-and-review-widget__module" data-qa="section:rate-and-review">\n\n <h2 class="rate-and-review-widget__section-heading panel-heading">Rate And Review</h2>\n\n <div class="wts-ratings-group movie-wts-ratings js-wts-ratings-group">\n <button class="js-resubmit-btn rate-and-review-widget__resubmit-btn hide hidden-sm hidden-md hidden-lg">Submit review</button>\n <div class="wts-button__container js-rating_section">\n <button type="button" value="+" class="js-rating-wts-btn button--wts" data-qa="rnr-wts-btn">\n Want to see\n <span class="wts-btn__rating-count js-rating_wts-count" data-qa="rnr-wts-counter"></span>\n </button>\n </div>\n <div id="rating-root" data-movie-id="9ac889c9-a513-3596-a647-ab4f4554112f" data-series-id="" data-season-id="">\n \n <section id="rating-widget-desktop" class="js-rate-review-widget hidden-xs rate-and-review-widget__desktop movie-rating-module" data-qa="rate-and-review-desktop">\n <div class="user-media-rating__component">\n <section class="rate-and-review-widget__container js-rate-and-review-widget-container">\n <div class="rate-and-review-widget review-submitted-message js-review-submitted-message hide">\n <div class="review-submitted-message__review-info js-review-submitted-message__review-info hide">\n <a href="#" class="review-submitted-message__close-review-info js-review-submitted-message__close-review-info"></a>\n </div>\n </div>\n <div class="rate-and-review-widget__review-container">\n <div class="rate-and-review-widget__container-top">\n <button class="js-rating-widget-edit-icon-btn rate-and-review-widget__icon-edit rate-and-review-widget__icon-edit--hidden" data-qa="rnr-edit-btn">Edit</button>\n <div class="js-rating-widget-initial-desktop-stars rate-and-review-widget__stars" data-qa="stars-widget">\n \n \n \n \n <span class="star-display js-star-display js-rating-stars js-satellite " data-fanreviewstarttype="star">\n <span class="star-display__desktop star-display__empty">\n <span class="js-modal-star-widget js-rating-star star-display__overlay star-display__half--left " data-side="left" data-rating-value="0.5" data-title="Oof, that was Rotten." data-qa="rating-star"></span>\n <span class="js-modal-star-widget js-rating-star star-display__overlay star-display__half--right " data-side="right" data-rating-value="1" data-title="Oof, that was Rotten." data-qa="rating-star"></span>\n </span>\n \n <span class="star-display__desktop star-display__empty">\n <span class="js-modal-star-widget js-rating-star star-display__overlay star-display__half--left " data-side="left" data-rating-value="1.5" data-title="Oof, that was Rotten." data-qa="rating-star"></span>\n <span class="js-modal-star-widget js-rating-star star-display__overlay star-display__half--right " data-side="right" data-rating-value="2" data-title="Meh, it passed the time." data-qa="rating-star"></span>\n </span>\n\n <span class="star-display__desktop star-display__empty">\n <span class="js-modal-star-widget js-rating-star star-display__overlay star-display__half--left " data-side="left" data-rating-value="2.5" data-title="Meh, it passed the time." data-qa="rating-star"></span>\n <span class="js-modal-star-widget js-rating-star star-display__overlay star-display__half--right " data-side="right"data-rating-value="3" data-title="Meh, it passed the time." data-qa="rating-star"></span>\n </span>\n\n <span class="star-display__desktop star-display__empty">\n <span class="js-modal-star-widget js-rating-star star-display__overlay star-display__half--left " data-side="left" data-rating-value="3.5" data-title="It\xe2\x80\x99s good \xe2\x80\x93 I\xe2\x80\x99d recommend it." data-qa="rating-star"></span>\n <span class="js-modal-star-widget js-rating-star star-display__overlay star-display__half--right " data-side="right" data-rating-value="4" data-title="Awesome!" data-qa="rating-star"></span>\n </span>\n\n <span class="star-display__desktop star-display__empty">\n <span class="js-modal-star-widget js-rating-star star-display__overlay star-display__half--left " data-side="left" data-rating-value="4.5" data-title="Awesome!" data-qa="rating-star"></span>\n <span class="js-modal-star-widget js-rating-star star-display__overlay star-display__half--right " data-side="right" data-rating-value="5" data-title="So Fresh: Absolute Must See!" data-qa="rating-star"></span>\n </span>\n</span>\n </div>\n <button class="js-resubmit-btn rate-and-review-widget__resubmit-btn hide">Submit review</button>\n <div class="js-rate-and-review-widget-header rate-and-review-widget__header hide">\n <div class="rate-and-review-widget__user-thumbnail">\n <img alt="User image" role="presentation" class="js-rating-widget-user-thumb js-lazyLoad" data-src="/assets/pizza-pie/images/shared/actor.default.tmb.d17de9e26da.gif">\n </div>\n <div class="rate-and-review-widget__user-info" data-qa="rnr-user-info">\n <span class="rate-and-review-widget__username js-rating-widget-username"></span>\n <strong class="super-reviewer-badge super-reviewer-badge--hidden js-rating-widget-super-reviewer">Super Reviewer</strong>\n </div>\n </div>\n </div>\n <div class="rate-and-review-widget__user-comment-area">\n <div class="rate-and-review-widget__comment-box-wrap">\n \n \n \n <textarea class="rate-and-review-widget__textbox-textarea js-rating-textbox-textarea js-satellite" placeholder="What did you think of the movie? (optional)" autocomplete="off" data-fanreviewstarttype="text box" data-qa="rnr-comment-textarea"></textarea>\n <div class="js-rating-widget-reviewed-container rate-and-review-widget__reviewed-container--hidden">\n <div class="rate-and-review-widget__desktop-stars-wrap">\n <div class="rate-and-review-widget__mobile-stars">\n <div id="stars-rating-static-module" class="js-stars-rating-static-container js-satellite stars-rating-static__container stars-rating__container--is-not-rated" aria-label="rating from 0.5 to 5 stars" role="radiogroup" data-current-rating="" data-fanreviewstarttype="star" data-qa="static-stars-rating">\n <span class="icon-star js-star-rating-static" data-rating="0.5" data-message="Oof, that was Rotten." aria-label=".5 stars, Oof, that was Rotten." role="radio" tabindex="0" data-qa="rating-star"></span>\n <span class="icon-star icon-star--full js-star-rating-static" data-rating="1" data-message="Oof, that was Rotten." aria-label="1 stars, Oof, that was Rotten." role="radio" tabindex="0" data-qa="rating-star"></span>\n <span class="icon-star js-star-rating-static" data-rating="1.5" data-message="Oof, that was Rotten." aria-label="1.5 stars, Oof, that was Rotten." role="radio" tabindex="0" data-qa="rating-star"></span>\n <span class="icon-star icon-star--full js-star-rating-static" data-rating="2" data-message="Meh, it passed the time." aria-label="2 stars, Meh, it passed the time" role="radio" tabindex="0" data-qa="rating-star"></span>\n <span class="icon-star js-star-rating-static" data-rating="2.5" data-message="Meh, it passed the time." aria-label="2.5 stars, Meh, it passed the time" role="radio" tabindex="0" data-qa="rating-star"></span>\n <span class="icon-star icon-star--full js-star-rating-static" data-rating="3" data-message="Meh, it passed the time." aria-label="3 stars, Meh, it passed the time" role="radio" tabindex="0" data-qa="rating-star"></span>\n <span class="icon-star js-star-rating-static" data-rating="3.5" data-message="It\xe2\x80\x99s good \xe2\x80\x93 I\xe2\x80\x99d recommend it." aria-label="3.5 stars, It\xe2\x80\x99s good \xe2\x80\x93 I\xe2\x80\x99d recommend it." role="radio" tabindex="0" data-qa="rating-star"></span>\n <span class="icon-star icon-star--full js-star-rating-static" data-rating="4" data-message="Awesome!" aria-label="4 stars, Awesome!" role="radio" tabindex="0" data-qa="rating-star"></span>\n <span class="icon-star js-star-rating-static" data-rating="4.5" data-message="Awesome!" aria-label="4.5 stars, Awesome!" role="radio" tabindex="0" data-qa="rating-star"></span>\n <span class="icon-star icon-star--full js-star-rating-static" data-rating="5" data-message="So Fresh: Absolute Must See!" aria-label="5 stars, So Fresh: Absolute Must See!" role="radio" tabindex="0" data-qa="rating-star"></span>\n</div>\n\n </div>\n <p class="rate-and-review-widget__is-verified js-rating-widget-is-verified hide">Verified</p>\n <p class="rate-and-review-widget__duration-since-rating-creation js-rating-widget-duration-since-rating-creation hide"></p>\n </div>\n <p class="rate-and-review-widget__comment js-rating-widget-comment hide" data-qa="static-comment"></p>\n </div>\n </div>\n </div>\n </div>\n </section>\n </div>\n </section>\n\n <section id="rating-widget-mobile" class="rate-and-review-widget__mobile clearfix" data-qa="rate-and-review-mobile">\n <div class="rate-and-review-widget review-submitted-message js-review-submitted-message hide">\n <div class="review-submitted-message__review-info js-review-submitted-message__review-info hide">\n <a href="#" class="review-submitted-message__close-review-info js-review-submitted-message__close-review-info"></a>\n </div>\n </div>\n <div class="rate-and-review-widget__review-container--mobile">\n <div class="js-rate-and-review-widget-mobile-header rate-and-review-widget__header rate-and-review-widget__mobile-header hide">\n <div class="rate-and-review-widget__user-thumbnail rate-and-review-widget__user-thumbnail">\n <img alt="User image" class="js-rating-widget-user-thumb js-lazyLoad" data-src="/assets/pizza-pie/images/shared/actor.default.tmb.d17de9e26da.gif">\n </div>\n <div class="rate-and-review-widget__user-info" data-qa="rnr-user-info">\n <span class="rate-and-review-widget__mobile-username js-rating-widget-username"></span>\n <strong class="super-reviewer-badge super-reviewer-badge--hidden js-rating-widget-super-reviewer">Super Reviewer</strong>\n </div>\n </div>\n\n <div class="text-center js-rating-widget-mobile-wrap rate-and-review-widget__mobile-stars-wrap">\n <div class="js-rating-widget-mobile-stars-wrap rate-and-review-widget__mobile-stars">\n \n <div id="stars-rating-static-module" class="js-stars-rating-static-container js-satellite stars-rating-static__container stars-rating__container--is-not-rated" aria-label="rating from 0.5 to 5 stars" role="radiogroup" data-current-rating="" data-fanreviewstarttype="star" data-qa="static-stars-rating">\n <span class="icon-star star-rating-static__mobile js-star-rating-static" data-rating="0.5" data-message="Oof, that was Rotten." aria-label=".5 stars, Oof, that was Rotten." role="radio" tabindex="0" data-qa="rating-star"></span>\n <span class="icon-star icon-star--full star-rating-static__mobile js-star-rating-static" data-rating="1" data-message="Oof, that was Rotten." aria-label="1 stars, Oof, that was Rotten." role="radio" tabindex="0" data-qa="rating-star"></span>\n <span class="icon-star star-rating-static__mobile js-star-rating-static" data-rating="1.5" data-message="Oof, that was Rotten." aria-label="1.5 stars, Oof, that was Rotten." role="radio" tabindex="0" data-qa="rating-star"></span>\n <span class="icon-star icon-star--full star-rating-static__mobile js-star-rating-static" data-rating="2" data-message="Meh, it passed the time." aria-label="2 stars, Meh, it passed the time" role="radio" tabindex="0" data-qa="rating-star"></span>\n <span class="icon-star star-rating-static__mobile js-star-rating-static" data-rating="2.5" data-message="Meh, it passed the time." aria-label="2.5 stars, Meh, it passed the time" role="radio" tabindex="0" data-qa="rating-star"></span>\n <span class="icon-star icon-star--full star-rating-static__mobile js-star-rating-static" data-rating="3" data-message="Meh, it passed the time." aria-label="3 stars, Meh, it passed the time" role="radio" tabindex="0" data-qa="rating-star"></span>\n <span class="icon-star star-rating-static__mobile js-star-rating-static" data-rating="3.5" data-message="It\xe2\x80\x99s good \xe2\x80\x93 I\xe2\x80\x99d recommend it." aria-label="3.5 stars, It\xe2\x80\x99s good \xe2\x80\x93 I\xe2\x80\x99d recommend it." role="radio" tabindex="0" data-qa="rating-star"></span>\n <span class="icon-star icon-star--full star-rating-static__mobile js-star-rating-static" data-rating="4" data-message="Awesome!" aria-label="4 stars, Awesome!" role="radio" tabindex="0" data-qa="rating-star"></span>\n <span class="icon-star star-rating-static__mobile js-star-rating-static" data-rating="4.5" data-message="Awesome!" aria-label="4.5 stars, Awesome!" role="radio" tabindex="0" data-qa="rating-star"></span>\n <span class="icon-star icon-star--full star-rating-static__mobile js-star-rating-static" data-rating="5" data-message="So Fresh: Absolute Must See!" aria-label="5 stars, So Fresh: Absolute Must See!" role="radio" tabindex="0" data-qa="rating-star"></span>\n</div>\n\n </div>\n <p class="rate-and-review-widget__is-verified js-rating-widget-is-verified hide">Verified</p>\n <p class="rate-and-review-widget__duration-since-rating-creation js-rating-widget-duration-since-rating-creation hide"></p>\n </div>\n\n <div class="rate-and-review-widget__mobile-comment js-rating-widget-comment hide" data-qa="static-comment"></div>\n </div>\n <button\n type="button"\n value="+"\n class="rate-and-review-widget__mobile-edit-btn hide js-edit-review-mobile-btn js-edit-review-btn"\n data-fanreviewstarttype="edit"\n data-qa="rnr-edit-btn"\n >\n Edit\n </button>\n </section>\n \n\n <aside class="rate-and-review rate-and-review--hidden multi-page-modal js-multi-page-modal" data-qa="rnr-form-review"></aside>\n <ul class="rate-and-review multi-page-modal multi-page-modal-content-wrap">\n <li id="rate-and-review-submission">\n <header class="multi-page-modal__header">\n <div class="userInfo__group">\n <div class="userInfo__image-group">\n <img\n alt="User image"\n class="js-rating-widget-user-thumb userInfo__image"\n width="44px"\n height="44px"\n src="/assets/pizza-pie/images/shared/actor.default.tmb.d17de9e26da.gif"\n data-revealed="true"\n >\n </div>\n <div class="userInfo__name-group">\n <h3 class="userInfo__name js-rating-widget-username"></h3>\n <p class="userInfo__superReviewer js-rating-widget-super-reviewer super-reviewer-badge super-reviewer-badge--hidden">Super Reviewer</p>\n </div>\n <button class="js-close-multi-page-modal multi-page-modal__close" data-step="review"></button>\n </div>\n </header>\n\n <div class="rate-and-review__body multi-page-modal__body">\n <div class="rate-and-review__submission-group">\n <div id="stars-rating-module" class="stars-rating__container stars-rating__container--is-not-rated" aria-label="rating from 0.5 to 5 stars" role="radiogroup" data-current-rating="">\n <div class="stars-rating__msg-group">\n <p class="stars-rating__msg js-star-rating-message" data-star-upper-threshold="0" data-star-lower-threshold="0">Rate this movie</p>\n <p class="stars-rating__msg js-star-rating-message" data-star-upper-threshold="1.5" data-star-lower-threshold="0.5">Oof, that was Rotten.</p>\n <p class="stars-rating__msg js-star-rating-message" data-star-upper-threshold="3" data-star-lower-threshold="2">Meh, it passed the time.</p>\n <p class="stars-rating__msg js-star-rating-message" data-star-upper-threshold="3.5" data-star-lower-threshold="3.5">It\xe2\x80\x99s good \xe2\x80\x93 I\xe2\x80\x99d recommend it.</p>\n <p class="stars-rating__msg js-star-rating-message" data-star-upper-threshold="4.5" data-star-lower-threshold="4">Awesome!</p>\n <p class="stars-rating__msg js-star-rating-message" data-star-upper-threshold="5" data-star-lower-threshold="5">So Fresh: Absolute Must See!</p>\n </div>\n\n <span class="stars-rating__tooltip js-stars-rating-tooltip" data-text=" NEW! Tap, hold and swipe to select a rating."></span>\n\n <div class="stars-rating__stars-group js-stars-rating-group">\n <span class="icon-star icon-star--half js-star-rating-draggable" data-rating="0.5" data-message="Oof, that was Rotten." aria-label=".5 stars, Oof, that was Rotten." role="radio" tabindex="0" data-qa="rating-star"></span>\n <span class="icon-star icon-star--full js-star-rating-draggable" data-rating="1" data-message="Oof, that was Rotten." aria-label="1 stars, Oof, that was Rotten." role="radio" tabindex="0" data-qa="rating-star"></span>\n <span class="icon-star icon-star--half js-star-rating-draggable" data-rating="1.5" data-message="Oof, that was Rotten." aria-label="1.5 stars, Oof, that was Rotten." role="radio" tabindex="0" data-qa="rating-star"></span>\n <span class="icon-star icon-star--full js-star-rating-draggable" data-rating="2" data-message="Meh, it passed the time." aria-label="2 stars, Meh, it passed the time" role="radio" tabindex="0" data-qa="rating-star"></span>\n <span class="icon-star icon-star--half js-star-rating-draggable" data-rating="2.5" data-message="Meh, it passed the time." aria-label="2.5 stars, Meh, it passed the time" role="radio" tabindex="0" data-qa="rating-star"></span>\n <span class="icon-star icon-star--full js-star-rating-draggable" data-rating="3" data-message="Meh, it passed the time." aria-label="3 stars, Meh, it passed the time" role="radio" tabindex="0" data-qa="rating-star"></span>\n <span class="icon-star icon-star--half js-star-rating-draggable" data-rating="3.5" data-message="It\xe2\x80\x99s good \xe2\x80\x93 I\xe2\x80\x99d recommend it." aria-label="3.5 stars, It\xe2\x80\x99s good \xe2\x80\x93 I\xe2\x80\x99d recommend it." role="radio" tabindex="0" data-qa="rating-star"></span>\n <span class="icon-star icon-star--full js-star-rating-draggable" data-rating="4" data-message="Awesome!" aria-label="4 stars, Awesome!" role="radio" tabindex="0" data-qa="rating-star"></span>\n <span class="icon-star icon-star--half js-star-rating-draggable" data-rating="4.5" data-message="Awesome!" aria-label="4.5 stars, Awesome!" role="radio" tabindex="0" data-qa="rating-star"></span>\n <span class="icon-star icon-star--full js-star-rating-draggable" data-rating="5" data-message="So Fresh: Absolute Must See!" aria-label="5 stars, So Fresh: Absolute Must See!" role="radio" tabindex="0" data-qa="rating-star"></span>\n </div>\n</div>\n \n <div class="js-rate-and-review-textarea-group rate-and-review__textarea-group rate-and-review__textarea-group--hidden">\n <h3 class="js-rate-and-review-textarea-header rate-and-review__textarea-header">What did you think of the movie? <span>(optional)</span></h3>\n <div class="rate-and-review__textarea textarea-with-counter">\n <textarea class="js-textarea-with-counter-text textarea-with-counter__text" placeholder="Your review helps others find great movies and shows to watch. Please share your honest experience on what you liked or disliked." data-qa="rnr-comment-textarea"></textarea>\n </div>\n </div>\n <div class="rate-and-review__submit-btn-container">\n \n <button class="js-next-submit-btn rate-and-review__submit-btn" disabled data-qa="rnr-submit-btn">Submit</button>\n \n </div>\n </div>\n</li>\n\n <li id="interstitial">\n <header class="interstitial__header">\n <button class="js-close-multi-page-modal multi-page-modal__close" data-step="interstitial"></button>\n <div class="interstitial__steps-container">\n <span class="interstitial__circle interstitial__circle--check js-interstitial__circle--check js-interstitial__light-color interstitial-color-transition"></span>\n <hr class="interstitial__line js-interstitial__main-color" />\n <span class="interstitial__circle interstitial__circle--two js-interstitial__circle--two js-interstitial__main-color interstitial-color-transition"></span>\n </div>\n <hr class="interstitial__section-divider js-interstitial__main-color" />\n </header>\n <div class="interstitial__body multi-page-modal__body">\n <p class="interstitial__description js-interstitial__main-color interstitial-color-transition">You're almost there! Just confirm how you got your ticket.</p>\n <img class="js-interstitial-image" alt="" />\n <p class="js-interstitial__main-color js-interstitial-explanation interstitial-explanation interstitial-color-transition"></p>\n <button class="js-continue-btn interstitial__continue-btn button--link">Continue</button>\n </div>\n</li>\n <li id="vas-submission">\n <header class="multi-page-modal__header js-rate-and-review-modal-header">\n <div class="userInfo__group">\n <div class="userInfo__image-group">\n <img alt="User image"\n class="js-rating-widget-user-thumb userInfo__image"\n width="44px"\n height="44px"\n src="/assets/pizza-pie/images/shared/actor.default.tmb.d17de9e26da.gif"\n data-revealed="true"\n >\n </div>\n <div class="userInfo__name-group">\n <h3 class="userInfo__name js-rating-widget-username"></h3>\n <p class="userInfo__superReviewer js-rating-widget-super-reviewer super-reviewer-badge super-reviewer-badge--hidden">Super Reviewer</p>\n </div>\n </div>\n <button class="js-close-multi-page-modal multi-page-modal__close" data-step="verify"></button>\n </header>\n <div class="verify-ticket__body multi-page-modal__body">\n <div class="verify-ticket__content-button-container">\n <div class="js-verify-ticket-content verify-ticket__content">\n <p class="multi-page-modal__step">Step 2 of 2</p>\n <h3 class="verify-ticket__header">How did you buy your ticket?</h3>\n <h4 class="verify-ticket__subHeader">Let\'s get your review verified.</h4>\n <div class="verify-ticket__theaters">\n <ul class="verify-ticket__desktop-left-theater-container">\n \n \n <li class="js-verified-ticket-vendor verify-ticket__theater rt-dropdown__providers--fandango" data-vendor="FANDANGO" tabindex="0">\n <p class="verify-ticket__theater-name">Fandango\n \n </p>\n \n </li>\n \n \n \n <li class="js-verified-ticket-vendor verify-ticket__theater rt-dropdown__providers--amc" data-vendor="AMC" tabindex="0">\n <p class="verify-ticket__theater-name">AMCTheatres.com or AMC App<span class="js-verified-ticket-new-tag verify-ticket__tag--new">New</span></p>\n \n <div class="js-verified-ticket-input-message-container verify-ticket__input-message-container">\n <label class="js-verified-ticket-disclaimer">Enter your Ticket Confirmation# located in your email.<a class="verified-ticket__help-btn--amc js-amc-help-btn">More Info</a>\n </label>\n <div class="verify-ticket__numerical-input-container">\n <input type="tel" pattern="[0-9]*" name="amc_confirmation_number" placeholder="1234567890" class="js-verify-ticket-number-input verify-ticket__number-input">\n <button class="js-verify-ticket-cancel-btn verify-ticket__cancel-btn hide"></button>\n </div>\n <p class="js-verify-ticket-input-error-message verify-ticket__input-error-message hide"></p>\n </div>\n \n </li>\n \n \n \n <li class="js-verified-ticket-vendor verify-ticket__theater rt-dropdown__providers--cinemark" data-vendor="" tabindex="0">\n <p class="verify-ticket__theater-name">Cinemark\n \n <span class="verify-ticket__tag">Coming Soon</span>\n \n </p>\n \n <p class="js-verified-ticket-disclaimer verify-ticket__disclaimer">We won\xe2\x80\x99t be able to verify your ticket today, but it\xe2\x80\x99s great to know for the future.</p>\n \n </li>\n \n \n </ul>\n <ul class="verify-ticket__desktop-right-theater-container">\n \n <li class="js-verified-ticket-vendor verify-ticket__theater rt-dropdown__providers--regal" data-vendor="" tabindex="0">\n <p class="verify-ticket__theater-name">Regal\n \n <span class="verify-ticket__tag">Coming Soon</span>\n \n </p>\n \n <p class="js-verified-ticket-disclaimer verify-ticket__disclaimer">We won\xe2\x80\x99t be able to verify your ticket today, but it\xe2\x80\x99s great to know for the future.</p>\n \n </li>\n \n <li class="js-verified-ticket-vendor verify-ticket__theater " data-vendor="" tabindex="0">\n <p class="verify-ticket__theater-name">Theater box office or somewhere else\n \n </p>\n \n </li>\n \n </ul>\n </div>\n </div>\n <div class="verify-ticket__button-disclaimer-group js-verify-btn-group">\n <button class="js-submit-review verify-ticket__submit-btn">Submit</button>\n <p class="js-verify-ticket-legal verify-ticket__legal hide">By opting to have your ticket verified for this movie, you are allowing us to check the email address associated with your Rotten Tomatoes account against an email address associated with a Fandango ticket purchase for the same movie.</p>\n </div>\n </div>\n <div class="js-verify-ticket-interstitial-container-desktop verify-ticket__interstitial-sequence_container-desktop">\n <h3>You\'re almost there! Just confirm how you got your ticket.</h3>\n <div class="verify-ticket-ticket__interstitial-desktop-step-container verify-ticket-ticket__interstitial-desktop-red-step-container">\n <img src="">\n <p></p>\n </div>\n <div class=" verify-ticket-ticket__interstitial-desktop-step-container verify-ticket-ticket__interstitial-desktop-green-step-container">\n <img src="">\n <p></p>\n </div>\n <div class="verify-ticket-ticket__interstitial-desktop-step-container verify-ticket-ticket__interstitial-desktop-blue-step-container">\n <img src="">\n <p></p>\n </div>\n </div>\n </div>\n</li>\n\n <li id="edit-review-submission">\n <header class="multi-page-modal__header js-rate-and-review-modal-header">\n <div class="userInfo__group">\n <div class="userInfo__image-group">\n <img alt="User image"\n class="js-rating-widget-user-thumb userInfo__image"\n width="44px"\n height="44px"\n src="/assets/pizza-pie/images/shared/actor.default.tmb.d17de9e26da.gif"\n >\n </div>\n <div class="userInfo__name-group">\n <h3 class="userInfo__name js-rating-widget-username"></h3>\n <p class="userInfo__superReviewer js-rating-widget-super-reviewer super-reviewer-badge super-reviewer-badge--hidden">Super Reviewer</p>\n </div>\n </div>\n <button class="js-close-multi-page-modal multi-page-modal__close" data-step="review" data-flow="edit"></button>\n </header>\n\n <div class="edit-review__body multi-page-modal__body">\n <div class="edit-review__submission-group">\n <div id="stars-rating-module" class="stars-rating__container stars-rating__container--is-not-rated" aria-label="rating from 0.5 to 5 stars" role="radiogroup" data-current-rating="">\n <div class="stars-rating__msg-group">\n <p class="stars-rating__msg js-star-rating-message" data-star-upper-threshold="0" data-star-lower-threshold="0">Rate this movie</p>\n <p class="stars-rating__msg js-star-rating-message" data-star-upper-threshold="1.5" data-star-lower-threshold="0.5">Oof, that was Rotten.</p>\n <p class="stars-rating__msg js-star-rating-message" data-star-upper-threshold="3" data-star-lower-threshold="2">Meh, it passed the time.</p>\n <p class="stars-rating__msg js-star-rating-message" data-star-upper-threshold="3.5" data-star-lower-threshold="3.5">It\xe2\x80\x99s good \xe2\x80\x93 I\xe2\x80\x99d recommend it.</p>\n <p class="stars-rating__msg js-star-rating-message" data-star-upper-threshold="4.5" data-star-lower-threshold="4">Awesome!</p>\n <p class="stars-rating__msg js-star-rating-message" data-star-upper-threshold="5" data-star-lower-threshold="5">So Fresh: Absolute Must See!</p>\n </div>\n\n <span class="stars-rating__tooltip js-stars-rating-tooltip" data-text=" NEW! Tap, hold and swipe to select a rating."></span>\n\n <div class="stars-rating__stars-group js-stars-rating-group">\n <span class="icon-star icon-star--half js-star-rating-draggable" data-rating="0.5" data-message="Oof, that was Rotten." aria-label=".5 stars, Oof, that was Rotten." role="radio" tabindex="0" data-qa="rating-star"></span>\n <span class="icon-star icon-star--full js-star-rating-draggable" data-rating="1" data-message="Oof, that was Rotten." aria-label="1 stars, Oof, that was Rotten." role="radio" tabindex="0" data-qa="rating-star"></span>\n <span class="icon-star icon-star--half js-star-rating-draggable" data-rating="1.5" data-message="Oof, that was Rotten." aria-label="1.5 stars, Oof, that was Rotten." role="radio" tabindex="0" data-qa="rating-star"></span>\n <span class="icon-star icon-star--full js-star-rating-draggable" data-rating="2" data-message="Meh, it passed the time." aria-label="2 stars, Meh, it passed the time" role="radio" tabindex="0" data-qa="rating-star"></span>\n <span class="icon-star icon-star--half js-star-rating-draggable" data-rating="2.5" data-message="Meh, it passed the time." aria-label="2.5 stars, Meh, it passed the time" role="radio" tabindex="0" data-qa="rating-star"></span>\n <span class="icon-star icon-star--full js-star-rating-draggable" data-rating="3" data-message="Meh, it passed the time." aria-label="3 stars, Meh, it passed the time" role="radio" tabindex="0" data-qa="rating-star"></span>\n <span class="icon-star icon-star--half js-star-rating-draggable" data-rating="3.5" data-message="It\xe2\x80\x99s good \xe2\x80\x93 I\xe2\x80\x99d recommend it." aria-label="3.5 stars, It\xe2\x80\x99s good \xe2\x80\x93 I\xe2\x80\x99d recommend it." role="radio" tabindex="0" data-qa="rating-star"></span>\n <span class="icon-star icon-star--full js-star-rating-draggable" data-rating="4" data-message="Awesome!" aria-label="4 stars, Awesome!" role="radio" tabindex="0" data-qa="rating-star"></span>\n <span class="icon-star icon-star--half js-star-rating-draggable" data-rating="4.5" data-message="Awesome!" aria-label="4.5 stars, Awesome!" role="radio" tabindex="0" data-qa="rating-star"></span>\n <span class="icon-star icon-star--full js-star-rating-draggable" data-rating="5" data-message="So Fresh: Absolute Must See!" aria-label="5 stars, So Fresh: Absolute Must See!" role="radio" tabindex="0" data-qa="rating-star"></span>\n </div>\n</div>\n <h3 class="js-rate-and-review-textarea-header edit-review__textarea-header">What did you think of the movie? <span>(optional)</span></h3>\n <div class="js-rate-and-review-textarea-group edit-review__textarea-group">\n <div class="edit-review__textarea textarea-with-counter">\n <textarea class="js-textarea-with-counter-text textarea-with-counter__text" placeholder="Your review helps others find great movies and shows to watch. Please share your honest experience on what you liked or disliked." data-qa="rnr-comment-textarea"></textarea>\n </div>\n </div>\n \n </div>\n \n </div>\n <div class="edit-review__submit-btn-container js-verify-btn-group">\n <button id="edit-review-submit" class="edit-review__submit-btn" data-qa="rnr-submit-btn">Submit</button>\n </div>\n</li>\n\n <li id="edit-vas-submission">\n <header class="multi-page-modal__header js-rate-and-review-modal-header">\n <button class="js-back-multi-page-modal multi-page-modal__back"></button>\n <button class="js-close-multi-page-modal multi-page-modal__close" data-step="verify"></button>\n </header>\n <div class="edit-verify-ticket__body verify-ticket__body multi-page-modal__body">\n <div class="js-verify-ticket-content verify-ticket__content">\n <h3 class="js-verify-ticket-header verify-ticket__header">How did you buy your ticket?</h3>\n <ul class="verify-ticket__theaters">\n \n \n <li class="js-verified-ticket-vendor verify-ticket__theater rt-dropdown__providers--fandango" data-vendor="FANDANGO" tabindex="0">\n <p class="verify-ticket__theater-name">Fandango\n \n </p>\n \n </li>\n \n \n \n <li class="js-verified-ticket-vendor verify-ticket__theater rt-dropdown__providers--amc" data-vendor="AMC" tabindex="0">\n <p class="verify-ticket__theater-name">AMCTheatres.com or AMC App<span class="js-verified-ticket-new-tag verify-ticket__tag--new">New</span></p>\n \n <div class="js-verified-ticket-input-message-container verify-ticket__input-message-container">\n <label class="js-verified-ticket-disclaimer">Enter your Ticket Confirmation# located in your email.<a class="verified-ticket__help-btn--amc js-amc-help-btn">More Info</a>\n </label>\n <div class="verify-ticket__numerical-input-container">\n <input type="tel" pattern="[0-9]*" name="amc_confirmation_number" placeholder="1234567890" class="js-verify-ticket-number-input verify-ticket__number-input">\n <button class="js-verify-ticket-cancel-btn verify-ticket__cancel-btn hide"></button>\n </div>\n <p class="js-verify-ticket-input-error-message verify-ticket__input-error-message hide"></p>\n </div>\n \n </li>\n \n \n \n <li class="js-verified-ticket-vendor verify-ticket__theater rt-dropdown__providers--cinemark" data-vendor="" tabindex="0">\n <p class="verify-ticket__theater-name">Cinemark\n \n <span class="verify-ticket__tag">Coming Soon</span>\n \n </p>\n \n <p class="js-verified-ticket-disclaimer verify-ticket__disclaimer">We won\xe2\x80\x99t be able to verify your ticket today, but it\xe2\x80\x99s great to know for the future.</p>\n \n </li>\n \n \n \n <li class="js-verified-ticket-vendor verify-ticket__theater rt-dropdown__providers--regal" data-vendor="" tabindex="0">\n <p class="verify-ticket__theater-name">Regal\n \n <span class="verify-ticket__tag">Coming Soon</span>\n \n </p>\n \n <p class="js-verified-ticket-disclaimer verify-ticket__disclaimer">We won\xe2\x80\x99t be able to verify your ticket today, but it\xe2\x80\x99s great to know for the future.</p>\n \n </li>\n \n \n \n <li class="js-verified-ticket-vendor verify-ticket__theater " data-vendor="" tabindex="0">\n <p class="verify-ticket__theater-name">Theater box office or somewhere else\n \n </p>\n \n </li>\n \n \n </ul>\n </div>\n <div class="js-verify-btn-group edit-review__vas-btn-disclaimer-container">\n <button class="js-submit-review verify-ticket__submit-btn">Submit</button>\n <p class="js-verify-ticket-legal verify-ticket__legal hide">By opting to have your ticket verified for this movie, you are allowing us to check the email address associated with your Rotten Tomatoes account against an email address associated with a Fandango ticket purchase for the same movie.</p>\n </div>\n </div>\n</li>\n\n \n <li id="submit-review-alert">\n <aside class="js-multi-page-modal__sub-modal multi-page-modal__sub-modal-overlay submit-review-alert__sub-modal-overlay">\n <div class="multi-page-modal__sub-modal-content">\n <div class="multi-page-modal__sub-modal-body">\n <h3 class="multi-page-modal__sub-modal-title">You haven\xe2\x80\x99t finished your review yet, want to submit as-is?</h3>\n <p>You can always edit your review after.</p>\n </div>\n <div class="multi-page-modal__sub-modal-btn-group">\n <button class="js-submit-review-without-verification">Submit & exit</button>\n <button id="remove-review" class="button--outline">Remove review</button>\n </div>\n </div>\n </aside>\n</li>\n <li id="verify-ticket-alert">\n <aside class="js-multi-page-modal__sub-modal multi-page-modal__sub-modal-overlay verify-ticket-alert__sub-modal-overlay">\n <div class="multi-page-modal__sub-modal-content">\n <div class="multi-page-modal__sub-modal-body">\n <h3 class="multi-page-modal__sub-modal-title">Are you sure?</h3>\n <p>Verified reviews are considered more trustworthy by fellow moviegoers.</p>\n </div>\n <div class="multi-page-modal__sub-modal-btn-group">\n <button class="js-submit-review-without-verification">Submit & exit</button>\n <button id="verify-ticket" class="button--outline">Verify Ticket</button>\n </div>\n </div>\n </aside>\n</li>\n <li id="discard-review-change-alert">\n <aside class="js-multi-page-modal__sub-modal multi-page-modal__sub-modal-overlay verify-ticket-alert__sub-modal-overlay">\n <div class="multi-page-modal__sub-modal-content">\n <div class="multi-page-modal__sub-modal-body">\n <h3 class="multi-page-modal__sub-modal-title">Want to submit changes to your review before closing?</h3>\n </div>\n <div class="multi-page-modal__sub-modal-btn-group">\n <button class="js-submit-review">Submit</button>\n <button id="discard-review" class="button--outline">Discard changes</button>\n </div>\n </div>\n </aside>\n</li>\n</ul>\n\n <aside class="js-rating-submit-drawer-initial-review rating-submit-drawer mobile-drawer">\n <div class="js-mobile-drawer-backdrop-close-btn mobile-drawer__backdrop"></div>\n <div class="mobile-drawer__content">\n <div class="mobile-drawer__header">\n <div class="rating-submit-drawer__icon"></div>\n </div>\n <div class="mobile-drawer__body-content-group">\n <div class="mobile-drawer__body">\n <h2 class=" rating-submit-drawer__title" tabindex="0">Done Already? A few more words can help others decide if it\'s worth watching</h2>\n <p class="rating-submit-drawer__copy" tabindex="0">They won\'t be able to see your review if you only submit your rating.</p>\n </div>\n <div class="mobile-drawer__btn-group">\n <button class="js-submit-only-rating-btn rating-submit-drawer__footer--submit-only-rating-btn">Submit only my rating</button>\n <button class="js-keep-writing-btn button--outline rating-submit-drawer__button--keep-writing">Keep writing</button>\n </div>\n </div>\n </div>\n</aside>\n\n <aside class="js-rating-submit-drawer-edit-review rating-submit-drawer mobile-drawer">\n <div class="js-mobile-drawer-backdrop-close-btn mobile-drawer__backdrop"></div>\n <div class="mobile-drawer__content">\n <div class="mobile-drawer__header">\n <div class="rating-submit-drawer__icon"></div>\n </div>\n <div class="mobile-drawer__body-content-group">\n <div class="mobile-drawer__body">\n <h2 class=" rating-submit-drawer__title" tabindex="0">Done Already? A few more words can help others decide if it\'s worth watching</h2>\n <p class="rating-submit-drawer__copy" tabindex="0">They won\'t be able to see your review if you only submit your rating.</p>\n </div>\n <div class="mobile-drawer__btn-group">\n <button class="js-discard-changes-btn button rating-submit-drawer__footer--discard-changes-btn">Discard changes & exit</button>\n <button class="js-submit-only-rating-btn rating-submit-drawer__footer--submit-only-rating-btn">Submit only my rating</button>\n <button class="js-keep-writing-btn button--outline rating-submit-drawer__button--keep-writing">Keep writing</button>\n </div>\n </div>\n </div>\n</aside>\n\n <aside class="js-rating-submission-message-drawer mobile-drawer mobile-drawer--responsive">\n <div class="js-mobile-drawer-backdrop-close-btn mobile-drawer__backdrop"></div>\n <div class="mobile-drawer__content">\n <button class="js-mobile-drawer-backdrop-close-btn mobile-drawer__close-btn button--link"></button>\n <div class="mobile-drawer__body-content-group">\n <div class="mobile-drawer__body">\n <div class="submission-drawer__icon"></div>\n <h3 class="submission-drawer__title js-rating-submission-header"></h3>\n <p class="submission-drawer__copy js-rating-submission-body"></p>\n <a class="submission-drawer__social-share submission-drawer__facebook-share js-submission-drawer-facebook-link hide" target="_blank">\n <span class="submission-drawer__facebook-icon"></span>\n <span>Share with Facebook</span>\n </a>\n <a class="submission-drawer__social-share submission-drawer__twitter-share js-submission-drawer-twitter-link hide" target="_blank">\n <span class="submission-drawer__twitter-icon"></span>\n <span>Share with Twitter</span>\n </a>\n </div>\n </div>\n </div>\n</aside>\n\n <aside class="js-amc-help-drawer mobile-drawer mobile-drawer--responsive">\n <div class="js-mobile-drawer-backdrop-close-btn mobile-drawer__backdrop"></div>\n <div class="mobile-drawer__content amc-help-drawer__content">\n <button class="js-mobile-drawer-backdrop-close-btn mobile-drawer__close-btn button--link"></button>\n <div class="mobile-drawer__body-content-group">\n <p class="sr-only">\n The image is an example of a ticket confirmation email that AMC sent you when you purchased your ticket. Your Ticket Confirmation # is located under the header in your email that reads "Your Ticket Reservation Details". Just below that it reads "Ticket Confirmation#:" followed by a 10-digit number. This 10-digit number is your confirmation number.\n </p>\n <p class="amc-help-drawer__copy">\n Your AMC Ticket Confirmation# can be found in your order confirmation email.\n </p>\n <img class="amc-help-drawer__icon" src="/assets/pizza-pie/images/amc_help_icon.986b4076eb0.png"\n alt="Picture of a phone screen with the AMC ticket confirmation email.\n The header reads: \'Your Ticket Reservation Details\'. The line below\n it reads: \'Ticket Confirmation#\' followed by a ten-digit number. The\n ten-digit number is your ticket confirmation number. ">\n </div>\n </div>\n</aside>\n\n </div>\n </div>\n </div>\n\n\n \n\n <section class="user-rating-error js-user-rating-error hide">\n <button href="#" class="user-rating-error__close-button js-user-rating-error-close-button"></button>\n <h3 class="user-rating-error__header js-user-rating-error-header"></h3>\n <div class="user-rating-error__body js-user-rating-error-text"></div>\n </section>\n </div>\n\n \n \n \n \n \n \n \n <aside id="interscroller_ad" class="interscroller_ad visible-xs center mobile-interscroller " style="width:300px"></aside>\n <script>\n var mps = mps || {};\n mps._queue = mps._queue || {};\n mps._queue.gptloaded = mps._queue.gptloaded || [];\n mps._queue.adload = mps._queue.adload || [];\n\n mps._queue.gptloaded.push(function() {\n if (mps.getResponsiveSet() ==\'0\') { //MOBILE\n mps.insertAd(\'#interscroller_ad\',\'interscroller\');\n }\n });\n mps._queue.adload.push(function(eo) {\n if (eo._mps._slot === \'interscroller\' && eo.isEmpty) {\n document.querySelector(\'.mobile-interscroller\').classList.add(\'isEmpty\');\n }\n });\n </script>\n\n\n\n \n\n \n<section id="movie-videos-panel" class="panel panel-rt panel-box" data-qa="videos-section">\n \n <h2 class="panel-heading" data-qa="videos-section-title">\n \n <em>E.T. the Extra-Terrestrial</em>\n \n\n \n Videos\n </h2>\n <div class="panel-body content_body allow-overflow">\n <div id="videos-carousel-root" data-qa="videos-carousel">\n <div class="Carousel VideosCarousel">\n \n <div>\n <div class="VideosCarousel__item">\n <a\n class="VideosCarousel__item-link trailer_play_action_button"\n data-no-ads="false"\n data-video-id="E14D3BEF-819F-48F0-8331-7F7EFC943994"\n data-title="E.T. the Extra-Terrestrial: IMAX Re-Release Trailer"\n data-mpx-fwsite="rotten_tomatoes_video_vod"\n data-qa="video-trailer-play-btn"\n >\n <div class="VideosCarousel__image-container">\n \n <img src="/assets/pizza-pie/images/video.default.cf010a946e9.jpg" role="presentation" class="VideosCarousel__image js-lazyLoad" data-src=https://resizing.flixster.com/9mhHGAIMQqc9dFZVtpEjRVWMsi4=/270x160/v2/https://statcdn.fandango.com/MPX/image/NBCU_Fandango/432/335/thumb_4AD7A6EA-169F-408C-9C44-6538D696F733.jpg />\n \n <div class="playButton playButton--small">\n <div class="playButton__img" data-qa="videos-carousel-btn"></div>\n </div>\n \n <div class="VideoCarousel__duration">\n 1:47\n </div>\n \n </div>\n \n <div class="VideosCarousel__video-title">E.T. the Extra-Terrestrial: IMAX Re-Release Trailer</div>\n \n </a>\n </div>\n </div>\n \n <div>\n <div class="VideosCarousel__item">\n <a\n class="VideosCarousel__item-link trailer_play_action_button"\n data-no-ads="false"\n data-video-id="30868AFB-B16C-4341-898C-598B69C17A5E"\n data-title="David Oyelowo's Five Favorite Films"\n data-mpx-fwsite="rotten_tomatoes_video_vod"\n data-qa="video-trailer-play-btn"\n >\n <div class="VideosCarousel__image-container">\n \n <img src="/assets/pizza-pie/images/video.default.cf010a946e9.jpg" role="presentation" class="VideosCarousel__image js-lazyLoad" data-src=https://resizing.flixster.com/MwCDYvKOxZ3D0CRx-M7__AaAmM8=/270x160/v2/https://statcdn.fandango.com/MPX/image/NBCU_Fandango/660/879/thumb_A534B3FC-063F-4618-B9C7-CBEE3921E374.jpg />\n \n <div class="playButton playButton--small">\n <div class="playButton__img" data-qa="videos-carousel-btn"></div>\n </div>\n \n <div class="VideoCarousel__duration">\n 1:06\n </div>\n \n </div>\n \n <div class="VideosCarousel__video-title">David Oyelowo\'s Five Favorite Films</div>\n \n </a>\n </div>\n </div>\n \n <div>\n <div class="VideosCarousel__item">\n <a\n class="VideosCarousel__item-link trailer_play_action_button"\n data-no-ads="false"\n data-video-id="5D29D466-AB44-6F62-E0FD-0BBD5C59F264"\n data-title="E.T. The Extra-Terrestrial (1982) Presented by TCM: Fathom Events Trailer"\n data-mpx-fwsite="rotten_tomatoes_video_vod"\n data-qa="video-trailer-play-btn"\n >\n <div class="VideosCarousel__image-container">\n \n <img src="/assets/pizza-pie/images/video.default.cf010a946e9.jpg" role="presentation" class="VideosCarousel__image js-lazyLoad" data-src=https://resizing.flixster.com/xL2ev6MJhzjS-4ecBEUr3Mc1SPA=/270x160/v2/https://statcdn.fandango.com/MPX/image/NBCU_Fandango/331/763/ET45thAnniversary_FathomEventsTrailer.jpg />\n \n <div class="playButton playButton--small">\n <div class="playButton__img" data-qa="videos-carousel-btn"></div>\n </div>\n \n <div class="VideoCarousel__duration">\n 0:20\n </div>\n \n </div>\n \n <div class="VideosCarousel__video-title">E.T. The Extra-Terrestrial (1982) Presented by TCM: Fathom Events Trailer</div>\n \n </a>\n </div>\n </div>\n \n <div>\n <div class="VideosCarousel__item">\n <a\n class="VideosCarousel__item-link trailer_play_action_button"\n data-no-ads="false"\n data-video-id="MC-266"\n data-title="E.T. the Extra-Terrestrial: Official Clip - I'll Be Right Here"\n data-mpx-fwsite="rotten_tomatoes_video_vod"\n data-qa="video-trailer-play-btn"\n >\n <div class="VideosCarousel__image-container">\n \n <img src="/assets/pizza-pie/images/video.default.cf010a946e9.jpg" role="presentation" class="VideosCarousel__image js-lazyLoad" data-src=https://resizing.flixster.com/2FVoHnSzbn1D4njuFQ26ACwKL38=/270x160/v2/https://statcdn.fandango.com/MPX/image/NBCU_Fandango/577/135/266.png />\n \n <div class="playButton playButton--small">\n <div class="playButton__img" data-qa="videos-carousel-btn"></div>\n </div>\n \n <div class="VideoCarousel__duration">\n 3:00\n </div>\n \n </div>\n \n <div class="VideosCarousel__video-title">E.T. the Extra-Terrestrial: Official Clip - I\'ll Be Right Here</div>\n \n </a>\n </div>\n </div>\n \n <div>\n <div class="VideosCarousel__item">\n <a\n class="VideosCarousel__item-link trailer_play_action_button"\n data-no-ads="false"\n data-video-id="MC-252"\n data-title="E.T. the Extra-Terrestrial: Official Clip - Ouch!"\n data-mpx-fwsite="rotten_tomatoes_video_vod"\n data-qa="video-trailer-play-btn"\n >\n <div class="VideosCarousel__image-container">\n \n <img src="/assets/pizza-pie/images/video.default.cf010a946e9.jpg" role="presentation" class="VideosCarousel__image js-lazyLoad" data-src=https://resizing.flixster.com/mkq3G0WxuyjDMJo2P4l25gBmAf8=/270x160/v2/https://statcdn.fandango.com/MPX/image/NBCU_Fandango/287/595/252.png />\n \n <div class="playButton playButton--small">\n <div class="playButton__img" data-qa="videos-carousel-btn"></div>\n </div>\n \n <div class="VideoCarousel__duration">\n 1:38\n </div>\n \n </div>\n \n <div class="VideosCarousel__video-title">E.T. the Extra-Terrestrial: Official Clip - Ouch!</div>\n \n </a>\n </div>\n </div>\n \n <div>\n <div class="VideosCarousel__item">\n <a\n class="VideosCarousel__item-link trailer_play_action_button"\n data-no-ads="false"\n data-video-id="MC-249"\n data-title="E.T. the Extra-Terrestrial: Official Clip - Saving the Frogs"\n data-mpx-fwsite="rotten_tomatoes_video_vod"\n data-qa="video-trailer-play-btn"\n >\n <div class="VideosCarousel__image-container">\n \n <img src="/assets/pizza-pie/images/video.default.cf010a946e9.jpg" role="presentation" class="VideosCarousel__image js-lazyLoad" data-src=https://resizing.flixster.com/zfEcm8wC7vBD6RAJILUQOReF6no=/270x160/v2/https://statcdn.fandango.com/MPX/image/NBCU_Fandango/287/595/249.png />\n \n <div class="playButton playButton--small">\n <div class="playButton__img" data-qa="videos-carousel-btn"></div>\n </div>\n \n <div class="VideoCarousel__duration">\n 1:49\n </div>\n \n </div>\n \n <div class="VideosCarousel__video-title">E.T. the Extra-Terrestrial: Official Clip - Saving the Frogs</div>\n \n </a>\n </div>\n </div>\n \n <div>\n <div class="VideosCarousel__item">\n <a\n class="VideosCarousel__item-link trailer_play_action_button"\n data-no-ads="false"\n data-video-id="MC-21131"\n data-title="E.T. the Extra-Terrestrial: Official Clip - Across the Moon"\n data-mpx-fwsite="rotten_tomatoes_video_vod"\n data-qa="video-trailer-play-btn"\n >\n <div class="VideosCarousel__image-container">\n \n <img src="/assets/pizza-pie/images/video.default.cf010a946e9.jpg" role="presentation" class="VideosCarousel__image js-lazyLoad" data-src=https://resizing.flixster.com/Imzgl6eTdf5EbTpBSzj7u0l9jNM=/270x160/v2/https://statcdn.fandango.com/MPX/image/NBCU_Fandango/287/595/21131.png />\n \n <div class="playButton playButton--small">\n <div class="playButton__img" data-qa="videos-carousel-btn"></div>\n </div>\n \n <div class="VideoCarousel__duration">\n 1:27\n </div>\n \n </div>\n \n <div class="VideosCarousel__video-title">E.T. the Extra-Terrestrial: Official Clip - Across the Moon</div>\n \n </a>\n </div>\n </div>\n \n <div>\n <div class="VideosCarousel__item">\n <a\n class="VideosCarousel__item-link trailer_play_action_button"\n data-no-ads="false"\n data-video-id="MC-251"\n data-title="E.T. the Extra-Terrestrial: Official Clip - E.T. Phone Home"\n data-mpx-fwsite="rotten_tomatoes_video_vod"\n data-qa="video-trailer-play-btn"\n >\n <div class="VideosCarousel__image-container">\n \n <img src="/assets/pizza-pie/images/video.default.cf010a946e9.jpg" role="presentation" class="VideosCarousel__image js-lazyLoad" data-src=https://resizing.flixster.com/IqpqLME81bMibMqvjx5kwma1kVY=/270x160/v2/https://statcdn.fandango.com/MPX/image/NBCU_Fandango/282/714/251.png />\n \n <div class="playButton playButton--small">\n <div class="playButton__img" data-qa="videos-carousel-btn"></div>\n </div>\n \n <div class="VideoCarousel__duration">\n 2:50\n </div>\n \n </div>\n \n <div class="VideosCarousel__video-title">E.T. the Extra-Terrestrial: Official Clip - E.T. Phone Home</div>\n \n </a>\n </div>\n </div>\n \n <div>\n <div class="VideosCarousel__item">\n <a\n class="VideosCarousel__item-link trailer_play_action_button"\n data-no-ads="false"\n data-video-id="MC-254"\n data-title="E.T. the Extra-Terrestrial: Official Clip - Halloween"\n data-mpx-fwsite="rotten_tomatoes_video_vod"\n data-qa="video-trailer-play-btn"\n >\n <div class="VideosCarousel__image-container">\n \n <img src="/assets/pizza-pie/images/video.default.cf010a946e9.jpg" role="presentation" class="VideosCarousel__image js-lazyLoad" data-src=https://resizing.flixster.com/R2guk0Qj3PA1Bb6pjJ2TVxki4-c=/270x160/v2/https://statcdn.fandango.com/MPX/image/NBCU_Fandango/283/190/254.png />\n \n <div class="playButton playButton--small">\n <div class="playButton__img" data-qa="videos-carousel-btn"></div>\n </div>\n \n <div class="VideoCarousel__duration">\n 2:27\n </div>\n \n </div>\n \n <div class="VideosCarousel__video-title">E.T. the Extra-Terrestrial: Official Clip - Halloween</div>\n \n </a>\n </div>\n </div>\n \n <div>\n <div class="VideosCarousel__item">\n <a\n class="VideosCarousel__item-link trailer_play_action_button"\n data-no-ads="false"\n data-video-id="MC-260"\n data-title="E.T. the Extra-Terrestrial: Official Clip - He's Alive! He's Alive!"\n data-mpx-fwsite="rotten_tomatoes_video_vod"\n data-qa="video-trailer-play-btn"\n >\n <div class="VideosCarousel__image-container">\n \n <img src="/assets/pizza-pie/images/video.default.cf010a946e9.jpg" role="presentation" class="VideosCarousel__image js-lazyLoad" data-src=https://resizing.flixster.com/xDfApxu3mu6-uLJM8lRFHSJXcvU=/270x160/v2/https://statcdn.fandango.com/MPX/image/NBCU_Fandango/278/811/260.png />\n \n <div class="playButton playButton--small">\n <div class="playButton__img" data-qa="videos-carousel-btn"></div>\n </div>\n \n <div class="VideoCarousel__duration">\n 3:00\n </div>\n \n </div>\n \n <div class="VideosCarousel__video-title">E.T. the Extra-Terrestrial: Official Clip - He\'s Alive! He\'s Alive!</div>\n \n </a>\n </div>\n </div>\n \n <div>\n <div class="VideosCarousel__item">\n <a\n class="VideosCarousel__item-link trailer_play_action_button"\n data-no-ads="false"\n data-video-id="MC-248"\n data-title="E.T. the Extra-Terrestrial: Official Clip - Getting Drunk"\n data-mpx-fwsite="rotten_tomatoes_video_vod"\n data-qa="video-trailer-play-btn"\n >\n <div class="VideosCarousel__image-container">\n \n <img src="/assets/pizza-pie/images/video.default.cf010a946e9.jpg" role="presentation" class="VideosCarousel__image js-lazyLoad" data-src=https://resizing.flixster.com/Z2_wjzshC71IhdRtuwcSphe9f9k=/270x160/v2/https://statcdn.fandango.com/MPX/image/NBCU_Fandango/278/811/248.png />\n \n <div class="playButton playButton--small">\n <div class="playButton__img" data-qa="videos-carousel-btn"></div>\n </div>\n \n <div class="VideoCarousel__duration">\n 2:10\n </div>\n \n </div>\n \n <div class="VideosCarousel__video-title">E.T. the Extra-Terrestrial: Official Clip - Getting Drunk</div>\n \n </a>\n </div>\n </div>\n \n <div>\n <div class="VideosCarousel__item">\n <a\n class="VideosCarousel__item-link trailer_play_action_button"\n data-no-ads="false"\n data-video-id="MC-213"\n data-title="E.T. the Extra-Terrestrial: Official Clip - It Was Nothing Like That, Penis Breath!"\n data-mpx-fwsite="rotten_tomatoes_video_vod"\n data-qa="video-trailer-play-btn"\n >\n <div class="VideosCarousel__image-container">\n \n <img src="/assets/pizza-pie/images/video.default.cf010a946e9.jpg" role="presentation" class="VideosCarousel__image js-lazyLoad" data-src=https://resizing.flixster.com/0j3StCrW9wit4QjSMR-OxXlbgb4=/270x160/v2/https://statcdn.fandango.com/MPX/image/NBCU_Fandango/574/151/213.png />\n \n <div class="playButton playButton--small">\n <div class="playButton__img" data-qa="videos-carousel-btn"></div>\n </div>\n \n <div class="VideoCarousel__duration">\n 2:42\n </div>\n \n </div>\n \n <div class="VideosCarousel__video-title">E.T. the Extra-Terrestrial: Official Clip - It Was Nothing Like That, Penis Breath!</div>\n \n </a>\n </div>\n </div>\n \n <div>\n <div class="VideosCarousel__item">\n <a\n class="VideosCarousel__item-link trailer_play_action_button"\n data-no-ads="false"\n data-video-id="MC-264"\n data-title="E.T. the Extra-Terrestrial: Official Clip - Ride in the Sky"\n data-mpx-fwsite="rotten_tomatoes_video_vod"\n data-qa="video-trailer-play-btn"\n >\n <div class="VideosCarousel__image-container">\n \n <img src="/assets/pizza-pie/images/video.default.cf010a946e9.jpg" role="presentation" class="VideosCarousel__image js-lazyLoad" data-src=https://resizing.flixster.com/mnKbk-zlT_gskv4oZ5wxLn3XaA8=/270x160/v2/https://statcdn.fandango.com/MPX/image/NBCU_Fandango/574/151/264.png />\n \n <div class="playButton playButton--small">\n <div class="playButton__img" data-qa="videos-carousel-btn"></div>\n </div>\n \n <div class="VideoCarousel__duration">\n 2:10\n </div>\n \n </div>\n \n <div class="VideosCarousel__video-title">E.T. the Extra-Terrestrial: Official Clip - Ride in the Sky</div>\n \n </a>\n </div>\n </div>\n \n </div>\n </div>\n <div class="clickForMore viewMoreVideos">\n <a class="unstyled articleLink pull-right" href="/m/et_the_extraterrestrial/trailers/" data-qa="videos-view-all-link">\n <div>\n View All Videos (13)\n </div>\n </a>\n </div>\n </div>\n</section>\n\n\n \n <section class="panel panel-rt panel-box" data-qa="photos-section">\n \n <h2 class="panel-heading" data-qa="photos-section-title">\n \n <em>E.T. the Extra-Terrestrial</em>\n \n\n \n Photos\n </h2>\n <div class="panel-body content_body allow-overflow">\n <div id="photos-carousel-root" data-qa="photos-carousel">\n <div class="Carousel PhotosCarousel">\n \n <div class="preload">\n <div class="PhotosCarousel__item">\n <a class="PhotosCarousel__item-link" data-qa="photo-link">\n <img src="/assets/pizza-pie/images/placeholder_photo_carousel.eed1c108233.gif" class="PhotosCarousel__image js-lazyLoad" data-src="https://resizing.flixster.com/O2sKjsvkBlPErYrYi8SrNaDe0Fk=/300x300/v2/https://flxt.tmsimg.com/assets/28542_ak.jpg" alt="Elliott (HENRY THOMAS) introduces his sister Gertie (DREW BARRYMORE) and brother Michael (ROBERT MACNAUGHTON) to his new friend." data-qa="photos-carousel-img">\n </a>\n </div>\n </div>\n \n <div class="preload">\n <div class="PhotosCarousel__item">\n <a class="PhotosCarousel__item-link" data-qa="photo-link">\n <img src="/assets/pizza-pie/images/placeholder_photo_carousel.eed1c108233.gif" class="PhotosCarousel__image js-lazyLoad" data-src="https://resizing.flixster.com/zRM-67iqOWmrYac4-sSUEaRbdJQ=/300x300/v2/https://flxt.tmsimg.com/assets/28542_ap.jpg" alt="Elliott (HENRY THOMAS) finds a friend in a visitor from another planet in the 20th anniversary version of "E.T. The Extra-Terrestrial."" data-qa="photos-carousel-img">\n </a>\n </div>\n </div>\n \n <div class="preload">\n <div class="PhotosCarousel__item">\n <a class="PhotosCarousel__item-link" data-qa="photo-link">\n <img src="/assets/pizza-pie/images/placeholder_photo_carousel.eed1c108233.gif" class="PhotosCarousel__image js-lazyLoad" data-src="https://resizing.flixster.com/BsF1XfZ07gYar9wMSW3zPoNcffM=/300x300/v2/https://flxt.tmsimg.com/assets/28542_ab.jpg" alt="Elliott (HENRY THOMAS) and E.T. race to elude capture n the 20th anniversary version of "E.T. The Extra-Terrestrial."" data-qa="photos-carousel-img">\n </a>\n </div>\n </div>\n \n <div class="preload">\n <div class="PhotosCarousel__item">\n <a class="PhotosCarousel__item-link" data-qa="photo-link">\n <img src="/assets/pizza-pie/images/placeholder_photo_carousel.eed1c108233.gif" class="PhotosCarousel__image js-lazyLoad" data-src="https://resizing.flixster.com/z_vOy1K4InOsW3gokkI_k3aLJ4g=/300x300/v2/https://flxt.tmsimg.com/assets/28542_ag.jpg" alt="Gertie (DREW BARRYMORE) gets her first look at E.T." data-qa="photos-carousel-img">\n </a>\n </div>\n </div>\n \n <div class="preload">\n <div class="PhotosCarousel__item">\n <a class="PhotosCarousel__item-link" data-qa="photo-link">\n <img src="/assets/pizza-pie/images/placeholder_photo_carousel.eed1c108233.gif" class="PhotosCarousel__image js-lazyLoad" data-src="https://resizing.flixster.com/7Jd8ARE4JDVhQi6bfDhKqH--1BY=/300x300/v2/https://flxt.tmsimg.com/assets/28542_af.jpg" alt="Elliott (HENRY THOMAS) tries to help E.T. phone home." data-qa="photos-carousel-img">\n </a>\n </div>\n </div>\n \n <div class="preload">\n <div class="PhotosCarousel__item">\n <a class="PhotosCarousel__item-link" data-qa="photo-link">\n <img src="/assets/pizza-pie/images/placeholder_photo_carousel.eed1c108233.gif" class="PhotosCarousel__image js-lazyLoad" data-src="https://resizing.flixster.com/RUOejM5IkIfpJAqIipH_jUjvjJo=/300x300/v2/https://flxt.tmsimg.com/assets/28542_ae.jpg" alt="Elliott (HENRY THOMAS) shows E.T. around the house." data-qa="photos-carousel-img">\n </a>\n </div>\n </div>\n \n <div class="preload">\n <div class="PhotosCarousel__item">\n <a class="PhotosCarousel__item-link" data-qa="photo-link">\n <img src="/assets/pizza-pie/images/placeholder_photo_carousel.eed1c108233.gif" class="PhotosCarousel__image js-lazyLoad" data-src="https://resizing.flixster.com/vr22fp-RaMmte8VzyKJI85fsw4I=/300x300/v2/https://flxt.tmsimg.com/assets/28542_am.jpg" alt="Director STEVEN SPIELBERG and DREW BARRYMORE." data-qa="photos-carousel-img">\n </a>\n </div>\n </div>\n \n <div class="preload">\n <div class="PhotosCarousel__item">\n <a class="PhotosCarousel__item-link" data-qa="photo-link">\n <img src="/assets/pizza-pie/images/placeholder_photo_carousel.eed1c108233.gif" class="PhotosCarousel__image js-lazyLoad" data-src="https://resizing.flixster.com/ahk1LxDTMHL3HDYUcifZOwZ4RB0=/300x300/v2/https://flxt.tmsimg.com/assets/28542_ac.jpg" alt="Seated, left to right: HENRY THOMAS, STEVEN SPIELBERG, DREW BARRYMORE" data-qa="photos-carousel-img">\n </a>\n </div>\n </div>\n \n <div class="preload">\n <div class="PhotosCarousel__item">\n <a class="PhotosCarousel__item-link" data-qa="photo-link">\n <img src="/assets/pizza-pie/images/placeholder_photo_carousel.eed1c108233.gif" class="PhotosCarousel__image js-lazyLoad" data-src="https://resizing.flixster.com/Dyg21LFbmNOniYb_-rAuWkjSYhc=/300x300/v2/https://flxt.tmsimg.com/assets/28542_aj.jpg" alt="Director STEVEN SPIELBERG and DREW BARRYMORE." data-qa="photos-carousel-img">\n </a>\n </div>\n </div>\n \n <div class="preload">\n <div class="PhotosCarousel__item">\n <a class="PhotosCarousel__item-link" data-qa="photo-link">\n <img src="/assets/pizza-pie/images/placeholder_photo_carousel.eed1c108233.gif" class="PhotosCarousel__image js-lazyLoad" data-src="https://resizing.flixster.com/5NDNkCQ4myYHtJxTIrpq9RV9JtQ=/300x300/v2/https://flxt.tmsimg.com/assets/28542_ai.jpg" alt="Gertie (DREW BARRYMORE) says goodbye to E.T." data-qa="photos-carousel-img">\n </a>\n </div>\n </div>\n \n <div class="preload">\n <div class="PhotosCarousel__item">\n <a class="PhotosCarousel__item-link" data-qa="photo-link">\n <img src="/assets/pizza-pie/images/placeholder_photo_carousel.eed1c108233.gif" class="PhotosCarousel__image js-lazyLoad" data-src="https://resizing.flixster.com/AXQJ2l5Y3TiMn01jet-iG6uQa5Q=/300x300/v2/https://flxt.tmsimg.com/assets/28542_ah.jpg" alt="E.T. investigates the food at Elliott's house." data-qa="photos-carousel-img">\n </a>\n </div>\n </div>\n \n <div class="preload">\n <div class="PhotosCarousel__item">\n <a class="PhotosCarousel__item-link" data-qa="photo-link">\n <img src="/assets/pizza-pie/images/placeholder_photo_carousel.eed1c108233.gif" class="PhotosCarousel__image js-lazyLoad" data-src="https://resizing.flixster.com/MAYG4Os12aE6ANGIhCcNggGqO9A=/300x300/v2/https://flxt.tmsimg.com/assets/28542_ao.jpg" alt="E.T. and Elliott (HENRY THOMAS) share the same feelings." data-qa="photos-carousel-img">\n </a>\n </div>\n </div>\n \n <div class="preload">\n <div class="PhotosCarousel__item">\n <a class="PhotosCarousel__item-link" data-qa="photo-link">\n <img src="/assets/pizza-pie/images/placeholder_photo_carousel.eed1c108233.gif" class="PhotosCarousel__image js-lazyLoad" data-src="https://resizing.flixster.com/ID2EAs1822-amVVoNe1N5aDQgv4=/300x300/v2/https://flxt.tmsimg.com/assets/28542_an.jpg" alt="Elliott (HENRY THOMAS), his brother and friends ride as fast as they can to get E.T. back to the forest." data-qa="photos-carousel-img">\n </a>\n </div>\n </div>\n \n <div class="preload">\n <div class="PhotosCarousel__item">\n <a class="PhotosCarousel__item-link" data-qa="photo-link">\n <img src="/assets/pizza-pie/images/placeholder_photo_carousel.eed1c108233.gif" class="PhotosCarousel__image js-lazyLoad" data-src="https://resizing.flixster.com/nq80pGQTlllcX0jZg73MN8AgBUU=/300x300/v2/https://flxt.tmsimg.com/assets/28542_al.jpg" alt="E.T. has learned some new things from Gertie (DREW BARRYMORE) which surprise Elliott (HENRY THOMAS)." data-qa="photos-carousel-img">\n </a>\n </div>\n </div>\n \n <div class="preload">\n <div class="PhotosCarousel__item">\n <a class="PhotosCarousel__item-link" data-qa="photo-link">\n <img src="/assets/pizza-pie/images/placeholder_photo_carousel.eed1c108233.gif" class="PhotosCarousel__image js-lazyLoad" data-src="https://resizing.flixster.com/MtjMCKOkgDAE8Ef8h6vrdlArQQo=/300x300/v2/https://flxt.tmsimg.com/assets/28542_ad.jpg" alt="E.T., separated from his own kind, warily explores Elliott's house." data-qa="photos-carousel-img">\n </a>\n </div>\n </div>\n \n <div class="preload">\n <div class="PhotosCarousel__item">\n <a class="PhotosCarousel__item-link" data-qa="photo-link">\n <img src="/assets/pizza-pie/images/placeholder_photo_carousel.eed1c108233.gif" class="PhotosCarousel__image js-lazyLoad" data-src="https://resizing.flixster.com/rpgHfPBQDh2_O7nlHbtQnkMK5Js=/300x300/v2/https://resizing.flixster.com/fTfttSez-Pedtm_Y5r7XhbbIX2Y=/ems.cHJkLWVtcy1hc3NldHMvbW92aWVzL2RhMmZjZWM3LTQ1NWMtNDRlZS04MzUzLWIxNTU2NjI5YjI5NC53ZWJw" alt="" data-qa="photos-carousel-img">\n </a>\n </div>\n </div>\n \n <div class="preload">\n <div class="PhotosCarousel__item">\n <a class="PhotosCarousel__item-link" data-qa="photo-link">\n <img src="/assets/pizza-pie/images/placeholder_photo_carousel.eed1c108233.gif" class="PhotosCarousel__image js-lazyLoad" data-src="https://resizing.flixster.com/nluRyYoH6g9x-C6wmMa3f9NFp5s=/300x300/v2/https://resizing.flixster.com/37s_rq6dZcHk69MjxYnkBOTCqjs=/ems.cHJkLWVtcy1hc3NldHMvbW92aWVzLzAwNmJlNjIxLTk1ZDctNDkzZS1iODdlLTM5NzM5ZDI3NTcyMS53ZWJw" alt="" data-qa="photos-carousel-img">\n </a>\n </div>\n </div>\n \n <div class="preload">\n <div class="PhotosCarousel__item">\n <a class="PhotosCarousel__item-link" data-qa="photo-link">\n <img src="/assets/pizza-pie/images/placeholder_photo_carousel.eed1c108233.gif" class="PhotosCarousel__image js-lazyLoad" data-src="https://resizing.flixster.com/8rKf0X2ModMDJzO3RY3QKkXR480=/300x300/v2/https://resizing.flixster.com/QsaJiOHlK12roWIQ3xd31iyQaQ8=/ems.cHJkLWVtcy1hc3NldHMvbW92aWVzL2U0YWVhZTI5LTE0ZjMtNGY3Yy04MGQ3LTJjOGU0NTI1YWI0OC53ZWJw" alt="" data-qa="photos-carousel-img">\n </a>\n </div>\n </div>\n \n <div class="preload">\n <div class="PhotosCarousel__item">\n <a class="PhotosCarousel__item-link" data-qa="photo-link">\n <img src="/assets/pizza-pie/images/placeholder_photo_carousel.eed1c108233.gif" class="PhotosCarousel__image js-lazyLoad" data-src="https://resizing.flixster.com/gO3wQ_iZoKvgSc5NLZBHHaDYQaw=/300x300/v2/https://resizing.flixster.com/3aUAEUIlyMHi8TR-CH4JrPsqBAQ=/ems.cHJkLWVtcy1hc3NldHMvbW92aWVzL2ZhZGQ0MTg3LTg1OGMtNGM4NS1hZGFmLTI2YTFmNzZjOTgxNC53ZWJw" alt="" data-qa="photos-carousel-img">\n </a>\n </div>\n </div>\n \n <div class="preload">\n <div class="PhotosCarousel__item">\n <a class="PhotosCarousel__item-link" data-qa="photo-link">\n <img src="/assets/pizza-pie/images/placeholder_photo_carousel.eed1c108233.gif" class="PhotosCarousel__image js-lazyLoad" data-src="https://resizing.flixster.com/C4DeSKNOcPn8jt1UbafRWSpKY8I=/300x300/v2/https://resizing.flixster.com/OVfVqINs2ZNknQeYDe5iJ-i7RYg=/ems.cHJkLWVtcy1hc3NldHMvbW92aWVzL2U5YWJiYWUxLTRmY2ItNGMwNi1iODhiLThmZmQzZDA3NzcyZC53ZWJw" alt="" data-qa="photos-carousel-img">\n </a>\n </div>\n </div>\n \n </div>\n <div class="pswp" tabindex="-1" role="dialog" aria-hidden="true" style="" data-qa="photos-modal">\n <div class="pswp__bg"></div>\n <div class="pswp__scroll-wrap">\n <div class="pswp__container">\n <div class="pswp__item"></div>\n <div class="pswp__item"></div>\n <div class="pswp__item"></div>\n </div>\n <div class="pswp__ui pswp__ui--hidden"><!-- pswp__ui--fit -->\n <div class="pswp__top-bar">\n <div class="pswp__counter"></div>\n <button class="pswp__button pswp__button--close" title="Close (Esc)" data-qa="photos-modal-close-btn"></button>\n <button class="pswp__button pswp__button--share pswp__element--disabled" title="Share"></button>\n <button class="pswp__button pswp__button--fs pswp__element--disabled" title="Toggle fullscreen"></button>\n <button class="pswp__button pswp__button--zoom" title="Zoom in/out"></button>\n <div class="pswp__preloader">\n <div class="pswp__preloader__icn">\n <div class="pswp__preloader__cut">\n <div class="pswp__preloader__donut"></div>\n </div>\n </div>\n </div>\n </div>\n <div class="pswp__share-modal pswp__share-modal--hidden pswp__single-tap">\n <div class="pswp__share-tooltip"></div>\n </div>\n <button class="pswp__button pswp__button--arrow--left" title="Previous (arrow left)"></button>\n <button class="pswp__button pswp__button--arrow--right" title="Next (arrow right)"></button>\n <div class="pswp__caption">\n <div class="pswp__caption__center"></div>\n </div>\n </div>\n </div>\n</div>\n\n </div>\n <div class="clickForMore viewMorePhotos">\n <a class="unstyled articleLink pull-right" href="/m/et_the_extraterrestrial/pictures" data-qa="photos-view-all-link">\n <div>\n View All Photos (47)\n </div>\n </a>\n </div>\n </div>\n </section>\n\n\n\n <aside class="str-ad">\n <div class="visible-xs">\n \n \n \n \n \n \n \n <div id="sharethrough_top_ad"></div>\n <script>\n var mps = mps||{}; mps._queue = mps._queue||{}; mps._queue.gptloaded = mps._queue.gptloaded||[];\n mps._queue.gptloaded.push(function () {\n if (mps.getResponsiveSet() == \'0\') { //MOBILE\n mps.insertAd(\'#sharethrough_top_ad\',\'sharethrough\',\'strnativekey=b9QEvHRnA3pDEDZ6CpgtS2vx;pos=top;\');\n }\n });\n </script>\n\n\n </div>\n </aside>\n\n <section class="panel panel-rt panel-box movie_info media" data-qa="movie-info-section">\n <aside class="pull-right">\n \n <div id="outbrainTopMobAd" class="hidden-xs"></div>\n </aside>\n <div class="media-body">\n <h2 class="panel-heading" data-qa="movie-info-section-title">Movie Info</h2>\n <div class="panel-body content_body">\n <div class="sr-only js-clamp-live-region" aria-live="polite"></div>\n <div id="movieSynopsis" class="movie_synopsis clamp clamp-6 js-clamp" style="clear:both" data-qa="movie-info-synopsis">\n After a gentle alien becomes stranded on Earth, the being is discovered and befriended by a young boy named Elliott (Henry Thomas). Bringing the extraterrestrial into his suburban California house, Elliott introduces E.T., as the alien is dubbed, to his brother and his little sister, Gertie (Drew Barrymore), and the children decide to keep its existence a secret. Soon, however, E.T. falls ill, resulting in government intervention and a dire situation for both Elliott and the alien.\n </div>\n <ul class="content-meta info">\n \n <li class="meta-row clearfix" data-qa="movie-info-item">\n <div class="meta-label subtle" data-qa="movie-info-item-label">Rating:</div>\n <div class="meta-value" data-qa="movie-info-item-value">PG\n </div>\n </li>\n \n \n <li class="meta-row clearfix" data-qa="movie-info-item">\n <div class="meta-label subtle" data-qa="movie-info-item-label">Genre:</div>\n <div class="meta-value genre" data-qa="movie-info-item-value">\n \n Kids & family, \n \n Sci-fi, \n \n Adventure\n \n </div>\n </li>\n \n \n <li class="meta-row clearfix" data-qa="movie-info-item">\n <div class="meta-label subtle" data-qa="movie-info-item-label">Original Language:</div>\n <div class="meta-value" data-qa="movie-info-item-value">English\n </div>\n </li>\n \n \n <li class="meta-row clearfix" data-qa="movie-info-item">\n <div class="meta-label subtle" data-qa="movie-info-item-label">Director:</div>\n <div class="meta-value" data-qa="movie-info-item-value">\n \n \n <a href="/celebrity/steve_spielberg" data-qa="movie-info-director">Steven Spielberg</a>\n \n \n </div>\n </li>\n \n \n <li class="meta-row clearfix" data-qa="movie-info-item">\n <div class="meta-label subtle" data-qa="movie-info-item-label">Producer:</div>\n <div class="meta-value" data-qa="movie-info-item-value">\n \n \n <a href="/celebrity/steve_spielberg">Steven Spielberg</a>, \n \n \n \n <a href="/celebrity/kathleen_kennedy">Kathleen Kennedy</a>\n \n \n </div>\n </li>\n \n \n <li class="meta-row clearfix" data-qa="movie-info-item">\n <div class="meta-label subtle" data-qa="movie-info-item-label">Writer:</div>\n <div class="meta-value" data-qa="movie-info-item-value">\n \n \n <a href="/celebrity/melissa_mathison">Melissa Mathison</a>\n \n \n </div>\n </li>\n \n \n <li class="meta-row clearfix" data-qa="movie-info-item">\n <div class="meta-label subtle" data-qa="movie-info-item-label">Release Date (Theaters):</div>\n <div class="meta-value" data-qa="movie-info-item-value">\n <time datetime="Jun 11, 1982">Jun 11, 1982</time>\n <span style="text-transform:capitalize"> original</span>\n </div>\n </li>\n \n \n <li class="meta-row clearfix" data-qa="movie-info-item">\n <div class="meta-label subtle" data-qa="movie-info-item-label">Release Date (Streaming):</div>\n <div class="meta-value" data-qa="movie-info-item-value">\n <time datetime="Aug 23, 2005">\n Aug 23, 2005\n </time>\n </div>\n </li>\n \n \n <li class="meta-row clearfix" data-qa="movie-info-item">\n <div class="meta-label subtle" data-qa="movie-info-item-label">Box Office (Gross USA):</div>\n <div class="meta-value" data-qa="movie-info-item-value">$439.2M</div>\n </li>\n \n \n <li class="meta-row clearfix" data-qa="movie-info-item">\n <div class="meta-label subtle" data-qa="movie-info-item-label">Runtime:</div>\n <div class="meta-value" data-qa="movie-info-item-value">\n <time datetime="P1h 55mM">\n 1h 55m\n </time>\n </div>\n </li>\n \n \n \n \n <li class="meta-row clearfix" data-qa="movie-info-item">\n <div class="meta-label subtle" data-qa="movie-info-item-label">Sound Mix:</div>\n <div class="meta-value" data-qa="movie-info-item-value">\n Surround, Dolby Stereo\n </div>\n </li>\n \n \n <li class="meta-row clearfix" data-qa="movie-info-item">\n <div class="meta-label subtle" data-qa="movie-info-item-label">Aspect Ratio:</div>\n <div class="meta-value" data-qa="movie-info-item-value">\n Flat (1.85:1)\n </div>\n </li>\n \n \n </ul>\n \n </div>\n </div>\n</section>\n\n\n <div class="centered">\n \n \n \n \n \n \n \n <aside id="medrec_mobile_mob_top_ad" class="medrec_ad visible-xs center mobile-medrec" style="width:300px"></aside>\n \n \n \n <script>\n var mps = mps||{}; mps._queue = mps._queue||{}; mps._queue.gptloaded = mps._queue.gptloaded||[];\n mps._queue.gptloaded.push(function () {\n if (mps.getResponsiveSet() == \'0\') { //MOBILE\n mps.insertAd(\'#medrec_mobile_mob_top_ad\',\'mboxadone\');\n }\n });\n </script>\n \n \n\n\n </div>\n\n \n <section id="movie-cast" class="panel panel-rt panel-box" data-qa="cast-crew-section">\n \n <h2 class="panel-heading" data-qa="cast-crew-section-title">Cast & Crew</h2>\n <div class="panel-body content_body">\n \n <div class="castSection " data-qa="cast-section">\n \n \n \n <div class="cast-item media inlineBlock " data-qa="cast-crew-item">\n <div class="pull-left">\n \n <a href="/celebrity/henry_thomas" data-qa="cast-crew-item-img-link">\n \n \n <img data-src="https://resizing.flixster.com/GhyR_iN5J4GUC1E8tdall2__Klc=/100x120/v2/https://flxt.tmsimg.com/assets/26487_v9_bb.jpg" class="js-lazyLoad actorThumb medium media-object" />\n \n \n </a>\n \n </div>\n <div class="media-body">\n \n <a href=" /celebrity/henry_thomas " class="unstyled articleLink" data-qa="cast-crew-item-link">\n \n <span title="Henry Thomas">\n Henry Thomas\n </span>\n \n </a>\n \n <span class="characters subtle smaller" title="Henry Thomas">\n \n <br/>\n \n Elliott\n \n \n \n <br/>\n \n \n \n \n </span>\n </div>\n</div>\n\n \n \n \n <div class="cast-item media inlineBlock " data-qa="cast-crew-item">\n <div class="pull-left">\n \n <a href="/celebrity/dee_wallace" data-qa="cast-crew-item-img-link">\n \n \n <img data-src="https://resizing.flixster.com/9ce4S6gcN3qyW9gxmMxS4XVp1yA=/100x120/v2/https://flxt.tmsimg.com/assets/1713_v9_bb.jpg" class="js-lazyLoad actorThumb medium media-object" />\n \n \n </a>\n \n </div>\n <div class="media-body">\n \n <a href=" /celebrity/dee_wallace " class="unstyled articleLink" data-qa="cast-crew-item-link">\n \n <span title="Dee Wallace">\n Dee Wallace\n </span>\n \n </a>\n \n <span class="characters subtle smaller" title="Dee Wallace">\n \n <br/>\n \n Mary\n \n \n \n <br/>\n \n \n \n \n </span>\n </div>\n</div>\n\n \n \n \n <div class="cast-item media inlineBlock " data-qa="cast-crew-item">\n <div class="pull-left">\n \n <a href="/celebrity/peter_coyote" data-qa="cast-crew-item-img-link">\n \n \n <img data-src="https://resizing.flixster.com/m1V1br-Oid6f6mNzCLD6Urars0U=/100x120/v2/https://flxt.tmsimg.com/assets/71731_v9_bb.jpg" class="js-lazyLoad actorThumb medium media-object" />\n \n \n </a>\n \n </div>\n <div class="media-body">\n \n <a href=" /celebrity/peter_coyote " class="unstyled articleLink" data-qa="cast-crew-item-link">\n \n <span title="Peter Coyote">\n Peter Coyote\n </span>\n \n </a>\n \n <span class="characters subtle smaller" title="Peter Coyote">\n \n <br/>\n \n Keys\n \n \n \n <br/>\n \n \n \n \n </span>\n </div>\n</div>\n\n \n \n \n <div class="cast-item media inlineBlock " data-qa="cast-crew-item">\n <div class="pull-left">\n \n <a href="/celebrity/drew_barrymore" data-qa="cast-crew-item-img-link">\n \n \n <img data-src="https://resizing.flixster.com/B6upIDlHpM9gP88SpFYWeLbdl4s=/100x120/v2/https://flxt.tmsimg.com/assets/100_v9_bb.jpg" class="js-lazyLoad actorThumb medium media-object" />\n \n \n </a>\n \n </div>\n <div class="media-body">\n \n <a href=" /celebrity/drew_barrymore " class="unstyled articleLink" data-qa="cast-crew-item-link">\n \n <span title="Drew Barrymore">\n Drew Barrymore\n </span>\n \n </a>\n \n <span class="characters subtle smaller" title="Drew Barrymore">\n \n <br/>\n \n Gertie\n \n \n \n <br/>\n \n \n \n \n </span>\n </div>\n</div>\n\n \n \n \n <div class="cast-item media inlineBlock " data-qa="cast-crew-item">\n <div class="pull-left">\n \n <a href="/celebrity/tom_howell" data-qa="cast-crew-item-img-link">\n \n \n <img data-src="https://resizing.flixster.com/3racoIc9kPB0Cm_Lq4t0ZApik-g=/100x120/v2/https://flxt.tmsimg.com/assets/804_v9_cc.jpg" class="js-lazyLoad actorThumb medium media-object" />\n \n \n </a>\n \n </div>\n <div class="media-body">\n \n <a href=" /celebrity/tom_howell " class="unstyled articleLink" data-qa="cast-crew-item-link">\n \n <span title="C. Thomas Howell">\n C. Thomas Howell\n </span>\n \n </a>\n \n <span class="characters subtle smaller" title="C. Thomas Howell">\n \n <br/>\n \n Tyler\n \n \n \n <br/>\n \n \n \n \n </span>\n </div>\n</div>\n\n \n \n \n <div class="cast-item media inlineBlock " data-qa="cast-crew-item">\n <div class="pull-left">\n \n <a href="/celebrity/robert-macnaughton" data-qa="cast-crew-item-img-link">\n \n \n <img data-src="https://resizing.flixster.com/3z6XLjRHY3yskplNwGL2t59hcwU=/100x120/v2/https://flxt.tmsimg.com/assets/90708_v9_ba.jpg" class="js-lazyLoad actorThumb medium media-object" />\n \n \n </a>\n \n </div>\n <div class="media-body">\n \n <a href=" /celebrity/robert-macnaughton " class="unstyled articleLink" data-qa="cast-crew-item-link">\n \n <span title="Robert MacNaughton">\n Robert MacNaughton\n </span>\n \n </a>\n \n <span class="characters subtle smaller" title="Robert MacNaughton">\n \n <br/>\n \n Michael\n \n \n \n <br/>\n \n \n \n \n </span>\n </div>\n</div>\n\n \n \n \n <div class="cast-item media inlineBlock moreCasts hide" data-qa="cast-crew-item">\n <div class="pull-left">\n \n <a href="/celebrity/kc_martel" data-qa="cast-crew-item-img-link">\n \n \n <img data-src="/assets/pizza-pie/images/poster_default_thumbnail.2ec144e61b4.jpg" class="js-lazyLoad actorThumb medium media-object" />\n \n \n </a>\n \n </div>\n <div class="media-body">\n \n <a href=" /celebrity/kc_martel " class="unstyled articleLink" data-qa="cast-crew-item-link">\n \n <span title="K.C. Martel">\n K.C. Martel\n </span>\n \n </a>\n \n <span class="characters subtle smaller" title="K.C. Martel">\n \n <br/>\n \n Greg\n \n \n \n <br/>\n \n \n \n \n </span>\n </div>\n</div>\n\n \n \n \n <div class="cast-item media inlineBlock moreCasts hide" data-qa="cast-crew-item">\n <div class="pull-left">\n \n <a href="/celebrity/sean_frye" data-qa="cast-crew-item-img-link">\n \n \n <img data-src="/assets/pizza-pie/images/poster_default_thumbnail.2ec144e61b4.jpg" class="js-lazyLoad actorThumb medium media-object" />\n \n \n </a>\n \n </div>\n <div class="media-body">\n \n <a href=" /celebrity/sean_frye " class="unstyled articleLink" data-qa="cast-crew-item-link">\n \n <span title="Sean Frye">\n Sean Frye\n </span>\n \n </a>\n \n <span class="characters subtle smaller" title="Sean Frye">\n \n <br/>\n \n Steve\n \n \n \n <br/>\n \n \n \n \n </span>\n </div>\n</div>\n\n \n \n \n <div class="cast-item media inlineBlock moreCasts hide" data-qa="cast-crew-item">\n <div class="pull-left">\n \n <a href="/celebrity/steve_spielberg" data-qa="cast-crew-item-img-link">\n \n \n <img data-src="https://resizing.flixster.com/KWGryASrIqVz1Tsbf8N4JklyOC8=/100x120/v2/https://flxt.tmsimg.com/assets/1672_v9_ba.jpg" class="js-lazyLoad actorThumb medium media-object" />\n \n \n </a>\n \n </div>\n <div class="media-body">\n \n <a href=" /celebrity/steve_spielberg " class="unstyled articleLink" data-qa="cast-crew-item-link">\n \n <span title="Steven Spielberg">\n Steven Spielberg\n </span>\n \n </a>\n \n <span class="characters subtle smaller" title="Steven Spielberg">\n \n \n <br/>\n \n \n Director\n \n \n \n </span>\n </div>\n</div>\n\n \n \n \n <div class="cast-item media inlineBlock moreCasts hide" data-qa="cast-crew-item">\n <div class="pull-left">\n \n <a href="/celebrity/melissa_mathison" data-qa="cast-crew-item-img-link">\n \n \n <img data-src="https://resizing.flixster.com/NZEBpfg7QGVVMnZf4C2rizTspHU=/100x120/v2/https://flxt.tmsimg.com/assets/79226_v9_ba.jpg" class="js-lazyLoad actorThumb medium media-object" />\n \n \n </a>\n \n </div>\n <div class="media-body">\n \n <a href=" /celebrity/melissa_mathison " class="unstyled articleLink" data-qa="cast-crew-item-link">\n \n <span title="Melissa Mathison">\n Melissa Mathison\n </span>\n \n </a>\n \n <span class="characters subtle smaller" title="Melissa Mathison">\n \n \n <br/>\n \n \n Screenwriter\n \n \n \n </span>\n </div>\n</div>\n\n \n \n \n <div class="cast-item media inlineBlock moreCasts hide" data-qa="cast-crew-item">\n <div class="pull-left">\n \n <a href="/celebrity/melissa_mathison" data-qa="cast-crew-item-img-link">\n \n \n <img data-src="https://resizing.flixster.com/NZEBpfg7QGVVMnZf4C2rizTspHU=/100x120/v2/https://flxt.tmsimg.com/assets/79226_v9_ba.jpg" class="js-lazyLoad actorThumb medium media-object" />\n \n \n </a>\n \n </div>\n <div class="media-body">\n \n <a href=" /celebrity/melissa_mathison " class="unstyled articleLink" data-qa="cast-crew-item-link">\n \n <span title="Melissa Mathison">\n Melissa Mathison\n </span>\n \n </a>\n \n <span class="characters subtle smaller" title="Melissa Mathison">\n \n \n <br/>\n \n \n Executive Producer\n \n \n \n </span>\n </div>\n</div>\n\n \n \n \n <div class="cast-item media inlineBlock moreCasts hide" data-qa="cast-crew-item">\n <div class="pull-left">\n \n <a href="/celebrity/steve_spielberg" data-qa="cast-crew-item-img-link">\n \n \n <img data-src="https://resizing.flixster.com/KWGryASrIqVz1Tsbf8N4JklyOC8=/100x120/v2/https://flxt.tmsimg.com/assets/1672_v9_ba.jpg" class="js-lazyLoad actorThumb medium media-object" />\n \n \n </a>\n \n </div>\n <div class="media-body">\n \n <a href=" /celebrity/steve_spielberg " class="unstyled articleLink" data-qa="cast-crew-item-link">\n \n <span title="Steven Spielberg">\n Steven Spielberg\n </span>\n \n </a>\n \n <span class="characters subtle smaller" title="Steven Spielberg">\n \n \n <br/>\n \n \n Producer\n \n \n \n </span>\n </div>\n</div>\n\n \n \n \n <div class="cast-item media inlineBlock moreCasts hide" data-qa="cast-crew-item">\n <div class="pull-left">\n \n <a href="/celebrity/kathleen_kennedy" data-qa="cast-crew-item-img-link">\n \n \n <img data-src="https://resizing.flixster.com/NG8yVpN9OE-NGzdCyDGogrdOckI=/100x120/v2/https://flxt.tmsimg.com/assets/322316_v9_bb.jpg" class="js-lazyLoad actorThumb medium media-object" />\n \n \n </a>\n \n </div>\n <div class="media-body">\n \n <a href=" /celebrity/kathleen_kennedy " class="unstyled articleLink" data-qa="cast-crew-item-link">\n \n <span title="Kathleen Kennedy">\n Kathleen Kennedy\n </span>\n \n </a>\n \n <span class="characters subtle smaller" title="Kathleen Kennedy">\n \n \n <br/>\n \n \n Producer\n \n \n \n </span>\n </div>\n</div>\n\n \n \n \n <div class="cast-item media inlineBlock moreCasts hide" data-qa="cast-crew-item">\n <div class="pull-left">\n \n <a href="/celebrity/allen_daviau" data-qa="cast-crew-item-img-link">\n \n \n <img data-src="https://resizing.flixster.com/jZwp4l-vz-VCc8mvoa74w90393w=/100x120/v2/https://flxt.tmsimg.com/assets/465579_v9_bb.jpg" class="js-lazyLoad actorThumb medium media-object" />\n \n \n </a>\n \n </div>\n <div class="media-body">\n \n <a href=" /celebrity/allen_daviau " class="unstyled articleLink" data-qa="cast-crew-item-link">\n \n <span title="Allen Daviau">\n Allen Daviau\n </span>\n \n </a>\n \n <span class="characters subtle smaller" title="Allen Daviau">\n \n \n <br/>\n \n \n Cinematographer\n \n \n \n </span>\n </div>\n</div>\n\n \n \n \n <div class="cast-item media inlineBlock moreCasts hide" data-qa="cast-crew-item">\n <div class="pull-left">\n \n <a href="/celebrity/john_williams_19" data-qa="cast-crew-item-img-link">\n \n \n <img data-src="https://resizing.flixster.com/Krzs35S2Xmuenv9ZmErJm9hnP1w=/100x120/v2/https://flxt.tmsimg.com/assets/516972_v9_bb.jpg" class="js-lazyLoad actorThumb medium media-object" />\n \n \n </a>\n \n </div>\n <div class="media-body">\n \n <a href=" /celebrity/john_williams_19 " class="unstyled articleLink" data-qa="cast-crew-item-link">\n \n <span title="John Williams">\n John Williams\n </span>\n \n </a>\n \n <span class="characters subtle smaller" title="John Williams">\n \n \n <br/>\n \n \n Original Music\n \n \n \n </span>\n </div>\n</div>\n\n \n \n \n <div class="cast-item media inlineBlock moreCasts hide" data-qa="cast-crew-item">\n <div class="pull-left">\n \n <a href="/celebrity/carol_littleton" data-qa="cast-crew-item-img-link">\n \n \n <img data-src="https://resizing.flixster.com/3S_1C4dL9bp6EFv2tt0rnimc6u4=/100x120/v2/https://flxt.tmsimg.com/assets/464134_v9_ba.jpg" class="js-lazyLoad actorThumb medium media-object" />\n \n \n </a>\n \n </div>\n <div class="media-body">\n \n <a href=" /celebrity/carol_littleton " class="unstyled articleLink" data-qa="cast-crew-item-link">\n \n <span title="Carol Littleton">\n Carol Littleton\n </span>\n \n </a>\n \n <span class="characters subtle smaller" title="Carol Littleton">\n \n \n <br/>\n \n \n Film Editing\n \n \n \n </span>\n </div>\n</div>\n\n \n \n \n <div class="cast-item media inlineBlock moreCasts hide" data-qa="cast-crew-item">\n <div class="pull-left">\n \n <a href="/celebrity/jim_bissell" data-qa="cast-crew-item-img-link">\n \n \n <img data-src="https://resizing.flixster.com/w7lEvZxcWfTVeO_h0sIez9xqtZw=/100x120/v2/https://flxt.tmsimg.com/assets/342147_v9_ba.jpg" class="js-lazyLoad actorThumb medium media-object" />\n \n \n </a>\n \n </div>\n <div class="media-body">\n \n <a href=" /celebrity/jim_bissell " class="unstyled articleLink" data-qa="cast-crew-item-link">\n \n <span title="Jim Bissell">\n Jim Bissell\n </span>\n \n </a>\n \n <span class="characters subtle smaller" title="Jim Bissell">\n \n \n <br/>\n \n \n Production Design\n \n \n \n </span>\n </div>\n</div>\n\n \n \n \n <div class="cast-item media inlineBlock moreCasts hide" data-qa="cast-crew-item">\n <div class="pull-left">\n \n <a href="/celebrity/deborah_lynn_scott" data-qa="cast-crew-item-img-link">\n \n \n <img data-src="/assets/pizza-pie/images/poster_default_thumbnail.2ec144e61b4.jpg" class="js-lazyLoad actorThumb medium media-object" />\n \n \n </a>\n \n </div>\n <div class="media-body">\n \n <a href=" /celebrity/deborah_lynn_scott " class="unstyled articleLink" data-qa="cast-crew-item-link">\n \n <span title="Deborah Lynn Scott">\n Deborah Lynn Scott\n </span>\n \n </a>\n \n <span class="characters subtle smaller" title="Deborah Lynn Scott">\n \n \n <br/>\n \n \n Costume Design\n \n \n \n </span>\n </div>\n</div>\n\n \n \n \n <div class="cast-item media inlineBlock moreCasts hide" data-qa="cast-crew-item">\n <div class="pull-left">\n \n <a href="/celebrity/marci_liroff" data-qa="cast-crew-item-img-link">\n \n \n <img data-src="https://resizing.flixster.com/FXs98JEuWS5Kr1VNujSpvoYN16Q=/100x120/v2/https://flxt.tmsimg.com/assets/458753_v9_aa.jpg" class="js-lazyLoad actorThumb medium media-object" />\n \n \n </a>\n \n </div>\n <div class="media-body">\n \n <a href=" /celebrity/marci_liroff " class="unstyled articleLink" data-qa="cast-crew-item-link">\n \n <span title="Marci Liroff">\n Marci Liroff\n </span>\n \n </a>\n \n <span class="characters subtle smaller" title="Marci Liroff">\n \n \n <br/>\n \n \n Casting\n \n \n \n </span>\n </div>\n</div>\n\n \n \n \n <div class="cast-item media inlineBlock moreCasts hide" data-qa="cast-crew-item">\n <div class="pull-left">\n \n <a href="/celebrity/mike_fenton" data-qa="cast-crew-item-img-link">\n \n \n <img data-src="https://resizing.flixster.com/jL98Q36plHSRbJx5TRrM32YyxA8=/100x120/v2/https://flxt.tmsimg.com/assets/465031_v9_ba.jpg" class="js-lazyLoad actorThumb medium media-object" />\n \n \n </a>\n \n </div>\n <div class="media-body">\n \n <a href=" /celebrity/mike_fenton " class="unstyled articleLink" data-qa="cast-crew-item-link">\n \n <span title="Mike Fenton">\n Mike Fenton\n </span>\n \n </a>\n \n <span class="characters subtle smaller" title="Mike Fenton">\n \n \n <br/>\n \n \n Casting\n \n \n \n </span>\n </div>\n</div>\n\n \n</div>\n\n <a href="javascript:void(0)" id="showMoreCastAndCrew" class="unstyled articleLink" data-qa="cast-crew-show-more-btn">\n Show all Cast & Crew <span class="caret"></span>\n </a>\n\n\n </div>\n </section>\n \n\n \n <section id="newsSection" class="panel panel-rt panel-box" data-qa="news-section">\n <h2 class="panel-heading" data-qa="news-section-title">News & Interviews for <em>E.T. the Extra-Terrestrial</em></h2>\n <div class="panel-body content_body">\n \n \n<div class="news-article-wrap ">\n \n \n <div class="news-article" data-qa="news-article">\n <a href="https://editorial.rottentomatoes.com/article/know-your-critic-max-weiss-editor-in-chief-at-baltimore-magazine/" data-qa="news-article-link">\n <div class="news-article-image js-lazyLoad" data-src="https://prd-rteditorial.s3.us-west-2.amazonaws.com/wp-content/uploads/2022/05/25134900/RT_Critic-Column_Max-Weiss_600x314.png" data-bg-image="true" style="background-size: cover;"></div>\n <div class="news-article-title">\n Know Your Critic: Max Weiss, Editor-in-Chief at <em>Baltimore Magazine</em>\n\n <!-- for "features"-->\n <div><strong></strong></div>\n \n </div>\n </a>\n </div>\n \n \n \n <div class="news-article" data-qa="news-article">\n <a href="https://editorial.rottentomatoes.com/article/rita-morenos-five-favorite-films/" data-qa="news-article-link">\n <div class="news-article-image js-lazyLoad" data-src="https://prd-rteditorial.s3.us-west-2.amazonaws.com/wp-content/uploads/2021/06/14153747/Rita-Moreno.jpg" data-bg-image="true" style="background-size: cover;"></div>\n <div class="news-article-title">\n Rita Moreno’s Five Favorite Films\n\n <!-- for "features"-->\n <div><strong></strong></div>\n \n </div>\n </a>\n </div>\n \n \n \n <div class="news-article" data-qa="news-article">\n <a href="https://editorial.rottentomatoes.com/article/not-seeing-ready-player-one-here-are-three-other-spielberg-movies-for-your-kids-and-teens/" data-qa="news-article-link">\n <div class="news-article-image js-lazyLoad" data-src="https://prd-rteditorial.s3.us-west-2.amazonaws.com/wp-content/uploads/2018/03/30163137/Ready-Player-One-PG.jpg" data-bg-image="true" style="background-size: cover;"></div>\n <div class="news-article-title">\n Not Seeing <em>Ready Player One</em>? Here Are Three Other Spielberg Movies for Your Kids and Teens\n\n <!-- for "features"-->\n <div><strong></strong></div>\n \n </div>\n </a>\n </div>\n \n <hr />\n \n \n</div>\n\n<div class="view-all-wrap">\n <a href=" https://editorial.rottentomatoes.com/more-related-content/?relatedmovieid=9ac889c9-a513-3596-a647-ab4f4554112f " data-qa="news-view-all-link">View All</a>\n</div>\n\n </div>\n </section>\n \n\n <section id="criticReviewsModule" class="panel panel-rt panel-box criticReviewsModule" data-qa="section:critics-reviews">\n <h2 class="panel-heading" data-qa="critics-reviews-title">\n <a href="/m/et_the_extraterrestrial/reviews" class="unstyled">Critic Reviews for <em>E.T. the Extra-Terrestrial</em></a>\n </h2>\n <div class="panel-body content_body">\n <div class="reviews-wrap" data-qa="critic-reviews">\n \n \n <div class="links-wrap" data-qa="critic-reviews-filter">\n \n <a href="/m/et_the_extraterrestrial/reviews" data-qa="critic-reviews-all-filter">All Critics (139)</a>\n <span>|</span>\n \n <a href="/m/et_the_extraterrestrial/reviews?type=top_critics" data-qa="critic-reviews-top-filter">Top Critics (44)</a>\n <span>|</span>\n \n <a href="/m/et_the_extraterrestrial/reviews?sort=fresh" data-qa="critic-reviews-fresh-filter">Fresh (137)</a>\n <span>|</span>\n \n <a href="/m/et_the_extraterrestrial/reviews?sort=rotten" data-qa="critic-reviews-rotten-filter">Rotten (2)</a>\n <span></span>\n \n </div>\n \n\n \n\n <critic-review-manager hidden></critic-review-manager> \n \n <review-speech-balloon\n createdate="November 9, 2021"\n criticimageurl="https://images.fandango.com/cms/assets/5b6ff500-1663-11ec-ae31-05a670d2d590--rtactordefault.png"\n data-qa="critic-review"\n istopcritic="true"\n originalscore="5/5"\n reviewquote="Don't be intimidated by those long lines. E.T. is worth standing in line for. Steven Spielberg's story is the essence of fairy-tale simplicity."\n scorestate="fresh"\n skeleton="panel"\n >\n <a\n data-qa="full-review-link"\n href="https://www.newspapers.com/clip/88596229/et/"\n slot="review-url"\n target="_blank">\n Full Review…\n </a>\n \n <a\n class="unstyled articleLink critic-name"\n data-qa="critic-name"\n href="/critics/scott-cain"\n slot="critic-link">\n Scott Cain\n </a>\n \n <a \n class="critic-source small subtle articleLink"\n data-qa="source-link"\n href="/critics/source/23"\n slot="publication-link">\n Atlanta Journal-Constitution\n </a>\n </review-speech-balloon>\n \n <review-speech-balloon\n createdate="November 12, 2018"\n criticimageurl="http://resizing.flixster.com/KSucoLNeq7_9PSrl7om9-ZaD1DE=/128x128/v1.YzszNDUzO2o7MTkyNjA7MjA0ODszMDA7MzAw"\n data-qa="critic-review"\n istopcritic="true"\n originalscore=""\n reviewquote="This is a real movie, with all those elements that have proved sure-fire through history; Laughter, tears, involvement, thrills, wonderment. Steven Spielberg also adds a message: Human beings and spacelings should learn to co-exist."\n scorestate="fresh"\n skeleton="panel"\n >\n <a\n data-qa="full-review-link"\n href="https://cdnc.ucr.edu/cgi-bin/cdnc?a=d&d=DS19820617.2.111"\n slot="review-url"\n target="_blank">\n Full Review…\n </a>\n \n <a\n class="unstyled articleLink critic-name"\n data-qa="critic-name"\n href="/critics/bob-thomas"\n slot="critic-link">\n Bob Thomas\n </a>\n \n <a \n class="critic-source small subtle articleLink"\n data-qa="source-link"\n href="/critics/source/531"\n slot="publication-link">\n Associated Press\n </a>\n </review-speech-balloon>\n \n <review-speech-balloon\n createdate="May 29, 2018"\n criticimageurl="https://images.fandango.com/cms/assets/5b6ff500-1663-11ec-ae31-05a670d2d590--rtactordefault.png"\n data-qa="critic-review"\n istopcritic="true"\n originalscore=""\n reviewquote="Spielberg has crafted with warmth and humor a simple fantasy that works so superbly on so many levels that it will surely attract masses of moviegoers from all demographics."\n scorestate="fresh"\n skeleton="panel"\n >\n <a\n data-qa="full-review-link"\n href="https://www.hollywoodreporter.com/amp/review/review-1982-movie-1019278"\n slot="review-url"\n target="_blank">\n Full Review…\n </a>\n \n <a\n class="unstyled articleLink critic-name"\n data-qa="critic-name"\n href="/critics/martin-kent"\n slot="critic-link">\n Martin Kent\n </a>\n \n <a \n class="critic-source small subtle articleLink"\n data-qa="source-link"\n href="/critics/source/213"\n slot="publication-link">\n Hollywood Reporter\n </a>\n </review-speech-balloon>\n \n <review-speech-balloon\n createdate="April 26, 2018"\n criticimageurl="https://images.fandango.com/cms/assets/5b6ff500-1663-11ec-ae31-05a670d2d590--rtactordefault.png"\n data-qa="critic-review"\n istopcritic="true"\n originalscore=""\n reviewquote="Steven Spielberg's E. T., The Extra-Terrestrial is the best cinematic fairy tale since The Wizard of Oz."\n scorestate="fresh"\n skeleton="panel"\n >\n <a\n data-qa="full-review-link"\n href="http://pqasb.pqarchiver.com/boston-sub/doc/294145796.html?FMT=FT&FMTS=ABS:FT&type=current&date=Jun+11%2C+1982&author=Michael+Blowen+Globe+Staff&pub=Boston+Globe+%28pre-1997+Fulltext%29&edition=&startpage=1&desc=REVIEW+%2F+MOVIE%3B+STEVEN+SPIELBERG%27S+E.+"\n slot="review-url"\n target="_blank">\n Full Review…\n </a>\n \n <a\n class="unstyled articleLink critic-name"\n data-qa="critic-name"\n href="/critics/bruce-mccabe"\n slot="critic-link">\n Bruce McCabe\n </a>\n \n <a \n class="critic-source small subtle articleLink"\n data-qa="source-link"\n href="/critics/source/44"\n slot="publication-link">\n Boston Globe\n </a>\n </review-speech-balloon>\n \n <review-speech-balloon\n createdate="March 20, 2018"\n criticimageurl="https://images.fandango.com/cms/assets/5b6ff500-1663-11ec-ae31-05a670d2d590--rtactordefault.png"\n data-qa="critic-review"\n istopcritic="true"\n originalscore=""\n reviewquote="E.T. ...comes to a beleaguered industry like a gift from the gods. Not only does it get bums on seats but it encourages the kind of shared enjoyment that suggests the cinema still has something unique to offer."\n scorestate="fresh"\n skeleton="panel"\n >\n <a\n data-qa="full-review-link"\n href="https://www.theguardian.com/film/1982/dec/09/derekmalcolmscenturyoffilm"\n slot="review-url"\n target="_blank">\n Full Review…\n </a>\n \n <a\n class="unstyled articleLink critic-name"\n data-qa="critic-name"\n href="/critics/derek-malcolm"\n slot="critic-link">\n Derek Malcolm\n </a>\n \n <a \n class="critic-source small subtle articleLink"\n data-qa="source-link"\n href="/critics/source/205"\n slot="publication-link">\n Guardian\n </a>\n </review-speech-balloon>\n \n <review-speech-balloon\n createdate="February 9, 2018"\n criticimageurl="https://images.fandango.com/cms/assets/5b6ff500-1663-11ec-ae31-05a670d2d590--rtactordefault.png"\n data-qa="critic-review"\n istopcritic="true"\n originalscore=""\n reviewquote="The marvel of this extraordinary movie is that it captures for even the most jaded grownup that pleasurable state of innocence and awe that only children are fortunate enough to experience."\n scorestate="fresh"\n skeleton="panel"\n >\n <a\n data-qa="full-review-link"\n href="http://www.nydailynews.com/entertainment/movies/e-t-extra-terrestrial-1982-review-article-1.2665682"\n slot="review-url"\n target="_blank">\n Full Review…\n </a>\n \n <a\n class="unstyled articleLink critic-name"\n data-qa="critic-name"\n href="/critics/kathleen-carroll-16757"\n slot="critic-link">\n Kathleen Carroll\n </a>\n \n <a \n class="critic-source small subtle articleLink"\n data-qa="source-link"\n href="/critics/source/586"\n slot="publication-link">\n New York Daily News\n </a>\n </review-speech-balloon>\n \n <review-speech-balloon\n createdate="August 20, 2022"\n criticimageurl="http://resizing.flixster.com/NqIhwOiWXDWsDbLANBd0KAHYAck=/128x128/v1.YzsxMDAwMDAyNTkzO2o7MTkyNjk7MjA0ODs1MDA7NTAw"\n data-qa="critic-review"\n istopcritic="false"\n originalscore=""\n reviewquote="Is\xe2\x80\xa6is this Spielberg\xe2\x80\x99s best movie?"\n scorestate="fresh"\n skeleton="panel"\n >\n <a\n data-qa="full-review-link"\n href="https://615film.com/the-letterboxd-files-with-cory-volume-7/"\n slot="review-url"\n target="_blank">\n Full Review…\n </a>\n \n <a\n class="unstyled articleLink critic-name"\n data-qa="critic-name"\n href="/critics/cory-woodroof"\n slot="critic-link">\n Cory Woodroof\n </a>\n \n <a \n class="critic-source small subtle articleLink"\n data-qa="source-link"\n href="/critics/source/100009562"\n slot="publication-link">\n 615 Film\n </a>\n </review-speech-balloon>\n \n <review-speech-balloon\n createdate="August 14, 2022"\n criticimageurl="http://resizing.flixster.com/WUcHHqWbfp92J3v-uzlpaij5IlM=/128x128/v1.YzszMDc5O2o7MTkyNjA7MjA0ODszMDA7MzAw"\n data-qa="critic-review"\n istopcritic="false"\n originalscore="5/5"\n reviewquote="The film has more heart, finesse, performance, and magic in single scenes than some movies have in their entire running time, and does it with an animatronic special effect as a main character. "\n scorestate="fresh"\n skeleton="panel"\n >\n <a\n data-qa="full-review-link"\n href="https://www.everymoviehasalesson.com/blog/2012/10/vintage-review-et-extraterrestrial"\n slot="review-url"\n target="_blank">\n Full Review…\n </a>\n \n <a\n class="unstyled articleLink critic-name"\n data-qa="critic-name"\n href="/critics/don-shanahan"\n slot="critic-link">\n Don Shanahan\n </a>\n \n <a \n class="critic-source small subtle articleLink"\n data-qa="source-link"\n href="/critics/source/3147"\n slot="publication-link">\n Every Movie Has a Lesson\n </a>\n </review-speech-balloon>\n \n <review-speech-balloon\n createdate="July 29, 2022"\n criticimageurl="https://images.fandango.com/cms/assets/5b6ff500-1663-11ec-ae31-05a670d2d590--rtactordefault.png"\n data-qa="critic-review"\n istopcritic="false"\n originalscore=""\n reviewquote="I laughed, cried and clapped my way through all 95 minutes of it. "\n scorestate="fresh"\n skeleton="panel"\n >\n <a\n data-qa="full-review-link"\n href="https://archive.org/details/Starburst_Magazine_053_1983-01_Marvel-UK/page/n21/mode/2up?view=theater"\n slot="review-url"\n target="_blank">\n Full Review…\n </a>\n \n <a\n class="unstyled articleLink critic-name"\n data-qa="critic-name"\n href="/critics/richard-holliss"\n slot="critic-link">\n Richard Holliss\n </a>\n \n <a \n class="critic-source small subtle articleLink"\n data-qa="source-link"\n href="/critics/source/2424"\n slot="publication-link">\n Starburst\n </a>\n </review-speech-balloon>\n \n <review-speech-balloon\n createdate="May 27, 2022"\n criticimageurl="http://resizing.flixster.com/4S2FdLJUyzwezgljz6DXCkiRlP0=/128x128/v1.YzsyNjA0O2c7MTkyNjA7MjA0ODsxNTA7MTUw"\n data-qa="critic-review"\n istopcritic="false"\n originalscore="5/5"\n reviewquote="One of the most important films of the 1980s, one that has continued to have influence in the four decades since."\n scorestate="fresh"\n skeleton="panel"\n >\n <a\n data-qa="full-review-link"\n href="https://tilt.goombastomp.com/film/et-the-extra-terrestrial-15-things-you-may-not-know-about-steven-spielbergs-masterpiece/"\n slot="review-url"\n target="_blank">\n Full Review…\n </a>\n \n <a\n class="unstyled articleLink critic-name"\n data-qa="critic-name"\n href="/critics/stephen-silver"\n slot="critic-link">\n Stephen Silver\n </a>\n \n <a \n class="critic-source small subtle articleLink"\n data-qa="source-link"\n href="/critics/source/3944"\n slot="publication-link">\n Tilt Magazine\n </a>\n </review-speech-balloon>\n \n <review-speech-balloon\n createdate="November 11, 2021"\n criticimageurl="https://images.fandango.com/cms/assets/5b6ff500-1663-11ec-ae31-05a670d2d590--rtactordefault.png"\n data-qa="critic-review"\n istopcritic="false"\n originalscore="4/4"\n reviewquote="It's a magically wonderful movie. Children and adults will love Steven Spielberg's film about a person from outer space, stranded on earth. It's humorous and marvelous all the way."\n scorestate="fresh"\n skeleton="panel"\n >\n <a\n data-qa="full-review-link"\n href="https://www.newspapers.com/clip/88707935/et/"\n slot="review-url"\n target="_blank">\n Full Review…\n </a>\n \n <a\n class="unstyled articleLink critic-name"\n data-qa="critic-name"\n href="/critics/judy-stone"\n slot="critic-link">\n Judy Stone\n </a>\n \n <a \n class="critic-source small subtle articleLink"\n data-qa="source-link"\n href="/critics/source/403"\n slot="publication-link">\n San Francisco Examiner\n </a>\n </review-speech-balloon>\n \n <review-speech-balloon\n createdate="November 10, 2021"\n criticimageurl="https://images.fandango.com/cms/assets/5b6ff500-1663-11ec-ae31-05a670d2d590--rtactordefault.png"\n data-qa="critic-review"\n istopcritic="false"\n originalscore=""\n reviewquote="After doing not much more in Raiders [of the Lost Ark] than flexing his muscles, Spielberg has come through again -- he's the Fellini of our electronic games culture."\n scorestate="fresh"\n skeleton="panel"\n >\n <a\n data-qa="full-review-link"\n href="https://www.newspapers.com/clip/88692524/et/"\n slot="review-url"\n target="_blank">\n Full Review…\n </a>\n \n <a\n class="unstyled articleLink critic-name"\n data-qa="critic-name"\n href="/critics/michael-ventura"\n slot="critic-link">\n Michael Ventura\n </a>\n \n <a \n class="critic-source small subtle articleLink"\n data-qa="source-link"\n href="/critics/source/251"\n slot="publication-link">\n L.A. Weekly\n </a>\n </review-speech-balloon>\n \n\n <div class="view-all-wrap">\n <a href="/m/et_the_extraterrestrial/reviews" data-qa="critic-reviews-view-all-link">View All Critic Reviews (139)</a>\n </div>\n \n </div>\n </div>\n</section>\n\n\n\n <!-- salt=showersham-c880 -->\n<section id="audience_reviews" class="panel panel-rt panel-box" data-qa="audience-reviews">\n <h2 class="panel-heading">Audience Reviews for <em>E.T. the Extra-Terrestrial</em></h2>\n \n \n <div class="sr-only js-clamp-live-region" aria-live="polite"></div>\n <ul class="mop-audience-reviews__reviews-wrap clearfix">\n \n \n \n <li class="mop-audience-reviews__review-item pull-left cl" data-qa="quote-bubble">\n <div class="mop-audience-reviews__review-quote" data-qa="quote-bubble-review">\n <div class=" clearfix">\n \n <span class="star-display" data-qa="star-display"><span class="star-display__filled "></span><span class="star-display__filled "></span><span class="star-display__empty"></span><span class="star-display__empty"></span><span class="star-display__empty"></span></span>\n \n <span class="mop-audience-reviews__review--duration">Oct 22, 2016</span>\n </div>\n \n <div class="mop-audience-reviews__review--comment clamp clamp-4 js-clamp">Honestly it's Spielberg's most overrated film. However technically proficient the filmmaking may be the sentimentality is cloying and emotionally manipulative.</div>\n </div>\n <div class="mop-audience-reviews__review--user-wrap">\n \n <a href="/user/id/790680964">\n \n <img class="mop-audience-reviews__review--user-avatar" src="https://graph.facebook.com/v3.3/20312798/picture"></span>\n \n </a>\n \n <div class="mop-audience-reviews__review--name-wrap">\n \n <a href="/user/id/790680964">\n <span class="mop-audience-reviews__review--name">Alec B</span>\n </a>\n \n \n <strong class="super-reviewer-badge">Super Reviewer</strong>\n \n </div>\n </div>\n </li>\n \n <li class="mop-audience-reviews__review-item pull-right cr" data-qa="quote-bubble">\n <div class="mop-audience-reviews__review-quote" data-qa="quote-bubble-review">\n <div class=" clearfix">\n \n <span class="star-display" data-qa="star-display"><span class="star-display__filled "></span><span class="star-display__filled "></span><span class="star-display__filled "></span><span class="star-display__filled "></span><span class="star-display__filled "></span></span>\n \n <span class="mop-audience-reviews__review--duration">Jan 12, 2016</span>\n </div>\n \n <div class="mop-audience-reviews__review--comment clamp clamp-4 js-clamp">So I just rewatched this movie after not seeing it in a very long time. \n\nThis is one of the greatest movies ever made. Truly reminds me of the magic of cinema.</div>\n </div>\n <div class="mop-audience-reviews__review--user-wrap">\n \n <a href="/user/id/903073695">\n \n <span class="mop-audience-reviews__review--user-default"></span>\n \n </a>\n \n <div class="mop-audience-reviews__review--name-wrap">\n \n <a href="/user/id/903073695">\n <span class="mop-audience-reviews__review--name">Joey T</span>\n </a>\n \n \n <strong class="super-reviewer-badge">Super Reviewer</strong>\n \n </div>\n </div>\n </li>\n \n <li class="mop-audience-reviews__review-item pull-left cl" data-qa="quote-bubble">\n <div class="mop-audience-reviews__review-quote" data-qa="quote-bubble-review">\n <div class=" clearfix">\n \n <span class="star-display" data-qa="star-display"><span class="star-display__filled "></span><span class="star-display__filled "></span><span class="star-display__filled "></span><span class="star-display__filled "></span><span class="star-display__half "></span></span>\n \n <span class="mop-audience-reviews__review--duration">Nov 14, 2015</span>\n </div>\n \n <div class="mop-audience-reviews__review--comment clamp clamp-4 js-clamp">"E.T. - The Extra Terrestrial" is an amazing Family movie. "E.T. - The Extra Terrestrial" has an amazing story, great acting and pretty good special effects. This movie is an extremely entertaining movie to watch. There are a few issues with this movie one being people over-reacting and another being some unanswered questions. Despite those issues "E.T. - The Extra Terrestrial" is a fun family movie and I give it a 9/10.</div>\n </div>\n <div class="mop-audience-reviews__review--user-wrap">\n \n <a href="/user/id/972040407">\n \n <span class="mop-audience-reviews__review--user-default"></span>\n \n </a>\n \n <div class="mop-audience-reviews__review--name-wrap">\n \n <a href="/user/id/972040407">\n <span class="mop-audience-reviews__review--name">Steve G</span>\n </a>\n \n \n <strong class="super-reviewer-badge">Super Reviewer</strong>\n \n </div>\n </div>\n </li>\n \n <li class="mop-audience-reviews__review-item pull-right cr" data-qa="quote-bubble">\n <div class="mop-audience-reviews__review-quote" data-qa="quote-bubble-review">\n <div class=" clearfix">\n \n <span class="star-display" data-qa="star-display"><span class="star-display__filled "></span><span class="star-display__filled "></span><span class="star-display__filled "></span><span class="star-display__filled "></span><span class="star-display__filled "></span></span>\n \n <span class="mop-audience-reviews__review--duration">Oct 16, 2015</span>\n </div>\n \n <div class="mop-audience-reviews__review--comment clamp clamp-4 js-clamp">One of the greatest films ever made. Emotional roller coaster throughout the film. One of the few movies to ever make me cry. Without question should be watched by everyone more not just once but multiple times.</div>\n </div>\n <div class="mop-audience-reviews__review--user-wrap">\n \n <a href="/user/id/954182656">\n \n <span class="mop-audience-reviews__review--user-default"></span>\n \n </a>\n \n <div class="mop-audience-reviews__review--name-wrap">\n \n <a href="/user/id/954182656">\n <span class="mop-audience-reviews__review--name">Kameron W</span>\n </a>\n \n \n <strong class="super-reviewer-badge">Super Reviewer</strong>\n \n </div>\n </div>\n </li>\n \n </ul>\n <div class="mop-audience-reviews__view-all clearfix">\n <a href="/m/et_the_extraterrestrial/reviews?type=user" class="mop-audience-reviews__view-all--link" data-qa="audience-reviews-view-all-link">\n See All Audience reviews\n </a>\n </div>\n \n</section>\n\n\n \n <section id="movie-and-tv-guides" class="movie-and-tv-guides panel-rt" data-curation="rt-hp-movie-and-tv-guides" data-qa="section:movie-tv-guides">\n <div class="movie-and-tv-guides__header v3">\n <h2 class="panel-heading" data-qa="movie-tv-guides-title">Movie & TV guides</h2>\n <a class="a--short v3" href="https://editorial.rottentomatoes.com/more-related-content/" data-qa="news-view-all-link">View All</a>\n </div>\n <div class="movie-and-tv-guides__body panel-body">\n <ul class="movie-and-tv-guides__items">\n \n <li class="movie-and-tv-guides-item">\n <a href="https://editorial.rottentomatoes.com/article/most-anticipated-movies-of-2022/" data-qa="news-article-link">\n <img\n href="/images/video.default.jpg"\n class="js-lazyLoad movie-and-tv-guides-item__image home__thumbnail"\n data-src="https://resizing.flixster.com/x2oeSqKSe8StdsRmScH_G9H11cM=/370x208/v2/https://images.fandango.com/cms/assets/aa061d00-2960-11ed-bbb0-99bdf247c629--blackpanther.jpg"\n alt="Most Anticipated 2022 Movies"\n />\n <p class="movie-and-tv-guides-item__main">\n <span class="movie-and-tv-guides-item__header v3">Most Anticipated 2022 Movies </span>\n </p>\n </a>\n </li>\n \n <li class="movie-and-tv-guides-item">\n <a href="https://editorial.rottentomatoes.com/guide/2022-horror-movies-ranked/" data-qa="news-article-link">\n <img\n href="/images/video.default.jpg"\n class="js-lazyLoad movie-and-tv-guides-item__image home__thumbnail"\n data-src="https://resizing.flixster.com/zcjBQC_b5YQgWNqyyrWloS4xVvo=/370x208/v2/https://images.fandango.com/cms/assets/f71b5a10-322f-11ed-b2f6-e1f3892e3f59--550barbarian-bo.jpg"\n alt="Best Horror Movies of 2022"\n />\n <p class="movie-and-tv-guides-item__main">\n <span class="movie-and-tv-guides-item__header v3">Best Horror Movies of 2022 </span>\n </p>\n </a>\n </li>\n \n <li class="movie-and-tv-guides-item">\n <a href="https://editorial.rottentomatoes.com/guide/marvel-movies-in-order/" data-qa="news-article-link">\n <img\n href="/images/video.default.jpg"\n class="js-lazyLoad movie-and-tv-guides-item__image home__thumbnail"\n data-src="https://resizing.flixster.com/-HgPLK5Kysiq25eOpTq_ZCUHusY=/370x208/v2/https://images.fandango.com/cms/assets/1373afd0-23cd-11ed-b2f6-e1f3892e3f59--550she-hulk-s1e2-sneak-peek.jpg"\n alt="Marvel Movies & TV In Order"\n />\n <p class="movie-and-tv-guides-item__main">\n <span class="movie-and-tv-guides-item__header v3">Marvel Movies & TV In Order </span>\n </p>\n </a>\n </li>\n \n <li class="movie-and-tv-guides-item">\n <a href="https://editorial.rottentomatoes.com/article/2022-most-anticipated-tv-and-streaming-new-and-returning-shows/" data-qa="news-article-link">\n <img\n href="/images/video.default.jpg"\n class="js-lazyLoad movie-and-tv-guides-item__image home__thumbnail"\n data-src="https://resizing.flixster.com/2nBgq4G6vENC9pvAvAkInSlJVss=/370x208/v2/https://images.fandango.com/cms/assets/792dd740-2960-11ed-b2f6-e1f3892e3f59--andor.jpg"\n alt="Most Anticipated 2022 TV & Streaming"\n />\n <p class="movie-and-tv-guides-item__main">\n <span class="movie-and-tv-guides-item__header v3">Most Anticipated 2022 TV & Streaming </span>\n </p>\n </a>\n </li>\n \n </ul>\n </div>\n</section>\n\n\n \n \n \n \n \n \n \n <aside id="medrec_mobile_mob_bottom_ad" class="medrec_ad visible-xs center mobile-medrec" style="width:300px"></aside>\n \n \n \n \n <script>\n var mps = mps||{}; mps._queue = mps._queue||{}; mps._queue.gptloaded = mps._queue.gptloaded||[];\n mps._queue.gptloaded.push(function () {\n if (mps.getResponsiveSet() == \'0\') { //MOBILE\n mps.insertAd(\'#medrec_mobile_mob_bottom_ad\',\'mboxadtwo\');\n }\n });\n </script>\n \n\n\n\n \n \n\n <script id="score-details-json" type="application/json">{"scoreboard":{"audienceBandedRatingCount":"250,000+","audienceCount":32314349,"audienceCountHref":"/m/et_the_extraterrestrial/reviews?type=user&intcmp=rt-scorecard_audience-score-reviews","audienceRatingCopy":"Ratings","audienceScore":72,"audienceState":"upright","hasVerifiedAudienceScore":false,"info":"1982, Kids & family/Sci-fi, 1h 55m","rating":"PG","title":"E.T. the Extra-Terrestrial","tomatometerCount":139,"tomatometerCountHref":"/m/et_the_extraterrestrial/reviews?intcmp=rt-scorecard_tomatometer-reviews","tomatometerScore":99,"tomatometerState":"certified-fresh"},"modal":{"audienceScoreAll":{"averageRating":"3.5","bandedRatingCount":"250,000+","likedCount":82689,"notLikedCount":32311,"ratingCount":32314349,"reviewCount":1318882,"scoreType":"ALL","audienceClass":"upright","score":72},"audienceScoreVerified":{"averageRating":null,"bandedRatingCount":"0","likedCount":0,"notLikedCount":0,"ratingCount":0,"reviewCount":0,"scoreType":"VERIFIED","audienceClass":null,"score":null},"hasTomatometerScoreAll":true,"hasTomatometerScoreTop":true,"hasAudienceScoreAll":true,"hasAudienceScoreVerified":false,"scoreDetailDescription":{"verifiedAudienceScoreMsg":"The percentage of users who made a verified movie ticket purchase rating this 3.5 stars or higher. <a href=\\"https://editorial.rottentomatoes.com/article/introducing-verified-audience-score/\\" target=\\"_blank\\">Learn more</a>","allAudienceScoreMsg":"The percentage of users who rated this 3.5 stars or higher.","nonVerifiableAudienceScoreMsg":"There is no Audience Score because there are not enough user ratings at this time.","tomatometerMsg":"The percentage of Approved Tomatometer Critics who have given this movie a positive review"},"tomatometerScoreAll":{"averageRating":"9.20","bandedRatingCount":"","likedCount":137,"notLikedCount":2,"ratingCount":139,"reviewCount":139,"scoreType":"","tomatometerState":"certified-fresh","score":99},"tomatometerScoreTop":{"averageRating":"9.20","bandedRatingCount":"","likedCount":43,"notLikedCount":1,"ratingCount":44,"reviewCount":44,"scoreType":"","tomatometerState":"certified-fresh","score":98}}}</script>\n <score-details-manager></score-details-manager>\n <overlay-base score-details hidden>\n <score-details slot="content" data-qa="modal:scoreDetail">\n <button slot="btn-close" class="overlay-base-btn" data-qa="score-detail-close-btn">\n <rt-icon icon="close" image></rt-icon>\n </button>\n <score-details-critics slot="critics" data-qa="score-detail-critics-section">\n <tool-tip\n tomatometer\n title="About tomatometer"\n description="The percentage of Approved Tomatometer Critics who have given this movie a positive review."\n slot="tooltip"\n data-qa="tool-tip"\n >\n <button slot="tool-tip-btn"><rt-icon icon="question-circled" image data-qa="tool-tip-btn"></rt-icon></button>\n </tool-tip>\n <filter-chip slot="btn-all-critics" active="true" label="ALL CRITICS" data-qa="all-critics-btn">\n <label slot="label" class="filter-label">ALL CRITICS</label>\n </filter-chip>\n <filter-chip slot="btn-top-critics" label="TOP CRITICS" data-qa="top-critics-btn">\n <label slot="label" class="filter-label">TOP CRITICS</label>\n </filter-chip>\n </score-details-critics>\n <score-details-audience slot="audience" data-qa="score-detail-audience-section">\n <tool-tip\n audience\n encodedhtml\n title="About audience score"\n description="The percentage of users who rated this 3.5 stars or higher."\n slot="tooltip"\n data-qa="tool-tip"\n >\n <button slot="tool-tip-btn"><rt-icon icon="question-circled" image data-qa="tool-tip-btn"></rt-icon></button>\n </tool-tip>\n <filter-chip slot="btn-verified-audience" active="true" label="VERIFIED AUDIENCE" data-qa="verified-audience-btn">\n <label slot="label" class="filter-label">VERIFIED AUDIENCE</label>\n </filter-chip>\n <filter-chip slot="btn-all-audience" label="ALL AUDIENCE" data-qa="all-audience-btn">\n <label slot="label" class="filter-label">ALL AUDIENCE</label>\n </filter-chip>\n </score-details-audience>\n </score-details>\n </overlay-base>\n\n \n <a\n class="sticky-footer-link"\n href="https://www.rottentomatoes.com/browse/movies_at_home/sort:popular?page=1&cmp=rt_sticky_footer">\n <sticky-footer\n name=""\n description="Most Popular at Home Now"\n icon="none"\n track="most-popular-at-home-now"\n >\n </sticky-footer>\n </a>\n \n </div>\n\n <section class="error-toaster error-toaster--hidden js-error-toaster">\n <div class="error-toaster__inner">\n <div class="error-toaster__header js-error-toaster-header"></div>\n <div class="error-toaster__message js-error-toaster-message"></div>\n </div>\n\n <div class="error-toaster__close-button-wrap">\n <button class="error_toaster__close-button js-error-toaster-close-button"></button>\n </div>\n</section>\n <aside class="js-score-detail-drawer-help-tomatometer score-detail-drawer mobile-drawer" data-qa="tomatometer-tool-tip">\n <div class="js-mobile-drawer-backdrop-close-btn mobile-drawer__backdrop"></div>\n <div class="mobile-drawer__content score-detail-drawer__content" data-qa="tool-tip-content">\n <div class="mobile-drawer__header score-detail-drawer__header">\n <h1 class="score-detail-drawer__title" data-qa="tool-tip-title">About Tomatometer</h1>\n <button class="js-mobile-drawer-backdrop-close-btn score-detail-drawer__close-btn a modal__close-btn--large" data-qa="tool-tip-close-btn"></button>\n </div>\n <div class="mobile-drawer__body score-detail-drawer__body">\n <p class="score-detail__drawer-text" data-qa="tool-tip-text"></p>\n </div>\n </div>\n</aside>\n\n\n \n <aside class="js-score-detail-drawer-help-audience-score score-detail-drawer mobile-drawer" data-qa="audience-score-tool-tip">\n <div class="js-mobile-drawer-backdrop-close-btn mobile-drawer__backdrop"></div>\n <div class="mobile-drawer__content score-detail-drawer__content" data-qa="tool-tip-content">\n <div class="mobile-drawer__header score-detail-drawer__header">\n <h3 class="score-detail-drawer__title" data-qa="tool-tip-title">About Audience Score</h3>\n <button class="js-mobile-drawer-backdrop-close-btn score-detail-drawer__close-btn a modal__close-btn--large" data-qa="tool-tip-close-btn"></button>\n </div>\n <div class="mobile-drawer__body score-detail-drawer__body">\n \n \n <p class="score-detail__tooltip-text" data-qa="tool-tip-text"></p>\n \n \n </div>\n </div>\n</aside>\n\n\n \n \n\n </section>\n\n <script id="curation-json" type="application/json">{"emsId":"9ac889c9-a513-3596-a647-ab4f4554112f","hasShowtimes":true,"rtId":"10489","type":"movie"}</script>\n\n\n </div>\n\n \n \n \n <div class="sleaderboard_wrapper hidden-xs mobile-hidden">\n <div id="leaderboard_bottom_ad" style="margin-left:auto;margin-right:auto;display:inline-block"> </div>\n <script>\n var mps = mps||{}; mps._queue = mps._queue||{}; mps._queue.gptloaded = mps._queue.gptloaded||[];\n mps._queue.gptloaded.push(function () {\n if (mps.getResponsiveSet() != \'0\') { //DESKTOP or TABLET\n mps.insertAd(\'#leaderboard_bottom_ad\',\'bottombanner\');\n }\n });\n </script>\n </div>\n\n\n\n \n \n \n \n \n \n \n <!--\n <c:set var="onloadJs">\n if(!$("#[skin]_ad").is(":visible")){$("body").removeAttr("style");}\n </c:set>\n -->\n <style>#[skin]_ad { height:0px !important; }</style>\n \n <div id="[skin]_ad"></div>\n\n\n \n\n <footer id="foot" class="footer hidden-xs">\n <div class="row">\n <div class="col-xs-5 subnav">\n <ul class="unstyled">\n <li><a id="footer-help" href="/help_desk/">Help</a></li>\n <li><a id="footer-about" href="/about/">About Rotten Tomatoes</a></li>\n <li><a id="footer-tomatometer" style="cursor: pointer;" href="/about#whatisthetomatometer">What\'s the Tomatometer<sup>®</sup>?</a></li>\n <li id="footer-feedback">\n \n </li>\n </ul>\n </div>\n <div class="col-xs-4 subnav">\n <ul>\n <li><a id="footer-critics" href="/critics/criteria/">Critic Submission</a></li>\n <li><a id="footer-licensing" href="/help_desk/licensing/">Licensing</a></li>\n <li><a id="footer-advertise" href="https://together.nbcuni.com/advertise/?utm_source=rotten_tomatoes&utm_medium=referral&utm_campaign=property_ad_pages&utm_content=footer">Advertise With Us</a></li>\n <li><a id="footer-jobs" href="//www.fandango.com/careers">Careers</a></li>\n </ul>\n </div>\n <div class="col-xs-7 subnav center">\n <h2><span class="glyphicon glyphicon-envelope envelope"></span>JOIN THE NEWSLETTER</h2>\n <div id="footer-center-text" class="default-half-margin-vertical">\n Get the freshest reviews, news, and more delivered right to your inbox!\n </div>\n <div class="default-margin">\n \n <button class="js-cognito-join-newsletter btn btn-primary newsletter-btn">Join the Newsletter!</button>\n \n <a href="https://optout.services.fandango.com/rottentomatoes" class="btn btn-primary newsletter-btn hide">Join the Newsletter!</a>\n </div>\n </div>\n <div class="col-xs-8 subnav">\n <h2>Follow Us</h2>\n <div>\n <a id="footer-follow-us-facebook" class="footerIcon" target="_blank" href="//www.facebook.com/rottentomatoes">\n <rt-icon icon="facebook-squared"></rt-icon>\n </a>\n <a id="footer-follow-us-twitter" class="footerIcon" target="_blank" href="//twitter.com/rottentomatoes">\n <rt-icon icon="twitter"></rt-icon>\n </a>\n <a id="footer-follow-us-instagram" class="footerIcon" target="_blank" href="//www.instagram.com/rottentomatoes/">\n <rt-icon icon="instagram"></rt-icon>\n </a>\n <a id="footer-follow-us-pinterest" class="footerIcon" target="_blank" href="https://www.pinterest.com/rottentomatoes">\n <rt-icon icon="pinterest"></rt-icon>\n </a>\n <a id="footer-follow-us-youtube" class="footerIcon" target="_blank" href="//www.youtube.com/user/rottentomatoes">\n <rt-icon icon="youtube-play"></rt-icon>\n </a>\n </div>\n </div>\n </div>\n <div class="subtle footer-legal" style="padding:10px">\n Copyright © Fandango. All rights reserved. <span class="version">V3</span>\n <ul class="footer-legal__list">\n <li class="footer-legal__list-item">\n <a id="footer-privacy" class="footer-legal__link" href="//www.fandango.com/PrivacyPolicy">\n Privacy Policy\n </a> |\n </li>\n <li class="footer-legal__list-item"><a id="footer-tos" class="footer-legal__link" href="//www.fandango.com/terms-and-policies">Terms and Policies</a> |</li>\n \n <li class="footer-legal__list-item"><a class="footer-legal__link" href="//www.fandango.com/donotsellmyinfo">Do Not Sell My Info</a> |</li>\n \n <li class="footer-legal__list-item"><a class="footer-legal__link" href="https://www.fandango.com/policies/cookies-and-tracking#cookie_management">AdChoices</a> |</li>\n <li class="footer-legal__list-item"><a class="footer-legal__link" href="/faq#accessibility">Accessibility</a></li>\n </ul>\n </div>\n</footer>\n\n<footer class="footer-mobile visible-xs-block">\n <div class="white">Copyright © Fandango. All rights reserved. <span class="version">V3</span></div>\n <div class="default-margin">\n \n <button class="js-cognito-join-newsletter btn btn-primary newsletter-btn">Join Newsletter</button>\n \n <a href="https://optout.services.fandango.com/rottentomatoes" class="btn btn-primary newsletter-btn hide">Join Newsletter</a>\n </div>\n <ul class="footer-mobile-legal__list">\n <li class="footer-mobile-legal__list-item"><a class="footer-mobile-legal__link" href="//www.fandango.com/terms-and-policies">Terms and Policies</a></li>\n <li class="footer-mobile-legal__list-item">\n <a class="footer-mobile-legal__link" href="//www.fandango.com/PrivacyPolicy">\n Privacy Policy\n </a>\n </li>\n \n <li class="footer-mobile-legal__list-item"><a class="footer-mobile-legal__link" href="//www.fandango.com/donotsellmyinfo">Do Not Sell My Info</a></li>\n \n <li id="footer-feedback-mobile" class="footer-mobile-legal__list-item">\n \n </li>\n <li class="footer-mobile-legal__list-item"><a class="footer-mobile-legal__link" href="/faq#accessibility">Accessibility</a></li>\n </ul>\n</footer>\n </div>\n\n <div id="newTrailerModal" class="modal fade" tabindex="-1" data-qa="trailer-modal">\n <div class="modal-dialog modal-lg">\n\n <div class="closebutton" data-qa="close-btn"><span class="glyphicon glyphicon-remove-circle lightGray"></span></div>\n <div id="videoPlayer" style="width:100%;height:100%" data-qa="video-player-container"></div>\n </div>\n <div class="fullWidth">\n <div class="btn btn-primary-rt closeBtn" data-qa="go-back-btn">\n <span class="glyphicon glyphicon-chevron-left"></span> Go back\n </div>\n <div class="moreTrailer" data-qa="more-trailers-btn">\n <a class="btn btn-primary-rt" href="/trailers/">More trailers <span class="glyphicon glyphicon-chevron-right"></span></a>\n </div>\n </div>\n</div>\n\n <div class="modal fade" tabindex="-1" id="newIframeTrailerModal">\n <div class="modal-dialog modal-lg">\n <div class="closebutton"><span class="glyphicon glyphicon-remove-circle lightGray"></span></div>\n <iframe id="iframeVideoPlayer" src="about:blank" style="width:100%;height:100%"></iframe>\n </div>\n</div>\n\n\n <!-- PDK -->\n <script src="//pdk.theplatform.com/current/pdk/tpPdkController.js"></script>\n <!-- End PDK -->\n\n <!-- <bootstrap:bodyScript /> -->\n\n \n \n <script type="text/javascript">\n(function (root) {\n/* -- Data -- */\nroot.RottenTomatoes || (root.RottenTomatoes = {});\nroot.RottenTomatoes.context = {"_routes":{"adminManagePeople":{"path":"https:\\u002F\\u002Fadmin.flixster.com\\u002Fadmin\\u002Fmanage-people?id=:id","tokens":[{"literal":"https:\\u002F\\u002Fadmin.flixster.com\\u002Fadmin\\u002Fmanage-people?id="},{"key":"id"}]},"adminMerge":{"path":"https:\\u002F\\u002Fadmin.flixster.com\\u002Factor\\u002Fmerge?from=:id","tokens":[{"literal":"https:\\u002F\\u002Fadmin.flixster.com\\u002Factor\\u002Fmerge?from="},{"key":"id"}]},"baseCanonicalUrl":{"path":"https:\\u002F\\u002Fwww.rottentomatoes.com","tokens":[{"literal":"https:\\u002F\\u002Fwww.rottentomatoes.com"}]},"webCriticSourceReviewsNapi":{"path":"\\u002Fnapi\\u002Fcritics\\u002Fsource\\u002F:publicationId\\u002F:type(movies|tv)","tokens":[{"literal":"\\u002Fnapi\\u002Fcritics\\u002Fsource\\u002F"},{"key":"publicationId"},{"literal":"\\u002F"},{"key":"type"}]},"editorialPageCodeOfConduct":{"path":"https:\\u002F\\u002Feditorial.rottentomatoes.com\\u002Fotg-article\\u002Fcommunity-code-of-conduct","tokens":[{"literal":"https:\\u002F\\u002Feditorial.rottentomatoes.com\\u002Fotg-article\\u002Fcommunity-code-of-conduct"}]},"editorialPageProductBlog":{"path":"https:\\u002F\\u002Feditorial.rottentomatoes.com\\u002Frt-product-blog","tokens":[{"literal":"https:\\u002F\\u002Feditorial.rottentomatoes.com\\u002Frt-product-blog"}]},"flixsterGeoLocationApi":{"path":"https:\\u002F\\u002Fapi.flixster.com\\u002Fticketing\\u002Fapi\\u002Fv1\\u002Fgeoip","tokens":[{"literal":"https:\\u002F\\u002Fapi.flixster.com\\u002Fticketing\\u002Fapi\\u002Fv1\\u002Fgeoip"}]},"commonAccountForgotPWNapi":{"path":"\\u002Fnapi\\u002Faccount\\u002FforgotPassword\\u002F","tokens":[{"literal":"\\u002Fnapi\\u002Faccount\\u002FforgotPassword\\u002F"}]},"commonAccountLoginNapi":{"path":"\\u002Fnapi\\u002Faccount\\u002Flogin\\u002F","tokens":[{"literal":"\\u002Fnapi\\u002Faccount\\u002Flogin\\u002F"}]},"commonAccountLoginFacebookOauthNapi":{"path":"\\u002Fnapi\\u002Faccount\\u002FloginFacebookOauth\\u002F","tokens":[{"literal":"\\u002Fnapi\\u002Faccount\\u002FloginFacebookOauth\\u002F"}]},"commonAccountLogoutNapi":{"path":"\\u002Fnapi\\u002Faccount\\u002Flogout\\u002F","tokens":[{"literal":"\\u002Fnapi\\u002Faccount\\u002Flogout\\u002F"}]},"commonAccountRegisterNapi":{"path":"\\u002Fnapi\\u002Faccount\\u002Fregister\\u002F","tokens":[{"literal":"\\u002Fnapi\\u002Faccount\\u002Fregister\\u002F"}]},"commonAccountThemePreferencesNapi":{"path":"\\u002Fnapi\\u002Fpreferences\\u002Fthemes","tokens":[{"literal":"\\u002Fnapi\\u002Fpreferences\\u002Fthemes"}]},"commonAccountVerifyTokenNapi":{"path":"\\u002Fnapi\\u002Faccount\\u002FverifyToken\\u002F","tokens":[{"literal":"\\u002Fnapi\\u002Faccount\\u002FverifyToken\\u002F"}]},"commonUserRatingsWTSCountNapi":{"path":"\\u002Fnapi\\u002Fuser\\u002Fcounts","tokens":[{"literal":"\\u002Fnapi\\u002Fuser\\u002Fcounts"}]},"commonAutocompleteNapi":{"path":"\\u002Fnapi\\u002Flocation\\u002Fautocomplete\\u002F:text","tokens":[{"literal":"\\u002Fnapi\\u002Flocation\\u002Fautocomplete\\u002F"},{"key":"text"}]},"commonGetLocationFromTextNapi":{"path":"\\u002Fnapi\\u002Flocation\\u002Ftext","tokens":[{"literal":"\\u002Fnapi\\u002Flocation\\u002Ftext"}]},"webShowtimesMoviesNapi":{"path":"\\u002Fnapi\\u002Fmovies\\u002F:ids","tokens":[{"literal":"\\u002Fnapi\\u002Fmovies\\u002F"},{"key":"ids"}]},"webShowtimesMovieCalendarNapi":{"path":"\\u002Fnapi\\u002FmovieCalendar\\u002F:title-:id(\\\\d+)","tokens":[{"literal":"\\u002Fnapi\\u002FmovieCalendar\\u002F"},{"key":"title"},{"literal":"-"},{"key":"id"}]},"webBrowseMovieListDvdAllNapi":{"path":"\\u002Fnapi\\u002FmovieList\\u002FdvdAll","tokens":[{"literal":"\\u002Fnapi\\u002FmovieList\\u002FdvdAll"}]},"webBrowseMovieListOpeningNapi":{"path":"\\u002Fnapi\\u002FmovieList\\u002FOpening","tokens":[{"literal":"\\u002Fnapi\\u002FmovieList\\u002FOpening"}]},"webBrowseMovieListUpcomingNapi":{"path":"\\u002Fnapi\\u002FmovieList\\u002FUpcoming","tokens":[{"literal":"\\u002Fnapi\\u002FmovieList\\u002FUpcoming"}]},"webBrowseMovieListDvdUpcomingNapi":{"path":"\\u002Fnapi\\u002FmovieList\\u002FdvdUpcoming","tokens":[{"literal":"\\u002Fnapi\\u002FmovieList\\u002FdvdUpcoming"}]},"webBrowseMovieListDvdCertifiedNapi":{"path":"\\u002Fnapi\\u002FmovieList\\u002FdvdCertified","tokens":[{"literal":"\\u002Fnapi\\u002FmovieList\\u002FdvdCertified"}]},"webShowtimesMovieShowtimeGroupingsNapi":{"path":"\\u002Fnapi\\u002FtheaterShowtimeGroupings\\u002F:id(\\\\d+)\\u002F:startDate","tokens":[{"literal":"\\u002Fnapi\\u002FtheaterShowtimeGroupings\\u002F"},{"key":"id"},{"literal":"\\u002F"},{"key":"startDate"}]},"webMovieReviewsGetAudienceReviewNapi":{"path":"\\u002Fnapi\\u002Fmovie\\u002F:movieId\\u002Freviews\\u002F:type(user|verified_audience)","tokens":[{"literal":"\\u002Fnapi\\u002Fmovie\\u002F"},{"key":"movieId"},{"literal":"\\u002Freviews\\u002F"},{"key":"type"}]},"webMovieReviewsGetCriticsReviewNapi":{"path":"\\u002Fnapi\\u002Fmovie\\u002F:movieId\\u002FcriticsReviews\\u002F:type(all|top_critics)\\u002F:sort?","tokens":[{"literal":"\\u002Fnapi\\u002Fmovie\\u002F"},{"key":"movieId"},{"literal":"\\u002FcriticsReviews\\u002F"},{"key":"type"},{"literal":"\\u002F"},{"key":"sort"},{"literal":"?"}]},"commonTrackingFreewheelPixelSyncNapi":{"path":"\\u002Fnapi\\u002Ftracking\\u002Ffreewheel\\u002Fpixelsync","tokens":[{"literal":"\\u002Fnapi\\u002Ftracking\\u002Ffreewheel\\u002Fpixelsync"}]},"webTvEpisodeGetReviewsNapi":{"path":"\\u002Fnapi\\u002Ftv\\u002F:vanity\\u002F:tvSeason\\u002F:tvEpisode\\u002Freviews\\u002F:type(all|top_critics)","tokens":[{"literal":"\\u002Fnapi\\u002Ftv\\u002F"},{"key":"vanity"},{"literal":"\\u002F"},{"key":"tvSeason"},{"literal":"\\u002F"},{"key":"tvEpisode"},{"literal":"\\u002Freviews\\u002F"},{"key":"type"}]},"webSeasonReviewsGetReviewsNapi":{"path":"\\u002Fnapi\\u002FseasonReviews\\u002F:id","tokens":[{"literal":"\\u002Fnapi\\u002FseasonReviews\\u002F"},{"key":"id"}]},"commonSearchNapi":{"path":"\\u002Fnapi\\u002Fsearch\\u002Fall","tokens":[{"literal":"\\u002Fnapi\\u002Fsearch\\u002Fall"}]},"commonSearchAllCategoriesNapi":{"path":"\\u002Fnapi\\u002Fsearch\\u002F","tokens":[{"literal":"\\u002Fnapi\\u002Fsearch\\u002F"}]},"commonSearchTopMoviesDefaultListNapi":{"path":"\\u002Fnapi\\u002Fsearch\\u002Fdefault-list","tokens":[{"literal":"\\u002Fnapi\\u002Fsearch\\u002Fdefault-list"}]},"webShowtimesTheatersWithShowtimesNapi":{"path":"\\u002Fnapi\\u002FtheatersShowtimes\\u002F:location\\u002F:date","tokens":[{"literal":"\\u002Fnapi\\u002FtheatersShowtimes\\u002F"},{"key":"location"},{"literal":"\\u002F"},{"key":"date"}]},"webTvSeasonGetEpisodesNapi":{"path":"\\u002Fnapi\\u002Ftv\\u002F:vanity\\u002F:tvSeason\\u002Fepisodes","tokens":[{"literal":"\\u002Fnapi\\u002Ftv\\u002F"},{"key":"vanity"},{"literal":"\\u002F"},{"key":"tvSeason"},{"literal":"\\u002Fepisodes"}]},"commonUserEmailConfirmationNapi":{"path":"\\u002Fnapi\\u002Faccount\\u002FemailConfirmation","tokens":[{"literal":"\\u002Fnapi\\u002Faccount\\u002FemailConfirmation"}]},"commonUserEmailStatusNapi":{"path":"\\u002Fnapi\\u002Faccount\\u002FemailStatus","tokens":[{"literal":"\\u002Fnapi\\u002Faccount\\u002FemailStatus"}]},"commonUserWTSCreateNapi":{"path":"\\u002Fnapi\\u002Fuser\\u002Fwts","tokens":[{"literal":"\\u002Fnapi\\u002Fuser\\u002Fwts"}]},"commonUserWTSDeleteNapi":{"path":"\\u002Fnapi\\u002Fuser\\u002Fwts\\u002Fdelete","tokens":[{"literal":"\\u002Fnapi\\u002Fuser\\u002Fwts\\u002Fdelete"}]},"commonUserRatingCreateNapi":{"path":"\\u002Fnapi\\u002Fuser\\u002Frating","tokens":[{"literal":"\\u002Fnapi\\u002Fuser\\u002Frating"}]},"commonUserGetWTSNapi":{"path":"\\u002Fnapi\\u002Fuser\\u002Fwts","tokens":[{"literal":"\\u002Fnapi\\u002Fuser\\u002Fwts"}]},"commonUserInfoNapi":{"path":"\\u002Fnapi\\u002Fuser","tokens":[{"literal":"\\u002Fnapi\\u002Fuser"}]},"commonUserGetRatingNapi":{"path":"\\u002Fnapi\\u002Fuser\\u002Frating","tokens":[{"literal":"\\u002Fnapi\\u002Fuser\\u002Frating"}]},"webUserProfileMovieRatingsNapi":{"path":"\\u002Fnapi\\u002FuserProfile\\u002FmovieRatings\\u002F:userId","tokens":[{"literal":"\\u002Fnapi\\u002FuserProfile\\u002FmovieRatings\\u002F"},{"key":"userId"}]},"webUserProfileTVRatingsNapi":{"path":"\\u002Fnapi\\u002FuserProfile\\u002FtvRatings\\u002F:userId","tokens":[{"literal":"\\u002Fnapi\\u002FuserProfile\\u002FtvRatings\\u002F"},{"key":"userId"}]},"webUserProfileWTSNapi":{"path":"\\u002Fnapi\\u002FuserProfile\\u002Fwts\\u002F:userId","tokens":[{"literal":"\\u002Fnapi\\u002FuserProfile\\u002Fwts\\u002F"},{"key":"userId"}]},"mediaHoundRecommendations":{"path":"https:\\u002F\\u002Fapi.mediahound.net\\u002Fgraph\\u002Frelate","tokens":[{"literal":"https:\\u002F\\u002Fapi.mediahound.net\\u002Fgraph\\u002Frelate"}]},"resetClient":{"path":"\\u002Freset-client","tokens":[{"literal":"\\u002Freset-client"}]},"tvSeasonCriticAddArticle":{"path":"https:\\u002F\\u002Fwww.rottentomatoes.com\\u002Fcritics\\u002Ftools\\u002Ftv\\u002F?reviewableId=:seasonId","tokens":[{"literal":"https:\\u002F\\u002Fwww.rottentomatoes.com\\u002Fcritics\\u002Ftools\\u002Ftv\\u002F?reviewableId="},{"key":"seasonId"}]},"userAccount":{"path":"\\u002Fuser\\u002Faccount","tokens":[{"literal":"\\u002Fuser\\u002Faccount"}]},"userAccountEmailPrefs":{"path":"https:\\u002F\\u002Foptout.services.fandango.com\\u002Frottentomatoes","tokens":[{"literal":"https:\\u002F\\u002Foptout.services.fandango.com\\u002Frottentomatoes"}]},"redirectorTheatersTopBoxOffice":{"path":"\\u002Fbrowse\\u002Fin-theaters","tokens":[{"literal":"\\u002Fbrowse\\u002Fin-theaters"}]},"webCritic":{"path":"\\u002Fcritics\\u002F:vanity\\u002F:type(movies|tv)","tokens":[{"literal":"\\u002Fcritics\\u002F"},{"key":"vanity"},{"literal":"\\u002F"},{"key":"type"}]},"webCriticLanding":{"path":"\\u002Fcritics\\u002F:vanity","tokens":[{"literal":"\\u002Fcritics\\u002F"},{"key":"vanity"}]},"webSearchResults":{"path":"\\u002Fsearch\\u002F","tokens":[{"literal":"\\u002Fsearch\\u002F"}]},"webShowtimes":{"path":"\\u002Fshowtimes","tokens":[{"literal":"\\u002Fshowtimes"}]},"webCriticSource":{"path":"\\u002Fcritics\\u002Fsource\\u002F:publicationId","tokens":[{"literal":"\\u002Fcritics\\u002Fsource\\u002F"},{"key":"publicationId"}]}}};\nroot.RottenTomatoes.context || (root.RottenTomatoes.context = {});\nroot.RottenTomatoes.context.layout = {"header":{"editorial":{"bestAndWorstNews":[{"ID":19933,"author":20,"featured_image":{"source":"https:\\u002F\\u002Fprd-rteditorial.s3.us-west-2.amazonaws.com\\u002Fwp-content\\u002Fuploads\\u002F2015\\u002F06\\u002F19171851\\u002FJurassic-Park-Franchise-Recall.jpg"},"link":"https:\\u002F\\u002Feditorial.rottentomatoes.com\\u002Fguide\\u002Fjurassic-park-world-movies\\u002F","promo_order":"","status":"publish","title":"\\u003Cem\\u003EJurassic Park\\u003C\\u002Fem\\u003E Movies Ranked By Tomatometer","type":"article"},{"ID":77012,"author":20,"featured_image":{"source":"https:\\u002F\\u002Fprd-rteditorial.s3.us-west-2.amazonaws.com\\u002Fwp-content\\u002Fuploads\\u002F2018\\u002F02\\u002F14193805\\u002FMarvel-Movies-Recall2.jpg"},"link":"https:\\u002F\\u002Feditorial.rottentomatoes.com\\u002Fguide\\u002Fall-marvel-cinematic-universe-movies-ranked\\u002F","promo_order":"","status":"publish","title":"Marvel Movies Ranked Worst to Best by Tomatometer","type":"article"}],"guides":[{"ID":140214,"author":{"ID":12,"username":"alex.vo","name":"Alex Vo","first_name":"Alex","last_name":"Vo","nickname":"alex.vo","slug":"alex-vo","URL":"","avatar":"https:\\u002F\\u002Fsecure.gravatar.com\\u002Favatar\\u002F818ade2039d2a711e0cd70ae46f14952?s=96","description":"","registered":"2015-05-12T20:00:23+00:00","meta":{"links":{"self":"https:\\u002F\\u002Feditorial.rottentomatoes.com\\u002Fwp-json\\u002Fusers\\u002F12","archives":"https:\\u002F\\u002Feditorial.rottentomatoes.com\\u002Fwp-json\\u002Fusers\\u002F12\\u002Fposts"}}},"featured_image":{"source":"https:\\u002F\\u002Fprd-rteditorial.s3.us-west-2.amazonaws.com\\u002Fwp-content\\u002Fuploads\\u002F2021\\u002F12\\u002F14172550\\u002FRT_AWARDS_2022_600x314.jpg"},"link":"https:\\u002F\\u002Feditorial.rottentomatoes.com\\u002Frt-hub\\u002Fawards-tour\\u002F","status":"publish","title":"Awards Tour","type":"rt-hub"},{"ID":224556,"author":{"ID":7,"username":"RT Staff","name":"RT Staff","first_name":"RT","last_name":"Staff","nickname":"RT Staff","slug":"rt-staff","URL":"http:\\u002F\\u002Fwww.rottentomatoes.com","avatar":"https:\\u002F\\u002Fsecure.gravatar.com\\u002Favatar\\u002F1da0327e91516c500afa31e67da2395a?s=96","description":"Rotten Tomatoes every day.","registered":"2015-05-01T22:36:17+00:00","meta":{"links":{"self":"https:\\u002F\\u002Feditorial.rottentomatoes.com\\u002Fwp-json\\u002Fusers\\u002F7","archives":"https:\\u002F\\u002Feditorial.rottentomatoes.com\\u002Fwp-json\\u002Fusers\\u002F7\\u002Fposts"}}},"featured_image":{"source":"https:\\u002F\\u002Fprd-rteditorial.s3.us-west-2.amazonaws.com\\u002Fwp-content\\u002Fuploads\\u002F2022\\u002F09\\u002F06120735\\u002FRT_FALLTV2022_600x314.jpg"},"link":"https:\\u002F\\u002Feditorial.rottentomatoes.com\\u002Frt-hub\\u002F2022-fall-tv-survey\\u002F","status":"publish","title":"2022 Fall TV Survey","type":"rt-hub"}],"newsItems":[{"ID":225142,"author":814,"featured_image":{"source":"https:\\u002F\\u002Fprd-rteditorial.s3.us-west-2.amazonaws.com\\u002Fwp-content\\u002Fuploads\\u002F2022\\u002F09\\u002F12222901\\u002Fjennifer-coolidge-emmys-600x314-1.jpg"},"link":"https:\\u002F\\u002Feditorial.rottentomatoes.com\\u002Farticle\\u002Fbest-emmys-moments-2022\\u002F","promo_order":"","status":"publish","title":"Best Emmys Moments 2022: Quinta Brunson Overcomes an Overplayed Skit, Jennifer Coolidge Dances Off With an Award","type":"article"},{"ID":225018,"author":789,"featured_image":{"source":"https:\\u002F\\u002Fprd-rteditorial.s3.us-west-2.amazonaws.com\\u002Fwp-content\\u002Fuploads\\u002F2022\\u002F09\\u002F12193808\\u002Femmys-zendaya-600x314-1.jpg"},"link":"https:\\u002F\\u002Feditorial.rottentomatoes.com\\u002Farticle\\u002F2022-emmy-awards-winners-full-list-of-winners-from-the-74th-primetime-emmy-awards\\u002F","promo_order":"","status":"publish","title":"2022 Emmy Awards Winners: Full List of Winners from the 74th Primetime Emmy Awards","type":"article"}]},"trendingTarsSlug":"rt-nav-trending","trending":[{"header":"Barbarian","url":"https:\\u002F\\u002Fwww.rottentomatoes.com\\u002Fm\\u002Fbarbarian_2022"},{"header":"Emmy Winners","url":"https:\\u002F\\u002Feditorial.rottentomatoes.com\\u002Farticle\\u002F2022-emmy-awards-winners-full-list-of-winners-from-the-74th-primetime-emmy-awards\\u002F"},{"header":"The Rings of Power","url":"https:\\u002F\\u002Fwww.rottentomatoes.com\\u002Ftv\\u002Fthe_lord_of_the_rings_the_rings_of_power"},{"header":"The Woman King","url":"https:\\u002F\\u002Fwww.rottentomatoes.com\\u002Fm\\u002Fthe_woman_king"},{"header":"Don\'t Worry Darling","url":"https:\\u002F\\u002Fwww.rottentomatoes.com\\u002Fm\\u002Fdont_worry_darling"}],"certifiedMedia":{"certifiedFreshTvSeason":{"header":null,"media":{"url":"\\u002Ftv\\u002Fmo\\u002Fs01","name":"Mo: Season 1","score":100,"posterImg":"https:\\u002F\\u002Fresizing.flixster.com\\u002F4jzk7W_rL4Lx4XQVlGz4kPTV5gE=\\u002Ffit-in\\u002F180x240\\u002Fv2\\u002Fhttps:\\u002F\\u002Fresizing.flixster.com\\u002FhLKxzf02byaPUiuSog5m0vml4LI=\\u002Fems.cHJkLWVtcy1hc3NldHMvdHZzZWFzb24vODI4ZDY3NWQtZWRkNC00ZTlkLThlNDctMzVmMDQwMGI3ZjI5LmpwZw=="},"tarsSlug":"rt-nav-list-cf-picks"},"certifiedFreshMovieInTheater":{"header":null,"media":{"url":"\\u002Fm\\u002Fmoonage_daydream","name":"Moonage Daydream","score":96,"posterImg":"https:\\u002F\\u002Fresizing.flixster.com\\u002Fy1qaLr2j5LJhu2aa2T5HVnllz3c=\\u002Ffit-in\\u002F180x240\\u002Fv2\\u002Fhttps:\\u002F\\u002Fresizing.flixster.com\\u002F1RvVvRT_yIkZpE6CiOdcmXaLjDk=\\u002Fems.cHJkLWVtcy1hc3NldHMvbW92aWVzLzRiMGFiMmJmLWQxZTgtNDhjOC1hMzM0LWE0MGMyNzNlZTM2ZC5qcGc="}},"certifiedFreshMovieInTheater4":{"header":null,"media":{"url":"\\u002Fm\\u002Fsaloum","name":"Saloum","score":95,"posterImg":"https:\\u002F\\u002Fresizing.flixster.com\\u002FwhlIlBxv-pDVQOtLKKT6I84uw44=\\u002Ffit-in\\u002F180x240\\u002Fv2\\u002Fhttps:\\u002F\\u002Fflxt.tmsimg.com\\u002Fassets\\u002Fp20673242_p_v13_aa.jpg"}},"certifiedFreshMovieAtHome":{"header":null,"media":{"url":"\\u002Fm\\u002Fgods_country_2022","name":"God\'s Country","score":86,"posterImg":"https:\\u002F\\u002Fresizing.flixster.com\\u002FbdhhMsmztfWMIiXUcBC46Yh6uo4=\\u002Ffit-in\\u002F180x240\\u002Fv2\\u002Fhttps:\\u002F\\u002Fresizing.flixster.com\\u002FT_cCRukbtWUXBnje0kPN3_uajXE=\\u002Fems.cHJkLWVtcy1hc3NldHMvbW92aWVzLzI4NTQ0YjJjLTBjMmUtNGY0NC1hYTI1LTM5ZGE5ZjFjYzQwZi5qcGc="}},"tarsSlug":"rt-nav-list-cf-picks"},"tvLists":{"newTvTonight":{"tarsSlug":"rt-hp-text-list-new-tv-this-week","title":"New TV Tonight","shows":[{"title":"The Serpent Queen: Season 1","tomatometer":{"tomatometer":100,"state":"fresh","certifiedFresh":false},"tvPageUrl":"\\u002Ftv\\u002Fthe_serpent_queen\\u002Fs01"},{"title":"The Handmaid\'s Tale: Season 5","tomatometer":{"tomatometer":75,"state":"fresh","certifiedFresh":false},"tvPageUrl":"\\u002Ftv\\u002Fthe_handmaids_tale\\u002Fs05"},{"title":"Atlanta: Season 4","tomatometer":{"tomatometer":null,"state":"","certifiedFresh":false},"tvPageUrl":"\\u002Ftv\\u002Fatlanta\\u002Fs04"},{"title":"Emmys: Season 74","tomatometer":{"tomatometer":18,"state":"rotten","certifiedFresh":false},"tvPageUrl":"\\u002Ftv\\u002Femmys\\u002Fs74"},{"title":"Los Espookys: Season 2","tomatometer":{"tomatometer":null,"state":"","certifiedFresh":false},"tvPageUrl":"\\u002Ftv\\u002Flos_espookys\\u002Fs02"},{"title":"Monarch: Season 1","tomatometer":{"tomatometer":30,"state":"rotten","certifiedFresh":false},"tvPageUrl":"\\u002Ftv\\u002Fmonarch\\u002Fs01"},{"title":"Vampire Academy: Season 1","tomatometer":{"tomatometer":null,"state":"","certifiedFresh":false},"tvPageUrl":"\\u002Ftv\\u002Fvampire_academy\\u002Fs01"},{"title":"War of the Worlds: Season 3","tomatometer":{"tomatometer":null,"state":"","certifiedFresh":false},"tvPageUrl":"\\u002Ftv\\u002Fwar_of_the_worlds_2020\\u002Fs03"},{"title":"Fate: The Winx Saga: Season 2","tomatometer":{"tomatometer":null,"state":"","certifiedFresh":false},"tvPageUrl":"\\u002Ftv\\u002Ffate_the_winx_saga\\u002Fs02"},{"title":"Cyberpunk: Edgerunners: Season 1","tomatometer":{"tomatometer":100,"state":"fresh","certifiedFresh":false},"tvPageUrl":"\\u002Ftv\\u002Fcyberpunk_edgerunners\\u002Fs01"}]},"mostPopularTvOnRt":{"tarsSlug":"rt-hp-text-list-most-popular-tv-on-rt","title":"Most Popular TV on RT","shows":[{"title":"The Lord of the Rings: The Rings of Power: Season 1","tomatometer":{"tomatometer":84,"state":"fresh","certifiedFresh":false},"tvPageUrl":"\\u002Ftv\\u002Fthe_lord_of_the_rings_the_rings_of_power\\u002Fs01"},{"title":"House of the Dragon: Season 1","tomatometer":{"tomatometer":85,"state":"fresh","certifiedFresh":false},"tvPageUrl":"\\u002Ftv\\u002Fhouse_of_the_dragon\\u002Fs01"},{"title":"Cobra Kai: Season 5","tomatometer":{"tomatometer":100,"state":"fresh","certifiedFresh":false},"tvPageUrl":"\\u002Ftv\\u002Fcobra_kai\\u002Fs05"},{"title":"She-Hulk: Attorney at Law: Season 1","tomatometer":{"tomatometer":88,"state":"fresh","certifiedFresh":false},"tvPageUrl":"\\u002Ftv\\u002Fshe_hulk_attorney_at_law\\u002Fs01"},{"title":"The Imperfects: Season 1","tomatometer":{"tomatometer":null,"state":"","certifiedFresh":false},"tvPageUrl":"\\u002Ftv\\u002Fthe_imperfects\\u002Fs01"},{"title":"Devil in Ohio: Season 1","tomatometer":{"tomatometer":45,"state":"rotten","certifiedFresh":false},"tvPageUrl":"\\u002Ftv\\u002Fdevil_in_ohio\\u002Fs01"},{"title":"The Serpent Queen: Season 1","tomatometer":{"tomatometer":100,"state":"fresh","certifiedFresh":false},"tvPageUrl":"\\u002Ftv\\u002Fthe_serpent_queen\\u002Fs01"},{"title":"The Patient: Season 1","tomatometer":{"tomatometer":87,"state":"certified_fresh","certifiedFresh":true},"tvPageUrl":"\\u002Ftv\\u002Fthe_patient\\u002Fs01"},{"title":"The White Lotus: Season 1","tomatometer":{"tomatometer":89,"state":"certified_fresh","certifiedFresh":true},"tvPageUrl":"\\u002Ftv\\u002Fthe_white_lotus\\u002Fs01"},{"title":"Monarch: Season 1","tomatometer":{"tomatometer":30,"state":"rotten","certifiedFresh":false},"tvPageUrl":"\\u002Ftv\\u002Fmonarch\\u002Fs01"}]}},"legacyItems":{"tarsSlug":"rt-nav-list-tv-episodic-reviews","tv":{"mediaLists":[{},{},{},{"title":"Episodic Reviews","shows":[{"link":"\\u002Ftv\\u002Fbetter_call_saul\\u002Fs06","showTitle":"Better Call Saul: Season 6"},{"link":"\\u002Ftv\\u002Freservation_dogs\\u002Fs02","showTitle":"Reservation Dogs: Season 2"},{"link":"\\u002Ftv\\u002Funcoupled\\u002Fs01","showTitle":"Uncoupled: Season 1"},{"link":"\\u002Ftv\\u002Fonly_murders_in_the_building\\u002Fs02","showTitle":"Only Murders in the Building: Season 2"},{"link":"\\u002Ftv\\u002Fthe_old_man\\u002Fs01","showTitle":"The Old Man: Season 1"},{"link":"\\u002Ftv\\u002Fwestworld\\u002Fs04","showTitle":"Westworld: Season 4"},{"link":"\\u002Ftv\\u002Fthe_bear\\u002Fs01","showTitle":"The Bear: Season 1"}]}]}}},"links":{"moviesInTheaters":{"certifiedFresh":"\\u002Fbrowse\\u002Fcf-in-theaters","comingSoon":"\\u002Fbrowse\\u002Fupcoming","openingThisWeek":"\\u002Fbrowse\\u002Fopening","title":"\\u002Fbrowse\\u002Fin-theaters","topBoxOffice":"\\u002Fbrowse\\u002Fin-theaters"},"onDvdAndStreaming":{"all":"\\u002Fbrowse\\u002Fdvd-streaming-all","certifiedFresh":"\\u002Fbrowse\\u002Fcf-dvd-streaming-all","title":"\\u002Fdvd","top":"\\u002Fbrowse\\u002Ftop-dvd-streaming"},"moreMovies":{"topMovies":"\\u002Ftop","trailers":"\\u002Ftrailers"},"tvTonight":"\\u002Fbrowse\\u002Ftv-list-1","tvPopular":"\\u002Fbrowse\\u002Ftv-list-2","moreTv":{"topTv":"https:\\u002F\\u002Fwww.rottentomatoes.com\\u002Ftop-tv","certifiedFresh":"\\u002Fbrowse\\u002Ftv-list-3"},"editorial":{"allTimeLists":"https:\\u002F\\u002Feditorial.rottentomatoes.com\\u002Fall-time-lists\\u002F","bingeGuide":"https:\\u002F\\u002Feditorial.rottentomatoes.com\\u002Fbinge-guide\\u002F","comicsOnTv":"https:\\u002F\\u002Feditorial.rottentomatoes.com\\u002Fcomics-on-tv\\u002F","countdown":"https:\\u002F\\u002Feditorial.rottentomatoes.com\\u002Fcountdown\\u002F","criticsConsensus":"https:\\u002F\\u002Feditorial.rottentomatoes.com\\u002Fcritics-consensus\\u002F","fiveFavoriteFilms":"https:\\u002F\\u002Feditorial.rottentomatoes.com\\u002Ffive-favorite-films\\u002F","guidesHome":"https:\\u002F\\u002Feditorial.rottentomatoes.com\\u002Frt-hubs\\u002F","home":"https:\\u002F\\u002Feditorial.rottentomatoes.com\\u002F","news":"https:\\u002F\\u002Feditorial.rottentomatoes.com\\u002Fnews\\u002F","nowStreaming":"https:\\u002F\\u002Feditorial.rottentomatoes.com\\u002Fnow-streaming\\u002F","parentalGuidance":"https:\\u002F\\u002Feditorial.rottentomatoes.com\\u002Fparental-guidance\\u002F","podcast":"https:\\u002F\\u002Feditorial.rottentomatoes.com\\u002Farticle\\u002Frotten-tomatoes-is-wrong-a-podcast-from-rotten-tomatoes\\u002F","redCarpetRoundup":"https:\\u002F\\u002Feditorial.rottentomatoes.com\\u002Fred-carpet-roundup\\u002F","scorecards":"https:\\u002F\\u002Feditorial.rottentomatoes.com\\u002Fmovie-tv-scorecards\\u002F","subCult":"https:\\u002F\\u002Feditorial.rottentomatoes.com\\u002Fsub-cult\\u002F","theZeros":"https:\\u002F\\u002Feditorial.rottentomatoes.com\\u002Fthe-zeros\\u002F","totalRecall":"https:\\u002F\\u002Feditorial.rottentomatoes.com\\u002Ftotal-recall\\u002F","twentyFourFrames":"https:\\u002F\\u002Feditorial.rottentomatoes.com\\u002F24-frames\\u002F","videoInterviews":"https:\\u002F\\u002Feditorial.rottentomatoes.com\\u002Fvideo-interviews\\u002F","weekendBoxOffice":"https:\\u002F\\u002Feditorial.rottentomatoes.com\\u002Fweekend-box-office\\u002F","weeklyKetchup":"https:\\u002F\\u002Feditorial.rottentomatoes.com\\u002Fweekly-ketchup\\u002F","whatToWatch":"https:\\u002F\\u002Feditorial.rottentomatoes.com\\u002Fwhat-to-watch\\u002F"}}};\nroot.RottenTomatoes.thirdParty = {"chartBeat":{"auth":"64558","domain":"rottentomatoes.com"},"facebook":{"appId":"326803741017","version":"v6.0","appName":"flixstertomatoes"},"mpx":{"accountPid":"NGweTC","playerPid":"y__7B0iQTi4P","playerPidPDK6":"pdk6_y__7B0iQTi4P","accountId":"2474312077"},"algoliaSearch":{"aId":"79FRDP12PN","sId":"175588f6e5f8319b27702e4cc4013561"},"cognito":{"upId":"us-west-2_4L0ZX4b1U","clientId":"7pu48v8i2n25t4vhes0edck31c"}};\nroot.RottenTomatoes.serviceWorker = {"isServiceWokerOn":true};\nroot.__RT__ || (root.__RT__ = {});\nroot.__RT__.featureFlags = {"adsCarouselActiveName":"rt-sponsored-carousel-list-hulu","adsCarouselHP":false,"adsCarouselOP":false,"adsHub":true,"adsMockDLP":false,"adsVideoSpotlightHP":false,"amcVas":false,"authVerboseLogs":false,"disableFeatureDetection":true,"disableReviewSubmission":false,"legacyBridge":true,"mopUseEMSCriticService":false,"removeThirdPartyTags":true,"scoreIntroCard":false,"showVerification":false,"useCognito":true,"useCognitoAccountUpdate":false,"useFacebookLogin":true,"useOneTrust":false,"videosPagesModels":true};\nroot.RottenTomatoes.dtmData = {"webVersion":"node","clicktale":true,"rtVersion":3,"loggedInStatus":"","customerId":"","pageName":"rt | movies | overview | E.T. the Extra-Terrestrial","titleType":"Movie","emsID":"9ac889c9-a513-3596-a647-ab4f4554112f","lifeCycleWindow":"TODO_MISSING","titleGenre":"Kids & family|Sci-fi|Adventure","titleId":"9ac889c9-a513-3596-a647-ab4f4554112f","titleName":"E.T. the Extra-Terrestrial","whereToWatch":[{"vudu":undefined,"peacock":undefined,"netflix":undefined,"hulu":undefined,"amazon-prime-video-us":undefined,"disney-plus-us":undefined,"hbo-max":undefined,"paramount-plus-us":undefined,"apple-tv-plus-us":undefined,"showtime":undefined,"itunes":undefined,"rt-affiliates-sort-order":undefined}]};\nroot.RottenTomatoes.context.adsMockDLP = false;\nroot.RottenTomatoes.context.useCognito = true;\nroot.RottenTomatoes.context.useFacebookLogin = true;\nroot.RottenTomatoes.context.disableFeatureDetection = true;\nroot.RottenTomatoes.context.reCaptchaConfig = {"COMPACT_BREAKPOINT":355,"SCRIPT_SRC":"https:\\u002F\\u002Fwww.google.com\\u002Frecaptcha\\u002Fenterprise.js","SITEKEY":"6LdNO4IaAAAAADfSdANONQ1m73X8LoX9rhDlX-6q","THEME":"light","WHICH":"enterprise"};\nroot.RottenTomatoes.context.req = {"params":{"vanity":"et_the_extraterrestrial"},"queries":{},"route":{},"url":"\\u002Fm\\u002Fet_the_extraterrestrial","secure":false,"buildVersion":undefined};\nroot.RottenTomatoes.context.config = {};\nroot.BK = {"PageName":"http:\\u002F\\u002Fwww.rottentomatoes.com\\u002Fm\\u002Fet_the_extraterrestrial","SiteID":37528,"SiteSection":"movie","MovieId":undefined,"MovieTitle":"E.T. the Extra-Terrestrial","MovieGenres":"Kids & family\\u002FSci-fi\\u002FAdventure"};\nroot.RottenTomatoes.context.movieDetails = {"id":"9ac889c9-a513-3596-a647-ab4f4554112f","title":"E.T. the Extra-Terrestrial","userReviewsLink":"\\u002Fm\\u002Fet_the_extraterrestrial\\u002Freviews?type=user","verifiedReviewsLink":"\\u002Fm\\u002Fet_the_extraterrestrial\\u002Freviews?type=verified_audience","inTheaters":true};\nroot.RottenTomatoes.context.gptSite = "movie";\nroot.RottenTomatoes.context.badWordsList = "WyJraWtlIiwibmlnZ2VycyIsImtpa2VzIiwibmlnZ2F6IiwiZmFnZ2l0dCIsImZhZyIsIm5pZ2dhcyIsImZhZ290IiwiZmFnb3RzIiwibmlnZ2EiLCJnYW5nYmFuZyIsIm5pZ2dlciIsImZhZ3MiLCJjdW50cyIsImFzc2Z1a2thIiwiYnVra2FrZSIsImZhZ2dvdCIsImNsaXQiLCJmYWdncyIsIm5pZ2dhaCIsInNyZWdnaW4iLCJmdWRnZSBwYWNrZXIiLCJjYXJwZXQgbXVuY2hlciIsImN1bnRsaWNrIiwiY3VudCIsImhvbW8iLCJqaXp6IiwiZmVsbGF0ZSIsImphcCIsIm11ZmYiLCJmdWRnZXBhY2tlciIsImN1bSIsInJldGFyZCIsImZhZ2dpbmciLCJib3h4eSJd";\nroot.RottenTomatoes.context.canVerifyRatings = false;\nroot.RottenTomatoes.context.disableReviewSubmission = false;\nroot.RottenTomatoes.context.interstitialsConfig = {"description":"You\'re almost there! Just confirm how you got your ticket.","explanations":[{"color":"red","imageSrc":"https:\\u002F\\u002Fimages.fandango.com\\u002Fcms\\u002Fassets\\u002Fc3ff5660-c52a-11e9-a1d8-836502298ce7--rate-interstitial1.svg","explanation":"Your review will be considered more trustworthy by fellow movie goers."},{"color":"green","imageSrc":"https:\\u002F\\u002Fimages.fandango.com\\u002Fcms\\u002Fassets\\u002F0a2d0920-c52b-11e9-a6d9-19ea84f862a1--rate-interstitial2.svg","explanation":"Your rating will contribute to the rotten Tomatoes Audience Score."},{"color":"blue","imageSrc":"https:\\u002F\\u002Fimages.fandango.com\\u002Fcms\\u002Fassets\\u002F12513bd0-c52b-11e9-a9e5-4f516b36576d--rate-interstitial3.svg","explanation":"You\'ll help prevent inauthentic reviews from those who may not have seen the movie."}],"enableInterstitials":false};\nroot.RottenTomatoes.context.isPreRelease = false;\nroot.RottenTomatoes.context.popcornMeterState = "upright";\nroot.RottenTomatoes.context.ratingMediaInfo = {"mediaId":"9ac889c9-a513-3596-a647-ab4f4554112f","mediaType":"movie"};\nroot.RottenTomatoes.context.reviewSubmissionConfirmationMessages = {"REVIEW_MESSAGE":"Thanks! Your review has been submitted.","RATING_VERIFICATION_NOTICE":"If your ticket purchase is confirmed you will see \xe2\x80\x98Verified\xe2\x80\x99 next to your review.","REVIEW_VERIFICATION_NOTICE":"If your ticket purchase is confirmed you will see \xe2\x80\x98Verified\xe2\x80\x99 next to your review.","THANK_YOU":"Thank you for your review, {{name}}!","CODE_OF_CONDUCT_NOTICE":"Reviews may take some time to be published and are subject to our \\u003Ca href=\\"https:\\u002F\\u002Feditorial.rottentomatoes.com\\u002Fotg-article\\u002Fcommunity-code-of-conduct\\u002F\\" rel=\\"noopener\\" target=\\"_blank\\"\\u003ECommunity Code of Conduct\\u003C\\u002Fa\\u003E."};\nroot.RottenTomatoes.context.verifiedTooltip = {"verifiedTooltipTop":"This person bought a ticket to see this movie.","verifiedTooltipTopLinkURL":"https:\\u002F\\u002Feditorial.rottentomatoes.com\\u002Farticle\\u002Fintroducing-verified-audience-score\\u002F","verifiedTooltipTopLinkText":"Learn more","verifiedTooltipTopLinkVisible":true,"verifiedTooltipBottom":"","verifiedTooltipBottomLinkURL":"","verifiedTooltipBottomLinkText":"","verifiedTooltipBottomVisible":false,"verifiedTooltipBottomLinkVisible":false};\nroot.RottenTomatoes.context.wantToSeeData = {"wantToSeeCount":1896187,"ratingsStartDate":"1982-06-10T21:00:00Z"};\nroot.RottenTomatoes.context.videoClipsJson = {"count":13};\nroot.RottenTomatoes.context.imagesJson = [{"id":0,"aspectRatio":"ASPECT_RATIO_3_2","uri":"https:\\u002F\\u002Fresizing.flixster.com\\u002FO2sKjsvkBlPErYrYi8SrNaDe0Fk=\\u002F300x300\\u002Fv2\\u002Fhttps:\\u002F\\u002Fflxt.tmsimg.com\\u002Fassets\\u002F28542_ak.jpg","urls":{"fullscreen":"https:\\u002F\\u002Fflxt.tmsimg.com\\u002Fassets\\u002F28542_ak.jpg"},"caption":"Elliott (HENRY THOMAS) introduces his sister Gertie (DREW BARRYMORE) and brother Michael (ROBERT MACNAUGHTON) to his new friend.","category":"SCENE_STILL","width":"432","height":"288"},{"id":1,"aspectRatio":"ASPECT_RATIO_3_2","uri":"https:\\u002F\\u002Fresizing.flixster.com\\u002FzRM-67iqOWmrYac4-sSUEaRbdJQ=\\u002F300x300\\u002Fv2\\u002Fhttps:\\u002F\\u002Fflxt.tmsimg.com\\u002Fassets\\u002F28542_ap.jpg","urls":{"fullscreen":"https:\\u002F\\u002Fflxt.tmsimg.com\\u002Fassets\\u002F28542_ap.jpg"},"caption":"Elliott (HENRY THOMAS) finds a friend in a visitor from another planet in the 20th anniversary version of \\"E.T. The Extra-Terrestrial.\\"","category":"SCENE_STILL","width":"432","height":"288"},{"id":2,"aspectRatio":"ASPECT_RATIO_3_2","uri":"https:\\u002F\\u002Fresizing.flixster.com\\u002FBsF1XfZ07gYar9wMSW3zPoNcffM=\\u002F300x300\\u002Fv2\\u002Fhttps:\\u002F\\u002Fflxt.tmsimg.com\\u002Fassets\\u002F28542_ab.jpg","urls":{"fullscreen":"https:\\u002F\\u002Fflxt.tmsimg.com\\u002Fassets\\u002F28542_ab.jpg"},"caption":"Elliott (HENRY THOMAS) and E.T. race to elude capture n the 20th anniversary version of \\"E.T. The Extra-Terrestrial.\\"","category":"SCENE_STILL","width":"432","height":"288"},{"id":3,"aspectRatio":"ASPECT_RATIO_3_2","uri":"https:\\u002F\\u002Fresizing.flixster.com\\u002Fz_vOy1K4InOsW3gokkI_k3aLJ4g=\\u002F300x300\\u002Fv2\\u002Fhttps:\\u002F\\u002Fflxt.tmsimg.com\\u002Fassets\\u002F28542_ag.jpg","urls":{"fullscreen":"https:\\u002F\\u002Fflxt.tmsimg.com\\u002Fassets\\u002F28542_ag.jpg"},"caption":"Gertie (DREW BARRYMORE) gets her first look at E.T.","category":"SCENE_STILL","width":"432","height":"288"},{"id":4,"aspectRatio":"ASPECT_RATIO_3_2","uri":"https:\\u002F\\u002Fresizing.flixster.com\\u002F7Jd8ARE4JDVhQi6bfDhKqH--1BY=\\u002F300x300\\u002Fv2\\u002Fhttps:\\u002F\\u002Fflxt.tmsimg.com\\u002Fassets\\u002F28542_af.jpg","urls":{"fullscreen":"https:\\u002F\\u002Fflxt.tmsimg.com\\u002Fassets\\u002F28542_af.jpg"},"caption":"Elliott (HENRY THOMAS) tries to help E.T. phone home.","category":"SCENE_STILL","width":"432","height":"288"},{"id":5,"aspectRatio":"ASPECT_RATIO_3_2","uri":"https:\\u002F\\u002Fresizing.flixster.com\\u002FRUOejM5IkIfpJAqIipH_jUjvjJo=\\u002F300x300\\u002Fv2\\u002Fhttps:\\u002F\\u002Fflxt.tmsimg.com\\u002Fassets\\u002F28542_ae.jpg","urls":{"fullscreen":"https:\\u002F\\u002Fflxt.tmsimg.com\\u002Fassets\\u002F28542_ae.jpg"},"caption":"Elliott (HENRY THOMAS) shows E.T. around the house.","category":"SCENE_STILL","width":"432","height":"288"},{"id":6,"aspectRatio":"ASPECT_RATIO_3_2","uri":"https:\\u002F\\u002Fresizing.flixster.com\\u002Fvr22fp-RaMmte8VzyKJI85fsw4I=\\u002F300x300\\u002Fv2\\u002Fhttps:\\u002F\\u002Fflxt.tmsimg.com\\u002Fassets\\u002F28542_am.jpg","urls":{"fullscreen":"https:\\u002F\\u002Fflxt.tmsimg.com\\u002Fassets\\u002F28542_am.jpg"},"caption":"Director STEVEN SPIELBERG and DREW BARRYMORE.","category":"SCENE_STILL","width":"432","height":"288"},{"id":7,"aspectRatio":"ASPECT_RATIO_3_2","uri":"https:\\u002F\\u002Fresizing.flixster.com\\u002Fahk1LxDTMHL3HDYUcifZOwZ4RB0=\\u002F300x300\\u002Fv2\\u002Fhttps:\\u002F\\u002Fflxt.tmsimg.com\\u002Fassets\\u002F28542_ac.jpg","urls":{"fullscreen":"https:\\u002F\\u002Fflxt.tmsimg.com\\u002Fassets\\u002F28542_ac.jpg"},"caption":"Seated, left to right: HENRY THOMAS, STEVEN SPIELBERG, DREW BARRYMORE","category":"SCENE_STILL","width":"432","height":"288"},{"id":8,"aspectRatio":"ASPECT_RATIO_3_2","uri":"https:\\u002F\\u002Fresizing.flixster.com\\u002FDyg21LFbmNOniYb_-rAuWkjSYhc=\\u002F300x300\\u002Fv2\\u002Fhttps:\\u002F\\u002Fflxt.tmsimg.com\\u002Fassets\\u002F28542_aj.jpg","urls":{"fullscreen":"https:\\u002F\\u002Fflxt.tmsimg.com\\u002Fassets\\u002F28542_aj.jpg"},"caption":"Director STEVEN SPIELBERG and DREW BARRYMORE.","category":"SCENE_STILL","width":"432","height":"288"},{"id":9,"aspectRatio":"ASPECT_RATIO_3_2","uri":"https:\\u002F\\u002Fresizing.flixster.com\\u002F5NDNkCQ4myYHtJxTIrpq9RV9JtQ=\\u002F300x300\\u002Fv2\\u002Fhttps:\\u002F\\u002Fflxt.tmsimg.com\\u002Fassets\\u002F28542_ai.jpg","urls":{"fullscreen":"https:\\u002F\\u002Fflxt.tmsimg.com\\u002Fassets\\u002F28542_ai.jpg"},"caption":"Gertie (DREW BARRYMORE) says goodbye to E.T.","category":"SCENE_STILL","width":"432","height":"288"},{"id":10,"aspectRatio":"ASPECT_RATIO_3_2","uri":"https:\\u002F\\u002Fresizing.flixster.com\\u002FAXQJ2l5Y3TiMn01jet-iG6uQa5Q=\\u002F300x300\\u002Fv2\\u002Fhttps:\\u002F\\u002Fflxt.tmsimg.com\\u002Fassets\\u002F28542_ah.jpg","urls":{"fullscreen":"https:\\u002F\\u002Fflxt.tmsimg.com\\u002Fassets\\u002F28542_ah.jpg"},"caption":"E.T. investigates the food at Elliott\'s house.","category":"SCENE_STILL","width":"432","height":"288"},{"id":11,"aspectRatio":"ASPECT_RATIO_3_2","uri":"https:\\u002F\\u002Fresizing.flixster.com\\u002FMAYG4Os12aE6ANGIhCcNggGqO9A=\\u002F300x300\\u002Fv2\\u002Fhttps:\\u002F\\u002Fflxt.tmsimg.com\\u002Fassets\\u002F28542_ao.jpg","urls":{"fullscreen":"https:\\u002F\\u002Fflxt.tmsimg.com\\u002Fassets\\u002F28542_ao.jpg"},"caption":"E.T. and Elliott (HENRY THOMAS) share the same feelings.","category":"SCENE_STILL","width":"432","height":"288"},{"id":12,"aspectRatio":"ASPECT_RATIO_3_2","uri":"https:\\u002F\\u002Fresizing.flixster.com\\u002FID2EAs1822-amVVoNe1N5aDQgv4=\\u002F300x300\\u002Fv2\\u002Fhttps:\\u002F\\u002Fflxt.tmsimg.com\\u002Fassets\\u002F28542_an.jpg","urls":{"fullscreen":"https:\\u002F\\u002Fflxt.tmsimg.com\\u002Fassets\\u002F28542_an.jpg"},"caption":"Elliott (HENRY THOMAS), his brother and friends ride as fast as they can to get E.T. back to the forest.","category":"SCENE_STILL","width":"432","height":"288"},{"id":13,"aspectRatio":"ASPECT_RATIO_3_2","uri":"https:\\u002F\\u002Fresizing.flixster.com\\u002Fnq80pGQTlllcX0jZg73MN8AgBUU=\\u002F300x300\\u002Fv2\\u002Fhttps:\\u002F\\u002Fflxt.tmsimg.com\\u002Fassets\\u002F28542_al.jpg","urls":{"fullscreen":"https:\\u002F\\u002Fflxt.tmsimg.com\\u002Fassets\\u002F28542_al.jpg"},"caption":"E.T. has learned some new things from Gertie (DREW BARRYMORE) which surprise Elliott (HENRY THOMAS).","category":"SCENE_STILL","width":"432","height":"288"},{"id":14,"aspectRatio":"ASPECT_RATIO_2_3","uri":"https:\\u002F\\u002Fresizing.flixster.com\\u002FMtjMCKOkgDAE8Ef8h6vrdlArQQo=\\u002F300x300\\u002Fv2\\u002Fhttps:\\u002F\\u002Fflxt.tmsimg.com\\u002Fassets\\u002F28542_ad.jpg","urls":{"fullscreen":"https:\\u002F\\u002Fflxt.tmsimg.com\\u002Fassets\\u002F28542_ad.jpg"},"caption":"E.T., separated from his own kind, warily explores Elliott\'s house.","category":"SCENE_STILL","width":"288","height":"432"},{"id":15,"aspectRatio":undefined,"uri":"https:\\u002F\\u002Fresizing.flixster.com\\u002FrpgHfPBQDh2_O7nlHbtQnkMK5Js=\\u002F300x300\\u002Fv2\\u002Fhttps:\\u002F\\u002Fresizing.flixster.com\\u002FfTfttSez-Pedtm_Y5r7XhbbIX2Y=\\u002Fems.cHJkLWVtcy1hc3NldHMvbW92aWVzL2RhMmZjZWM3LTQ1NWMtNDRlZS04MzUzLWIxNTU2NjI5YjI5NC53ZWJw","urls":{"fullscreen":"https:\\u002F\\u002Fresizing.flixster.com\\u002FfTfttSez-Pedtm_Y5r7XhbbIX2Y=\\u002Fems.cHJkLWVtcy1hc3NldHMvbW92aWVzL2RhMmZjZWM3LTQ1NWMtNDRlZS04MzUzLWIxNTU2NjI5YjI5NC53ZWJw"},"caption":undefined,"category":"ICONIC","width":"700","height":"587"},{"id":16,"aspectRatio":"ASPECT_RATIO_3_2","uri":"https:\\u002F\\u002Fresizing.flixster.com\\u002FnluRyYoH6g9x-C6wmMa3f9NFp5s=\\u002F300x300\\u002Fv2\\u002Fhttps:\\u002F\\u002Fresizing.flixster.com\\u002F37s_rq6dZcHk69MjxYnkBOTCqjs=\\u002Fems.cHJkLWVtcy1hc3NldHMvbW92aWVzLzAwNmJlNjIxLTk1ZDctNDkzZS1iODdlLTM5NzM5ZDI3NTcyMS53ZWJw","urls":{"fullscreen":"https:\\u002F\\u002Fresizing.flixster.com\\u002F37s_rq6dZcHk69MjxYnkBOTCqjs=\\u002Fems.cHJkLWVtcy1hc3NldHMvbW92aWVzLzAwNmJlNjIxLTk1ZDctNDkzZS1iODdlLTM5NzM5ZDI3NTcyMS53ZWJw"},"caption":undefined,"category":"ICONIC","width":"700","height":"467"},{"id":17,"aspectRatio":"ASPECT_RATIO_3_2","uri":"https:\\u002F\\u002Fresizing.flixster.com\\u002F8rKf0X2ModMDJzO3RY3QKkXR480=\\u002F300x300\\u002Fv2\\u002Fhttps:\\u002F\\u002Fresizing.flixster.com\\u002FQsaJiOHlK12roWIQ3xd31iyQaQ8=\\u002Fems.cHJkLWVtcy1hc3NldHMvbW92aWVzL2U0YWVhZTI5LTE0ZjMtNGY3Yy04MGQ3LTJjOGU0NTI1YWI0OC53ZWJw","urls":{"fullscreen":"https:\\u002F\\u002Fresizing.flixster.com\\u002FQsaJiOHlK12roWIQ3xd31iyQaQ8=\\u002Fems.cHJkLWVtcy1hc3NldHMvbW92aWVzL2U0YWVhZTI5LTE0ZjMtNGY3Yy04MGQ3LTJjOGU0NTI1YWI0OC53ZWJw"},"caption":undefined,"category":"ICONIC","width":"700","height":"465"},{"id":18,"aspectRatio":"ASPECT_RATIO_3_2","uri":"https:\\u002F\\u002Fresizing.flixster.com\\u002FgO3wQ_iZoKvgSc5NLZBHHaDYQaw=\\u002F300x300\\u002Fv2\\u002Fhttps:\\u002F\\u002Fresizing.flixster.com\\u002F3aUAEUIlyMHi8TR-CH4JrPsqBAQ=\\u002Fems.cHJkLWVtcy1hc3NldHMvbW92aWVzL2ZhZGQ0MTg3LTg1OGMtNGM4NS1hZGFmLTI2YTFmNzZjOTgxNC53ZWJw","urls":{"fullscreen":"https:\\u002F\\u002Fresizing.flixster.com\\u002F3aUAEUIlyMHi8TR-CH4JrPsqBAQ=\\u002Fems.cHJkLWVtcy1hc3NldHMvbW92aWVzL2ZhZGQ0MTg3LTg1OGMtNGM4NS1hZGFmLTI2YTFmNzZjOTgxNC53ZWJw"},"caption":undefined,"category":"ICONIC","width":"700","height":"464"},{"id":19,"aspectRatio":"ASPECT_RATIO_3_2","uri":"https:\\u002F\\u002Fresizing.flixster.com\\u002FC4DeSKNOcPn8jt1UbafRWSpKY8I=\\u002F300x300\\u002Fv2\\u002Fhttps:\\u002F\\u002Fresizing.flixster.com\\u002FOVfVqINs2ZNknQeYDe5iJ-i7RYg=\\u002Fems.cHJkLWVtcy1hc3NldHMvbW92aWVzL2U5YWJiYWUxLTRmY2ItNGMwNi1iODhiLThmZmQzZDA3NzcyZC53ZWJw","urls":{"fullscreen":"https:\\u002F\\u002Fresizing.flixster.com\\u002FOVfVqINs2ZNknQeYDe5iJ-i7RYg=\\u002Fems.cHJkLWVtcy1hc3NldHMvbW92aWVzL2U5YWJiYWUxLTRmY2ItNGMwNi1iODhiLThmZmQzZDA3NzcyZC53ZWJw"},"caption":undefined,"category":"ICONIC","width":"700","height":"462"}];\n}(this));\n</script>\n\n <script src="/assets/pizza-pie/javascripts/bundles/vendor.5312ef7d141.js"></script>\n\n <script src="/assets/pizza-pie/javascripts/bundles/client-side-templates.8bd9a08905c.js"></script>\n\n <script src="/assets/pizza-pie/javascripts/bundles/global.320521ade7d.js"></script>\n\n <script src="https://cdn.jsdelivr.net/npm/algoliasearch@4/dist/algoliasearch-lite.umd.js"></script>\n <script src="/assets/pizza-pie/javascripts/bundles/search-algolia.6714995b7f8.js"></script>\n \n\n <script src="/assets/pizza-pie/javascripts/templates/movie-details.eaa51e83ad8.js"></script>\n\n <script src="/assets/pizza-pie/javascripts/bundles/profanity-filter.d53af583d88.js"></script>\n\n\n <script src="/assets/pizza-pie/javascripts/bundles/movie-details.1fd6e613c53.js"></script>\n\n\n \n <script>\n if (\'function\' === typeof window.mps.writeFooter) window.mps.writeFooter()\n </script>\n \n\n \n </body>\n</html>\n'
# Save HTML to file
with open("et_the_extraterrestrial.html", mode='wb') as file:
file.write(response.content)
in your computer's memory using the BeautifulSoup.
Beautiful Soup is an HTML parser written in the Python programming language. The name is derived from the "tag soup" which refers to the unstructured and difficult -to-parse HTML found on many websites.
# Import BeautifulSoup from bs4
from bs4 import BeautifulSoup
# Make the Soup using lxml which is the most popular parser (breaks data into smaller elements for easy translation into Python)
soup = BeautifulSoup(response.content, 'lxml')
soup
<!DOCTYPE html>
<html dir="ltr" lang="en" xmlns:fb="http://www.facebook.com/2008/fbml" xmlns:og="http://opengraphprotocol.org/schema/">
<head prefix="og: http://ogp.me/ns# flixstertomatoes: http://ogp.me/ns/apps/flixstertomatoes#">
<script src="/assets/pizza-pie/javascripts/bundles/roma/rt-common.js?single"></script>
<!-- salt=lay-def-02-juRm -->
<meta content="text/html; charset=utf-8" http-equiv="Content-Type"/>
<meta content="ie=edge" http-equiv="x-ua-compatible"/>
<meta content="width=device-width, initial-scale=1" name="viewport"/>
<title>E.T. the Extra-Terrestrial - Rotten Tomatoes</title>
<meta content="After a gentle alien becomes stranded on Earth, the being is discovered and befriended by a young boy named Elliott (Henry Thomas). Bringing the extraterrestrial into his suburban California house, Elliott introduces E.T., as the alien is dubbed, to his brother and his little sister, Gertie (Drew Barrymore), and the children decide to keep its existence a secret. Soon, however, E.T. falls ill, resulting in government intervention and a dire situation for both Elliott and the alien." name="description"/>
<link href="https://www.rottentomatoes.com/m/et_the_extraterrestrial" rel="canonical"/>
<link href="https://www.rottentomatoes.com/assets/pizza-pie/images/favicon.ico" rel="shortcut icon" sizes="76x76" type="image/x-icon"/>
<meta content="326803741017" property="fb:app_id"/>
<meta content="Rotten Tomatoes" property="og:site_name"/>
<meta content="E.T. the Extra-Terrestrial" property="og:title"/>
<meta content="After a gentle alien becomes stranded on Earth, the being is discovered and befriended by a young boy named Elliott (Henry Thomas). Bringing the extraterrestrial into his suburban California house, Elliott introduces E.T., as the alien is dubbed, to his brother and his little sister, Gertie (Drew Barrymore), and the children decide to keep its existence a secret. Soon, however, E.T. falls ill, resulting in government intervention and a dire situation for both Elliott and the alien." property="og:description"/>
<meta content="video.movie" property="og:type"/>
<meta content="https://www.rottentomatoes.com/m/et_the_extraterrestrial" property="og:url"/>
<meta content="https://www.rottentomatoes.com/assets/pizza-pie/head-assets/images/RT_TwitterCard_2018.jpg" property="og:image"/>
<meta content="en_US" property="og:locale"/>
<meta content="summary_large_image" name="twitter:card"/>
<meta content="https://www.rottentomatoes.com/assets/pizza-pie/head-assets/images/RT_TwitterCard_2018.jpg" name="twitter:image"/>
<meta content="E.T. the Extra-Terrestrial" name="twitter:title"/>
<meta content="E.T. the Extra-Terrestrial" name="twitter:text:title"/>
<meta content="After a gentle alien becomes stranded on Earth, the being is discovered and befriended by a young boy named Elliott (Henry Thomas). Bringing the extraterrestrial into his suburban California house, Elliott introduces E.T., as the alien is dubbed, to his brother and his little sister, Gertie (Drew Barrymore), and the children decide to keep its existence a secret. Soon, however, E.T. falls ill, resulting in government intervention and a dire situation for both Elliott and the alien." name="twitter:description"/>
<meta content="@rottentomatoes" name="twitter:site"/>
<link href="https://www.rottentomatoes.com/assets/pizza-pie/manifest/manifest.json" rel="manifest"/>
<link href="https://www.rottentomatoes.com/assets/pizza-pie/head-assets/images/apple-touch-icon-60.jpg" rel="apple-touch-icon"/>
<link href="https://www.rottentomatoes.com/assets/pizza-pie/head-assets/images/apple-touch-icon-152.jpg" rel="apple-touch-icon" sizes="152x152"/>
<link href="https://www.rottentomatoes.com/assets/pizza-pie/head-assets/images/apple-touch-icon-167.jpg" rel="apple-touch-icon" sizes="167x167"/>
<link href="https://www.rottentomatoes.com/assets/pizza-pie/head-assets/images/apple-touch-icon-180.jpg" rel="apple-touch-icon" sizes="180x180"/>
<!-- JSON+LD -->
<script type="application/ld+json">
{"@context":"http://schema.org","@type":"Movie","actors":[{"@type":"Person","name":"NA","sameAs":"https://www.rottentomatoes.com/celebrity/henry_thomas","image":"https://resizing.flixster.com/GhyR_iN5J4GUC1E8tdall2__Klc=/100x120/v2/https://flxt.tmsimg.com/assets/26487_v9_bb.jpg"},{"@type":"Person","name":"NA","sameAs":"https://www.rottentomatoes.com/celebrity/dee_wallace","image":"https://resizing.flixster.com/9ce4S6gcN3qyW9gxmMxS4XVp1yA=/100x120/v2/https://flxt.tmsimg.com/assets/1713_v9_bb.jpg"},{"@type":"Person","name":"NA","sameAs":"https://www.rottentomatoes.com/celebrity/peter_coyote","image":"https://resizing.flixster.com/m1V1br-Oid6f6mNzCLD6Urars0U=/100x120/v2/https://flxt.tmsimg.com/assets/71731_v9_bb.jpg"},{"@type":"Person","name":"NA","sameAs":"https://www.rottentomatoes.com/celebrity/drew_barrymore","image":"https://resizing.flixster.com/B6upIDlHpM9gP88SpFYWeLbdl4s=/100x120/v2/https://flxt.tmsimg.com/assets/100_v9_bb.jpg"},{"@type":"Person","name":"NA","sameAs":"https://www.rottentomatoes.com/celebrity/tom_howell","image":"https://resizing.flixster.com/3racoIc9kPB0Cm_Lq4t0ZApik-g=/100x120/v2/https://flxt.tmsimg.com/assets/804_v9_cc.jpg"},{"@type":"Person","name":"NA","sameAs":"https://www.rottentomatoes.com/celebrity/robert-macnaughton","image":"https://resizing.flixster.com/3z6XLjRHY3yskplNwGL2t59hcwU=/100x120/v2/https://flxt.tmsimg.com/assets/90708_v9_ba.jpg"},{"@type":"Person","name":"NA","sameAs":"https://www.rottentomatoes.com/celebrity/kc_martel","image":""},{"@type":"Person","name":"NA","sameAs":"https://www.rottentomatoes.com/celebrity/sean_frye","image":""}],"aggregateRating":{"@type":"AggregateRating","bestRating":"100","description":"The Tomatometer rating – based on the published opinions of hundreds of film and television critics – is a trusted measurement of movie and TV programming quality for millions of moviegoers. It represents the percentage of professional critic reviews that are positive for a given film or television show.","name":"Tomatometer","ratingCount":139,"ratingValue":"99","reviewCount":139,"worstRating":"0"},"author":[{"@type":"Person","name":"NA","sameAs":"https://www.rottentomatoes.com/celebrity/melissa_mathison","image":"https://resizing.flixster.com/NZEBpfg7QGVVMnZf4C2rizTspHU=/100x120/v2/https://flxt.tmsimg.com/assets/79226_v9_ba.jpg"}],"character":["Elliott","Mary","Keys","Gertie","Tyler","Michael","Greg","Steve"],"contentRating":"PG","dateCreated":"TODO_MISSING","dateModified":"TODO_MISSING","datePublished":null,"director":[{"@type":"Person","name":"NA","sameAs":"https://www.rottentomatoes.com/celebrity/steve_spielberg","image":"https://resizing.flixster.com/KWGryASrIqVz1Tsbf8N4JklyOC8=/100x120/v2/https://flxt.tmsimg.com/assets/1672_v9_ba.jpg"}],"genre":["Kids & family","Sci-fi","Adventure"],"image":"https://resizing.flixster.com/ZdBAIoWUBANnXl3k8XN6VT5xSbI=/740x380/v2/https://statcdn.fandango.com/MPX/image/NBCU_Fandango/432/335/thumb_4AD7A6EA-169F-408C-9C44-6538D696F733.jpg","name":"E.T. the Extra-Terrestrial","url":"https://www.rottentomatoes.com/m/et_the_extraterrestrial"}
</script>
<!-- Google webmaster tools -->
<meta content="VPPXtECgUUeuATBacnqnCm4ydGO99reF-xgNklSbNbc" name="google-site-verification"/>
<!-- Bing webmaster tools -->
<meta content="034F16304017CA7DCF45D43850915323" name="msvalidate.01"/>
<meta content="#FA320A" name="theme-color"/>
<!-- DNS prefetch -->
<meta content="on" http-equiv="x-dns-prefetch-control"/>
<link href="//www.rottentomatoes.com" rel="dns-prefetch"/>
<link href="//www.rottentomatoes.com" rel="preconnect"/>
<!-- BEGIN: critical-->
<style id="critical-path">html{font-family:sans-serif;-ms-text-size-adjust:100%;-webkit-text-size-adjust:100%}body{margin:0}aside,footer,header,nav,section{display:block}a{background-color:transparent}strong{font-weight:700}h1{font-size:2em;margin:.67em 0}small{font-size:80%}img{border:0}hr{box-sizing:content-box;height:0}button,input,textarea{color:inherit;font:inherit;margin:0}button{overflow:visible}button{text-transform:none}button{-webkit-appearance:button}button::-moz-focus-inner,input::-moz-focus-inner{border:0;padding:0}input{line-height:normal}input[type=checkbox]{box-sizing:border-box;padding:0}textarea{overflow:auto}@font-face{font-family:fontello;src:url(/assets/pizza-pie/stylesheets/global/fonts/fontello.eot);src:url(/assets/pizza-pie/stylesheets/global/fonts/fontello.eot) format('embedded-opentype'),url(/assets/pizza-pie/stylesheets/global/fonts/fontello.woff2) format('woff2'),url(/assets/pizza-pie/stylesheets/global/fonts/fontello.woff) format('woff'),url(/assets/pizza-pie/stylesheets/global/fonts/fontello.ttf) format('truetype'),url(/assets/pizza-pie/stylesheets/global/fonts/fontello.svg) format('svg');font-weight:400;font-style:normal}@font-face{font-family:'Neusa Next Pro Compact';src:url(/assets/pizza-pie/stylesheets/global/fonts/NeusaNextPro-CompactRegular.eot);src:url(/assets/pizza-pie/stylesheets/global/fonts/NeusaNextPro-CompactRegular.eot) format('embedded-opentype'),url(/assets/pizza-pie/stylesheets/global/fonts/NeusaNextPro-CompactRegular.woff2) format('woff2'),url(/assets/pizza-pie/stylesheets/global/fonts/NeusaNextPro-CompactRegular.woff) format('woff'),url(/assets/pizza-pie/stylesheets/global/fonts/NeusaNextPro-CompactRegular.ttf) format('truetype'),url(/assets/pizza-pie/stylesheets/global/fonts/NeusaNextPro-CompactRegular.svg) format('svg');font-weight:400;font-style:normal}@font-face{font-family:'Franklin Gothic FS Med';src:url(/assets/pizza-pie/stylesheets/global/fonts/FranklinGothicFS-Med.eot);src:url(/assets/pizza-pie/stylesheets/global/fonts/FranklinGothicFS-Med.eot) format('embedded-opentype'),url(/assets/pizza-pie/stylesheets/global/fonts/FranklinGothicFS-Med.woff2) format('woff2'),url(/assets/pizza-pie/stylesheets/global/fonts/FranklinGothicFS-Med.woff) format('woff'),url(/assets/pizza-pie/stylesheets/global/fonts/FranklinGothicFS-Med.ttf) format('truetype'),url(/assets/pizza-pie/stylesheets/global/fonts/FranklinGothicFS-Med.svg) format('svg');font-weight:500;font-style:normal}@font-face{font-family:'Franklin Gothic FS Book';src:url(/assets/pizza-pie/stylesheets/global/fonts/FranklinGothicFS-Book.eot);src:url(/assets/pizza-pie/stylesheets/global/fonts/FranklinGothicFS-Book.eot) format('embedded-opentype'),url(/assets/pizza-pie/stylesheets/global/fonts/FranklinGothicFS-Book.woff2) format('woff2'),url(/assets/pizza-pie/stylesheets/global/fonts/FranklinGothicFS-Book.woff) format('woff'),url(/assets/pizza-pie/stylesheets/global/fonts/FranklinGothicFS-Book.ttf) format('truetype'),url(/assets/pizza-pie/stylesheets/global/fonts/FranklinGothicFS-Book.svg) format('svg');font-weight:400;font-style:normal}@font-face{font-family:'Franklin Gothic FS Book';src:url(/assets/pizza-pie/stylesheets/global/fonts/FranklinGothicFS-Demi.eot);src:url(/assets/pizza-pie/stylesheets/global/fonts/FranklinGothicFS-Demi.eot) format('embedded-opentype'),url(/assets/pizza-pie/stylesheets/global/fonts/FranklinGothicFS-Demi.woff2) format('woff2'),url(/assets/pizza-pie/stylesheets/global/fonts/FranklinGothicFS-Demi.woff) format('woff'),url(/assets/pizza-pie/stylesheets/global/fonts/FranklinGothicFS-Demi.ttf) format('truetype'),url(/assets/pizza-pie/stylesheets/global/fonts/FranklinGothicFS-Demi.svg) format('svg');font-weight:600;font-style:normal}@font-face{font-family:'Glyphicons Halflings';src:url(/assets/pizza-pie/stylesheets/global/fonts/glyphicons-halflings-regular.eot);src:url(/assets/pizza-pie/stylesheets/global/fonts/glyphicons-halflings-regular.eot) format("embedded-opentype"),url(/assets/pizza-pie/stylesheets/global/fonts/glyphicons-halflings-regular.woff2) format("woff2"),url(/assets/pizza-pie/stylesheets/global/fonts/glyphicons-halflings-regular.woff) format("woff"),url(/assets/pizza-pie/stylesheets/global/fonts/glyphicons-halflings-regular.ttf) format("truetype"),url(/assets/pizza-pie/stylesheets/global/fonts/glyphicons-halflings-regular.svg) format("svg")}.glyphicon{position:relative;top:1px;display:inline-block;font-family:'Glyphicons Halflings';font-style:normal;font-weight:400;line-height:1;-webkit-font-smoothing:antialiased;-moz-osx-font-smoothing:grayscale}.glyphicon-remove:before{content:"\e014"}.glyphicon-chevron-left:before{content:"\e079"}.glyphicon-chevron-right:before{content:"\e080"}.glyphicon-remove-circle:before{content:"\e088"}.container{margin-right:auto;margin-left:auto}.container:after,.container:before{content:" ";display:table}.container:after{clear:both}.col-sm-11,.col-sm-13,.col-xs-11,.col-xs-12,.col-xs-24,.col-xs-3,.col-xs-4,.col-xs-5,.col-xs-6,.col-xs-7{position:relative;min-height:1px;padding-left:10px;padding-right:10px}.col-xs-11,.col-xs-12,.col-xs-24,.col-xs-3,.col-xs-4,.col-xs-5,.col-xs-6,.col-xs-7{float:left}.col-xs-3{width:12.5%}.col-xs-4{width:16.66667%}.col-xs-5{width:20.83333%}.col-xs-6{width:25%}.col-xs-7{width:29.16667%}.col-xs-11{width:45.83333%}.col-xs-12{width:50%}.col-xs-24{width:100%}@media (min-width:768px){.col-sm-11,.col-sm-13{float:left}.col-sm-11{width:45.83333%}.col-sm-13{width:54.16667%}}*{-webkit-box-sizing:border-box;-moz-box-sizing:border-box;box-sizing:border-box}:after,:before{-webkit-box-sizing:border-box;-moz-box-sizing:border-box;box-sizing:border-box}html{font-size:10px}body{font-size:16px;line-height:1.25;color:var(--grayDark2);background-color:var(--white)}button,input,textarea{font-family:inherit;font-size:inherit;line-height:inherit}a{color:#337ab7;text-decoration:none}img{vertical-align:middle}hr{margin-top:20px;margin-bottom:20px;border:0;border-top:1px solid #eee}.sr-only{position:absolute;width:1px;height:1px;margin:-1px;padding:0;overflow:hidden;clip:rect(0,0,0,0);border:0}.h2,h1,h2,h3,h4{font-family:inherit;font-weight:700;line-height:1.1;color:var(--grayDark2)}.h2,h1,h2,h3{margin-top:20px;margin-bottom:10px}h4{margin-top:10px;margin-bottom:10px}h1{font-size:24px}.h2,h2{font-size:18px}h3{font-size:14px}h4{font-size:18px}p{margin:0 0 10px}small{font-size:75%}.text-center{text-align:center}ul{margin-top:0;margin-bottom:10px}ul ul{margin-bottom:0}.list-unstyled{padding-left:0;list-style:none}.list-inline{padding-left:0;list-style:none;margin-left:-5px}.list-inline>li{display:inline-block;padding-left:5px;padding-right:5px}label{display:inline-block;max-width:100%;margin-bottom:5px;font-weight:700}input[type=checkbox]{margin:4px 0 0;line-height:normal}.form-control{display:block;width:100%;height:34px;padding:6px 12px;font-size:16px;line-height:1.25;color:var(--gray);background-color:var(--white);background-image:none;border:1px solid #ccc;border-radius:4px;-webkit-box-shadow:inset 0 1px 1px rgba(0,0,0,.075);box-shadow:inset 0 1px 1px rgba(0,0,0,.075)}.form-control::-moz-placeholder{color:#999;opacity:1}.form-control:-ms-input-placeholder{color:#999}.form-control::-webkit-input-placeholder{color:#999}.form-control::-ms-expand{border:0;background-color:transparent}.form-group{margin-bottom:15px}.help-block{display:block;margin-top:5px;margin-bottom:10px;color:#747474}.btn{display:inline-block;margin-bottom:0;font-weight:400;text-align:center;vertical-align:middle;touch-action:manipulation;background-image:none;border:1px solid transparent;white-space:nowrap;padding:6px 12px;font-size:16px;line-height:1.25;border-radius:4px}.btn.disabled{opacity:.65;-webkit-box-shadow:none;box-shadow:none}.btn-primary{color:var(--white)!important;background-color:#4472ca!important}.fade{opacity:0}.dropdown{position:relative}.dropdown-menu{position:absolute;top:100%;left:0;z-index:1000;display:none;float:left;min-width:160px;padding:5px 0;margin:2px 0 0;list-style:none;font-size:16px;text-align:left;background-color:var(--white);border:1px solid #ccc;border:1px solid rgba(0,0,0,.15);border-radius:5px;-webkit-box-shadow:0 6px 12px rgba(0,0,0,.175);box-shadow:0 6px 12px rgba(0,0,0,.175);background-clip:padding-box}.navbar{position:relative;min-height:50px;margin-bottom:20px;border:1px solid transparent}.navbar:after,.navbar:before{content:" ";display:table}.navbar:after{clear:both}@media (min-width:768px){.navbar{border-radius:4px}}.navbar-header:after,.navbar-header:before{content:" ";display:table}.navbar-header:after{clear:both}@media (min-width:768px){.navbar-header{float:left}}.navbar-brand{float:left;padding:15px 15px;font-size:18px;line-height:20px;height:50px}.navbar-nav{margin:7.5px -15px}@media (min-width:768px){.navbar-nav{float:left;margin:0}}.media{margin-top:15px}.media,.media-body{zoom:1;overflow:hidden}.media-body{width:10000px}.media>.pull-right{padding-left:10px}.media-body{display:table-cell;vertical-align:top}.panel{margin-bottom:20px;background-color:var(--white);border:1px solid transparent;border-radius:4px;-webkit-box-shadow:0 1px 1px rgba(0,0,0,.05);box-shadow:0 1px 1px rgba(0,0,0,.05)}.panel-body{padding:15px}.panel-body:after,.panel-body:before{content:" ";display:table}.panel-body:after{clear:both}.panel-heading{border-bottom:1px solid transparent;border-top-right-radius:3px;border-top-left-radius:3px}.close{float:right;font-size:24px;font-weight:700;line-height:1;color:var(--black);text-shadow:0 1px 0 var(--white);opacity:.2}button.close{padding:0;background:0 0;border:0;-webkit-appearance:none}.modal{display:none;overflow:hidden;position:fixed;top:0;right:0;bottom:0;left:0;z-index:1050;-webkit-overflow-scrolling:touch;outline:0}.modal.fade .modal-dialog{-webkit-transform:translate(0,-25%);-ms-transform:translate(0,-25%);-o-transform:translate(0,-25%);transform:translate(0,-25%)}.modal.in .modal-dialog{-webkit-transform:translate(0,0);-ms-transform:translate(0,0);-o-transform:translate(0,0);transform:translate(0,0)}.modal-dialog{position:relative;width:auto;margin:10px}.modal-content{position:relative;background-color:var(--white);border:1px solid #999;border:1px solid rgba(0,0,0,.2);border-radius:6px;-webkit-box-shadow:0 3px 9px rgba(0,0,0,.5);box-shadow:0 3px 9px rgba(0,0,0,.5);background-clip:padding-box;outline:0}.modal-header{padding:15px;border-bottom:1px solid #e5e5e5}.modal-header:after,.modal-header:before{content:" ";display:table}.modal-header:after{clear:both}.modal-header .close{margin-top:-2px;background-color:transparent}.modal-title{margin:0;line-height:1.42857}.modal-body{position:relative;padding:15px}.modal-footer{padding:15px;text-align:right;border-top:1px solid #e5e5e5}.modal-footer:after,.modal-footer:before{content:" ";display:table}.modal-footer:after{clear:both}.modal-footer .btn+.btn{margin-left:5px;margin-bottom:0}@media (min-width:768px){.modal-dialog{width:600px;margin:30px auto}.modal-content{-webkit-box-shadow:0 5px 15px rgba(0,0,0,.5);box-shadow:0 5px 15px rgba(0,0,0,.5)}.modal-sm{width:300px}}@media (min-width:992px){.modal-lg{width:900px}}.clearfix:after,.clearfix:before{content:" ";display:table}.clearfix:after{clear:both}.pull-right{float:right!important}.pull-left{float:left!important}.hide{display:none!important}@-ms-viewport{width:device-width}.visible-xs{display:none!important}.visible-xs-block{display:none!important}@media (max-width:767px){.visible-xs{display:block!important}}@media (max-width:767px){.visible-xs-block{display:block!important}}@media (max-width:767px){.hidden-xs{display:none!important}}@media (min-width:768px) and (max-width:991px){.hidden-sm{display:none!important}}@media (min-width:992px) and (max-width:1199px){.hidden-md{display:none!important}}@media (min-width:1200px){.hidden-lg{display:none!important}}.hide{display:none}@media (min-width:768px) and (max-width:1119px){@viewport{width:1120px;user-zoom:fixed}@-ms-viewport{width:1120px;user-zoom:fixed}}@media (max-width:767px){@viewport{width:device-width;initial-scale:1}@-ms-viewport{width:device-width;initial-scale:1}}ul{list-style-type:none;padding:0;margin:0}.noSpacing{margin:0;padding:0}.container{background-color:var(--white);padding:0;margin:0 auto}.container.body_main{background:0 0}@media (min-width:768px){.container{width:1100px}}@media (max-width:767px){.container{width:100%;overflow:hidden}}@media (min-width:768px){h1{line-height:30px;margin-bottom:6px}}@media (max-width:767px){h1{font-size:18px;margin:0;padding:4px 6px}}@media (min-width:768px){h2{line-height:19px;margin-bottom:6px;margin-top:4px}}.h2{font-family:"Neusa Next Pro Compact",Impact,Helvetica Neue,Arial,Sans-Serif;font-weight:700;font-size:1.25em;letter-spacing:0;line-height:1.2;padding-left:9px;text-transform:uppercase;margin-top:0;margin-bottom:1em}.h2:before{position:absolute;content:"";height:1.1em;border-left:3px solid var(--red);margin:-1px 0 0 -9px}h3{line-height:17px;color:var(--gray);margin:0 0 12px 0}h4{font-size:11px;line-height:14px}h1,h2,h3,h4{text-transform:uppercase}body{color:var(--grayDark2);background-color:var(--grayLight1);position:relative;-webkit-font-smoothing:antialiased}@media (max-width:767px){body{background:var(--grayLight1);border:0;width:100%;margin:0;padding:0}}em{display:inline}@media (max-width:767px){.col-full-xs{padding:0;width:100%}}a{color:#4472ca;text-decoration:none}a.unstyled{color:var(--grayDark2)}a.articleLink{color:#000}.lightGray{color:var(--grayLight1)}.white{color:var(--white)}@media (min-width:768px){.default-margin{margin:20px}}@media (max-width:767px){.default-margin{margin:10px}}.col-center-right,.col-right{float:left;min-height:1px;position:relative}@media (max-width:767px){.col-center-right.col-full-xs{padding:0;width:100%}}.col-center-right,.col-right{padding-left:10px;padding-right:20px}@media (min-width:768px){.col-right{width:335px}}@media (max-width:767px){.col-right{width:30%}}@media (min-width:768px){.col-center-right{width:770px}}@media (max-width:767px){.col-center-right{width:70%}}.fullWidth{width:100%!important}.fr{float:right}.clearfix{clear:both}.relative{position:relative}.btn-primary-rt:not(.disabled){color:var(--white);background-color:#4472ca;border-color:#4472ca}.center{text-align:center}.row-sameColumnHeight{margin-left:-10px;margin-right:-10px;display:table}.row-sameColumnHeight.noSpacing{margin:0}.row-sameColumnHeight>[class*=col-]{float:none;display:table-cell;vertical-align:top}#trending_bar_ad{margin-top:-4px;position:relative;left:10px}#tomatometer_sponsorship_ad{display:none}.leaderboard_wrapper{display:block;width:100%;padding:5px 0}@media (max-width:767px){.leaderboard_wrapper{padding:0}}@media (min-width:768px){.leaderboard_wrapper{height:90px}}.leaderboard_wrapper .leaderboard_helper{display:block;vertical-align:middle;text-align:center}.leaderboard_wrapper .leaderboard_helper>div{display:inline-block}.leaderboard_wrapper{display:block;min-height:90px;padding:5px 0;width:100%}@media (max-width:767px){.leaderboard_wrapper{min-height:50px;padding:0}}.leaderboard_wrapper .leaderboard_helper{display:block;text-align:center;vertical-align:middle}.leaderboard_wrapper .leaderboard_helper>div{display:inline-block}@media (min-width:768px){#top_leaderboard_wrapper{min-height:100px}}@media (max-width:767px){#interstitial{display:none!important}}@media (max-width:767px){#main_container{padding-top:0!important;min-height:100vh}}.medrec_ad{margin:10px auto;width:300px}.str-ad{display:none;padding:10px}.navbar.navbar-rt{-webkit-border-radius:0;-moz-border-radius:0;-ms-border-radius:0;border-radius:0;background-color:var(--red);font-family:"Source Sans Pro","Helvetica Neue",Helvetica,Arial,sans-serif;margin:0}@media (min-width:768px){.navbar.navbar-rt{background-repeat:no-repeat;background-size:9%}}@media (max-width:767px){.navbar.navbar-rt{border:none;border-top:solid var(--gray) 1px;min-height:auto}}.navbar.navbar-rt .navbar-header{padding:4px 2px}.navbar.navbar-rt .navbar-header .header_links{float:right;vertical-align:middle}.navbar.navbar-rt .navbar-header .header_links>*{color:#b1eda3;font-size:14px;padding:2px 6px;text-decoration:none}.navbar.navbar-rt .navbar-header .header_links>* a{padding-left:6px}.navbar.navbar-rt .navbar-header .header_links #headerUserSection{display:inline-block;font-weight:700}.navbar.navbar-rt a{background-color:transparent;color:var(--white);text-decoration:none}.navbar.navbar-rt #menu{position:static}.navbar.navbar-rt #menu>ul{list-style-type:none;margin:0 0 0 -5px;padding:0}.navbar.navbar-rt #menu .menuHeader{border-top-left-radius:5px;border-top-right-radius:5px;color:var(--white);padding:0;position:static}.navbar.navbar-rt #menu .menuHeader #podcastLink,.navbar.navbar-rt #menu .menuHeader #ticketingMenu{-webkit-border-radius:5px;-moz-border-radius:5px;-ms-border-radius:5px;border-radius:5px}.navbar.navbar-rt #menu .menuHeader .row-sameColumnHeight{width:100%}.navbar.navbar-rt #menu .menuHeader>a{display:block;margin:0;padding:14px 10px 17px;text-transform:uppercase}.navbar.navbar-rt #menu .menuHeader>a>.fontelloIcon.icon-down-dir:before{margin-right:0;width:10px}.navbar.navbar-rt #menu .menuHeader .dropdown-menu{-webkit-border-radius:0;-moz-border-radius:0;-ms-border-radius:0;border-radius:0;border-top:none;display:none;margin:-4px 0 10px 0;left:-1px;top:78px;position:absolute;width:1102px;z-index:2147483647}.navbar.navbar-rt #menu .menuHeader .dropdown-menu a{color:var(--grayDark2);font-size:16px;line-height:21px}.navbar.navbar-rt #menu .menuHeader .dropdown-menu .subnav{padding:10px}.navbar.navbar-rt #menu .menuHeader .dropdown-menu .subnav h2.title{font-size:18px;margin-top:0;font-weight:700;width:max-content;width:-moz-max-content}.navbar.navbar-rt #menu .menuHeader .dropdown-menu .subnav li{padding:2px 0;width:max-content}.navbar.navbar-rt #menu .menuHeader .dropdown-menu .subnav .innerSubnav{margin:0 10px}.navbar.navbar-rt #menu .menuHeader .dropdown-menu #header-news-columns ul li{padding:0}.navbar.navbar-rt #menu .menuHeader#header-rt-podcast{position:relative}.navbar.navbar-rt rt-badge{position:absolute;right:0;font-size:12px}@media (min-width:768px){.navbar.navbar-rt .navbar-brand{height:auto;padding:7px 15px 10px 18px}}@media (max-width:767px){.navbar.navbar-rt .navbar-brand{float:left;margin-left:0;position:static;flex-shrink:0;padding:7px 15px 10px 18px}}@media (min-width:768px){.navbar.navbar-rt .navbar-brand img{width:165px}}@media (max-width:767px){.navbar.navbar-rt .navbar-brand img{max-height:34px;max-width:100%}}.navbar.navbar-rt search-algolia-results a.view-all{color:var(--blue)}bottom-nav{position:fixed;bottom:0;left:0;width:100%;height:84px;z-index:100}@media (min-width:768px){bottom-nav{display:none}}@-webkit-keyframes overlay-fade{0%{opacity:0}100%{opacity:1}}@-moz-keyframes overlay-fade{0%{opacity:0}100%{opacity:1}}@-o-keyframes overlay-fade{0%{opacity:0}100%{opacity:1}}@keyframes overlay-fade{0%{opacity:0}100%{opacity:1}}#forgot-password,#login,#signup{z-index:1000001}@media (max-width:767px){#login .modal-dialog,#signup .modal-dialog{height:100%;margin:auto;width:100%}#login .modal-dialog .modal-content,#signup .modal-dialog .modal-content{height:auto;overflow-y:scroll;width:100%}}#login .modal-dialog .modal-footer,#signup .modal-dialog .modal-footer{background-color:var(--grayLight1);text-align:center}@media (min-width:768px){#navMenu{display:none}}@media (max-width:767px){#navMenu{background:0 0;border-right:1px solid #000;padding:0;width:100%}#navMenu .modal-dialog{height:100%;margin:0}#navMenu .modal-dialog .modal-content{background:#3a9425;height:100%}#navMenu .modal-dialog .modal-content .modal-body{height:100%;padding:0;overflow-y:scroll;width:100%}#navMenu .social{margin-left:0}#navMenu .social li{padding:0}#navMenu .social li a{color:var(--white);display:block;font-size:32px;padding:12px}#navMenu .close{padding:20px}#navMenu .items{border-top:1px solid #326028;margin-top:67px}#navMenu .items .item{border-bottom:1px solid #326028;display:block}#navMenu .items .item>a{color:var(--white);display:inline-block;font-weight:700;text-transform:uppercase}#navMenu .items .item>a{padding:15px 5px}#navMenu .items .item>a.navLink{padding:15px;width:85%}#navMenu .items .item>a.navLink.fullLink{display:block;width:100%}#navMenu .loginArea{display:block}}#header-news-columns ul li{padding:0}.panel{box-shadow:0 0 0 transparent}@media (min-width:991px){.col-center-right .panel-box:first-of-type{margin-top:10px}}.panel-rt,.panel-rt.panel{border-color:var(--white);-webkit-border-radius:0;-moz-border-radius:0;-ms-border-radius:0;border-radius:0;-webkit-box-shadow:none;box-shadow:none;border:none;clear:both}.panel-rt.panel>.panel-heading,.panel-rt>.panel-heading{color:var(--grayDark2)}@media (max-width:767px){.panel-rt,.panel-rt.panel{border:none;margin:10px 0;padding-bottom:0}}@media (max-width:767px){.panel-rt.panel-box,.panel-rt.panel.panel-box{border:none}}.panel-rt .panel-body,.panel-rt.panel .panel-body{clear:both;overflow:hidden}@media (max-width:767px){.panel-rt .panel-body,.panel-rt.panel .panel-body{padding:5px}}.panel-rt .panel-heading,.panel-rt.panel .panel-heading{-webkit-border-radius:0;-moz-border-radius:0;-ms-border-radius:0;border-radius:0;clear:left;color:var(--grayDark2);float:left;text-transform:uppercase}@media (min-width:768px){.panel-rt .panel-heading,.panel-rt.panel .panel-heading{padding:10px 15px 10px 25px;float:initial}}.fontelloIcon:before{display:inline-block;font-family:fontello;font-style:normal;font-variant:normal;font-weight:400;line-height:1em;margin-left:.2em;margin-right:.2em;speak:none;text-align:center;text-decoration:inherit;text-transform:none;width:1em;-moz-osx-font-smoothing:grayscale;-webkit-font-smoothing:antialiased}.icon-down-dir:before{content:'\e807'}#newIframeTrailerModal.modal,#newTrailerModal.modal{bottom:0;display:none;overflow:auto;position:fixed;left:0;outline:0;right:0;top:0;z-index:1000001;-webkit-overflow-scrolling:touch}@media (max-width:991px){#newIframeTrailerModal.modal,#newTrailerModal.modal{background:#000;height:100%;width:100%}}#newIframeTrailerModal.modal.fade .modal-dialog,#newTrailerModal.modal.fade .modal-dialog{transform:none!important;-webkit-transform:none!important;-moz-transform:none!important;-o-transform:none!important}#newIframeTrailerModal .modal-dialog,#newTrailerModal .modal-dialog{-webkit-border-radius:6px;-moz-border-radius:6px;-ms-border-radius:6px;border-radius:6px;-webkit-box-shadow:0 5px 15px rgba(0,0,0,.5);box-shadow:0 5px 15px rgba(0,0,0,.5);background:#000;bottom:0;left:0;position:absolute;right:0;top:0}@media (min-width:768px){#newIframeTrailerModal .modal-dialog,#newTrailerModal .modal-dialog{height:51vw;margin:10vh auto auto;max-height:70vh;max-width:125vh;width:90vw}}@media (max-width:767px){#newIframeTrailerModal .modal-dialog,#newTrailerModal .modal-dialog{height:60vw;margin:auto;max-height:100vh;max-width:178vh;width:100vw}}#newTrailerModal #videoPlayer{height:100%;width:100%}#newIframeTrailerModal .closebutton,#newTrailerModal .closebutton{opacity:0;font-size:25px;position:absolute;right:-11px;top:-11px;z-index:2147483647}#videoPlayer{height:100%;text-align:center;width:100%}@media (max-width:767px){#videoPlayer{height:calc(100% - 40px)}}@media (max-width:767px){#newIframeTrailerModal .closebutton,#newTrailerModal .closebutton{display:none}}@media (min-width:768px){#newTrailerModal .closeBtn,#newTrailerModal .moreTrailer{display:none}}@media (max-width:767px){#newTrailerModal .closeBtn,#newTrailerModal .moreTrailer{bottom:0;height:40px;margin:0 auto;position:absolute;width:49%}}@media (max-width:767px){#newTrailerModal .closeBtn{left:0}}@media (max-width:767px){#newTrailerModal .moreTrailer{left:50%}#newTrailerModal .moreTrailer a{display:block;height:100%;width:100%}}.in{opacity:1}.mobile-interscroller{clear:both;margin:0 auto}#super{font-family:'Franklin Gothic FS Med'}.super-reviewer-badge{border-radius:2px;box-sizing:border-box;display:flex;color:var(--red);font-family:'Franklin Gothic FS Med','Arial Narrow',Arial,sans-serif;font-size:12px;font-stretch:normal;font-style:normal;font-weight:400;justify-content:center;letter-spacing:.05em;line-height:1;padding:0;text-transform:uppercase;white-space:nowrap}.super-reviewer-badge--hidden{visibility:hidden}.social-tools{background-color:var(--white);border:none;margin-top:-100px;overflow:hidden;position:fixed;right:0;top:75%}.social-tools__facebook-like-btn{text-align:center;background-position:0 -31px;display:block;height:32px;width:57px;padding-top:7px}.social-tools__facebook-like-btn:after{background-position:-57px -32px}.social-tools__btn{background-image:url(/assets/pizza-pie/stylesheets/global/images/social/sharevert-sprite.png);display:block;height:32px;width:57px}.social-tools__btn::after{background-image:url(/assets/pizza-pie/stylesheets/global/images/social/sharevert-sprite.png);content:"";display:block;height:32px;opacity:0;width:57px}.social-tools__btn--facebook{background-position:0 0}.social-tools__btn--facebook:after{background-position:-57px 0}.social-tools__btn--twitter{background-position:0 -97px}.social-tools__btn--twitter:after{background-position:-57px -96px}.social-tools__btn--pinterest{background-position:0 -128px}.social-tools__btn--pinterest:after{background-position:-57px -128px}.social-tools__btn--stumbleupon{background-position:0 -192px}.social-tools__btn--stumbleupon:after{background-position:-57px -192px}@media (max-width:1150px){.social-tools{display:none}}@media (max-width:767px){.social-tools__facebook-like-btn{width:23%}.social-tools__btn--facebook{width:23%}.social-tools__btn--twitter{width:23%}.social-tools__btn--pinterest{width:23%}.social-tools__btn--stumbleupon{width:23%}}.trendingBar{background-color:rgba(0,0,0,.6);color:var(--white);padding:4px 10px;font-size:14px;z-index:1;opacity:.9;width:inherit;position:relative;height:26px}.trendingBar .header{color:var(--yellowLegacy);font-family:"Neusa Next Pro Compact"!important;font-size:18px;text-transform:uppercase;padding-left:0;white-space:nowrap}.trendingBar li a{color:var(--white);fill:var(--white)}.trendingBar .social li{padding:0 2px;margin-top:-2px}.trendingBar .trendingEl{display:table;padding:0 15px}.trendingBar .trendingEl li{display:table-cell;vertical-align:middle;font-family:"Source Sans Pro","Helvetica Neue",Helvetica,Arial,sans-serif}.trendingBar .social li a{display:inline-block;margin:0 5px;font-size:16px}.star-display{display:inline-block;line-height:14px;vertical-align:middle;white-space:nowrap}.star-display__empty{display:inline-block;position:relative;background-position:center;background-size:contain;width:14px;height:14px}span.star-display__desktop{width:25px;height:25px;position:relative;margin-left:-4px}.star-display__overlay{position:absolute;height:100%;width:100%}.star-display__half--left,.star-display__half--right{width:50%}.star-display__half--left{left:0}.star-display__half--right{right:0}.star-display__empty{background-image:url("data:image/svg+xml,%3C%3Fxml version='1.0' encoding='UTF-8'%3F%3E%3Csvg version='1.1' viewBox='0 0 24 24' xmlns='http://www.w3.org/2000/svg' x='0px' y='0px' width='24px' height='24px' xml:space='preserve' role='img'%3E%3Ctitle%3Estar%3C/title%3E%3Cpath d='m22.728 10.418c0.18713-0.14747 0.27874-0.39829 0.21004-0.6424-0.068708-0.24355-0.27595-0.41057-0.51224-0.43962 0.039102 0.0033516-7.1468-0.79713-7.1468-0.79713s-2.7143-6.7016-2.7003-6.6647c-0.09217-0.21953-0.30891-0.37427-0.5614-0.37427-0.25361 0-0.4709 0.15529-0.56252 0.37594h-5.586e-4l-2.7327 6.663s-7.1859 0.80048-7.1468 0.79713c-0.23629 0.029047-0.44409 0.19607-0.51224 0.43962-0.068708 0.24411 0.022344 0.49492 0.21004 0.6424l-5.586e-4 5.586e-4 5.6754 4.4325c-0.005586 0.017875-2.145 6.9027-2.1328 6.8658-0.067591 0.22847 0.0016758 0.48487 0.19775 0.64519 0.19607 0.16088 0.46253 0.1782 0.67312 0.065915h5.586e-4l6.3145-3.4131 6.3145 3.4131 5.587e-4 -5.586e-4c0.21059 0.11284 0.47705 0.095521 0.67312-0.065357 0.19551-0.16032 0.26534-0.41728 0.19719-0.64519h5.586e-4c0.012289 0.036868-2.1283-6.8513-2.1333-6.8664l5.6749-4.432v-5.586e-4z' fill='%23E3E3E6'/%3E%3C/svg%3E%0A")}@media (min-width:768px){.star-display__desktop .star-display__overlay::after{position:absolute;z-index:10;top:-120%;left:50%;display:none;content:attr(data-title);background:#111;padding:3px 5px;border-radius:4px;transform:translateX(-50%);color:var(--white);font-size:12px}}@media (max-width:767px){.star-display__empty{width:12px;height:12px}}.clamp{display:block;display:-webkit-box;-webkit-box-orient:vertical;overflow:hidden;line-height:1.2em}.clamp-6{max-height:7.5em;-webkit-line-clamp:6}@media (min-width:768px){#mainColumn h2.panel-heading{float:initial;padding-left:25px}h2.panel-heading::after{content:' '}.panel-rt .panel-heading{font-size:28px}}@media (max-width:767px){h2.panel-heading::after{content:none}.panel-heading{padding-left:25px;line-height:26px}.panel-rt .panel-heading{font-size:20px}h2.panel-heading::before{left:0!important}#mainColumn h2.panel-heading{padding-left:25px;float:initial}}.articleLink,.btn,h3{font-family:'Franklin Gothic FS Med',sans-serif}#header-main .dropdown-menu li a,.modal-content,.movie_info,.trendingEl li:not(.header) a{font-family:'Franklin Gothic FS Book',sans-serif}#movieMenu,#newsMenu,#podcastLink,#ticketingMenu,#tvMenu,h2.panel-heading{font-family:'Neusa Next Pro Compact',Impact,Arial,sans-serif}.col.col-center-right.col-full-xs{overflow:hidden}h2.panel-heading{font-weight:600;line-height:26px;width:100%;position:relative;overflow:hidden}h2.panel-heading::after{position:absolute;margin-left:11px;width:100%;background-color:var(--red);min-width:20px;height:20px}h2.panel-heading::before{background-color:var(--red);content:' ';min-width:20px;height:20px;position:absolute;left:0}#menu .list-inline{width:520px}#movieMenu,#newsMenu,#podcastLink,#ticketingMenu,#tvMenu{font-size:20px;font-weight:700}@media not all and (min-resolution:.001dpcm){@media{#movieMenu,#newsMenu,#podcastLink,#ticketingMenu,#tvMenu{letter-spacing:-1px}}}#header-top-bar-critics,#header-whats-the-tomatometer{font-family:'Franklin Gothic FS Med',sans-serif;color:var(--white)}#headerUserSection{color:var(--white)}#header-top-bar-signup{padding-right:3px}#header-main .dropdown-menu h2{font-family:'Franklin Gothic FS Med',sans-serif;font-weight:400}.glyphicon-chevron-right:before{content:"\e250"}.glyphicon-chevron-left:before{content:"\e251"}#main_container{position:relative}.panel-heading em{margin:0;padding:0}.trendingEl li:not(.header){position:relative;top:-1px}.movie-thumbnail-wrap{position:relative}.advertise-with-us-link{color:var(--grayDark1,#505257);display:block;font-family:'Franklin Gothic';font-size:12px;line-height:1.33;text-align:center;text-decoration:underline}@media all and (-ms-high-contrast:none) and (min-width:767px),(-ms-high-contrast:active) and (min-width:767px){h2.panel-heading::before{background-color:var(--red);content:' ';min-width:20px;height:20px;position:absolute;left:0}}#foot .btn-primary{font-weight:700}.footer a{color:var(--white);fill:var(--white)}.footer-mobile-legal__list-item{display:inline-block}.footer-mobile-legal__list{margin-bottom:30px}.footer-mobile{background-color:var(--grayDark2);border-top:1px solid var(--white);clear:both;color:var(--white);font-size:12px;padding:15px 15px 69px;text-align:center;font-family:'Franklin Gothic FS Book'}.footer-mobile-legal__list-item{padding:2px 5px}#footer-feedback-mobile a,.footer-mobile-legal__link{color:#b2b2b2}.footer .newsletter-btn,.footer-mobile .newsletter-btn{text-transform:none}.version{color:var(--grayDark2)}#header_brand_column{display:flex;align-items:center}@media (min-width:768px){#header_brand_column{padding:10px}}@media all and (-ms-high-contrast:none) and (min-width:767px),(-ms-high-contrast:active) and (min-width:767px){.editorial-header-link{width:211px}.navbar.navbar-rt #menu .menuHeader .dropdown-menu .subnav h2.title:not(.cfp-tv-season-title){width:110%}.navbar.navbar-rt #menu .menuHeader .dropdown-menu .subnav li{width:130%}}@supports (-ms-ime-align:auto){.navbar.navbar-rt #menu .menuHeader .dropdown-menu .subnav h2.title:not(.cfp-tv-season-title){width:110%}.navbar.navbar-rt #menu .menuHeader .dropdown-menu .subnav li{width:130%}}h2.title{font-weight:700}#tvMenuDropdown{height:350px}.login-modal-header{background-color:var(--red)}.login-modal-title{font-family:'Neusa Next Pro Compact';color:var(--white);font-size:25px;line-height:1}.js-header-auth__login-btn{width:85%;margin-top:15px}search-algolia{font-size:16px;margin:9px 0 9px 15px}search-algolia[skeleton]{height:35px;border-radius:26px;width:100%;margin-right:15px}search-algolia-controls a,search-algolia-controls button,search-algolia-controls input{font-family:'Franklin Gothic';display:flex}search-algolia-controls a,search-algolia-controls button{width:fit-content;width:-moz-fit-content}search-algolia-controls a rt-icon,search-algolia-controls button rt-icon{fill:#fff}search-algolia-controls input{color:#fff}search-algolia-controls button{border-radius:0;font-size:14px;background:0 0;padding:0;height:auto;line-height:0}search-algolia-controls button.search-cancel{margin-right:15px}search-algolia-controls button{background:0 0}search-algolia-controls button.search-clear{font-size:20px}search-algolia-results search-algolia-results-category{margin-bottom:40px;color:var(--grayDark2)}search-algolia-results-category[slot=none]{margin-bottom:0}search-algolia-results-category ul{padding:0}@media (min-width:768px){search-algolia{margin:10px 15px 0 15px}}.signup-form__news-letter{display:flex;flex-direction:column;margin-bottom:10px}.signup-form__news-letter-checkbox-wrap{display:flex}.signup-form__news-letter-checkbox-wrap input{margin-top:-6px}.signup-form__news-letter-description{flex-basis:95%;font-size:12px;color:var(--gray);line-height:16px;margin:0 8px 10px}.signup-form__recaptcha-wrap{display:flex;justify-content:center;height:78px}.signup-form__body label{font-family:"Franklin Gothic",-apple-system,BlinkMacSystemFont,"PT Sans",Arial,Sans-Serif;font-weight:500}.signup-form__body input{height:40px;border:1px solid var(--grayLight2)}.signup-form__body .form-group{margin-bottom:0;margin-top:20px}.signup-form__signup_btn{border-radius:99px;font-weight:800;padding:0 48px;margin-top:20px;margin-bottom:12px}.signup-form__footer{margin-bottom:0;border-bottom-left-radius:4px;border-bottom-right-radius:4px;font-size:12px;letter-spacing:.25px;line-height:24px}.signup-form__footer a{font-weight:400}@media (min-width:768px){.signup-form__news-letter{flex-direction:row}.signup-form__news-letter{flex-direction:row}}[skeleton]{background-color:#eee;color:transparent}[skeleton] *{visibility:hidden}[skeleton=panel]{border-radius:4px}[skeleton=transparent]{background-color:transparent}:root{--red:#FA320A;--redDark1:#A33E2A;--blue:#3976DC;--blueHover:#2A62C0;--gray:#757A84;--grayLight1:#F3F3F3;--grayLight2:#E9E9EA;--grayLight3:#DCDCE6;--grayLight4:#BCBDBE;--grayDark1:#505257;--grayDark2:#2A2C32;--yellow:#FFB600;--white:#FFFFFF;--black:#000000;--yellowLegacy:#FFE400;--blueLightLegacy:#EBF3FE;--fontFranklinGothic:'Franklin Gothic',-apple-system,BlinkMacSystemFont,'PT Sans',Arial,Sans-Serif;--fontNeusa:'Neusa','Impact','Helvetica Neue',Arial,Sans-Serif;--fontMonospace:'Courier New',Courier,monospace;--fontRtIcon:'rt-icon'}@font-face{font-family:"Franklin Gothic";src:url(/assets/pizza-pie/stylesheets/global/fonts/FranklinGothicFS-Book.eot);src:url(/assets/pizza-pie/stylesheets/global/fonts/FranklinGothicFS-Book.eot) format("embedded-opentype"),url(/assets/pizza-pie/stylesheets/global/fonts/FranklinGothicFS-Book.woff2) format("woff2"),url(/assets/pizza-pie/stylesheets/global/fonts/FranklinGothicFS-Book.woff) format("woff"),url(/assets/pizza-pie/stylesheets/global/fonts/FranklinGothicFS-Book.ttf) format("truetype"),url(/assets/pizza-pie/stylesheets/global/fonts/FranklinGothicFS-Book) format("svg");font-weight:400;font-style:normal}@font-face{font-family:"Franklin Gothic";src:url(/assets/pizza-pie/stylesheets/global/fonts/FranklinGothicFS-Med.eot);src:url(/assets/pizza-pie/stylesheets/global/fonts/FranklinGothicFS-Med.eot) format("embedded-opentype"),url(/assets/pizza-pie/stylesheets/global/fonts/FranklinGothicFS-Med.woff2) format("woff2"),url(/assets/pizza-pie/stylesheets/global/fonts/FranklinGothicFS-Med.woff) format("woff"),url(/assets/pizza-pie/stylesheets/global/fonts/FranklinGothicFS-Med.ttf) format("truetype"),url(/assets/pizza-pie/stylesheets/global/fonts/FranklinGothicFS-Med) format("svg");font-weight:500;font-style:normal}@font-face{font-family:"Franklin Gothic";src:url(/assets/pizza-pie/stylesheets/global/fonts/FranklinGothicFS-Demi.eot);src:url(/assets/pizza-pie/stylesheets/global/fonts/FranklinGothicFS-Demi.eot) format("embedded-opentype"),url(/assets/pizza-pie/stylesheets/global/fonts/FranklinGothicFS-Demi.woff2) format("woff2"),url(/assets/pizza-pie/stylesheets/global/fonts/FranklinGothicFS-Demi.woff) format("woff"),url(/assets/pizza-pie/stylesheets/global/fonts/FranklinGothicFS-Demi.ttf) format("truetype"),url(/assets/pizza-pie/stylesheets/global/fonts/FranklinGothicFS-Demi) format("svg");font-weight:600;font-style:normal}button{display:inline-block;height:40px;font-family:"Franklin Gothic",-apple-system,BlinkMacSystemFont,"PT Sans",Arial,Sans-Serif;font-size:.875rem;font-weight:500;line-height:2.9;padding:0 16px;text-align:center;text-overflow:ellipsis;text-transform:uppercase;vertical-align:middle;-webkit-line-clamp:2;white-space:nowrap;word-wrap:break-word;border:1px transparent;border-radius:4px;background-color:var(--blue);color:var(--white)}button:disabled,button[disabled]{background-color:var(--grayLight2);color:var(--grayLight4)}.button--outline{border:1px solid var(--grayLight4);background-color:var(--white);color:var(--grayDark2)}.button--link{height:auto;background-color:transparent;color:var(--blue);padding:0}@font-face{font-family:"Franklin Gothic";src:url(/assets/pizza-pie/stylesheets/roma/common/video/fonts/FranklinGothicFS-Book.eot);src:url(/assets/pizza-pie/stylesheets/roma/common/video/fonts/FranklinGothicFS-Book.eot) format("embedded-opentype"),url(/assets/pizza-pie/stylesheets/roma/common/video/fonts/FranklinGothicFS-Book.woff2) format("woff2"),url(/assets/pizza-pie/stylesheets/roma/common/video/fonts/FranklinGothicFS-Book.woff) format("woff"),url(/assets/pizza-pie/stylesheets/roma/common/video/fonts/FranklinGothicFS-Book.ttf) format("truetype"),url(/assets/pizza-pie/stylesheets/roma/common/video/fonts/FranklinGothicFS-Book) format("svg");font-weight:400;font-style:normal}@font-face{font-family:"Franklin Gothic";src:url(/assets/pizza-pie/stylesheets/roma/common/video/fonts/FranklinGothicFS-Med.eot);src:url(/assets/pizza-pie/stylesheets/roma/common/video/fonts/FranklinGothicFS-Med.eot) format("embedded-opentype"),url(/assets/pizza-pie/stylesheets/roma/common/video/fonts/FranklinGothicFS-Med.woff2) format("woff2"),url(/assets/pizza-pie/stylesheets/roma/common/video/fonts/FranklinGothicFS-Med.woff) format("woff"),url(/assets/pizza-pie/stylesheets/roma/common/video/fonts/FranklinGothicFS-Med.ttf) format("truetype"),url(/assets/pizza-pie/stylesheets/roma/common/video/fonts/FranklinGothicFS-Med) format("svg");font-weight:500;font-style:normal}@font-face{font-family:"Franklin Gothic";src:url(/assets/pizza-pie/stylesheets/roma/common/video/fonts/FranklinGothicFS-Demi.eot);src:url(/assets/pizza-pie/stylesheets/roma/common/video/fonts/FranklinGothicFS-Demi.eot) format("embedded-opentype"),url(/assets/pizza-pie/stylesheets/roma/common/video/fonts/FranklinGothicFS-Demi.woff2) format("woff2"),url(/assets/pizza-pie/stylesheets/roma/common/video/fonts/FranklinGothicFS-Demi.woff) format("woff"),url(/assets/pizza-pie/stylesheets/roma/common/video/fonts/FranklinGothicFS-Demi.ttf) format("truetype"),url(/assets/pizza-pie/stylesheets/roma/common/video/fonts/FranklinGothicFS-Demi) format("svg");font-weight:600;font-style:normal}@font-face{font-family:Neusa;src:url(/assets/pizza-pie/stylesheets/roma/common/video/fonts/NeusaNextPro-CompactMedium.eot);src:url(/assets/pizza-pie/stylesheets/roma/common/video/fonts/NeusaNextPro-CompactMedium.eot) format("embedded-opentype"),url(/assets/pizza-pie/stylesheets/roma/common/video/fonts/NeusaNextPro-CompactMedium.woff2) format("woff2"),url(/assets/pizza-pie/stylesheets/roma/common/video/fonts/NeusaNextPro-CompactMedium.woff) format("woff"),url(/assets/pizza-pie/stylesheets/roma/common/video/fonts/NeusaNextPro-CompactMedium.ttf) format("truetype"),url(/assets/pizza-pie/stylesheets/roma/common/video/fonts/NeusaNextPro-CompactMedium) format("svg");font-weight:400;font-style:normal}.mob.col-center-right{width:770px}@media (max-width:767px){.mob.col-center-right{width:100%}}.mob.col-right{width:330px}@media (max-width:767px){.mob.col-right{display:none!important}}#mainColumn{border:none;overflow:hidden}@media (min-width:768px){div#mainColumn.col.mob.mop-main-column{overflow:visible}}#movieListColumn{padding-left:20px;padding-right:10px}.movie_info{margin:10px 0}.content-meta.info{display:table;width:100%;margin:10px 0 15px}#topSection{margin:0}.movie-thumbnail-wrap{max-width:206px;margin-right:20px;float:left}@media (min-width:768px){#topSection{margin-top:10px;clear:both}}#topSection img.posterImage{padding-bottom:0;width:auto;height:220px;border-radius:4px}@media (max-width:767px){.movie-thumbnail-wrap{display:none}}@media (max-width:767px){.movie_info #movieSynopsis{padding:0}}@media (max-width:767px){.media-body{padding:0;line-height:1}}@media (max-width:767px){.movie_info .panel-body{padding:5px 10px!important}}a.unstyled.articleLink{font-family:'Franklin Gothic FS Book'}#verify-email-reminder{z-index:999999}.wts-ratings-group{display:flex;flex-direction:column;clear:both;justify-content:space-between;margin:auto;box-shadow:0 4px 10px rgba(42,44,50,.2);width:calc(100% - 30px)}@media (min-width:768px){.wts-ratings-group{box-shadow:none;flex-direction:row;width:100%}}score-board{display:block;width:100vw}.thumbnail-scoreboard-wrap{display:flex;margin-top:10px;margin-bottom:25px}link-chips-overview-page{display:block;margin:30px 15px}link-chips-overview-page[hidden]{display:none}link-chips-overview-page[skeleton=panel]{height:34px}@media (min-width:768px){score-board{width:700px}.thumbnail-scoreboard-wrap{margin-top:0}link-chips-overview-page{margin:30px 0}link-chips-overview-page[skeleton=panel]{width:100%;height:34px}}@media (min-width:768px){span.stars-rating__tooltip{display:none}}.user-media-rating__component{clear:both}.review-submitted-message{border-radius:4px;background-color:var(--grayLight1);font-size:14px;line-height:1.5;margin:20px auto;padding:24px 32px;width:calc(100% - 30px)}.rate-and-review-widget.review-submitted-message{margin:0;background:0 0;padding:0;width:100%}.review-submitted-message__review-info{font-size:14px;background:var(--grayLight1);padding:24px 60px 20px 20px;border-radius:4px 4px 0 0;position:relative}.review-submitted-message__close-review-info{background-image:url("data:image/svg+xml,%3C%3Fxml version='1.0' encoding='UTF-8'%3F%3E%3Csvg viewBox='0 0 24 24' version='1.1' xmlns='http://www.w3.org/2000/svg' x='0px' y='0px' width='24px' height='24px' xml:space='preserve' role='img'%3E%3Ctitle%3Erticon-close%3C/title%3E%3Cpath d='M17.1798075,4.42379374 C17.7448658,3.85873542 18.6610064,3.85873542 19.2260647,4.42379374 C19.791123,4.98885206 19.791123,5.90499262 19.2260647,6.47005094 L13.8711864,11.8249292 L19.2260647,17.1798075 C19.791123,17.7448658 19.791123,18.6610064 19.2260647,19.2260647 C18.6610064,19.791123 17.7448658,19.791123 17.1798075,19.2260647 L11.8249292,13.8711864 L6.47005094,19.2260647 C5.90499262,19.791123 4.98885206,19.791123 4.42379374,19.2260647 C3.85873542,18.6610064 3.85873542,17.7448658 4.42379374,17.1798075 L9.77867202,11.8249292 L4.42379374,6.47005094 C3.85873542,5.90499262 3.85873542,4.98885206 4.42379374,4.42379374 C4.98885206,3.85873542 5.90499262,3.85873542 6.47005094,4.42379374 L11.8249292,9.77867202 L17.1798075,4.42379374 Z' fill='%23BCBDBE'%3E%3C/path%3E%3C/svg%3E%0A");width:20px;height:20px;background-size:20px;position:absolute;right:20px;top:50%;transform:translateY(-50%)}@media (min-width:768px){.review-submitted-message{margin-top:0;padding:24px;width:100%}.review-submitted-message__review-info{margin-bottom:0}.rate-and-review-widget.review-submitted-message{padding:0;width:100%;margin:0;margin-top:15px;background:0 0}}.wts-button__container{width:100%;margin:auto;text-align:center;order:2}.wts-button__container::before{content:"";display:block;height:1px;border:0;border-top:1px solid var(--grayLight1);padding:0;margin:0 auto;width:90%}.button--wts{background-color:transparent;font-family:'Franklin Gothic FS Med',Arial,Helvetica,Tahoma,Century,Verdana,sans-serif;font-size:14px;font-weight:400;font-style:normal;font-stretch:normal;line-height:normal;letter-spacing:.25px;color:var(--blue);visibility:hidden;width:100%}.button--wts::before{content:"";background-repeat:no-repeat;background-size:16px;margin-right:.36em;padding:1px 8px;width:18px;height:18px}.button--wts::before{background-image:url("data:image/svg+xml,%3C%3Fxml version='1.0' encoding='UTF-8'%3F%3E%3Csvg version='1.1' viewBox='0 0 24 24' xmlns='http://www.w3.org/2000/svg' x='0px' y='0px' width='24px' height='24px' xml:space='preserve' role='img'%3E%3Ctitle%3Erticon-circled_plus%3C/title%3E%3Cpath d='M12,1 C14.9173814,1 17.7152744,2.15892524 19.7781746,4.22182541 C21.8410748,6.28472557 23,9.08261861 23,12 C23,18.0751322 18.0751322,23 12,23 C5.92486775,23 1,18.0751322 1,12 C1,5.92486775 5.92486775,1 12,1 Z M12,2.94936709 C7.00147347,2.94936709 2.94936709,7.00147347 2.94936709,12 C2.94936709,16.9985265 7.00147347,21.0506329 12,21.0506329 C16.9985265,21.0506329 21.0506329,16.9985265 21.0506329,12 C21.0506329,9.59962291 20.0970868,7.29755901 18.3997639,5.60023609 C16.702441,3.90291318 14.4003771,2.94936709 12,2.94936709 Z M15.905,10.9392857 C16.4777982,10.9392857 16.9421429,11.4036304 16.9421429,11.9764286 C16.9421429,12.5492268 16.4777982,13.0135714 15.905,13.0135714 L13.0135714,13.0135714 L13.0135714,15.905 C13.0135714,16.4777982 12.5492268,16.9421429 11.9764286,16.9421429 C11.4036304,16.9421429 10.9392857,16.4777982 10.9392857,15.905 L10.9392857,13.0135714 L8.04785714,13.0135714 C7.47505896,13.0135714 7.01071429,12.5492268 7.01071429,11.9764286 C7.01071429,11.4036304 7.47505896,10.9392857 8.04785714,10.9392857 L10.9392857,10.9392857 L10.9392857,8.04785714 C10.9392857,7.47505896 11.4036304,7.01071429 11.9764286,7.01071429 C12.5492268,7.01071429 13.0135714,7.47505896 13.0135714,8.04785714 L13.0135714,10.9392857 L15.905,10.9392857 Z' fill='%233976DC'%3E%3C/path%3E%3C/svg%3E%0A")}.wts-btn__rating-count{font-family:'Franklin Gothic FS Med',Arial,Helvetica,Tahoma,Century,Verdana,sans-serif;font-size:14px;letter-spacing:.22px}@media (min-width:768px){.wts-button__container{margin:0;order:0;width:205px}.wts-button__container::before{content:none;display:none}.button--wts{height:auto;padding:0;visibility:visible;text-align:left}}.wts-ratings-group{display:flex;flex-direction:column;clear:both;justify-content:space-between;margin:auto;width:calc(100% - 30px)}.wts-ratings-group{box-shadow:none}@media (min-width:768px){.wts-ratings-group{box-shadow:none;flex-direction:row;width:100%}}.multi-page-modal{font-family:'Franklin Gothic FS Med','Helvetica Neue',Helvetica,Arial,sans-serif;position:relative;box-shadow:0 3px 50px 0 rgba(42,44,50,.16);background-color:var(--white);padding:20px}.multi-page-modal__header{box-shadow:0 1px 0 0 var(--grayLight1);padding:24px 0;display:flex;justify-content:space-between}.multi-page-modal__back,.multi-page-modal__close{border:none;background:0 0;font-family:Arial,sans-serif;background-color:transparent;color:var(--grayLight4)}.multi-page-modal__back::before,.multi-page-modal__close::before{content:"";display:block;background-repeat:no-repeat;background-size:20px;height:20px;width:20px}.multi-page-modal__close::before{background-image:url(/assets/pizza-pie/stylesheets/shared/images/icons/rticon-close.svg)}.multi-page-modal__back::before{background-image:url(/assets/pizza-pie/stylesheets/shared/images/icons/rticon-arrow_external.svg);transform:rotate(-135deg)}.multi-page-modal__body{height:calc(100vh - 110px);padding:24px 0}.multi-page-modal__step{font-size:14px;font-weight:400;font-style:normal;font-stretch:normal;line-height:1.29;letter-spacing:.22px;color:var(--grayDark2)}.multi-page-modal-content-wrap{display:none}.multi-page-modal__sub-modal-overlay{position:absolute;box-sizing:border-box;top:0;left:0;background:rgba(0,0,0,.64);padding:27px;width:100%;height:100%;display:none;z-index:1}.multi-page-modal__sub-modal-content{display:flex;flex-direction:column;justify-content:space-between;position:fixed;top:50%;left:50%;width:85%;transform:translateX(-50%) translateY(-50%);border-radius:4px;box-shadow:0 8px 24px 0 rgba(42,44,50,.2);background:var(--white);padding:16px}.multi-page-modal__sub-modal-title{font-family:'Franklin Gothic FS Book','Helvetica Neue',Helvetica,Arial,sans-serif;font-weight:700;font-size:24px;font-style:normal;font-stretch:normal;line-height:1.3;letter-spacing:.13px;color:var(--grayDark2);text-transform:none;margin-bottom:10px}.multi-page-modal__sub-modal-body{margin-bottom:24px}.multi-page-modal__sub-modal-content p{font-family:'Franklin Gothic FS Book','Helvetica Neue',Helvetica,Arial,sans-serif;font-size:16px;font-weight:400;font-style:normal;font-stretch:normal;line-height:1.38;letter-spacing:.25px;color:var(--gray)}.multi-page-modal__sub-modal-btn-group{display:flex;flex-direction:column;justify-content:center}.multi-page-modal__sub-modal-btn-group button{margin-top:8px;font-size:14px;display:inline-flex;justify-content:center}@media (min-width:768px){.multi-page-modal{padding:0}.multi-page-modal__header{height:80px;align-items:center;padding:13px 13px 15px 17px}.rate-and-review .userInfo__group{width:100%;display:flex;justify-content:space-between}.multi-page-modal__sub-modal-content{padding:32px;max-width:400px;min-height:150px}.multi-page-modal__sub-modal-btn-group{display:flex;flex-direction:row;justify-content:flex-start}.multi-page-modal__sub-modal-btn-group button{margin-top:0;margin-right:12px}.multi-page-modal__sub-modal-btn-group button:first-child{order:1}}.rate-and-review{font-family:'Franklin Gothic FS Med','Helvetica Neue',Helvetica,Arial,sans-serif;position:fixed;top:0;left:0;height:100%;width:100%;z-index:10000;overflow-y:hidden}.rate-and-review--hidden{display:none}.rate-and-review .userInfo__group{width:100%;display:flex;justify-content:start}.rate-and-review .userInfo__group button{margin-left:auto}.rate-and-review .userInfo__image-group{width:40px;height:40px;border-radius:6px;margin-right:8px}.userInfo__image{-webkit-animation:overlay-fade 1s 1;-o-animation:overlay-fade 1s 1;animation:overlay-fade 1s 1;border-radius:50%}.rate-and-review .userInfo__name-group{display:flex;flex-direction:column;transform:translate(4px,6px)}.rate-and-review .userInfo__name{margin:0;text-transform:capitalize;font-family:'Franklin Gothic FS Med','Helvetica Neue',Helvetica,Arial,sans-serif;font-size:16px;margin-bottom:3px;letter-spacing:.25px;color:var(--grayDark2)}.rate-and-review .userInfo__superReviewer{margin:0;padding:0}.rate-and-review__submission-group{height:100%;display:flex;flex-direction:column}.rate-and-review__submission-group button{align-self:flex-end;margin-top:auto;font-size:14px;width:115px;height:32px;line-height:1}.rate-and-review .textarea-with-counter__text{background-color:var(--white)}@media (min-width:768px){.rate-and-review__submission-group button{margin-top:0}.rate-and-review .textarea-with-counter__text{height:240px;border:solid 2px #f8f9f9;background-color:#f8f9f9}}.user-media-rating__component{clear:both}.rate-and-review-widget__module{clear:both;margin-bottom:25px}.rate-and-review-widget__user-comment-area,.rate-and-review-widget__user-thumbnail{flex:1}.rate-and-review-widget__user-thumbnail{width:48px;height:48px;border-radius:50%;background:#f1f1f1}.rate-and-review-widget__user-thumbnail img{width:100%;border-radius:50%}.rate-and-review-widget__user-comment-area{padding-left:10px}.rate-and-review-widget__textbox-textarea{border:1px solid #f8f9f9;border-radius:4px;background-color:#f8f9f9;width:100%;max-width:100%;font-size:16px;padding:16px}.rate-and-review-widget__container{border-radius:4px;box-shadow:0 -2px 4px 0 rgba(0,0,0,.08),0 2px 4px 0 rgba(0,0,0,.1);background-color:var(--white)}.rate-and-review-widget__review-container{padding:20px}.rate-and-review-widget__container-top{display:flex;flex-direction:row-reverse;justify-content:space-between;align-items:flex-start;height:44px}.rate-and-review-widget__stars{align-self:center}.rate-and-review-widget__user-comment-area{padding-left:0;margin-top:20px}.rate-and-review-widget__mobile{background:var(--white);z-index:3;font-family:'Franklin Gothic FS Book','Helvetica Neue',sans-serif;min-width:275px;color:var(--black);margin:0 auto;border-radius:5px;position:relative;display:none}.rate-and-review-widget__review-container--mobile{padding:20px}.rate-and-review-widget__mobile-comment:empty{display:none}.rate-and-review-widget__header{margin:0;display:flex}.rate-and-review-widget__mobile-header{padding:0}.rate-and-review-widget__user-info,.rate-and-review-widget__user-thumbnail{flex:1}.rate-and-review-widget__user-thumbnail{background:url(/assets/pizza-pie/stylesheets/roma/common/rateAndReview/images/user_none.jpg) center center no-repeat;background-size:cover}.rate-and-review-widget__mobile-edit-btn{position:relative;width:100%;height:auto;background-color:var(--white);outline:0;padding:20px;border:none;border-radius:4px;color:var(--blue);display:block;font-family:'Franklin Gothic FS Med','Helvetica Neue',Helvetica,Arial,sans-serif;font-size:16px;font-weight:400;font-style:normal;font-stretch:normal;letter-spacing:.25px;line-height:normal;text-align:center}.rate-and-review-widget__mobile-edit-btn::after{border-top:1px solid var(--grayLight1);content:" ";position:absolute;top:0;width:90%;left:50%;transform:translateX(-50%)}.rate-and-review-widget__user-thumbnail{margin-top:initial;max-width:44px;height:44px;overflow:hidden}.rate-and-review-widget__user-info{transform:translateY(-3px);margin-left:8px;display:flex;flex-direction:column;justify-content:center;align-items:flex-start}.rate-and-review-widget__username{font-family:'Franklin Gothic FS Med','Helvetica Neue',Helvetica,Arial,sans-serif;font-size:16px;margin-bottom:2px;font-weight:400;font-style:normal;font-stretch:normal;line-height:normal;letter-spacing:.25px;color:#202226}.rate-and-review-widget__mobile-username{font-size:16px;font-family:'Franklin Gothic FS Med','Helvetica Neue',Helvetica,Arial,sans-serif}.rate-and-review-widget__desktop-stars-wrap{display:flex;padding:0;margin-bottom:20px}.rate-and-review-widget__mobile-stars-wrap{margin:32px 0 16px;display:flex;align-items:flex-end;justify-content:center}.rate-and-review-widget__resubmit-btn{width:auto;display:inline-block;margin-left:auto;font-size:16px;height:44px;border-radius:26px;font-family:"Franklin Gothic FS Book",'Franklin Gothic FS Med','Arial Narrow',Arial,sans-serif;font-weight:700;padding:0 32px}.rate-and-review-widget__comment{margin:0}.rate-and-review-widget__reviewed-container--hidden{display:none}.rate-and-review-widget__icon-edit{height:auto;padding:0;background-color:transparent;font-size:16px;text-transform:uppercase;line-height:1.25;color:var(--blue)}.rate-and-review-widget__icon-edit--hidden{display:none}.rate-and-review-widget__duration-since-rating-creation{margin-left:auto;margin-bottom:0;font-size:14px;color:var(--gray)}.rate-and-review-widget__is-verified{margin-left:14px;margin-bottom:0;color:#595959;font-size:14px}.rate-and-review-widget__is-verified:before{content:'';display:inline-block;transform:translateY(3px);background-image:url("data:image/svg+xml,%3C%3Fxml version='1.0' encoding='UTF-8'%3F%3E%3Csvg version='1.1' xmlns='http://www.w3.org/2000/svg' xmlns:xlink='http://www.w3.org/1999/xlink' x='0px' y='0px' width='24px' height='24px' viewbox='0 0 24 24;' xml:space='preserve'%3E%3Cstyle type='text/css'%3E .st0%7Bfill:%23595959;%7D%0A%3C/style%3E%3Ctitle%3EVerified Rating%3C/title%3E%3Cpath class='st0' d='M12,21.5c-5.2,0-9.5-4.2-9.5-9.5c0-5.2,4.2-9.5,9.5-9.5c5.2,0,9.5,4.2,9.5,9.5C21.5,17.2,17.2,21.5,12,21.5z M12,0.2C5.5,0.2,0.2,5.5,0.2,12S5.5,23.8,12,23.8S23.8,18.5,23.8,12S18.5,0.2,12,0.2z'/%3E%3Cpath class='st0' d='M18.1,8.8c0-0.7-0.6-1.2-1.3-1.2c-0.4,0-0.7,0.1-0.9,0.4l0,0l-4.6,5l-2.6-2.3l0,0c-0.2-0.2-0.5-0.3-0.8-0.3 c-0.7,0-1.3,0.6-1.3,1.2c0,0.3,0.1,0.7,0.4,0.9l0,0l3.5,3c0.2,0.3,0.6,0.5,1,0.5s0.8-0.2,1-0.5l0,0l5.4-6l0,0 C18,9.3,18.1,9.1,18.1,8.8'/%3E%3C/svg%3E%0A");background-position:center;background-size:contain;background-repeat:no-repeat;width:16px;height:16px;margin-right:4px}.rate-and-review-widget__section-heading{margin-left:0;padding:0 0 0 25px;font-size:20px}@media (max-width:767px){.rate-and-review-widget__resubmit-btn{display:block;order:2;width:90%;margin:15px}.rate-and-review-widget__mobile{display:block}}@media (min-width:768px){.rate-and-review-widget__desktop-stars-wrap{padding:0;margin-bottom:0}.rate-and-review-widget__comment{margin-top:10px}.rate-and-review-widget__section-heading{padding:10px 15px 10px 25px;font-size:28px}}.rate-and-review__body .stars-rating__container{margin-top:10px;margin-bottom:40px;padding:0}.rate-and-review__textarea-group--hidden{display:none}.multi-page-modal__step{display:none}.verify-ticket__content .multi-page-modal__step{display:block;margin:40px 0 20px}.rate-and-review__textarea-header{font-family:'Franklin Gothic FS Book','Helvetica Neue',Helvetica,Arial,sans-serif;font-weight:700;font-size:16px;line-height:1.38;letter-spacing:.11px;text-transform:none;color:var(--grayDark2)}.rate-and-review__textarea-header span{font-size:14px;letter-spacing:.22px}.rate-and-review__submit-btn-container{display:flex;justify-content:flex-end;position:fixed;width:100%;bottom:20px;left:0;margin-top:auto;padding:0 20px}.rate-and-review__submit-btn{width:100%}@media (min-width:768px){.rate-and-review__body{padding-top:40px;padding-left:calc(10% + 10px)}.multi-page-modal__step{display:block;margin-bottom:0;font-size:12px;color:#4f5256}.rate-and-review__submission-group{width:680px}.multi-page-modal__step{order:1}.rate-and-review__textarea-header{order:2;font-size:20px;margin-bottom:20px}.rate-and-review__textarea-header span{display:none}.stars-rating__container{order:3;margin-bottom:30px;margin-top:10px}.rate-and-review__textarea-group{order:4;margin-bottom:40px}.rate-and-review__submit-btn{order:5}.rate-and-review__submit-btn-container{order:5;position:static;margin-top:0;padding-right:0}}.verify-ticket__body{display:flex;flex-direction:column;justify-content:space-between;font-family:'Franklin Gothic FS Med','Helvetica Neue',Helvetica,Arial,sans-serif;font-weight:500;padding:0}.verify-ticket__content-button-container{display:flex;flex-direction:column;width:100%;height:100%;padding-bottom:0}.verify-ticket__content{display:flex;flex-direction:column;height:100%;z-index:0;overflow-y:scroll}.verify-ticket__button-disclaimer-group{display:flex;flex-direction:column;flex-shrink:0;width:100%;position:fixed;bottom:0;left:0;z-index:1;background:var(--white);padding:20px;box-shadow:0 -2px 8px 0 rgba(42,44,50,.08)}.verify-ticket__header{margin-top:20px;margin-bottom:3px;font-family:"Franklin Gothic FS Book",'Helvetica Neue',Helvetica,Arial,sans-serif;font-weight:700;font-size:20px;line-height:1.21;letter-spacing:.21px;color:var(--grayDark2);text-transform:none}.verify-ticket__subHeader{margin:0 0 20px;font-weight:400;font-size:14px;text-transform:none}.verify-ticket__theater{position:relative;display:flex;flex-direction:column;justify-content:flex-start;background-color:var(--grayLight1);font-size:16px;letter-spacing:.25px;line-height:normal;color:var(--grayDark2);margin-bottom:10px;padding:14px 16px;border:solid 2px var(--white);border-radius:4px;box-sizing:border-box}.verify-ticket__theater-name{font-family:'Franklin Gothic FS Book','Helvetica Neue',Helvetica,Arial,sans-serif;margin:0}.verify-ticket__submit-btn{width:90vw;font-size:14px;display:inline-flex;justify-content:center}.verify-ticket__interstitial-sequence_container-desktop{display:none}.verify-ticket__legal{font-size:12px;line-height:1.55;letter-spacing:.17px;color:var(--gray)}@media (min-width:768px){.verify-ticket__body{overflow-x:scroll;flex-direction:row;justify-content:start;height:calc(100% - 72px);padding-left:calc(10% + 10px)}.verify-ticket__content-button-container{width:700px}.verify-ticket__content{height:auto;width:100%;padding-left:4px;overflow:hidden}.verify-ticket__button-disclaimer-group{width:100%;position:static;box-shadow:none;padding:20px 0 0}.multi-page-modal__step{order:1;font-size:14px}.verify-ticket__header{order:2;font-size:20px}.verify-ticket__subHeader{order:3;margin-bottom:40px}.verify-ticket__theaters{order:4;width:100%;display:flex;flex-direction:row;align-content:flex-start;justify-content:start}.verify-ticket__legal{order:5;font-size:11px;font-family:"Franklin Gothic FS Med",'Helvetica Neue',Helvetica,Arial,sans-serif;font-weight:500}.verify-ticket__submit-btn{order:6;align-self:flex-end;width:116px;height:32px;margin:10px 5px 0 0;box-shadow:none;font-size:14px;line-height:1}.verify-ticket__theater{font-size:16px;width:343px;justify-content:center;padding:14px;padding-left:16px}.verify-ticket__desktop-left-theater-container{width:340px;margin-right:10px}.verify-ticket__desktop-right-theater-container{width:340px}.verify-ticket__interstitial-sequence_container-desktop{display:flex;flex-direction:column;align-items:center;text-align:center;width:368px;height:684px;margin-left:100px;padding:32px;border:solid 1px var(--grayLight1);border-radius:4px;margin-bottom:50px}.verify-ticket__interstitial-sequence_container-desktop img{height:90px;width:auto}.verify-ticket__interstitial-sequence_container-desktop h3{margin-bottom:0;font-family:"Franklin Gothic FS Book",'Helvetica Neue',Helvetica,Arial,sans-serif;font-weight:700;color:#202226;letter-spacing:.28px;line-height:1.28;font-size:16px}.verify-ticket__interstitial-sequence_container-desktop p{margin-bottom:0}.verify-ticket-ticket__interstitial-desktop-step-container{display:flex;flex-direction:column;align-items:center;justify-content:center;margin-top:25px;width:304px;height:168px;font-size:14px;line-height:1.29;letter-spacing:.22px;padding:20px}.verify-ticket-ticket__interstitial-desktop-red-step-container{background-color:#feeae6;color:#5d2418}.verify-ticket-ticket__interstitial-desktop-green-step-container{background-color:#e6f9ed;color:#185a30}.verify-ticket-ticket__interstitial-desktop-blue-step-container{background-color:var(--blueLightLegacy);color:#1f345c}}.interstitial__header{display:flex;flex-direction:column;padding:24px 0;justify-content:space-between;align-items:flex-end}.interstitial__steps-container{display:flex;justify-content:center;align-items:center;width:100%;margin-top:56px;margin-bottom:62px}.interstitial__circle{width:24px;height:24px;border-radius:32px}.interstitial__circle{position:relative;width:24px;height:24px;border-radius:50%;display:inline-block}.interstitial__circle::before{position:absolute;top:50%;left:50%;color:#fff;transform:translate(-50%,-50%)}.interstitial__circle--check::before{content:"";background-image:url("data:image/svg+xml,%3C%3Fxml version='1.0' encoding='UTF-8'%3F%3E%3Csvg width='24px' height='24px' viewBox='0 0 24 24' version='1.1' xmlns='http://www.w3.org/2000/svg' x='0px' y='0px' xml:space='preserve' role='img'%3E%3Ctitle%3Erticon-check%3C/title%3E%3Cpath d='M18.8859357,4.39816252 L8.54631389,14.9620522 L5.76481,11.6562858 C4.53861824,10.599023 2.61049722,11.8310399 3.48718064,13.4154777 L6.79294704,19.1867342 C7.31720956,19.8915761 8.54631389,20.5949616 9.77250566,19.1867342 C10.2967682,18.4818924 20.2868816,5.98114405 20.2868816,5.98114405 C21.5145297,4.57291669 19.9373733,3.34089979 18.8859357,4.39670624 L18.8859357,4.39816252 Z' fill='%23ffffff'%3E%3C/path%3E%3C/svg%3E%0A");width:15px;height:15px;background-size:15px;background-repeat:no-repeat}.interstitial__circle--check::after,.interstitial__circle--two::after{font-size:14px;letter-spacing:.22px;text-align:center;display:inline-block;width:86px;top:32px;position:absolute;transform:translateX(-33px)}.interstitial__circle--check::after{content:"Review movie";font-family:'Franklin Gothic FS Med','Arial Narrow',Arial,sans-serif}.interstitial__circle--two::before{content:"2";font-size:14px}.interstitial__circle--two::after{content:"Verify ticket";font-family:'Franklin Gothic FS Book','Arial Narrow',Arial,sans-serif;font-weight:700}.interstitial__line{border-width:1px;border-style:solid;margin:12px;width:125px;opacity:.1}.interstitial__section-divider{border-width:1px;border-style:solid;margin-top:0;margin-bottom:0;width:100%;opacity:.1}.interstitial__body{display:flex;flex-direction:column;height:calc(100% - 320px);overflow:scroll}.interstitial__description{margin:0 20px 40px;font-family:'Franklin Gothic FS Book','Helvetica Neue',Helvetica,Arial,sans-serif;font-weight:700;font-size:20px;line-height:1.3;letter-spacing:.13px;text-align:center}.interstitial-explanation{margin-top:18px;margin-bottom:0;margin-left:20px;margin-right:20px;text-align:center;font-family:'Franklin Gothic FS Book','Helvetica Neue',Helvetica,Arial,sans-serif;font-size:14px}.interstitial__continue-btn{width:130px;height:48px;border-radius:26px;position:fixed;bottom:56px;right:20px;font-family:'Franklin Gothic FS Book','Helvetica Neue',Helvetica,Arial,sans-serif;font-weight:700}.edit-review__body{display:flex;flex-direction:column;font-family:"Franklin Gothic FS Med",'Arial Narrow',Arial,sans-serif;font-weight:500;height:calc(100% - 150px);overflow:scroll;padding-bottom:0}.edit-review__body .stars-rating__container{margin-top:3vh;margin-bottom:5vh;padding:0}.edit-review__textarea-group{margin-bottom:25px}.edit-review__body .textarea-with-counter__text{min-height:100px;font-size:16px;height:calc(5vh + 130px)}.edit-verify-ticket__body .verify-ticket__header{margin-top:40px;margin-bottom:20px}.edit-review__submit-btn{width:calc(100% - 40px);font-size:14px;display:inline-flex;justify-content:center}.edit-review__submission-group{width:100%;overflow-x:hidden;overflow-y:scroll}.edit-review__submit-btn-container{position:fixed;width:100%;bottom:20px;margin-top:auto;box-shadow:0 -2px 8px 0 rgba(42,44,50,.08)}.edit-review__textarea-header{font-family:'Franklin Gothic FS Book','Helvetica Neue',Helvetica,Arial,sans-serif;font-weight:700;font-size:16px;line-height:1.38;letter-spacing:.11px;margin-bottom:8px;text-transform:none;color:var(--grayDark2)}.edit-review__textarea-header span{display:none}.edit-review__vas-btn-disclaimer-container{position:fixed;left:0;bottom:0;padding:20px;width:100%;background:var(--white)}.edit-review__vas-btn-disclaimer-container .verify-ticket__legal{margin-bottom:0}@media (min-width:768px){.edit-review__body{padding-top:24px;padding-left:calc(5vw + 5px);display:flex;flex-direction:column;height:calc(100vh - 149px);overflow:auto}.edit-review__submission-group{display:flex;flex-wrap:wrap;min-height:340px;height:340px;flex-direction:column;align-content:start;overflow-y:hidden}.edit-review__textarea-header{order:1;margin-bottom:300px;width:450px;font-size:20px}.edit-review__submission-group .stars-rating__container{padding:0;order:2;margin-bottom:20px;margin-top:0;transform:scale(.9) translateX(-6%)}.edit-review__textarea-group{order:3}.edit-review__body .textarea-with-counter__text{min-width:680px;width:680px;background-color:var(--grayLight1);border:2px solid var(--grayLight1);height:240px}.edit-review__textarea-group textarea{resize:none}.edit-review__submit-btn{width:200px;margin-left:calc(300px + 51%);font-size:14px}.edit-review__submit-btn-container{display:flex;flex-direction:row;align-items:center;bottom:0;height:68px;width:100vw;background-color:var(--white);padding-left:calc(5vw + 5px)}.edit-review__body .textarea-with-counter{width:680px}}.stars-rating__container{padding:50px 0;display:flex;flex-flow:column nowrap;align-items:center}.stars-rating__msg-group{width:220px;height:20px;position:relative;padding:2px 10px;display:flex;align-items:center;justify-content:center}.stars-rating__msg{position:absolute;font-size:14px;padding:0 5px;letter-spacing:.22px;text-align:center;color:var(--grayDark2);opacity:0}.stars-rating__stars-group{display:flex;align-items:center;justify-content:center;height:56px;width:180px;box-shadow:0 2px 5px 0 rgba(255,255,255,0);border-radius:32px}.icon-star{background-position:center;background-size:35px;background-repeat:no-repeat;background-position:0;height:35px;position:relative;padding-left:18px;padding-right:0}.icon-star--full{background-position:-17px;padding-right:18px;padding-left:0}.icon-star{background-image:url("data:image/svg+xml,%3C%3Fxml version='1.0' encoding='UTF-8'%3F%3E%3Csvg version='1.1' viewBox='0 0 24 24' xmlns='http://www.w3.org/2000/svg' x='0px' y='0px' width='24px' height='24px' xml:space='preserve' role='img'%3E%3Ctitle%3Estar%3C/title%3E%3Cpath d='m22.728 10.418c0.18713-0.14747 0.27874-0.39829 0.21004-0.6424-0.068708-0.24355-0.27595-0.41057-0.51224-0.43962 0.039102 0.0033516-7.1468-0.79713-7.1468-0.79713s-2.7143-6.7016-2.7003-6.6647c-0.09217-0.21953-0.30891-0.37427-0.5614-0.37427-0.25361 0-0.4709 0.15529-0.56252 0.37594h-5.586e-4l-2.7327 6.663s-7.1859 0.80048-7.1468 0.79713c-0.23629 0.029047-0.44409 0.19607-0.51224 0.43962-0.068708 0.24411 0.022344 0.49492 0.21004 0.6424l-5.586e-4 5.586e-4 5.6754 4.4325c-0.005586 0.017875-2.145 6.9027-2.1328 6.8658-0.067591 0.22847 0.0016758 0.48487 0.19775 0.64519 0.19607 0.16088 0.46253 0.1782 0.67312 0.065915h5.586e-4l6.3145-3.4131 6.3145 3.4131 5.587e-4 -5.586e-4c0.21059 0.11284 0.47705 0.095521 0.67312-0.065357 0.19551-0.16032 0.26534-0.41728 0.19719-0.64519h5.586e-4c0.012289 0.036868-2.1283-6.8513-2.1333-6.8664l5.6749-4.432v-5.586e-4z' fill='%23ffb600'/%3E%3C/svg%3E%0A")}.stars-rating__container--is-not-rated .icon-star{background-image:url("data:image/svg+xml,%3C%3Fxml version='1.0' encoding='UTF-8'%3F%3E%3Csvg version='1.1' viewBox='0 0 24 24' xmlns='http://www.w3.org/2000/svg' x='0px' y='0px' width='24px' height='24px' xml:space='preserve' role='img'%3E%3Ctitle%3Estar%3C/title%3E%3Cpath d='m22.728 10.418c0.18713-0.14747 0.27874-0.39829 0.21004-0.6424-0.068708-0.24355-0.27595-0.41057-0.51224-0.43962 0.039102 0.0033516-7.1468-0.79713-7.1468-0.79713s-2.7143-6.7016-2.7003-6.6647c-0.09217-0.21953-0.30891-0.37427-0.5614-0.37427-0.25361 0-0.4709 0.15529-0.56252 0.37594h-5.586e-4l-2.7327 6.663s-7.1859 0.80048-7.1468 0.79713c-0.23629 0.029047-0.44409 0.19607-0.51224 0.43962-0.068708 0.24411 0.022344 0.49492 0.21004 0.6424l-5.586e-4 5.586e-4 5.6754 4.4325c-0.005586 0.017875-2.145 6.9027-2.1328 6.8658-0.067591 0.22847 0.0016758 0.48487 0.19775 0.64519 0.19607 0.16088 0.46253 0.1782 0.67312 0.065915h5.586e-4l6.3145-3.4131 6.3145 3.4131 5.587e-4 -5.586e-4c0.21059 0.11284 0.47705 0.095521 0.67312-0.065357 0.19551-0.16032 0.26534-0.41728 0.19719-0.64519h5.586e-4c0.012289 0.036868-2.1283-6.8513-2.1333-6.8664l5.6749-4.432v-5.586e-4z' fill='%23e3e3e6'/%3E%3C/svg%3E%0A")}.stars-rating__tooltip{position:relative;margin-top:-33px;display:inline-block;background:#2884f6;padding:8px 16px;font-size:14px;font-family:'Franklin Gothic FS Book',sans-serif;box-shadow:0 8px 24px 0 rgba(42,44,50,.2);border-radius:4px;color:var(--white);animation:fadeInTooltip .4s forwards;-webkit-animation:fadeInTooltip .4s forwards;-moz-animation:fadeInTooltip .4s forwards}.stars-rating__tooltip::before{content:attr(data-text);position:relative;z-index:1}.stars-rating__tooltip::after{content:" ";position:absolute;bottom:-10px;left:50%;transform:rotate(45deg) translate(-50%);width:15px;height:15px;background:#2884f6}@keyframes fadeInTooltip{0%{transform:scale(0) translateY(50px);opacity:0}100%{transform:scale(1) translateY(0);opacity:1}}@-webkit-keyframes fadeInTooltip{0%{transform:scale(0) translateY(50px);opacity:0}100%{transform:scale(1) translateY(0);opacity:1}}@-moz-keyframes fadeInTooltip{0%{transform:scale(0) translateY(50px);opacity:0}100%{transform:scale(1) translateY(0);opacity:1}}@media (min-width:768px){.stars-rating__container{align-items:center;flex-direction:row}.stars-rating__msg-group{order:2;margin-bottom:0;margin-left:15px;padding:0;text-align:left}.stars-rating__stars-group{height:35px}}.stars-rating-static__container{padding:0;display:flex;flex-flow:row nowrap;align-items:center;justify-content:flex-start}.stars-rating-static__container.stars-rating__container--is-not-rated{justify-content:center}@media (min-width:768px){.stars-rating-static__container{padding:0;justify-content:flex-start}.stars-rating-static__container .icon-star{background-size:20px;height:20px;padding-left:10px}.stars-rating-static__container .icon-star--full{margin-right:1px;padding-right:10px;padding-left:0;background-position:-10px}}.textarea-with-counter{position:relative;max-width:680px}.textarea-with-counter__text{font-family:'Franklin Gothic FS Book','Franklin Gothic FS Med','Arial Narrow',Arial,sans-serif;width:100%;height:30vh;box-sizing:border-box;border:1px solid #f8f9f9;border-radius:4px;background-color:#f8f9f9;padding:16px;font-size:18px;line-height:1.5;outline:0;color:var(--grayDark2)}@media (max-width:768px){.textarea-with-counter__text{border:none;padding:0}}.mobile-drawer{visibility:hidden}.mobile-drawer__backdrop{display:none}.mobile-drawer__content{font-family:'Franklin Gothic FS Book','Helvetica Neue',Helvetica,Arial,sans-serif;border-top-left-radius:8px;border-top-right-radius:8px;box-shadow:0 8px 24px 0 rgba(42,44,50,.2);background-color:var(--white);position:fixed;z-index:10000;bottom:-820px;left:0;width:100%;margin:0 auto;padding:40px 20px}.mobile-drawer__body{display:block;font-family:'Franklin Gothic FS Book','Helvetica Neue',Helvetica,Arial,sans-serif;margin:8px 0 12px}.mobile-drawer__body-content-group{display:flex;flex-direction:column}.mobile-drawer.mobile-drawer--responsive .mobile-drawer__content{display:flex;flex-direction:column;justify-content:center}.mobile-drawer.mobile-drawer--responsive .mobile-drawer__body-content-group{width:100%}.mobile-drawer.mobile-drawer--responsive .mobile-drawer__body{margin:0 auto}.mobile-drawer__close-btn{position:absolute;top:16px;right:16px}.mobile-drawer__close-btn::before{background-image:url(/assets/pizza-pie/stylesheets/roma/common/drawers/images/icons/rticon-close.svg);content:"";display:block;background-repeat:no-repeat;background-size:20px;width:20px;height:20px}@media (min-width:768px){.mobile-drawer__body-content-group{width:470px}.mobile-drawer.mobile-drawer--responsive .mobile-drawer__content{width:560px;height:470px;top:50%;left:50%;margin-top:-235px;margin-left:-280px;box-shadow:0 8px 24px 0 rgba(42,44,50,.2);padding:72px 133px;border-radius:8px}}@media (min-width:768px){.rating-submit-drawer .mobile-drawer__backdrop{background:0 0}.rating-submit-drawer .mobile-drawer__content{display:flex;flex-direction:row;box-shadow:none;height:calc(100% - 81px);padding-left:15%;padding-top:100px}}.submission-drawer__icon{background-image:url("data:image/svg+xml,%3Csvg xmlns='http://www.w3.org/2000/svg' width='72' height='80' viewBox='0 0 72 80'%3E%3Cg fill='none' fill-rule='evenodd'%3E%3Cpath fill='%23D1D1D1' fill-rule='nonzero' d='M12.355 42.417H65.266V46.849000000000004H12.355zM12.355 33.669H65.266V38.101H12.355zM12.355 51.146H65.266V55.578H12.355z'/%3E%3Cpath fill='%23FCB415' fill-rule='nonzero' d='M30.388 12.49c.27-.27.346-.519.27-.864-.097-.345-.346-.614-.692-.614L19.914 9.803 16.192.537C16.019.192 15.75.02 15.405.02c-.345 0-.69.173-.786.518l-3.895 9.247-9.957 1.132c-.44.096-.786.518-.69 1.036 0 .173.096.345.268.518l7.981 6.158-3.031 9.612c-.096.441.173.959.614 1.036 0 0 .46.096.614 0l8.844-4.758 8.92 4.758c.442.172.864 0 1.133-.441.096-.173.096-.442.096-.614 0 .096-3.032-9.535-3.032-9.612-.076.02 7.904-6.12 7.904-6.12z'/%3E%3Cg%3E%3Cpath d='M.269 26.053c-.02.134-.02.25.019.383v-.44l-.02.057z' transform='translate(4.988 2.11)'/%3E%3Cpath fill='%23000' fill-rule='nonzero' d='M2.609 15.904L2.667 15.942 2.667 15.923zM16.173.134L17.113 2.475 64.345 2.475 64.345 62.043 27.799 62.043 27.242 72.787 14.945 62.043 2.667 62.043 2.667 31.041.288 31.041.288 64.384 14.043 64.384 29.372 77.755 30.062 64.384 66.724 64.384 66.724.134z' transform='translate(4.988 2.11)'/%3E%3Cg%3E%3Cpath d='M.269 3.415c-.02.134-.02.25.019.384v-.442l-.02.058z' transform='translate(4.988 2.11) translate(0 22.638)'/%3E%3Cpath fill='%23D1D1D1' fill-rule='nonzero' d='M60.297.173H24.422v4.431h35.875V.173z' transform='translate(4.988 2.11) translate(0 22.638)'/%3E%3C/g%3E%3C/g%3E%3C/g%3E%3C/svg%3E%0A");background-size:72px;background-repeat:no-repeat;width:72px;height:81px;margin:auto}.submission-drawer__title{font-family:'Franklin Gothic FS Med','Helvetica Neue',Helvetica,Arial,sans-serif;font-size:16px;font-weight:500;line-height:1.25;text-align:center;color:var(--grayDark2);text-transform:none;padding:0;margin:10px 0 0}.submission-drawer__copy{font-family:'Franklin Gothic FS Book','Helvetica Neue',Helvetica,Arial,sans-serif;font-size:14px;font-weight:400;line-height:1.29;text-align:center;color:var(--grayDark2);margin:10px 0 0;padding:0 32px}.submission-drawer__social-share{font-family:'Franklin Gothic FS Med','Helvetica Neue',Helvetica,Arial,sans-serif;display:flex;align-items:center;justify-content:flex-start;margin:40px auto 10px;width:236px;height:40px;border-radius:5px;font-size:14px}.submission-drawer__social-share:last-child{margin-top:0;margin-bottom:0}.submission-drawer__twitter-share{background-color:#1da1f2;color:var(--white)}.submission-drawer__facebook-share{background-color:#4267b2;color:var(--white)}.submission-drawer__social-share span:first-child{background-size:18px;background-repeat:no-repeat;content:"";width:18px;margin:0 16px}.submission-drawer__twitter-icon{background-image:url("data:image/svg+xml,%3C%3Fxml version='1.0' encoding='UTF-8'%3F%3E%3Csvg width='18px' height='15px' viewBox='0 0 18 15' version='1.1' xmlns='http://www.w3.org/2000/svg' xmlns:xlink='http://www.w3.org/1999/xlink'%3E%3C!-- Generator: Sketch 63.1 (92452) - https://sketch.com --%3E%3Ctitle%3ETwitter_Social_Icon_Circle_Color%3C/title%3E%3Cdesc%3ECreated with Sketch.%3C/desc%3E%3Cg id='Mobile-(Tomorrow)' stroke='none' stroke-width='1' fill='none' fill-rule='evenodd'%3E%3Cg id='AMC-Share' transform='translate(-82.000000, -567.000000)' fill='%23FFFFFF' fill-rule='nonzero'%3E%3Cg id='Group-4' transform='translate(0.000000, 267.000000)'%3E%3Cg id='Group-3' transform='translate(70.000000, 237.000000)'%3E%3Cg id='Facebook-button-Copy' transform='translate(0.000000, 50.000000)'%3E%3Cg id='Group-2'%3E%3Cg id='Twitter_Social_Icon_Circle_Color' transform='translate(12.000000, 13.000000)'%3E%3Cg id='Logo__x2014__FIXED'%3E%3Cpath d='M5.62118644,14.6004808 C12.3864407,14.6004808 16.0855932,8.98197115 16.0855932,4.11259615 C16.0855932,3.95206731 16.0855932,3.79153846 16.0779661,3.63865385 C16.7949153,3.11884615 17.420339,2.46908654 17.9161017,1.72759615 C17.2601695,2.01807692 16.5508475,2.21682692 15.8033898,2.30855769 C16.5661017,1.84990385 17.1457627,1.13134615 17.420339,0.267548077 C16.7110169,0.687980769 15.9254237,0.99375 15.0864407,1.16192308 C14.4152542,0.443365385 13.4618644,0 12.4016949,0 C10.3728814,0 8.72542373,1.65115385 8.72542373,3.68451923 C8.72542373,3.975 8.7559322,4.25783654 8.82457627,4.52538462 C5.76610169,4.3725 3.05847458,2.90480769 1.24322034,0.672692308 C0.930508475,1.21543269 0.747457627,1.84990385 0.747457627,2.52259615 C0.747457627,3.79918269 1.39576271,4.93052885 2.38728814,5.58793269 C1.78474576,5.57264423 1.22033898,5.40447115 0.724576271,5.12927885 C0.724576271,5.14456731 0.724576271,5.15985577 0.724576271,5.17514423 C0.724576271,6.96389423 1.99067797,8.446875 3.67627119,8.79086538 C3.37118644,8.87495192 3.04322034,8.92081731 2.70762712,8.92081731 C2.47118644,8.92081731 2.24237288,8.89788462 2.01355932,8.85201923 C2.47881356,10.3197115 3.83644068,11.3822596 5.44576271,11.4128365 C4.18728814,12.3989423 2.60084746,12.9875481 0.877118644,12.9875481 C0.579661017,12.9875481 0.289830508,12.9722596 0,12.9340385 C1.60932203,13.9889423 3.54661017,14.6004808 5.62118644,14.6004808' id='Path'%3E%3C/path%3E%3C/g%3E%3C/g%3E%3C/g%3E%3C/g%3E%3C/g%3E%3C/g%3E%3C/g%3E%3C/g%3E%3C/svg%3E");height:15px}.submission-drawer__facebook-icon{background-image:url(/assets/pizza-pie/stylesheets/roma/common/rateAndReview/drawers/images/vendor/facebook/f_logo_white.png);height:18px}@media (min-width:768px){.submission-drawer__icon{background-size:99px;width:99px;height:110px}.submission-drawer__title{font-size:20px}.submission-drawer__copy{font-size:16px;padding:0}}.amc-help-drawer__icon{width:100%;margin:0 auto}.mobile-drawer.mobile-drawer--responsive .amc-help-drawer__content.mobile-drawer__content{padding:72px 40px;max-height:100%}.amc-help-drawer__copy{font-family:'Franklin Gothic FS Book','Helvetica Neue',Helvetica,Arial,sans-serif;font-size:16px;line-height:1.25;color:var(--grayDark2);text-align:center}@media (min-width:768px){.amc-help-drawer__icon{width:260px}.mobile-drawer.mobile-drawer--responsive .amc-help-drawer__content.mobile-drawer__content{padding:54px 121px;height:470px;overflow:hidden}}.user-rating-error{position:relative;padding:24px;border-radius:4px;border:solid 1px var(--grayLight2);max-width:524px;width:94%;margin:0 auto 28px}.user-rating-error__close-button{background-image:transparent url("data:image/svg+xml,%3C%3Fxml version='1.0' encoding='UTF-8'%3F%3E%3Csvg viewBox='0 0 24 24' version='1.1' xmlns='http://www.w3.org/2000/svg' x='0px' y='0px' width='24px' height='24px' xml:space='preserve' role='img'%3E%3Ctitle%3Erticon-close%3C/title%3E%3Cpath d='M17.1798075,4.42379374 C17.7448658,3.85873542 18.6610064,3.85873542 19.2260647,4.42379374 C19.791123,4.98885206 19.791123,5.90499262 19.2260647,6.47005094 L13.8711864,11.8249292 L19.2260647,17.1798075 C19.791123,17.7448658 19.791123,18.6610064 19.2260647,19.2260647 C18.6610064,19.791123 17.7448658,19.791123 17.1798075,19.2260647 L11.8249292,13.8711864 L6.47005094,19.2260647 C5.90499262,19.791123 4.98885206,19.791123 4.42379374,19.2260647 C3.85873542,18.6610064 3.85873542,17.7448658 4.42379374,17.1798075 L9.77867202,11.8249292 L4.42379374,6.47005094 C3.85873542,5.90499262 3.85873542,4.98885206 4.42379374,4.42379374 C4.98885206,3.85873542 5.90499262,3.85873542 6.47005094,4.42379374 L11.8249292,9.77867202 L17.1798075,4.42379374 Z' fill='%23BCBDBE'%3E%3C/path%3E%3C/svg%3E%0A");background-color:transparent;width:20px;height:20px;position:absolute;right:27px;top:27px;transform:translateY(-50%);border:none}h3.user-rating-error__header{font-family:'Franklin Gothic FS Book',Helvetica,sans-serif;font-weight:700;font-size:16px;letter-spacing:.11px;color:#202226}.user-rating-error__body{font-family:'Franklin Gothic FS Book',Helvetica,sans-serif;font-size:14px;line-height:1.43;letter-spacing:.22px;color:#202226}@media (min-width:728px){.user-rating-error{float:right}}@font-face{font-family:"Franklin Gothic";src:url(/assets/pizza-pie/stylesheets/roma/common/video/fonts/FranklinGothicFS-Book.eot);src:url(/assets/pizza-pie/stylesheets/roma/common/video/fonts/FranklinGothicFS-Book.eot) format("embedded-opentype"),url(/assets/pizza-pie/stylesheets/roma/common/video/fonts/FranklinGothicFS-Book.woff2) format("woff2"),url(/assets/pizza-pie/stylesheets/roma/common/video/fonts/FranklinGothicFS-Book.woff) format("woff"),url(/assets/pizza-pie/stylesheets/roma/common/video/fonts/FranklinGothicFS-Book.ttf) format("truetype"),url(/assets/pizza-pie/stylesheets/roma/common/video/fonts/FranklinGothicFS-Book) format("svg");font-weight:400;font-style:normal}@font-face{font-family:"Franklin Gothic";src:url(/assets/pizza-pie/stylesheets/roma/common/video/fonts/FranklinGothicFS-Med.eot);src:url(/assets/pizza-pie/stylesheets/roma/common/video/fonts/FranklinGothicFS-Med.eot) format("embedded-opentype"),url(/assets/pizza-pie/stylesheets/roma/common/video/fonts/FranklinGothicFS-Med.woff2) format("woff2"),url(/assets/pizza-pie/stylesheets/roma/common/video/fonts/FranklinGothicFS-Med.woff) format("woff"),url(/assets/pizza-pie/stylesheets/roma/common/video/fonts/FranklinGothicFS-Med.ttf) format("truetype"),url(/assets/pizza-pie/stylesheets/roma/common/video/fonts/FranklinGothicFS-Med) format("svg");font-weight:500;font-style:normal}@font-face{font-family:"Franklin Gothic";src:url(/assets/pizza-pie/stylesheets/roma/common/video/fonts/FranklinGothicFS-Demi.eot);src:url(/assets/pizza-pie/stylesheets/roma/common/video/fonts/FranklinGothicFS-Demi.eot) format("embedded-opentype"),url(/assets/pizza-pie/stylesheets/roma/common/video/fonts/FranklinGothicFS-Demi.woff2) format("woff2"),url(/assets/pizza-pie/stylesheets/roma/common/video/fonts/FranklinGothicFS-Demi.woff) format("woff"),url(/assets/pizza-pie/stylesheets/roma/common/video/fonts/FranklinGothicFS-Demi.ttf) format("truetype"),url(/assets/pizza-pie/stylesheets/roma/common/video/fonts/FranklinGothicFS-Demi) format("svg");font-weight:600;font-style:normal}@font-face{font-family:Neusa;src:url(/assets/pizza-pie/stylesheets/roma/common/video/fonts/NeusaNextPro-CompactMedium.eot);src:url(/assets/pizza-pie/stylesheets/roma/common/video/fonts/NeusaNextPro-CompactMedium.eot) format("embedded-opentype"),url(/assets/pizza-pie/stylesheets/roma/common/video/fonts/NeusaNextPro-CompactMedium.woff2) format("woff2"),url(/assets/pizza-pie/stylesheets/roma/common/video/fonts/NeusaNextPro-CompactMedium.woff) format("woff"),url(/assets/pizza-pie/stylesheets/roma/common/video/fonts/NeusaNextPro-CompactMedium.ttf) format("truetype"),url(/assets/pizza-pie/stylesheets/roma/common/video/fonts/NeusaNextPro-CompactMedium) format("svg");font-weight:400;font-style:normal}@font-face{font-family:"Franklin Gothic";src:url(/assets/pizza-pie/stylesheets/roma/common/video/fonts/FranklinGothicFS-Book.eot);src:url(/assets/pizza-pie/stylesheets/roma/common/video/fonts/FranklinGothicFS-Book.eot) format("embedded-opentype"),url(/assets/pizza-pie/stylesheets/roma/common/video/fonts/FranklinGothicFS-Book.woff2) format("woff2"),url(/assets/pizza-pie/stylesheets/roma/common/video/fonts/FranklinGothicFS-Book.woff) format("woff"),url(/assets/pizza-pie/stylesheets/roma/common/video/fonts/FranklinGothicFS-Book.ttf) format("truetype"),url(/assets/pizza-pie/stylesheets/roma/common/video/fonts/FranklinGothicFS-Book) format("svg");font-weight:400;font-style:normal}@font-face{font-family:"Franklin Gothic";src:url(/assets/pizza-pie/stylesheets/roma/common/video/fonts/FranklinGothicFS-Med.eot);src:url(/assets/pizza-pie/stylesheets/roma/common/video/fonts/FranklinGothicFS-Med.eot) format("embedded-opentype"),url(/assets/pizza-pie/stylesheets/roma/common/video/fonts/FranklinGothicFS-Med.woff2) format("woff2"),url(/assets/pizza-pie/stylesheets/roma/common/video/fonts/FranklinGothicFS-Med.woff) format("woff"),url(/assets/pizza-pie/stylesheets/roma/common/video/fonts/FranklinGothicFS-Med.ttf) format("truetype"),url(/assets/pizza-pie/stylesheets/roma/common/video/fonts/FranklinGothicFS-Med) format("svg");font-weight:500;font-style:normal}@font-face{font-family:"Franklin Gothic";src:url(/assets/pizza-pie/stylesheets/roma/common/video/fonts/FranklinGothicFS-Demi.eot);src:url(/assets/pizza-pie/stylesheets/roma/common/video/fonts/FranklinGothicFS-Demi.eot) format("embedded-opentype"),url(/assets/pizza-pie/stylesheets/roma/common/video/fonts/FranklinGothicFS-Demi.woff2) format("woff2"),url(/assets/pizza-pie/stylesheets/roma/common/video/fonts/FranklinGothicFS-Demi.woff) format("woff"),url(/assets/pizza-pie/stylesheets/roma/common/video/fonts/FranklinGothicFS-Demi.ttf) format("truetype"),url(/assets/pizza-pie/stylesheets/roma/common/video/fonts/FranklinGothicFS-Demi) format("svg");font-weight:600;font-style:normal}@font-face{font-family:Neusa;src:url(/assets/pizza-pie/stylesheets/roma/common/video/fonts/NeusaNextPro-CompactMedium.eot);src:url(/assets/pizza-pie/stylesheets/roma/common/video/fonts/NeusaNextPro-CompactMedium.eot) format("embedded-opentype"),url(/assets/pizza-pie/stylesheets/roma/common/video/fonts/NeusaNextPro-CompactMedium.woff2) format("woff2"),url(/assets/pizza-pie/stylesheets/roma/common/video/fonts/NeusaNextPro-CompactMedium.woff) format("woff"),url(/assets/pizza-pie/stylesheets/roma/common/video/fonts/NeusaNextPro-CompactMedium.ttf) format("truetype"),url(/assets/pizza-pie/stylesheets/roma/common/video/fonts/NeusaNextPro-CompactMedium) format("svg");font-weight:400;font-style:normal}.scoreboard{min-height:171px;margin:0 15px}.scoreboard__title{margin:0;text-transform:uppercase;font-family:Neusa,Impact,Helvetica Neue,Arial,Sans-Serif;font-size:1.625em;font-weight:500;font-stretch:normal;font-style:normal;line-height:.92;letter-spacing:normal;text-align:center;color:#2a2c32}.scoreboard__info{margin:0;display:inline-block;font-family:"Franklin Gothic",-apple-system,BlinkMacSystemFont,"PT Sans",Arial,Sans-Serif;font-weight:400;font-stretch:normal;font-style:normal;line-height:1.29;font-size:14px;letter-spacing:normal;color:#2a2c32}.scoreboard__link{font-size:12px}.scoreboard__link--tomatometer{align-self:flex-end}.scoreboard__link--audience{align-self:flex-start}.scoreboard[skeleton]{height:171px}@media (min-width:768px){.scoreboard{margin:0}.scoreboard[skeleton]{height:220px}}@font-face{font-family:"Franklin Gothic";src:url(/assets/pizza-pie/stylesheets/roma/common/video/fonts/FranklinGothicFS-Book.eot);src:url(/assets/pizza-pie/stylesheets/roma/common/video/fonts/FranklinGothicFS-Book.eot) format("embedded-opentype"),url(/assets/pizza-pie/stylesheets/roma/common/video/fonts/FranklinGothicFS-Book.woff2) format("woff2"),url(/assets/pizza-pie/stylesheets/roma/common/video/fonts/FranklinGothicFS-Book.woff) format("woff"),url(/assets/pizza-pie/stylesheets/roma/common/video/fonts/FranklinGothicFS-Book.ttf) format("truetype"),url(/assets/pizza-pie/stylesheets/roma/common/video/fonts/FranklinGothicFS-Book) format("svg");font-weight:400;font-style:normal}@font-face{font-family:"Franklin Gothic";src:url(/assets/pizza-pie/stylesheets/roma/common/video/fonts/FranklinGothicFS-Med.eot);src:url(/assets/pizza-pie/stylesheets/roma/common/video/fonts/FranklinGothicFS-Med.eot) format("embedded-opentype"),url(/assets/pizza-pie/stylesheets/roma/common/video/fonts/FranklinGothicFS-Med.woff2) format("woff2"),url(/assets/pizza-pie/stylesheets/roma/common/video/fonts/FranklinGothicFS-Med.woff) format("woff"),url(/assets/pizza-pie/stylesheets/roma/common/video/fonts/FranklinGothicFS-Med.ttf) format("truetype"),url(/assets/pizza-pie/stylesheets/roma/common/video/fonts/FranklinGothicFS-Med) format("svg");font-weight:500;font-style:normal}@font-face{font-family:"Franklin Gothic";src:url(/assets/pizza-pie/stylesheets/roma/common/video/fonts/FranklinGothicFS-Demi.eot);src:url(/assets/pizza-pie/stylesheets/roma/common/video/fonts/FranklinGothicFS-Demi.eot) format("embedded-opentype"),url(/assets/pizza-pie/stylesheets/roma/common/video/fonts/FranklinGothicFS-Demi.woff2) format("woff2"),url(/assets/pizza-pie/stylesheets/roma/common/video/fonts/FranklinGothicFS-Demi.woff) format("woff"),url(/assets/pizza-pie/stylesheets/roma/common/video/fonts/FranklinGothicFS-Demi.ttf) format("truetype"),url(/assets/pizza-pie/stylesheets/roma/common/video/fonts/FranklinGothicFS-Demi) format("svg");font-weight:600;font-style:normal}@font-face{font-family:Neusa;src:url(/assets/pizza-pie/stylesheets/roma/common/video/fonts/NeusaNextPro-CompactMedium.eot);src:url(/assets/pizza-pie/stylesheets/roma/common/video/fonts/NeusaNextPro-CompactMedium.eot) format("embedded-opentype"),url(/assets/pizza-pie/stylesheets/roma/common/video/fonts/NeusaNextPro-CompactMedium.woff2) format("woff2"),url(/assets/pizza-pie/stylesheets/roma/common/video/fonts/NeusaNextPro-CompactMedium.woff) format("woff"),url(/assets/pizza-pie/stylesheets/roma/common/video/fonts/NeusaNextPro-CompactMedium.ttf) format("truetype"),url(/assets/pizza-pie/stylesheets/roma/common/video/fonts/NeusaNextPro-CompactMedium) format("svg");font-weight:400;font-style:normal}score-details{font-family:"Franklin Gothic",-apple-system,BlinkMacSystemFont,"PT Sans",Arial,Sans-Serif}score-details tool-tip button[slot=tool-tip-btn]{background-color:#fff;border:none;font-size:18px;padding:0;line-height:1;height:18px}score-details filter-chip{margin-right:10px}@media (min-width:768px){score-details{font-family:"Franklin Gothic",-apple-system,BlinkMacSystemFont,"PT Sans",Arial,Sans-Serif}}overlay-base .overlay-base-btn{height:24px;background-color:#fff;padding:0}overlay-base .overlay-base-btn rt-icon{font-size:24px}overlay-base filter-chip label{margin-bottom:0;font-size:14px}#criticReviewsModule .reviews-wrap{display:flex;flex-wrap:wrap;justify-content:space-between}#criticReviewsModule .no-reviews-wrap{background:var(--grayLight1);padding:15px;text-align:center}</style>
<!-- /END: critical-->
<link as="style" href="/assets/pizza-pie/stylesheets/bundles/global.eb421083962.css" onload="this.onload=null;this.rel='stylesheet'" rel="preload"/>
<link as="style" href="/assets/pizza-pie/stylesheets/bundles/movie-details.64bbc14523a.css" onload="this.onload=null;this.rel='stylesheet'" rel="preload"/>
<link as="style" href="/assets/pizza-pie/stylesheets/bundles/auth.377ea677a89.css" onload="this.onload=null;this.rel='stylesheet'" rel="preload"/>
<script>
!function(t){"use strict";t.loadCSS||(t.loadCSS=function(){});var e=loadCSS.relpreload={};if(e.support=function(){var e;try{e=t.document.createElement("link").relList.supports("preload")}catch(t){e=!1}return function(){return e}}(),e.bindMediaToggle=function(t){var e=t.media||"all";function a(){t.media=e}t.addEventListener?t.addEventListener("load",a):t.attachEvent&&t.attachEvent("onload",a),setTimeout(function(){t.rel="stylesheet",t.media="only x"}),setTimeout(a,3e3)},e.poly=function(){if(!e.support())for(var a=t.document.getElementsByTagName("link"),n=0;n<a.length;n++){var o=a[n];"preload"!==o.rel||"style"!==o.getAttribute("as")||o.getAttribute("data-loadcss")||(o.setAttribute("data-loadcss",!0),e.bindMediaToggle(o))}},!e.support()){e.poly();var a=t.setInterval(e.poly,500);t.addEventListener?t.addEventListener("load",function(){e.poly(),t.clearInterval(a)}):t.attachEvent&&t.attachEvent("onload",function(){e.poly(),t.clearInterval(a)})}"undefined"!=typeof exports?exports.loadCSS=loadCSS:t.loadCSS=loadCSS}("undefined"!=typeof global?global:this);
</script>
<script>window.RottenTomatoes = {};</script>
<script>window.RTLocals = {};</script>
<script>var dataLayer = dataLayer || [];</script>
<script id="mps-page-integration">
window.mpscall = {"adunits":"Multi Logo|Box Ad|Marquee Banner|Top Banner","cag[score]":"99","cag[certified_fresh]":"1","cag[fresh_rotten]":"fresh","cag[rating]":"PG","cag[release]":"1982","cag[movieshow]":"E.T. the Extra-Terrestrial","cag[genre]":"Kids & family|Sci-fi|Adventure","cag[urlid]":"et_the_extraterrestrial","cat":"movie|movie_page","field[env]":"production","path":"/m/et_the_extraterrestrial","site":"rottentomatoes-web","title":"E.T. the Extra-Terrestrial","type":"movie_page"};
var mpsopts={'host':'mps.nbcuni.com', 'updatecorrelator':1};
var mps=mps||{};mps._ext=mps._ext||{};mps._adsheld=[];mps._queue=mps._queue||{};mps._queue.mpsloaded=mps._queue.mpsloaded||[];mps._queue.mpsinit=mps._queue.mpsinit||[];mps._queue.gptloaded=mps._queue.gptloaded||[];mps._queue.adload=mps._queue.adload||[];mps._queue.adclone=mps._queue.adclone||[];mps._queue.adview=mps._queue.adview||[];mps._queue.refreshads=mps._queue.refreshads||[];mps.__timer=Date.now||function(){return+new Date};mps.__intcode="v2";if(typeof mps.getAd!="function")mps.getAd=function(adunit){if(typeof adunit!="string")return false;var slotid="mps-getad-"+adunit.replace(/\W/g,"");if(!mps._ext||!mps._ext.loaded){mps._queue.gptloaded.push(function(){typeof mps._gptfirst=="function"&&mps._gptfirst(adunit,slotid);mps.insertAd("#"+slotid,adunit)});mps._adsheld.push(adunit)}return'<div id="'+slotid+'" class="mps-wrapper" data-mps-fill-slot="'+adunit+'"></div>'};(function(){head=document.head||document.getElementsByTagName("head")[0],mpsload=document.createElement("script");mpsload.src="//"+mpsopts.host+"/fetch/ext/load-"+mpscall.site+".js?nowrite=2";mpsload.id="mps-load";head.insertBefore(mpsload,head.firstChild)})();
</script>
<script>
function endsWith(str, suffix) {
return str.indexOf(suffix, str.length - suffix.length) !== -1;
}
//--Ad Unit Loaded (called for each ad loaded)
var mps = mps||{}; mps._queue = mps._queue||{}; mps._queue.adload = mps._queue.adload||[];
mps._queue.adload.push(function (eo) {
if (!eo.isEmpty) {
var slotName = eo._mps._slot;
if ('topbanner' === slotName) {
var leaderboardHeight = eo.size[1];
if (leaderboardHeight > 50){
$('#header-main').removeClass('header_main_scroll');
$('#header-main').css('margin-top', leaderboardHeight + 10);
var bannerEl = $('#header_and_leaderboard');
bannerEl.addClass('header_and_leaderboard_scroll');
if (leaderboardHeight < 90){
$('.leaderboard_wrapper').css('min-height', leaderboardHeight);
}
$('#top_leaderboard_wrapper').animate({ height: (leaderboardHeight + 10) },1000);
}
}
if ('trendinggraphic' === slotName) {
//Hide Trending bar social section
$('#trending_bar_social').hide();
// Roma version
$('.trending-bar__social').hide();
//Removing padding for trending bar ad
$('.trendingBar > .trendingEl').css('padding','0px');
$('#trending_bar_ad').show();
$('a.trendingLink').addClass('trending-link-truncate');
// Roma version
$('.trending-bar__link').addClass('trending-link--truncate');
}
if ('tomatometer' === slotName) {
if (eo.size[0] == 524 && eo.size[1] == 40) {
//Increase score panel margin
$('#scorePanel').css('margin-bottom', '20px');
}
// Only show Tomatometer Sponsorship div if rendered
$('#tomatometer_sponsorship_ad').show();
}
}
});
</script>
<script>
dataLayer.push({"webVersion":"node","clicktale":true,"rtVersion":3,"loggedInStatus":"","customerId":"","pageName":"rt | movies | overview | E.T. the Extra-Terrestrial","titleType":"Movie","emsID":"9ac889c9-a513-3596-a647-ab4f4554112f","lifeCycleWindow":"TODO_MISSING","titleGenre":"Kids & family|Sci-fi|Adventure","titleId":"9ac889c9-a513-3596-a647-ab4f4554112f","titleName":"E.T. the Extra-Terrestrial","whereToWatch":[{}]});
</script>
<script>
(function(w,d,s,l,i){w[l]=w[l]||[];w[l].push({'gtm.start':
new Date().getTime(),event:'gtm.js'});var f=d.getElementsByTagName(s)[0],
j=d.createElement(s),dl=l!='dataLayer'?'&l='+l:'';j.async=true;j.src=
'https://www.googletagmanager.com/gtm.js?id='+i+dl;f.parentNode.insertBefore(j,f);
})(window,document,'script','dataLayer','GTM-M5LKWCR');
</script>
<script>
dataLayer.push({
event: 'MOB Pageview',
mobUrl: '/m/et_the_extraterrestrial/',
mobWindow: 'TODO_MISSING'
});
</script>
</head>
<body class="body no-touch">
<auth-manager></auth-manager>
<auth-profile-manager></auth-profile-manager>
<overlay-base class="v3-auth-overlay" hidden="">
<overlay-flows slot="content">
<button aria-label="Close" class="auth-overlay__icon-button auth-overlay__icon-button--close" slot="close">
<rt-icon icon="close" image=""></rt-icon>
</button>
</overlay-flows>
</overlay-base>
<notification-alert animate="" class="js-auth-success v3-auth-success" hidden="">
<rt-icon icon="check-circled"></rt-icon>
<span>Signed in</span>
</notification-alert>
<div id="auth-templates">
<template id="cognito-signup-form" slot="screens">
<auth-signup-screen data-qa="auth-signup-screen">
<h2 class="cognito-signup-form__header" data-qa="auth-signup-screen-title" slot="header">Log in or sign up for Rotten Tomatoes</h2>
<rt-button class="cognito-signup-form__option" data-qa="auth-signup-screen-facebook-btn" slot="signup-option" theme="light" value="facebook">
<div class="cognito-signup-form__option__container">
<rt-icon class="cognito-signup-form__option__icon cognito-signup-form__option__icon--facebook" icon="facebook-official" image=""></rt-icon>
<span class="cognito-signup-form__option__text">Continue with Facebook</span>
</div>
</rt-button>
<rt-button class="cognito-signup-form__option" data-qa="auth-signup-screen-google-btn" slot="signup-option" theme="light" value="google">
<div class="cognito-signup-form__option__container">
<span class="cognito-signup-form__option__icon cognito-signup-form__option__icon--google"></span>
<span class="cognito-signup-form__option__text">Continue with Google</span>
</div>
</rt-button>
<rt-button class="cognito-signup-form__option" data-qa="auth-signup-screen-email-btn" slot="signup-option" theme="light" value="email">
<div class="cognito-signup-form__option__container">
<rt-icon class="cognito-signup-form__option__icon cognito-signup-form__option__icon--mail" icon="mail" image=""></rt-icon>
<span class="cognito-signup-form__option__text">Continue with Email</span>
</div>
</rt-button>
<input-label slot="email">
<label class="auth-form__control__label" for="cognito-email-input" slot="label">Email</label>
<input data-qa="auth-signup-screen-email" id="cognito-email-input" slot="input" type="email"/>
</input-label>
<div slot="info">
<div class="no-password-container">
<rt-badge>New</rt-badge>
<span class="no-password">Where is the password field?</span>
<tool-tip class="cognito-signup-form__tooltip" description="Rotten Tomatoes now offers passwordless authentication for all user accounts, making it easier for you to access your information. Simply enter the email address you previously used and hit continue to complete your log-in." nomobilefooter="" slot="tooltip" title="Where is the password field?">
<button class="button--link" slot="tool-tip-btn">
<rt-icon icon="question-circled" image=""></rt-icon>
</button>
</tool-tip>
</div>
</div>
<button class="auth-form__button" data-qa="auth-signup-screen-continue-btn" slot="continue">Continue</button>
<p class="cognito-signup-form-help" slot="help">
<a href="/reset-client">Trouble logging in?</a>
</p>
<p class="cognito-signup-form__terms-and-policies" slot="terms-and-policies">
By continuing, you agree to the <a data-qa="auth-signup-screen-privacy-policy-link" href="https://www.fandango.com/policies/privacy-policy" target="_blank">Privacy Policy</a> and
the <a data-qa="auth-signup-screen-terms-policies-link" href="https://www.fandango.com/policies/terms-and-policies" target="_blank">Terms and Policies</a>, and to receive email from Rotten Tomatoes.
</p>
</auth-signup-screen>
</template>
<template id="cognito-name-form" slot="screens">
<auth-name-screen data-qa="auth-name-screen">
<input-label slot="first-name">
<label class="auth-form__control__label" for="cognito-first-name-input" slot="label">First name (Required)</label>
<input data-qa="auth-name-screen-first-name" id="cognito-first-name-input" slot="input"/>
</input-label>
<input-label slot="last-name">
<label class="auth-form__control__label" for="cognito-last-name-input" slot="label">Last name (Required)</label>
<input data-qa="auth-name-screen-last-name" id="cognito-last-name-input" slot="input"/>
</input-label>
<button class="auth-form__button" slot="create-account">Create my account</button>
<p class="cognito-signup-form__terms-and-policies" slot="terms-and-policies">
By creating an account, you agree to the
<a data-qa="auth-name-screen-privacy-policy-link" href="https://www.fandango.com/policies/privacy-policy" target="_blank"> Privacy Policy </a>
and the<br/>
<a data-qa="auth-name-screen-terms-policies-link" href="https://www.fandango.com/policies/terms-and-policies" target="_blank"> Terms and Policies</a>
, and to receive email from Rotten Tomatoes.
</p>
</auth-name-screen>
</template>
<template id="cognito-checkemail" slot="screens">
<auth-checkemail-screen data-qa="auth-check-email-screen">
<span class="cognito-check-email__icon--email" slot="email-icon"></span>
<span class="cognito-check-email__icon--mobile" slot="mobile-icon"></span>
<button class="text-button" data-qa="auth-check-email-screen-learn-more-link" slot="learn-more" tabindex="0">LEARN MORE</button>
<a data-qa="auth-check-email-screen-help-link" href="/help_desk" slot="help" tabindex="0" target="_blank">HELP</a>
</auth-checkemail-screen>
</template>
<template id="cognito-learn-more" slot="screens">
<auth-learn-more-screen data-qa="auth-learn-more-screen">
<button class="auth-overlay__icon-button auth-overlay__icon-button--back" slot="back">
<rt-icon icon="left-arrow-stem" image=""></rt-icon>
</button>
</auth-learn-more-screen>
</template>
<template id="cognito-error" slot="screens">
<auth-error-screen data-qa="auth-error-screen">
<h2 class="cognito-error__heading" data-qa="auth-error-screen-title" slot="heading">
<rt-icon class="cognito-error__icon--exclamation-circled" icon="exclamation-circled" image=""></rt-icon>
<span class="js-cognito-error-heading-txt">Email not verified</span>
</h2>
<p class="js-cognito-error-message cognito-error__error-message" data-qa="auth-error-screen-message" slot="error-message">
<!-- error message is set from auth-error-screen WC-->
</p>
<p class="js-cognito-error-code cognito-error__error-message" data-qa="auth-error-screen-code" slot="error-code">
<!-- error code is set from auth-error-screen WC-->
</p>
<rt-button class="cognito-error__try-again-btn" slot="tryAgainBtn"><span class="cognito-error__btn-text" data-qa="auth-error-screen-try-again-btn">TRY AGAIN</span></rt-button>
<rt-button class="cognito-error__cancel-btn" slot="cancelBtn" theme="light"><span class="cognito-error__btn-text" data-qa="auth-error-screen-cancel-btn">CANCEL</span></rt-button>
</auth-error-screen>
</template>
<template id="cognito-opt-in" slot="screens">
<auth-optin-screen data-qa="auth-opt-in-screen">
<div slot="newsletterText">
<h2 class="cognito-optin-form__header unset">Let's keep in touch</h2>
<p>
Stay up-to-date on all the latest Rotten Tomatoes news!
Tap "Sign me up" below to receive our weekly newsletter
with updates on movies, TV shows, Rotten Tomatoes podcast and more.
</p>
</div>
<button data-qa="auth-opt-in-screen-opt-in-btn" slot="optInButton">
Sign me up
</button>
<button class="button--outline" data-qa="auth-opt-in-screen-opt-out-btn" slot="optOutButton">
No thanks
</button>
</auth-optin-screen>
</template>
<template id="cognito-opt-in-success" slot="screens">
<auth-verify-screen>
<rt-icon icon="check-circled" slot="icon"></rt-icon>
<p class="h3" slot="status">OK, got it!</p>
</auth-verify-screen>
</template>
</div>
<div id="emptyPlaceholder"></div>
<script async="" src="//assets.adobedtm.com/launch-EN549327edc13e414a9beb5d61bfd9aac6.min.js"></script>
<!-- mobile menu -->
<div aria-labelledby="navMenu" class="modal fade" id="navMenu" role="dialog">
<div class="modal-dialog">
<div class="modal-content">
<div class="modal-body">
<button aria-label="Close" class="close" data-dismiss="modal" type="button">
<span class="glyphicon glyphicon-remove"></span>
</button>
<div class="pull-left">
<ul class="list-inline social">
<li><a class="header-facebook-social-link" href="//www.facebook.com/rottentomatoes" rel="noopener" target="_blank"></a></li>
<li><a class="header-twitter-social-link" href="//twitter.com/rottentomatoes" rel="noopener" target="_blank"></a></li>
</ul>
</div>
<div class="items">
<div class="item">
<a class="homeTab unstyled navLink fullLink" href="/">
Home
</a>
</div>
<div class="item">
<a class="boxofficeTab unstyled navLink fullLink" href="/lists/theater/">
Top Box Office
</a>
</div>
<div class="item">
<a class="theatersTab unstyled navLink fullLink" href="/theaters/">
Tickets & Showtimes
</a>
</div>
<div class="item">
<a class="dvdTab unstyled navLink fullLink" href="/lists/dvd/">
DVD & Streaming
</a>
</div>
<!-- <c:if test="${'us' eq headerInfo.i18nHeader or 'US' eq headerInfo.i18nHeader or '' eq headerInfo.i18nHeader}"> -->
<div class="item">
<a class="tvTab unstyled navLink fullLink" href="/lists/tv/">
TV
</a>
</div>
<!-- </c:if> -->
<div class="item">
<a class="newsTab unstyled navLink fullLink" href="https://editorial.rottentomatoes.com/">
News
</a>
</div>
<!--
<div class="item">
<a class="newsletterTab unstyled navLink fullLink" href="/newsletter/">
<%--Join Newsletter--%>
</a>
</div>
-->
</div>
<div class="loginArea"></div>
</div>
</div>
</div>
</div>
<div class="body_main container">
<div id="header_and_leaderboard">
<div class="leaderboard_wrapper" id="top_leaderboard_wrapper">
<div class="leaderboard_helper" id="top_leaderboard_helper">
<div id="leaderboard_top_ad"></div>
<script>
//--RESPONSIVE AD SWITCHING (DIFFERENT CONTAINERS)
var mps = mps||{}; mps._queue = mps._queue||{}; mps._queue.gptloaded = mps._queue.gptloaded||[];
mps._queue.gptloaded.push(function () {
if (mps.getResponsiveSet() == '0') { //MOBILE
mps.insertAd('#leaderboard_top_ad','mbanner');
} else { //DESKTOP or TABLET
mps.insertAd('#leaderboard_top_ad','topbanner');
}
});
</script>
</div>
</div>
</div>
<!-- global header -->
<nav class="header_main container" id="header-main">
<div class="navbar navbar-rt" data-qa="header-nav-bar" id="navbar" role="navigation">
<div class="navbar-header pull-right hidden-xs">
<div class="header_links">
<a data-qa="header:link-whats-tmeter" href="/about#whatisthetomatometer" id="header-whats-the-tomatometer">What's the Tomatometer®?</a>
<a data-qa="header:link-critics-home" href="/critics/" id="header-top-bar-critics">Critics</a>
<div class="js-header-auth__user-section" data-qa="header:user" id="headerUserSection" style="display: inline-block;">
<button class="js-cognito-signin js-dtm-login button--link" data-qa="header:login-btn">LOGIN/SIGNUP</button>
</div>
</div>
</div>
<div class="col-sm-13 col-full-xs" id="header_brand_column">
<!-- Logo -->
<div class="navbar-brand" id="navbar_brand">
<a aria-label="header logo" class="header-rt-logo" data-qa="header-logo" href="/"><img alt="Rotten Tomatoes Logo" id="original_rt_logo" src="/assets/pizza-pie/images/rtlogo.9b892cff3fd.png"/></a>
<div id="new_logo_ad" style="display:none;"></div>
<script>
var mps = mps||{}; mps._queue = mps._queue||{}; mps._queue.gptloaded = mps._queue.gptloaded||[];
mps._queue.gptloaded.push(function () {
mps.rt.insertlogo('#new_logo_ad', 'ploc=rtlogo;');
});
</script>
</div>
<search-algolia class="search-algolia search-algolia-desktop" skeleton="transparent">
<search-algolia-controls slot="search-controls">
<input aria-label="Search" class="search-text" data-qa="search-input" placeholder="Search movies, TV, actors, more..." slot="search-input" type="text"/>
<button class="search-clear" data-qa="search-clear" slot="search-clear">
<rt-icon icon="close" image=""></rt-icon>
</button>
<a aria-label="Submit search" class="search-submit" data-qa="search-submit" href="/search" slot="search-submit">
<rt-icon icon="search" image=""></rt-icon>
</a>
<button class="search-cancel" data-qa="search-cancel" slot="search-cancel">
Cancel
</button>
</search-algolia-controls>
<search-algolia-results data-qa="search-results-overlay" slot="search-results">
<search-algolia-results-category data-qa="search-results-category" slot="content">
<h2 class="h2" data-qa="search-category-header" slot="title">Movies / TV</h2>
<ul slot="results"></ul>
</search-algolia-results-category>
<search-algolia-results-category data-qa="search-results-category" slot="celebrity">
<h2 class="h2" data-qa="search-category-header" slot="title">Celebrity</h2>
<ul slot="results"></ul>
</search-algolia-results-category>
<search-algolia-results-category slot="none">
<h2 class="h2" data-qa="search-no-results" slot="title">No Results Found</h2>
</search-algolia-results-category>
<a class="view-all" data-qa="search-view-all" href="/" slot="view-all">View All</a>
</search-algolia-results>
</search-algolia>
<mobile-search-algolia data-qa="mobile-search-algolia" logoselector="#navbar_brand" navselector="#navbar"></mobile-search-algolia>
<bottom-nav data-qa="bottom-nav">
<a slot="template">
<bottom-nav-item></bottom-nav-item>
</a>
</bottom-nav>
</div>
<div class="navbar-nav col-sm-11 hidden-xs" id="menu">
<ul class="list-inline">
<li class="menuHeader center dropdown noSpacing" data-qa="masthead:movies-dvds" id="movieHeaderMenu">
<a class="white" data-qa="masthead:movies-dvds-link" href="/browse/opening" id="movieMenu" role="button">
Movies<span class="fontelloIcon icon-down-dir"></span>
</a>
<div aria-labelledby="movieMenu" class="dropdown-menu" data-qa="movie-menu" role="menu">
<div class="row-sameColumnHeight">
<div class="col-xs-5 subnav">
<div class="innerSubnav" data-qa="header-movies-in-theaters">
<a class="unstyled articleLink" href="/browse/in-theaters"><h2 class="title">Movies in Theaters</h2></a>
<ul class="list-unstyled" id="header-movies-in-theaters">
<li data-qa="in-theaters-item">
<a class="unstyled articleLink" data-qa="in-theaters-link" href="/browse/opening">Opening This Week</a>
</li>
<li data-qa="in-theaters-item">
<a class="unstyled articleLink" data-qa="in-theaters-link" href="/browse/upcoming">Coming Soon to Theaters</a>
</li>
<li data-qa="in-theaters-item">
<a class="unstyled articleLink" data-qa="in-theaters-link" href="/browse/cf-in-theaters">Certified Fresh Movies</a>
</li>
</ul>
</div>
</div>
<div class="col-xs-5 subnav">
<div class="innerSubnav" data-qa="header-on-dvd-streaming">
<a class="unstyled articleLink" data-qa="dvd-streaming-main-link" href="/dvd/"><h2 class="title">Movies at Home</h2></a>
<ul class="list-unstyled" id="header-on-dvd-streaming">
<li data-qa="dvd-streaming-item">
<a class="unstyled articleLink" data-qa="dvd-streaming-link" href="/browse/dvd-streaming-all?services=vudu">Vudu</a>
</li>
<li data-qa="dvd-streaming-item">
<a class="unstyled articleLink" data-qa="dvd-streaming-link" href="/browse/dvd-streaming-all?services=netflix_iw">Netflix Streaming</a>
</li>
<li data-qa="dvd-streaming-item">
<a class="unstyled articleLink" data-qa="dvd-streaming-link" href="/browse/dvd-streaming-all?services=itunes">iTunes</a>
</li>
<li data-qa="dvd-streaming-item">
<a class="unstyled articleLink" data-qa="dvd-streaming-link" href="/browse/dvd-streaming-all?services=amazon_prime;amazon">Amazon and Amazon Prime</a>
</li>
<li data-qa="dvd-streaming-item">
<a class="unstyled articleLink" data-qa="dvd-streaming-link" href="/browse/top-dvd-streaming">Most Popular Streaming Movies</a>
</li>
<li data-qa="dvd-streaming-item">
<a class="unstyled articleLink" data-qa="dvd-streaming-link" href="/browse/cf-dvd-streaming-all">Certified Fresh Movies</a>
</li>
<li data-qa="dvd-streaming-item">
<a class="unstyled articleLink" data-qa="dvd-streaming-link" href="/browse/dvd-streaming-all">Browse All</a>
</li>
</ul>
</div>
</div>
<div class="col-xs-3 subnav">
<div class="innerSubnav" data-qa="header-movies-more">
<h2 class="title">More</h2>
<ul class="list-unstyled" id="header-movies-more">
<li data-qa="movies-more-item"><a class="unstyled articleLink" data-qa="movies-more-link" href="/top/">Top Movies</a></li>
<li data-qa="movies-more-item"><a class="unstyled articleLink" data-qa="movies-more-link" href="/trailers/">Trailers</a></li>
</ul>
</div>
</div>
<div class="col-xs-11 subnav" id="cfp-movies-nav">
<h2 class="title">Certified Fresh Picks</h2>
<div class="freshPicks inDropdown" data-qa="header-certified-fresh-picks" id="header-certified-fresh-picks">
<div class="cfpItem hidden-xs" data-qa="cert-fresh-item">
<!-- Hardcorded rt url so pageheader on editorial routes to rt too -->
<a class="unstyled articleLink cfpLinks" data-qa="cert-fresh-link" href="/m/moonage_daydream">
<p class="topText bold"></p>
<div class="imgContainer cfp-img-container" id="dropdown-cfp-image">
<img alt="Moonage Daydream" class="js-lazyLoad cfp-header-img" data-src="https://resizing.flixster.com/y1qaLr2j5LJhu2aa2T5HVnllz3c=/fit-in/180x240/v2/https://resizing.flixster.com/1RvVvRT_yIkZpE6CiOdcmXaLjDk=/ems.cHJkLWVtcy1hc3NldHMvbW92aWVzLzRiMGFiMmJmLWQxZTgtNDhjOC1hMzM0LWE0MGMyNzNlZTM2ZC5qcGc=" src="/assets/pizza-pie/images/poster_default.c8c896e70c3.gif"/>
</div>
<div class="movie_content_area">
<span class="icon tiny certified"></span>
<span class="tMeterScore">96%</span>
</div>
<p class="title noSpacing">Moonage Daydream</p>
</a>
</div>
<div class="cfpItem hidden-xs" data-qa="cert-fresh-item">
<!-- Hardcorded rt url so pageheader on editorial routes to rt too -->
<a class="unstyled articleLink cfpLinks" data-qa="cert-fresh-link" href="/m/saloum">
<p class="topText bold"></p>
<div class="imgContainer cfp-img-container" id="dropdown-cfp-image">
<img alt="Saloum" class="js-lazyLoad cfp-header-img" data-src="https://resizing.flixster.com/whlIlBxv-pDVQOtLKKT6I84uw44=/fit-in/180x240/v2/https://flxt.tmsimg.com/assets/p20673242_p_v13_aa.jpg" src="/assets/pizza-pie/images/poster_default.c8c896e70c3.gif"/>
</div>
<div class="movie_content_area">
<span class="icon tiny certified"></span>
<span class="tMeterScore">95%</span>
</div>
<p class="title noSpacing">Saloum</p>
</a>
</div>
<div class="cfpItem hidden-xs" data-qa="cert-fresh-item">
<!-- Hardcorded rt url so pageheader on editorial routes to rt too -->
<a class="unstyled articleLink cfpLinks" data-qa="cert-fresh-link" href="/m/gods_country_2022">
<p class="topText bold"></p>
<div class="imgContainer cfp-img-container" id="dropdown-cfp-image">
<img alt="God's Country" class="js-lazyLoad cfp-header-img" data-src="https://resizing.flixster.com/bdhhMsmztfWMIiXUcBC46Yh6uo4=/fit-in/180x240/v2/https://resizing.flixster.com/T_cCRukbtWUXBnje0kPN3_uajXE=/ems.cHJkLWVtcy1hc3NldHMvbW92aWVzLzI4NTQ0YjJjLTBjMmUtNGY0NC1hYTI1LTM5ZGE5ZjFjYzQwZi5qcGc=" src="/assets/pizza-pie/images/poster_default.c8c896e70c3.gif"/>
</div>
<div class="movie_content_area">
<span class="icon tiny certified"></span>
<span class="tMeterScore">86%</span>
</div>
<p class="title noSpacing">God's Country</p>
</a>
</div>
</div>
</div>
</div>
</div>
</li>
<li class="menuHeader center dropdown noSpacing dropdown-toggle" data-qa="masthead:tv">
<a data-qa="masthead:tv-link" href="/top-tv/" id="tvMenu">TV Shows<span class="fontelloIcon icon-down-dir"></span></a>
<div aria-labelledby="tvMenu" class="dropdown-menu" data-qa="tv-menu" id="tvMenuDropdown" role="menu">
<div class="row-sameColumnHeight">
<div class="col-xs-7 subnav">
<div class="innerSubnav" data-qa="header-tv-list1" id="header-tv-col1">
<h2 class="title">New TV Tonight</h2>
<table class="movie_list tv_list" id="tv-list-1">
<tr class="tv_show_tr tvTopListTitle" data-qa="list-item">
<td class="left_col">
<a href="/tv/the_serpent_queen/s01">
<score-icon-critic alignment="left" percentage="100" size="tiny" slot="critic-score" state="fresh"></score-icon-critic>
</a>
</td>
<td class="middle_col">
<a data-qa="list-item-link" href="/tv/the_serpent_queen/s01">
The Serpent Queen: Season 1
</a>
</td>
</tr>
<tr class="tv_show_tr tvTopListTitle" data-qa="list-item">
<td class="left_col">
<a href="/tv/the_handmaids_tale/s05">
<score-icon-critic alignment="left" percentage="75" size="tiny" slot="critic-score" state="fresh"></score-icon-critic>
</a>
</td>
<td class="middle_col">
<a data-qa="list-item-link" href="/tv/the_handmaids_tale/s05">
The Handmaid's Tale: Season 5
</a>
</td>
</tr>
<tr class="tv_show_tr tvTopListTitle" data-qa="list-item">
<td class="left_col">
<a href="/tv/atlanta/s04">
<span class="tMeterIcon tiny noRating">No Score Yet</span>
</a>
</td>
<td class="middle_col">
<a data-qa="list-item-link" href="/tv/atlanta/s04">
Atlanta: Season 4
</a>
</td>
</tr>
<tr class="tv_show_tr tvTopListTitle" data-qa="list-item">
<td class="left_col">
<a href="/tv/emmys/s74">
<score-icon-critic alignment="left" percentage="18" size="tiny" slot="critic-score" state="rotten"></score-icon-critic>
</a>
</td>
<td class="middle_col">
<a data-qa="list-item-link" href="/tv/emmys/s74">
Emmys: Season 74
</a>
</td>
</tr>
<tr class="tv_show_tr tvTopListTitle" data-qa="list-item">
<td class="left_col">
<a href="/tv/los_espookys/s02">
<span class="tMeterIcon tiny noRating">No Score Yet</span>
</a>
</td>
<td class="middle_col">
<a data-qa="list-item-link" href="/tv/los_espookys/s02">
Los Espookys: Season 2
</a>
</td>
</tr>
<tr class="tv_show_tr tvTopListTitle" data-qa="list-item">
<td class="left_col">
<a href="/tv/monarch/s01">
<score-icon-critic alignment="left" percentage="30" size="tiny" slot="critic-score" state="rotten"></score-icon-critic>
</a>
</td>
<td class="middle_col">
<a data-qa="list-item-link" href="/tv/monarch/s01">
Monarch: Season 1
</a>
</td>
</tr>
<tr class="tv_show_tr tvTopListTitle" data-qa="list-item">
<td class="left_col">
<a href="/tv/vampire_academy/s01">
<span class="tMeterIcon tiny noRating">No Score Yet</span>
</a>
</td>
<td class="middle_col">
<a data-qa="list-item-link" href="/tv/vampire_academy/s01">
Vampire Academy: Season 1
</a>
</td>
</tr>
<tr class="tv_show_tr tvTopListTitle" data-qa="list-item">
<td class="left_col">
<a href="/tv/war_of_the_worlds_2020/s03">
<span class="tMeterIcon tiny noRating">No Score Yet</span>
</a>
</td>
<td class="middle_col">
<a data-qa="list-item-link" href="/tv/war_of_the_worlds_2020/s03">
War of the Worlds: Season 3
</a>
</td>
</tr>
<tr class="tv_show_tr tvTopListTitle" data-qa="list-item">
<td class="left_col">
<a href="/tv/fate_the_winx_saga/s02">
<span class="tMeterIcon tiny noRating">No Score Yet</span>
</a>
</td>
<td class="middle_col">
<a data-qa="list-item-link" href="/tv/fate_the_winx_saga/s02">
Fate: The Winx Saga: Season 2
</a>
</td>
</tr>
<tr class="tv_show_tr tvTopListTitle" data-qa="list-item">
<td class="left_col">
<a href="/tv/cyberpunk_edgerunners/s01">
<score-icon-critic alignment="left" percentage="100" size="tiny" slot="critic-score" state="fresh"></score-icon-critic>
</a>
</td>
<td class="middle_col">
<a data-qa="list-item-link" href="/tv/cyberpunk_edgerunners/s01">
Cyberpunk: Edgerunners: Season 1
</a>
</td>
</tr>
</table>
<div class="header-view-all-wrap">
<a class="header-view-all-link" data-qa="tv-list1-view-all-link" href="/browse/tv-list-1/">View All</a>
</div>
</div>
</div>
<div class="col-xs-7 subnav">
<div class="innerSubnav" data-qa="header-tv-list2" id="header-tv-col2">
<h2 class="title">Most Popular TV on RT</h2>
<table class="movie_list tv_list" id="tv-list-2">
<tr class="tv_show_tr tvTopListTitle" data-qa="list-item">
<td class="left_col">
<a href="/tv/the_lord_of_the_rings_the_rings_of_power/s01">
<score-icon-critic alignment="left" percentage="84" size="tiny" slot="critic-score" state="fresh"></score-icon-critic>
</a>
</td>
<td class="middle_col">
<a data-qa="list-item-link" href="/tv/the_lord_of_the_rings_the_rings_of_power/s01">
The Lord of the Rings: The Rings of Power: Season 1
</a>
</td>
</tr>
<tr class="tv_show_tr tvTopListTitle" data-qa="list-item">
<td class="left_col">
<a href="/tv/house_of_the_dragon/s01">
<score-icon-critic alignment="left" percentage="85" size="tiny" slot="critic-score" state="fresh"></score-icon-critic>
</a>
</td>
<td class="middle_col">
<a data-qa="list-item-link" href="/tv/house_of_the_dragon/s01">
House of the Dragon: Season 1
</a>
</td>
</tr>
<tr class="tv_show_tr tvTopListTitle" data-qa="list-item">
<td class="left_col">
<a href="/tv/cobra_kai/s05">
<score-icon-critic alignment="left" percentage="100" size="tiny" slot="critic-score" state="fresh"></score-icon-critic>
</a>
</td>
<td class="middle_col">
<a data-qa="list-item-link" href="/tv/cobra_kai/s05">
Cobra Kai: Season 5
</a>
</td>
</tr>
<tr class="tv_show_tr tvTopListTitle" data-qa="list-item">
<td class="left_col">
<a href="/tv/she_hulk_attorney_at_law/s01">
<score-icon-critic alignment="left" percentage="88" size="tiny" slot="critic-score" state="fresh"></score-icon-critic>
</a>
</td>
<td class="middle_col">
<a data-qa="list-item-link" href="/tv/she_hulk_attorney_at_law/s01">
She-Hulk: Attorney at Law: Season 1
</a>
</td>
</tr>
<tr class="tv_show_tr tvTopListTitle" data-qa="list-item">
<td class="left_col">
<a href="/tv/the_imperfects/s01">
<span class="tMeterIcon tiny noRating">No Score Yet</span>
</a>
</td>
<td class="middle_col">
<a data-qa="list-item-link" href="/tv/the_imperfects/s01">
The Imperfects: Season 1
</a>
</td>
</tr>
<tr class="tv_show_tr tvTopListTitle" data-qa="list-item">
<td class="left_col">
<a href="/tv/devil_in_ohio/s01">
<score-icon-critic alignment="left" percentage="45" size="tiny" slot="critic-score" state="rotten"></score-icon-critic>
</a>
</td>
<td class="middle_col">
<a data-qa="list-item-link" href="/tv/devil_in_ohio/s01">
Devil in Ohio: Season 1
</a>
</td>
</tr>
<tr class="tv_show_tr tvTopListTitle" data-qa="list-item">
<td class="left_col">
<a href="/tv/the_serpent_queen/s01">
<score-icon-critic alignment="left" percentage="100" size="tiny" slot="critic-score" state="fresh"></score-icon-critic>
</a>
</td>
<td class="middle_col">
<a data-qa="list-item-link" href="/tv/the_serpent_queen/s01">
The Serpent Queen: Season 1
</a>
</td>
</tr>
<tr class="tv_show_tr tvTopListTitle" data-qa="list-item">
<td class="left_col">
<a href="/tv/the_patient/s01">
<score-icon-critic alignment="left" percentage="87" size="tiny" slot="critic-score" state="certified_fresh"></score-icon-critic>
</a>
</td>
<td class="middle_col">
<a data-qa="list-item-link" href="/tv/the_patient/s01">
The Patient: Season 1
</a>
</td>
</tr>
<tr class="tv_show_tr tvTopListTitle" data-qa="list-item">
<td class="left_col">
<a href="/tv/the_white_lotus/s01">
<score-icon-critic alignment="left" percentage="89" size="tiny" slot="critic-score" state="certified_fresh"></score-icon-critic>
</a>
</td>
<td class="middle_col">
<a data-qa="list-item-link" href="/tv/the_white_lotus/s01">
The White Lotus: Season 1
</a>
</td>
</tr>
<tr class="tv_show_tr tvTopListTitle" data-qa="list-item">
<td class="left_col">
<a href="/tv/monarch/s01">
<score-icon-critic alignment="left" percentage="30" size="tiny" slot="critic-score" state="rotten"></score-icon-critic>
</a>
</td>
<td class="middle_col">
<a data-qa="list-item-link" href="/tv/monarch/s01">
Monarch: Season 1
</a>
</td>
</tr>
</table>
<div class="header-view-all-wrap">
<a class="header-view-all-link" data-qa="tv-list2-view-all-link" href="/browse/tv-list-2/">View All</a>
</div>
</div>
</div>
<div class="col-xs-5 subnav">
<div class="innerSubnav" data-qa="header-tv-more">
<h2 class="title">More</h2>
<ul class="list-unstyled" id="header-tv-more">
<li data-qa="tv-more-item"><a class="unstyled articleLink" data-qa="tv-more-link" href="/top-tv/">Top TV Shows</a></li>
<li data-qa="tv-more-item"><a class="unstyled articleLink" data-qa="tv-more-link" href="/browse/tv-list-3/">Certified Fresh TV</a></li>
</ul>
<h2 class="title" style="margin-top: 20px">Episodic Reviews</h2>
<ul class="list-unstyled" data-qa="header-tv-episodic-reviews" id="header-tv-episodic-reviews">
<div class="header-desktop-episode" data-qa="tv-media-list-item">
<li><a data-qa="tv-media-list-link" href="/tv/better_call_saul/s06#desktopEpisodeList"> Better Call Saul: Season 6 </a></li>
</div>
<div class="header-desktop-episode" data-qa="tv-media-list-item">
<li><a data-qa="tv-media-list-link" href="/tv/reservation_dogs/s02#desktopEpisodeList"> Reservation Dogs: Season 2 </a></li>
</div>
<div class="header-desktop-episode" data-qa="tv-media-list-item">
<li><a data-qa="tv-media-list-link" href="/tv/uncoupled/s01#desktopEpisodeList"> Uncoupled: Season 1 </a></li>
</div>
<div class="header-desktop-episode" data-qa="tv-media-list-item">
<li><a data-qa="tv-media-list-link" href="/tv/only_murders_in_the_building/s02#desktopEpisodeList"> Only Murders in the Building: Season 2 </a></li>
</div>
<div class="header-desktop-episode" data-qa="tv-media-list-item">
<li><a data-qa="tv-media-list-link" href="/tv/the_old_man/s01#desktopEpisodeList"> The Old Man: Season 1 </a></li>
</div>
<div class="header-desktop-episode" data-qa="tv-media-list-item">
<li><a data-qa="tv-media-list-link" href="/tv/westworld/s04#desktopEpisodeList"> Westworld: Season 4 </a></li>
</div>
<div class="header-desktop-episode" data-qa="tv-media-list-item">
<li><a data-qa="tv-media-list-link" href="/tv/the_bear/s01#desktopEpisodeList"> The Bear: Season 1 </a></li>
</div>
</ul>
</div>
</div>
<div class="col-xs-5 subnav freshPicks inDropdownTv">
<div class="innerSubnav" data-qa="header-certified-fresh-pick">
<h2 class="title cfp-tv-season-title" id="cfp-tv-header-title">Certified Fresh Pick</h2>
<div class="cfpItem hidden-xs" data-qa="cert-fresh-item">
<!-- Hardcorded rt url so pageheader on editorial routes to rt too -->
<a class="unstyled articleLink cfpLinks" data-qa="cert-fresh-link" href="/tv/mo/s01">
<div class="imgContainer cfp-img-container" id="dropdown-cfp-image">
<img alt="Mo: Season 1" class="js-lazyLoad cfp-header-img" data-src="https://resizing.flixster.com/4jzk7W_rL4Lx4XQVlGz4kPTV5gE=/fit-in/180x240/v2/https://resizing.flixster.com/hLKxzf02byaPUiuSog5m0vml4LI=/ems.cHJkLWVtcy1hc3NldHMvdHZzZWFzb24vODI4ZDY3NWQtZWRkNC00ZTlkLThlNDctMzVmMDQwMGI3ZjI5LmpwZw==" src="/assets/pizza-pie/images/poster_default.c8c896e70c3.gif"/>
</div>
<div class="movie_content_area">
<span class="icon tiny certified"></span>
<span class="tMeterScore">100%</span>
</div>
<p class="title noSpacing">Mo: Season 1</p>
</a>
</div>
</div>
</div>
</div>
</div>
</li>
<li class="menuHeader center relative noSpacing" id="header-rt-podcast" style="border-radius: 5px">
<temporary-display element="#podcastLink" event="click" key="podcast">
<rt-badge hidden="">New</rt-badge>
</temporary-display>
<a class="menuHeader" data-qa="masthead:podcast-link" href="https://editorial.rottentomatoes.com/article/rotten-tomatoes-is-wrong-a-podcast-from-rotten-tomatoes/" id="podcastLink">RT Podcast</a>
</li>
<li class="menuHeader center dropdown noSpacing dropdown-toggle" data-qa="masthead:news" id="newsMenuDropdown">
<a data-qa="masthead:news-link" href="https://editorial.rottentomatoes.com/" id="newsMenu">
News<span class="fontelloIcon icon-down-dir"></span>
</a>
<div aria-labelledby="newsMenu" class="dropdown-menu" data-qa="news-menu" role="menu">
<div class="row-sameColumnHeight noSpacing">
<div class="col-xs-4 subnav">
<div class="innerSubnav" data-qa="header-news-columns" id="header-news-columns">
<h2 class="title">Columns</h2>
<ul class="list-unstyled">
<li data-qa="column-item"><a class="unstyled articleLink editorial-header-link" data-pageheader="24 Frames" data-qa="column-link" href="https://editorial.rottentomatoes.com/24-frames/">24 Frames</a></li>
<li data-qa="column-item"><a class="unstyled articleLink editorial-header-link" data-pageheader="All-Time Lists" data-qa="column-link" href="https://editorial.rottentomatoes.com/all-time-lists/">All-Time Lists</a></li>
<li data-qa="column-item"><a class="unstyled articleLink editorial-header-link" data-pageheader="Binge Guide" data-qa="column-link" href="https://editorial.rottentomatoes.com/binge-guide/">Binge Guide</a></li>
<li data-qa="column-item"><a class="unstyled articleLink editorial-header-link" data-pageheader="Comics on TV" data-qa="column-link" href="https://editorial.rottentomatoes.com/comics-on-tv/">Comics on TV</a></li>
<li data-qa="column-item"><a class="unstyled articleLink editorial-header-link" data-pageheader="Countdown" data-qa="column-link" href="https://editorial.rottentomatoes.com/countdown/">Countdown</a></li>
<li data-qa="column-item"><a class="unstyled articleLink editorial-header-link" data-pageheader="Critics Consensus" data-qa="column-link" href="https://editorial.rottentomatoes.com/critics-consensus/">Critics Consensus</a></li>
<li data-qa="column-item"><a class="unstyled articleLink editorial-header-link" data-pageheader="Five Favorite Films" data-qa="column-link" href="https://editorial.rottentomatoes.com/five-favorite-films/">Five Favorite Films</a></li>
<li data-qa="column-item"><a class="unstyled articleLink editorial-header-link" data-pageheader="Now Streaming" data-qa="column-link" href="https://editorial.rottentomatoes.com/now-streaming/">Now Streaming</a></li>
<li data-qa="column-item"><a class="unstyled articleLink editorial-header-link" data-pageheader="Parental Guidance" data-qa="column-link" href="https://editorial.rottentomatoes.com/parental-guidance/">Parental Guidance</a></li>
<li data-qa="column-item"><a class="unstyled articleLink editorial-header-link" data-pageheader="Red Carpet Roundup" data-qa="column-link" href="https://editorial.rottentomatoes.com/red-carpet-roundup/">Red Carpet Roundup</a></li>
<li data-qa="column-item"><a class="unstyled articleLink editorial-header-link" data-pageheader="Scorecards" data-qa="column-link" href="https://editorial.rottentomatoes.com/movie-tv-scorecards/">Scorecards</a></li>
<li data-qa="column-item"><a class="unstyled articleLink editorial-header-link" data-pageheader="Sub-Cult" data-qa="column-link" href="https://editorial.rottentomatoes.com/sub-cult/">Sub-Cult</a></li>
<li data-qa="column-item"><a class="unstyled articleLink editorial-header-link" data-pageheader="Total Recall" data-qa="column-link" href="https://editorial.rottentomatoes.com/total-recall/">Total Recall</a></li>
<li data-qa="column-item"><a class="unstyled articleLink editorial-header-link" data-pageheader="Video Interviews" data-qa="column-link" href="https://editorial.rottentomatoes.com/video-interviews/">Video Interviews</a></li>
<li data-qa="column-item"><a class="unstyled articleLink editorial-header-link" data-pageheader="Weekend Box Office" data-qa="column-link" href="https://editorial.rottentomatoes.com/weekend-box-office/">Weekend Box Office</a></li>
<li data-qa="column-item"><a class="unstyled articleLink editorial-header-link" data-pageheader="Weekly Ketchup" data-qa="column-link" href="https://editorial.rottentomatoes.com/weekly-ketchup/">Weekly Ketchup</a></li>
<li data-qa="column-item"><a class="unstyled articleLink editorial-header-link" data-pageheader="What to Watch" data-qa="column-link" href="https://editorial.rottentomatoes.com/what-to-watch/">What to Watch</a></li>
<li data-qa="column-item"><a class="unstyled articleLink editorial-header-link" data-pageheader="The Zeros" data-qa="column-link" href="https://editorial.rottentomatoes.com/the-zeros/">The Zeros</a></li>
</ul>
</div>
</div>
<div class="col-xs-6 subnav">
<div class="innerSubnav" data-qa="header-news-best-worst" id="header-news-best-worst">
<div class="clickForMore">
<a class="unstyled articleLink" data-pageheader="Best and Worst - Show All" data-qa="best-worst-view-all-link" href="https://editorial.rottentomatoes.com/total-recall/">View All <span class="glyphicon"></span></a>
</div>
<h2 class="title">Best and Worst</h2>
<div class="newsContainer">
<div class="newsContainerItem" data-qa="best-worst-item">
<a class="articleLink unstyled" data-qa="best-worst-link" href="https://editorial.rottentomatoes.com/guide/jurassic-park-world-movies/">
<div class="newsPhoto js-lazyLoad" data-bg-image="true" data-src="https://prd-rteditorial.s3.us-west-2.amazonaws.com/wp-content/uploads/2015/06/19171851/Jurassic-Park-Franchise-Recall.jpg"></div>
<div class="newsTitleContainer">
<div class="newsTitle">
<em>Jurassic Park</em> Movies Ranked By Tomatometer
</div>
</div>
</a>
</div>
<div class="newsContainerItem" data-qa="best-worst-item">
<a class="articleLink unstyled" data-qa="best-worst-link" href="https://editorial.rottentomatoes.com/guide/all-marvel-cinematic-universe-movies-ranked/">
<div class="newsPhoto js-lazyLoad" data-bg-image="true" data-src="https://prd-rteditorial.s3.us-west-2.amazonaws.com/wp-content/uploads/2018/02/14193805/Marvel-Movies-Recall2.jpg"></div>
<div class="newsTitleContainer">
<div class="newsTitle">
Marvel Movies Ranked Worst to Best by Tomatometer
</div>
</div>
</a>
</div>
</div>
</div>
</div>
<div class="col-xs-6 subnav">
<div class="innerSubnav" data-qa="header-news-guides" id="header-news-guides">
<div class="clickForMore">
<a class="unstyled articleLink" data-pageheader="Guides - Show All" data-qa="guides-view-all-link" href="https://editorial.rottentomatoes.com/rt-hubs/">View All <span class="glyphicon"></span></a>
</div>
<h2 class="title">Guides</h2>
<div class="newsContainer">
<div class="newsContainerItem" data-qa="guides-item">
<a class="articleLink unstyled" data-qa="guides-link" href="https://editorial.rottentomatoes.com/rt-hub/awards-tour/">
<div class="newsPhoto js-lazyLoad" data-bg-image="true" data-src="https://prd-rteditorial.s3.us-west-2.amazonaws.com/wp-content/uploads/2021/12/14172550/RT_AWARDS_2022_600x314.jpg"></div>
<div class="newsTitleContainer">
<div class="newsTitle">
Awards Tour
</div>
</div>
</a>
</div>
<div class="newsContainerItem" data-qa="guides-item">
<a class="articleLink unstyled" data-qa="guides-link" href="https://editorial.rottentomatoes.com/rt-hub/2022-fall-tv-survey/">
<div class="newsPhoto js-lazyLoad" data-bg-image="true" data-src="https://prd-rteditorial.s3.us-west-2.amazonaws.com/wp-content/uploads/2022/09/06120735/RT_FALLTV2022_600x314.jpg"></div>
<div class="newsTitleContainer">
<div class="newsTitle">
2022 Fall TV Survey
</div>
</div>
</a>
</div>
</div>
</div>
</div>
<div class="col-xs-6 subnav">
<div class="innerSubnav" data-qa="header-news-rt-news" id="header-news-rtnews">
<div class="clickForMore" style="margin-bottom: 0">
<a class="unstyled articleLink" data-pageheader="RT News - Show All" data-qa="rt-news-view-all-link" href="https://editorial.rottentomatoes.com/news/">View All <span class="glyphicon"></span></a>
</div>
<h2 class="title">RT News</h2>
<div class="newsContainer">
<div class="newsContainerItem" data-qa="rt-news-item">
<a class="articleLink unstyled" data-qa="rt-news-link" href="https://editorial.rottentomatoes.com/article/best-emmys-moments-2022/">
<div class="newsPhoto js-lazyLoad" data-bg-image="true" data-src="https://prd-rteditorial.s3.us-west-2.amazonaws.com/wp-content/uploads/2022/09/12222901/jennifer-coolidge-emmys-600x314-1.jpg"></div>
<div class="newsTitleContainer">
<div class="newsTitle">
Best Emmys Moments 2022: Quinta Brunson Overcomes an Overplayed Skit, Jennifer Coolidge Dances Off With an Award
</div>
</div>
</a>
</div>
<div class="newsContainerItem" data-qa="rt-news-item">
<a class="articleLink unstyled" data-qa="rt-news-link" href="https://editorial.rottentomatoes.com/article/2022-emmy-awards-winners-full-list-of-winners-from-the-74th-primetime-emmy-awards/">
<div class="newsPhoto js-lazyLoad" data-bg-image="true" data-src="https://prd-rteditorial.s3.us-west-2.amazonaws.com/wp-content/uploads/2022/09/12193808/emmys-zendaya-600x314-1.jpg"></div>
<div class="newsTitleContainer">
<div class="newsTitle">
2022 Emmy Awards Winners: Full List of Winners from the 74th Primetime Emmy Awards
</div>
</div>
</a>
</div>
</div>
</div>
</div>
</div>
</div>
</li>
<li class="menuHeader center noSpacing" id="header-tickets-showtimes" style="border-radius: 5px">
<a class="menuHeader" data-qa="masthead:tickets-showtimes-link" href="/showtimes/" id="ticketingMenu">Showtimes</a>
</li>
</ul>
</div>
</div>
<!-- TRENDING BAR -->
<div class="trendingBar hidden-xs">
<div class="fr">
<ul class="list-inline social" data-qa="trending-bar-social-list" id="trending_bar_social">
<li>
<a class="unstyled squared white" data-qa="trending-bar-social-facebook" href="//www.facebook.com/rottentomatoes" id="header-facebook-social-link" rel="noopener" target="_blank">
<rt-icon icon="facebook-squared"></rt-icon>
</a>
</li>
<li>
<a class="unstyled white" data-qa="trending-bar-social-twitter" href="//twitter.com/rottentomatoes" id="header-twitter-social-link" rel="noopener" target="_blank">
<rt-icon icon="twitter"></rt-icon>
</a>
</li>
<li>
<a class="unstyled white" data-qa="trending-bar-social-instagram" href="//www.instagram.com/rottentomatoes/" id="header-instagram-social-link" rel="noopener" target="_blank">
<rt-icon icon="instagram"></rt-icon>
</a>
</li>
<li>
<a class="unstyled white" data-qa="trending-bar-social-pinterest" href=" https://www.pinterest.com/rottentomatoes" id="header-pinterest-social-link" rel="noopener" target="_blank">
<rt-icon icon="pinterest"></rt-icon>
</a>
</li>
<li>
<a class="unstyled play white" data-qa="trending-bar-social-youtube" href="//www.youtube.com/user/rottentomatoes" id="header-youtube-social-link" rel="noopener" target="_blank">
<rt-icon icon="youtube-play"></rt-icon>
</a>
</li>
</ul>
<div id="trending_bar_ad" style="display: none;"></div>
<script>
var mps = mps||{}; mps._queue = mps._queue||{}; mps._queue.gptloaded = mps._queue.gptloaded||[];
mps._queue.gptloaded.push(function () {
if (mps.getResponsiveSet() != '0') { //DESKTOP or TABLET
mps.insertAd('#trending_bar_ad','trendinggraphic');
}
});
</script>
</div>
<div data-qa="trending-bar" id="trending-list-wrap">
<ul class="list-inline trendingEl" data-qa="trending-bar-list">
<li class="header">Trending on RT</li>
<li><a class="unstyled trendingLink" data-qa="trending-bar-item" href="https://www.rottentomatoes.com/m/barbarian_2022"> Barbarian </a></li>
<li><a class="unstyled trendingLink" data-qa="trending-bar-item" href="https://editorial.rottentomatoes.com/article/2022-emmy-awards-winners-full-list-of-winners-from-the-74th-primetime-emmy-awards/"> Emmy Winners </a></li>
<li><a class="unstyled trendingLink" data-qa="trending-bar-item" href="https://www.rottentomatoes.com/tv/the_lord_of_the_rings_the_rings_of_power"> The Rings of Power </a></li>
<li><a class="unstyled trendingLink" data-qa="trending-bar-item" href="https://www.rottentomatoes.com/m/the_woman_king"> The Woman King </a></li>
<li><a class="unstyled trendingLink" data-qa="trending-bar-item" href="https://www.rottentomatoes.com/m/dont_worry_darling"> Don't Worry Darling </a></li>
</ul>
</div>
</div>
</nav>
<!--START @todo TOMATO-5223 - clean up legacy auth modals -->
<!-- @todo TOMATO-5223 - clean up legacy auth modals -->
<form aria-hidden="false" class="modal fade in" data-qa="modal:login" id="login" role="dialog" style="display: none;">
<div class="modal-dialog modal-sm ctHidden">
<div class="modal-content login-modal-content" data-qa="modal:login">
<div class="modal-header login-modal-header">
<button class="close" data-dismiss="modal" data-qa="login-close-btn" type="button">
<span aria-hidden="true">×</span><span class="sr-only">Close</span>
</button>
<h2 class="modal-title login-modal-title" data-qa="login-title">Sign In</h2>
</div>
<div class="modal-body loginForm">
<div class="error js-header__feedback js-header-auth__error" data-qa="msg-alert"></div>
<div class="login-modal__fb-btn">
<button class="btn btn-primary-fb btn-lg fullWidth" data-qa="facebook-log-in" id="fbLoginButton">
<img alt="" class="login-form__facebook-icon" src="/assets/pizza-pie/images/vendor/facebook/f_logo_white.7fe4024dd22.png"/>
Log in with Facebook
</button>
</div>
<div class="login-modal__divider--line">
<div class="login-modal__divider--text">OR</div>
</div>
<div class="loginInfo">
<div class="form-group username js-header-auth__email" data-qa="login-field-username">
<label class="control-label" for="login_username">Email address</label>
<input autocomplete="on" class="form-control js-header-auth__input-email" data-qa="login-username" id="login_username" name="login_username" type="email"/>
<span class="help-block" data-qa="form-error-msg"></span>
</div>
<div class="form-group password js-header-auth__password" data-qa="login-field-password">
<label class="control-label" for="login_password">Password</label>
<input autocomplete="on" class="form-control js-header-auth__input-password" data-qa="login-password" id="login_password" name="login_password" type="password"/>
<span class="help-block" data-qa="form-error-msg"></span>
</div>
<div class="form-group">
<div class="text-center">
<button class="btn btn-primary btn-login js-header-submit js-header-auth__login-btn" data-qa="login-submit-btn" type="submit">Log In</button>
</div>
</div>
<input name="redirectUrl" type="hidden" value=""/>
</div>
</div>
<div class="modal-footer">
<p>
<a class="passwordModal js-forgot-password-login" data-dismiss="modal" data-qa="login-forgot-password-btn" data-target="#forgot-password" data-toggle="modal">Forgot your password?</a><br/>
Don't have an account? <a class="signupModal js-dtm-signup" data-dismiss="modal" data-qa="login-register-btn" data-target="#signup" data-toggle="modal">Sign up here</a>
</p>
</div>
</div>
</div>
</form>
<!-- @todo TOMATO-5223 - clean up legacy auth modals -->
<form aria-hidden="false" class="modal fade in" data-qa="modal:register" id="signup" role="dialog" style="display: none;">
<div class="modal-dialog ctHidden">
<div class="modal-content">
<div class="modal-header">
<button class="close" data-dismiss="modal" type="button">
<span aria-hidden="true">×</span><span class="sr-only">Close</span>
</button>
<h2 class="modal-title">Sign up for Rotten Tomatoes</h2>
</div>
<div class="signup-form__body modal-body">
<div class="error js-header__feedback js-header-signup__feedback"></div>
<a class="btn btn-primary-fb btn-lg fullWidth" data-qa="register-facebook-btn" id="fbSignUpButton" tabindex="0">
<img class="signup-form__facebook-icon" src="/assets/pizza-pie/images/vendor/facebook/f_logo_white.7fe4024dd22.png"/>Sign up with Facebook
</a>
<div class="signup-form__facebook-login--divider">
or
</div>
<div class="form-group col-xs-12 first_name js-header-signup__firstname">
<label class="control-label fullWidth" for="register_first_name">
First Name
</label>
<div class="fullWidth">
<input autocomplete="on" class="form-control js-header-signup__input-firstname" data-qa="register-first-name" id="register_first_name" name="register_first_name"/>
</div>
<span class="help-block"></span>
</div>
<div class="form-group col-xs-12 last_name js-header-signup__lastname">
<label class="control-label fullWidth" for="register_first_name">
Last Name
</label>
<div class="fullWidth">
<input autocomplete="on" class="form-control js-header-signup__input-lastname" data-qa="register-last-name" id="register_last_name" name="register_last_name"/>
</div>
<span class="help-block"></span>
</div>
<div class="form-group col-xs-24 email js-header-signup__email">
<label class="control-label fullWidth" for="register_email">
Email
</label>
<div class="fullWidth">
<input autocomplete="on" class="form-control js-header-signup__input-email" data-qa="register-email" id="register_email" name="register_email"/>
</div>
<span class="help-block"></span>
</div>
<div class="form-group col-xs-24 password js-header-signup__password">
<label class="control-label fullWidth" for="register_password">
Password
</label>
<div class="fullWidth">
<input autocomplete="on" class="form-control js-header-signup__input-password" data-qa="register-password" id="register_password" name="register_password" type="password"/>
</div>
<span class="help-block"></span>
</div>
<div class="form-group col-xs-24 newsletter signup-form__news-letter">
<div class="signup-form__news-letter-checkbox-wrap js-header-signup__newsletter">
<input data-qa="register-newsletter" id="register_newsletter" name="register_newsletter" type="checkbox"/>
<label class="signup-form__news-letter-description" for="register_newsletter">
By signing up, you agree to receiving newsletters from Rotten Tomatoes. You may later unsubscribe.
</label>
</div>
<span class="help-block"></span>
</div>
<div class="form-group col-xs-24 recaptcha">
<div class="signup-form__recaptcha-wrap" id="recaptchaSignupBlock"></div>
</div>
<div class="form-group">
<div class="text-center">
<button class="btn btn-primary btn-signup signup-form__signup_btn disabled js-header-submit js-header-signup-signup-btn" data-qa="register-submit-btn" type="submit">Create your account</button>
<p class="text-center">
<small data-qa="register-have-an-account">Already have an account? <a class="loginModal js-dtm-login" data-dismiss="modal" data-qa="register-login-btn" data-target="#login" data-toggle="modal" href="#">Log in here</a></small>
</p>
</div>
</div>
<div class="form-group"></div>
</div>
<div class="signup-form__footer modal-footer">
<p data-qa="register-disclaimer">
By creating an account, you agree to the <a data-qa="register-privacy-policy-link" href="http://www.fandango.com/policies/privacy-policy" rel="noopener" target="_blank">Privacy Policy</a>
and the <a data-qa="register-terms-policies-link" href="http://www.fandango.com/policies/terms-and-policies" rel="noopener" target="_blank">Terms and Policies</a>,
and to receive email from Rotten Tomatoes and Fandango.
</p>
</div>
</div>
</div>
</form>
<!-- @todo TOMATO-5223 - clean up legacy auth modals -->
<div aria-hidden="true" class="modal fade" data-qa="modal:recover-password" id="forgot-password" role="dialog" style="display: none;">
<div class="modal-dialog ctHidden">
<div class="modal-content">
<div class="modal-header">
<button class="close" data-dismiss="modal" type="button">
<span aria-hidden="true">×</span><span class="sr-only">Close</span>
</button>
<h2 class="modal-title" data-qa="recover-pass-title">Forgot your password</h2>
</div>
<div class="modal-body">
<div class="error js-header__feedback js-header-forgot-password__feedback"></div>
<p class="js-header-forgot-password__message" data-qa="recover-pass-content">
Please enter your email address and we will email you a new password.
</p>
<div class="form-group col-xs-24 js-header-forgot-password__email">
<label class="control-label fullWidth" for="forgot_email_address">
Email Address
</label>
<div class="fullWidth">
<input class="form-control" id="forgot_email_address" name="forgot_email_address"/>
</div>
<span class="help-block" data-qa="recover-pass-error"></span>
</div>
<div class="form-group col-xs-24">
<div id="recaptchaFPBlock"></div>
</div>
<button class="btn btn-primary btn-submit js-header-submit js-header-forgot-password__submit-btn disabled" data-qa="recover-pass-submit-btn">Submit</button>
</div>
</div>
</div>
</div>
<!-- END @todo TOMATO-5223 - clean up legacy auth modals -->
<aside aria-hidden="true" class="social-tools" id="social-tools">
<div class="social-tools__facebook-like-btn" id="social-tools-like-btn">
<div class="fb-like" data-action="like" data-href="https://www.rottentomatoes.com/m/et_the_extraterrestrial" data-layout="button" data-share="false" data-show-faces="true" data-size="small"></div>
</div>
<ul>
<li><a class="js-social-tools-btn social-tools__btn social-tools__btn--facebook" data-name="facebookShare" title="Facebook Share"></a></li>
<li><a class="js-social-tools-btn social-tools__btn social-tools__btn--twitter" data-name="twitter" title="Twitter"></a></li>
<li><a class="js-social-tools-btn social-tools__btn social-tools__btn--pinterest" data-name="pinterest" title="Pinterest"></a></li>
<li><a class="js-social-tools-btn social-tools__btn social-tools__btn--stumbleupon" data-name="stumbleUpon" title="StumbleUpon"></a></li>
</ul>
</aside>
<!-- page body -->
<div class="container" id="main_container" role="main">
<div aria-hidden="true" aria-labelledby="verify-email-reminder" class="modal fade" id="verify-email-reminder" role="dialog" tabindex="-1">
<div class="modal-dialog" role="document">
<div class="modal-content">
<div class="modal-header login-modal-header">
<h2 class="modal-title login-modal-title">Real Quick</h2>
</div>
<div class="modal-body login-modal-body js-msg-verify-user">
We want to hear what you have to say but need to verify your email. Don’t worry, it won’t take long. Please click the link below to receive your verification email.
</div>
<div class="modal-body login-modal-body js-msg-contact-us">
<p>We want to hear what you have to say but need to verify your account. Just leave us a message <a href="https://support.fandango.com/en_us/contact/contact-us-fandango-rkksORSDO?from=RT">here</a> and we will work on getting you verified. </p>
<p>Please reference “Error Code 2121” when contacting customer service.</p>
</div>
<div class="modal-footer rating-modal-footer">
<button class="btn btn-secondary" data-dismiss="modal" type="button">Cancel</button>
<button class="btn btn-primary js-resend-email-btn" type="button">Resend Email</button>
</div>
</div>
</div>
</div>
<!-- salt=movie-atomic-unicorn-77 -->
<section class="mob-body mob-body--no-hero-image">
<div id="super">
<div id="super_movie_tv_ad" style="height:0px;"></div>
<script>
var mps = mps||{}; mps._queue = mps._queue||{}; mps._queue.gptloaded = mps._queue.gptloaded||[];
mps._queue.gptloaded.push(function () {
mps.insertAd('#super_movie_tv_ad','superdetail');
});
</script>
</div>
<aside class="col mob col-right hidden-xs" id="movieListColumn">
<discovery-sidebar data-qa="sidebar-container" initial="in-theaters" skeleton="panel">
<article data-qa="in-theaters-tab-panel" title="In<br>Theaters" value="in-theaters">
<discovery-sidebar-list data-curation="" data-qa="in-theaters-list" detailsurl="/browse/in-theaters/" title="">
<discovery-sidebar-item boxoffice="" mediaurl="/m/clerks_iii" releasedate="Sep 13" title="Clerks III" tomatometerscore="67" tomatometerstatus="fresh" type="">
</discovery-sidebar-item>
<discovery-sidebar-item boxoffice="" mediaurl="/m/dreamland_a_storming_area_51_story" releasedate="Sep 13" title="Dreamland: A Storming Area 51 Story" tomatometerscore="" tomatometerstatus="" type="">
</discovery-sidebar-item>
<discovery-sidebar-item boxoffice="" mediaurl="/m/the_retaliators" releasedate="Sep 14" title="The Retaliators" tomatometerscore="83" tomatometerstatus="fresh" type="">
</discovery-sidebar-item>
<discovery-sidebar-item boxoffice="" mediaurl="/m/goodbye_don_glees" releasedate="Sep 14" title="Goodbye, Don Glees!" tomatometerscore="100" tomatometerstatus="fresh" type="">
</discovery-sidebar-item>
<discovery-sidebar-item boxoffice="" mediaurl="/m/goodnight_mommy_2022" releasedate="Sep 14" title="Goodnight Mommy" tomatometerscore="" tomatometerstatus="" type="">
</discovery-sidebar-item>
<discovery-sidebar-item boxoffice="" mediaurl="/m/mvp" releasedate="Sep 14" title="MVP" tomatometerscore="" tomatometerstatus="" type="">
</discovery-sidebar-item>
<discovery-sidebar-item boxoffice="" mediaurl="/m/boblo_boats_a_detroit_ferry_tale" releasedate="Sep 15" title="Boblo Boats: A Detroit Ferry Tale" tomatometerscore="" tomatometerstatus="" type="">
</discovery-sidebar-item>
<discovery-sidebar-item boxoffice="" mediaurl="/m/the_woman_king" releasedate="Sep 16" title="The Woman King" tomatometerscore="100" tomatometerstatus="fresh" type="">
</discovery-sidebar-item>
<discovery-sidebar-item boxoffice="" mediaurl="/m/blonde" releasedate="Sep 16" title="Blonde" tomatometerscore="78" tomatometerstatus="fresh" type="">
</discovery-sidebar-item>
<discovery-sidebar-item boxoffice="" mediaurl="/m/see_how_they_run" releasedate="Sep 16" title="See How They Run" tomatometerscore="75" tomatometerstatus="fresh" type="">
</discovery-sidebar-item>
<discovery-sidebar-item boxoffice="" mediaurl="/m/pearl_2022" releasedate="Sep 16" title="Pearl" tomatometerscore="83" tomatometerstatus="fresh" type="">
</discovery-sidebar-item>
<discovery-sidebar-item boxoffice="" mediaurl="/m/moonage_daydream" releasedate="Sep 16" title="Moonage Daydream" tomatometerscore="96" tomatometerstatus="certified-fresh" type="">
</discovery-sidebar-item>
<discovery-sidebar-item boxoffice="" mediaurl="/m/gods_country_2022" releasedate="Sep 16" title="God's Country" tomatometerscore="86" tomatometerstatus="certified-fresh" type="">
</discovery-sidebar-item>
<discovery-sidebar-item boxoffice="" mediaurl="/m/confess_fletch" releasedate="Sep 16" title="Confess, Fletch" tomatometerscore="91" tomatometerstatus="fresh" type="">
</discovery-sidebar-item>
<discovery-sidebar-item boxoffice="" mediaurl="/m/the_silent_twins_2022" releasedate="Sep 16" title="The Silent Twins" tomatometerscore="65" tomatometerstatus="fresh" type="">
</discovery-sidebar-item>
</discovery-sidebar-list>
<discovery-sidebar-list data-curation="" data-qa="in-theaters-list" detailsurl="/browse/upcoming/" title="Coming soon">
<discovery-sidebar-item boxoffice="" mediaurl="/m/dont_worry_darling" releasedate="Sep 23" title="Don't Worry Darling" tomatometerscore="40" tomatometerstatus="rotten" type="date">
</discovery-sidebar-item>
<discovery-sidebar-item boxoffice="" mediaurl="/m/catherine_called_birdy" releasedate="Sep 23" title="Catherine Called Birdy" tomatometerscore="70" tomatometerstatus="fresh" type="date">
</discovery-sidebar-item>
<discovery-sidebar-item boxoffice="" mediaurl="/m/carmen_2022" releasedate="Sep 23" title="Carmen" tomatometerscore="" tomatometerstatus="" type="date">
</discovery-sidebar-item>
<discovery-sidebar-item boxoffice="" mediaurl="/m/railway_children_2022" releasedate="Sep 23" title="Railway Children" tomatometerscore="70" tomatometerstatus="fresh" type="date">
</discovery-sidebar-item>
<discovery-sidebar-item boxoffice="" mediaurl="/m/the_enforcer_2022" releasedate="Sep 23" title="The Enforcer" tomatometerscore="" tomatometerstatus="" type="date">
</discovery-sidebar-item>
</discovery-sidebar-list>
</article>
<article data-qa="streaming-movies-tab-panel" title="Streaming movies" value="streaming-movies">
<discovery-sidebar-list data-curation="" data-qa="streaming-movies-list" detailsurl="/browse/top-dvd-streaming/" title="Most popular">
<discovery-sidebar-item boxoffice="" mediaurl="/m/house_of_darkness_2022" releasedate="Sep 09" title="House of Darkness" tomatometerscore="58" tomatometerstatus="rotten" type="">
</discovery-sidebar-item>
<discovery-sidebar-item boxoffice="$46.6K" mediaurl="/m/murina" releasedate="Jul 08" title="Murina" tomatometerscore="90" tomatometerstatus="certified-fresh" type="">
</discovery-sidebar-item>
<discovery-sidebar-item boxoffice="" mediaurl="/m/deus" releasedate="" title="Deus" tomatometerscore="" tomatometerstatus="" type="">
</discovery-sidebar-item>
<discovery-sidebar-item boxoffice="" mediaurl="/m/from_where_they_stood" releasedate="Jul 15" title="From Where They Stood" tomatometerscore="86" tomatometerstatus="fresh" type="">
</discovery-sidebar-item>
<discovery-sidebar-item boxoffice="" mediaurl="/m/wolves_of_war" releasedate="" title="Wolves of War" tomatometerscore="" tomatometerstatus="" type="">
</discovery-sidebar-item>
<discovery-sidebar-item boxoffice="$13.0K" mediaurl="/m/costa_brava_lebanon" releasedate="Jul 15" title="Costa Brava, Lebanon" tomatometerscore="89" tomatometerstatus="fresh" type="">
</discovery-sidebar-item>
<discovery-sidebar-item boxoffice="" mediaurl="/m/dreamland_a_storming_area_51_story" releasedate="Sep 13" title="Dreamland: A Storming Area 51 Story" tomatometerscore="" tomatometerstatus="" type="">
</discovery-sidebar-item>
<discovery-sidebar-item boxoffice="$3.0K" mediaurl="/m/bloom_up_a_swinger_couple_story" releasedate="Aug 12" title="Bloom Up: A Swinger Couple Story" tomatometerscore="63" tomatometerstatus="fresh" type="">
</discovery-sidebar-item>
<discovery-sidebar-item boxoffice="" mediaurl="/m/the_red_book_ritual" releasedate="" title="The Red Book Ritual" tomatometerscore="" tomatometerstatus="" type="">
</discovery-sidebar-item>
<discovery-sidebar-item boxoffice="" mediaurl="/m/jo_koy_live_from_the_la_forum" releasedate="" title="Jo Koy: Live from the LA Forum" tomatometerscore="" tomatometerstatus="" type="">
</discovery-sidebar-item>
<discovery-sidebar-item boxoffice="" mediaurl="/m/unseen_skies" releasedate="" title="Unseen Skies" tomatometerscore="" tomatometerstatus="" type="">
</discovery-sidebar-item>
<discovery-sidebar-item boxoffice="" mediaurl="/m/the_take_out_move" releasedate="" title="The Take Out Move" tomatometerscore="" tomatometerstatus="" type="">
</discovery-sidebar-item>
<discovery-sidebar-item boxoffice="" mediaurl="/m/the_catholic_school" releasedate="" title="The Catholic School" tomatometerscore="" tomatometerstatus="" type="">
</discovery-sidebar-item>
<discovery-sidebar-item boxoffice="" mediaurl="/m/hell_of_a_cruise" releasedate="" title="Hell of a Cruise" tomatometerscore="" tomatometerstatus="" type="">
</discovery-sidebar-item>
<discovery-sidebar-item boxoffice="" mediaurl="/m/broad_peak" releasedate="" title="Broad Peak" tomatometerscore="" tomatometerstatus="" type="">
</discovery-sidebar-item>
<discovery-sidebar-item boxoffice="" mediaurl="/m/speak_no_evil_2022" releasedate="Sep 09" title="Speak No Evil" tomatometerscore="81" tomatometerstatus="fresh" type="">
</discovery-sidebar-item>
<discovery-sidebar-item boxoffice="" mediaurl="/m/how_dark_they_prey" releasedate="" title="How Dark They Prey" tomatometerscore="" tomatometerstatus="" type="">
</discovery-sidebar-item>
<discovery-sidebar-item boxoffice="" mediaurl="/m/liss_pereira_adulting" releasedate="" title="Liss Pereira: Adulting" tomatometerscore="" tomatometerstatus="" type="">
</discovery-sidebar-item>
<discovery-sidebar-item boxoffice="" mediaurl="/m/confess_fletch" releasedate="Sep 16" title="Confess, Fletch" tomatometerscore="91" tomatometerstatus="fresh" type="">
</discovery-sidebar-item>
<discovery-sidebar-item boxoffice="" mediaurl="/m/goodnight_mommy_2022" releasedate="Sep 14" title="Goodnight Mommy" tomatometerscore="" tomatometerstatus="" type="">
</discovery-sidebar-item>
</discovery-sidebar-list>
</article>
<article data-qa="tv-shows-tab-panel" title="TV<br>Shows" value="tv-shows">
<discovery-sidebar-list data-curation="" data-qa="tv-shows-list" detailsurl="/browse/tv-list-1/" title="New TV Tonight">
<discovery-sidebar-item boxoffice="" mediaurl="/tv/tell_me_lies" releasedate="" title="Tell Me Lies" tomatometerscore="83" tomatometerstatus="fresh" type="">
</discovery-sidebar-item>
<discovery-sidebar-item boxoffice="" mediaurl="/tv/welcome_to_wrexham" releasedate="" title="Welcome to Wrexham" tomatometerscore="90" tomatometerstatus="fresh" type="">
</discovery-sidebar-item>
<discovery-sidebar-item boxoffice="" mediaurl="/tv/the_handmaids_tale" releasedate="" title="The Handmaid's Tale" tomatometerscore="82" tomatometerstatus="fresh" type="">
</discovery-sidebar-item>
<discovery-sidebar-item boxoffice="" mediaurl="/tv/reservation_dogs" releasedate="" title="Reservation Dogs" tomatometerscore="99" tomatometerstatus="fresh" type="">
</discovery-sidebar-item>
<discovery-sidebar-item boxoffice="" mediaurl="/tv/resident_alien" releasedate="" title="Resident Alien" tomatometerscore="94" tomatometerstatus="fresh" type="">
</discovery-sidebar-item>
</discovery-sidebar-list>
<discovery-sidebar-list data-curation="" data-qa="tv-shows-list" detailsurl="/browse/tv-list-2/" title="Most Popular TV on RT">
<discovery-sidebar-item boxoffice="" mediaurl="/tv/the_lord_of_the_rings_the_rings_of_power" releasedate="" title="The Lord of the Rings: The Rings of Power" tomatometerscore="84" tomatometerstatus="fresh" type="">
</discovery-sidebar-item>
<discovery-sidebar-item boxoffice="" mediaurl="/tv/she_hulk_attorney_at_law" releasedate="" title="She-Hulk: Attorney at Law" tomatometerscore="88" tomatometerstatus="fresh" type="">
</discovery-sidebar-item>
<discovery-sidebar-item boxoffice="" mediaurl="/tv/house_of_the_dragon" releasedate="" title="House of the Dragon" tomatometerscore="85" tomatometerstatus="fresh" type="">
</discovery-sidebar-item>
<discovery-sidebar-item boxoffice="" mediaurl="/tv/devil_in_ohio" releasedate="" title="Devil in Ohio" tomatometerscore="45" tomatometerstatus="rotten" type="">
</discovery-sidebar-item>
<discovery-sidebar-item boxoffice="" mediaurl="/tv/cobra_kai" releasedate="" title="Cobra Kai" tomatometerscore="95" tomatometerstatus="fresh" type="">
</discovery-sidebar-item>
</discovery-sidebar-list>
<discovery-sidebar-list data-curation="rt-sidebar-list-cf-tv" data-qa="tv-shows-list" detailsurl="/browse/tv-list-3/" title="Certified Fresh TV">
<discovery-sidebar-item boxoffice="" mediaurl="/tv/only_murders_in_the_building" releasedate="" title="Only Murders in the Building" tomatometerscore="99" tomatometerstatus="certified-fresh" type="">
</discovery-sidebar-item>
<discovery-sidebar-item boxoffice="" mediaurl="/tv/dark_winds" releasedate="" title="Dark Winds" tomatometerscore="100" tomatometerstatus="certified-fresh" type="">
</discovery-sidebar-item>
</discovery-sidebar-list>
</article>
</discovery-sidebar>
<aside class="panel-rt" style="border-bottom:none">
<div class="panel-body" style="padding:0px;">
<aside class="medrec_ad" id="medrec_top_ad" style="width:300px"></aside>
<script>
var mps = mps||{}; mps._queue = mps._queue||{}; mps._queue.gptloaded = mps._queue.gptloaded||[];
mps._queue.gptloaded.push(function () {
if (mps.getResponsiveSet() != '0') { //DESKTOP or TABLET
mps.insertAd('#medrec_top_ad','topmulti');
}
});
// check for presence of ad via iframe height
var observer = new MutationObserver((mutationList, observer) => {
for (var mutation of mutationList) {
if (mutation.type === 'childList') {
var elAdIframe = mutation.target.querySelector('iframe');
if (Boolean(elAdIframe)) {
if (Number(elAdIframe.height) > 1) {
var elAdvertiseWithUsLink = document.querySelector('#medrec_top_ad ~ .advertise-with-us-link');
elAdvertiseWithUsLink.classList.remove('hide');
observer.disconnect();
}
}
}
}
});
var targetNode = document.getElementById('medrec_top_ad');
var config = { attributes: true, childList: true, subtree: true };
observer.observe(targetNode, config);
</script>
<a class="advertise-with-us-link hide" data-qa="header:link-ads" href="https://together.nbcuni.com/advertise/?utm_source=rotten_tomatoes&utm_medium=referral&utm_campaign=property_ad_pages&utm_content=header" target="_blank">Advertise With Us</a>
</div>
</aside>
<div id="sponsored_media_sidebar_ad" style="height:0"></div>
<script>
var mps = mps||{}; mps._queue = mps._queue||{}; mps._queue.gptloaded = mps._queue.gptloaded||[];
mps._queue.gptloaded.push(function () {
if (mps.getResponsiveSet() != '0') { //DESKTOP or TABLET
mps.insertAd('#sponsored_media_sidebar_ad','featuredmediadetail');
}
});
</script>
</aside>
<div class="col mob col-center-right col-full-xs mop-main-column" data-qa="movie-main-column" id="mainColumn">
<hero-image skeleton="panel">
<button class="trailer_play_action_button" data-mpx-fwsite="rotten_tomatoes_video_vod" data-thumbnail="https://resizing.flixster.com/ZdBAIoWUBANnXl3k8XN6VT5xSbI=/740x380/v2/https://statcdn.fandango.com/MPX/image/NBCU_Fandango/432/335/thumb_4AD7A6EA-169F-408C-9C44-6538D696F733.jpg" data-title="E.T. the Extra-Terrestrial" data-video-id="E14D3BEF-819F-48F0-8331-7F7EFC943994" slot="content">
<hero-image-poster>
<img fetch-priority="high" sizes="(max-width: 767px) 350px, 768px" slot="poster" srcset="https://resizing.flixster.com/zEwJFMamIJ_hyt6OD93YkE5mj74=/340x192/v2/https://statcdn.fandango.com/MPX/image/NBCU_Fandango/432/335/thumb_4AD7A6EA-169F-408C-9C44-6538D696F733.jpg 350w, https://resizing.flixster.com/ZdBAIoWUBANnXl3k8XN6VT5xSbI=/740x380/v2/https://statcdn.fandango.com/MPX/image/NBCU_Fandango/432/335/thumb_4AD7A6EA-169F-408C-9C44-6538D696F733.jpg 768w"/>
<rt-icon-cta-video data-qa="play-trailer-btn" slot="icon-play"></rt-icon-cta-video>
</hero-image-poster>
</button>
</hero-image>
<div id="topSection">
<div class="thumbnail-scoreboard-wrap">
<div class="movie-thumbnail-wrap">
<div>
<button class="trailer_play_action_button transparent" data-mpx-fwsite="rotten_tomatoes_video_vod" data-qa="movie-poster-link" data-title="E.T. the Extra-Terrestrial" data-video-id="E14D3BEF-819F-48F0-8331-7F7EFC943994" id="poster_link">
<img alt="" class="posterImage js-lazyLoad" data-src="https://resizing.flixster.com/HCdoV_NHZ8NRZwH1zw5MDanPOtM=/206x305/v2/https://flxt.tmsimg.com/assets/p10998_p_v8_ao.jpg" onerror="this.src='https://images.fandango.com/cms/assets/5d84d010-59b1-11ea-b175-791e911be53d--rt-poster-defaultgif.gif';" src="/assets/pizza-pie/images/poster_default.c8c896e70c3.gif"/>
<div class="playButton playButton--big">
<div class="playButton__img">
<span class="sr-only">Watch trailer</span>
</div>
</div>
</button>
<critic-add-article data-qa="add-article-container" emsid="9ac889c9-a513-3596-a647-ab4f4554112f" hidden="" mediatype="movie"></critic-add-article>
</div>
</div>
<score-board audiencescore="72" audiencestate="upright" class="scoreboard" data-qa="score-panel" rating="PG" skeleton="panel" tomatometerscore="99" tomatometerstate="certified-fresh">
<h1 class="scoreboard__title" data-qa="score-panel-movie-title" slot="title">E.T. the Extra-Terrestrial</h1>
<p class="scoreboard__info" slot="info">1982, Kids & family/Sci-fi, 1h 55m</p>
<a class="scoreboard__link scoreboard__link--tomatometer" data-qa="tomatometer-review-count" href="/m/et_the_extraterrestrial/reviews?intcmp=rt-scorecard_tomatometer-reviews" slot="critics-count">139 Reviews</a>
<a class="scoreboard__link scoreboard__link--audience" data-qa="audience-rating-count" href="/m/et_the_extraterrestrial/reviews?type=user&intcmp=rt-scorecard_audience-score-reviews" slot="audience-count">250,000+ Ratings</a>
<div id="tomatometer_sponsorship_ad" slot="sponsorship"></div>
</score-board>
<div id="tomatometer_sponsorship_ad_script" style="display: none"></div>
<script>
var mps = mps||{}; mps._queue = mps._queue||{}; mps._queue.gptloaded = mps._queue.gptloaded||[];
mps._queue.gptloaded.push(function () {
mps.insertAd('#tomatometer_sponsorship_ad_script','tomatometer');
});
</script>
</div>
<script id="link-chips-json" type="application/json">{"showAudienceChip":true,"showCriticsChip":true,"showPhotosChip":true,"showVideosChip":true,"audienceReviewsUrl":"/m/et_the_extraterrestrial/reviews?type=user","criticsReviewsUrl":"/m/et_the_extraterrestrial/reviews","photosUrl":"/m/et_the_extraterrestrial/pictures","videosUrl":"/m/et_the_extraterrestrial/trailers"}</script>
<link-chips-overview-page hidden="" skeleton="panel"></link-chips-overview-page>
<section class="what-to-know panel-rt panel-box" id="what-to-know">
<h2 class="panel-heading what-to-know__header">What to know</h2>
<div class="what-to-know__body">
<section>
<h3 class="what-to-know__section-title">
<score-icon-critic percentage="hide" size="tiny" state="certified-fresh" style="display: inline-block"></score-icon-critic>
<span class="what-to-know__section-title--text">critics consensus</span>
</h3>
<p class="what-to-know__section-body">
<span data-qa="critics-consensus">Playing as both an exciting sci-fi adventure and a remarkable portrait of childhood, Steven Spielberg's touching tale of a homesick alien remains a piece of movie magic for young and old.</span>
<a href="/m/et_the_extraterrestrial/reviews?intcmp=rt-what-to-know_read-critics-reviews">Read critic reviews</a>
</p>
</section>
</div>
</section>
<sponsored-carousel-tracker>
</sponsored-carousel-tracker>
<section class="dynamic-poster-list recommendations" id="you-might-like">
<div class="dynamic-poster-list__sponsored-header">
<h2 class="panel-heading">You might also like</h2>
<a class="header-link" data-qa="recomendation-see-more-link" href="/browse/movies_at_home/genres:kids & family,sci_fi,adventure~ratings:pg">
See More
</a>
</div>
<tiles-carousel-responsive skeleton="panel">
<button slot="scroll-left">
<rt-icon icon="left-chevron" image="" slot="icon-arrow-left"></rt-icon>
</button>
<tiles-carousel-responsive-item slot="tile">
<a href="/m/charlie_and_the_chocolate_factory">
<tile-dynamic>
<img class="js-lazyLoad" data-src="https://resizing.flixster.com/dH8ztaqpTH5WSbGLP_njIvp5Krc=/130x187/v2/https://flxt.tmsimg.com/assets/p36068_p_v8_ag.jpg" onerror="this.onerror=null; this.src='/images/poster_default.gif';" slot="image" src="/assets/pizza-pie/images/poster_default.c8c896e70c3.gif"/>
<div data-track="scores" slot="caption">
<div class="score-icon-pair">
<score-icon-critic alignment="left" percentage="83" size="tiny" slot="critic-score" state="certified-fresh"></score-icon-critic>
<score-icon-audience alignment="left" percentage="51" size="tiny" slot="audience-score" state="spilled"></score-icon-audience>
</div>
<span class="p--small">Charlie and the Chocolate Factory</span>
</div>
</tile-dynamic>
</a>
</tiles-carousel-responsive-item>
<tiles-carousel-responsive-item slot="tile">
<a href="/m/incredibles">
<tile-dynamic>
<img class="js-lazyLoad" data-src="https://resizing.flixster.com/0t-V0FrdlSD1FiKs1Ey3lDvPPHs=/130x187/v2/https://flxt.tmsimg.com/assets/p35032_p_v8_at.jpg" onerror="this.onerror=null; this.src='/images/poster_default.gif';" slot="image" src="/assets/pizza-pie/images/poster_default.c8c896e70c3.gif"/>
<div data-track="scores" slot="caption">
<div class="score-icon-pair">
<score-icon-critic alignment="left" percentage="97" size="tiny" slot="critic-score" state="certified-fresh"></score-icon-critic>
<score-icon-audience alignment="left" percentage="75" size="tiny" slot="audience-score" state="upright"></score-icon-audience>
</div>
<span class="p--small">The Incredibles</span>
</div>
</tile-dynamic>
</a>
</tiles-carousel-responsive-item>
<tiles-carousel-responsive-item slot="tile">
<a href="/m/twigson_ties_the_knot">
<tile-dynamic>
<img class="js-lazyLoad" data-src="" onerror="this.onerror=null; this.src='/images/poster_default.gif';" slot="image" src="/assets/pizza-pie/images/poster_default.c8c896e70c3.gif"/>
<div data-track="scores" slot="caption">
<div class="score-icon-pair">
<score-icon-critic alignment="left" percentage="" size="tiny" slot="critic-score" state=""></score-icon-critic>
<score-icon-audience alignment="left" percentage="" size="tiny" slot="audience-score" state=""></score-icon-audience>
</div>
<span class="p--small">Twigson Ties the Knot</span>
</div>
</tile-dynamic>
</a>
</tiles-carousel-responsive-item>
<tiles-carousel-responsive-item slot="tile">
<a href="/m/wolf-summer">
<tile-dynamic>
<img class="js-lazyLoad" data-src="https://resizing.flixster.com/-zRJ9rkdQ64hea7-PKdEVA1q3Kw=/130x187/v2/https://flxt.tmsimg.com/assets/p3513953_p_v8_ab.jpg" onerror="this.onerror=null; this.src='/images/poster_default.gif';" slot="image" src="/assets/pizza-pie/images/poster_default.c8c896e70c3.gif"/>
<div data-track="scores" slot="caption">
<div class="score-icon-pair">
<score-icon-critic alignment="left" percentage="" size="tiny" slot="critic-score" state=""></score-icon-critic>
<score-icon-audience alignment="left" percentage="43" size="tiny" slot="audience-score" state="spilled"></score-icon-audience>
</div>
<span class="p--small">Wolf Summer</span>
</div>
</tile-dynamic>
</a>
</tiles-carousel-responsive-item>
<tiles-carousel-responsive-item slot="tile">
<a href="/m/chronicles_of_narnia_lion_witch_wardrobe">
<tile-dynamic>
<img class="js-lazyLoad" data-src="https://resizing.flixster.com/N4tYwPH2tubMB9naCK-2MCO9Iqc=/130x187/v2/https://flxt.tmsimg.com/assets/p90695_p_v8_aj.jpg" onerror="this.onerror=null; this.src='/images/poster_default.gif';" slot="image" src="/assets/pizza-pie/images/poster_default.c8c896e70c3.gif"/>
<div data-track="scores" slot="caption">
<div class="score-icon-pair">
<score-icon-critic alignment="left" percentage="76" size="tiny" slot="critic-score" state="certified-fresh"></score-icon-critic>
<score-icon-audience alignment="left" percentage="61" size="tiny" slot="audience-score" state="upright"></score-icon-audience>
</div>
<span class="p--small">The Chronicles of Narnia: The Lion, the Witch and the Wardrobe</span>
</div>
</tile-dynamic>
</a>
</tiles-carousel-responsive-item>
<button slot="scroll-right">
<rt-icon icon="right-chevron" image="" slot="icon-arrow-right"></rt-icon>
</button>
</tiles-carousel-responsive>
</section>
<section class="where-to-watch panel-rt panel-box" data-qa="section:where-to-watch" id="where-to-watch">
<h2 class="panel-heading where-to-watch__header" data-qa="where-to-watch-header">Where to watch</h2>
<bubbles-overflow-container data-curation="rt-affiliates-sort-order">
<where-to-watch-meta affiliate="showtimes" href="https://www.fandango.com/et-the-extraterrestrial-198120/movie-overview?a=13036" skeleton="panel">
<where-to-watch-bubble image="in-theaters" slot="bubble" tabindex="-1"></where-to-watch-bubble>
<span slot="license">In Theaters</span>
</where-to-watch-meta>
<where-to-watch-meta affiliate="vudu" href="https://www.vudu.com/content/movies/details/ET-The-Extra-Terrestrial/5732?cmp=rt_where_to_watch" skeleton="panel">
<where-to-watch-bubble image="vudu" slot="bubble" tabindex="-1"></where-to-watch-bubble>
<span slot="license">Rent/buy</span>
<span slot="coverage"></span>
</where-to-watch-meta>
<where-to-watch-meta affiliate="amazon-prime-video-us" href="http://www.amazon.com/gp/product/B08DSSBWG6/ref=pv_ag_gcf?cmp=rt_where_to_watch&tag=rottetomao-20" skeleton="panel">
<where-to-watch-bubble image="amazon-prime-video-us" slot="bubble" tabindex="-1"></where-to-watch-bubble>
<span slot="license">Rent/buy</span>
<span slot="coverage"></span>
</where-to-watch-meta>
<where-to-watch-meta affiliate="itunes" href="https://itunes.apple.com/us/movie/e-t-the-extra-terrestrial/id544128124?cmp=rt_where_to_watch&itsct=RT&itscg=30200&at=10l9IP" skeleton="panel">
<where-to-watch-bubble image="itunes" slot="bubble" tabindex="-1"></where-to-watch-bubble>
<span slot="license">Rent/buy</span>
<span slot="coverage"></span>
</where-to-watch-meta>
</bubbles-overflow-container>
</section>
<div class="pull-left col-full-xs visible-xs" id="mobile-movie-image-section" style="text-align:center;"></div>
<div id="affiliate_integration_button_ad" style="height:0px;display:none"></div>
<script>
var mps = mps||{}; mps._queue = mps._queue||{}; mps._queue.gptloaded = mps._queue.gptloaded||[];
mps._queue.gptloaded.push(function () {
if (mps.getResponsiveSet() != '0') { //DESKTOP or TABLET
mps.rt.insertlogo('#affiliate_integration_button_ad', 'ploc=affiliateintegrationbutton;');
}
});
</script>
<div class="rate-and-review-widget__module" data-qa="section:rate-and-review" id="rate-and-review-widget">
<h2 class="rate-and-review-widget__section-heading panel-heading">Rate And Review</h2>
<div class="wts-ratings-group movie-wts-ratings js-wts-ratings-group">
<button class="js-resubmit-btn rate-and-review-widget__resubmit-btn hide hidden-sm hidden-md hidden-lg">Submit review</button>
<div class="wts-button__container js-rating_section">
<button class="js-rating-wts-btn button--wts" data-qa="rnr-wts-btn" type="button" value="+">
Want to see
<span class="wts-btn__rating-count js-rating_wts-count" data-qa="rnr-wts-counter"></span>
</button>
</div>
<div data-movie-id="9ac889c9-a513-3596-a647-ab4f4554112f" data-season-id="" data-series-id="" id="rating-root">
<section class="js-rate-review-widget hidden-xs rate-and-review-widget__desktop movie-rating-module" data-qa="rate-and-review-desktop" id="rating-widget-desktop">
<div class="user-media-rating__component">
<section class="rate-and-review-widget__container js-rate-and-review-widget-container">
<div class="rate-and-review-widget review-submitted-message js-review-submitted-message hide">
<div class="review-submitted-message__review-info js-review-submitted-message__review-info hide">
<a class="review-submitted-message__close-review-info js-review-submitted-message__close-review-info" href="#"></a>
</div>
</div>
<div class="rate-and-review-widget__review-container">
<div class="rate-and-review-widget__container-top">
<button class="js-rating-widget-edit-icon-btn rate-and-review-widget__icon-edit rate-and-review-widget__icon-edit--hidden" data-qa="rnr-edit-btn">Edit</button>
<div class="js-rating-widget-initial-desktop-stars rate-and-review-widget__stars" data-qa="stars-widget">
<span class="star-display js-star-display js-rating-stars js-satellite" data-fanreviewstarttype="star">
<span class="star-display__desktop star-display__empty">
<span class="js-modal-star-widget js-rating-star star-display__overlay star-display__half--left" data-qa="rating-star" data-rating-value="0.5" data-side="left" data-title="Oof, that was Rotten."></span>
<span class="js-modal-star-widget js-rating-star star-display__overlay star-display__half--right" data-qa="rating-star" data-rating-value="1" data-side="right" data-title="Oof, that was Rotten."></span>
</span>
<span class="star-display__desktop star-display__empty">
<span class="js-modal-star-widget js-rating-star star-display__overlay star-display__half--left" data-qa="rating-star" data-rating-value="1.5" data-side="left" data-title="Oof, that was Rotten."></span>
<span class="js-modal-star-widget js-rating-star star-display__overlay star-display__half--right" data-qa="rating-star" data-rating-value="2" data-side="right" data-title="Meh, it passed the time."></span>
</span>
<span class="star-display__desktop star-display__empty">
<span class="js-modal-star-widget js-rating-star star-display__overlay star-display__half--left" data-qa="rating-star" data-rating-value="2.5" data-side="left" data-title="Meh, it passed the time."></span>
<span class="js-modal-star-widget js-rating-star star-display__overlay star-display__half--right" data-qa="rating-star" data-rating-value="3" data-side="right" data-title="Meh, it passed the time."></span>
</span>
<span class="star-display__desktop star-display__empty">
<span class="js-modal-star-widget js-rating-star star-display__overlay star-display__half--left" data-qa="rating-star" data-rating-value="3.5" data-side="left" data-title="It’s good – I’d recommend it."></span>
<span class="js-modal-star-widget js-rating-star star-display__overlay star-display__half--right" data-qa="rating-star" data-rating-value="4" data-side="right" data-title="Awesome!"></span>
</span>
<span class="star-display__desktop star-display__empty">
<span class="js-modal-star-widget js-rating-star star-display__overlay star-display__half--left" data-qa="rating-star" data-rating-value="4.5" data-side="left" data-title="Awesome!"></span>
<span class="js-modal-star-widget js-rating-star star-display__overlay star-display__half--right" data-qa="rating-star" data-rating-value="5" data-side="right" data-title="So Fresh: Absolute Must See!"></span>
</span>
</span>
</div>
<button class="js-resubmit-btn rate-and-review-widget__resubmit-btn hide">Submit review</button>
<div class="js-rate-and-review-widget-header rate-and-review-widget__header hide">
<div class="rate-and-review-widget__user-thumbnail">
<img alt="User image" class="js-rating-widget-user-thumb js-lazyLoad" data-src="/assets/pizza-pie/images/shared/actor.default.tmb.d17de9e26da.gif" role="presentation"/>
</div>
<div class="rate-and-review-widget__user-info" data-qa="rnr-user-info">
<span class="rate-and-review-widget__username js-rating-widget-username"></span>
<strong class="super-reviewer-badge super-reviewer-badge--hidden js-rating-widget-super-reviewer">Super Reviewer</strong>
</div>
</div>
</div>
<div class="rate-and-review-widget__user-comment-area">
<div class="rate-and-review-widget__comment-box-wrap">
<textarea autocomplete="off" class="rate-and-review-widget__textbox-textarea js-rating-textbox-textarea js-satellite" data-fanreviewstarttype="text box" data-qa="rnr-comment-textarea" placeholder="What did you think of the movie? (optional)"></textarea>
<div class="js-rating-widget-reviewed-container rate-and-review-widget__reviewed-container--hidden">
<div class="rate-and-review-widget__desktop-stars-wrap">
<div class="rate-and-review-widget__mobile-stars">
<div aria-label="rating from 0.5 to 5 stars" class="js-stars-rating-static-container js-satellite stars-rating-static__container stars-rating__container--is-not-rated" data-current-rating="" data-fanreviewstarttype="star" data-qa="static-stars-rating" id="stars-rating-static-module" role="radiogroup">
<span aria-label=".5 stars, Oof, that was Rotten." class="icon-star js-star-rating-static" data-message="Oof, that was Rotten." data-qa="rating-star" data-rating="0.5" role="radio" tabindex="0"></span>
<span aria-label="1 stars, Oof, that was Rotten." class="icon-star icon-star--full js-star-rating-static" data-message="Oof, that was Rotten." data-qa="rating-star" data-rating="1" role="radio" tabindex="0"></span>
<span aria-label="1.5 stars, Oof, that was Rotten." class="icon-star js-star-rating-static" data-message="Oof, that was Rotten." data-qa="rating-star" data-rating="1.5" role="radio" tabindex="0"></span>
<span aria-label="2 stars, Meh, it passed the time" class="icon-star icon-star--full js-star-rating-static" data-message="Meh, it passed the time." data-qa="rating-star" data-rating="2" role="radio" tabindex="0"></span>
<span aria-label="2.5 stars, Meh, it passed the time" class="icon-star js-star-rating-static" data-message="Meh, it passed the time." data-qa="rating-star" data-rating="2.5" role="radio" tabindex="0"></span>
<span aria-label="3 stars, Meh, it passed the time" class="icon-star icon-star--full js-star-rating-static" data-message="Meh, it passed the time." data-qa="rating-star" data-rating="3" role="radio" tabindex="0"></span>
<span aria-label="3.5 stars, It’s good – I’d recommend it." class="icon-star js-star-rating-static" data-message="It’s good – I’d recommend it." data-qa="rating-star" data-rating="3.5" role="radio" tabindex="0"></span>
<span aria-label="4 stars, Awesome!" class="icon-star icon-star--full js-star-rating-static" data-message="Awesome!" data-qa="rating-star" data-rating="4" role="radio" tabindex="0"></span>
<span aria-label="4.5 stars, Awesome!" class="icon-star js-star-rating-static" data-message="Awesome!" data-qa="rating-star" data-rating="4.5" role="radio" tabindex="0"></span>
<span aria-label="5 stars, So Fresh: Absolute Must See!" class="icon-star icon-star--full js-star-rating-static" data-message="So Fresh: Absolute Must See!" data-qa="rating-star" data-rating="5" role="radio" tabindex="0"></span>
</div>
</div>
<p class="rate-and-review-widget__is-verified js-rating-widget-is-verified hide">Verified</p>
<p class="rate-and-review-widget__duration-since-rating-creation js-rating-widget-duration-since-rating-creation hide"></p>
</div>
<p class="rate-and-review-widget__comment js-rating-widget-comment hide" data-qa="static-comment"></p>
</div>
</div>
</div>
</div>
</section>
</div>
</section>
<section class="rate-and-review-widget__mobile clearfix" data-qa="rate-and-review-mobile" id="rating-widget-mobile">
<div class="rate-and-review-widget review-submitted-message js-review-submitted-message hide">
<div class="review-submitted-message__review-info js-review-submitted-message__review-info hide">
<a class="review-submitted-message__close-review-info js-review-submitted-message__close-review-info" href="#"></a>
</div>
</div>
<div class="rate-and-review-widget__review-container--mobile">
<div class="js-rate-and-review-widget-mobile-header rate-and-review-widget__header rate-and-review-widget__mobile-header hide">
<div class="rate-and-review-widget__user-thumbnail rate-and-review-widget__user-thumbnail">
<img alt="User image" class="js-rating-widget-user-thumb js-lazyLoad" data-src="/assets/pizza-pie/images/shared/actor.default.tmb.d17de9e26da.gif"/>
</div>
<div class="rate-and-review-widget__user-info" data-qa="rnr-user-info">
<span class="rate-and-review-widget__mobile-username js-rating-widget-username"></span>
<strong class="super-reviewer-badge super-reviewer-badge--hidden js-rating-widget-super-reviewer">Super Reviewer</strong>
</div>
</div>
<div class="text-center js-rating-widget-mobile-wrap rate-and-review-widget__mobile-stars-wrap">
<div class="js-rating-widget-mobile-stars-wrap rate-and-review-widget__mobile-stars">
<div aria-label="rating from 0.5 to 5 stars" class="js-stars-rating-static-container js-satellite stars-rating-static__container stars-rating__container--is-not-rated" data-current-rating="" data-fanreviewstarttype="star" data-qa="static-stars-rating" id="stars-rating-static-module" role="radiogroup">
<span aria-label=".5 stars, Oof, that was Rotten." class="icon-star star-rating-static__mobile js-star-rating-static" data-message="Oof, that was Rotten." data-qa="rating-star" data-rating="0.5" role="radio" tabindex="0"></span>
<span aria-label="1 stars, Oof, that was Rotten." class="icon-star icon-star--full star-rating-static__mobile js-star-rating-static" data-message="Oof, that was Rotten." data-qa="rating-star" data-rating="1" role="radio" tabindex="0"></span>
<span aria-label="1.5 stars, Oof, that was Rotten." class="icon-star star-rating-static__mobile js-star-rating-static" data-message="Oof, that was Rotten." data-qa="rating-star" data-rating="1.5" role="radio" tabindex="0"></span>
<span aria-label="2 stars, Meh, it passed the time" class="icon-star icon-star--full star-rating-static__mobile js-star-rating-static" data-message="Meh, it passed the time." data-qa="rating-star" data-rating="2" role="radio" tabindex="0"></span>
<span aria-label="2.5 stars, Meh, it passed the time" class="icon-star star-rating-static__mobile js-star-rating-static" data-message="Meh, it passed the time." data-qa="rating-star" data-rating="2.5" role="radio" tabindex="0"></span>
<span aria-label="3 stars, Meh, it passed the time" class="icon-star icon-star--full star-rating-static__mobile js-star-rating-static" data-message="Meh, it passed the time." data-qa="rating-star" data-rating="3" role="radio" tabindex="0"></span>
<span aria-label="3.5 stars, It’s good – I’d recommend it." class="icon-star star-rating-static__mobile js-star-rating-static" data-message="It’s good – I’d recommend it." data-qa="rating-star" data-rating="3.5" role="radio" tabindex="0"></span>
<span aria-label="4 stars, Awesome!" class="icon-star icon-star--full star-rating-static__mobile js-star-rating-static" data-message="Awesome!" data-qa="rating-star" data-rating="4" role="radio" tabindex="0"></span>
<span aria-label="4.5 stars, Awesome!" class="icon-star star-rating-static__mobile js-star-rating-static" data-message="Awesome!" data-qa="rating-star" data-rating="4.5" role="radio" tabindex="0"></span>
<span aria-label="5 stars, So Fresh: Absolute Must See!" class="icon-star icon-star--full star-rating-static__mobile js-star-rating-static" data-message="So Fresh: Absolute Must See!" data-qa="rating-star" data-rating="5" role="radio" tabindex="0"></span>
</div>
</div>
<p class="rate-and-review-widget__is-verified js-rating-widget-is-verified hide">Verified</p>
<p class="rate-and-review-widget__duration-since-rating-creation js-rating-widget-duration-since-rating-creation hide"></p>
</div>
<div class="rate-and-review-widget__mobile-comment js-rating-widget-comment hide" data-qa="static-comment"></div>
</div>
<button class="rate-and-review-widget__mobile-edit-btn hide js-edit-review-mobile-btn js-edit-review-btn" data-fanreviewstarttype="edit" data-qa="rnr-edit-btn" type="button" value="+">
Edit
</button>
</section>
<aside class="rate-and-review rate-and-review--hidden multi-page-modal js-multi-page-modal" data-qa="rnr-form-review"></aside>
<ul class="rate-and-review multi-page-modal multi-page-modal-content-wrap">
<li id="rate-and-review-submission">
<header class="multi-page-modal__header">
<div class="userInfo__group">
<div class="userInfo__image-group">
<img alt="User image" class="js-rating-widget-user-thumb userInfo__image" data-revealed="true" height="44px" src="/assets/pizza-pie/images/shared/actor.default.tmb.d17de9e26da.gif" width="44px"/>
</div>
<div class="userInfo__name-group">
<h3 class="userInfo__name js-rating-widget-username"></h3>
<p class="userInfo__superReviewer js-rating-widget-super-reviewer super-reviewer-badge super-reviewer-badge--hidden">Super Reviewer</p>
</div>
<button class="js-close-multi-page-modal multi-page-modal__close" data-step="review"></button>
</div>
</header>
<div class="rate-and-review__body multi-page-modal__body">
<div class="rate-and-review__submission-group">
<div aria-label="rating from 0.5 to 5 stars" class="stars-rating__container stars-rating__container--is-not-rated" data-current-rating="" id="stars-rating-module" role="radiogroup">
<div class="stars-rating__msg-group">
<p class="stars-rating__msg js-star-rating-message" data-star-lower-threshold="0" data-star-upper-threshold="0">Rate this movie</p>
<p class="stars-rating__msg js-star-rating-message" data-star-lower-threshold="0.5" data-star-upper-threshold="1.5">Oof, that was Rotten.</p>
<p class="stars-rating__msg js-star-rating-message" data-star-lower-threshold="2" data-star-upper-threshold="3">Meh, it passed the time.</p>
<p class="stars-rating__msg js-star-rating-message" data-star-lower-threshold="3.5" data-star-upper-threshold="3.5">It’s good – I’d recommend it.</p>
<p class="stars-rating__msg js-star-rating-message" data-star-lower-threshold="4" data-star-upper-threshold="4.5">Awesome!</p>
<p class="stars-rating__msg js-star-rating-message" data-star-lower-threshold="5" data-star-upper-threshold="5">So Fresh: Absolute Must See!</p>
</div>
<span class="stars-rating__tooltip js-stars-rating-tooltip" data-text=" NEW! Tap, hold and swipe to select a rating."></span>
<div class="stars-rating__stars-group js-stars-rating-group">
<span aria-label=".5 stars, Oof, that was Rotten." class="icon-star icon-star--half js-star-rating-draggable" data-message="Oof, that was Rotten." data-qa="rating-star" data-rating="0.5" role="radio" tabindex="0"></span>
<span aria-label="1 stars, Oof, that was Rotten." class="icon-star icon-star--full js-star-rating-draggable" data-message="Oof, that was Rotten." data-qa="rating-star" data-rating="1" role="radio" tabindex="0"></span>
<span aria-label="1.5 stars, Oof, that was Rotten." class="icon-star icon-star--half js-star-rating-draggable" data-message="Oof, that was Rotten." data-qa="rating-star" data-rating="1.5" role="radio" tabindex="0"></span>
<span aria-label="2 stars, Meh, it passed the time" class="icon-star icon-star--full js-star-rating-draggable" data-message="Meh, it passed the time." data-qa="rating-star" data-rating="2" role="radio" tabindex="0"></span>
<span aria-label="2.5 stars, Meh, it passed the time" class="icon-star icon-star--half js-star-rating-draggable" data-message="Meh, it passed the time." data-qa="rating-star" data-rating="2.5" role="radio" tabindex="0"></span>
<span aria-label="3 stars, Meh, it passed the time" class="icon-star icon-star--full js-star-rating-draggable" data-message="Meh, it passed the time." data-qa="rating-star" data-rating="3" role="radio" tabindex="0"></span>
<span aria-label="3.5 stars, It’s good – I’d recommend it." class="icon-star icon-star--half js-star-rating-draggable" data-message="It’s good – I’d recommend it." data-qa="rating-star" data-rating="3.5" role="radio" tabindex="0"></span>
<span aria-label="4 stars, Awesome!" class="icon-star icon-star--full js-star-rating-draggable" data-message="Awesome!" data-qa="rating-star" data-rating="4" role="radio" tabindex="0"></span>
<span aria-label="4.5 stars, Awesome!" class="icon-star icon-star--half js-star-rating-draggable" data-message="Awesome!" data-qa="rating-star" data-rating="4.5" role="radio" tabindex="0"></span>
<span aria-label="5 stars, So Fresh: Absolute Must See!" class="icon-star icon-star--full js-star-rating-draggable" data-message="So Fresh: Absolute Must See!" data-qa="rating-star" data-rating="5" role="radio" tabindex="0"></span>
</div>
</div>
<div class="js-rate-and-review-textarea-group rate-and-review__textarea-group rate-and-review__textarea-group--hidden">
<h3 class="js-rate-and-review-textarea-header rate-and-review__textarea-header">What did you think of the movie? <span>(optional)</span></h3>
<div class="rate-and-review__textarea textarea-with-counter">
<textarea class="js-textarea-with-counter-text textarea-with-counter__text" data-qa="rnr-comment-textarea" placeholder="Your review helps others find great movies and shows to watch. Please share your honest experience on what you liked or disliked."></textarea>
</div>
</div>
<div class="rate-and-review__submit-btn-container">
<button class="js-next-submit-btn rate-and-review__submit-btn" data-qa="rnr-submit-btn" disabled="">Submit</button>
</div>
</div>
<li id="interstitial">
<header class="interstitial__header">
<button class="js-close-multi-page-modal multi-page-modal__close" data-step="interstitial"></button>
<div class="interstitial__steps-container">
<span class="interstitial__circle interstitial__circle--check js-interstitial__circle--check js-interstitial__light-color interstitial-color-transition"></span>
<hr class="interstitial__line js-interstitial__main-color"/>
<span class="interstitial__circle interstitial__circle--two js-interstitial__circle--two js-interstitial__main-color interstitial-color-transition"></span>
</div>
<hr class="interstitial__section-divider js-interstitial__main-color"/>
</header>
<div class="interstitial__body multi-page-modal__body">
<p class="interstitial__description js-interstitial__main-color interstitial-color-transition">You're almost there! Just confirm how you got your ticket.</p>
<img alt="" class="js-interstitial-image"/>
<p class="js-interstitial__main-color js-interstitial-explanation interstitial-explanation interstitial-color-transition"></p>
<button class="js-continue-btn interstitial__continue-btn button--link">Continue</button>
</div>
</li>
<li id="vas-submission">
<header class="multi-page-modal__header js-rate-and-review-modal-header">
<div class="userInfo__group">
<div class="userInfo__image-group">
<img alt="User image" class="js-rating-widget-user-thumb userInfo__image" data-revealed="true" height="44px" src="/assets/pizza-pie/images/shared/actor.default.tmb.d17de9e26da.gif" width="44px"/>
</div>
<div class="userInfo__name-group">
<h3 class="userInfo__name js-rating-widget-username"></h3>
<p class="userInfo__superReviewer js-rating-widget-super-reviewer super-reviewer-badge super-reviewer-badge--hidden">Super Reviewer</p>
</div>
</div>
<button class="js-close-multi-page-modal multi-page-modal__close" data-step="verify"></button>
</header>
<div class="verify-ticket__body multi-page-modal__body">
<div class="verify-ticket__content-button-container">
<div class="js-verify-ticket-content verify-ticket__content">
<p class="multi-page-modal__step">Step 2 of 2</p>
<h3 class="verify-ticket__header">How did you buy your ticket?</h3>
<h4 class="verify-ticket__subHeader">Let's get your review verified.</h4>
<div class="verify-ticket__theaters">
<ul class="verify-ticket__desktop-left-theater-container">
<li class="js-verified-ticket-vendor verify-ticket__theater rt-dropdown__providers--fandango" data-vendor="FANDANGO" tabindex="0">
<p class="verify-ticket__theater-name">Fandango
</p>
</li>
<li class="js-verified-ticket-vendor verify-ticket__theater rt-dropdown__providers--amc" data-vendor="AMC" tabindex="0">
<p class="verify-ticket__theater-name">AMCTheatres.com or AMC App<span class="js-verified-ticket-new-tag verify-ticket__tag--new">New</span></p>
<div class="js-verified-ticket-input-message-container verify-ticket__input-message-container">
<label class="js-verified-ticket-disclaimer">Enter your Ticket Confirmation# located in your email.<a class="verified-ticket__help-btn--amc js-amc-help-btn">More Info</a>
</label>
<div class="verify-ticket__numerical-input-container">
<input class="js-verify-ticket-number-input verify-ticket__number-input" name="amc_confirmation_number" pattern="[0-9]*" placeholder="1234567890" type="tel"/>
<button class="js-verify-ticket-cancel-btn verify-ticket__cancel-btn hide"></button>
</div>
<p class="js-verify-ticket-input-error-message verify-ticket__input-error-message hide"></p>
</div>
</li>
<li class="js-verified-ticket-vendor verify-ticket__theater rt-dropdown__providers--cinemark" data-vendor="" tabindex="0">
<p class="verify-ticket__theater-name">Cinemark
<span class="verify-ticket__tag">Coming Soon</span>
</p>
<p class="js-verified-ticket-disclaimer verify-ticket__disclaimer">We won’t be able to verify your ticket today, but it’s great to know for the future.</p>
</li>
</ul>
<ul class="verify-ticket__desktop-right-theater-container">
<li class="js-verified-ticket-vendor verify-ticket__theater rt-dropdown__providers--regal" data-vendor="" tabindex="0">
<p class="verify-ticket__theater-name">Regal
<span class="verify-ticket__tag">Coming Soon</span>
</p>
<p class="js-verified-ticket-disclaimer verify-ticket__disclaimer">We won’t be able to verify your ticket today, but it’s great to know for the future.</p>
</li>
<li class="js-verified-ticket-vendor verify-ticket__theater" data-vendor="" tabindex="0">
<p class="verify-ticket__theater-name">Theater box office or somewhere else
</p>
</li>
</ul>
</div>
</div>
<div class="verify-ticket__button-disclaimer-group js-verify-btn-group">
<button class="js-submit-review verify-ticket__submit-btn">Submit</button>
<p class="js-verify-ticket-legal verify-ticket__legal hide">By opting to have your ticket verified for this movie, you are allowing us to check the email address associated with your Rotten Tomatoes account against an email address associated with a Fandango ticket purchase for the same movie.</p>
</div>
</div>
<div class="js-verify-ticket-interstitial-container-desktop verify-ticket__interstitial-sequence_container-desktop">
<h3>You're almost there! Just confirm how you got your ticket.</h3>
<div class="verify-ticket-ticket__interstitial-desktop-step-container verify-ticket-ticket__interstitial-desktop-red-step-container">
<img src=""/>
<p></p>
</div>
<div class="verify-ticket-ticket__interstitial-desktop-step-container verify-ticket-ticket__interstitial-desktop-green-step-container">
<img src=""/>
<p></p>
</div>
<div class="verify-ticket-ticket__interstitial-desktop-step-container verify-ticket-ticket__interstitial-desktop-blue-step-container">
<img src=""/>
<p></p>
</div>
</div>
</div>
</li>
<li id="edit-review-submission">
<header class="multi-page-modal__header js-rate-and-review-modal-header">
<div class="userInfo__group">
<div class="userInfo__image-group">
<img alt="User image" class="js-rating-widget-user-thumb userInfo__image" height="44px" src="/assets/pizza-pie/images/shared/actor.default.tmb.d17de9e26da.gif" width="44px"/>
</div>
<div class="userInfo__name-group">
<h3 class="userInfo__name js-rating-widget-username"></h3>
<p class="userInfo__superReviewer js-rating-widget-super-reviewer super-reviewer-badge super-reviewer-badge--hidden">Super Reviewer</p>
</div>
</div>
<button class="js-close-multi-page-modal multi-page-modal__close" data-flow="edit" data-step="review"></button>
</header>
<div class="edit-review__body multi-page-modal__body">
<div class="edit-review__submission-group">
<div aria-label="rating from 0.5 to 5 stars" class="stars-rating__container stars-rating__container--is-not-rated" data-current-rating="" id="stars-rating-module" role="radiogroup">
<div class="stars-rating__msg-group">
<p class="stars-rating__msg js-star-rating-message" data-star-lower-threshold="0" data-star-upper-threshold="0">Rate this movie</p>
<p class="stars-rating__msg js-star-rating-message" data-star-lower-threshold="0.5" data-star-upper-threshold="1.5">Oof, that was Rotten.</p>
<p class="stars-rating__msg js-star-rating-message" data-star-lower-threshold="2" data-star-upper-threshold="3">Meh, it passed the time.</p>
<p class="stars-rating__msg js-star-rating-message" data-star-lower-threshold="3.5" data-star-upper-threshold="3.5">It’s good – I’d recommend it.</p>
<p class="stars-rating__msg js-star-rating-message" data-star-lower-threshold="4" data-star-upper-threshold="4.5">Awesome!</p>
<p class="stars-rating__msg js-star-rating-message" data-star-lower-threshold="5" data-star-upper-threshold="5">So Fresh: Absolute Must See!</p>
</div>
<span class="stars-rating__tooltip js-stars-rating-tooltip" data-text=" NEW! Tap, hold and swipe to select a rating."></span>
<div class="stars-rating__stars-group js-stars-rating-group">
<span aria-label=".5 stars, Oof, that was Rotten." class="icon-star icon-star--half js-star-rating-draggable" data-message="Oof, that was Rotten." data-qa="rating-star" data-rating="0.5" role="radio" tabindex="0"></span>
<span aria-label="1 stars, Oof, that was Rotten." class="icon-star icon-star--full js-star-rating-draggable" data-message="Oof, that was Rotten." data-qa="rating-star" data-rating="1" role="radio" tabindex="0"></span>
<span aria-label="1.5 stars, Oof, that was Rotten." class="icon-star icon-star--half js-star-rating-draggable" data-message="Oof, that was Rotten." data-qa="rating-star" data-rating="1.5" role="radio" tabindex="0"></span>
<span aria-label="2 stars, Meh, it passed the time" class="icon-star icon-star--full js-star-rating-draggable" data-message="Meh, it passed the time." data-qa="rating-star" data-rating="2" role="radio" tabindex="0"></span>
<span aria-label="2.5 stars, Meh, it passed the time" class="icon-star icon-star--half js-star-rating-draggable" data-message="Meh, it passed the time." data-qa="rating-star" data-rating="2.5" role="radio" tabindex="0"></span>
<span aria-label="3 stars, Meh, it passed the time" class="icon-star icon-star--full js-star-rating-draggable" data-message="Meh, it passed the time." data-qa="rating-star" data-rating="3" role="radio" tabindex="0"></span>
<span aria-label="3.5 stars, It’s good – I’d recommend it." class="icon-star icon-star--half js-star-rating-draggable" data-message="It’s good – I’d recommend it." data-qa="rating-star" data-rating="3.5" role="radio" tabindex="0"></span>
<span aria-label="4 stars, Awesome!" class="icon-star icon-star--full js-star-rating-draggable" data-message="Awesome!" data-qa="rating-star" data-rating="4" role="radio" tabindex="0"></span>
<span aria-label="4.5 stars, Awesome!" class="icon-star icon-star--half js-star-rating-draggable" data-message="Awesome!" data-qa="rating-star" data-rating="4.5" role="radio" tabindex="0"></span>
<span aria-label="5 stars, So Fresh: Absolute Must See!" class="icon-star icon-star--full js-star-rating-draggable" data-message="So Fresh: Absolute Must See!" data-qa="rating-star" data-rating="5" role="radio" tabindex="0"></span>
</div>
</div>
<h3 class="js-rate-and-review-textarea-header edit-review__textarea-header">What did you think of the movie? <span>(optional)</span></h3>
<div class="js-rate-and-review-textarea-group edit-review__textarea-group">
<div class="edit-review__textarea textarea-with-counter">
<textarea class="js-textarea-with-counter-text textarea-with-counter__text" data-qa="rnr-comment-textarea" placeholder="Your review helps others find great movies and shows to watch. Please share your honest experience on what you liked or disliked."></textarea>
</div>
</div>
</div>
</div>
<div class="edit-review__submit-btn-container js-verify-btn-group">
<button class="edit-review__submit-btn" data-qa="rnr-submit-btn" id="edit-review-submit">Submit</button>
</div>
</li>
<li id="edit-vas-submission">
<header class="multi-page-modal__header js-rate-and-review-modal-header">
<button class="js-back-multi-page-modal multi-page-modal__back"></button>
<button class="js-close-multi-page-modal multi-page-modal__close" data-step="verify"></button>
</header>
<div class="edit-verify-ticket__body verify-ticket__body multi-page-modal__body">
<div class="js-verify-ticket-content verify-ticket__content">
<h3 class="js-verify-ticket-header verify-ticket__header">How did you buy your ticket?</h3>
<ul class="verify-ticket__theaters">
<li class="js-verified-ticket-vendor verify-ticket__theater rt-dropdown__providers--fandango" data-vendor="FANDANGO" tabindex="0">
<p class="verify-ticket__theater-name">Fandango
</p>
</li>
<li class="js-verified-ticket-vendor verify-ticket__theater rt-dropdown__providers--amc" data-vendor="AMC" tabindex="0">
<p class="verify-ticket__theater-name">AMCTheatres.com or AMC App<span class="js-verified-ticket-new-tag verify-ticket__tag--new">New</span></p>
<div class="js-verified-ticket-input-message-container verify-ticket__input-message-container">
<label class="js-verified-ticket-disclaimer">Enter your Ticket Confirmation# located in your email.<a class="verified-ticket__help-btn--amc js-amc-help-btn">More Info</a>
</label>
<div class="verify-ticket__numerical-input-container">
<input class="js-verify-ticket-number-input verify-ticket__number-input" name="amc_confirmation_number" pattern="[0-9]*" placeholder="1234567890" type="tel"/>
<button class="js-verify-ticket-cancel-btn verify-ticket__cancel-btn hide"></button>
</div>
<p class="js-verify-ticket-input-error-message verify-ticket__input-error-message hide"></p>
</div>
</li>
<li class="js-verified-ticket-vendor verify-ticket__theater rt-dropdown__providers--cinemark" data-vendor="" tabindex="0">
<p class="verify-ticket__theater-name">Cinemark
<span class="verify-ticket__tag">Coming Soon</span>
</p>
<p class="js-verified-ticket-disclaimer verify-ticket__disclaimer">We won’t be able to verify your ticket today, but it’s great to know for the future.</p>
</li>
<li class="js-verified-ticket-vendor verify-ticket__theater rt-dropdown__providers--regal" data-vendor="" tabindex="0">
<p class="verify-ticket__theater-name">Regal
<span class="verify-ticket__tag">Coming Soon</span>
</p>
<p class="js-verified-ticket-disclaimer verify-ticket__disclaimer">We won’t be able to verify your ticket today, but it’s great to know for the future.</p>
</li>
<li class="js-verified-ticket-vendor verify-ticket__theater" data-vendor="" tabindex="0">
<p class="verify-ticket__theater-name">Theater box office or somewhere else
</p>
</li>
</ul>
</div>
<div class="js-verify-btn-group edit-review__vas-btn-disclaimer-container">
<button class="js-submit-review verify-ticket__submit-btn">Submit</button>
<p class="js-verify-ticket-legal verify-ticket__legal hide">By opting to have your ticket verified for this movie, you are allowing us to check the email address associated with your Rotten Tomatoes account against an email address associated with a Fandango ticket purchase for the same movie.</p>
</div>
</div>
</li>
<li id="submit-review-alert">
<aside class="js-multi-page-modal__sub-modal multi-page-modal__sub-modal-overlay submit-review-alert__sub-modal-overlay">
<div class="multi-page-modal__sub-modal-content">
<div class="multi-page-modal__sub-modal-body">
<h3 class="multi-page-modal__sub-modal-title">You haven’t finished your review yet, want to submit as-is?</h3>
<p>You can always edit your review after.</p>
</div>
<div class="multi-page-modal__sub-modal-btn-group">
<button class="js-submit-review-without-verification">Submit & exit</button>
<button class="button--outline" id="remove-review">Remove review</button>
</div>
</div>
</aside>
</li>
<li id="verify-ticket-alert">
<aside class="js-multi-page-modal__sub-modal multi-page-modal__sub-modal-overlay verify-ticket-alert__sub-modal-overlay">
<div class="multi-page-modal__sub-modal-content">
<div class="multi-page-modal__sub-modal-body">
<h3 class="multi-page-modal__sub-modal-title">Are you sure?</h3>
<p>Verified reviews are considered more trustworthy by fellow moviegoers.</p>
</div>
<div class="multi-page-modal__sub-modal-btn-group">
<button class="js-submit-review-without-verification">Submit & exit</button>
<button class="button--outline" id="verify-ticket">Verify Ticket</button>
</div>
</div>
</aside>
</li>
<li id="discard-review-change-alert">
<aside class="js-multi-page-modal__sub-modal multi-page-modal__sub-modal-overlay verify-ticket-alert__sub-modal-overlay">
<div class="multi-page-modal__sub-modal-content">
<div class="multi-page-modal__sub-modal-body">
<h3 class="multi-page-modal__sub-modal-title">Want to submit changes to your review before closing?</h3>
</div>
<div class="multi-page-modal__sub-modal-btn-group">
<button class="js-submit-review">Submit</button>
<button class="button--outline" id="discard-review">Discard changes</button>
</div>
</div>
</aside>
</li>
<aside class="js-rating-submit-drawer-initial-review rating-submit-drawer mobile-drawer">
<div class="js-mobile-drawer-backdrop-close-btn mobile-drawer__backdrop"></div>
<div class="mobile-drawer__content">
<div class="mobile-drawer__header">
<div class="rating-submit-drawer__icon"></div>
</div>
<div class="mobile-drawer__body-content-group">
<div class="mobile-drawer__body">
<h2 class="rating-submit-drawer__title" tabindex="0">Done Already? A few more words can help others decide if it's worth watching</h2>
<p class="rating-submit-drawer__copy" tabindex="0">They won't be able to see your review if you only submit your rating.</p>
</div>
<div class="mobile-drawer__btn-group">
<button class="js-submit-only-rating-btn rating-submit-drawer__footer--submit-only-rating-btn">Submit only my rating</button>
<button class="js-keep-writing-btn button--outline rating-submit-drawer__button--keep-writing">Keep writing</button>
</div>
</div>
</div>
</aside>
<aside class="js-rating-submit-drawer-edit-review rating-submit-drawer mobile-drawer">
<div class="js-mobile-drawer-backdrop-close-btn mobile-drawer__backdrop"></div>
<div class="mobile-drawer__content">
<div class="mobile-drawer__header">
<div class="rating-submit-drawer__icon"></div>
</div>
<div class="mobile-drawer__body-content-group">
<div class="mobile-drawer__body">
<h2 class="rating-submit-drawer__title" tabindex="0">Done Already? A few more words can help others decide if it's worth watching</h2>
<p class="rating-submit-drawer__copy" tabindex="0">They won't be able to see your review if you only submit your rating.</p>
</div>
<div class="mobile-drawer__btn-group">
<button class="js-discard-changes-btn button rating-submit-drawer__footer--discard-changes-btn">Discard changes & exit</button>
<button class="js-submit-only-rating-btn rating-submit-drawer__footer--submit-only-rating-btn">Submit only my rating</button>
<button class="js-keep-writing-btn button--outline rating-submit-drawer__button--keep-writing">Keep writing</button>
</div>
</div>
</div>
</aside>
<aside class="js-rating-submission-message-drawer mobile-drawer mobile-drawer--responsive">
<div class="js-mobile-drawer-backdrop-close-btn mobile-drawer__backdrop"></div>
<div class="mobile-drawer__content">
<button class="js-mobile-drawer-backdrop-close-btn mobile-drawer__close-btn button--link"></button>
<div class="mobile-drawer__body-content-group">
<div class="mobile-drawer__body">
<div class="submission-drawer__icon"></div>
<h3 class="submission-drawer__title js-rating-submission-header"></h3>
<p class="submission-drawer__copy js-rating-submission-body"></p>
<a class="submission-drawer__social-share submission-drawer__facebook-share js-submission-drawer-facebook-link hide" target="_blank">
<span class="submission-drawer__facebook-icon"></span>
<span>Share with Facebook</span>
</a>
<a class="submission-drawer__social-share submission-drawer__twitter-share js-submission-drawer-twitter-link hide" target="_blank">
<span class="submission-drawer__twitter-icon"></span>
<span>Share with Twitter</span>
</a>
</div>
</div>
</div>
</aside>
<aside class="js-amc-help-drawer mobile-drawer mobile-drawer--responsive">
<div class="js-mobile-drawer-backdrop-close-btn mobile-drawer__backdrop"></div>
<div class="mobile-drawer__content amc-help-drawer__content">
<button class="js-mobile-drawer-backdrop-close-btn mobile-drawer__close-btn button--link"></button>
<div class="mobile-drawer__body-content-group">
<p class="sr-only">
The image is an example of a ticket confirmation email that AMC sent you when you purchased your ticket. Your Ticket Confirmation # is located under the header in your email that reads "Your Ticket Reservation Details". Just below that it reads "Ticket Confirmation#:" followed by a 10-digit number. This 10-digit number is your confirmation number.
</p>
<p class="amc-help-drawer__copy">
Your AMC Ticket Confirmation# can be found in your order confirmation email.
</p>
<img alt="Picture of a phone screen with the AMC ticket confirmation email.
The header reads: 'Your Ticket Reservation Details'. The line below
it reads: 'Ticket Confirmation#' followed by a ten-digit number. The
ten-digit number is your ticket confirmation number. " class="amc-help-drawer__icon" src="/assets/pizza-pie/images/amc_help_icon.986b4076eb0.png"/>
</div>
</div>
</aside>
</div>
</li></ul></div>
</div>
<section class="user-rating-error js-user-rating-error hide">
<button class="user-rating-error__close-button js-user-rating-error-close-button" href="#"></button>
<h3 class="user-rating-error__header js-user-rating-error-header"></h3>
<div class="user-rating-error__body js-user-rating-error-text"></div>
</section>
</div>
<aside class="interscroller_ad visible-xs center mobile-interscroller" id="interscroller_ad" style="width:300px"></aside>
<script>
var mps = mps || {};
mps._queue = mps._queue || {};
mps._queue.gptloaded = mps._queue.gptloaded || [];
mps._queue.adload = mps._queue.adload || [];
mps._queue.gptloaded.push(function() {
if (mps.getResponsiveSet() =='0') { //MOBILE
mps.insertAd('#interscroller_ad','interscroller');
}
});
mps._queue.adload.push(function(eo) {
if (eo._mps._slot === 'interscroller' && eo.isEmpty) {
document.querySelector('.mobile-interscroller').classList.add('isEmpty');
}
});
</script>
<section class="panel panel-rt panel-box" data-qa="videos-section" id="movie-videos-panel">
<h2 class="panel-heading" data-qa="videos-section-title">
<em>E.T. the Extra-Terrestrial</em>
Videos
</h2>
<div class="panel-body content_body allow-overflow">
<div data-qa="videos-carousel" id="videos-carousel-root">
<div class="Carousel VideosCarousel">
<div>
<div class="VideosCarousel__item">
<a class="VideosCarousel__item-link trailer_play_action_button" data-mpx-fwsite="rotten_tomatoes_video_vod" data-no-ads="false" data-qa="video-trailer-play-btn" data-title="E.T. the Extra-Terrestrial: IMAX Re-Release Trailer" data-video-id="E14D3BEF-819F-48F0-8331-7F7EFC943994">
<div class="VideosCarousel__image-container">
<img class="VideosCarousel__image js-lazyLoad" data-src="https://resizing.flixster.com/9mhHGAIMQqc9dFZVtpEjRVWMsi4=/270x160/v2/https://statcdn.fandango.com/MPX/image/NBCU_Fandango/432/335/thumb_4AD7A6EA-169F-408C-9C44-6538D696F733.jpg" role="presentation" src="/assets/pizza-pie/images/video.default.cf010a946e9.jpg"/>
<div class="playButton playButton--small">
<div class="playButton__img" data-qa="videos-carousel-btn"></div>
</div>
<div class="VideoCarousel__duration">
1:47
</div>
</div>
<div class="VideosCarousel__video-title">E.T. the Extra-Terrestrial: IMAX Re-Release Trailer</div>
</a>
</div>
</div>
<div>
<div class="VideosCarousel__item">
<a class="VideosCarousel__item-link trailer_play_action_button" data-mpx-fwsite="rotten_tomatoes_video_vod" data-no-ads="false" data-qa="video-trailer-play-btn" data-title="David Oyelowo's Five Favorite Films" data-video-id="30868AFB-B16C-4341-898C-598B69C17A5E">
<div class="VideosCarousel__image-container">
<img class="VideosCarousel__image js-lazyLoad" data-src="https://resizing.flixster.com/MwCDYvKOxZ3D0CRx-M7__AaAmM8=/270x160/v2/https://statcdn.fandango.com/MPX/image/NBCU_Fandango/660/879/thumb_A534B3FC-063F-4618-B9C7-CBEE3921E374.jpg" role="presentation" src="/assets/pizza-pie/images/video.default.cf010a946e9.jpg"/>
<div class="playButton playButton--small">
<div class="playButton__img" data-qa="videos-carousel-btn"></div>
</div>
<div class="VideoCarousel__duration">
1:06
</div>
</div>
<div class="VideosCarousel__video-title">David Oyelowo's Five Favorite Films</div>
</a>
</div>
</div>
<div>
<div class="VideosCarousel__item">
<a class="VideosCarousel__item-link trailer_play_action_button" data-mpx-fwsite="rotten_tomatoes_video_vod" data-no-ads="false" data-qa="video-trailer-play-btn" data-title="E.T. The Extra-Terrestrial (1982) Presented by TCM: Fathom Events Trailer" data-video-id="5D29D466-AB44-6F62-E0FD-0BBD5C59F264">
<div class="VideosCarousel__image-container">
<img class="VideosCarousel__image js-lazyLoad" data-src="https://resizing.flixster.com/xL2ev6MJhzjS-4ecBEUr3Mc1SPA=/270x160/v2/https://statcdn.fandango.com/MPX/image/NBCU_Fandango/331/763/ET45thAnniversary_FathomEventsTrailer.jpg" role="presentation" src="/assets/pizza-pie/images/video.default.cf010a946e9.jpg"/>
<div class="playButton playButton--small">
<div class="playButton__img" data-qa="videos-carousel-btn"></div>
</div>
<div class="VideoCarousel__duration">
0:20
</div>
</div>
<div class="VideosCarousel__video-title">E.T. The Extra-Terrestrial (1982) Presented by TCM: Fathom Events Trailer</div>
</a>
</div>
</div>
<div>
<div class="VideosCarousel__item">
<a class="VideosCarousel__item-link trailer_play_action_button" data-mpx-fwsite="rotten_tomatoes_video_vod" data-no-ads="false" data-qa="video-trailer-play-btn" data-title="E.T. the Extra-Terrestrial: Official Clip - I'll Be Right Here" data-video-id="MC-266">
<div class="VideosCarousel__image-container">
<img class="VideosCarousel__image js-lazyLoad" data-src="https://resizing.flixster.com/2FVoHnSzbn1D4njuFQ26ACwKL38=/270x160/v2/https://statcdn.fandango.com/MPX/image/NBCU_Fandango/577/135/266.png" role="presentation" src="/assets/pizza-pie/images/video.default.cf010a946e9.jpg"/>
<div class="playButton playButton--small">
<div class="playButton__img" data-qa="videos-carousel-btn"></div>
</div>
<div class="VideoCarousel__duration">
3:00
</div>
</div>
<div class="VideosCarousel__video-title">E.T. the Extra-Terrestrial: Official Clip - I'll Be Right Here</div>
</a>
</div>
</div>
<div>
<div class="VideosCarousel__item">
<a class="VideosCarousel__item-link trailer_play_action_button" data-mpx-fwsite="rotten_tomatoes_video_vod" data-no-ads="false" data-qa="video-trailer-play-btn" data-title="E.T. the Extra-Terrestrial: Official Clip - Ouch!" data-video-id="MC-252">
<div class="VideosCarousel__image-container">
<img class="VideosCarousel__image js-lazyLoad" data-src="https://resizing.flixster.com/mkq3G0WxuyjDMJo2P4l25gBmAf8=/270x160/v2/https://statcdn.fandango.com/MPX/image/NBCU_Fandango/287/595/252.png" role="presentation" src="/assets/pizza-pie/images/video.default.cf010a946e9.jpg"/>
<div class="playButton playButton--small">
<div class="playButton__img" data-qa="videos-carousel-btn"></div>
</div>
<div class="VideoCarousel__duration">
1:38
</div>
</div>
<div class="VideosCarousel__video-title">E.T. the Extra-Terrestrial: Official Clip - Ouch!</div>
</a>
</div>
</div>
<div>
<div class="VideosCarousel__item">
<a class="VideosCarousel__item-link trailer_play_action_button" data-mpx-fwsite="rotten_tomatoes_video_vod" data-no-ads="false" data-qa="video-trailer-play-btn" data-title="E.T. the Extra-Terrestrial: Official Clip - Saving the Frogs" data-video-id="MC-249">
<div class="VideosCarousel__image-container">
<img class="VideosCarousel__image js-lazyLoad" data-src="https://resizing.flixster.com/zfEcm8wC7vBD6RAJILUQOReF6no=/270x160/v2/https://statcdn.fandango.com/MPX/image/NBCU_Fandango/287/595/249.png" role="presentation" src="/assets/pizza-pie/images/video.default.cf010a946e9.jpg"/>
<div class="playButton playButton--small">
<div class="playButton__img" data-qa="videos-carousel-btn"></div>
</div>
<div class="VideoCarousel__duration">
1:49
</div>
</div>
<div class="VideosCarousel__video-title">E.T. the Extra-Terrestrial: Official Clip - Saving the Frogs</div>
</a>
</div>
</div>
<div>
<div class="VideosCarousel__item">
<a class="VideosCarousel__item-link trailer_play_action_button" data-mpx-fwsite="rotten_tomatoes_video_vod" data-no-ads="false" data-qa="video-trailer-play-btn" data-title="E.T. the Extra-Terrestrial: Official Clip - Across the Moon" data-video-id="MC-21131">
<div class="VideosCarousel__image-container">
<img class="VideosCarousel__image js-lazyLoad" data-src="https://resizing.flixster.com/Imzgl6eTdf5EbTpBSzj7u0l9jNM=/270x160/v2/https://statcdn.fandango.com/MPX/image/NBCU_Fandango/287/595/21131.png" role="presentation" src="/assets/pizza-pie/images/video.default.cf010a946e9.jpg"/>
<div class="playButton playButton--small">
<div class="playButton__img" data-qa="videos-carousel-btn"></div>
</div>
<div class="VideoCarousel__duration">
1:27
</div>
</div>
<div class="VideosCarousel__video-title">E.T. the Extra-Terrestrial: Official Clip - Across the Moon</div>
</a>
</div>
</div>
<div>
<div class="VideosCarousel__item">
<a class="VideosCarousel__item-link trailer_play_action_button" data-mpx-fwsite="rotten_tomatoes_video_vod" data-no-ads="false" data-qa="video-trailer-play-btn" data-title="E.T. the Extra-Terrestrial: Official Clip - E.T. Phone Home" data-video-id="MC-251">
<div class="VideosCarousel__image-container">
<img class="VideosCarousel__image js-lazyLoad" data-src="https://resizing.flixster.com/IqpqLME81bMibMqvjx5kwma1kVY=/270x160/v2/https://statcdn.fandango.com/MPX/image/NBCU_Fandango/282/714/251.png" role="presentation" src="/assets/pizza-pie/images/video.default.cf010a946e9.jpg"/>
<div class="playButton playButton--small">
<div class="playButton__img" data-qa="videos-carousel-btn"></div>
</div>
<div class="VideoCarousel__duration">
2:50
</div>
</div>
<div class="VideosCarousel__video-title">E.T. the Extra-Terrestrial: Official Clip - E.T. Phone Home</div>
</a>
</div>
</div>
<div>
<div class="VideosCarousel__item">
<a class="VideosCarousel__item-link trailer_play_action_button" data-mpx-fwsite="rotten_tomatoes_video_vod" data-no-ads="false" data-qa="video-trailer-play-btn" data-title="E.T. the Extra-Terrestrial: Official Clip - Halloween" data-video-id="MC-254">
<div class="VideosCarousel__image-container">
<img class="VideosCarousel__image js-lazyLoad" data-src="https://resizing.flixster.com/R2guk0Qj3PA1Bb6pjJ2TVxki4-c=/270x160/v2/https://statcdn.fandango.com/MPX/image/NBCU_Fandango/283/190/254.png" role="presentation" src="/assets/pizza-pie/images/video.default.cf010a946e9.jpg"/>
<div class="playButton playButton--small">
<div class="playButton__img" data-qa="videos-carousel-btn"></div>
</div>
<div class="VideoCarousel__duration">
2:27
</div>
</div>
<div class="VideosCarousel__video-title">E.T. the Extra-Terrestrial: Official Clip - Halloween</div>
</a>
</div>
</div>
<div>
<div class="VideosCarousel__item">
<a class="VideosCarousel__item-link trailer_play_action_button" data-mpx-fwsite="rotten_tomatoes_video_vod" data-no-ads="false" data-qa="video-trailer-play-btn" data-title="E.T. the Extra-Terrestrial: Official Clip - He's Alive! He's Alive!" data-video-id="MC-260">
<div class="VideosCarousel__image-container">
<img class="VideosCarousel__image js-lazyLoad" data-src="https://resizing.flixster.com/xDfApxu3mu6-uLJM8lRFHSJXcvU=/270x160/v2/https://statcdn.fandango.com/MPX/image/NBCU_Fandango/278/811/260.png" role="presentation" src="/assets/pizza-pie/images/video.default.cf010a946e9.jpg"/>
<div class="playButton playButton--small">
<div class="playButton__img" data-qa="videos-carousel-btn"></div>
</div>
<div class="VideoCarousel__duration">
3:00
</div>
</div>
<div class="VideosCarousel__video-title">E.T. the Extra-Terrestrial: Official Clip - He's Alive! He's Alive!</div>
</a>
</div>
</div>
<div>
<div class="VideosCarousel__item">
<a class="VideosCarousel__item-link trailer_play_action_button" data-mpx-fwsite="rotten_tomatoes_video_vod" data-no-ads="false" data-qa="video-trailer-play-btn" data-title="E.T. the Extra-Terrestrial: Official Clip - Getting Drunk" data-video-id="MC-248">
<div class="VideosCarousel__image-container">
<img class="VideosCarousel__image js-lazyLoad" data-src="https://resizing.flixster.com/Z2_wjzshC71IhdRtuwcSphe9f9k=/270x160/v2/https://statcdn.fandango.com/MPX/image/NBCU_Fandango/278/811/248.png" role="presentation" src="/assets/pizza-pie/images/video.default.cf010a946e9.jpg"/>
<div class="playButton playButton--small">
<div class="playButton__img" data-qa="videos-carousel-btn"></div>
</div>
<div class="VideoCarousel__duration">
2:10
</div>
</div>
<div class="VideosCarousel__video-title">E.T. the Extra-Terrestrial: Official Clip - Getting Drunk</div>
</a>
</div>
</div>
<div>
<div class="VideosCarousel__item">
<a class="VideosCarousel__item-link trailer_play_action_button" data-mpx-fwsite="rotten_tomatoes_video_vod" data-no-ads="false" data-qa="video-trailer-play-btn" data-title="E.T. the Extra-Terrestrial: Official Clip - It Was Nothing Like That, Penis Breath!" data-video-id="MC-213">
<div class="VideosCarousel__image-container">
<img class="VideosCarousel__image js-lazyLoad" data-src="https://resizing.flixster.com/0j3StCrW9wit4QjSMR-OxXlbgb4=/270x160/v2/https://statcdn.fandango.com/MPX/image/NBCU_Fandango/574/151/213.png" role="presentation" src="/assets/pizza-pie/images/video.default.cf010a946e9.jpg"/>
<div class="playButton playButton--small">
<div class="playButton__img" data-qa="videos-carousel-btn"></div>
</div>
<div class="VideoCarousel__duration">
2:42
</div>
</div>
<div class="VideosCarousel__video-title">E.T. the Extra-Terrestrial: Official Clip - It Was Nothing Like That, Penis Breath!</div>
</a>
</div>
</div>
<div>
<div class="VideosCarousel__item">
<a class="VideosCarousel__item-link trailer_play_action_button" data-mpx-fwsite="rotten_tomatoes_video_vod" data-no-ads="false" data-qa="video-trailer-play-btn" data-title="E.T. the Extra-Terrestrial: Official Clip - Ride in the Sky" data-video-id="MC-264">
<div class="VideosCarousel__image-container">
<img class="VideosCarousel__image js-lazyLoad" data-src="https://resizing.flixster.com/mnKbk-zlT_gskv4oZ5wxLn3XaA8=/270x160/v2/https://statcdn.fandango.com/MPX/image/NBCU_Fandango/574/151/264.png" role="presentation" src="/assets/pizza-pie/images/video.default.cf010a946e9.jpg"/>
<div class="playButton playButton--small">
<div class="playButton__img" data-qa="videos-carousel-btn"></div>
</div>
<div class="VideoCarousel__duration">
2:10
</div>
</div>
<div class="VideosCarousel__video-title">E.T. the Extra-Terrestrial: Official Clip - Ride in the Sky</div>
</a>
</div>
</div>
</div>
</div>
<div class="clickForMore viewMoreVideos">
<a class="unstyled articleLink pull-right" data-qa="videos-view-all-link" href="/m/et_the_extraterrestrial/trailers/">
<div>
View All Videos (13)
</div>
</a>
</div>
</div>
</section>
<section class="panel panel-rt panel-box" data-qa="photos-section">
<h2 class="panel-heading" data-qa="photos-section-title">
<em>E.T. the Extra-Terrestrial</em>
Photos
</h2>
<div class="panel-body content_body allow-overflow">
<div data-qa="photos-carousel" id="photos-carousel-root">
<div class="Carousel PhotosCarousel">
<div class="preload">
<div class="PhotosCarousel__item">
<a class="PhotosCarousel__item-link" data-qa="photo-link">
<img alt="Elliott (HENRY THOMAS) introduces his sister Gertie (DREW BARRYMORE) and brother Michael (ROBERT MACNAUGHTON) to his new friend." class="PhotosCarousel__image js-lazyLoad" data-qa="photos-carousel-img" data-src="https://resizing.flixster.com/O2sKjsvkBlPErYrYi8SrNaDe0Fk=/300x300/v2/https://flxt.tmsimg.com/assets/28542_ak.jpg" src="/assets/pizza-pie/images/placeholder_photo_carousel.eed1c108233.gif"/>
</a>
</div>
</div>
<div class="preload">
<div class="PhotosCarousel__item">
<a class="PhotosCarousel__item-link" data-qa="photo-link">
<img alt='Elliott (HENRY THOMAS) finds a friend in a visitor from another planet in the 20th anniversary version of "E.T. The Extra-Terrestrial."' class="PhotosCarousel__image js-lazyLoad" data-qa="photos-carousel-img" data-src="https://resizing.flixster.com/zRM-67iqOWmrYac4-sSUEaRbdJQ=/300x300/v2/https://flxt.tmsimg.com/assets/28542_ap.jpg" src="/assets/pizza-pie/images/placeholder_photo_carousel.eed1c108233.gif"/>
</a>
</div>
</div>
<div class="preload">
<div class="PhotosCarousel__item">
<a class="PhotosCarousel__item-link" data-qa="photo-link">
<img alt='Elliott (HENRY THOMAS) and E.T. race to elude capture n the 20th anniversary version of "E.T. The Extra-Terrestrial."' class="PhotosCarousel__image js-lazyLoad" data-qa="photos-carousel-img" data-src="https://resizing.flixster.com/BsF1XfZ07gYar9wMSW3zPoNcffM=/300x300/v2/https://flxt.tmsimg.com/assets/28542_ab.jpg" src="/assets/pizza-pie/images/placeholder_photo_carousel.eed1c108233.gif"/>
</a>
</div>
</div>
<div class="preload">
<div class="PhotosCarousel__item">
<a class="PhotosCarousel__item-link" data-qa="photo-link">
<img alt="Gertie (DREW BARRYMORE) gets her first look at E.T." class="PhotosCarousel__image js-lazyLoad" data-qa="photos-carousel-img" data-src="https://resizing.flixster.com/z_vOy1K4InOsW3gokkI_k3aLJ4g=/300x300/v2/https://flxt.tmsimg.com/assets/28542_ag.jpg" src="/assets/pizza-pie/images/placeholder_photo_carousel.eed1c108233.gif"/>
</a>
</div>
</div>
<div class="preload">
<div class="PhotosCarousel__item">
<a class="PhotosCarousel__item-link" data-qa="photo-link">
<img alt="Elliott (HENRY THOMAS) tries to help E.T. phone home." class="PhotosCarousel__image js-lazyLoad" data-qa="photos-carousel-img" data-src="https://resizing.flixster.com/7Jd8ARE4JDVhQi6bfDhKqH--1BY=/300x300/v2/https://flxt.tmsimg.com/assets/28542_af.jpg" src="/assets/pizza-pie/images/placeholder_photo_carousel.eed1c108233.gif"/>
</a>
</div>
</div>
<div class="preload">
<div class="PhotosCarousel__item">
<a class="PhotosCarousel__item-link" data-qa="photo-link">
<img alt="Elliott (HENRY THOMAS) shows E.T. around the house." class="PhotosCarousel__image js-lazyLoad" data-qa="photos-carousel-img" data-src="https://resizing.flixster.com/RUOejM5IkIfpJAqIipH_jUjvjJo=/300x300/v2/https://flxt.tmsimg.com/assets/28542_ae.jpg" src="/assets/pizza-pie/images/placeholder_photo_carousel.eed1c108233.gif"/>
</a>
</div>
</div>
<div class="preload">
<div class="PhotosCarousel__item">
<a class="PhotosCarousel__item-link" data-qa="photo-link">
<img alt="Director STEVEN SPIELBERG and DREW BARRYMORE." class="PhotosCarousel__image js-lazyLoad" data-qa="photos-carousel-img" data-src="https://resizing.flixster.com/vr22fp-RaMmte8VzyKJI85fsw4I=/300x300/v2/https://flxt.tmsimg.com/assets/28542_am.jpg" src="/assets/pizza-pie/images/placeholder_photo_carousel.eed1c108233.gif"/>
</a>
</div>
</div>
<div class="preload">
<div class="PhotosCarousel__item">
<a class="PhotosCarousel__item-link" data-qa="photo-link">
<img alt="Seated, left to right: HENRY THOMAS, STEVEN SPIELBERG, DREW BARRYMORE" class="PhotosCarousel__image js-lazyLoad" data-qa="photos-carousel-img" data-src="https://resizing.flixster.com/ahk1LxDTMHL3HDYUcifZOwZ4RB0=/300x300/v2/https://flxt.tmsimg.com/assets/28542_ac.jpg" src="/assets/pizza-pie/images/placeholder_photo_carousel.eed1c108233.gif"/>
</a>
</div>
</div>
<div class="preload">
<div class="PhotosCarousel__item">
<a class="PhotosCarousel__item-link" data-qa="photo-link">
<img alt="Director STEVEN SPIELBERG and DREW BARRYMORE." class="PhotosCarousel__image js-lazyLoad" data-qa="photos-carousel-img" data-src="https://resizing.flixster.com/Dyg21LFbmNOniYb_-rAuWkjSYhc=/300x300/v2/https://flxt.tmsimg.com/assets/28542_aj.jpg" src="/assets/pizza-pie/images/placeholder_photo_carousel.eed1c108233.gif"/>
</a>
</div>
</div>
<div class="preload">
<div class="PhotosCarousel__item">
<a class="PhotosCarousel__item-link" data-qa="photo-link">
<img alt="Gertie (DREW BARRYMORE) says goodbye to E.T." class="PhotosCarousel__image js-lazyLoad" data-qa="photos-carousel-img" data-src="https://resizing.flixster.com/5NDNkCQ4myYHtJxTIrpq9RV9JtQ=/300x300/v2/https://flxt.tmsimg.com/assets/28542_ai.jpg" src="/assets/pizza-pie/images/placeholder_photo_carousel.eed1c108233.gif"/>
</a>
</div>
</div>
<div class="preload">
<div class="PhotosCarousel__item">
<a class="PhotosCarousel__item-link" data-qa="photo-link">
<img alt="E.T. investigates the food at Elliott's house." class="PhotosCarousel__image js-lazyLoad" data-qa="photos-carousel-img" data-src="https://resizing.flixster.com/AXQJ2l5Y3TiMn01jet-iG6uQa5Q=/300x300/v2/https://flxt.tmsimg.com/assets/28542_ah.jpg" src="/assets/pizza-pie/images/placeholder_photo_carousel.eed1c108233.gif"/>
</a>
</div>
</div>
<div class="preload">
<div class="PhotosCarousel__item">
<a class="PhotosCarousel__item-link" data-qa="photo-link">
<img alt="E.T. and Elliott (HENRY THOMAS) share the same feelings." class="PhotosCarousel__image js-lazyLoad" data-qa="photos-carousel-img" data-src="https://resizing.flixster.com/MAYG4Os12aE6ANGIhCcNggGqO9A=/300x300/v2/https://flxt.tmsimg.com/assets/28542_ao.jpg" src="/assets/pizza-pie/images/placeholder_photo_carousel.eed1c108233.gif"/>
</a>
</div>
</div>
<div class="preload">
<div class="PhotosCarousel__item">
<a class="PhotosCarousel__item-link" data-qa="photo-link">
<img alt="Elliott (HENRY THOMAS), his brother and friends ride as fast as they can to get E.T. back to the forest." class="PhotosCarousel__image js-lazyLoad" data-qa="photos-carousel-img" data-src="https://resizing.flixster.com/ID2EAs1822-amVVoNe1N5aDQgv4=/300x300/v2/https://flxt.tmsimg.com/assets/28542_an.jpg" src="/assets/pizza-pie/images/placeholder_photo_carousel.eed1c108233.gif"/>
</a>
</div>
</div>
<div class="preload">
<div class="PhotosCarousel__item">
<a class="PhotosCarousel__item-link" data-qa="photo-link">
<img alt="E.T. has learned some new things from Gertie (DREW BARRYMORE) which surprise Elliott (HENRY THOMAS)." class="PhotosCarousel__image js-lazyLoad" data-qa="photos-carousel-img" data-src="https://resizing.flixster.com/nq80pGQTlllcX0jZg73MN8AgBUU=/300x300/v2/https://flxt.tmsimg.com/assets/28542_al.jpg" src="/assets/pizza-pie/images/placeholder_photo_carousel.eed1c108233.gif"/>
</a>
</div>
</div>
<div class="preload">
<div class="PhotosCarousel__item">
<a class="PhotosCarousel__item-link" data-qa="photo-link">
<img alt="E.T., separated from his own kind, warily explores Elliott's house." class="PhotosCarousel__image js-lazyLoad" data-qa="photos-carousel-img" data-src="https://resizing.flixster.com/MtjMCKOkgDAE8Ef8h6vrdlArQQo=/300x300/v2/https://flxt.tmsimg.com/assets/28542_ad.jpg" src="/assets/pizza-pie/images/placeholder_photo_carousel.eed1c108233.gif"/>
</a>
</div>
</div>
<div class="preload">
<div class="PhotosCarousel__item">
<a class="PhotosCarousel__item-link" data-qa="photo-link">
<img alt="" class="PhotosCarousel__image js-lazyLoad" data-qa="photos-carousel-img" data-src="https://resizing.flixster.com/rpgHfPBQDh2_O7nlHbtQnkMK5Js=/300x300/v2/https://resizing.flixster.com/fTfttSez-Pedtm_Y5r7XhbbIX2Y=/ems.cHJkLWVtcy1hc3NldHMvbW92aWVzL2RhMmZjZWM3LTQ1NWMtNDRlZS04MzUzLWIxNTU2NjI5YjI5NC53ZWJw" src="/assets/pizza-pie/images/placeholder_photo_carousel.eed1c108233.gif"/>
</a>
</div>
</div>
<div class="preload">
<div class="PhotosCarousel__item">
<a class="PhotosCarousel__item-link" data-qa="photo-link">
<img alt="" class="PhotosCarousel__image js-lazyLoad" data-qa="photos-carousel-img" data-src="https://resizing.flixster.com/nluRyYoH6g9x-C6wmMa3f9NFp5s=/300x300/v2/https://resizing.flixster.com/37s_rq6dZcHk69MjxYnkBOTCqjs=/ems.cHJkLWVtcy1hc3NldHMvbW92aWVzLzAwNmJlNjIxLTk1ZDctNDkzZS1iODdlLTM5NzM5ZDI3NTcyMS53ZWJw" src="/assets/pizza-pie/images/placeholder_photo_carousel.eed1c108233.gif"/>
</a>
</div>
</div>
<div class="preload">
<div class="PhotosCarousel__item">
<a class="PhotosCarousel__item-link" data-qa="photo-link">
<img alt="" class="PhotosCarousel__image js-lazyLoad" data-qa="photos-carousel-img" data-src="https://resizing.flixster.com/8rKf0X2ModMDJzO3RY3QKkXR480=/300x300/v2/https://resizing.flixster.com/QsaJiOHlK12roWIQ3xd31iyQaQ8=/ems.cHJkLWVtcy1hc3NldHMvbW92aWVzL2U0YWVhZTI5LTE0ZjMtNGY3Yy04MGQ3LTJjOGU0NTI1YWI0OC53ZWJw" src="/assets/pizza-pie/images/placeholder_photo_carousel.eed1c108233.gif"/>
</a>
</div>
</div>
<div class="preload">
<div class="PhotosCarousel__item">
<a class="PhotosCarousel__item-link" data-qa="photo-link">
<img alt="" class="PhotosCarousel__image js-lazyLoad" data-qa="photos-carousel-img" data-src="https://resizing.flixster.com/gO3wQ_iZoKvgSc5NLZBHHaDYQaw=/300x300/v2/https://resizing.flixster.com/3aUAEUIlyMHi8TR-CH4JrPsqBAQ=/ems.cHJkLWVtcy1hc3NldHMvbW92aWVzL2ZhZGQ0MTg3LTg1OGMtNGM4NS1hZGFmLTI2YTFmNzZjOTgxNC53ZWJw" src="/assets/pizza-pie/images/placeholder_photo_carousel.eed1c108233.gif"/>
</a>
</div>
</div>
<div class="preload">
<div class="PhotosCarousel__item">
<a class="PhotosCarousel__item-link" data-qa="photo-link">
<img alt="" class="PhotosCarousel__image js-lazyLoad" data-qa="photos-carousel-img" data-src="https://resizing.flixster.com/C4DeSKNOcPn8jt1UbafRWSpKY8I=/300x300/v2/https://resizing.flixster.com/OVfVqINs2ZNknQeYDe5iJ-i7RYg=/ems.cHJkLWVtcy1hc3NldHMvbW92aWVzL2U5YWJiYWUxLTRmY2ItNGMwNi1iODhiLThmZmQzZDA3NzcyZC53ZWJw" src="/assets/pizza-pie/images/placeholder_photo_carousel.eed1c108233.gif"/>
</a>
</div>
</div>
</div>
<div aria-hidden="true" class="pswp" data-qa="photos-modal" role="dialog" style="" tabindex="-1">
<div class="pswp__bg"></div>
<div class="pswp__scroll-wrap">
<div class="pswp__container">
<div class="pswp__item"></div>
<div class="pswp__item"></div>
<div class="pswp__item"></div>
</div>
<div class="pswp__ui pswp__ui--hidden"><!-- pswp__ui--fit -->
<div class="pswp__top-bar">
<div class="pswp__counter"></div>
<button class="pswp__button pswp__button--close" data-qa="photos-modal-close-btn" title="Close (Esc)"></button>
<button class="pswp__button pswp__button--share pswp__element--disabled" title="Share"></button>
<button class="pswp__button pswp__button--fs pswp__element--disabled" title="Toggle fullscreen"></button>
<button class="pswp__button pswp__button--zoom" title="Zoom in/out"></button>
<div class="pswp__preloader">
<div class="pswp__preloader__icn">
<div class="pswp__preloader__cut">
<div class="pswp__preloader__donut"></div>
</div>
</div>
</div>
</div>
<div class="pswp__share-modal pswp__share-modal--hidden pswp__single-tap">
<div class="pswp__share-tooltip"></div>
</div>
<button class="pswp__button pswp__button--arrow--left" title="Previous (arrow left)"></button>
<button class="pswp__button pswp__button--arrow--right" title="Next (arrow right)"></button>
<div class="pswp__caption">
<div class="pswp__caption__center"></div>
</div>
</div>
</div>
</div>
</div>
<div class="clickForMore viewMorePhotos">
<a class="unstyled articleLink pull-right" data-qa="photos-view-all-link" href="/m/et_the_extraterrestrial/pictures">
<div>
View All Photos (47)
</div>
</a>
</div>
</div>
</section>
<aside class="str-ad">
<div class="visible-xs">
<div id="sharethrough_top_ad"></div>
<script>
var mps = mps||{}; mps._queue = mps._queue||{}; mps._queue.gptloaded = mps._queue.gptloaded||[];
mps._queue.gptloaded.push(function () {
if (mps.getResponsiveSet() == '0') { //MOBILE
mps.insertAd('#sharethrough_top_ad','sharethrough','strnativekey=b9QEvHRnA3pDEDZ6CpgtS2vx;pos=top;');
}
});
</script>
</div>
</aside>
<section class="panel panel-rt panel-box movie_info media" data-qa="movie-info-section">
<aside class="pull-right">
<div class="hidden-xs" id="outbrainTopMobAd"></div>
</aside>
<div class="media-body">
<h2 class="panel-heading" data-qa="movie-info-section-title">Movie Info</h2>
<div class="panel-body content_body">
<div aria-live="polite" class="sr-only js-clamp-live-region"></div>
<div class="movie_synopsis clamp clamp-6 js-clamp" data-qa="movie-info-synopsis" id="movieSynopsis" style="clear:both">
After a gentle alien becomes stranded on Earth, the being is discovered and befriended by a young boy named Elliott (Henry Thomas). Bringing the extraterrestrial into his suburban California house, Elliott introduces E.T., as the alien is dubbed, to his brother and his little sister, Gertie (Drew Barrymore), and the children decide to keep its existence a secret. Soon, however, E.T. falls ill, resulting in government intervention and a dire situation for both Elliott and the alien.
</div>
<ul class="content-meta info">
<li class="meta-row clearfix" data-qa="movie-info-item">
<div class="meta-label subtle" data-qa="movie-info-item-label">Rating:</div>
<div class="meta-value" data-qa="movie-info-item-value">PG
</div>
</li>
<li class="meta-row clearfix" data-qa="movie-info-item">
<div class="meta-label subtle" data-qa="movie-info-item-label">Genre:</div>
<div class="meta-value genre" data-qa="movie-info-item-value">
Kids & family,
Sci-fi,
Adventure
</div>
</li>
<li class="meta-row clearfix" data-qa="movie-info-item">
<div class="meta-label subtle" data-qa="movie-info-item-label">Original Language:</div>
<div class="meta-value" data-qa="movie-info-item-value">English
</div>
</li>
<li class="meta-row clearfix" data-qa="movie-info-item">
<div class="meta-label subtle" data-qa="movie-info-item-label">Director:</div>
<div class="meta-value" data-qa="movie-info-item-value">
<a data-qa="movie-info-director" href="/celebrity/steve_spielberg">Steven Spielberg</a>
</div>
</li>
<li class="meta-row clearfix" data-qa="movie-info-item">
<div class="meta-label subtle" data-qa="movie-info-item-label">Producer:</div>
<div class="meta-value" data-qa="movie-info-item-value">
<a href="/celebrity/steve_spielberg">Steven Spielberg</a>,
<a href="/celebrity/kathleen_kennedy">Kathleen Kennedy</a>
</div>
</li>
<li class="meta-row clearfix" data-qa="movie-info-item">
<div class="meta-label subtle" data-qa="movie-info-item-label">Writer:</div>
<div class="meta-value" data-qa="movie-info-item-value">
<a href="/celebrity/melissa_mathison">Melissa Mathison</a>
</div>
</li>
<li class="meta-row clearfix" data-qa="movie-info-item">
<div class="meta-label subtle" data-qa="movie-info-item-label">Release Date (Theaters):</div>
<div class="meta-value" data-qa="movie-info-item-value">
<time datetime="Jun 11, 1982">Jun 11, 1982</time>
<span style="text-transform:capitalize"> original</span>
</div>
</li>
<li class="meta-row clearfix" data-qa="movie-info-item">
<div class="meta-label subtle" data-qa="movie-info-item-label">Release Date (Streaming):</div>
<div class="meta-value" data-qa="movie-info-item-value">
<time datetime="Aug 23, 2005">
Aug 23, 2005
</time>
</div>
</li>
<li class="meta-row clearfix" data-qa="movie-info-item">
<div class="meta-label subtle" data-qa="movie-info-item-label">Box Office (Gross USA):</div>
<div class="meta-value" data-qa="movie-info-item-value">$439.2M</div>
</li>
<li class="meta-row clearfix" data-qa="movie-info-item">
<div class="meta-label subtle" data-qa="movie-info-item-label">Runtime:</div>
<div class="meta-value" data-qa="movie-info-item-value">
<time datetime="P1h 55mM">
1h 55m
</time>
</div>
</li>
<li class="meta-row clearfix" data-qa="movie-info-item">
<div class="meta-label subtle" data-qa="movie-info-item-label">Sound Mix:</div>
<div class="meta-value" data-qa="movie-info-item-value">
Surround, Dolby Stereo
</div>
</li>
<li class="meta-row clearfix" data-qa="movie-info-item">
<div class="meta-label subtle" data-qa="movie-info-item-label">Aspect Ratio:</div>
<div class="meta-value" data-qa="movie-info-item-value">
Flat (1.85:1)
</div>
</li>
</ul>
</div>
</div>
</section>
<div class="centered">
<aside class="medrec_ad visible-xs center mobile-medrec" id="medrec_mobile_mob_top_ad" style="width:300px"></aside>
<script>
var mps = mps||{}; mps._queue = mps._queue||{}; mps._queue.gptloaded = mps._queue.gptloaded||[];
mps._queue.gptloaded.push(function () {
if (mps.getResponsiveSet() == '0') { //MOBILE
mps.insertAd('#medrec_mobile_mob_top_ad','mboxadone');
}
});
</script>
</div>
<section class="panel panel-rt panel-box" data-qa="cast-crew-section" id="movie-cast">
<h2 class="panel-heading" data-qa="cast-crew-section-title">Cast & Crew</h2>
<div class="panel-body content_body">
<div class="castSection" data-qa="cast-section">
<div class="cast-item media inlineBlock" data-qa="cast-crew-item">
<div class="pull-left">
<a data-qa="cast-crew-item-img-link" href="/celebrity/henry_thomas">
<img class="js-lazyLoad actorThumb medium media-object" data-src="https://resizing.flixster.com/GhyR_iN5J4GUC1E8tdall2__Klc=/100x120/v2/https://flxt.tmsimg.com/assets/26487_v9_bb.jpg"/>
</a>
</div>
<div class="media-body">
<a class="unstyled articleLink" data-qa="cast-crew-item-link" href=" /celebrity/henry_thomas ">
<span title="Henry Thomas">
Henry Thomas
</span>
</a>
<span class="characters subtle smaller" title="Henry Thomas">
<br/>
Elliott
<br/>
</span>
</div>
</div>
<div class="cast-item media inlineBlock" data-qa="cast-crew-item">
<div class="pull-left">
<a data-qa="cast-crew-item-img-link" href="/celebrity/dee_wallace">
<img class="js-lazyLoad actorThumb medium media-object" data-src="https://resizing.flixster.com/9ce4S6gcN3qyW9gxmMxS4XVp1yA=/100x120/v2/https://flxt.tmsimg.com/assets/1713_v9_bb.jpg"/>
</a>
</div>
<div class="media-body">
<a class="unstyled articleLink" data-qa="cast-crew-item-link" href=" /celebrity/dee_wallace ">
<span title="Dee Wallace">
Dee Wallace
</span>
</a>
<span class="characters subtle smaller" title="Dee Wallace">
<br/>
Mary
<br/>
</span>
</div>
</div>
<div class="cast-item media inlineBlock" data-qa="cast-crew-item">
<div class="pull-left">
<a data-qa="cast-crew-item-img-link" href="/celebrity/peter_coyote">
<img class="js-lazyLoad actorThumb medium media-object" data-src="https://resizing.flixster.com/m1V1br-Oid6f6mNzCLD6Urars0U=/100x120/v2/https://flxt.tmsimg.com/assets/71731_v9_bb.jpg"/>
</a>
</div>
<div class="media-body">
<a class="unstyled articleLink" data-qa="cast-crew-item-link" href=" /celebrity/peter_coyote ">
<span title="Peter Coyote">
Peter Coyote
</span>
</a>
<span class="characters subtle smaller" title="Peter Coyote">
<br/>
Keys
<br/>
</span>
</div>
</div>
<div class="cast-item media inlineBlock" data-qa="cast-crew-item">
<div class="pull-left">
<a data-qa="cast-crew-item-img-link" href="/celebrity/drew_barrymore">
<img class="js-lazyLoad actorThumb medium media-object" data-src="https://resizing.flixster.com/B6upIDlHpM9gP88SpFYWeLbdl4s=/100x120/v2/https://flxt.tmsimg.com/assets/100_v9_bb.jpg"/>
</a>
</div>
<div class="media-body">
<a class="unstyled articleLink" data-qa="cast-crew-item-link" href=" /celebrity/drew_barrymore ">
<span title="Drew Barrymore">
Drew Barrymore
</span>
</a>
<span class="characters subtle smaller" title="Drew Barrymore">
<br/>
Gertie
<br/>
</span>
</div>
</div>
<div class="cast-item media inlineBlock" data-qa="cast-crew-item">
<div class="pull-left">
<a data-qa="cast-crew-item-img-link" href="/celebrity/tom_howell">
<img class="js-lazyLoad actorThumb medium media-object" data-src="https://resizing.flixster.com/3racoIc9kPB0Cm_Lq4t0ZApik-g=/100x120/v2/https://flxt.tmsimg.com/assets/804_v9_cc.jpg"/>
</a>
</div>
<div class="media-body">
<a class="unstyled articleLink" data-qa="cast-crew-item-link" href=" /celebrity/tom_howell ">
<span title="C. Thomas Howell">
C. Thomas Howell
</span>
</a>
<span class="characters subtle smaller" title="C. Thomas Howell">
<br/>
Tyler
<br/>
</span>
</div>
</div>
<div class="cast-item media inlineBlock" data-qa="cast-crew-item">
<div class="pull-left">
<a data-qa="cast-crew-item-img-link" href="/celebrity/robert-macnaughton">
<img class="js-lazyLoad actorThumb medium media-object" data-src="https://resizing.flixster.com/3z6XLjRHY3yskplNwGL2t59hcwU=/100x120/v2/https://flxt.tmsimg.com/assets/90708_v9_ba.jpg"/>
</a>
</div>
<div class="media-body">
<a class="unstyled articleLink" data-qa="cast-crew-item-link" href=" /celebrity/robert-macnaughton ">
<span title="Robert MacNaughton">
Robert MacNaughton
</span>
</a>
<span class="characters subtle smaller" title="Robert MacNaughton">
<br/>
Michael
<br/>
</span>
</div>
</div>
<div class="cast-item media inlineBlock moreCasts hide" data-qa="cast-crew-item">
<div class="pull-left">
<a data-qa="cast-crew-item-img-link" href="/celebrity/kc_martel">
<img class="js-lazyLoad actorThumb medium media-object" data-src="/assets/pizza-pie/images/poster_default_thumbnail.2ec144e61b4.jpg"/>
</a>
</div>
<div class="media-body">
<a class="unstyled articleLink" data-qa="cast-crew-item-link" href=" /celebrity/kc_martel ">
<span title="K.C. Martel">
K.C. Martel
</span>
</a>
<span class="characters subtle smaller" title="K.C. Martel">
<br/>
Greg
<br/>
</span>
</div>
</div>
<div class="cast-item media inlineBlock moreCasts hide" data-qa="cast-crew-item">
<div class="pull-left">
<a data-qa="cast-crew-item-img-link" href="/celebrity/sean_frye">
<img class="js-lazyLoad actorThumb medium media-object" data-src="/assets/pizza-pie/images/poster_default_thumbnail.2ec144e61b4.jpg"/>
</a>
</div>
<div class="media-body">
<a class="unstyled articleLink" data-qa="cast-crew-item-link" href=" /celebrity/sean_frye ">
<span title="Sean Frye">
Sean Frye
</span>
</a>
<span class="characters subtle smaller" title="Sean Frye">
<br/>
Steve
<br/>
</span>
</div>
</div>
<div class="cast-item media inlineBlock moreCasts hide" data-qa="cast-crew-item">
<div class="pull-left">
<a data-qa="cast-crew-item-img-link" href="/celebrity/steve_spielberg">
<img class="js-lazyLoad actorThumb medium media-object" data-src="https://resizing.flixster.com/KWGryASrIqVz1Tsbf8N4JklyOC8=/100x120/v2/https://flxt.tmsimg.com/assets/1672_v9_ba.jpg"/>
</a>
</div>
<div class="media-body">
<a class="unstyled articleLink" data-qa="cast-crew-item-link" href=" /celebrity/steve_spielberg ">
<span title="Steven Spielberg">
Steven Spielberg
</span>
</a>
<span class="characters subtle smaller" title="Steven Spielberg">
<br/>
Director
</span>
</div>
</div>
<div class="cast-item media inlineBlock moreCasts hide" data-qa="cast-crew-item">
<div class="pull-left">
<a data-qa="cast-crew-item-img-link" href="/celebrity/melissa_mathison">
<img class="js-lazyLoad actorThumb medium media-object" data-src="https://resizing.flixster.com/NZEBpfg7QGVVMnZf4C2rizTspHU=/100x120/v2/https://flxt.tmsimg.com/assets/79226_v9_ba.jpg"/>
</a>
</div>
<div class="media-body">
<a class="unstyled articleLink" data-qa="cast-crew-item-link" href=" /celebrity/melissa_mathison ">
<span title="Melissa Mathison">
Melissa Mathison
</span>
</a>
<span class="characters subtle smaller" title="Melissa Mathison">
<br/>
Screenwriter
</span>
</div>
</div>
<div class="cast-item media inlineBlock moreCasts hide" data-qa="cast-crew-item">
<div class="pull-left">
<a data-qa="cast-crew-item-img-link" href="/celebrity/melissa_mathison">
<img class="js-lazyLoad actorThumb medium media-object" data-src="https://resizing.flixster.com/NZEBpfg7QGVVMnZf4C2rizTspHU=/100x120/v2/https://flxt.tmsimg.com/assets/79226_v9_ba.jpg"/>
</a>
</div>
<div class="media-body">
<a class="unstyled articleLink" data-qa="cast-crew-item-link" href=" /celebrity/melissa_mathison ">
<span title="Melissa Mathison">
Melissa Mathison
</span>
</a>
<span class="characters subtle smaller" title="Melissa Mathison">
<br/>
Executive Producer
</span>
</div>
</div>
<div class="cast-item media inlineBlock moreCasts hide" data-qa="cast-crew-item">
<div class="pull-left">
<a data-qa="cast-crew-item-img-link" href="/celebrity/steve_spielberg">
<img class="js-lazyLoad actorThumb medium media-object" data-src="https://resizing.flixster.com/KWGryASrIqVz1Tsbf8N4JklyOC8=/100x120/v2/https://flxt.tmsimg.com/assets/1672_v9_ba.jpg"/>
</a>
</div>
<div class="media-body">
<a class="unstyled articleLink" data-qa="cast-crew-item-link" href=" /celebrity/steve_spielberg ">
<span title="Steven Spielberg">
Steven Spielberg
</span>
</a>
<span class="characters subtle smaller" title="Steven Spielberg">
<br/>
Producer
</span>
</div>
</div>
<div class="cast-item media inlineBlock moreCasts hide" data-qa="cast-crew-item">
<div class="pull-left">
<a data-qa="cast-crew-item-img-link" href="/celebrity/kathleen_kennedy">
<img class="js-lazyLoad actorThumb medium media-object" data-src="https://resizing.flixster.com/NG8yVpN9OE-NGzdCyDGogrdOckI=/100x120/v2/https://flxt.tmsimg.com/assets/322316_v9_bb.jpg"/>
</a>
</div>
<div class="media-body">
<a class="unstyled articleLink" data-qa="cast-crew-item-link" href=" /celebrity/kathleen_kennedy ">
<span title="Kathleen Kennedy">
Kathleen Kennedy
</span>
</a>
<span class="characters subtle smaller" title="Kathleen Kennedy">
<br/>
Producer
</span>
</div>
</div>
<div class="cast-item media inlineBlock moreCasts hide" data-qa="cast-crew-item">
<div class="pull-left">
<a data-qa="cast-crew-item-img-link" href="/celebrity/allen_daviau">
<img class="js-lazyLoad actorThumb medium media-object" data-src="https://resizing.flixster.com/jZwp4l-vz-VCc8mvoa74w90393w=/100x120/v2/https://flxt.tmsimg.com/assets/465579_v9_bb.jpg"/>
</a>
</div>
<div class="media-body">
<a class="unstyled articleLink" data-qa="cast-crew-item-link" href=" /celebrity/allen_daviau ">
<span title="Allen Daviau">
Allen Daviau
</span>
</a>
<span class="characters subtle smaller" title="Allen Daviau">
<br/>
Cinematographer
</span>
</div>
</div>
<div class="cast-item media inlineBlock moreCasts hide" data-qa="cast-crew-item">
<div class="pull-left">
<a data-qa="cast-crew-item-img-link" href="/celebrity/john_williams_19">
<img class="js-lazyLoad actorThumb medium media-object" data-src="https://resizing.flixster.com/Krzs35S2Xmuenv9ZmErJm9hnP1w=/100x120/v2/https://flxt.tmsimg.com/assets/516972_v9_bb.jpg"/>
</a>
</div>
<div class="media-body">
<a class="unstyled articleLink" data-qa="cast-crew-item-link" href=" /celebrity/john_williams_19 ">
<span title="John Williams">
John Williams
</span>
</a>
<span class="characters subtle smaller" title="John Williams">
<br/>
Original Music
</span>
</div>
</div>
<div class="cast-item media inlineBlock moreCasts hide" data-qa="cast-crew-item">
<div class="pull-left">
<a data-qa="cast-crew-item-img-link" href="/celebrity/carol_littleton">
<img class="js-lazyLoad actorThumb medium media-object" data-src="https://resizing.flixster.com/3S_1C4dL9bp6EFv2tt0rnimc6u4=/100x120/v2/https://flxt.tmsimg.com/assets/464134_v9_ba.jpg"/>
</a>
</div>
<div class="media-body">
<a class="unstyled articleLink" data-qa="cast-crew-item-link" href=" /celebrity/carol_littleton ">
<span title="Carol Littleton">
Carol Littleton
</span>
</a>
<span class="characters subtle smaller" title="Carol Littleton">
<br/>
Film Editing
</span>
</div>
</div>
<div class="cast-item media inlineBlock moreCasts hide" data-qa="cast-crew-item">
<div class="pull-left">
<a data-qa="cast-crew-item-img-link" href="/celebrity/jim_bissell">
<img class="js-lazyLoad actorThumb medium media-object" data-src="https://resizing.flixster.com/w7lEvZxcWfTVeO_h0sIez9xqtZw=/100x120/v2/https://flxt.tmsimg.com/assets/342147_v9_ba.jpg"/>
</a>
</div>
<div class="media-body">
<a class="unstyled articleLink" data-qa="cast-crew-item-link" href=" /celebrity/jim_bissell ">
<span title="Jim Bissell">
Jim Bissell
</span>
</a>
<span class="characters subtle smaller" title="Jim Bissell">
<br/>
Production Design
</span>
</div>
</div>
<div class="cast-item media inlineBlock moreCasts hide" data-qa="cast-crew-item">
<div class="pull-left">
<a data-qa="cast-crew-item-img-link" href="/celebrity/deborah_lynn_scott">
<img class="js-lazyLoad actorThumb medium media-object" data-src="/assets/pizza-pie/images/poster_default_thumbnail.2ec144e61b4.jpg"/>
</a>
</div>
<div class="media-body">
<a class="unstyled articleLink" data-qa="cast-crew-item-link" href=" /celebrity/deborah_lynn_scott ">
<span title="Deborah Lynn Scott">
Deborah Lynn Scott
</span>
</a>
<span class="characters subtle smaller" title="Deborah Lynn Scott">
<br/>
Costume Design
</span>
</div>
</div>
<div class="cast-item media inlineBlock moreCasts hide" data-qa="cast-crew-item">
<div class="pull-left">
<a data-qa="cast-crew-item-img-link" href="/celebrity/marci_liroff">
<img class="js-lazyLoad actorThumb medium media-object" data-src="https://resizing.flixster.com/FXs98JEuWS5Kr1VNujSpvoYN16Q=/100x120/v2/https://flxt.tmsimg.com/assets/458753_v9_aa.jpg"/>
</a>
</div>
<div class="media-body">
<a class="unstyled articleLink" data-qa="cast-crew-item-link" href=" /celebrity/marci_liroff ">
<span title="Marci Liroff">
Marci Liroff
</span>
</a>
<span class="characters subtle smaller" title="Marci Liroff">
<br/>
Casting
</span>
</div>
</div>
<div class="cast-item media inlineBlock moreCasts hide" data-qa="cast-crew-item">
<div class="pull-left">
<a data-qa="cast-crew-item-img-link" href="/celebrity/mike_fenton">
<img class="js-lazyLoad actorThumb medium media-object" data-src="https://resizing.flixster.com/jL98Q36plHSRbJx5TRrM32YyxA8=/100x120/v2/https://flxt.tmsimg.com/assets/465031_v9_ba.jpg"/>
</a>
</div>
<div class="media-body">
<a class="unstyled articleLink" data-qa="cast-crew-item-link" href=" /celebrity/mike_fenton ">
<span title="Mike Fenton">
Mike Fenton
</span>
</a>
<span class="characters subtle smaller" title="Mike Fenton">
<br/>
Casting
</span>
</div>
</div>
</div>
<a class="unstyled articleLink" data-qa="cast-crew-show-more-btn" href="javascript:void(0)" id="showMoreCastAndCrew">
Show all Cast & Crew <span class="caret"></span>
</a>
</div>
</section>
<section class="panel panel-rt panel-box" data-qa="news-section" id="newsSection">
<h2 class="panel-heading" data-qa="news-section-title">News & Interviews for <em>E.T. the Extra-Terrestrial</em></h2>
<div class="panel-body content_body">
<div class="news-article-wrap">
<div class="news-article" data-qa="news-article">
<a data-qa="news-article-link" href="https://editorial.rottentomatoes.com/article/know-your-critic-max-weiss-editor-in-chief-at-baltimore-magazine/">
<div class="news-article-image js-lazyLoad" data-bg-image="true" data-src="https://prd-rteditorial.s3.us-west-2.amazonaws.com/wp-content/uploads/2022/05/25134900/RT_Critic-Column_Max-Weiss_600x314.png" style="background-size: cover;"></div>
<div class="news-article-title">
Know Your Critic: Max Weiss, Editor-in-Chief at <em>Baltimore Magazine</em>
<!-- for "features"-->
<div><strong></strong></div>
</div>
</a>
</div>
<div class="news-article" data-qa="news-article">
<a data-qa="news-article-link" href="https://editorial.rottentomatoes.com/article/rita-morenos-five-favorite-films/">
<div class="news-article-image js-lazyLoad" data-bg-image="true" data-src="https://prd-rteditorial.s3.us-west-2.amazonaws.com/wp-content/uploads/2021/06/14153747/Rita-Moreno.jpg" style="background-size: cover;"></div>
<div class="news-article-title">
Rita Moreno’s Five Favorite Films
<!-- for "features"-->
<div><strong></strong></div>
</div>
</a>
</div>
<div class="news-article" data-qa="news-article">
<a data-qa="news-article-link" href="https://editorial.rottentomatoes.com/article/not-seeing-ready-player-one-here-are-three-other-spielberg-movies-for-your-kids-and-teens/">
<div class="news-article-image js-lazyLoad" data-bg-image="true" data-src="https://prd-rteditorial.s3.us-west-2.amazonaws.com/wp-content/uploads/2018/03/30163137/Ready-Player-One-PG.jpg" style="background-size: cover;"></div>
<div class="news-article-title">
Not Seeing <em>Ready Player One</em>? Here Are Three Other Spielberg Movies for Your Kids and Teens
<!-- for "features"-->
<div><strong></strong></div>
</div>
</a>
</div>
<hr/>
</div>
<div class="view-all-wrap">
<a data-qa="news-view-all-link" href=" https://editorial.rottentomatoes.com/more-related-content/?relatedmovieid=9ac889c9-a513-3596-a647-ab4f4554112f ">View All</a>
</div>
</div>
</section>
<section class="panel panel-rt panel-box criticReviewsModule" data-qa="section:critics-reviews" id="criticReviewsModule">
<h2 class="panel-heading" data-qa="critics-reviews-title">
<a class="unstyled" href="/m/et_the_extraterrestrial/reviews">Critic Reviews for <em>E.T. the Extra-Terrestrial</em></a>
</h2>
<div class="panel-body content_body">
<div class="reviews-wrap" data-qa="critic-reviews">
<div class="links-wrap" data-qa="critic-reviews-filter">
<a data-qa="critic-reviews-all-filter" href="/m/et_the_extraterrestrial/reviews">All Critics (139)</a>
<span>|</span>
<a data-qa="critic-reviews-top-filter" href="/m/et_the_extraterrestrial/reviews?type=top_critics">Top Critics (44)</a>
<span>|</span>
<a data-qa="critic-reviews-fresh-filter" href="/m/et_the_extraterrestrial/reviews?sort=fresh">Fresh (137)</a>
<span>|</span>
<a data-qa="critic-reviews-rotten-filter" href="/m/et_the_extraterrestrial/reviews?sort=rotten">Rotten (2)</a>
<span></span>
</div>
<critic-review-manager hidden=""></critic-review-manager>
<review-speech-balloon createdate="November 9, 2021" criticimageurl="https://images.fandango.com/cms/assets/5b6ff500-1663-11ec-ae31-05a670d2d590--rtactordefault.png" data-qa="critic-review" istopcritic="true" originalscore="5/5" reviewquote="Don't be intimidated by those long lines. E.T. is worth standing in line for. Steven Spielberg's story is the essence of fairy-tale simplicity." scorestate="fresh" skeleton="panel">
<a data-qa="full-review-link" href="https://www.newspapers.com/clip/88596229/et/" slot="review-url" target="_blank">
Full Review…
</a>
<a class="unstyled articleLink critic-name" data-qa="critic-name" href="/critics/scott-cain" slot="critic-link">
Scott Cain
</a>
<a class="critic-source small subtle articleLink" data-qa="source-link" href="/critics/source/23" slot="publication-link">
Atlanta Journal-Constitution
</a>
</review-speech-balloon>
<review-speech-balloon createdate="November 12, 2018" criticimageurl="http://resizing.flixster.com/KSucoLNeq7_9PSrl7om9-ZaD1DE=/128x128/v1.YzszNDUzO2o7MTkyNjA7MjA0ODszMDA7MzAw" data-qa="critic-review" istopcritic="true" originalscore="" reviewquote="This is a real movie, with all those elements that have proved sure-fire through history; Laughter, tears, involvement, thrills, wonderment. Steven Spielberg also adds a message: Human beings and spacelings should learn to co-exist." scorestate="fresh" skeleton="panel">
<a data-qa="full-review-link" href="https://cdnc.ucr.edu/cgi-bin/cdnc?a=d&d=DS19820617.2.111" slot="review-url" target="_blank">
Full Review…
</a>
<a class="unstyled articleLink critic-name" data-qa="critic-name" href="/critics/bob-thomas" slot="critic-link">
Bob Thomas
</a>
<a class="critic-source small subtle articleLink" data-qa="source-link" href="/critics/source/531" slot="publication-link">
Associated Press
</a>
</review-speech-balloon>
<review-speech-balloon createdate="May 29, 2018" criticimageurl="https://images.fandango.com/cms/assets/5b6ff500-1663-11ec-ae31-05a670d2d590--rtactordefault.png" data-qa="critic-review" istopcritic="true" originalscore="" reviewquote="Spielberg has crafted with warmth and humor a simple fantasy that works so superbly on so many levels that it will surely attract masses of moviegoers from all demographics." scorestate="fresh" skeleton="panel">
<a data-qa="full-review-link" href="https://www.hollywoodreporter.com/amp/review/review-1982-movie-1019278" slot="review-url" target="_blank">
Full Review…
</a>
<a class="unstyled articleLink critic-name" data-qa="critic-name" href="/critics/martin-kent" slot="critic-link">
Martin Kent
</a>
<a class="critic-source small subtle articleLink" data-qa="source-link" href="/critics/source/213" slot="publication-link">
Hollywood Reporter
</a>
</review-speech-balloon>
<review-speech-balloon createdate="April 26, 2018" criticimageurl="https://images.fandango.com/cms/assets/5b6ff500-1663-11ec-ae31-05a670d2d590--rtactordefault.png" data-qa="critic-review" istopcritic="true" originalscore="" reviewquote="Steven Spielberg's E. T., The Extra-Terrestrial is the best cinematic fairy tale since The Wizard of Oz." scorestate="fresh" skeleton="panel">
<a data-qa="full-review-link" href="http://pqasb.pqarchiver.com/boston-sub/doc/294145796.html?FMT=FT&FMTS=ABS:FT&type=current&date=Jun+11%2C+1982&author=Michael+Blowen+Globe+Staff&pub=Boston+Globe+%28pre-1997+Fulltext%29&edition=&startpage=1&desc=REVIEW+%2F+MOVIE%3B+STEVEN+SPIELBERG%27S+E.+" slot="review-url" target="_blank">
Full Review…
</a>
<a class="unstyled articleLink critic-name" data-qa="critic-name" href="/critics/bruce-mccabe" slot="critic-link">
Bruce McCabe
</a>
<a class="critic-source small subtle articleLink" data-qa="source-link" href="/critics/source/44" slot="publication-link">
Boston Globe
</a>
</review-speech-balloon>
<review-speech-balloon createdate="March 20, 2018" criticimageurl="https://images.fandango.com/cms/assets/5b6ff500-1663-11ec-ae31-05a670d2d590--rtactordefault.png" data-qa="critic-review" istopcritic="true" originalscore="" reviewquote="E.T. ...comes to a beleaguered industry like a gift from the gods. Not only does it get bums on seats but it encourages the kind of shared enjoyment that suggests the cinema still has something unique to offer." scorestate="fresh" skeleton="panel">
<a data-qa="full-review-link" href="https://www.theguardian.com/film/1982/dec/09/derekmalcolmscenturyoffilm" slot="review-url" target="_blank">
Full Review…
</a>
<a class="unstyled articleLink critic-name" data-qa="critic-name" href="/critics/derek-malcolm" slot="critic-link">
Derek Malcolm
</a>
<a class="critic-source small subtle articleLink" data-qa="source-link" href="/critics/source/205" slot="publication-link">
Guardian
</a>
</review-speech-balloon>
<review-speech-balloon createdate="February 9, 2018" criticimageurl="https://images.fandango.com/cms/assets/5b6ff500-1663-11ec-ae31-05a670d2d590--rtactordefault.png" data-qa="critic-review" istopcritic="true" originalscore="" reviewquote="The marvel of this extraordinary movie is that it captures for even the most jaded grownup that pleasurable state of innocence and awe that only children are fortunate enough to experience." scorestate="fresh" skeleton="panel">
<a data-qa="full-review-link" href="http://www.nydailynews.com/entertainment/movies/e-t-extra-terrestrial-1982-review-article-1.2665682" slot="review-url" target="_blank">
Full Review…
</a>
<a class="unstyled articleLink critic-name" data-qa="critic-name" href="/critics/kathleen-carroll-16757" slot="critic-link">
Kathleen Carroll
</a>
<a class="critic-source small subtle articleLink" data-qa="source-link" href="/critics/source/586" slot="publication-link">
New York Daily News
</a>
</review-speech-balloon>
<review-speech-balloon createdate="August 20, 2022" criticimageurl="http://resizing.flixster.com/NqIhwOiWXDWsDbLANBd0KAHYAck=/128x128/v1.YzsxMDAwMDAyNTkzO2o7MTkyNjk7MjA0ODs1MDA7NTAw" data-qa="critic-review" istopcritic="false" originalscore="" reviewquote="Is…is this Spielberg’s best movie?" scorestate="fresh" skeleton="panel">
<a data-qa="full-review-link" href="https://615film.com/the-letterboxd-files-with-cory-volume-7/" slot="review-url" target="_blank">
Full Review…
</a>
<a class="unstyled articleLink critic-name" data-qa="critic-name" href="/critics/cory-woodroof" slot="critic-link">
Cory Woodroof
</a>
<a class="critic-source small subtle articleLink" data-qa="source-link" href="/critics/source/100009562" slot="publication-link">
615 Film
</a>
</review-speech-balloon>
<review-speech-balloon createdate="August 14, 2022" criticimageurl="http://resizing.flixster.com/WUcHHqWbfp92J3v-uzlpaij5IlM=/128x128/v1.YzszMDc5O2o7MTkyNjA7MjA0ODszMDA7MzAw" data-qa="critic-review" istopcritic="false" originalscore="5/5" reviewquote="The film has more heart, finesse, performance, and magic in single scenes than some movies have in their entire running time, and does it with an animatronic special effect as a main character. " scorestate="fresh" skeleton="panel">
<a data-qa="full-review-link" href="https://www.everymoviehasalesson.com/blog/2012/10/vintage-review-et-extraterrestrial" slot="review-url" target="_blank">
Full Review…
</a>
<a class="unstyled articleLink critic-name" data-qa="critic-name" href="/critics/don-shanahan" slot="critic-link">
Don Shanahan
</a>
<a class="critic-source small subtle articleLink" data-qa="source-link" href="/critics/source/3147" slot="publication-link">
Every Movie Has a Lesson
</a>
</review-speech-balloon>
<review-speech-balloon createdate="July 29, 2022" criticimageurl="https://images.fandango.com/cms/assets/5b6ff500-1663-11ec-ae31-05a670d2d590--rtactordefault.png" data-qa="critic-review" istopcritic="false" originalscore="" reviewquote="I laughed, cried and clapped my way through all 95 minutes of it. " scorestate="fresh" skeleton="panel">
<a data-qa="full-review-link" href="https://archive.org/details/Starburst_Magazine_053_1983-01_Marvel-UK/page/n21/mode/2up?view=theater" slot="review-url" target="_blank">
Full Review…
</a>
<a class="unstyled articleLink critic-name" data-qa="critic-name" href="/critics/richard-holliss" slot="critic-link">
Richard Holliss
</a>
<a class="critic-source small subtle articleLink" data-qa="source-link" href="/critics/source/2424" slot="publication-link">
Starburst
</a>
</review-speech-balloon>
<review-speech-balloon createdate="May 27, 2022" criticimageurl="http://resizing.flixster.com/4S2FdLJUyzwezgljz6DXCkiRlP0=/128x128/v1.YzsyNjA0O2c7MTkyNjA7MjA0ODsxNTA7MTUw" data-qa="critic-review" istopcritic="false" originalscore="5/5" reviewquote="One of the most important films of the 1980s, one that has continued to have influence in the four decades since." scorestate="fresh" skeleton="panel">
<a data-qa="full-review-link" href="https://tilt.goombastomp.com/film/et-the-extra-terrestrial-15-things-you-may-not-know-about-steven-spielbergs-masterpiece/" slot="review-url" target="_blank">
Full Review…
</a>
<a class="unstyled articleLink critic-name" data-qa="critic-name" href="/critics/stephen-silver" slot="critic-link">
Stephen Silver
</a>
<a class="critic-source small subtle articleLink" data-qa="source-link" href="/critics/source/3944" slot="publication-link">
Tilt Magazine
</a>
</review-speech-balloon>
<review-speech-balloon createdate="November 11, 2021" criticimageurl="https://images.fandango.com/cms/assets/5b6ff500-1663-11ec-ae31-05a670d2d590--rtactordefault.png" data-qa="critic-review" istopcritic="false" originalscore="4/4" reviewquote="It's a magically wonderful movie. Children and adults will love Steven Spielberg's film about a person from outer space, stranded on earth. It's humorous and marvelous all the way." scorestate="fresh" skeleton="panel">
<a data-qa="full-review-link" href="https://www.newspapers.com/clip/88707935/et/" slot="review-url" target="_blank">
Full Review…
</a>
<a class="unstyled articleLink critic-name" data-qa="critic-name" href="/critics/judy-stone" slot="critic-link">
Judy Stone
</a>
<a class="critic-source small subtle articleLink" data-qa="source-link" href="/critics/source/403" slot="publication-link">
San Francisco Examiner
</a>
</review-speech-balloon>
<review-speech-balloon createdate="November 10, 2021" criticimageurl="https://images.fandango.com/cms/assets/5b6ff500-1663-11ec-ae31-05a670d2d590--rtactordefault.png" data-qa="critic-review" istopcritic="false" originalscore="" reviewquote="After doing not much more in Raiders [of the Lost Ark] than flexing his muscles, Spielberg has come through again -- he's the Fellini of our electronic games culture." scorestate="fresh" skeleton="panel">
<a data-qa="full-review-link" href="https://www.newspapers.com/clip/88692524/et/" slot="review-url" target="_blank">
Full Review…
</a>
<a class="unstyled articleLink critic-name" data-qa="critic-name" href="/critics/michael-ventura" slot="critic-link">
Michael Ventura
</a>
<a class="critic-source small subtle articleLink" data-qa="source-link" href="/critics/source/251" slot="publication-link">
L.A. Weekly
</a>
</review-speech-balloon>
<div class="view-all-wrap">
<a data-qa="critic-reviews-view-all-link" href="/m/et_the_extraterrestrial/reviews">View All Critic Reviews (139)</a>
</div>
</div>
</div>
</section>
<!-- salt=showersham-c880 -->
<section class="panel panel-rt panel-box" data-qa="audience-reviews" id="audience_reviews">
<h2 class="panel-heading">Audience Reviews for <em>E.T. the Extra-Terrestrial</em></h2>
<div aria-live="polite" class="sr-only js-clamp-live-region"></div>
<ul class="mop-audience-reviews__reviews-wrap clearfix">
<li class="mop-audience-reviews__review-item pull-left cl" data-qa="quote-bubble">
<div class="mop-audience-reviews__review-quote" data-qa="quote-bubble-review">
<div class="clearfix">
<span class="star-display" data-qa="star-display"><span class="star-display__filled"></span><span class="star-display__filled"></span><span class="star-display__empty"></span><span class="star-display__empty"></span><span class="star-display__empty"></span></span>
<span class="mop-audience-reviews__review--duration">Oct 22, 2016</span>
</div>
<div class="mop-audience-reviews__review--comment clamp clamp-4 js-clamp">Honestly it's Spielberg's most overrated film. However technically proficient the filmmaking may be the sentimentality is cloying and emotionally manipulative.</div>
</div>
<div class="mop-audience-reviews__review--user-wrap">
<a href="/user/id/790680964">
<img class="mop-audience-reviews__review--user-avatar" src="https://graph.facebook.com/v3.3/20312798/picture"/>
</a>
<div class="mop-audience-reviews__review--name-wrap">
<a href="/user/id/790680964">
<span class="mop-audience-reviews__review--name">Alec B</span>
</a>
<strong class="super-reviewer-badge">Super Reviewer</strong>
</div>
</div>
</li>
<li class="mop-audience-reviews__review-item pull-right cr" data-qa="quote-bubble">
<div class="mop-audience-reviews__review-quote" data-qa="quote-bubble-review">
<div class="clearfix">
<span class="star-display" data-qa="star-display"><span class="star-display__filled"></span><span class="star-display__filled"></span><span class="star-display__filled"></span><span class="star-display__filled"></span><span class="star-display__filled"></span></span>
<span class="mop-audience-reviews__review--duration">Jan 12, 2016</span>
</div>
<div class="mop-audience-reviews__review--comment clamp clamp-4 js-clamp">So I just rewatched this movie after not seeing it in a very long time.
This is one of the greatest movies ever made. Truly reminds me of the magic of cinema.</div>
</div>
<div class="mop-audience-reviews__review--user-wrap">
<a href="/user/id/903073695">
<span class="mop-audience-reviews__review--user-default"></span>
</a>
<div class="mop-audience-reviews__review--name-wrap">
<a href="/user/id/903073695">
<span class="mop-audience-reviews__review--name">Joey T</span>
</a>
<strong class="super-reviewer-badge">Super Reviewer</strong>
</div>
</div>
</li>
<li class="mop-audience-reviews__review-item pull-left cl" data-qa="quote-bubble">
<div class="mop-audience-reviews__review-quote" data-qa="quote-bubble-review">
<div class="clearfix">
<span class="star-display" data-qa="star-display"><span class="star-display__filled"></span><span class="star-display__filled"></span><span class="star-display__filled"></span><span class="star-display__filled"></span><span class="star-display__half"></span></span>
<span class="mop-audience-reviews__review--duration">Nov 14, 2015</span>
</div>
<div class="mop-audience-reviews__review--comment clamp clamp-4 js-clamp">"E.T. - The Extra Terrestrial" is an amazing Family movie. "E.T. - The Extra Terrestrial" has an amazing story, great acting and pretty good special effects. This movie is an extremely entertaining movie to watch. There are a few issues with this movie one being people over-reacting and another being some unanswered questions. Despite those issues "E.T. - The Extra Terrestrial" is a fun family movie and I give it a 9/10.</div>
</div>
<div class="mop-audience-reviews__review--user-wrap">
<a href="/user/id/972040407">
<span class="mop-audience-reviews__review--user-default"></span>
</a>
<div class="mop-audience-reviews__review--name-wrap">
<a href="/user/id/972040407">
<span class="mop-audience-reviews__review--name">Steve G</span>
</a>
<strong class="super-reviewer-badge">Super Reviewer</strong>
</div>
</div>
</li>
<li class="mop-audience-reviews__review-item pull-right cr" data-qa="quote-bubble">
<div class="mop-audience-reviews__review-quote" data-qa="quote-bubble-review">
<div class="clearfix">
<span class="star-display" data-qa="star-display"><span class="star-display__filled"></span><span class="star-display__filled"></span><span class="star-display__filled"></span><span class="star-display__filled"></span><span class="star-display__filled"></span></span>
<span class="mop-audience-reviews__review--duration">Oct 16, 2015</span>
</div>
<div class="mop-audience-reviews__review--comment clamp clamp-4 js-clamp">One of the greatest films ever made. Emotional roller coaster throughout the film. One of the few movies to ever make me cry. Without question should be watched by everyone more not just once but multiple times.</div>
</div>
<div class="mop-audience-reviews__review--user-wrap">
<a href="/user/id/954182656">
<span class="mop-audience-reviews__review--user-default"></span>
</a>
<div class="mop-audience-reviews__review--name-wrap">
<a href="/user/id/954182656">
<span class="mop-audience-reviews__review--name">Kameron W</span>
</a>
<strong class="super-reviewer-badge">Super Reviewer</strong>
</div>
</div>
</li>
</ul>
<div class="mop-audience-reviews__view-all clearfix">
<a class="mop-audience-reviews__view-all--link" data-qa="audience-reviews-view-all-link" href="/m/et_the_extraterrestrial/reviews?type=user">
See All Audience reviews
</a>
</div>
</section>
<section class="movie-and-tv-guides panel-rt" data-curation="rt-hp-movie-and-tv-guides" data-qa="section:movie-tv-guides" id="movie-and-tv-guides">
<div class="movie-and-tv-guides__header v3">
<h2 class="panel-heading" data-qa="movie-tv-guides-title">Movie & TV guides</h2>
<a class="a--short v3" data-qa="news-view-all-link" href="https://editorial.rottentomatoes.com/more-related-content/">View All</a>
</div>
<div class="movie-and-tv-guides__body panel-body">
<ul class="movie-and-tv-guides__items">
<li class="movie-and-tv-guides-item">
<a data-qa="news-article-link" href="https://editorial.rottentomatoes.com/article/most-anticipated-movies-of-2022/">
<img alt="Most Anticipated 2022 Movies" class="js-lazyLoad movie-and-tv-guides-item__image home__thumbnail" data-src="https://resizing.flixster.com/x2oeSqKSe8StdsRmScH_G9H11cM=/370x208/v2/https://images.fandango.com/cms/assets/aa061d00-2960-11ed-bbb0-99bdf247c629--blackpanther.jpg" href="/images/video.default.jpg"/>
<p class="movie-and-tv-guides-item__main">
<span class="movie-and-tv-guides-item__header v3">Most Anticipated 2022 Movies </span>
</p>
</a>
</li>
<li class="movie-and-tv-guides-item">
<a data-qa="news-article-link" href="https://editorial.rottentomatoes.com/guide/2022-horror-movies-ranked/">
<img alt="Best Horror Movies of 2022" class="js-lazyLoad movie-and-tv-guides-item__image home__thumbnail" data-src="https://resizing.flixster.com/zcjBQC_b5YQgWNqyyrWloS4xVvo=/370x208/v2/https://images.fandango.com/cms/assets/f71b5a10-322f-11ed-b2f6-e1f3892e3f59--550barbarian-bo.jpg" href="/images/video.default.jpg"/>
<p class="movie-and-tv-guides-item__main">
<span class="movie-and-tv-guides-item__header v3">Best Horror Movies of 2022 </span>
</p>
</a>
</li>
<li class="movie-and-tv-guides-item">
<a data-qa="news-article-link" href="https://editorial.rottentomatoes.com/guide/marvel-movies-in-order/">
<img alt="Marvel Movies & TV In Order" class="js-lazyLoad movie-and-tv-guides-item__image home__thumbnail" data-src="https://resizing.flixster.com/-HgPLK5Kysiq25eOpTq_ZCUHusY=/370x208/v2/https://images.fandango.com/cms/assets/1373afd0-23cd-11ed-b2f6-e1f3892e3f59--550she-hulk-s1e2-sneak-peek.jpg" href="/images/video.default.jpg"/>
<p class="movie-and-tv-guides-item__main">
<span class="movie-and-tv-guides-item__header v3">Marvel Movies & TV In Order </span>
</p>
</a>
</li>
<li class="movie-and-tv-guides-item">
<a data-qa="news-article-link" href="https://editorial.rottentomatoes.com/article/2022-most-anticipated-tv-and-streaming-new-and-returning-shows/">
<img alt="Most Anticipated 2022 TV & Streaming" class="js-lazyLoad movie-and-tv-guides-item__image home__thumbnail" data-src="https://resizing.flixster.com/2nBgq4G6vENC9pvAvAkInSlJVss=/370x208/v2/https://images.fandango.com/cms/assets/792dd740-2960-11ed-b2f6-e1f3892e3f59--andor.jpg" href="/images/video.default.jpg"/>
<p class="movie-and-tv-guides-item__main">
<span class="movie-and-tv-guides-item__header v3">Most Anticipated 2022 TV & Streaming </span>
</p>
</a>
</li>
</ul>
</div>
</section>
<aside class="medrec_ad visible-xs center mobile-medrec" id="medrec_mobile_mob_bottom_ad" style="width:300px"></aside>
<script>
var mps = mps||{}; mps._queue = mps._queue||{}; mps._queue.gptloaded = mps._queue.gptloaded||[];
mps._queue.gptloaded.push(function () {
if (mps.getResponsiveSet() == '0') { //MOBILE
mps.insertAd('#medrec_mobile_mob_bottom_ad','mboxadtwo');
}
});
</script>
<script id="score-details-json" type="application/json">{"scoreboard":{"audienceBandedRatingCount":"250,000+","audienceCount":32314349,"audienceCountHref":"/m/et_the_extraterrestrial/reviews?type=user&intcmp=rt-scorecard_audience-score-reviews","audienceRatingCopy":"Ratings","audienceScore":72,"audienceState":"upright","hasVerifiedAudienceScore":false,"info":"1982, Kids & family/Sci-fi, 1h 55m","rating":"PG","title":"E.T. the Extra-Terrestrial","tomatometerCount":139,"tomatometerCountHref":"/m/et_the_extraterrestrial/reviews?intcmp=rt-scorecard_tomatometer-reviews","tomatometerScore":99,"tomatometerState":"certified-fresh"},"modal":{"audienceScoreAll":{"averageRating":"3.5","bandedRatingCount":"250,000+","likedCount":82689,"notLikedCount":32311,"ratingCount":32314349,"reviewCount":1318882,"scoreType":"ALL","audienceClass":"upright","score":72},"audienceScoreVerified":{"averageRating":null,"bandedRatingCount":"0","likedCount":0,"notLikedCount":0,"ratingCount":0,"reviewCount":0,"scoreType":"VERIFIED","audienceClass":null,"score":null},"hasTomatometerScoreAll":true,"hasTomatometerScoreTop":true,"hasAudienceScoreAll":true,"hasAudienceScoreVerified":false,"scoreDetailDescription":{"verifiedAudienceScoreMsg":"The percentage of users who made a verified movie ticket purchase rating this 3.5 stars or higher. <a href=\"https://editorial.rottentomatoes.com/article/introducing-verified-audience-score/\" target=\"_blank\">Learn more</a>","allAudienceScoreMsg":"The percentage of users who rated this 3.5 stars or higher.","nonVerifiableAudienceScoreMsg":"There is no Audience Score because there are not enough user ratings at this time.","tomatometerMsg":"The percentage of Approved Tomatometer Critics who have given this movie a positive review"},"tomatometerScoreAll":{"averageRating":"9.20","bandedRatingCount":"","likedCount":137,"notLikedCount":2,"ratingCount":139,"reviewCount":139,"scoreType":"","tomatometerState":"certified-fresh","score":99},"tomatometerScoreTop":{"averageRating":"9.20","bandedRatingCount":"","likedCount":43,"notLikedCount":1,"ratingCount":44,"reviewCount":44,"scoreType":"","tomatometerState":"certified-fresh","score":98}}}</script>
<score-details-manager></score-details-manager>
<overlay-base hidden="" score-details="">
<score-details data-qa="modal:scoreDetail" slot="content">
<button class="overlay-base-btn" data-qa="score-detail-close-btn" slot="btn-close">
<rt-icon icon="close" image=""></rt-icon>
</button>
<score-details-critics data-qa="score-detail-critics-section" slot="critics">
<tool-tip data-qa="tool-tip" description="The percentage of Approved Tomatometer Critics who have given this movie a positive review." slot="tooltip" title="About tomatometer" tomatometer="">
<button slot="tool-tip-btn"><rt-icon data-qa="tool-tip-btn" icon="question-circled" image=""></rt-icon></button>
</tool-tip>
<filter-chip active="true" data-qa="all-critics-btn" label="ALL CRITICS" slot="btn-all-critics">
<label class="filter-label" slot="label">ALL CRITICS</label>
</filter-chip>
<filter-chip data-qa="top-critics-btn" label="TOP CRITICS" slot="btn-top-critics">
<label class="filter-label" slot="label">TOP CRITICS</label>
</filter-chip>
</score-details-critics>
<score-details-audience data-qa="score-detail-audience-section" slot="audience">
<tool-tip audience="" data-qa="tool-tip" description="The percentage of users who rated this 3.5 stars or higher." encodedhtml="" slot="tooltip" title="About audience score">
<button slot="tool-tip-btn"><rt-icon data-qa="tool-tip-btn" icon="question-circled" image=""></rt-icon></button>
</tool-tip>
<filter-chip active="true" data-qa="verified-audience-btn" label="VERIFIED AUDIENCE" slot="btn-verified-audience">
<label class="filter-label" slot="label">VERIFIED AUDIENCE</label>
</filter-chip>
<filter-chip data-qa="all-audience-btn" label="ALL AUDIENCE" slot="btn-all-audience">
<label class="filter-label" slot="label">ALL AUDIENCE</label>
</filter-chip>
</score-details-audience>
</score-details>
</overlay-base>
<a class="sticky-footer-link" href="https://www.rottentomatoes.com/browse/movies_at_home/sort:popular?page=1&cmp=rt_sticky_footer">
<sticky-footer description="Most Popular at Home Now" icon="none" name="" track="most-popular-at-home-now">
</sticky-footer>
</a>
</div>
<section class="error-toaster error-toaster--hidden js-error-toaster">
<div class="error-toaster__inner">
<div class="error-toaster__header js-error-toaster-header"></div>
<div class="error-toaster__message js-error-toaster-message"></div>
</div>
<div class="error-toaster__close-button-wrap">
<button class="error_toaster__close-button js-error-toaster-close-button"></button>
</div>
</section>
<aside class="js-score-detail-drawer-help-tomatometer score-detail-drawer mobile-drawer" data-qa="tomatometer-tool-tip">
<div class="js-mobile-drawer-backdrop-close-btn mobile-drawer__backdrop"></div>
<div class="mobile-drawer__content score-detail-drawer__content" data-qa="tool-tip-content">
<div class="mobile-drawer__header score-detail-drawer__header">
<h1 class="score-detail-drawer__title" data-qa="tool-tip-title">About Tomatometer</h1>
<button class="js-mobile-drawer-backdrop-close-btn score-detail-drawer__close-btn a modal__close-btn--large" data-qa="tool-tip-close-btn"></button>
</div>
<div class="mobile-drawer__body score-detail-drawer__body">
<p class="score-detail__drawer-text" data-qa="tool-tip-text"></p>
</div>
</div>
</aside>
<aside class="js-score-detail-drawer-help-audience-score score-detail-drawer mobile-drawer" data-qa="audience-score-tool-tip">
<div class="js-mobile-drawer-backdrop-close-btn mobile-drawer__backdrop"></div>
<div class="mobile-drawer__content score-detail-drawer__content" data-qa="tool-tip-content">
<div class="mobile-drawer__header score-detail-drawer__header">
<h3 class="score-detail-drawer__title" data-qa="tool-tip-title">About Audience Score</h3>
<button class="js-mobile-drawer-backdrop-close-btn score-detail-drawer__close-btn a modal__close-btn--large" data-qa="tool-tip-close-btn"></button>
</div>
<div class="mobile-drawer__body score-detail-drawer__body">
<p class="score-detail__tooltip-text" data-qa="tool-tip-text"></p>
</div>
</div>
</aside>
<script id="curation-json" type="application/json">{"emsId":"9ac889c9-a513-3596-a647-ab4f4554112f","hasShowtimes":true,"rtId":"10489","type":"movie"}</script>
</div>
<div class="sleaderboard_wrapper hidden-xs mobile-hidden">
<div id="leaderboard_bottom_ad" style="margin-left:auto;margin-right:auto;display:inline-block"> </div>
<script>
var mps = mps||{}; mps._queue = mps._queue||{}; mps._queue.gptloaded = mps._queue.gptloaded||[];
mps._queue.gptloaded.push(function () {
if (mps.getResponsiveSet() != '0') { //DESKTOP or TABLET
mps.insertAd('#leaderboard_bottom_ad','bottombanner');
}
});
</script>
</div>
<!--
<c:set var="onloadJs">
if(!$("#[skin]_ad").is(":visible")){$("body").removeAttr("style");}
</c:set>
-->
<style>#[skin]_ad { height:0px !important; }</style>
<div id="[skin]_ad"></div>
<footer class="footer hidden-xs" id="foot">
<div class="row">
<div class="col-xs-5 subnav">
<ul class="unstyled">
<li><a href="/help_desk/" id="footer-help">Help</a></li>
<li><a href="/about/" id="footer-about">About Rotten Tomatoes</a></li>
<li><a href="/about#whatisthetomatometer" id="footer-tomatometer" style="cursor: pointer;">What's the Tomatometer<sup>®</sup>?</a></li>
<li id="footer-feedback">
</li>
</ul>
</div>
<div class="col-xs-4 subnav">
<ul>
<li><a href="/critics/criteria/" id="footer-critics">Critic Submission</a></li>
<li><a href="/help_desk/licensing/" id="footer-licensing">Licensing</a></li>
<li><a href="https://together.nbcuni.com/advertise/?utm_source=rotten_tomatoes&utm_medium=referral&utm_campaign=property_ad_pages&utm_content=footer" id="footer-advertise">Advertise With Us</a></li>
<li><a href="//www.fandango.com/careers" id="footer-jobs">Careers</a></li>
</ul>
</div>
<div class="col-xs-7 subnav center">
<h2><span class="glyphicon glyphicon-envelope envelope"></span>JOIN THE NEWSLETTER</h2>
<div class="default-half-margin-vertical" id="footer-center-text">
Get the freshest reviews, news, and more delivered right to your inbox!
</div>
<div class="default-margin">
<button class="js-cognito-join-newsletter btn btn-primary newsletter-btn">Join the Newsletter!</button>
<a class="btn btn-primary newsletter-btn hide" href="https://optout.services.fandango.com/rottentomatoes">Join the Newsletter!</a>
</div>
</div>
<div class="col-xs-8 subnav">
<h2>Follow Us</h2>
<div>
<a class="footerIcon" href="//www.facebook.com/rottentomatoes" id="footer-follow-us-facebook" target="_blank">
<rt-icon icon="facebook-squared"></rt-icon>
</a>
<a class="footerIcon" href="//twitter.com/rottentomatoes" id="footer-follow-us-twitter" target="_blank">
<rt-icon icon="twitter"></rt-icon>
</a>
<a class="footerIcon" href="//www.instagram.com/rottentomatoes/" id="footer-follow-us-instagram" target="_blank">
<rt-icon icon="instagram"></rt-icon>
</a>
<a class="footerIcon" href="https://www.pinterest.com/rottentomatoes" id="footer-follow-us-pinterest" target="_blank">
<rt-icon icon="pinterest"></rt-icon>
</a>
<a class="footerIcon" href="//www.youtube.com/user/rottentomatoes" id="footer-follow-us-youtube" target="_blank">
<rt-icon icon="youtube-play"></rt-icon>
</a>
</div>
</div>
</div>
<div class="subtle footer-legal" style="padding:10px">
Copyright © Fandango. All rights reserved. <span class="version">V3</span>
<ul class="footer-legal__list">
<li class="footer-legal__list-item">
<a class="footer-legal__link" href="//www.fandango.com/PrivacyPolicy" id="footer-privacy">
Privacy Policy
</a> |
</li>
<li class="footer-legal__list-item"><a class="footer-legal__link" href="//www.fandango.com/terms-and-policies" id="footer-tos">Terms and Policies</a> |</li>
<li class="footer-legal__list-item"><a class="footer-legal__link" href="//www.fandango.com/donotsellmyinfo">Do Not Sell My Info</a> |</li>
<li class="footer-legal__list-item"><a class="footer-legal__link" href="https://www.fandango.com/policies/cookies-and-tracking#cookie_management">AdChoices</a> |</li>
<li class="footer-legal__list-item"><a class="footer-legal__link" href="/faq#accessibility">Accessibility</a></li>
</ul>
</div>
</footer>
<footer class="footer-mobile visible-xs-block">
<div class="white">Copyright © Fandango. All rights reserved. <span class="version">V3</span></div>
<div class="default-margin">
<button class="js-cognito-join-newsletter btn btn-primary newsletter-btn">Join Newsletter</button>
<a class="btn btn-primary newsletter-btn hide" href="https://optout.services.fandango.com/rottentomatoes">Join Newsletter</a>
</div>
<ul class="footer-mobile-legal__list">
<li class="footer-mobile-legal__list-item"><a class="footer-mobile-legal__link" href="//www.fandango.com/terms-and-policies">Terms and Policies</a></li>
<li class="footer-mobile-legal__list-item">
<a class="footer-mobile-legal__link" href="//www.fandango.com/PrivacyPolicy">
Privacy Policy
</a>
</li>
<li class="footer-mobile-legal__list-item"><a class="footer-mobile-legal__link" href="//www.fandango.com/donotsellmyinfo">Do Not Sell My Info</a></li>
<li class="footer-mobile-legal__list-item" id="footer-feedback-mobile">
</li>
<li class="footer-mobile-legal__list-item"><a class="footer-mobile-legal__link" href="/faq#accessibility">Accessibility</a></li>
</ul>
</footer>
</section></div>
<div class="modal fade" data-qa="trailer-modal" id="newTrailerModal" tabindex="-1">
<div class="modal-dialog modal-lg">
<div class="closebutton" data-qa="close-btn"><span class="glyphicon glyphicon-remove-circle lightGray"></span></div>
<div data-qa="video-player-container" id="videoPlayer" style="width:100%;height:100%"></div>
</div>
<div class="fullWidth">
<div class="btn btn-primary-rt closeBtn" data-qa="go-back-btn">
<span class="glyphicon glyphicon-chevron-left"></span> Go back
</div>
<div class="moreTrailer" data-qa="more-trailers-btn">
<a class="btn btn-primary-rt" href="/trailers/">More trailers <span class="glyphicon glyphicon-chevron-right"></span></a>
</div>
</div>
</div>
<div class="modal fade" id="newIframeTrailerModal" tabindex="-1">
<div class="modal-dialog modal-lg">
<div class="closebutton"><span class="glyphicon glyphicon-remove-circle lightGray"></span></div>
<iframe id="iframeVideoPlayer" src="about:blank" style="width:100%;height:100%"></iframe>
</div>
</div>
<!-- PDK -->
<script src="//pdk.theplatform.com/current/pdk/tpPdkController.js"></script>
<!-- End PDK -->
<!-- <bootstrap:bodyScript /> -->
<script type="text/javascript">
(function (root) {
/* -- Data -- */
root.RottenTomatoes || (root.RottenTomatoes = {});
root.RottenTomatoes.context = {"_routes":{"adminManagePeople":{"path":"https:\u002F\u002Fadmin.flixster.com\u002Fadmin\u002Fmanage-people?id=:id","tokens":[{"literal":"https:\u002F\u002Fadmin.flixster.com\u002Fadmin\u002Fmanage-people?id="},{"key":"id"}]},"adminMerge":{"path":"https:\u002F\u002Fadmin.flixster.com\u002Factor\u002Fmerge?from=:id","tokens":[{"literal":"https:\u002F\u002Fadmin.flixster.com\u002Factor\u002Fmerge?from="},{"key":"id"}]},"baseCanonicalUrl":{"path":"https:\u002F\u002Fwww.rottentomatoes.com","tokens":[{"literal":"https:\u002F\u002Fwww.rottentomatoes.com"}]},"webCriticSourceReviewsNapi":{"path":"\u002Fnapi\u002Fcritics\u002Fsource\u002F:publicationId\u002F:type(movies|tv)","tokens":[{"literal":"\u002Fnapi\u002Fcritics\u002Fsource\u002F"},{"key":"publicationId"},{"literal":"\u002F"},{"key":"type"}]},"editorialPageCodeOfConduct":{"path":"https:\u002F\u002Feditorial.rottentomatoes.com\u002Fotg-article\u002Fcommunity-code-of-conduct","tokens":[{"literal":"https:\u002F\u002Feditorial.rottentomatoes.com\u002Fotg-article\u002Fcommunity-code-of-conduct"}]},"editorialPageProductBlog":{"path":"https:\u002F\u002Feditorial.rottentomatoes.com\u002Frt-product-blog","tokens":[{"literal":"https:\u002F\u002Feditorial.rottentomatoes.com\u002Frt-product-blog"}]},"flixsterGeoLocationApi":{"path":"https:\u002F\u002Fapi.flixster.com\u002Fticketing\u002Fapi\u002Fv1\u002Fgeoip","tokens":[{"literal":"https:\u002F\u002Fapi.flixster.com\u002Fticketing\u002Fapi\u002Fv1\u002Fgeoip"}]},"commonAccountForgotPWNapi":{"path":"\u002Fnapi\u002Faccount\u002FforgotPassword\u002F","tokens":[{"literal":"\u002Fnapi\u002Faccount\u002FforgotPassword\u002F"}]},"commonAccountLoginNapi":{"path":"\u002Fnapi\u002Faccount\u002Flogin\u002F","tokens":[{"literal":"\u002Fnapi\u002Faccount\u002Flogin\u002F"}]},"commonAccountLoginFacebookOauthNapi":{"path":"\u002Fnapi\u002Faccount\u002FloginFacebookOauth\u002F","tokens":[{"literal":"\u002Fnapi\u002Faccount\u002FloginFacebookOauth\u002F"}]},"commonAccountLogoutNapi":{"path":"\u002Fnapi\u002Faccount\u002Flogout\u002F","tokens":[{"literal":"\u002Fnapi\u002Faccount\u002Flogout\u002F"}]},"commonAccountRegisterNapi":{"path":"\u002Fnapi\u002Faccount\u002Fregister\u002F","tokens":[{"literal":"\u002Fnapi\u002Faccount\u002Fregister\u002F"}]},"commonAccountThemePreferencesNapi":{"path":"\u002Fnapi\u002Fpreferences\u002Fthemes","tokens":[{"literal":"\u002Fnapi\u002Fpreferences\u002Fthemes"}]},"commonAccountVerifyTokenNapi":{"path":"\u002Fnapi\u002Faccount\u002FverifyToken\u002F","tokens":[{"literal":"\u002Fnapi\u002Faccount\u002FverifyToken\u002F"}]},"commonUserRatingsWTSCountNapi":{"path":"\u002Fnapi\u002Fuser\u002Fcounts","tokens":[{"literal":"\u002Fnapi\u002Fuser\u002Fcounts"}]},"commonAutocompleteNapi":{"path":"\u002Fnapi\u002Flocation\u002Fautocomplete\u002F:text","tokens":[{"literal":"\u002Fnapi\u002Flocation\u002Fautocomplete\u002F"},{"key":"text"}]},"commonGetLocationFromTextNapi":{"path":"\u002Fnapi\u002Flocation\u002Ftext","tokens":[{"literal":"\u002Fnapi\u002Flocation\u002Ftext"}]},"webShowtimesMoviesNapi":{"path":"\u002Fnapi\u002Fmovies\u002F:ids","tokens":[{"literal":"\u002Fnapi\u002Fmovies\u002F"},{"key":"ids"}]},"webShowtimesMovieCalendarNapi":{"path":"\u002Fnapi\u002FmovieCalendar\u002F:title-:id(\\d+)","tokens":[{"literal":"\u002Fnapi\u002FmovieCalendar\u002F"},{"key":"title"},{"literal":"-"},{"key":"id"}]},"webBrowseMovieListDvdAllNapi":{"path":"\u002Fnapi\u002FmovieList\u002FdvdAll","tokens":[{"literal":"\u002Fnapi\u002FmovieList\u002FdvdAll"}]},"webBrowseMovieListOpeningNapi":{"path":"\u002Fnapi\u002FmovieList\u002FOpening","tokens":[{"literal":"\u002Fnapi\u002FmovieList\u002FOpening"}]},"webBrowseMovieListUpcomingNapi":{"path":"\u002Fnapi\u002FmovieList\u002FUpcoming","tokens":[{"literal":"\u002Fnapi\u002FmovieList\u002FUpcoming"}]},"webBrowseMovieListDvdUpcomingNapi":{"path":"\u002Fnapi\u002FmovieList\u002FdvdUpcoming","tokens":[{"literal":"\u002Fnapi\u002FmovieList\u002FdvdUpcoming"}]},"webBrowseMovieListDvdCertifiedNapi":{"path":"\u002Fnapi\u002FmovieList\u002FdvdCertified","tokens":[{"literal":"\u002Fnapi\u002FmovieList\u002FdvdCertified"}]},"webShowtimesMovieShowtimeGroupingsNapi":{"path":"\u002Fnapi\u002FtheaterShowtimeGroupings\u002F:id(\\d+)\u002F:startDate","tokens":[{"literal":"\u002Fnapi\u002FtheaterShowtimeGroupings\u002F"},{"key":"id"},{"literal":"\u002F"},{"key":"startDate"}]},"webMovieReviewsGetAudienceReviewNapi":{"path":"\u002Fnapi\u002Fmovie\u002F:movieId\u002Freviews\u002F:type(user|verified_audience)","tokens":[{"literal":"\u002Fnapi\u002Fmovie\u002F"},{"key":"movieId"},{"literal":"\u002Freviews\u002F"},{"key":"type"}]},"webMovieReviewsGetCriticsReviewNapi":{"path":"\u002Fnapi\u002Fmovie\u002F:movieId\u002FcriticsReviews\u002F:type(all|top_critics)\u002F:sort?","tokens":[{"literal":"\u002Fnapi\u002Fmovie\u002F"},{"key":"movieId"},{"literal":"\u002FcriticsReviews\u002F"},{"key":"type"},{"literal":"\u002F"},{"key":"sort"},{"literal":"?"}]},"commonTrackingFreewheelPixelSyncNapi":{"path":"\u002Fnapi\u002Ftracking\u002Ffreewheel\u002Fpixelsync","tokens":[{"literal":"\u002Fnapi\u002Ftracking\u002Ffreewheel\u002Fpixelsync"}]},"webTvEpisodeGetReviewsNapi":{"path":"\u002Fnapi\u002Ftv\u002F:vanity\u002F:tvSeason\u002F:tvEpisode\u002Freviews\u002F:type(all|top_critics)","tokens":[{"literal":"\u002Fnapi\u002Ftv\u002F"},{"key":"vanity"},{"literal":"\u002F"},{"key":"tvSeason"},{"literal":"\u002F"},{"key":"tvEpisode"},{"literal":"\u002Freviews\u002F"},{"key":"type"}]},"webSeasonReviewsGetReviewsNapi":{"path":"\u002Fnapi\u002FseasonReviews\u002F:id","tokens":[{"literal":"\u002Fnapi\u002FseasonReviews\u002F"},{"key":"id"}]},"commonSearchNapi":{"path":"\u002Fnapi\u002Fsearch\u002Fall","tokens":[{"literal":"\u002Fnapi\u002Fsearch\u002Fall"}]},"commonSearchAllCategoriesNapi":{"path":"\u002Fnapi\u002Fsearch\u002F","tokens":[{"literal":"\u002Fnapi\u002Fsearch\u002F"}]},"commonSearchTopMoviesDefaultListNapi":{"path":"\u002Fnapi\u002Fsearch\u002Fdefault-list","tokens":[{"literal":"\u002Fnapi\u002Fsearch\u002Fdefault-list"}]},"webShowtimesTheatersWithShowtimesNapi":{"path":"\u002Fnapi\u002FtheatersShowtimes\u002F:location\u002F:date","tokens":[{"literal":"\u002Fnapi\u002FtheatersShowtimes\u002F"},{"key":"location"},{"literal":"\u002F"},{"key":"date"}]},"webTvSeasonGetEpisodesNapi":{"path":"\u002Fnapi\u002Ftv\u002F:vanity\u002F:tvSeason\u002Fepisodes","tokens":[{"literal":"\u002Fnapi\u002Ftv\u002F"},{"key":"vanity"},{"literal":"\u002F"},{"key":"tvSeason"},{"literal":"\u002Fepisodes"}]},"commonUserEmailConfirmationNapi":{"path":"\u002Fnapi\u002Faccount\u002FemailConfirmation","tokens":[{"literal":"\u002Fnapi\u002Faccount\u002FemailConfirmation"}]},"commonUserEmailStatusNapi":{"path":"\u002Fnapi\u002Faccount\u002FemailStatus","tokens":[{"literal":"\u002Fnapi\u002Faccount\u002FemailStatus"}]},"commonUserWTSCreateNapi":{"path":"\u002Fnapi\u002Fuser\u002Fwts","tokens":[{"literal":"\u002Fnapi\u002Fuser\u002Fwts"}]},"commonUserWTSDeleteNapi":{"path":"\u002Fnapi\u002Fuser\u002Fwts\u002Fdelete","tokens":[{"literal":"\u002Fnapi\u002Fuser\u002Fwts\u002Fdelete"}]},"commonUserRatingCreateNapi":{"path":"\u002Fnapi\u002Fuser\u002Frating","tokens":[{"literal":"\u002Fnapi\u002Fuser\u002Frating"}]},"commonUserGetWTSNapi":{"path":"\u002Fnapi\u002Fuser\u002Fwts","tokens":[{"literal":"\u002Fnapi\u002Fuser\u002Fwts"}]},"commonUserInfoNapi":{"path":"\u002Fnapi\u002Fuser","tokens":[{"literal":"\u002Fnapi\u002Fuser"}]},"commonUserGetRatingNapi":{"path":"\u002Fnapi\u002Fuser\u002Frating","tokens":[{"literal":"\u002Fnapi\u002Fuser\u002Frating"}]},"webUserProfileMovieRatingsNapi":{"path":"\u002Fnapi\u002FuserProfile\u002FmovieRatings\u002F:userId","tokens":[{"literal":"\u002Fnapi\u002FuserProfile\u002FmovieRatings\u002F"},{"key":"userId"}]},"webUserProfileTVRatingsNapi":{"path":"\u002Fnapi\u002FuserProfile\u002FtvRatings\u002F:userId","tokens":[{"literal":"\u002Fnapi\u002FuserProfile\u002FtvRatings\u002F"},{"key":"userId"}]},"webUserProfileWTSNapi":{"path":"\u002Fnapi\u002FuserProfile\u002Fwts\u002F:userId","tokens":[{"literal":"\u002Fnapi\u002FuserProfile\u002Fwts\u002F"},{"key":"userId"}]},"mediaHoundRecommendations":{"path":"https:\u002F\u002Fapi.mediahound.net\u002Fgraph\u002Frelate","tokens":[{"literal":"https:\u002F\u002Fapi.mediahound.net\u002Fgraph\u002Frelate"}]},"resetClient":{"path":"\u002Freset-client","tokens":[{"literal":"\u002Freset-client"}]},"tvSeasonCriticAddArticle":{"path":"https:\u002F\u002Fwww.rottentomatoes.com\u002Fcritics\u002Ftools\u002Ftv\u002F?reviewableId=:seasonId","tokens":[{"literal":"https:\u002F\u002Fwww.rottentomatoes.com\u002Fcritics\u002Ftools\u002Ftv\u002F?reviewableId="},{"key":"seasonId"}]},"userAccount":{"path":"\u002Fuser\u002Faccount","tokens":[{"literal":"\u002Fuser\u002Faccount"}]},"userAccountEmailPrefs":{"path":"https:\u002F\u002Foptout.services.fandango.com\u002Frottentomatoes","tokens":[{"literal":"https:\u002F\u002Foptout.services.fandango.com\u002Frottentomatoes"}]},"redirectorTheatersTopBoxOffice":{"path":"\u002Fbrowse\u002Fin-theaters","tokens":[{"literal":"\u002Fbrowse\u002Fin-theaters"}]},"webCritic":{"path":"\u002Fcritics\u002F:vanity\u002F:type(movies|tv)","tokens":[{"literal":"\u002Fcritics\u002F"},{"key":"vanity"},{"literal":"\u002F"},{"key":"type"}]},"webCriticLanding":{"path":"\u002Fcritics\u002F:vanity","tokens":[{"literal":"\u002Fcritics\u002F"},{"key":"vanity"}]},"webSearchResults":{"path":"\u002Fsearch\u002F","tokens":[{"literal":"\u002Fsearch\u002F"}]},"webShowtimes":{"path":"\u002Fshowtimes","tokens":[{"literal":"\u002Fshowtimes"}]},"webCriticSource":{"path":"\u002Fcritics\u002Fsource\u002F:publicationId","tokens":[{"literal":"\u002Fcritics\u002Fsource\u002F"},{"key":"publicationId"}]}}};
root.RottenTomatoes.context || (root.RottenTomatoes.context = {});
root.RottenTomatoes.context.layout = {"header":{"editorial":{"bestAndWorstNews":[{"ID":19933,"author":20,"featured_image":{"source":"https:\u002F\u002Fprd-rteditorial.s3.us-west-2.amazonaws.com\u002Fwp-content\u002Fuploads\u002F2015\u002F06\u002F19171851\u002FJurassic-Park-Franchise-Recall.jpg"},"link":"https:\u002F\u002Feditorial.rottentomatoes.com\u002Fguide\u002Fjurassic-park-world-movies\u002F","promo_order":"","status":"publish","title":"\u003Cem\u003EJurassic Park\u003C\u002Fem\u003E Movies Ranked By Tomatometer","type":"article"},{"ID":77012,"author":20,"featured_image":{"source":"https:\u002F\u002Fprd-rteditorial.s3.us-west-2.amazonaws.com\u002Fwp-content\u002Fuploads\u002F2018\u002F02\u002F14193805\u002FMarvel-Movies-Recall2.jpg"},"link":"https:\u002F\u002Feditorial.rottentomatoes.com\u002Fguide\u002Fall-marvel-cinematic-universe-movies-ranked\u002F","promo_order":"","status":"publish","title":"Marvel Movies Ranked Worst to Best by Tomatometer","type":"article"}],"guides":[{"ID":140214,"author":{"ID":12,"username":"alex.vo","name":"Alex Vo","first_name":"Alex","last_name":"Vo","nickname":"alex.vo","slug":"alex-vo","URL":"","avatar":"https:\u002F\u002Fsecure.gravatar.com\u002Favatar\u002F818ade2039d2a711e0cd70ae46f14952?s=96","description":"","registered":"2015-05-12T20:00:23+00:00","meta":{"links":{"self":"https:\u002F\u002Feditorial.rottentomatoes.com\u002Fwp-json\u002Fusers\u002F12","archives":"https:\u002F\u002Feditorial.rottentomatoes.com\u002Fwp-json\u002Fusers\u002F12\u002Fposts"}}},"featured_image":{"source":"https:\u002F\u002Fprd-rteditorial.s3.us-west-2.amazonaws.com\u002Fwp-content\u002Fuploads\u002F2021\u002F12\u002F14172550\u002FRT_AWARDS_2022_600x314.jpg"},"link":"https:\u002F\u002Feditorial.rottentomatoes.com\u002Frt-hub\u002Fawards-tour\u002F","status":"publish","title":"Awards Tour","type":"rt-hub"},{"ID":224556,"author":{"ID":7,"username":"RT Staff","name":"RT Staff","first_name":"RT","last_name":"Staff","nickname":"RT Staff","slug":"rt-staff","URL":"http:\u002F\u002Fwww.rottentomatoes.com","avatar":"https:\u002F\u002Fsecure.gravatar.com\u002Favatar\u002F1da0327e91516c500afa31e67da2395a?s=96","description":"Rotten Tomatoes every day.","registered":"2015-05-01T22:36:17+00:00","meta":{"links":{"self":"https:\u002F\u002Feditorial.rottentomatoes.com\u002Fwp-json\u002Fusers\u002F7","archives":"https:\u002F\u002Feditorial.rottentomatoes.com\u002Fwp-json\u002Fusers\u002F7\u002Fposts"}}},"featured_image":{"source":"https:\u002F\u002Fprd-rteditorial.s3.us-west-2.amazonaws.com\u002Fwp-content\u002Fuploads\u002F2022\u002F09\u002F06120735\u002FRT_FALLTV2022_600x314.jpg"},"link":"https:\u002F\u002Feditorial.rottentomatoes.com\u002Frt-hub\u002F2022-fall-tv-survey\u002F","status":"publish","title":"2022 Fall TV Survey","type":"rt-hub"}],"newsItems":[{"ID":225142,"author":814,"featured_image":{"source":"https:\u002F\u002Fprd-rteditorial.s3.us-west-2.amazonaws.com\u002Fwp-content\u002Fuploads\u002F2022\u002F09\u002F12222901\u002Fjennifer-coolidge-emmys-600x314-1.jpg"},"link":"https:\u002F\u002Feditorial.rottentomatoes.com\u002Farticle\u002Fbest-emmys-moments-2022\u002F","promo_order":"","status":"publish","title":"Best Emmys Moments 2022: Quinta Brunson Overcomes an Overplayed Skit, Jennifer Coolidge Dances Off With an Award","type":"article"},{"ID":225018,"author":789,"featured_image":{"source":"https:\u002F\u002Fprd-rteditorial.s3.us-west-2.amazonaws.com\u002Fwp-content\u002Fuploads\u002F2022\u002F09\u002F12193808\u002Femmys-zendaya-600x314-1.jpg"},"link":"https:\u002F\u002Feditorial.rottentomatoes.com\u002Farticle\u002F2022-emmy-awards-winners-full-list-of-winners-from-the-74th-primetime-emmy-awards\u002F","promo_order":"","status":"publish","title":"2022 Emmy Awards Winners: Full List of Winners from the 74th Primetime Emmy Awards","type":"article"}]},"trendingTarsSlug":"rt-nav-trending","trending":[{"header":"Barbarian","url":"https:\u002F\u002Fwww.rottentomatoes.com\u002Fm\u002Fbarbarian_2022"},{"header":"Emmy Winners","url":"https:\u002F\u002Feditorial.rottentomatoes.com\u002Farticle\u002F2022-emmy-awards-winners-full-list-of-winners-from-the-74th-primetime-emmy-awards\u002F"},{"header":"The Rings of Power","url":"https:\u002F\u002Fwww.rottentomatoes.com\u002Ftv\u002Fthe_lord_of_the_rings_the_rings_of_power"},{"header":"The Woman King","url":"https:\u002F\u002Fwww.rottentomatoes.com\u002Fm\u002Fthe_woman_king"},{"header":"Don't Worry Darling","url":"https:\u002F\u002Fwww.rottentomatoes.com\u002Fm\u002Fdont_worry_darling"}],"certifiedMedia":{"certifiedFreshTvSeason":{"header":null,"media":{"url":"\u002Ftv\u002Fmo\u002Fs01","name":"Mo: Season 1","score":100,"posterImg":"https:\u002F\u002Fresizing.flixster.com\u002F4jzk7W_rL4Lx4XQVlGz4kPTV5gE=\u002Ffit-in\u002F180x240\u002Fv2\u002Fhttps:\u002F\u002Fresizing.flixster.com\u002FhLKxzf02byaPUiuSog5m0vml4LI=\u002Fems.cHJkLWVtcy1hc3NldHMvdHZzZWFzb24vODI4ZDY3NWQtZWRkNC00ZTlkLThlNDctMzVmMDQwMGI3ZjI5LmpwZw=="},"tarsSlug":"rt-nav-list-cf-picks"},"certifiedFreshMovieInTheater":{"header":null,"media":{"url":"\u002Fm\u002Fmoonage_daydream","name":"Moonage Daydream","score":96,"posterImg":"https:\u002F\u002Fresizing.flixster.com\u002Fy1qaLr2j5LJhu2aa2T5HVnllz3c=\u002Ffit-in\u002F180x240\u002Fv2\u002Fhttps:\u002F\u002Fresizing.flixster.com\u002F1RvVvRT_yIkZpE6CiOdcmXaLjDk=\u002Fems.cHJkLWVtcy1hc3NldHMvbW92aWVzLzRiMGFiMmJmLWQxZTgtNDhjOC1hMzM0LWE0MGMyNzNlZTM2ZC5qcGc="}},"certifiedFreshMovieInTheater4":{"header":null,"media":{"url":"\u002Fm\u002Fsaloum","name":"Saloum","score":95,"posterImg":"https:\u002F\u002Fresizing.flixster.com\u002FwhlIlBxv-pDVQOtLKKT6I84uw44=\u002Ffit-in\u002F180x240\u002Fv2\u002Fhttps:\u002F\u002Fflxt.tmsimg.com\u002Fassets\u002Fp20673242_p_v13_aa.jpg"}},"certifiedFreshMovieAtHome":{"header":null,"media":{"url":"\u002Fm\u002Fgods_country_2022","name":"God's Country","score":86,"posterImg":"https:\u002F\u002Fresizing.flixster.com\u002FbdhhMsmztfWMIiXUcBC46Yh6uo4=\u002Ffit-in\u002F180x240\u002Fv2\u002Fhttps:\u002F\u002Fresizing.flixster.com\u002FT_cCRukbtWUXBnje0kPN3_uajXE=\u002Fems.cHJkLWVtcy1hc3NldHMvbW92aWVzLzI4NTQ0YjJjLTBjMmUtNGY0NC1hYTI1LTM5ZGE5ZjFjYzQwZi5qcGc="}},"tarsSlug":"rt-nav-list-cf-picks"},"tvLists":{"newTvTonight":{"tarsSlug":"rt-hp-text-list-new-tv-this-week","title":"New TV Tonight","shows":[{"title":"The Serpent Queen: Season 1","tomatometer":{"tomatometer":100,"state":"fresh","certifiedFresh":false},"tvPageUrl":"\u002Ftv\u002Fthe_serpent_queen\u002Fs01"},{"title":"The Handmaid's Tale: Season 5","tomatometer":{"tomatometer":75,"state":"fresh","certifiedFresh":false},"tvPageUrl":"\u002Ftv\u002Fthe_handmaids_tale\u002Fs05"},{"title":"Atlanta: Season 4","tomatometer":{"tomatometer":null,"state":"","certifiedFresh":false},"tvPageUrl":"\u002Ftv\u002Fatlanta\u002Fs04"},{"title":"Emmys: Season 74","tomatometer":{"tomatometer":18,"state":"rotten","certifiedFresh":false},"tvPageUrl":"\u002Ftv\u002Femmys\u002Fs74"},{"title":"Los Espookys: Season 2","tomatometer":{"tomatometer":null,"state":"","certifiedFresh":false},"tvPageUrl":"\u002Ftv\u002Flos_espookys\u002Fs02"},{"title":"Monarch: Season 1","tomatometer":{"tomatometer":30,"state":"rotten","certifiedFresh":false},"tvPageUrl":"\u002Ftv\u002Fmonarch\u002Fs01"},{"title":"Vampire Academy: Season 1","tomatometer":{"tomatometer":null,"state":"","certifiedFresh":false},"tvPageUrl":"\u002Ftv\u002Fvampire_academy\u002Fs01"},{"title":"War of the Worlds: Season 3","tomatometer":{"tomatometer":null,"state":"","certifiedFresh":false},"tvPageUrl":"\u002Ftv\u002Fwar_of_the_worlds_2020\u002Fs03"},{"title":"Fate: The Winx Saga: Season 2","tomatometer":{"tomatometer":null,"state":"","certifiedFresh":false},"tvPageUrl":"\u002Ftv\u002Ffate_the_winx_saga\u002Fs02"},{"title":"Cyberpunk: Edgerunners: Season 1","tomatometer":{"tomatometer":100,"state":"fresh","certifiedFresh":false},"tvPageUrl":"\u002Ftv\u002Fcyberpunk_edgerunners\u002Fs01"}]},"mostPopularTvOnRt":{"tarsSlug":"rt-hp-text-list-most-popular-tv-on-rt","title":"Most Popular TV on RT","shows":[{"title":"The Lord of the Rings: The Rings of Power: Season 1","tomatometer":{"tomatometer":84,"state":"fresh","certifiedFresh":false},"tvPageUrl":"\u002Ftv\u002Fthe_lord_of_the_rings_the_rings_of_power\u002Fs01"},{"title":"House of the Dragon: Season 1","tomatometer":{"tomatometer":85,"state":"fresh","certifiedFresh":false},"tvPageUrl":"\u002Ftv\u002Fhouse_of_the_dragon\u002Fs01"},{"title":"Cobra Kai: Season 5","tomatometer":{"tomatometer":100,"state":"fresh","certifiedFresh":false},"tvPageUrl":"\u002Ftv\u002Fcobra_kai\u002Fs05"},{"title":"She-Hulk: Attorney at Law: Season 1","tomatometer":{"tomatometer":88,"state":"fresh","certifiedFresh":false},"tvPageUrl":"\u002Ftv\u002Fshe_hulk_attorney_at_law\u002Fs01"},{"title":"The Imperfects: Season 1","tomatometer":{"tomatometer":null,"state":"","certifiedFresh":false},"tvPageUrl":"\u002Ftv\u002Fthe_imperfects\u002Fs01"},{"title":"Devil in Ohio: Season 1","tomatometer":{"tomatometer":45,"state":"rotten","certifiedFresh":false},"tvPageUrl":"\u002Ftv\u002Fdevil_in_ohio\u002Fs01"},{"title":"The Serpent Queen: Season 1","tomatometer":{"tomatometer":100,"state":"fresh","certifiedFresh":false},"tvPageUrl":"\u002Ftv\u002Fthe_serpent_queen\u002Fs01"},{"title":"The Patient: Season 1","tomatometer":{"tomatometer":87,"state":"certified_fresh","certifiedFresh":true},"tvPageUrl":"\u002Ftv\u002Fthe_patient\u002Fs01"},{"title":"The White Lotus: Season 1","tomatometer":{"tomatometer":89,"state":"certified_fresh","certifiedFresh":true},"tvPageUrl":"\u002Ftv\u002Fthe_white_lotus\u002Fs01"},{"title":"Monarch: Season 1","tomatometer":{"tomatometer":30,"state":"rotten","certifiedFresh":false},"tvPageUrl":"\u002Ftv\u002Fmonarch\u002Fs01"}]}},"legacyItems":{"tarsSlug":"rt-nav-list-tv-episodic-reviews","tv":{"mediaLists":[{},{},{},{"title":"Episodic Reviews","shows":[{"link":"\u002Ftv\u002Fbetter_call_saul\u002Fs06","showTitle":"Better Call Saul: Season 6"},{"link":"\u002Ftv\u002Freservation_dogs\u002Fs02","showTitle":"Reservation Dogs: Season 2"},{"link":"\u002Ftv\u002Funcoupled\u002Fs01","showTitle":"Uncoupled: Season 1"},{"link":"\u002Ftv\u002Fonly_murders_in_the_building\u002Fs02","showTitle":"Only Murders in the Building: Season 2"},{"link":"\u002Ftv\u002Fthe_old_man\u002Fs01","showTitle":"The Old Man: Season 1"},{"link":"\u002Ftv\u002Fwestworld\u002Fs04","showTitle":"Westworld: Season 4"},{"link":"\u002Ftv\u002Fthe_bear\u002Fs01","showTitle":"The Bear: Season 1"}]}]}}},"links":{"moviesInTheaters":{"certifiedFresh":"\u002Fbrowse\u002Fcf-in-theaters","comingSoon":"\u002Fbrowse\u002Fupcoming","openingThisWeek":"\u002Fbrowse\u002Fopening","title":"\u002Fbrowse\u002Fin-theaters","topBoxOffice":"\u002Fbrowse\u002Fin-theaters"},"onDvdAndStreaming":{"all":"\u002Fbrowse\u002Fdvd-streaming-all","certifiedFresh":"\u002Fbrowse\u002Fcf-dvd-streaming-all","title":"\u002Fdvd","top":"\u002Fbrowse\u002Ftop-dvd-streaming"},"moreMovies":{"topMovies":"\u002Ftop","trailers":"\u002Ftrailers"},"tvTonight":"\u002Fbrowse\u002Ftv-list-1","tvPopular":"\u002Fbrowse\u002Ftv-list-2","moreTv":{"topTv":"https:\u002F\u002Fwww.rottentomatoes.com\u002Ftop-tv","certifiedFresh":"\u002Fbrowse\u002Ftv-list-3"},"editorial":{"allTimeLists":"https:\u002F\u002Feditorial.rottentomatoes.com\u002Fall-time-lists\u002F","bingeGuide":"https:\u002F\u002Feditorial.rottentomatoes.com\u002Fbinge-guide\u002F","comicsOnTv":"https:\u002F\u002Feditorial.rottentomatoes.com\u002Fcomics-on-tv\u002F","countdown":"https:\u002F\u002Feditorial.rottentomatoes.com\u002Fcountdown\u002F","criticsConsensus":"https:\u002F\u002Feditorial.rottentomatoes.com\u002Fcritics-consensus\u002F","fiveFavoriteFilms":"https:\u002F\u002Feditorial.rottentomatoes.com\u002Ffive-favorite-films\u002F","guidesHome":"https:\u002F\u002Feditorial.rottentomatoes.com\u002Frt-hubs\u002F","home":"https:\u002F\u002Feditorial.rottentomatoes.com\u002F","news":"https:\u002F\u002Feditorial.rottentomatoes.com\u002Fnews\u002F","nowStreaming":"https:\u002F\u002Feditorial.rottentomatoes.com\u002Fnow-streaming\u002F","parentalGuidance":"https:\u002F\u002Feditorial.rottentomatoes.com\u002Fparental-guidance\u002F","podcast":"https:\u002F\u002Feditorial.rottentomatoes.com\u002Farticle\u002Frotten-tomatoes-is-wrong-a-podcast-from-rotten-tomatoes\u002F","redCarpetRoundup":"https:\u002F\u002Feditorial.rottentomatoes.com\u002Fred-carpet-roundup\u002F","scorecards":"https:\u002F\u002Feditorial.rottentomatoes.com\u002Fmovie-tv-scorecards\u002F","subCult":"https:\u002F\u002Feditorial.rottentomatoes.com\u002Fsub-cult\u002F","theZeros":"https:\u002F\u002Feditorial.rottentomatoes.com\u002Fthe-zeros\u002F","totalRecall":"https:\u002F\u002Feditorial.rottentomatoes.com\u002Ftotal-recall\u002F","twentyFourFrames":"https:\u002F\u002Feditorial.rottentomatoes.com\u002F24-frames\u002F","videoInterviews":"https:\u002F\u002Feditorial.rottentomatoes.com\u002Fvideo-interviews\u002F","weekendBoxOffice":"https:\u002F\u002Feditorial.rottentomatoes.com\u002Fweekend-box-office\u002F","weeklyKetchup":"https:\u002F\u002Feditorial.rottentomatoes.com\u002Fweekly-ketchup\u002F","whatToWatch":"https:\u002F\u002Feditorial.rottentomatoes.com\u002Fwhat-to-watch\u002F"}}};
root.RottenTomatoes.thirdParty = {"chartBeat":{"auth":"64558","domain":"rottentomatoes.com"},"facebook":{"appId":"326803741017","version":"v6.0","appName":"flixstertomatoes"},"mpx":{"accountPid":"NGweTC","playerPid":"y__7B0iQTi4P","playerPidPDK6":"pdk6_y__7B0iQTi4P","accountId":"2474312077"},"algoliaSearch":{"aId":"79FRDP12PN","sId":"175588f6e5f8319b27702e4cc4013561"},"cognito":{"upId":"us-west-2_4L0ZX4b1U","clientId":"7pu48v8i2n25t4vhes0edck31c"}};
root.RottenTomatoes.serviceWorker = {"isServiceWokerOn":true};
root.__RT__ || (root.__RT__ = {});
root.__RT__.featureFlags = {"adsCarouselActiveName":"rt-sponsored-carousel-list-hulu","adsCarouselHP":false,"adsCarouselOP":false,"adsHub":true,"adsMockDLP":false,"adsVideoSpotlightHP":false,"amcVas":false,"authVerboseLogs":false,"disableFeatureDetection":true,"disableReviewSubmission":false,"legacyBridge":true,"mopUseEMSCriticService":false,"removeThirdPartyTags":true,"scoreIntroCard":false,"showVerification":false,"useCognito":true,"useCognitoAccountUpdate":false,"useFacebookLogin":true,"useOneTrust":false,"videosPagesModels":true};
root.RottenTomatoes.dtmData = {"webVersion":"node","clicktale":true,"rtVersion":3,"loggedInStatus":"","customerId":"","pageName":"rt | movies | overview | E.T. the Extra-Terrestrial","titleType":"Movie","emsID":"9ac889c9-a513-3596-a647-ab4f4554112f","lifeCycleWindow":"TODO_MISSING","titleGenre":"Kids & family|Sci-fi|Adventure","titleId":"9ac889c9-a513-3596-a647-ab4f4554112f","titleName":"E.T. the Extra-Terrestrial","whereToWatch":[{"vudu":undefined,"peacock":undefined,"netflix":undefined,"hulu":undefined,"amazon-prime-video-us":undefined,"disney-plus-us":undefined,"hbo-max":undefined,"paramount-plus-us":undefined,"apple-tv-plus-us":undefined,"showtime":undefined,"itunes":undefined,"rt-affiliates-sort-order":undefined}]};
root.RottenTomatoes.context.adsMockDLP = false;
root.RottenTomatoes.context.useCognito = true;
root.RottenTomatoes.context.useFacebookLogin = true;
root.RottenTomatoes.context.disableFeatureDetection = true;
root.RottenTomatoes.context.reCaptchaConfig = {"COMPACT_BREAKPOINT":355,"SCRIPT_SRC":"https:\u002F\u002Fwww.google.com\u002Frecaptcha\u002Fenterprise.js","SITEKEY":"6LdNO4IaAAAAADfSdANONQ1m73X8LoX9rhDlX-6q","THEME":"light","WHICH":"enterprise"};
root.RottenTomatoes.context.req = {"params":{"vanity":"et_the_extraterrestrial"},"queries":{},"route":{},"url":"\u002Fm\u002Fet_the_extraterrestrial","secure":false,"buildVersion":undefined};
root.RottenTomatoes.context.config = {};
root.BK = {"PageName":"http:\u002F\u002Fwww.rottentomatoes.com\u002Fm\u002Fet_the_extraterrestrial","SiteID":37528,"SiteSection":"movie","MovieId":undefined,"MovieTitle":"E.T. the Extra-Terrestrial","MovieGenres":"Kids & family\u002FSci-fi\u002FAdventure"};
root.RottenTomatoes.context.movieDetails = {"id":"9ac889c9-a513-3596-a647-ab4f4554112f","title":"E.T. the Extra-Terrestrial","userReviewsLink":"\u002Fm\u002Fet_the_extraterrestrial\u002Freviews?type=user","verifiedReviewsLink":"\u002Fm\u002Fet_the_extraterrestrial\u002Freviews?type=verified_audience","inTheaters":true};
root.RottenTomatoes.context.gptSite = "movie";
root.RottenTomatoes.context.badWordsList = "WyJraWtlIiwibmlnZ2VycyIsImtpa2VzIiwibmlnZ2F6IiwiZmFnZ2l0dCIsImZhZyIsIm5pZ2dhcyIsImZhZ290IiwiZmFnb3RzIiwibmlnZ2EiLCJnYW5nYmFuZyIsIm5pZ2dlciIsImZhZ3MiLCJjdW50cyIsImFzc2Z1a2thIiwiYnVra2FrZSIsImZhZ2dvdCIsImNsaXQiLCJmYWdncyIsIm5pZ2dhaCIsInNyZWdnaW4iLCJmdWRnZSBwYWNrZXIiLCJjYXJwZXQgbXVuY2hlciIsImN1bnRsaWNrIiwiY3VudCIsImhvbW8iLCJqaXp6IiwiZmVsbGF0ZSIsImphcCIsIm11ZmYiLCJmdWRnZXBhY2tlciIsImN1bSIsInJldGFyZCIsImZhZ2dpbmciLCJib3h4eSJd";
root.RottenTomatoes.context.canVerifyRatings = false;
root.RottenTomatoes.context.disableReviewSubmission = false;
root.RottenTomatoes.context.interstitialsConfig = {"description":"You're almost there! Just confirm how you got your ticket.","explanations":[{"color":"red","imageSrc":"https:\u002F\u002Fimages.fandango.com\u002Fcms\u002Fassets\u002Fc3ff5660-c52a-11e9-a1d8-836502298ce7--rate-interstitial1.svg","explanation":"Your review will be considered more trustworthy by fellow movie goers."},{"color":"green","imageSrc":"https:\u002F\u002Fimages.fandango.com\u002Fcms\u002Fassets\u002F0a2d0920-c52b-11e9-a6d9-19ea84f862a1--rate-interstitial2.svg","explanation":"Your rating will contribute to the rotten Tomatoes Audience Score."},{"color":"blue","imageSrc":"https:\u002F\u002Fimages.fandango.com\u002Fcms\u002Fassets\u002F12513bd0-c52b-11e9-a9e5-4f516b36576d--rate-interstitial3.svg","explanation":"You'll help prevent inauthentic reviews from those who may not have seen the movie."}],"enableInterstitials":false};
root.RottenTomatoes.context.isPreRelease = false;
root.RottenTomatoes.context.popcornMeterState = "upright";
root.RottenTomatoes.context.ratingMediaInfo = {"mediaId":"9ac889c9-a513-3596-a647-ab4f4554112f","mediaType":"movie"};
root.RottenTomatoes.context.reviewSubmissionConfirmationMessages = {"REVIEW_MESSAGE":"Thanks! Your review has been submitted.","RATING_VERIFICATION_NOTICE":"If your ticket purchase is confirmed you will see ‘Verified’ next to your review.","REVIEW_VERIFICATION_NOTICE":"If your ticket purchase is confirmed you will see ‘Verified’ next to your review.","THANK_YOU":"Thank you for your review, {{name}}!","CODE_OF_CONDUCT_NOTICE":"Reviews may take some time to be published and are subject to our \u003Ca href=\"https:\u002F\u002Feditorial.rottentomatoes.com\u002Fotg-article\u002Fcommunity-code-of-conduct\u002F\" rel=\"noopener\" target=\"_blank\"\u003ECommunity Code of Conduct\u003C\u002Fa\u003E."};
root.RottenTomatoes.context.verifiedTooltip = {"verifiedTooltipTop":"This person bought a ticket to see this movie.","verifiedTooltipTopLinkURL":"https:\u002F\u002Feditorial.rottentomatoes.com\u002Farticle\u002Fintroducing-verified-audience-score\u002F","verifiedTooltipTopLinkText":"Learn more","verifiedTooltipTopLinkVisible":true,"verifiedTooltipBottom":"","verifiedTooltipBottomLinkURL":"","verifiedTooltipBottomLinkText":"","verifiedTooltipBottomVisible":false,"verifiedTooltipBottomLinkVisible":false};
root.RottenTomatoes.context.wantToSeeData = {"wantToSeeCount":1896187,"ratingsStartDate":"1982-06-10T21:00:00Z"};
root.RottenTomatoes.context.videoClipsJson = {"count":13};
root.RottenTomatoes.context.imagesJson = [{"id":0,"aspectRatio":"ASPECT_RATIO_3_2","uri":"https:\u002F\u002Fresizing.flixster.com\u002FO2sKjsvkBlPErYrYi8SrNaDe0Fk=\u002F300x300\u002Fv2\u002Fhttps:\u002F\u002Fflxt.tmsimg.com\u002Fassets\u002F28542_ak.jpg","urls":{"fullscreen":"https:\u002F\u002Fflxt.tmsimg.com\u002Fassets\u002F28542_ak.jpg"},"caption":"Elliott (HENRY THOMAS) introduces his sister Gertie (DREW BARRYMORE) and brother Michael (ROBERT MACNAUGHTON) to his new friend.","category":"SCENE_STILL","width":"432","height":"288"},{"id":1,"aspectRatio":"ASPECT_RATIO_3_2","uri":"https:\u002F\u002Fresizing.flixster.com\u002FzRM-67iqOWmrYac4-sSUEaRbdJQ=\u002F300x300\u002Fv2\u002Fhttps:\u002F\u002Fflxt.tmsimg.com\u002Fassets\u002F28542_ap.jpg","urls":{"fullscreen":"https:\u002F\u002Fflxt.tmsimg.com\u002Fassets\u002F28542_ap.jpg"},"caption":"Elliott (HENRY THOMAS) finds a friend in a visitor from another planet in the 20th anniversary version of \"E.T. The Extra-Terrestrial.\"","category":"SCENE_STILL","width":"432","height":"288"},{"id":2,"aspectRatio":"ASPECT_RATIO_3_2","uri":"https:\u002F\u002Fresizing.flixster.com\u002FBsF1XfZ07gYar9wMSW3zPoNcffM=\u002F300x300\u002Fv2\u002Fhttps:\u002F\u002Fflxt.tmsimg.com\u002Fassets\u002F28542_ab.jpg","urls":{"fullscreen":"https:\u002F\u002Fflxt.tmsimg.com\u002Fassets\u002F28542_ab.jpg"},"caption":"Elliott (HENRY THOMAS) and E.T. race to elude capture n the 20th anniversary version of \"E.T. The Extra-Terrestrial.\"","category":"SCENE_STILL","width":"432","height":"288"},{"id":3,"aspectRatio":"ASPECT_RATIO_3_2","uri":"https:\u002F\u002Fresizing.flixster.com\u002Fz_vOy1K4InOsW3gokkI_k3aLJ4g=\u002F300x300\u002Fv2\u002Fhttps:\u002F\u002Fflxt.tmsimg.com\u002Fassets\u002F28542_ag.jpg","urls":{"fullscreen":"https:\u002F\u002Fflxt.tmsimg.com\u002Fassets\u002F28542_ag.jpg"},"caption":"Gertie (DREW BARRYMORE) gets her first look at E.T.","category":"SCENE_STILL","width":"432","height":"288"},{"id":4,"aspectRatio":"ASPECT_RATIO_3_2","uri":"https:\u002F\u002Fresizing.flixster.com\u002F7Jd8ARE4JDVhQi6bfDhKqH--1BY=\u002F300x300\u002Fv2\u002Fhttps:\u002F\u002Fflxt.tmsimg.com\u002Fassets\u002F28542_af.jpg","urls":{"fullscreen":"https:\u002F\u002Fflxt.tmsimg.com\u002Fassets\u002F28542_af.jpg"},"caption":"Elliott (HENRY THOMAS) tries to help E.T. phone home.","category":"SCENE_STILL","width":"432","height":"288"},{"id":5,"aspectRatio":"ASPECT_RATIO_3_2","uri":"https:\u002F\u002Fresizing.flixster.com\u002FRUOejM5IkIfpJAqIipH_jUjvjJo=\u002F300x300\u002Fv2\u002Fhttps:\u002F\u002Fflxt.tmsimg.com\u002Fassets\u002F28542_ae.jpg","urls":{"fullscreen":"https:\u002F\u002Fflxt.tmsimg.com\u002Fassets\u002F28542_ae.jpg"},"caption":"Elliott (HENRY THOMAS) shows E.T. around the house.","category":"SCENE_STILL","width":"432","height":"288"},{"id":6,"aspectRatio":"ASPECT_RATIO_3_2","uri":"https:\u002F\u002Fresizing.flixster.com\u002Fvr22fp-RaMmte8VzyKJI85fsw4I=\u002F300x300\u002Fv2\u002Fhttps:\u002F\u002Fflxt.tmsimg.com\u002Fassets\u002F28542_am.jpg","urls":{"fullscreen":"https:\u002F\u002Fflxt.tmsimg.com\u002Fassets\u002F28542_am.jpg"},"caption":"Director STEVEN SPIELBERG and DREW BARRYMORE.","category":"SCENE_STILL","width":"432","height":"288"},{"id":7,"aspectRatio":"ASPECT_RATIO_3_2","uri":"https:\u002F\u002Fresizing.flixster.com\u002Fahk1LxDTMHL3HDYUcifZOwZ4RB0=\u002F300x300\u002Fv2\u002Fhttps:\u002F\u002Fflxt.tmsimg.com\u002Fassets\u002F28542_ac.jpg","urls":{"fullscreen":"https:\u002F\u002Fflxt.tmsimg.com\u002Fassets\u002F28542_ac.jpg"},"caption":"Seated, left to right: HENRY THOMAS, STEVEN SPIELBERG, DREW BARRYMORE","category":"SCENE_STILL","width":"432","height":"288"},{"id":8,"aspectRatio":"ASPECT_RATIO_3_2","uri":"https:\u002F\u002Fresizing.flixster.com\u002FDyg21LFbmNOniYb_-rAuWkjSYhc=\u002F300x300\u002Fv2\u002Fhttps:\u002F\u002Fflxt.tmsimg.com\u002Fassets\u002F28542_aj.jpg","urls":{"fullscreen":"https:\u002F\u002Fflxt.tmsimg.com\u002Fassets\u002F28542_aj.jpg"},"caption":"Director STEVEN SPIELBERG and DREW BARRYMORE.","category":"SCENE_STILL","width":"432","height":"288"},{"id":9,"aspectRatio":"ASPECT_RATIO_3_2","uri":"https:\u002F\u002Fresizing.flixster.com\u002F5NDNkCQ4myYHtJxTIrpq9RV9JtQ=\u002F300x300\u002Fv2\u002Fhttps:\u002F\u002Fflxt.tmsimg.com\u002Fassets\u002F28542_ai.jpg","urls":{"fullscreen":"https:\u002F\u002Fflxt.tmsimg.com\u002Fassets\u002F28542_ai.jpg"},"caption":"Gertie (DREW BARRYMORE) says goodbye to E.T.","category":"SCENE_STILL","width":"432","height":"288"},{"id":10,"aspectRatio":"ASPECT_RATIO_3_2","uri":"https:\u002F\u002Fresizing.flixster.com\u002FAXQJ2l5Y3TiMn01jet-iG6uQa5Q=\u002F300x300\u002Fv2\u002Fhttps:\u002F\u002Fflxt.tmsimg.com\u002Fassets\u002F28542_ah.jpg","urls":{"fullscreen":"https:\u002F\u002Fflxt.tmsimg.com\u002Fassets\u002F28542_ah.jpg"},"caption":"E.T. investigates the food at Elliott's house.","category":"SCENE_STILL","width":"432","height":"288"},{"id":11,"aspectRatio":"ASPECT_RATIO_3_2","uri":"https:\u002F\u002Fresizing.flixster.com\u002FMAYG4Os12aE6ANGIhCcNggGqO9A=\u002F300x300\u002Fv2\u002Fhttps:\u002F\u002Fflxt.tmsimg.com\u002Fassets\u002F28542_ao.jpg","urls":{"fullscreen":"https:\u002F\u002Fflxt.tmsimg.com\u002Fassets\u002F28542_ao.jpg"},"caption":"E.T. and Elliott (HENRY THOMAS) share the same feelings.","category":"SCENE_STILL","width":"432","height":"288"},{"id":12,"aspectRatio":"ASPECT_RATIO_3_2","uri":"https:\u002F\u002Fresizing.flixster.com\u002FID2EAs1822-amVVoNe1N5aDQgv4=\u002F300x300\u002Fv2\u002Fhttps:\u002F\u002Fflxt.tmsimg.com\u002Fassets\u002F28542_an.jpg","urls":{"fullscreen":"https:\u002F\u002Fflxt.tmsimg.com\u002Fassets\u002F28542_an.jpg"},"caption":"Elliott (HENRY THOMAS), his brother and friends ride as fast as they can to get E.T. back to the forest.","category":"SCENE_STILL","width":"432","height":"288"},{"id":13,"aspectRatio":"ASPECT_RATIO_3_2","uri":"https:\u002F\u002Fresizing.flixster.com\u002Fnq80pGQTlllcX0jZg73MN8AgBUU=\u002F300x300\u002Fv2\u002Fhttps:\u002F\u002Fflxt.tmsimg.com\u002Fassets\u002F28542_al.jpg","urls":{"fullscreen":"https:\u002F\u002Fflxt.tmsimg.com\u002Fassets\u002F28542_al.jpg"},"caption":"E.T. has learned some new things from Gertie (DREW BARRYMORE) which surprise Elliott (HENRY THOMAS).","category":"SCENE_STILL","width":"432","height":"288"},{"id":14,"aspectRatio":"ASPECT_RATIO_2_3","uri":"https:\u002F\u002Fresizing.flixster.com\u002FMtjMCKOkgDAE8Ef8h6vrdlArQQo=\u002F300x300\u002Fv2\u002Fhttps:\u002F\u002Fflxt.tmsimg.com\u002Fassets\u002F28542_ad.jpg","urls":{"fullscreen":"https:\u002F\u002Fflxt.tmsimg.com\u002Fassets\u002F28542_ad.jpg"},"caption":"E.T., separated from his own kind, warily explores Elliott's house.","category":"SCENE_STILL","width":"288","height":"432"},{"id":15,"aspectRatio":undefined,"uri":"https:\u002F\u002Fresizing.flixster.com\u002FrpgHfPBQDh2_O7nlHbtQnkMK5Js=\u002F300x300\u002Fv2\u002Fhttps:\u002F\u002Fresizing.flixster.com\u002FfTfttSez-Pedtm_Y5r7XhbbIX2Y=\u002Fems.cHJkLWVtcy1hc3NldHMvbW92aWVzL2RhMmZjZWM3LTQ1NWMtNDRlZS04MzUzLWIxNTU2NjI5YjI5NC53ZWJw","urls":{"fullscreen":"https:\u002F\u002Fresizing.flixster.com\u002FfTfttSez-Pedtm_Y5r7XhbbIX2Y=\u002Fems.cHJkLWVtcy1hc3NldHMvbW92aWVzL2RhMmZjZWM3LTQ1NWMtNDRlZS04MzUzLWIxNTU2NjI5YjI5NC53ZWJw"},"caption":undefined,"category":"ICONIC","width":"700","height":"587"},{"id":16,"aspectRatio":"ASPECT_RATIO_3_2","uri":"https:\u002F\u002Fresizing.flixster.com\u002FnluRyYoH6g9x-C6wmMa3f9NFp5s=\u002F300x300\u002Fv2\u002Fhttps:\u002F\u002Fresizing.flixster.com\u002F37s_rq6dZcHk69MjxYnkBOTCqjs=\u002Fems.cHJkLWVtcy1hc3NldHMvbW92aWVzLzAwNmJlNjIxLTk1ZDctNDkzZS1iODdlLTM5NzM5ZDI3NTcyMS53ZWJw","urls":{"fullscreen":"https:\u002F\u002Fresizing.flixster.com\u002F37s_rq6dZcHk69MjxYnkBOTCqjs=\u002Fems.cHJkLWVtcy1hc3NldHMvbW92aWVzLzAwNmJlNjIxLTk1ZDctNDkzZS1iODdlLTM5NzM5ZDI3NTcyMS53ZWJw"},"caption":undefined,"category":"ICONIC","width":"700","height":"467"},{"id":17,"aspectRatio":"ASPECT_RATIO_3_2","uri":"https:\u002F\u002Fresizing.flixster.com\u002F8rKf0X2ModMDJzO3RY3QKkXR480=\u002F300x300\u002Fv2\u002Fhttps:\u002F\u002Fresizing.flixster.com\u002FQsaJiOHlK12roWIQ3xd31iyQaQ8=\u002Fems.cHJkLWVtcy1hc3NldHMvbW92aWVzL2U0YWVhZTI5LTE0ZjMtNGY3Yy04MGQ3LTJjOGU0NTI1YWI0OC53ZWJw","urls":{"fullscreen":"https:\u002F\u002Fresizing.flixster.com\u002FQsaJiOHlK12roWIQ3xd31iyQaQ8=\u002Fems.cHJkLWVtcy1hc3NldHMvbW92aWVzL2U0YWVhZTI5LTE0ZjMtNGY3Yy04MGQ3LTJjOGU0NTI1YWI0OC53ZWJw"},"caption":undefined,"category":"ICONIC","width":"700","height":"465"},{"id":18,"aspectRatio":"ASPECT_RATIO_3_2","uri":"https:\u002F\u002Fresizing.flixster.com\u002FgO3wQ_iZoKvgSc5NLZBHHaDYQaw=\u002F300x300\u002Fv2\u002Fhttps:\u002F\u002Fresizing.flixster.com\u002F3aUAEUIlyMHi8TR-CH4JrPsqBAQ=\u002Fems.cHJkLWVtcy1hc3NldHMvbW92aWVzL2ZhZGQ0MTg3LTg1OGMtNGM4NS1hZGFmLTI2YTFmNzZjOTgxNC53ZWJw","urls":{"fullscreen":"https:\u002F\u002Fresizing.flixster.com\u002F3aUAEUIlyMHi8TR-CH4JrPsqBAQ=\u002Fems.cHJkLWVtcy1hc3NldHMvbW92aWVzL2ZhZGQ0MTg3LTg1OGMtNGM4NS1hZGFmLTI2YTFmNzZjOTgxNC53ZWJw"},"caption":undefined,"category":"ICONIC","width":"700","height":"464"},{"id":19,"aspectRatio":"ASPECT_RATIO_3_2","uri":"https:\u002F\u002Fresizing.flixster.com\u002FC4DeSKNOcPn8jt1UbafRWSpKY8I=\u002F300x300\u002Fv2\u002Fhttps:\u002F\u002Fresizing.flixster.com\u002FOVfVqINs2ZNknQeYDe5iJ-i7RYg=\u002Fems.cHJkLWVtcy1hc3NldHMvbW92aWVzL2U5YWJiYWUxLTRmY2ItNGMwNi1iODhiLThmZmQzZDA3NzcyZC53ZWJw","urls":{"fullscreen":"https:\u002F\u002Fresizing.flixster.com\u002FOVfVqINs2ZNknQeYDe5iJ-i7RYg=\u002Fems.cHJkLWVtcy1hc3NldHMvbW92aWVzL2U5YWJiYWUxLTRmY2ItNGMwNi1iODhiLThmZmQzZDA3NzcyZC53ZWJw"},"caption":undefined,"category":"ICONIC","width":"700","height":"462"}];
}(this));
</script>
<script src="/assets/pizza-pie/javascripts/bundles/vendor.5312ef7d141.js"></script>
<script src="/assets/pizza-pie/javascripts/bundles/client-side-templates.8bd9a08905c.js"></script>
<script src="/assets/pizza-pie/javascripts/bundles/global.320521ade7d.js"></script>
<script src="https://cdn.jsdelivr.net/npm/algoliasearch@4/dist/algoliasearch-lite.umd.js"></script>
<script src="/assets/pizza-pie/javascripts/bundles/search-algolia.6714995b7f8.js"></script>
<script src="/assets/pizza-pie/javascripts/templates/movie-details.eaa51e83ad8.js"></script>
<script src="/assets/pizza-pie/javascripts/bundles/profanity-filter.d53af583d88.js"></script>
<script src="/assets/pizza-pie/javascripts/bundles/movie-details.1fd6e613c53.js"></script>
<script>
if ('function' === typeof window.mps.writeFooter) window.mps.writeFooter()
</script>
</div></body>
</html>
For this lesson, we've downloaded all of the Rotten Tomatoes HTML files for you and put them in a folder called rt_html in the Jupyter Notebooks.
If you want to work outside of the classroom, download this zip file and extract the rt_htmlfolder. I recommend that you do and open the HTML files in your preferred text editor (e.g. Sublime Text, which is free) to inspect the HTML for the quizzes ahead.
The rt_html folder contains the Rotten Tomatoes HTML for each of the Top 100 Movies of All Time as the list stood at the most recent update of this lesson. I'm giving you these historical files because the ratings will change over time and there will be inconsistencies.
Also, a web page's HTML is known to change over time. Scraping code can break easily when web redesigns occur, which makes scraping brittle and not recommended for projects with longevity. So just use these HTML files provided to you and pretend like you saved them yourself with one of the methods described above.
# import zipfile library
import zipfile
# Download rt_html.zip file
url = 'https://d17h27t6h515a5.cloudfront.net/topher/2017/September/59ca6b7b_rt-html/rt-html.zip'
response = requests.get(url)
with open('rt_html.zip', mode='wb') as file:
file.write(response.content)
# Extract all contents from zip file
with zipfile.ZipFile('rt_html.zip', 'r') as myzip:
myzip.extractall()
# Get page title that contains the movie title
page_title = soup.find('title') # Finds the first "title" in the page
page_title
<title>E.T. the Extra-Terrestrial - Rotten Tomatoes</title>
page_title.contents
['E.T. the Extra-Terrestrial - Rotten Tomatoes']
# Get movie title
soup.find('title').contents[0][:-len(' - Rotten Tomatoes')]
'E.T. the Extra-Terrestrial'
# spans = soup.find_all('p')
# spans
# spans[3].contents
With your knowledge of HTML file structure, you're going to use Beautiful Soup to extract our desired Audience Score metric and number of audience ratings, along with the movie title like in the video above (so we have something to merge the datasets on later) for each HTML file, then save them in a pandas DataFrame.
# List of dictionaries to build file by file and later convert to a DataFrame
df_list = []
folder = 'rt_html'
for movie_html in os.listdir(folder):
with open(os.path.join(folder, movie_html)) as file:
# Your code here
# Note: a correct implementation may take ~15 seconds to run
soup = BeautifulSoup(file, 'lxml')
# The code in the solution had 2 spaces before ' - Rotten Tomatoes'
# Resulting in the clode parentheses not included in the title throwing
# AssertionError: DataFrame.iloc[:, 0] are different
title = soup.find('title').contents[0][:-len(' - Rotten Tomatoes')]
title = title.replace('\xa0', ' ') # replace \xa0 with space to match titles in critic-df
#print(title)
#break
audience_score = soup.find('div', class_='audience-score meter').find('span').contents[0][:-1]
num_audience_ratings = soup.find('div', class_='audience-info hidden-xs superPageFontColor')
num_audience_ratings = num_audience_ratings.find_all('div')[1].contents[2].strip().replace(',', '')
# Append to list of dictionaries
df_list.append({'title': title,
'audience_score': int(audience_score),
'number_of_audience_ratings': int(num_audience_ratings)})
audience_df = pd.DataFrame(df_list, columns = ['title', 'audience_score', 'number_of_audience_ratings'])
audience_df.head()
title | audience_score | number_of_audience_ratings | |
---|---|---|---|
0 | 12 Angry Men (Twelve Angry Men) (1957) | 97 | 103672 |
1 | The 39 Steps (1935) | 86 | 23647 |
2 | The Adventures of Robin Hood (1938) | 89 | 33584 |
3 | All About Eve (1950) | 94 | 44564 |
4 | All Quiet on the Western Front (1930) | 89 | 17768 |
# Sort values by title and reset index
audience_df.sort_values('title', inplace = True, ignore_index = True)
audience_df.head()
title | audience_score | number_of_audience_ratings | |
---|---|---|---|
0 | 12 Angry Men (Twelve Angry Men) (1957) | 97 | 103672 |
1 | 12 Years a Slave (2013) | 90 | 138789 |
2 | A Hard Day's Night (1964) | 89 | 50067 |
3 | A Streetcar Named Desire (1951) | 90 | 54761 |
4 | Alien (1979) | 94 | 457186 |
audience_df.info()
<class 'pandas.core.frame.DataFrame'>
RangeIndex: 100 entries, 0 to 99
Data columns (total 3 columns):
# Column Non-Null Count Dtype
--- ------ -------------- -----
0 title 100 non-null object
1 audience_score 100 non-null int64
2 number_of_audience_ratings 100 non-null int64
dtypes: int64(2), object(1)
memory usage: 2.5+ KB
# Display common values in title columns
set(critic_df['title']).intersection(set(audience_df['title']))
{'12 Angry Men (Twelve Angry Men) (1957)',
'12 Years a Slave (2013)',
"A Hard Day's Night (1964)",
'A Streetcar Named Desire (1951)',
'Alien (1979)',
'All About Eve (1950)',
'All Quiet on the Western Front (1930)',
'Apocalypse Now (1979)',
'Argo (2012)',
'Arrival (2016)',
'Baby Driver (2017)',
'Battleship Potemkin (1925)',
'Bicycle Thieves (Ladri di biciclette) (1949)',
'Boyhood (2014)',
'Brooklyn (2015)',
'Casablanca (1942)',
'Citizen Kane (1941)',
'Dr. Strangelove Or How I Learned to Stop Worrying and Love the Bomb (1964)',
'Dunkirk (2017)',
'E.T. The Extra-Terrestrial (1982)',
'Finding Nemo (2003)',
'Frankenstein (1931)',
'Get Out (2017)',
'Gone With the Wind (1939)',
'Gravity (2013)',
'Harry Potter and the Deathly Hallows - Part 2 (2011)',
'Hell or High Water (2016)',
'High Noon (1952)',
'Inside Out (2015)',
'It Happened One Night (1934)',
'Jaws (1975)',
'King Kong (1933)',
'L.A. Confidential (1997)',
'La Grande illusion (Grand Illusion) (1938)',
'La La Land (2016)',
'Laura (1944)',
'Logan (2017)',
'M (1931)',
'Mad Max: Fury Road (2015)',
'Man on Wire (2008)',
'Manchester by the Sea (2016)',
'Metropolis (1927)',
'Modern Times (1936)',
'Moonlight (2016)',
'North by Northwest (1959)',
'Nosferatu, a Symphony of Horror (Nosferatu, eine Symphonie des Grauens) (Nosferatu the Vampire) (1922)',
'On the Waterfront (1954)',
'Open City (1946)',
'Pinocchio (1940)',
'Psycho (1960)',
'Rear Window (1954)',
'Rebecca (1940)',
'Repulsion (1965)',
'Roman Holiday (1953)',
"Rosemary's Baby (1968)",
'Selma (2015)',
'Seven Samurai (Shichinin no Samurai) (1956)',
"Singin' in the Rain (1952)",
'Skyfall (2012)',
'Snow White and the Seven Dwarfs (1937)',
'Spotlight (2015)',
'Star Trek (2009)',
'Star Wars: Episode VII - The Force Awakens (2015)',
'Sunset Boulevard (1950)',
'Taxi Driver (1976)',
'The 39 Steps (1935)',
'The 400 Blows (Les Quatre cents coups) (1959)',
'The Adventures of Robin Hood (1938)',
'The Babadook (2014)',
'The Battle of Algiers (La Battaglia di Algeri) (1967)',
'The Big Sick (2017)',
'The Bride of Frankenstein (1935)',
'The Cabinet of Dr. Caligari (Das Cabinet des Dr. Caligari) (1920)',
'The Conformist (1970)',
'The Dark Knight (2008)',
'The Godfather (1972)',
'The Godfather, Part II (1974)',
'The Good, the Bad and the Ugly (1966)',
'The Grapes of Wrath (1940)',
'The Jungle Book (2016)',
'The Last Picture Show (1971)',
'The Maltese Falcon (1941)',
'The Night of the Hunter (1955)',
'The Philadelphia Story (1940)',
'The Third Man (1949)',
'The Treasure of the Sierra Madre (1948)',
'The Wages of Fear (1953)',
'The Wizard of Oz (1939)',
'The Wrestler (2008)',
'Touch of Evil (1958)',
'Toy Story (1995)',
'Toy Story 2 (1999)',
'Toy Story 3 (2010)',
'Up (2009)',
'Vertigo (1958)',
'Wonder Woman (2017)',
'Zootopia (2016)'}
# Compare values
critic_df[~critic_df['title'].isin(audience_df['title'])]
ranking | critic_score | title | number_of_critic_ratings | |
---|---|---|---|---|
9 | 57 | 97 | Army of Shadows (L'Armée des ombres) (1969) | 73 |
51 | 35 | 100 | Rashômon (1951) | 50 |
91 | 82 | 100 | Tokyo Story (Tôkyô monogatari) (1953) | 42 |
audience_df.title[9:10] = "Army of Shadows (L'Armée des ombres) (1969)"
C:\Users\25678\AppData\Local\Temp\ipykernel_14700\2767815456.py:1: SettingWithCopyWarning:
A value is trying to be set on a copy of a slice from a DataFrame
See the caveats in the documentation: https://pandas.pydata.org/pandas-docs/stable/user_guide/indexing.html#returning-a-view-versus-a-copy
audience_df.title[9:10] = "Army of Shadows (L'Armée des ombres) (1969)"
# Display row 9
audience_df[9:10]
title | audience_score | number_of_audience_ratings | |
---|---|---|---|
9 | Army of Shadows (L'Armée des ombres) (1969) | 94 | 7011 |
# Display row 51
audience_df[51:52]
title | audience_score | number_of_audience_ratings | |
---|---|---|---|
51 | Rashômon (1951) | 93 | 47657 |
# Display row 91
audience_df[91:92]
title | audience_score | number_of_audience_ratings | |
---|---|---|---|
91 | Tokyo Story (Tôkyô monogatari) (1953) | 93 | 11325 |
merged_df = pd.merge(critic_df, audience_df, on = 'title')
merged_df.head()
ranking | critic_score | title | number_of_critic_ratings | audience_score | number_of_audience_ratings | |
---|---|---|---|---|---|---|
0 | 53 | 100 | 12 Angry Men (Twelve Angry Men) (1957) | 49 | 97 | 103672 |
1 | 29 | 96 | 12 Years a Slave (2013) | 316 | 90 | 138789 |
2 | 22 | 98 | A Hard Day's Night (1964) | 104 | 89 | 50067 |
3 | 60 | 98 | A Streetcar Named Desire (1951) | 54 | 90 | 54761 |
4 | 48 | 97 | Alien (1979) | 104 | 94 | 457186 |
merged_df.shape
(98, 6)
merged_df.audience_score.value_counts()
94 12
89 11
90 10
95 9
93 8
86 8
87 8
92 7
91 5
97 4
72 3
88 3
82 3
80 2
77 1
85 1
81 1
78 1
98 1
Name: audience_score, dtype: int64
plt.scatter(merged_df.audience_score, merged_df.critic_score);
We'll need the text from each of his reviews, for each of the movies on the Rotten Tomatoes Top 100 Movies of All Time list that live on his website. Lucky for you I've pre-gathered all of this text in the form of 100 .txt files that you can download programmatically.
So downloading files from Internet programmatically is best for scalability and reproducibility. In practice you really only need to know Python's request library, but understanding a bit of HTTP (Hypertext Transfer Protocol) will help you understand what's going on under the hood.
# Import requests library
import requests
# Make directory if it doesn't already exist
folder_name = 'ebert_reviews'
if not os.path.exists(folder_name):
os.makedirs(folder_name)
ebert_review_urls = ['https://d17h27t6h515a5.cloudfront.net/topher/2017/September/59ad9900_1-the-wizard-of-oz-1939-film/1-the-wizard-of-oz-1939-film.txt',
'https://d17h27t6h515a5.cloudfront.net/topher/2017/September/59ad9901_2-citizen-kane/2-citizen-kane.txt',
'https://d17h27t6h515a5.cloudfront.net/topher/2017/September/59ad9901_3-the-third-man/3-the-third-man.txt',
'https://d17h27t6h515a5.cloudfront.net/topher/2017/September/59ad9902_4-get-out-film/4-get-out-film.txt',
'https://d17h27t6h515a5.cloudfront.net/topher/2017/September/59ad9902_5-mad-max-fury-road/5-mad-max-fury-road.txt',
'https://d17h27t6h515a5.cloudfront.net/topher/2017/September/59ad9902_6-the-cabinet-of-dr.-caligari/6-the-cabinet-of-dr.-caligari.txt',
'https://d17h27t6h515a5.cloudfront.net/topher/2017/September/59ad9903_7-all-about-eve/7-all-about-eve.txt',
'https://d17h27t6h515a5.cloudfront.net/topher/2017/September/59ad9903_8-inside-out-2015-film/8-inside-out-2015-film.txt',
'https://d17h27t6h515a5.cloudfront.net/topher/2017/September/59ad9903_9-the-godfather/9-the-godfather.txt',
'https://d17h27t6h515a5.cloudfront.net/topher/2017/September/59ad9904_10-metropolis-1927-film/10-metropolis-1927-film.txt',
'https://d17h27t6h515a5.cloudfront.net/topher/2017/September/59ad9904_11-e.t.-the-extra-terrestrial/11-e.t.-the-extra-terrestrial.txt',
'https://d17h27t6h515a5.cloudfront.net/topher/2017/September/59ad9904_12-modern-times-film/12-modern-times-film.txt',
'https://d17h27t6h515a5.cloudfront.net/topher/2017/September/59ad9904_14-singin-in-the-rain/14-singin-in-the-rain.txt',
'https://d17h27t6h515a5.cloudfront.net/topher/2017/September/59ad9905_15-boyhood-film/15-boyhood-film.txt',
'https://d17h27t6h515a5.cloudfront.net/topher/2017/September/59ad9905_16-casablanca-film/16-casablanca-film.txt',
'https://d17h27t6h515a5.cloudfront.net/topher/2017/September/59ad9905_17-moonlight-2016-film/17-moonlight-2016-film.txt',
'https://d17h27t6h515a5.cloudfront.net/topher/2017/September/59ad9906_18-psycho-1960-film/18-psycho-1960-film.txt',
'https://d17h27t6h515a5.cloudfront.net/topher/2017/September/59ad9906_19-laura-1944-film/19-laura-1944-film.txt',
'https://d17h27t6h515a5.cloudfront.net/topher/2017/September/59ad9906_20-nosferatu/20-nosferatu.txt',
'https://d17h27t6h515a5.cloudfront.net/topher/2017/September/59ad9907_21-snow-white-and-the-seven-dwarfs-1937-film/21-snow-white-and-the-seven-dwarfs-1937-film.txt',
'https://d17h27t6h515a5.cloudfront.net/topher/2017/September/59ad9907_22-a-hard-day27s-night-film/22-a-hard-day27s-night-film.txt',
'https://d17h27t6h515a5.cloudfront.net/topher/2017/September/59ad9907_23-la-grande-illusion/23-la-grande-illusion.txt',
'https://d17h27t6h515a5.cloudfront.net/topher/2017/September/59ad9908_25-the-battle-of-algiers/25-the-battle-of-algiers.txt',
'https://d17h27t6h515a5.cloudfront.net/topher/2017/September/59ad9908_26-dunkirk-2017-film/26-dunkirk-2017-film.txt',
'https://d17h27t6h515a5.cloudfront.net/topher/2017/September/59ad9908_27-the-maltese-falcon-1941-film/27-the-maltese-falcon-1941-film.txt',
'https://d17h27t6h515a5.cloudfront.net/topher/2017/September/59ad9909_29-12-years-a-slave-film/29-12-years-a-slave-film.txt',
'https://d17h27t6h515a5.cloudfront.net/topher/2017/September/59ad9909_30-gravity-2013-film/30-gravity-2013-film.txt',
'https://d17h27t6h515a5.cloudfront.net/topher/2017/September/59ad9909_31-sunset-boulevard-film/31-sunset-boulevard-film.txt',
'https://d17h27t6h515a5.cloudfront.net/topher/2017/September/59ad990a_32-king-kong-1933-film/32-king-kong-1933-film.txt',
'https://d17h27t6h515a5.cloudfront.net/topher/2017/September/59ad990a_33-spotlight-film/33-spotlight-film.txt',
'https://d17h27t6h515a5.cloudfront.net/topher/2017/September/59ad990a_34-the-adventures-of-robin-hood/34-the-adventures-of-robin-hood.txt',
'https://d17h27t6h515a5.cloudfront.net/topher/2017/September/59ad990b_35-rashomon/35-rashomon.txt',
'https://d17h27t6h515a5.cloudfront.net/topher/2017/September/59ad990b_36-rear-window/36-rear-window.txt',
'https://d17h27t6h515a5.cloudfront.net/topher/2017/September/59ad990b_37-selma-film/37-selma-film.txt',
'https://d17h27t6h515a5.cloudfront.net/topher/2017/September/59ad990c_38-taxi-driver/38-taxi-driver.txt',
'https://d17h27t6h515a5.cloudfront.net/topher/2017/September/59ad990c_39-toy-story-3/39-toy-story-3.txt',
'https://d17h27t6h515a5.cloudfront.net/topher/2017/September/59ad990c_40-argo-2012-film/40-argo-2012-film.txt',
'https://d17h27t6h515a5.cloudfront.net/topher/2017/September/59ad990d_41-toy-story-2/41-toy-story-2.txt',
'https://d17h27t6h515a5.cloudfront.net/topher/2017/September/59ad990d_42-the-big-sick/42-the-big-sick.txt',
'https://d17h27t6h515a5.cloudfront.net/topher/2017/September/59ad990d_43-bride-of-frankenstein/43-bride-of-frankenstein.txt',
'https://d17h27t6h515a5.cloudfront.net/topher/2017/September/59ad990d_44-zootopia/44-zootopia.txt',
'https://d17h27t6h515a5.cloudfront.net/topher/2017/September/59ad990e_45-m-1931-film/45-m-1931-film.txt',
'https://d17h27t6h515a5.cloudfront.net/topher/2017/September/59ad990e_46-wonder-woman-2017-film/46-wonder-woman-2017-film.txt',
'https://d17h27t6h515a5.cloudfront.net/topher/2017/September/59ad990e_48-alien-film/48-alien-film.txt',
'https://d17h27t6h515a5.cloudfront.net/topher/2017/September/59ad990f_49-bicycle-thieves/49-bicycle-thieves.txt',
'https://d17h27t6h515a5.cloudfront.net/topher/2017/September/59ad990f_50-seven-samurai/50-seven-samurai.txt',
'https://d17h27t6h515a5.cloudfront.net/topher/2017/September/59ad990f_51-the-treasure-of-the-sierra-madre-film/51-the-treasure-of-the-sierra-madre-film.txt',
'https://d17h27t6h515a5.cloudfront.net/topher/2017/September/59ad9910_52-up-2009-film/52-up-2009-film.txt',
'https://d17h27t6h515a5.cloudfront.net/topher/2017/September/59ad9910_53-12-angry-men-1957-film/53-12-angry-men-1957-film.txt',
'https://d17h27t6h515a5.cloudfront.net/topher/2017/September/59ad9910_54-the-400-blows/54-the-400-blows.txt',
'https://d17h27t6h515a5.cloudfront.net/topher/2017/September/59ad9911_55-logan-film/55-logan-film.txt',
'https://d17h27t6h515a5.cloudfront.net/topher/2017/September/59ad9911_57-army-of-shadows/57-army-of-shadows.txt',
'https://d17h27t6h515a5.cloudfront.net/topher/2017/September/59ad9912_58-arrival-film/58-arrival-film.txt',
'https://d17h27t6h515a5.cloudfront.net/topher/2017/September/59ad9912_59-baby-driver/59-baby-driver.txt',
'https://d17h27t6h515a5.cloudfront.net/topher/2017/September/59ad9913_60-a-streetcar-named-desire-1951-film/60-a-streetcar-named-desire-1951-film.txt',
'https://d17h27t6h515a5.cloudfront.net/topher/2017/September/59ad9913_61-the-night-of-the-hunter-film/61-the-night-of-the-hunter-film.txt',
'https://d17h27t6h515a5.cloudfront.net/topher/2017/September/59ad9913_62-star-wars-the-force-awakens/62-star-wars-the-force-awakens.txt',
'https://d17h27t6h515a5.cloudfront.net/topher/2017/September/59ad9913_63-manchester-by-the-sea-film/63-manchester-by-the-sea-film.txt',
'https://d17h27t6h515a5.cloudfront.net/topher/2017/September/59ad9914_64-dr.-strangelove/64-dr.-strangelove.txt',
'https://d17h27t6h515a5.cloudfront.net/topher/2017/September/59ad9914_66-vertigo-film/66-vertigo-film.txt',
'https://d17h27t6h515a5.cloudfront.net/topher/2017/September/59ad9914_67-the-dark-knight-film/67-the-dark-knight-film.txt',
'https://d17h27t6h515a5.cloudfront.net/topher/2017/September/59ad9915_68-touch-of-evil/68-touch-of-evil.txt',
'https://d17h27t6h515a5.cloudfront.net/topher/2017/September/59ad9915_69-the-babadook/69-the-babadook.txt',
'https://d17h27t6h515a5.cloudfront.net/topher/2017/September/59ad9915_72-rosemary27s-baby-film/72-rosemary27s-baby-film.txt',
'https://d17h27t6h515a5.cloudfront.net/topher/2017/September/59ad9916_73-finding-nemo/73-finding-nemo.txt',
'https://d17h27t6h515a5.cloudfront.net/topher/2017/September/59ad9916_74-brooklyn-film/74-brooklyn-film.txt',
'https://d17h27t6h515a5.cloudfront.net/topher/2017/September/59ad9917_75-the-wrestler-2008-film/75-the-wrestler-2008-film.txt',
'https://d17h27t6h515a5.cloudfront.net/topher/2017/September/59ad9917_77-l.a.-confidential-film/77-l.a.-confidential-film.txt',
'https://d17h27t6h515a5.cloudfront.net/topher/2017/September/59ad9918_78-gone-with-the-wind-film/78-gone-with-the-wind-film.txt',
'https://d17h27t6h515a5.cloudfront.net/topher/2017/September/59ad9918_79-the-good-the-bad-and-the-ugly/79-the-good-the-bad-and-the-ugly.txt',
'https://d17h27t6h515a5.cloudfront.net/topher/2017/September/59ad9918_80-skyfall/80-skyfall.txt',
'https://d17h27t6h515a5.cloudfront.net/topher/2017/September/59ad9919_82-tokyo-story/82-tokyo-story.txt',
'https://d17h27t6h515a5.cloudfront.net/topher/2017/September/59ad9919_83-hell-or-high-water-film/83-hell-or-high-water-film.txt',
'https://d17h27t6h515a5.cloudfront.net/topher/2017/September/59ad9919_84-pinocchio-1940-film/84-pinocchio-1940-film.txt',
'https://d17h27t6h515a5.cloudfront.net/topher/2017/September/59ad9919_85-the-jungle-book-2016-film/85-the-jungle-book-2016-film.txt',
'https://d17h27t6h515a5.cloudfront.net/topher/2017/September/59ad991a_86-la-la-land-film/86-la-la-land-film.txt',
'https://d17h27t6h515a5.cloudfront.net/topher/2017/September/59ad991b_87-star-trek-film/87-star-trek-film.txt',
'https://d17h27t6h515a5.cloudfront.net/topher/2017/September/59ad991b_89-apocalypse-now/89-apocalypse-now.txt',
'https://d17h27t6h515a5.cloudfront.net/topher/2017/September/59ad991c_90-on-the-waterfront/90-on-the-waterfront.txt',
'https://d17h27t6h515a5.cloudfront.net/topher/2017/September/59ad991c_91-the-wages-of-fear/91-the-wages-of-fear.txt',
'https://d17h27t6h515a5.cloudfront.net/topher/2017/September/59ad991c_92-the-last-picture-show/92-the-last-picture-show.txt',
'https://d17h27t6h515a5.cloudfront.net/topher/2017/September/59ad991d_93-harry-potter-and-the-deathly-hallows-part-2/93-harry-potter-and-the-deathly-hallows-part-2.txt',
'https://d17h27t6h515a5.cloudfront.net/topher/2017/September/59ad991d_94-the-grapes-of-wrath-film/94-the-grapes-of-wrath-film.txt',
'https://d17h27t6h515a5.cloudfront.net/topher/2017/September/59ad991d_96-man-on-wire/96-man-on-wire.txt',
'https://d17h27t6h515a5.cloudfront.net/topher/2017/September/59ad991e_97-jaws-film/97-jaws-film.txt',
'https://d17h27t6h515a5.cloudfront.net/topher/2017/September/59ad991e_98-toy-story/98-toy-story.txt',
'https://d17h27t6h515a5.cloudfront.net/topher/2017/September/59ad991e_99-the-godfather-part-ii/99-the-godfather-part-ii.txt',
'https://d17h27t6h515a5.cloudfront.net/topher/2017/September/59ad991e_100-battleship-potemkin/100-battleship-potemkin.txt']
for url in ebert_review_urls:
response = requests.get(url)
with open(os.path.join(folder_name, url.split('/')[-1]), mode = 'wb') as file:
file.write(response.content)
To store data from multiple files in a pandas DataFrame we'll need a loop to iterate through the files and open and read each of them.
We've used the listdir
method from the OS library so far in this lesson and that is helpful when you want to open every file in the folder.
Another option is to use the glob library which allows for Unix-style pathname pattern expansion, by using glob patterns to specify sets of filenames using wildcard characters, like *
that can be used to match a string of any length.
# Import glob library
import glob
# To return a list of pathnames that match a partial pathname use glob.glob(pathname_to_match)
for ebert_review in glob.glob('ebert_reviews/*.txt'):
print(ebert_review)
ebert_reviews\1-the-wizard-of-oz-1939-film.txt
ebert_reviews\10-metropolis-1927-film.txt
ebert_reviews\100-battleship-potemkin.txt
ebert_reviews\11-e.t.-the-extra-terrestrial.txt
ebert_reviews\12-modern-times-film.txt
ebert_reviews\14-singin-in-the-rain.txt
ebert_reviews\15-boyhood-film.txt
ebert_reviews\16-casablanca-film.txt
ebert_reviews\17-moonlight-2016-film.txt
ebert_reviews\18-psycho-1960-film.txt
ebert_reviews\19-laura-1944-film.txt
ebert_reviews\2-citizen-kane.txt
ebert_reviews\20-nosferatu.txt
ebert_reviews\21-snow-white-and-the-seven-dwarfs-1937-film.txt
ebert_reviews\22-a-hard-day27s-night-film.txt
ebert_reviews\23-la-grande-illusion.txt
ebert_reviews\25-the-battle-of-algiers.txt
ebert_reviews\26-dunkirk-2017-film.txt
ebert_reviews\27-the-maltese-falcon-1941-film.txt
ebert_reviews\29-12-years-a-slave-film.txt
ebert_reviews\3-the-third-man.txt
ebert_reviews\30-gravity-2013-film.txt
ebert_reviews\31-sunset-boulevard-film.txt
ebert_reviews\32-king-kong-1933-film.txt
ebert_reviews\33-spotlight-film.txt
ebert_reviews\34-the-adventures-of-robin-hood.txt
ebert_reviews\35-rashomon.txt
ebert_reviews\36-rear-window.txt
ebert_reviews\37-selma-film.txt
ebert_reviews\38-taxi-driver.txt
ebert_reviews\39-toy-story-3.txt
ebert_reviews\4-get-out-film.txt
ebert_reviews\40-argo-2012-film.txt
ebert_reviews\41-toy-story-2.txt
ebert_reviews\42-the-big-sick.txt
ebert_reviews\43-bride-of-frankenstein.txt
ebert_reviews\44-zootopia.txt
ebert_reviews\45-m-1931-film.txt
ebert_reviews\46-wonder-woman-2017-film.txt
ebert_reviews\48-alien-film.txt
ebert_reviews\49-bicycle-thieves.txt
ebert_reviews\5-mad-max-fury-road.txt
ebert_reviews\50-seven-samurai.txt
ebert_reviews\51-the-treasure-of-the-sierra-madre-film.txt
ebert_reviews\52-up-2009-film.txt
ebert_reviews\53-12-angry-men-1957-film.txt
ebert_reviews\54-the-400-blows.txt
ebert_reviews\55-logan-film.txt
ebert_reviews\57-army-of-shadows.txt
ebert_reviews\58-arrival-film.txt
ebert_reviews\59-baby-driver.txt
ebert_reviews\6-the-cabinet-of-dr.-caligari.txt
ebert_reviews\60-a-streetcar-named-desire-1951-film.txt
ebert_reviews\61-the-night-of-the-hunter-film.txt
ebert_reviews\62-star-wars-the-force-awakens.txt
ebert_reviews\63-manchester-by-the-sea-film.txt
ebert_reviews\64-dr.-strangelove.txt
ebert_reviews\66-vertigo-film.txt
ebert_reviews\67-the-dark-knight-film.txt
ebert_reviews\68-touch-of-evil.txt
ebert_reviews\69-the-babadook.txt
ebert_reviews\7-all-about-eve.txt
ebert_reviews\72-rosemary27s-baby-film.txt
ebert_reviews\73-finding-nemo.txt
ebert_reviews\74-brooklyn-film.txt
ebert_reviews\75-the-wrestler-2008-film.txt
ebert_reviews\77-l.a.-confidential-film.txt
ebert_reviews\78-gone-with-the-wind-film.txt
ebert_reviews\79-the-good-the-bad-and-the-ugly.txt
ebert_reviews\8-inside-out-2015-film.txt
ebert_reviews\80-skyfall.txt
ebert_reviews\82-tokyo-story.txt
ebert_reviews\83-hell-or-high-water-film.txt
ebert_reviews\84-pinocchio-1940-film.txt
ebert_reviews\85-the-jungle-book-2016-film.txt
ebert_reviews\86-la-la-land-film.txt
ebert_reviews\87-star-trek-film.txt
ebert_reviews\89-apocalypse-now.txt
ebert_reviews\9-the-godfather.txt
ebert_reviews\90-on-the-waterfront.txt
ebert_reviews\91-the-wages-of-fear.txt
ebert_reviews\92-the-last-picture-show.txt
ebert_reviews\93-harry-potter-and-the-deathly-hallows-part-2.txt
ebert_reviews\94-the-grapes-of-wrath-film.txt
ebert_reviews\96-man-on-wire.txt
ebert_reviews\97-jaws-film.txt
ebert_reviews\98-toy-story.txt
ebert_reviews\99-the-godfather-part-ii.txt
Since text files are separated by newline characters and the file object returned from with open as file, is an iterator, we can read the file line-by-line using file.readline()
In our movie text files, the title of the movie on the first line of the file followed by a bit of white space, which is actually the \n, or the newline character. We can get rid of that by slicing it off at the end of the string.
title = file.readline()[:-1]
Now we've got the movie title. Next, you're going to grab the URL and the full review text.
But first, we'll need to build a pandas DataFrame by creating an empty list and populating it as we iterate through the list of files and converting it to a pandas DataFrame once all of the data has been gathered.
# List of dictionaries to build file by file and later convert to a DataFrame
df_list = []
for ebert_review in glob.glob('ebert_reviews/*.txt'):
with open(ebert_review, encoding='utf-8') as file:
title = file.readline()[:-1]
# Your code here
review_url = file.readline()[:-1]
#print(review_url)
#break
review_text = file.read()
# Append to list of dictionaries
df_list.append({'title': title,
'review_url': review_url,
'review_text': review_text})
reviews_df = pd.DataFrame(df_list, columns = ['title', 'review_url', 'review_text'])
reviews_df.head()
title | review_url | review_text | |
---|---|---|---|
0 | The Wizard of Oz (1939) | http://www.rogerebert.com/reviews/great-movie-... | As a child I simply did not notice whether a m... |
1 | Metropolis (1927) | http://www.rogerebert.com/reviews/great-movie-... | The opening shots of the restored “Metropolis”... |
2 | Battleship Potemkin (1925) | http://www.rogerebert.com/reviews/great-movie-... | "The Battleship Potemkin” has been so famous f... |
3 | E.T. The Extra-Terrestrial (1982) | http://www.rogerebert.com/reviews/great-movie-... | Dear Raven and Emil:\n\nSunday we sat on the b... |
4 | Modern Times (1936) | http://www.rogerebert.com/reviews/modern-times... | A lot of movies are said to be timeless, but s... |
reviews_df.nunique()
title 88
review_url 88
review_text 88
dtype: int64
We could scrape the image URL from the HTML. But a better way is to access them through an API (Application Programming Interface). Each movie has its poster on its Wikipedia page, so we can use Wikipedia's API.
APIs give you relatively easy access to data from the Internet. Twitter, Facebook, Instagram all have APIs and there are many open-source APIs.
In this lesson we'll be using MediaWiki, which is a popular open-source API for Wikipedia.
MediaWiki has a great tutorial on their website on how their API calls are structured. It's a nice and simple example and they explain the various moving parts:
Go and read that example and then come back to the classroom.
Done reading? Great! Though they say that is a "simple example," it could definitely be simpler! This is where access libraries, also known as client libraries or even just libraries (as in "Twitter API libraries"), come into play and make our lives easier.
wptools Library
There are a bunch of different access libraries for MediaWiki to satisfy the variety of programming languages that exist. Here is a list for Python. This is pretty standard for most APIs. Some libraries are better than others, which again, is standard. For a MediaWiki, the most up to date and human readable one in Python is called wptools. The analogous relationship for Twitter is:
# Import wptools to interact with MediaWiki API
import wptools
# Get page from wikipedia using page.get() and save it to variable 'page'
page = wptools.page('E.T._the_Extra-Terrestrial').get()
en.wikipedia.org (query) E.T._the_Extra-Terrestrial
en.wikipedia.org (query) E.T. the Extra-Terrestrial (&plcontinue=...
en.wikipedia.org (parse) 73441
www.wikidata.org (wikidata) Q11621
www.wikidata.org (labels) Q1315008|Q11024|Q56887459|P2755|Q139184...
www.wikidata.org (labels) Q58877087|Q1720784|Q105640076|Q5280675|...
www.wikidata.org (labels) Q96280219|Q28732982|P406|Q823422|P227|Q...
www.wikidata.org (labels) P1476|Q586356|Q443775|P244|Q723685|P905...
www.wikidata.org (labels) P6839|P1434|P2363|Q20644795|P6562|Q3776...
www.wikidata.org (labels) P3804|Q30
en.wikipedia.org (restbase) /page/summary/E.T._the_Extra-Terrestrial
en.wikipedia.org (imageinfo) File:ET logo 3.svg|File:E t the extr...
E.T. the Extra-Terrestrial (en) data
{
WARNINGS: <dict(1)> extracts
aliases: <list(2)> E.T., ET
assessments: <dict(4)> United States, Film, Science Fiction, Lib...
claims: <dict(131)> P1562, P57, P272, P345, P31, P161, P373, P48...
description: 1982 American science fiction film
exhtml: <str(476)> <p><i><b>E.T. the Extra-Terrestrial</b></i> i...
exrest: <str(455)> E.T. the Extra-Terrestrial is a 1982 American...
extext: <str(2263)> _**E.T. the Extra-Terrestrial**_ (or simply ...
extract: <str(2389)> <p class="mw-empty-elt"></p><p><i><b>E.T. t...
image: <list(4)> {'kind': 'parse-image', 'file': 'File:E t the e...
infobox: <dict(19)> name, image, alt, caption, director, produce...
iwlinks: <list(6)> https://commons.wikimedia.org/wiki/Category:E...
label: E.T. the Extra-Terrestrial
labels: <dict(252)> Q1315008, Q11024, Q56887459, P2755, Q139184,...
length: 128,052
links: <list(769)> 10th Saturn Awards, 12 Angry Men (1957 film),...
modified: <dict(2)> page, wikidata
pageid: 73441
parsetree: <str(157468)> <root><template><title>short descriptio...
random: Shooting at the 1992 Summer Olympics – Women's 25 metre ...
redirects: <list(37)> {'pageid': 177061, 'ns': 0, 'title': 'E.T....
requests: <list(12)> query, query, parse, wikidata, labels, labe...
title: E.T._the_Extra-Terrestrial
url: https://en.wikipedia.org/wiki/E.T._the_Extra-Terrestrial
url_raw: <str(67)> https://en.wikipedia.org/wiki/E.T._the_Extra-...
watchers: 370
what: film
wikibase: Q11621
wikidata: <dict(131)> AllMovie title ID (P1562), director (P57),...
wikidata_pageid: 13150
wikidata_url: https://www.wikidata.org/wiki/Q11621
wikitext: <str(127211)> {{short description|1982 American scienc...
}
# Accessing the image attribute will return all the images for this page
page.data['image']
[{'kind': 'parse-image',
'file': 'File:E t the extra terrestrial ver3.jpg',
'orig': 'E t the extra terrestrial ver3.jpg',
'timestamp': '2016-06-04T10:30:46Z',
'size': 83073,
'width': 253,
'height': 394,
'url': 'https://upload.wikimedia.org/wikipedia/en/6/66/E_t_the_extra_terrestrial_ver3.jpg',
'descriptionurl': 'https://en.wikipedia.org/wiki/File:E_t_the_extra_terrestrial_ver3.jpg',
'descriptionshorturl': 'https://en.wikipedia.org/w/index.php?curid=7419503',
'title': 'File:E t the extra terrestrial ver3.jpg',
'metadata': {'DateTime': {'value': '2016-06-04 10:30:46',
'source': 'mediawiki-metadata',
'hidden': ''},
'ObjectName': {'value': 'E t the extra terrestrial ver3',
'source': 'mediawiki-metadata',
'hidden': ''},
'CommonsMetadataExtension': {'value': 1.2,
'source': 'extension',
'hidden': ''},
'Categories': {'value': 'All non-free media|E.T. the Extra-Terrestrial|Fair use images of film posters|Files with no machine-readable author|Noindexed pages|Wikipedia non-free files for NFUR review|Wikipedia non-free files with valid backlink',
'source': 'commons-categories',
'hidden': ''},
'Assessments': {'value': '', 'source': 'commons-categories', 'hidden': ''},
'ImageDescription': {'value': '<p>This is a poster for <i>E.T. the Extra-Terrestrial</i>. <br>The poster art copyright is believed to belong to <a href="//en.wikipedia.org/wiki/John_Alvin" title="John Alvin">John Alvin</a>.\n</p>',
'source': 'commons-desc-page'},
'Credit': {'value': '<p>The poster art can or could be obtained from <a href="//en.wikipedia.org/wiki/John_Alvin" title="John Alvin">John Alvin</a>.\n</p>',
'source': 'commons-desc-page',
'hidden': ''},
'LicenseShortName': {'value': 'Fair use',
'source': 'commons-desc-page',
'hidden': ''},
'UsageTerms': {'value': '<a href="//en.wikipedia.org/wiki/Wikipedia:Non-free_use_rationale_guideline" title="Wikipedia:Non-free use rationale guideline">Fair use</a> of copyrighted material in the context of <a href="//en.wikipedia.org/wiki/E.T._the_Extra-Terrestrial" title="E.T. the Extra-Terrestrial">E.T. the Extra-Terrestrial</a>',
'source': 'commons-desc-page',
'hidden': ''},
'Attribution': {'value': '<p>The poster art can or could be obtained from <a href="//en.wikipedia.org/wiki/John_Alvin" title="John Alvin">John Alvin</a>.\n</p>',
'source': 'commons-desc-page',
'hidden': ''},
'LicenseUrl': {'value': '//en.wikipedia.org/wiki/File:E_t_the_extra_terrestrial_ver3.jpg',
'source': 'commons-desc-page',
'hidden': ''},
'NonFree': {'value': 'true', 'source': 'commons-desc-page', 'hidden': ''},
'Copyrighted': {'value': 'True',
'source': 'commons-desc-page',
'hidden': ''},
'Restrictions': {'value': '',
'source': 'commons-desc-page',
'hidden': ''}}},
{'file': 'File:ET logo 3.svg',
'kind': 'wikidata-image',
'orig': 'ET logo 3.svg',
'timestamp': '2011-05-14T20:38:17Z',
'size': 77290,
'width': 512,
'height': 380,
'url': 'https://upload.wikimedia.org/wikipedia/commons/8/85/ET_logo_3.svg',
'descriptionurl': 'https://commons.wikimedia.org/wiki/File:ET_logo_3.svg',
'descriptionshorturl': 'https://commons.wikimedia.org/w/index.php?curid=14138952',
'title': 'File:ET logo 3.svg',
'metadata': {'DateTime': {'value': '2011-05-14 20:38:17',
'source': 'mediawiki-metadata',
'hidden': ''},
'ObjectName': {'value': 'ET logo 3',
'source': 'mediawiki-metadata',
'hidden': ''},
'CommonsMetadataExtension': {'value': 1.2,
'source': 'extension',
'hidden': ''},
'Categories': {'value': 'E.T. the Extra-Terrestrial|PD textlogo|SVG text logos|With trademark',
'source': 'commons-categories',
'hidden': ''},
'Assessments': {'value': '', 'source': 'commons-categories', 'hidden': ''},
'ImageDescription': {'value': 'Opening logo to the <a href="https://en.wikipedia.org/wiki/E.T._the_Extra-Terrestrial" class="extiw" title="en:E.T. the Extra-Terrestrial">en:E.T. the Extra-Terrestrial</a> film',
'source': 'commons-desc-page'},
'DateTimeOriginal': {'value': '2011-02-28', 'source': 'commons-desc-page'},
'Credit': {'value': 'Transferred from <a class="external text" href="https://en.wikipedia.org">en.wikipedia</a>',
'source': 'commons-desc-page',
'hidden': ''},
'Artist': {'value': '<a href="https://en.wikipedia.org/wiki/en:User:TheCuriousGnome" class="extiw" title="w:en:User:TheCuriousGnome">User:TheCuriousGnome</a>',
'source': 'commons-desc-page'},
'LicenseShortName': {'value': 'Public domain',
'source': 'commons-desc-page',
'hidden': ''},
'UsageTerms': {'value': 'Public domain',
'source': 'commons-desc-page',
'hidden': ''},
'AttributionRequired': {'value': 'false',
'source': 'commons-desc-page',
'hidden': ''},
'Copyrighted': {'value': 'False',
'source': 'commons-desc-page',
'hidden': ''},
'Restrictions': {'value': 'trademarked',
'source': 'commons-desc-page',
'hidden': ''},
'License': {'value': 'pd', 'source': 'commons-templates', 'hidden': ''}}},
{'kind': 'restbase-original',
'width': 253,
'height': 394,
'url': 'https://upload.wikimedia.org/wikipedia/en/6/66/E_t_the_extra_terrestrial_ver3.jpg',
'file': 'File:E t the extra terrestrial ver3.jpg',
'orig': 'E_t_the_extra_terrestrial_ver3.jpg'},
{'kind': 'restbase-thumb',
'width': 205,
'height': 320,
'url': 'https://upload.wikimedia.org/wikipedia/en/thumb/6/66/E_t_the_extra_terrestrial_ver3.jpg/205px-E_t_the_extra_terrestrial_ver3.jpg',
'file': 'File:205px-E t the extra terrestrial ver3.jpg',
'orig': '205px-E_t_the_extra_terrestrial_ver3.jpg'}]
JSON is built on two key structures:
JSON Objects
JSON objects are a collection of key: value pairs, e.g. key is "Directed by" and the value is "Steven Spielberg" that are surrounded by curly braces.
In Python, JSON objects are interpreted as dictionaries and you can access them like you would a standard Python Dict.
JSON object keys must be strings
JSON Arrays
A JSON array is an ordered list of values, e.g.the array of producers, ["Kathleen Kennedy", "Steven Spielberg" ] surrounded by square brackets.
In Python, JSON arrays are interpreted and accessed like lists .
The values for both JSON objects and arrays can be any valid JSON data type: string, number, object, array, Boolean or null.
When objects and arrays are combined, it is called nesting.
# Find the 'director' key of the 'infobox' attribute of the page
page.data['infobox']['director']
'[[Steven Spielberg]]'
Downloading images may seem tricky from a reading and writing perspective, in comparison to text files which you can read line by line, for example. But in reality, image files aren't special—they're just binary files. To interact with them, you don't need special software (like Photoshop or something) that "understands" images. You can use regular file opening, reading, and writing techniques, like this:
But this technique can be error-prone. It will work most of the time, but sometimes the file you write to will be damaged.
# Image URL
page.data['image'][0]['url']
'https://upload.wikimedia.org/wikipedia/en/6/66/E_t_the_extra_terrestrial_ver3.jpg'
# Save image to file
url = page.data['image'][0]['url']
response = requests.get(url)
with open('E_t_the_extra_terrestrial_ver3.jpg', mode='wb') as file:
file.write(response.content)
r = requests.get(url)
with open(folder_name + '/' + 'E_t_the_extra_terrestrial_ver3.jpg', 'wb') as f:
f.write(r.content)
This type of error is why the requests library maintainers recommend using the PIL library (short for Pillow) and BytesIO from the io library for non-text requests, like images. They recommend that you access the response body as bytes, for non-text requests.
Though you may still encounter a similar file error, this code above will at least warn us with an error message, at which point we can manually download the problematic images.
For example, to create an image from binary data returned by a request:
from PIL import Image
from io import BytesIO
r = requests.get(url)
i = Image.open(BytesIO(r.content))
i
i.save('E_t_the_extra_terrestrial_ver3.jpg')
Let's gather the last piece of data for the Roger Ebert review word clouds now: the movie poster image files. Let's also keep each image's URL to add to the master DataFrame later.
Though we're going to use a loop to minimize repetition, here's how the major parts inside that loop will work, in order:
We're going to query the MediaWiki API using wptools to get a movie poster URL via each page object's image attribute.
Using that URL, we'll programmatically download that image into a folder called bestofrt_posters.
title_list = [
'The_Wizard_of_Oz_(1939_film)',
'Citizen_Kane',
'The_Third_Man',
'Get_Out_(film)',
'Mad_Max:_Fury_Road',
'The_Cabinet_of_Dr._Caligari',
'All_About_Eve',
'Inside_Out_(2015_film)',
'The_Godfather',
'Metropolis_(1927_film)',
'E.T._the_Extra-Terrestrial',
'Modern_Times_(film)',
'It_Happened_One_Night',
"Singin'_in_the_Rain",
'Boyhood_(film)',
'Casablanca_(film)',
'Moonlight_(2016_film)',
'Psycho_(1960_film)',
'Laura_(1944_film)',
'Nosferatu',
'Snow_White_and_the_Seven_Dwarfs_(1937_film)',
"A_Hard_Day%27s_Night_(film)",
'La_Grande_Illusion',
'North_by_Northwest',
'The_Battle_of_Algiers',
'Dunkirk_(2017_film)',
'The_Maltese_Falcon_(1941_film)',
'Repulsion_(film)',
'12_Years_a_Slave_(film)',
'Gravity_(2013_film)',
'Sunset_Boulevard_(film)',
'King_Kong_(1933_film)',
'Spotlight_(film)',
'The_Adventures_of_Robin_Hood',
'Rashomon',
'Rear_Window',
'Selma_(film)',
'Taxi_Driver',
'Toy_Story_3',
'Argo_(2012_film)',
'Toy_Story_2',
'The_Big_Sick',
'Bride_of_Frankenstein',
'Zootopia',
'M_(1931_film)',
'Wonder_Woman_(2017_film)',
'The_Philadelphia_Story_(film)',
'Alien_(film)',
'Bicycle_Thieves',
'Seven_Samurai',
'The_Treasure_of_the_Sierra_Madre_(film)',
'Up_(2009_film)',
'12_Angry_Men_(1957_film)',
'The_400_Blows',
'Logan_(film)',
'All_Quiet_on_the_Western_Front_(1930_film)',
'Army_of_Shadows',
'Arrival_(film)',
'Baby_Driver',
'A_Streetcar_Named_Desire_(1951_film)',
'The_Night_of_the_Hunter_(film)',
'Star_Wars:_The_Force_Awakens',
'Manchester_by_the_Sea_(film)',
'Dr._Strangelove',
'Frankenstein_(1931_film)',
'Vertigo_(film)',
'The_Dark_Knight_(film)',
'Touch_of_Evil',
'The_Babadook',
'The_Conformist_(film)',
'Rebecca_(1940_film)',
"Rosemary%27s_Baby_(film)",
'Finding_Nemo',
'Brooklyn_(film)',
'The_Wrestler_(2008_film)',
'The_39_Steps_(1935_film)',
'L.A._Confidential_(film)',
'Gone_with_the_Wind_(film)',
'The_Good,_the_Bad_and_the_Ugly',
'Skyfall',
'Rome,_Open_City',
'Tokyo_Story',
'Hell_or_High_Water_(film)',
'Pinocchio_(1940_film)',
'The_Jungle_Book_(2016_film)',
'La_La_Land_(film)',
'Star_Trek_(film)',
'High_Noon',
'Apocalypse_Now',
'On_the_Waterfront',
'The_Wages_of_Fear',
'The_Last_Picture_Show',
'Harry_Potter_and_the_Deathly_Hallows_–_Part_2',
'The_Grapes_of_Wrath_(film)',
'Roman_Holiday',
'Man_on_Wire',
'Jaws_(film)',
'Toy_Story',
'The_Godfather_Part_II',
'Battleship_Potemkin'
]
folder_name = 'bestofrt_posters'
# Make directory if it doesn't already exist
if not os.path.exists(folder_name):
os.makedirs(folder_name)
# List of dictionaries to build and convert to a DataFrame later
df_list = []
image_errors = {}
for title in title_list:
try:
# This cell is slow so print ranking to gauge time remaining
ranking = title_list.index(title) + 1
print(ranking)
page = wptools.page(title, silent=True)
# Your code here (three lines)
images = page.get().data['image']
# First image is usually the poster
first_image_url = images[0]['url']
r = requests.get(first_image_url)
# Download movie poster image
i = Image.open(BytesIO(r.content))
image_file_format = first_image_url.split('.')[-1]
i.save(folder_name + "/" + str(ranking) + "_" + title + '.' + image_file_format)
# Append to list of dictionaries
df_list.append({'ranking': int(ranking),
'title': title,
'poster_url': first_image_url})
# Not best practice to catch all exceptions but fine for this short script
except Exception as e:
print(str(ranking) + "_" + title + ": " + str(e))
image_errors[str(ranking) + "_" + title] = images
1
1_The_Wizard_of_Oz_(1939_film): cannot identify image file <_io.BytesIO object at 0x000001805A680590>
2
2_Citizen_Kane: cannot identify image file <_io.BytesIO object at 0x000001805A6A7630>
3
3_The_Third_Man: cannot identify image file <_io.BytesIO object at 0x000001805A0D69F0>
4
5
6
6_The_Cabinet_of_Dr._Caligari: (56, 'Send failure: Connection was reset')
7
7_All_About_Eve: (6, 'Could not resolve host: en.wikipedia.org')
8
8_Inside_Out_(2015_film): (7, 'Failed to connect to en.wikipedia.org port 443 after 17264 ms: Connection was aborted')
9
9_The_Godfather: (35, 'schannel: failed to receive handshake, SSL/TLS connection failed')
10
10_Metropolis_(1927_film): (28, 'Failed to connect to en.wikipedia.org port 443 after 23159 ms: Timed out')
11
11_E.T._the_Extra-Terrestrial: (35, 'schannel: failed to receive handshake, SSL/TLS connection failed')
12
12_Modern_Times_(film): cannot identify image file <_io.BytesIO object at 0x000001805AB3DB30>
13
13_It_Happened_One_Night: (56, 'Send failure: Connection was reset')
14
14_Singin'_in_the_Rain: (6, 'Could not resolve host: en.wikipedia.org')
15
15_Boyhood_(film): 'image'
16
17
18
18_Psycho_(1960_film): cannot identify image file <_io.BytesIO object at 0x000001805A8828B0>
19
19_Laura_(1944_film): cannot identify image file <_io.BytesIO object at 0x000001805AB3D9A0>
20
20_Nosferatu: cannot identify image file <_io.BytesIO object at 0x000001805AB3DB80>
21
22
API error: {'code': 'invalidtitle', 'info': 'Bad title "A_Hard_Day%27s_Night_(film)".', 'docref': 'See https://en.wikipedia.org/w/api.php for API usage. Subscribe to the mediawiki-api-announce mailing list at <https://lists.wikimedia.org/postorius/lists/mediawiki-api-announce.lists.wikimedia.org/> for notice of API deprecations and breaking changes.'}
22_A_Hard_Day%27s_Night_(film): https://en.wikipedia.org/w/api.php?action=parse&formatversion=2&contentmodel=text&disableeditsection=&disablelimitreport=&disabletoc=&prop=text|iwlinks|parsetree|wikitext|displaytitle|properties&redirects&page=A_Hard_Day%2527s_Night_%28film%29
23
23_La_Grande_Illusion: cannot identify image file <_io.BytesIO object at 0x0000018059D39680>
24
24_North_by_Northwest: cannot identify image file <_io.BytesIO object at 0x0000018057CAA680>
25
26
27
27_The_Maltese_Falcon_(1941_film): cannot identify image file <_io.BytesIO object at 0x000001805AC17450>
28
29
30
30_Gravity_(2013_film): (56, 'Send failure: Connection was reset')
31
31_Sunset_Boulevard_(film): cannot identify image file <_io.BytesIO object at 0x000001805A59AEF0>
32
32_King_Kong_(1933_film): cannot identify image file <_io.BytesIO object at 0x000001805A8DD4F0>
33
34
34_The_Adventures_of_Robin_Hood: cannot identify image file <_io.BytesIO object at 0x000001805AACF6D0>
35
35_Rashomon: cannot identify image file <_io.BytesIO object at 0x000001805A0C7900>
36
36_Rear_Window: cannot identify image file <_io.BytesIO object at 0x000001805AC38CC0>
37
38
39
40
40_Argo_(2012_film): cannot identify image file <_io.BytesIO object at 0x000001805ADA3AE0>
41
42
43
43_Bride_of_Frankenstein: cannot identify image file <_io.BytesIO object at 0x000001805B4FF220>
44
45
46
47
47_The_Philadelphia_Story_(film): cannot identify image file <_io.BytesIO object at 0x000001805A0C7900>
48
49
50
50_Seven_Samurai: cannot identify image file <_io.BytesIO object at 0x000001805AA26270>
51
51_The_Treasure_of_the_Sierra_Madre_(film): cannot identify image file <_io.BytesIO object at 0x000001805A6BBDB0>
52
53
53_12_Angry_Men_(1957_film): cannot identify image file <_io.BytesIO object at 0x000001805B240DB0>
54
55
56
56_All_Quiet_on_the_Western_Front_(1930_film): cannot identify image file <_io.BytesIO object at 0x000001805AE48590>
57
57_Army_of_Shadows: cannot identify image file <_io.BytesIO object at 0x000001805AC2E810>
58
59
60
60_A_Streetcar_Named_Desire_(1951_film): cannot identify image file <_io.BytesIO object at 0x000001805A59AE50>
61
61_The_Night_of_the_Hunter_(film): cannot identify image file <_io.BytesIO object at 0x00000180588028B0>
62
63
64
65
66
66_Vertigo_(film): cannot identify image file <_io.BytesIO object at 0x000001805A698720>
67
68
68_Touch_of_Evil: cannot identify image file <_io.BytesIO object at 0x000001805A725E00>
69
69_The_Babadook: cannot identify image file <_io.BytesIO object at 0x0000018057D83C20>
70
70_The_Conformist_(film): cannot identify image file <_io.BytesIO object at 0x000001805B2C76D0>
71
71_Rebecca_(1940_film): cannot identify image file <_io.BytesIO object at 0x000001805B320EA0>
72
API error: {'code': 'invalidtitle', 'info': 'Bad title "Rosemary%27s_Baby_(film)".', 'docref': 'See https://en.wikipedia.org/w/api.php for API usage. Subscribe to the mediawiki-api-announce mailing list at <https://lists.wikimedia.org/postorius/lists/mediawiki-api-announce.lists.wikimedia.org/> for notice of API deprecations and breaking changes.'}
72_Rosemary%27s_Baby_(film): https://en.wikipedia.org/w/api.php?action=parse&formatversion=2&contentmodel=text&disableeditsection=&disablelimitreport=&disabletoc=&prop=text|iwlinks|parsetree|wikitext|displaytitle|properties&redirects&page=Rosemary%2527s_Baby_%28film%29
73
74
75
76
76_The_39_Steps_(1935_film): cannot identify image file <_io.BytesIO object at 0x000001805A59AEF0>
77
78
79
80
81
82
82_Tokyo_Story: cannot identify image file <_io.BytesIO object at 0x000001805ACFCB30>
83
84
85
86
87
88
88_High_Noon: cannot identify image file <_io.BytesIO object at 0x000001805A582BD0>
89
90
90_On_the_Waterfront: cannot identify image file <_io.BytesIO object at 0x000001805A9414F0>
91
91_The_Wages_of_Fear: cannot identify image file <_io.BytesIO object at 0x000001805A67BE00>
92
93
94
94_The_Grapes_of_Wrath_(film): cannot identify image file <_io.BytesIO object at 0x000001805B320D10>
95
95_Roman_Holiday: cannot identify image file <_io.BytesIO object at 0x000001805A87B040>
96
97
98
99
100
Once you have completed the above code requirements, read and run the three cells below and interpret their output.
for key in image_errors.keys():
print(key)
1_The_Wizard_of_Oz_(1939_film)
2_Citizen_Kane
3_The_Third_Man
6_The_Cabinet_of_Dr._Caligari
7_All_About_Eve
8_Inside_Out_(2015_film)
9_The_Godfather
10_Metropolis_(1927_film)
11_E.T._the_Extra-Terrestrial
12_Modern_Times_(film)
13_It_Happened_One_Night
14_Singin'_in_the_Rain
15_Boyhood_(film)
18_Psycho_(1960_film)
19_Laura_(1944_film)
20_Nosferatu
22_A_Hard_Day%27s_Night_(film)
23_La_Grande_Illusion
24_North_by_Northwest
27_The_Maltese_Falcon_(1941_film)
30_Gravity_(2013_film)
31_Sunset_Boulevard_(film)
32_King_Kong_(1933_film)
34_The_Adventures_of_Robin_Hood
35_Rashomon
36_Rear_Window
40_Argo_(2012_film)
43_Bride_of_Frankenstein
47_The_Philadelphia_Story_(film)
50_Seven_Samurai
51_The_Treasure_of_the_Sierra_Madre_(film)
53_12_Angry_Men_(1957_film)
56_All_Quiet_on_the_Western_Front_(1930_film)
57_Army_of_Shadows
60_A_Streetcar_Named_Desire_(1951_film)
61_The_Night_of_the_Hunter_(film)
66_Vertigo_(film)
68_Touch_of_Evil
69_The_Babadook
70_The_Conformist_(film)
71_Rebecca_(1940_film)
72_Rosemary%27s_Baby_(film)
76_The_39_Steps_(1935_film)
82_Tokyo_Story
88_High_Noon
90_On_the_Waterfront
91_The_Wages_of_Fear
94_The_Grapes_of_Wrath_(film)
95_Roman_Holiday
# Error Keys in the classroom
#for key in image_errors.keys():
# print(key)
22_A_Hard_Day%27s_Night_(film)
53_12_Angry_Men_(1957_film)
72_Rosemary%27s_Baby_(film)
93_Harry_Potter_and_the_Deathly_Hallows_–_Part_2
'''
# Inspect unidentifiable images and download them individually
for rank_title, images in image_errors.items():
if rank_title == '22_A_Hard_Day%27s_Night_(film)':
url = 'https://upload.wikimedia.org/wikipedia/en/4/47/A_Hard_Days_night_movieposter.jpg'
if rank_title == '53_12_Angry_Men_(1957_film)':
url = 'https://upload.wikimedia.org/wikipedia/en/9/91/12_angry_men.jpg'
if rank_title == '72_Rosemary%27s_Baby_(film)':
url = 'https://upload.wikimedia.org/wikipedia/en/e/ef/Rosemarys_baby_poster.jpg'
if rank_title == '93_Harry_Potter_and_the_Deathly_Hallows_–_Part_2':
url = 'https://upload.wikimedia.org/wikipedia/en/d/df/Harry_Potter_and_the_Deathly_Hallows_%E2%80%93_Part_2.jpg'
title = rank_title[3:]
df_list.append({'ranking': int(title_list.index(title) + 1),
'title': title,
'poster_url': url})
r = requests.get(url)
# Download movie poster image
i = Image.open(BytesIO(r.content))
image_file_format = url.split('.')[-1]
i.save(folder_name + "/" + rank_title + '.' + image_file_format)
'''
'''
# Create DataFrame from list of dictionaries
df = pd.DataFrame(df_list, columns = ['ranking', 'title', 'poster_url'])
df = df.sort_values('ranking').reset_index(drop=True)
df
'''
ranking | title | poster_url | |
---|---|---|---|
0 | 1 | The_Wizard_of_Oz_(1939_film) | https://upload.wikimedia.org/wikipedia/commons... |
1 | 2 | Citizen_Kane | https://upload.wikimedia.org/wikipedia/en/c/ce... |
2 | 3 | The_Third_Man | https://upload.wikimedia.org/wikipedia/en/2/21... |
3 | 4 | Get_Out_(film) | https://upload.wikimedia.org/wikipedia/en/e/eb... |
4 | 5 | Mad_Max:_Fury_Road | https://upload.wikimedia.org/wikipedia/en/6/6e... |
5 | 6 | The_Cabinet_of_Dr._Caligari | https://upload.wikimedia.org/wikipedia/commons... |
6 | 7 | All_About_Eve | https://upload.wikimedia.org/wikipedia/en/2/22... |
7 | 8 | Inside_Out_(2015_film) | https://upload.wikimedia.org/wikipedia/en/0/0a... |
8 | 9 | The_Godfather | https://upload.wikimedia.org/wikipedia/en/1/1c... |
9 | 10 | Metropolis_(1927_film) | https://upload.wikimedia.org/wikipedia/en/0/06... |
10 | 11 | E.T._the_Extra-Terrestrial | https://upload.wikimedia.org/wikipedia/en/6/66... |
11 | 12 | Modern_Times_(film) | https://upload.wikimedia.org/wikipedia/commons... |
12 | 13 | It_Happened_One_Night | https://upload.wikimedia.org/wikipedia/en/1/11... |
13 | 14 | Singin'_in_the_Rain | https://upload.wikimedia.org/wikipedia/en/f/f9... |
14 | 15 | Boyhood_(film) | https://upload.wikimedia.org/wikipedia/en/b/bb... |
15 | 16 | Casablanca_(film) | https://upload.wikimedia.org/wikipedia/commons... |
16 | 17 | Moonlight_(2016_film) | https://upload.wikimedia.org/wikipedia/en/8/84... |
17 | 18 | Psycho_(1960_film) | https://upload.wikimedia.org/wikipedia/en/b/b9... |
18 | 19 | Laura_(1944_film) | https://upload.wikimedia.org/wikipedia/en/d/d6... |
19 | 20 | Nosferatu | https://upload.wikimedia.org/wikipedia/en/9/92... |
20 | 21 | Snow_White_and_the_Seven_Dwarfs_(1937_film) | https://upload.wikimedia.org/wikipedia/en/4/49... |
21 | 22 | A_Hard_Day%27s_Night_(film) | https://upload.wikimedia.org/wikipedia/en/4/47... |
22 | 23 | La_Grande_Illusion | https://upload.wikimedia.org/wikipedia/en/3/33... |
23 | 24 | North_by_Northwest | https://upload.wikimedia.org/wikipedia/commons... |
24 | 25 | The_Battle_of_Algiers | https://upload.wikimedia.org/wikipedia/en/a/aa... |
25 | 26 | Dunkirk_(2017_film) | https://upload.wikimedia.org/wikipedia/en/1/15... |
26 | 27 | The_Maltese_Falcon_(1941_film) | https://upload.wikimedia.org/wikipedia/en/9/99... |
27 | 28 | Repulsion_(film) | https://upload.wikimedia.org/wikipedia/en/8/89... |
28 | 29 | 12_Years_a_Slave_(film) | https://upload.wikimedia.org/wikipedia/en/5/5c... |
29 | 30 | Gravity_(2013_film) | https://upload.wikimedia.org/wikipedia/en/f/f6... |
... | ... | ... | ... |
70 | 71 | Rebecca_(1940_film) | https://upload.wikimedia.org/wikipedia/en/1/16... |
71 | 72 | Rosemary%27s_Baby_(film) | https://upload.wikimedia.org/wikipedia/en/e/ef... |
72 | 73 | Finding_Nemo | https://upload.wikimedia.org/wikipedia/en/2/29... |
73 | 74 | Brooklyn_(film) | https://upload.wikimedia.org/wikipedia/en/5/5b... |
74 | 75 | The_Wrestler_(2008_film) | https://upload.wikimedia.org/wikipedia/en/3/3e... |
75 | 76 | The_39_Steps_(1935_film) | https://upload.wikimedia.org/wikipedia/en/9/95... |
76 | 77 | L.A._Confidential_(film) | https://upload.wikimedia.org/wikipedia/en/d/d8... |
77 | 78 | Gone_with_the_Wind_(film) | https://upload.wikimedia.org/wikipedia/commons... |
78 | 79 | The_Good,_the_Bad_and_the_Ugly | https://upload.wikimedia.org/wikipedia/en/4/45... |
79 | 80 | Skyfall | https://upload.wikimedia.org/wikipedia/en/a/a7... |
80 | 81 | Rome,_Open_City | https://upload.wikimedia.org/wikipedia/en/1/19... |
81 | 82 | Tokyo_Story | https://upload.wikimedia.org/wikipedia/en/5/5f... |
82 | 83 | Hell_or_High_Water_(film) | https://upload.wikimedia.org/wikipedia/en/8/8f... |
83 | 84 | Pinocchio_(1940_film) | https://upload.wikimedia.org/wikipedia/en/b/ba... |
84 | 85 | The_Jungle_Book_(2016_film) | https://upload.wikimedia.org/wikipedia/en/a/a4... |
85 | 86 | La_La_Land_(film) | https://upload.wikimedia.org/wikipedia/en/a/ab... |
86 | 87 | Star_Trek_(film) | https://upload.wikimedia.org/wikipedia/en/2/29... |
87 | 88 | High_Noon | https://upload.wikimedia.org/wikipedia/en/5/54... |
88 | 89 | Apocalypse_Now | https://upload.wikimedia.org/wikipedia/en/c/c2... |
89 | 90 | On_the_Waterfront | https://upload.wikimedia.org/wikipedia/en/9/93... |
90 | 91 | The_Wages_of_Fear | https://upload.wikimedia.org/wikipedia/en/f/f4... |
91 | 92 | The_Last_Picture_Show | https://upload.wikimedia.org/wikipedia/en/8/8f... |
92 | 93 | Harry_Potter_and_the_Deathly_Hallows_–_Part_2 | https://upload.wikimedia.org/wikipedia/en/d/df... |
93 | 94 | The_Grapes_of_Wrath_(film) | https://upload.wikimedia.org/wikipedia/en/9/9f... |
94 | 95 | Roman_Holiday | https://upload.wikimedia.org/wikipedia/en/b/b7... |
95 | 96 | Man_on_Wire | https://upload.wikimedia.org/wikipedia/en/5/54... |
96 | 97 | Jaws_(film) | https://upload.wikimedia.org/wikipedia/en/e/eb... |
97 | 98 | Toy_Story | https://upload.wikimedia.org/wikipedia/en/1/13... |
98 | 99 | The_Godfather_Part_II | https://upload.wikimedia.org/wikipedia/en/0/03... |
99 | 100 | Battleship_Potemkin | https://upload.wikimedia.org/wikipedia/commons... |
100 rows × 3 columns
Storing is usually done after cleaning, but it's not always done, which excludes it from being a core part of the data wrangling process. Sometimes you just analyze and visualize and leave it at that, without saving your new data.
Given the size of this dataset and that it likely won't be shared often, saving to a flat file like a CSV is probably the best solution. With pandas, saving your gathered data to a CSV file is easy. The to_csv
DataFrame method is all you need and the only parameter required to save a file on your computer is the file path to which you want to save this file. Often specifying index=False
is necessary too if you don't want the DataFrame index showing up as a column in your stored dataset.
Imagine this merged master dataframe is the final product. It contains all of the data from this entire lesson, plus the assessing and cleaning code done behind the scenes.
df = pd.read_csv('gathered_assessed_cleaned.csv')
# Save the master DataFrame to a file called 'bestofrt_master.csv'
# Hint: watch out for the index!
df.to_csv('bestofrt_master.csv', index=False)
For the example in this lesson, we're going to do these in order:
Connect to a database. We'll connect to a SQLite database using SQLAlchemy, a database toolkit for Python.
Store the data in the cleaned master dataset in that database. We'll do this using pandas' to_sql DataFrame method.
Then read the brand new data in that database back into a pandas DataFrame. We'll do this using pandas' read_sql function.
The third one isn’t necessary for this lesson, but often in the workplace, instead of having to download files, scrape web pages, hit an API, etc., you're given a database right at the beginning of a project.
All three of these tasks will be introduced and carried out in the Jupyter Notebook below. These are not quizzes. All of the code is provided for you. Your job is to read and understand each comment and line of code, then run the code.
from sqlalchemy import create_engine
# Create SQLAlchemy Engine and empty bestofrt database
# bestofrt.db will not show up in the Jupyter Notebook dashboard yet
engine = create_engine('sqlite:///bestofrt.db')
Store the data in the cleaned master dataset (bestofrt_master) in that database.
# Store cleaned master DataFrame ('df') in a table called master in bestofrt.db
# bestofrt.db will be visible now in the Jupyter Notebook dashboard
df.to_sql('master', engine, index=False)
Read the brand new data in that database back into a pandas DataFrame.
df_gather = pd.read_sql('SELECT * FROM master', engine)
df_gather.head(3)
ranking | title | critic_score | number_of_critic_ratings | audience_score | number_of_audience_ratings | review_url | review_text | poster_url | |
---|---|---|---|---|---|---|---|---|---|
0 | 1 | The Wizard of Oz (1939) | 99 | 110 | 89 | 874425 | http://www.rogerebert.com/reviews/great-movie-... | As a child I simply did not notice whether a m... | https://upload.wikimedia.org/wikipedia/commons... |
1 | 2 | Citizen Kane (1941) | 100 | 75 | 90 | 157274 | http://www.rogerebert.com/reviews/great-movie-... | “I don't think any word can explain a man's li... | https://upload.wikimedia.org/wikipedia/en/c/ce... |
2 | 3 | The Third Man (1949) | 100 | 77 | 93 | 53081 | http://www.rogerebert.com/reviews/great-movie-... | Has there ever been a film where the music mor... | https://upload.wikimedia.org/wikipedia/en/2/21... |