From 7b7bbd33963f25c6534fe1a3ce7551303003e8f9 Mon Sep 17 00:00:00 2001 From: brooke Date: Tue, 30 May 2023 00:35:02 -0400 Subject: [PATCH] everything is very broken but I'm done for the day --- big-sort.go | 187 +++++++++ failed.csv | 0 fix-movie-list/{txt-to-md.go => fix-em.go} | 27 +- fix-movie-list/movie-list.txt | 79 ++-- fix-movie-list/movies.csv | 402 ++++++++++++++++++ fix-movie-list/movies.md | 454 --------------------- movies.csv | 259 ++++++++++++ 7 files changed, 901 insertions(+), 507 deletions(-) create mode 100644 big-sort.go create mode 100644 failed.csv rename fix-movie-list/{txt-to-md.go => fix-em.go} (57%) create mode 100644 fix-movie-list/movies.csv delete mode 100644 fix-movie-list/movies.md create mode 100644 movies.csv diff --git a/big-sort.go b/big-sort.go new file mode 100644 index 0000000..db43031 --- /dev/null +++ b/big-sort.go @@ -0,0 +1,187 @@ +package main + +import ( + "bufio" + "encoding/csv" + "encoding/json" + "fmt" + "net/http" + "net/url" + "os" + "strings" + "time" +) + +type Movie struct { + Adult bool + Backdrop_path string + Genre_ids []int + Id int + Original_language string + Original_title string + Overview string + Popularity float64 + Poster_path string + Release_date string + Title string + Video bool + Vote_average float64 + Vote_count int +} + +type Response struct { + Page int + Results []Movie + Total_pages int + Total_results int +} + +func main() { + fmt.Println("Enter the input CSV file name:") + inputFileName := getInput() + fmt.Println("Enter the TMDB API Key:") + apiKey := getInput() + + // Open output CSV file + outputFileName := "movies.csv" + outputFile, err := os.Create(outputFileName) + if err != nil { + fmt.Printf("Error creating output file: %v\n", err) + return + } + defer outputFile.Close() + + writer := csv.NewWriter(outputFile) + writer.UseCRLF = true + writer.Comma = ',' + defer writer.Flush() + + processFile(inputFileName, apiKey, writer) + + // Check failed.csv + checkFailedCsv(apiKey, writer) +} + +func getInput() string { + scanner := bufio.NewScanner(os.Stdin) + scanner.Scan() + return scanner.Text() +} + +func processFile(inputFileName, apiKey string, writer *csv.Writer) { + // Open the file + file, err := os.Open(inputFileName) + if err != nil { + fmt.Printf("Error opening file: %v\n", err) + return + } + defer file.Close() + + // Open failed.csv + failedFileName := "failed.csv" + failedFile, err := os.Create(failedFileName) + if err != nil { + fmt.Printf("Error creating failed.csv: %v\n", err) + return + } + defer failedFile.Close() + + failedWriter := csv.NewWriter(failedFile) + failedWriter.UseCRLF = true + failedWriter.Comma = ',' + defer failedWriter.Flush() + + scanner := bufio.NewScanner(file) + + requests := time.Tick(time.Millisecond * 20) // Limit requests to 50 per second + + for scanner.Scan() { + <-requests // Wait until we are allowed to perform a request + movie := scanner.Text() + movie = strings.Trim(movie, "\"") // Remove surrounding quotes + title, year, err := parseMovieTitleYear(movie) + if err != nil { + fmt.Printf("Failed to parse movie: %s, Error: %v\n", movie, err) + _ = failedWriter.Write([]string{title, year}) + failedWriter.Flush() // Immediately write the failed record to the file + continue + } + fmt.Printf("Searching for movie: %s\n", movie) + popularity, err := getMovieData(title, year, apiKey) + if err != nil { + fmt.Printf("Failed to get data for movie: %s, Error: %v\n", movie, err) + _ = failedWriter.Write([]string{title, year}) + failedWriter.Flush() // Immediately write the failed record to the file + continue + } + record := []string{title, year, fmt.Sprintf("%f", popularity)} + _ = writer.Write(record) + fmt.Printf("Movie: %s, Popularity: %f\n", movie, popularity) + } +} + +func parseMovieTitleYear(movie string) (string, string, error) { + parts := strings.SplitN(movie, ",", 2) + if len(parts) < 2 { + return "", "", fmt.Errorf("invalid movie format: %s", movie) + } + title := parts[0] + year := parts[1] + return title, year, nil +} + +func getMovieData(title, year, apiKey string) (float64, error) { + // url encode the title + encodedTitle := url.QueryEscape(title) + + url := fmt.Sprintf("https://api.themoviedb.org/3/search/movie?include_adult=false&language=en-US&year=%s&page=1&query=%s", year, encodedTitle) + + req, _ := http.NewRequest("GET", url, nil) + req.Header.Add("Authorization", "Bearer "+apiKey) + req.Header.Add("accept", "application/json") + + res, err := http.DefaultClient.Do(req) + if err != nil || res == nil { + return 0, fmt.Errorf("failed to make request: %v", err) + } + + if res.StatusCode != 200 { + return 0, fmt.Errorf("received non-200 response: %d", res.StatusCode) + } + + defer res.Body.Close() + + var response Response + if err := json.NewDecoder(res.Body).Decode(&response); err != nil { + return 0, fmt.Errorf("failed to decode response: %v", err) + } + + if len(response.Results) == 0 { + return 0, fmt.Errorf("no results found") + } + return response.Results[0].Popularity, nil +} + +func checkFailedCsv(apiKey string, writer *csv.Writer) { + for { + fmt.Println("Do you want to check failed.csv and retry fetching data for failed movies? (Y/n)") + retry := getInput() + if strings.EqualFold(retry, "n") { + break + } + if retry == "" || strings.EqualFold(retry, "y") { + fmt.Println("Processing failed.csv...") + // Recreate failed.csv for the next run + failedFileName := "failed.csv" + failedFile, err := os.Create(failedFileName) + if err != nil { + fmt.Printf("Error creating failed.csv: %v\n", err) + return + } + failedFile.Close() + + // Process the old failed.csv + processFile(failedFileName, apiKey, writer) + } + } +} diff --git a/failed.csv b/failed.csv new file mode 100644 index 0000000..e69de29 diff --git a/fix-movie-list/txt-to-md.go b/fix-movie-list/fix-em.go similarity index 57% rename from fix-movie-list/txt-to-md.go rename to fix-movie-list/fix-em.go index 02c5c8d..6f00683 100644 --- a/fix-movie-list/txt-to-md.go +++ b/fix-movie-list/fix-em.go @@ -2,6 +2,7 @@ package main import ( "bufio" + "encoding/csv" "fmt" "os" "regexp" @@ -17,14 +18,18 @@ func main() { defer file.Close() // Create output file - output, err := os.Create("movies.md") + output, err := os.Create("movies.csv") if err != nil { panic(err) } defer output.Close() + // Initialize CSV writer + writer := csv.NewWriter(output) + defer writer.Flush() + // Regex to match movie title, year, and director - r := regexp.MustCompile(`(.*?)(?:\s|\()(\d{4})(?:\)|\s|$).*`) + r := regexp.MustCompile(`(.*?)(?:,\s*(The|An|A))?\s+(\d{4})`) scanner := bufio.NewScanner(file) for scanner.Scan() { @@ -32,20 +37,26 @@ func main() { // Parse line using regex matches := r.FindStringSubmatch(line) - if len(matches) != 3 { - // Skip lines that don't match our expected format + if len(matches) != 4 { + // Skip lines that don't match the expected format continue } - // Remove leading/trailing whitespace and adjust year format + // Extract movie information movieTitle := strings.TrimSpace(matches[1]) - year := matches[2] + article := strings.TrimSpace(matches[2]) + year := matches[3] + + // Adjust movie title format + if article != "" { + movieTitle = fmt.Sprintf("%s %s", article, movieTitle) + } // Output fixed movie title and year to terminal fmt.Printf("Fixed: %s (%s)\n", movieTitle, year) - // Format movie title and year, write to output file - _, err = fmt.Fprintf(output, "%s (%s)\n", movieTitle, year) + // Write movie title and year to CSV file + err = writer.Write([]string{movieTitle, year}) if err != nil { panic(err) } diff --git a/fix-movie-list/movie-list.txt b/fix-movie-list/movie-list.txt index 6970c62..d7fe25b 100644 --- a/fix-movie-list/movie-list.txt +++ b/fix-movie-list/movie-list.txt @@ -3,7 +3,7 @@ 25th Hour, The 2002 Spike Lee 9-1/2 Weeks 1986 Adrian Lyne About a Boy 2002 Chris & Paul Weitz -Accused (The) (1988) Jonathan Kaplan +The Accused (1988) Jonathan Kaplan Adventures of Priscilla, Queen of the Desert, The 1994 Stephan Elliot Affliction 1998 Paul Schrader Alien 1979 Ridley Scott @@ -35,7 +35,6 @@ Barefoot In the Park 1967 Gene Saks Barton Fink 1991 Joel Coen Basquiat 1996 Julian Schnabel Beaches 1988 Garry Marshall -Beatles Anthology (1995-96)(taped from TV series) Beautiful Girls (1996) Ted Demme Beautiful Thing 1996 Hettie MacDonald Before Night Falls 2000 Julian Schnabel @@ -58,7 +57,7 @@ Bowfinger 1999 Frank Oz Broken Hearts Club, The 2000 Greg Berlanti Bull Durham (1988) Ron Shelton Burnt By the Sun 1994 Nikita Mikhalkov -Butcher’s Wife (The) (1991) Terry Hughes +The Butcher’s Wife (1991) Terry Hughes Cabaret 1972 Bob Fosse Casablanca 1942 Michael Curtiz @@ -104,7 +103,7 @@ Death Becomes Her (1992) Robert Zemekis Debut, The 2000 Gene Cajayon Deer Hunter, The 1978 Michael Cimino Desert Hearts 1985 Donna Deitch -Devil's Backbone, The (El Espinazo del diablo) 2001 Guillermo del Toro +The Devil's Backbone 2001 Guillermo del Toro Dick Tracy (1990) Warren Beatty Dirty Dancing 1987 Emile Ardolino Disappearance of Garcia Lorca, The 1997 Marcos Zurinaga @@ -117,14 +116,14 @@ Easy Rider 1969 Dennis Hopper Eat Drink Man Woman 1994 Ang Lee Ed Wood 1994 Tim Burton Educating Rita (1989) Lewis Gilbert -Emerald Forest (The) (1985) John Boorman +The Emerald Forest (1985) John Boorman Empire of the Sun 1987 Steven Spielberg Everything Relative 1996 Sharon Pollack Exotica 1995 Arom Egoyan Eyes of Tammy Faye, The 1999 Fenton Bailey & Randy Barbato Faithful 1996 Paul Mazursky -Falcon & The Snowman (The) (1984) John Schlesinger +The Falcon & The Snowman (1984) John Schlesinger Fancy Dancing (2003) Sherman Alexie Farewell My Concubine (1993) Chen Kaige Favor, the Watch, & the Very Big Fish, The 1991 Ben Lewin @@ -138,13 +137,12 @@ Flirting 1990 John Duigan Flirting with Disaster (1996) David O. Russell For the Boys (1991) Mark Rydell Four Weddings & a Funeral 1994 Mike Newell -Front (The) (1976) Woody Allen (recorded from tv) +The Front (1976) Woody Allen (recorded from tv) French Lieutenant's Woman, The 1981 Karel Reisz -FX: Murder by Illusion (19860 Robert Mandel +FX: Murder by Illusion (1986) Robert Mandel -Gandhi (PBS documentary…no year recorded) Gas Food Lodging (1992) Allison Anders -George Burns: A Century of Laughter +George Burns: A Century of Laughter (1997) Get Bruce 1999 Andrew Kuehn Get Carter (1970) Mike Hodges Ghost 1990 Jerry Zucker @@ -152,7 +150,7 @@ Girl 6 1996 Spike Lee Girlfight 2000 Karyn Kusama Girls Who Like Girls (2001) Pauline Edwards Go Fish 1994 Rose Troche -Godfather I 1972 Francis Ford Coppola (recorded from tv) +Godfather I 1972 Francis Ford Coppola Godfather II 1974 Francis Ford Coppola Godfather III, The 1990 Francis Ford Coppola Gods & Monsters 1998 Bill Condon @@ -161,8 +159,8 @@ Good Morning Vietnem! (1987) Barry Levinson Goodfellas 1990 Martin Scorsese Gorillas in the Mist 1988 Michael Apted Gosford Park 2001 Robert Altman -Grass Harp (The) 1997 Charles Matthau -Great Santini (The) 1979 Lewis John Carlino +The Grass Harp 1997 Charles Matthau +The Great Santini 1979 Lewis John Carlino Great Spirit/Sacred Ground 1994 Groundhog Day 1993 Harold Ramis Guess Who's Coming to Dinner 1967 Stanley Kramer @@ -179,11 +177,8 @@ Hi-Lo Country, The 1998 Stephen Frears Hidden in Plain Sight 2003 John H. Smihula High Art 1998 Lisa Cholodenko High Fidelity 2000 Stephen Frears -History of Rock & Roll (The) (1995 Time Life series) Honeymoon in Vegas 1992 Andrew Bergman -How the West Was Lost (1993) (Disney series from TV) -Howdy Doody (Yesteryear Series from TV) -Hunt for Red October (The) 1989 John McTiernan +The Hunt for Red October 1989 John McTiernan Hurleyburley 1998 Anthony Drazan Hush 1998 Jonathan Darby @@ -201,9 +196,7 @@ It's My Party 1996 Randal Kleiser Jagged Edge 1985 Richard Marquand Jeffrey 1995 Christopher Ashley Jerry Maguire 1997 Cameron Crowe -Jesus Christ Superstar 1973 Norman Jewison -Jewish Amwericans (The) 2008 (TV series) -John Adams 2008 (TV series) +Jesus Christ Superstar 1973 Norman Jewison Joni Mitchell: Woman of Heart & Mind 2003 Susan Lacy Ju Dou 1989 Zhang Yimou Jungle Fever 1991 Spike Lee @@ -225,7 +218,7 @@ Lavendar Limelight 1998 Marc Mauceri Lemon Sisters, The 1990 Joyce Chopra Life As A House 2001 Irwin Winkler Life is Beautiful 1997 Roberto Benigni -Like Water for Chocolate 1992 Alfonso Arau (recorded from tv) +Like Water for Chocolate 1992 Alfonso Arau Limbo 1999 John Sayles Limey, The 1999 Steven Soderbergh Lord of the Flies 1990 Harry Hook @@ -234,7 +227,7 @@ Love Actually 2003 Richard Curtis Love & Basketball 2000 Gina Prince-Bythewood Love Letter, The 1999 Peter Ho-Sun Chan Lovely & Amazing 2001 Nicole Holofcener -Lover (The) 1992 Jean-Jacques Annaud +The Lover 1992 Jean-Jacques Annaud Lover Come Back 1961 Delbert Mann Mad City 1997 Costa Gavras @@ -280,15 +273,15 @@ Mystic Pizza 1988 Donald Petrie Naked In New York 1993 Dan Algrant Naked Lunch 1991 David Cronenberg -National Parks (Ken Burns) (recorded from TV) +National Parks (2009) Natural, The 1984 Barry Levinson -Neverending Story, The 1984 Wolfgang Petersen (from tv) +Neverending Story, The 1984 New Jack City 1991 Mario VanPeeples Night Falls on Manhattan 1997 Sidney Lumet Night of the Living Dead 1968 George A. Romero -Nightmare Before Christmas (The) 1993 Tim Burton +The Nightmare Before Christmas 1993 Tim Burton Ninth Configuration 1980 William Peter Blatty -Name of the Rose (The) 1986 Jean-Jacqued Annaud +The Name of the Rose 1986 Jean-Jacqued Annaud No Way Out (1987) Ronald Donaldson Normal (2003) Jane Anderson North by Northwest 1959 Alfred Hitchcock @@ -299,7 +292,7 @@ October 22 (1991) Richard Schenkman Officer & A Gentleman, An 1982 Taylor Hackford On the Edge (1985) Rob Nilsson One Hour Photo 2002 Mark Romanek -Open Your Eyes (Apre Los Ojos) 1997 Alejando Amenabar +Open Your Eyes 1997 Alejando Amenabar Oscar (1991) John Landis Oscar's Greatest Moments 1971 to 1991 Othello 1952 Orson Welles @@ -356,7 +349,6 @@ Rocky 1976 John G. Avildsen Roger & Me (1989) Michael Moore Romeo & Juliet 1968 Franco Zefferelli Room with a View, A 1985 James Ivory -Roots Parts 1,2,3 and 1/2 of 4 of the TV miniseries 1977 Rope 1948 Alfred Hitchcock Rosewood 1997 John Singleton Rounders 1998 John Dahl @@ -370,7 +362,7 @@ School Daze 1988 Spike Lee Scrooged 1989 Richard Donner Secondhand Lions 2003 Tim McCanlies Secrets & Lies 1996 Mike Leigh -Seeking the Stone: Mind & Time, Spirit & Matter (year?) Terrence McKenna +Seeking the Stone: Mind & Time, Spirit & Matter (2017) Terrence McKenna Seize the Day 1986 Fielder Cook Set It Off 1996 F. Gary Gray Shadowlands (1993) Richard Attenborough @@ -378,27 +370,27 @@ Shakespeare In Love (1996) John Madden She Devil (1989) Susan Sedelman She's Gotta Have It 1986 Spike Lee She's So Lovely 2000 -Shining, The 1980 Stanley Kubrick +The Shining 1980 Stanley Kubrick Shrek 2001 Andrew Adamnson & Vicky Jenson Silence of the Lambs 1991 Jonathan Demme Simon Birch 1998 Mark Steven Johnson Simple Plan, A 1999 Sam Raimi Singing in the Rain (1951) Gene Kelly & Stanley Donen Sirens 1994 John Duigan -Sixth Sense, The 1999 M. Night Shyamalan +The Sixth Sense 1999 M. Night Shyamalan Sleeper 1973 Woody Allen Sleepers 2001 Barry Levenson Small Time Crooks 2000 Woody Allen Smoke Signals 1998 Chris Eyre Sneakers (1992) Phil Aldon Robinson Snow Falling on Cedars 1999 Scott Hicks -Solaris (remake) 2002 Steven Soderbergh +Solaris 2002 Steven Soderbergh Soldier's Story, A 1984 Norman Jewison Something's Gotta Give 2003 Nancy Meyers Sophie's Choice 1982 Alan J. Pakula -Spanish Prisoner, The 1997 David Mamet +The Spanish Prisoner 1997 David Mamet Spawn 1997 Mark A.Z. Dippé -Splash 1983 Ron Howard (recorded from TV) +Splash 1983 Ron Howard Star Trek II: The Wrath of Khan 1982 Nicholas Meyer Star Trek III: The Search for Spock 1984 Leonard Nimoy Star Trek: Insurrection 1998 Jonathan Frakes @@ -407,14 +399,14 @@ Stonewall 25: Global Voices of Pride & Protest 1994 In the Life Strangers on a Train 1951 Alfred Hitchcock Stripes 1981 Ivan Reitman Stuck On You 2003 Bobby & Peter Farrelly -Sugarbaby (Zuckerbaby) 1985 Percy Adlon -Sum of Us, The 1994 Geoff Burton & Kevin Dowling +Sugarbaby 1985 Percy Adlon +The Sum of Us 1994 Geoff Burton & Kevin Dowling Suspicion 1941 Alfred Hitchcock -Tao of Steve, The 2000 Jenniphr Goodman +The Tao of Steve 2000 Jenniphr Goodman Taxi Driver 1976 Martin Scorsese Television’s Greatest Commedians (1993) -Terminator, The 1984 James Cameron +The Terminator 1984 James Cameron Terms of Endearment 1983 James L. Brooks Thank You & Goodnight 1991 Jan Oxenberg That Touch of Mink 1962 Delbert Mann @@ -428,7 +420,7 @@ Thunderheart 1992 Michael Apted To Catch a Thief 1954 Alfred Hitchcock To Gillian on Her 37th Birthday 1996 Michael Pressman To Kill a Mockingbird 1962 Robert Mulligan -To Live (Huozhe) 1994 Yimou Zhang +To Live 1994 Yimou Zhang Together Alone 1991 P.J. Catellaneta Tootsie 1982 Sydney Pollack Topsy-Turvy 1999 Mike Leigh @@ -443,18 +435,16 @@ True Romance 1993 Tony Scott Truman Show, The 1998 Peter Weir Tuck Everlasting 2002 Jay Russell Tuesdays with Morrie 1999 Mick Jackson -Two in Twenty: A Lesbian Soap Opera 1988 (Episodes 5 & Outtakes) Twilight: Los Angeles 2000 Marc Levin Twins 1988 Ivan Reitman -Umbrellas of Cherbourg (aka Les Parapluies de Cherbourg) 1990 Jacques Demy +Umbrellas of Cherbourg 1990 Jacques Demy Unbearable Lightness of Being, The 1988 Philip Kaufman -Understanding Movies (tape to go with the bk by that title by Giannetti) Unforgiven 1992 Clint Eastwood Unzipped 1995 Douglas Keeve U.S. Marshals 1998 Stuart Baird -Vanishing, The (the original - aka Spoorloos) 1988 George Sluizer +Vanishing, The 1988 George Sluizer Velocity of Gary, The 1998 Dan Ireland Virgin Suicides, The 1999 Sofia Coppola @@ -469,7 +459,7 @@ West Side Story 1961 Jerome Robins & Robert Wise When Night Is Falling 1995 Patricia Rozema Where the Money Is 2000 Marek Kanievska White Fang 1991 Randal Kleiser -Who the Hell Is Juliette? (Quien Diablos Es Juliette?) 1997 Carlos Marcovic +Who the Hell Is Juliette? 1997 Carlos Marcovic Whole Nine Yards, The 2000 Jonathan Lynn Wild At Heart 1990 David Lynch Wild Things 1998 John McNaughton @@ -483,7 +473,6 @@ Working Girl 1988 Mike Nichols Year of Living Dangerously, The 1982 Peter Weir Yentl 1983 Barbra Streisand -Your Show of Shows (Sid Caesar TV show) Z 1969 Costa-Garvas Zero Effect 1998 Jake Kasden diff --git a/fix-movie-list/movies.csv b/fix-movie-list/movies.csv new file mode 100644 index 0000000..3923013 --- /dev/null +++ b/fix-movie-list/movies.csv @@ -0,0 +1,402 @@ +2 Seconds,1998 +2001: A Space Odyssey,1968 +The 25th Hour,2002 +9-1/2 Weeks,1986 +About a Boy,2002 +The Adventures of Priscilla, Queen of the Desert,1994 +Affliction,1998 +Alien,1979 +Alien Dreamtime,2003 +Alien Nation,1988 +Alien Resurrection,1997 +Alien3,1992 +Aliens,1986 +Alive & Kicking,1996 +All About My Mother,1999 +American History X,1998 +Amistad,1998 +Andrei Rublev,1969 +An Angel At My Table,1990 +Angels in America,2003 +Angels & Insects,1995 +Anima Mundi,1992 +The Apostle,1997 +Assassination Tango,2002 +Auntie Mame,1958 +Babe,1995 +Barefoot In the Park,1967 +Barton Fink,1991 +Basquiat,1996 +Beaches,1988 +Beautiful Thing,1996 +Before Night Falls,2000 +Bend It Like Beckham,2003 +Better Than Chocolate,1999 +The Big Chill,1985 +The Big Easy,1987 +Billy Crystal: Midnight Train to Moscow,1989 +Birthday Girl,2001 +Bob Roberts,1992 +Body Heat,1981 +Book of Shadows: Blair Witch 2,2000 +Bound,1996 +Bowfinger,1999 +The Broken Hearts Club,2000 +Burnt By the Sun,1994 +Cabaret,1972 +Casablanca,1942 +Cecil B. DeMented,2000 +The Cell,2000 +Celluloid Closet,1996 +The Changer: A Record of the Times,1991 +Chariots of Fire,1981 +Chicago,2002 +Children of a Lesser God,1986 +The Children's Hour,1961 +Chinatown,1974 +Chocolate Babies,1997 +Chuck & Buck,2000 +Chutney Popcorn,1999 +Cinema Paradiso,1988 +Citizen Kane,1941 +A Civil Action,1998 +Clerks,1994 +Close Encounters of the Third Kind,1977 +Coal Miner's Daughter,1980 +The Color Purple,1985 +Commen Threads: Stories from the AIDS Quilt,1989 +Compleat Beatles,1982 +The Contender,2000 +The Cook, the Thief, His Wife & Her Lover,1989 +Cookie's Fortune,1999 +Cradle Will Rock,1999 +Crash,1996 +crazy/beautiful,2001 +Crimes & Misdemeanors,1989 +Crooklyn,1994 +Cry-Baby,1990 +Dancer in the Dark,2000 +Dangerous Liaisons,1988 +Dark Wind,1991 +David & Lisa,1962 +Dawn of the Dead,1978 +The Debut,2000 +The Deer Hunter,1978 +Desert Hearts,1985 +The Devil's Backbone,2001 +Dirty Dancing,1987 +The Disappearance of Garcia Lorca,1997 +Do The Right Thing,1989 +Down In the Delta,1998 +Dr. Strangeglove,1964 +Dream Lover,1994 +Easy Rider,1969 +Eat Drink Man Woman,1994 +Ed Wood,1994 +Empire of the Sun,1987 +Everything Relative,1996 +Exotica,1995 +The Eyes of Tammy Faye,1999 +Faithful,1996 +The Favor, the Watch, & the Very Big Fish,1991 +Felicia's Journey,1999 +Fiddler on the Roof,1971 +Field of Dreams,1989 +Fifth Element,1997 +A Fish Called Wanda,1988 +The Fisher King,1991 +Flirting,1990 +Four Weddings & a Funeral,1994 +The French Lieutenant's Woman,1981 +Get Bruce,1999 +Ghost,1990 +Girl 6,1996 +Girlfight,2000 +Go Fish,1994 +Godfather I,1972 +Godfather II,1974 +The Godfather III,1990 +Gods & Monsters,1998 +The Good Girl,2002 +Goodfellas,1990 +Gorillas in the Mist,1988 +Gosford Park,2001 +The Grass Harp,1997 +The Great Santini,1979 +Great Spirit/Sacred Ground,1994 +Groundhog Day,1993 +Guess Who's Coming to Dinner,1967 +Guilty as Sin,1993 +Hair,1979 +Half Moon Street,1986 +Harold & Maude,1971 +He Got Game,1998 +Heaven,2002 +Henry V,1989 +Hi, Mom!,1970 +The Hi-Lo Country,1998 +Hidden in Plain Sight,2003 +High Art,1998 +High Fidelity,2000 +Honeymoon in Vegas,1992 +The Hunt for Red October,1989 +Hurleyburley,1998 +Hush,1998 +I Love Trouble,1994 +I Shot Andy Warhol,1996 +An Ideal Husband,1999 +Imagine: John Lennon,1988 +In & Out,1997 +The Incredibly True Adventure of Two Girls in Love,1995 +Indochine,1993 +The Insider,1999 +Intermezzo: A Love Story,1939 +It's My Party,1996 +Jagged Edge,1985 +Jeffrey,1995 +Jerry Maguire,1997 +Jesus Christ Superstar,1973 +Joni Mitchell: Woman of Heart & Mind,2003 +Ju Dou,1989 +Jungle Fever,1991 +Jurassic Park,1993 +King of Hearts,1966 +Kiss Me Deadly,1955 +Kiss of the Spider Woman,1985 +Koyaanisqatsi,1983 +The Last Days,1998 +The Last Days of Disco,1998 +The Last Emperor,1987 +Last Night,1998 +Last of the Dogmen,1995 +The Last Seduction,1994 +The Last Wave,1977 +Lavendar Limelight,1998 +The Lemon Sisters,1990 +Life As A House,2001 +Life is Beautiful,1997 +Like Water for Chocolate,1992 +Limbo,1999 +The Limey,1999 +Lord of the Flies,1990 +Lorenzo’s Oil,1992 +Love Actually,2003 +Love & Basketball,2000 +The Love Letter,1999 +Lovely & Amazing,2001 +The Lover,1992 +Lover Come Back,1961 +Mad City,1997 +Mad Max,1979 +Magnolia,2000 +The Maltese Falcon,1941 +Man Facing Southeast,1986 +The Man Who Knew Too Much,1956 +Manny & Lo,1996 +Marat Sade,1966 +Marathon Man,1976 +Marching For Freedom,1993 +The Mask,1994 +Master & Commander: The Far Side of the World,2003 +Matinee,1993 +Medicine Man,1992 +The Messenger,1999 +Metropolitan,1990 +Miami Rhapsody,1995 +Microcosmos,1996 +Midaq Alley,1995 +Midnight Express,1978 +Midnight Run,1988 +Mighty Aphrodite,1995 +The Mighty Quinn,1989 +Miracle on 34th Street,1947 +Misery,1990 +The Mission,1986 +Mississippi Burning,1988 +Mississippi Masala,1991 +Mo' Better Blues,1990 +Moonlight Mile,2002 +Mortal Thoughts,1991 +Music Box,1989 +The Mosquito Coast,1986 +Mountains of the Moon,1990 +Mr. Holland's Opus,1995 +Mumford,1999 +Murder at,1600 +Murphy's Romance,1985 +My Dog Skip,2000 +Mystic Pizza,1988 +Naked In New York,1993 +Naked Lunch,1991 +The Natural,1984 +The Neverending Story,1984 +New Jack City,1991 +Night Falls on Manhattan,1997 +Night of the Living Dead,1968 +The Nightmare Before Christmas,1993 +Ninth Configuration,1980 +The Name of the Rose,1986 +North by Northwest,1959 +Notorious C.H.O.,2002 +Ocean's Eleven,2001 +An Officer & A Gentleman,1982 +One Hour Photo,2002 +Open Your Eyes,1997 +Oscar's Greatest Moments,1971 +Othello,1952 +The Others,2001 +Pahasapa: The Struggle for the Black Hills,1994 +The Pallbearer,1996 +Paradise Road,1997 +Parting Glances,1986 +Party Girl,1995 +Path to Paradise: The Untold Story of the World Trade Center Bombing,1997 +Pecker,1998 +The Perfect Storm,2000 +A Perfect World,1993 +Personal Best,1982 +Planes, Trains & Automobiles,1987 +Platoon,1988 +The Player,1992 +Pleasantville,1998 +The Pledge,2001 +Plenty,1985 +Poles Apart,2000 +Posse,1993 +Possession,2002 +Powwow Highway,1998 +Pretty Woman,1990 +Priest,1994 +Primary Colors,1992 +Psycho,1960 +The Purple Rose of Cairo,1985 +Putney Swope,1969 +Q&A,1990 +Quatermass,1979 +Querelle,1982 +Quick Change,1990 +The Quiet Earth,1985 +Ragtime,1981 +Rear Window,1954 +Rebecca,1940 +The Red Violin,1999 +Reservoir Dogs,1992 +The Return of a Man Called Horse,1976 +Ride With the Devil,1999 +Rites of Passage,1999 +A River Runs Through It,1992 +Rocky,1976 +Romeo & Juliet,1968 +A Room with a View,1985 +Rope,1948 +Rosewood,1997 +Rounders,1998 +Roxanne,1987 +Run, Lola, Run,1999 +Satyricon,1969 +Savior,1997 +Schindler's List,1993 +School Daze,1988 +Scrooged,1989 +Secondhand Lions,2003 +Secrets & Lies,1996 +Seize the Day,1986 +Set It Off,1996 +She's Gotta Have It,1986 +She's So Lovely,2000 +The Shining,1980 +Shrek,2001 +Silence of the Lambs,1991 +Simon Birch,1998 +A Simple Plan,1999 +Sirens,1994 +The Sixth Sense,1999 +Sleeper,1973 +Sleepers,2001 +Small Time Crooks,2000 +Smoke Signals,1998 +Snow Falling on Cedars,1999 +Solaris,2002 +A Soldier's Story,1984 +Something's Gotta Give,2003 +Sophie's Choice,1982 +The Spanish Prisoner,1997 +Spawn,1997 +Splash,1983 +Star Trek II: The Wrath of Khan,1982 +Star Trek III: The Search for Spock,1984 +Star Trek: Insurrection,1998 +Star Trek IV: The Voyage Home,1986 +Stonewall 25: Global Voices of Pride & Protest,1994 +Strangers on a Train,1951 +Stripes,1981 +Stuck On You,2003 +Sugarbaby,1985 +The Sum of Us,1994 +Suspicion,1941 +The Tao of Steve,2000 +Taxi Driver,1976 +The Terminator,1984 +Terms of Endearment,1983 +Thank You & Goodnight,1991 +That Touch of Mink,1962 +That's Life,1986 +The Third Miracle,1999 +Thirtytwo Short Films about Glenn Gould,1993 +This Far By Faith: African-American Spiritual Journeys,2003 +This Is Spinal Tap,1984 +A Thousand Clowns,1965 +Thunderheart,1992 +To Catch a Thief,1954 +To Gillian on Her 37th Birthday,1996 +To Kill a Mockingbird,1962 +To Live,1994 +Together Alone,1991 +Tootsie,1982 +Topsy-Turvy,1999 +Torch Song Trilogy,1988 +Total Recall,1990 +Touch of Evil,1958 +Traffic,2000 +Treading Water,2002 +The Trip To Bountiful,1985 +The Trouble with Harry,1955 +True Romance,1993 +The Truman Show,1998 +Tuck Everlasting,2002 +Tuesdays with Morrie,1999 +Twilight: Los Angeles,2000 +Twins,1988 +Umbrellas of Cherbourg,1990 +The Unbearable Lightness of Being,1988 +Unforgiven,1992 +Unzipped,1995 +U.S. Marshals,1998 +The Vanishing,1988 +The Velocity of Gary,1998 +The Virgin Suicides,1999 +Waiting To Exhale,1995 +Walkabout,1971 +The War,1994 +Waterworld,1995 +The Wedding Banquet,1993 +Welcome to the Dollhouse,1995 +West Side Story,1961 +When Night Is Falling,1995 +Where the Money Is,2000 +White Fang,1991 +Who the Hell Is Juliette?,1997 +The Whole Nine Yards,2000 +Wild At Heart,1990 +Wild Things,1998 +Windwalker,1980 +The Winged Serpent,1982 +With Friends Like These,1998 +Witness for the Prosecution,1957 +The Wizard of Oz,1939 +The Women,1939 +Working Girl,1988 +The Year of Living Dangerously,1982 +Yentl,1983 +Z,1969 +Zero Effect,1998 diff --git a/fix-movie-list/movies.md b/fix-movie-list/movies.md deleted file mode 100644 index 1489b23..0000000 --- a/fix-movie-list/movies.md +++ /dev/null @@ -1,454 +0,0 @@ -2 Seconds (1998) -2001: A Space Odyssey (1968) -25th Hour, The (2002) -9-1/2 Weeks (1986) -About a Boy (2002) -Accused (The) (1988) -Adventures of Priscilla, Queen of the Desert, The (1994) -Affliction (1998) -Alien (1979) -Alien Dreamtime (2003) -Alien Nation (1988) -Alien Resurrection (1997) -Alien3 (1992) -Aliens (1986) -Alive & Kicking (1996) -All About My Mother (1999) -All God’s Children (1996) -All That Jazz (1979) -American Dream (2000) -American History X (1998) -Amistad (1998) -Andrei Rublev (1969) -Angel At My Table, An (1990) -Angels in America (2003) -Angels & Insects (1995) -Anima Mundi (1992) -Apostle, The (1997) -Assassination Tango (2002) -Auntie Mame (1958) -Babe (1995) -Bagdad Café (1987) -Bar Girls (1994) -Barefoot In the Park (1967) -Barton Fink (1991) -Basquiat (1996) -Beaches (1988) -Beautiful Girls (1996) -Beautiful Thing (1996) -Before Night Falls (2000) -Bend It Like Beckham (2003) -Betrayed (1988) -Better Than Chocolate (1999) -Big Chill, The (1985) -Big Easy, The (1987) -Big Night (1997) -Billy Crystal: Midnight Train to Moscow (1989) -Birthday Girl (2001) -Blaze (1986) -Bloom (2004) -Bob Roberts (1992) -Body Heat (1981) -Book of Shadows: Blair Witch 2 (2000) -Bound (1996) -Bowfinger (1999) -Broken Hearts Club, The (2000) -Bull Durham (1988) -Burnt By the Sun (1994) -Butcher’s Wife (The) (1991) -Cabaret (1972) -Casablanca (1942) -Cecil B. DeMented (2000) -Cell, The (2000) -Celluloid Closet (1996) -Changer: A Record of the Times, The (1991) -Chariots of Fire (1981) -Chicago (2002) -Children of a Lesser God (1986) -Children's Hour, The (1961) -Chinatown (1974) -Chocolate Babies (1997) -Chuck & Buck (2000) -Chutney Popcorn (1999) -Cinema Paradiso (1988) -Citizen Kane (1941) -Civil Action, A (1998) -Clerks (1994) -Close Encounters of the Third Kind (1977) -Coal Miner's Daughter (1980) -Color Purple, The (1985) -Commen Threads: Stories from the AIDS Quilt (1989) -Compleat Beatles (1982) -Contender, The (2000) -Cook, the Thief, His Wife & Her Lover, The (1989) -Cookie's Fortune (1999) -Cradle Will Rock (1999) -Crash (1996) -crazy/beautiful (2001) -Crimes & Misdemeanors (1989) -Crooklyn (1994) -Cry-Baby (1990) -Cry Freedom (1987) -Dancer in the Dark (2000) -Dangerous Liaisons (1988) -Dark Wind (1991) -David & Lisa (1962) -Dawn of the Dead (1978) -Dead Poet’s Society (1989) -Death Becomes Her (1992) -Debut, The (2000) -Deer Hunter, The (1978) -Desert Hearts (1985) -Devil's Backbone, The (El Espinazo del diablo) (2001) -Dick Tracy (1990) -Dirty Dancing (1987) -Disappearance of Garcia Lorca, The (1997) -Do The Right Thing (1989) -Down In the Delta (1998) -Dr. Strangeglove (1964) -Dream Lover (1994) -Easy Rider (1969) -Eat Drink Man Woman (1994) -Ed Wood (1994) -Educating Rita (1989) -Emerald Forest (The) (1985) -Empire of the Sun (1987) -Everything Relative (1996) -Exotica (1995) -Eyes of Tammy Faye, The (1999) -Faithful (1996) -Falcon & The Snowman (The) (1984) -Fancy Dancing (2003) -Farewell My Concubine (1993) -Favor, the Watch, & the Very Big Fish, The (1991) -Felicia's Journey (1999) -Fiddler on the Roof (1971) -Field of Dreams (1989) -Fifth Element (1997) -Fish Called Wanda, A (1988) -Fisher King, The (1991) -Flirting (1990) -Flirting with Disaster (1996) -For the Boys (1991) -Four Weddings & a Funeral (1994) -Front (The) (1976) -French Lieutenant's Woman, The (1981) -Gas Food Lodging (1992) -Get Bruce (1999) -Get Carter (1970) -Ghost (1990) -Girl 6 (1996) -Girlfight (2000) -Girls Who Like Girls (2001) -Go Fish (1994) -Godfather I (1972) -Godfather II (1974) -Godfather III, The (1990) -Gods & Monsters (1998) -Good Girl, The (2002) -Good Morning Vietnem! (1987) -Goodfellas (1990) -Gorillas in the Mist (1988) -Gosford Park (2001) -Grass Harp (The) (1997) -Great Santini (The) (1979) -Great Spirit/Sacred Ground (1994) -Groundhog Day (1993) -Guess Who's Coming to Dinner (1967) -Guilty as Sin (1993) -Hair (1979) -Half Moon Street (1986) -Harold & Maude (1971) -He Got Game (1998) -Heaven (2002) -Henry V (1989) -Hi, Mom! (1970) -Hi-Lo Country, The (1998) -Hidden in Plain Sight (2003) -High Art (1998) -High Fidelity (2000) -History of Rock & Roll (The) (1995) -Honeymoon in Vegas (1992) -How the West Was Lost (1993) -Hunt for Red October (The) (1989) -Hurleyburley (1998) -Hush (1998) -I Love Trouble (1994) -I Shot Andy Warhol (1996) -Ideal Husband, An (1999) -Imagine: John Lennon (1988) -In & Out (1997) -Incredibly True Adventure of Two Girls in Love, The (1995) -Indochine (1993) -Insider, The (1999) -Intermezzo: A Love Story (1939) -It's My Party (1996) -Jagged Edge (1985) -Jeffrey (1995) -Jerry Maguire (1997) -Jesus Christ Superstar (1973) -Jewish Amwericans (The) (2008) -John Adams (2008) -Joni Mitchell: Woman of Heart & Mind (2003) -Ju Dou (1989) -Jungle Fever (1991) -Jurassic Park (1993) -King of Hearts (1966) -Kiss Me Deadly (1955) -Kiss of the Spider Woman (1985) -Koyaanisqatsi (1983) -Last Days, The (1998) -Last Days of Disco, The (1998) -Last Emperor, The (1987) -Last Night (1998) -Last of the Dogmen (1995) -Last Seduction, The (1994) -Last Wave, The (1977) -Lavendar Limelight (1998) -Lemon Sisters, The (1990) -Life As A House (2001) -Life is Beautiful (1997) -Like Water for Chocolate (1992) -Limbo (1999) -Limey, The (1999) -Lord of the Flies (1990) -Lorenzo’s Oil (1992) -Love Actually (2003) -Love & Basketball (2000) -Love Letter, The (1999) -Lovely & Amazing (2001) -Lover (The) (1992) -Lover Come Back (1961) -Mad City (1997) -Mad Max (1979) -Magnolia (2000) -Maltese Falcon, The (1941) -Man Facing Southeast (1986) -Man Who Knew Too Much, The (1956) -Manny & Lo (1996) -Marat Sade (1966) -Marathon Man (1976) -Marching For Freedom (1993) -Mask, The (1994) -Master & Commander: The Far Side of the World (2003) -Matinee (1993) -Medicine Man (1992) -Messenger, The (1999) -Metropolitan (1990) -Miami Rhapsody (1995) -Microcosmos (1996) -Midaq Alley (1995) -Midnight Express (1978) -Midnight Run (1988) -Mighty Aphrodite (1995) -Mighty Quinn, The (1989) -Miracle on 34th Street (1947) -Misery (1990) -Mission, The (1986) -Mississippi Burning (1988) -Mississippi Masala (1991) -Mo' Better Blues (1990) -Moonlight Mile (2002) -Mortal Thoughts (1991) -Music Box (1989) -Mosquito Coast, The (1986) -Mountains of the Moon (1990) -Mr. Holland's Opus (1995) -Mumford (1999) -Murder at (1600) -Murphy's Romance (1985) -My Dog Skip (2000) -Mystic Pizza (1988) -Naked In New York (1993) -Naked Lunch (1991) -Natural, The (1984) -Neverending Story, The (1984) -New Jack City (1991) -Night Falls on Manhattan (1997) -Night of the Living Dead (1968) -Nightmare Before Christmas (The) (1993) -Ninth Configuration (1980) -Name of the Rose (The) (1986) -No Way Out (1987) -Normal (2003) -North by Northwest (1959) -Notorious C.H.O. (2002) -Ocean's Eleven (2001) -October 22 (1991) -Officer & A Gentleman, An (1982) -On the Edge (1985) -One Hour Photo (2002) -Open Your Eyes (Apre Los Ojos) (1997) -Oscar (1991) -Oscar's Greatest Moments (1971) -Othello (1952) -Others, The (2001) -Pahasapa: The Struggle for the Black Hills (1994) -Pallbearer, The (1996) -Paradise Road (1997) -Parting Glances (1986) -Party Girl (1995) -Pastime (1992) -Patch Adams (1999) -Path to Paradise: The Untold Story of the World Trade Center Bombing (1997) -Pecker (1998) -Perfect Storm, The (2000) -Perfect World, A (1993) -Personal Best (1982) -Planes, Trains & Automobiles (1987) -Platoon (1988) -Player, The (1992) -Pleasantville (1998) -Pledge, The (2001) -Plenty (1985) -Poles Apart (2000) -Posse (1993) -Possession (2002) -Powwow Highway (1998) -Pretty Woman (1990) -Priest (1994) -Primary Colors (1992) -Psycho (1960) -Purple Rose of Cairo, The (1985) -Putney Swope (1969) -Q&A (1990) -Quatermass (1979) -Querelle (1982) -Quick Change (1990) -Quiet Earth, The (1985) -Ragtime (1981) -Rambling Rose (1991) -Rear Window (1954) -Rebecca (1940) -Red Violin, The (1999) -Reds (1981) -Reservoir Dogs (1992) -Return of a Man Called Horse, The (1976) -Richard III (1995) -Ride With the Devil (1999) -Rites of Passage (1999) -River Runs Through It, A (1992) -Rocky (1976) -Roger & Me (1989) -Romeo & Juliet (1968) -Room with a View, A (1985) -Roots Parts 1,2,3 and 1/2 of 4 of the TV miniseries (1977) -Rope (1948) -Rosewood (1997) -Rounders (1998) -Roxanne (1987) -Run, Lola, Run (1999) -Satyricon (1969) -Savior (1997) -Schindler's List (1993) -School Daze (1988) -Scrooged (1989) -Secondhand Lions (2003) -Secrets & Lies (1996) -Seize the Day (1986) -Set It Off (1996) -Shadowlands (1993) -Shakespeare In Love (1996) -She Devil (1989) -She's Gotta Have It (1986) -She's So Lovely (2000) -Shining, The (1980) -Shrek (2001) -Silence of the Lambs (1991) -Simon Birch (1998) -Simple Plan, A (1999) -Singing in the Rain (1951) -Sirens (1994) -Sixth Sense, The (1999) -Sleeper (1973) -Sleepers (2001) -Small Time Crooks (2000) -Smoke Signals (1998) -Sneakers (1992) -Snow Falling on Cedars (1999) -Solaris (remake) (2002) -Soldier's Story, A (1984) -Something's Gotta Give (2003) -Sophie's Choice (1982) -Spanish Prisoner, The (1997) -Spawn (1997) -Splash (1983) -Star Trek II: The Wrath of Khan (1982) -Star Trek III: The Search for Spock (1984) -Star Trek: Insurrection (1998) -Star Trek IV: The Voyage Home (1986) -Stonewall 25: Global Voices of Pride & Protest (1994) -Strangers on a Train (1951) -Stripes (1981) -Stuck On You (2003) -Sugarbaby (Zuckerbaby) (1985) -Sum of Us, The (1994) -Suspicion (1941) -Tao of Steve, The (2000) -Taxi Driver (1976) -Television’s Greatest Commedians (1993) -Terminator, The (1984) -Terms of Endearment (1983) -Thank You & Goodnight (1991) -That Touch of Mink (1962) -That's Life (1986) -Third Miracle, The (1999) -Thirtytwo Short Films about Glenn Gould (1993) -This Far By Faith: African-American Spiritual Journeys (2003) -This Is Spinal Tap (1984) -Thousand Clowns, A (1965) -Thunderheart (1992) -To Catch a Thief (1954) -To Gillian on Her 37th Birthday (1996) -To Kill a Mockingbird (1962) -To Live (Huozhe) (1994) -Together Alone (1991) -Tootsie (1982) -Topsy-Turvy (1999) -Torch Song Trilogy (1988) -Total Recall (1990) -Touch of Evil (1958) -Traffic (2000) -Treading Water (2002) -Trip To Bountiful, The (1985) -Trouble with Harry, The (1955) -True Romance (1993) -Truman Show, The (1998) -Tuck Everlasting (2002) -Tuesdays with Morrie (1999) -Two in Twenty: A Lesbian Soap Opera (1988) -Twilight: Los Angeles (2000) -Twins (1988) -Umbrellas of Cherbourg (aka Les Parapluies de Cherbourg) (1990) -Unbearable Lightness of Being, The (1988) -Unforgiven (1992) -Unzipped (1995) -U.S. Marshals (1998) -Vanishing, The (the original - aka Spoorloos) (1988) -Velocity of Gary, The (1998) -Virgin Suicides, The (1999) -Waiting To Exhale (1995) -Walkabout (1971) -War, The (1994) -Waterworld (1995) -Wedding Banquet, The (1993) -Welcome to the Dollhouse (1995) -West Side Story (1961) -When Night Is Falling (1995) -Where the Money Is (2000) -White Fang (1991) -Who the Hell Is Juliette? (Quien Diablos Es Juliette?) (1997) -Whole Nine Yards, The (2000) -Wild At Heart (1990) -Wild Things (1998) -Windwalker (1980) -Winged Serpent, The (1982) -With Friends Like These (1998) -Witness for the Prosecution (1957) -Wizard of Oz, The (1939) -Women, The (1939) -Working Girl (1988) -Year of Living Dangerously, The (1982) -Yentl (1983) -Z (1969) -Zero Effect (1998) diff --git a/movies.csv b/movies.csv new file mode 100644 index 0000000..f6d0241 --- /dev/null +++ b/movies.csv @@ -0,0 +1,259 @@ +2 Seconds,1998,0.810000 +2001: A Space Odyssey,1968,39.092000 +9-1/2 Weeks,1986,19.928000 +About a Boy,2002,11.050000 +The Adventures of Priscilla," Queen of the Desert,1994",17.370000 +Affliction,1998,8.530000 +Alien,1979,58.861000 +Alien Dreamtime,2003,0.600000 +Alien Nation,1988,9.294000 +Alien Resurrection,1997,30.128000 +Alien3,1992,24.595000 +Aliens,1986,53.984000 +Alive & Kicking,1996,1.291000 +All About My Mother,1999,15.668000 +American History X,1998,28.320000 +Amistad,1998,4.542000 +Andrei Rublev,1969,16.899000 +An Angel At My Table,1990,8.907000 +Angels & Insects,1995,5.187000 +Anima Mundi,1992,1.834000 +The Apostle,1997,9.690000 +Assassination Tango,2002,4.777000 +Auntie Mame,1958,8.982000 +Babe,1995,22.778000 +Barefoot In the Park,1967,9.390000 +Barton Fink,1991,13.299000 +Basquiat,1996,8.584000 +Beaches,1988,11.411000 +Beautiful Thing,1996,12.007000 +Before Night Falls,2000,9.682000 +Bend It Like Beckham,2003,15.971000 +Better Than Chocolate,1999,7.991000 +The Big Easy,1987,10.444000 +Billy Crystal: Midnight Train to Moscow,1989,0.600000 +Birthday Girl,2001,12.749000 +Bob Roberts,1992,7.756000 +Body Heat,1981,22.350000 +Book of Shadows: Blair Witch 2,2000,18.497000 +Bound,1996,24.415000 +Bowfinger,1999,14.531000 +The Broken Hearts Club,2000,9.580000 +Burnt By the Sun,1994,10.373000 +Cabaret,1972,14.273000 +Casablanca,1942,29.880000 +Cecil B. DeMented,2000,8.602000 +The Cell,2000,28.390000 +Celluloid Closet,1996,7.675000 +The Changer: A Record of the Times,1991,0.600000 +Chariots of Fire,1981,16.190000 +Chicago,2002,18.854000 +Children of a Lesser God,1986,11.432000 +The Children's Hour,1961,10.734000 +Chinatown,1974,29.471000 +Chocolate Babies,1997,1.239000 +Chuck & Buck,2000,4.144000 +Chutney Popcorn,1999,2.145000 +Cinema Paradiso,1988,24.672000 +Citizen Kane,1941,23.896000 +A Civil Action,1998,12.984000 +Clerks,1994,18.667000 +Close Encounters of the Third Kind,1977,23.241000 +Coal Miner's Daughter,1980,10.141000 +The Color Purple,1985,22.433000 +Compleat Beatles,1982,3.570000 +The Contender,2000,9.941000 +The Cook," the Thief, His Wife & Her Lover,1989",3.739000 +Cookie's Fortune,1999,7.288000 +Cradle Will Rock,1999,10.208000 +Crash,1996,27.529000 +crazy/beautiful,2001,10.110000 +Crimes & Misdemeanors,1989,8.054000 +Crooklyn,1994,10.909000 +Cry-Baby,1990,15.790000 +Dancer in the Dark,2000,19.216000 +Dangerous Liaisons,1988,16.863000 +Dark Wind,1991,2.435000 +David & Lisa,1962,3.574000 +Dawn of the Dead,1978,26.753000 +The Debut,2000,1.400000 +The Deer Hunter,1978,19.515000 +Desert Hearts,1985,12.556000 +The Devil's Backbone,2001,18.079000 +Dirty Dancing,1987,34.883000 +The Disappearance of Garcia Lorca,1997,2.051000 +Do The Right Thing,1989,18.873000 +Down In the Delta,1998,2.208000 +Dream Lover,1994,8.415000 +Easy Rider,1969,19.340000 +Eat Drink Man Woman,1994,13.549000 +Ed Wood,1994,15.178000 +Empire of the Sun,1987,20.407000 +Everything Relative,1996,1.770000 +Exotica,1995,17.234000 +Faithful,1996,5.644000 +The Favor," the Watch, & the Very Big Fish,1991",5.419000 +Felicia's Journey,1999,5.247000 +Fiddler on the Roof,1971,18.819000 +Field of Dreams,1989,19.395000 +Fifth Element,1997,53.101000 +A Fish Called Wanda,1988,17.888000 +The Fisher King,1991,13.844000 +Flirting,1990,0.600000 +Four Weddings & a Funeral,1994,21.900000 +The French Lieutenant's Woman,1981,12.000000 +Get Bruce,1999,2.431000 +Ghost,1990,33.178000 +Girl 6,1996,8.564000 +Girlfight,2000,9.519000 +Go Fish,1994,3.862000 +Godfather I,1972,121.225000 +Godfather II,1974,76.729000 +The Godfather III,1990,45.870000 +Gods & Monsters,1998,10.030000 +The Good Girl,2002,12.013000 +Goodfellas,1990,47.492000 +Gorillas in the Mist,1988,10.704000 +Gosford Park,2001,13.810000 +The Great Santini,1979,5.360000 +Groundhog Day,1993,24.406000 +Guess Who's Coming to Dinner,1967,12.651000 +Guilty as Sin,1993,10.736000 +Hair,1979,11.081000 +Half Moon Street,1986,5.524000 +Harold & Maude,1971,12.883000 +He Got Game,1998,13.310000 +Heaven,2002,9.382000 +Henry V,1989,10.085000 +Hi," Mom!,1970",245.381000 +The Hi-Lo Country,1998,7.386000 +Hidden in Plain Sight,2003,0.600000 +High Art,1998,10.149000 +High Fidelity,2000,14.842000 +Honeymoon in Vegas,1992,13.649000 +Hush,1998,10.509000 +I Love Trouble,1994,8.043000 +I Shot Andy Warhol,1996,8.053000 +An Ideal Husband,1999,9.649000 +Imagine: John Lennon,1988,7.682000 +In & Out,1997,12.333000 +The Incredibly True Adventure of Two Girls in Love,1995,7.550000 +Indochine,1993,12.187000 +The Insider,1999,13.340000 +Intermezzo: A Love Story,1939,2.801000 +It's My Party,1996,9.089000 +Jagged Edge,1985,11.158000 +Jeffrey,1995,6.636000 +Jerry Maguire,1997,24.547000 +Jesus Christ Superstar,1973,15.826000 +Joni Mitchell: Woman of Heart & Mind,2003,2.575000 +Jungle Fever,1991,10.187000 +Jurassic Park,1993,26.707000 +King of Hearts,1966,3.913000 +Kiss Me Deadly,1955,10.386000 +Kiss of the Spider Woman,1985,8.883000 +Koyaanisqatsi,1983,14.260000 +The Last Days,1998,6.054000 +The Last Days of Disco,1998,10.284000 +The Last Emperor,1987,20.831000 +Last Night,1998,8.109000 +Last of the Dogmen,1995,8.846000 +The Last Seduction,1994,10.574000 +The Last Wave,1977,8.011000 +Life As A House,2001,12.181000 +Life is Beautiful,1997,34.095000 +Like Water for Chocolate,1992,15.617000 +Limbo,1999,5.648000 +The Limey,1999,11.207000 +Lord of the Flies,1990,20.764000 +Lorenzo’s Oil,1992,13.646000 +Love Actually,2003,23.427000 +Love & Basketball,2000,12.347000 +The Love Letter,1999,5.823000 +Lovely & Amazing,2001,4.913000 +The Lover,1992,24.129000 +Lover Come Back,1961,10.409000 +Mad City,1997,9.806000 +Mad Max,1979,45.616000 +Magnolia,2000,20.957000 +The Maltese Falcon,1941,15.367000 +Man Facing Southeast,1986,5.741000 +The Man Who Knew Too Much,1956,10.533000 +Manny & Lo,1996,4.264000 +Marathon Man,1976,7.477000 +Marching For Freedom,1993,0.600000 +The Mask,1994,43.769000 +Master & Commander: The Far Side of the World,2003,22.619000 +Matinee,1993,9.178000 +Medicine Man,1992,11.613000 +The Messenger,1999,24.663000 +Metropolitan,1990,8.521000 +Miami Rhapsody,1995,9.142000 +Microcosmos,1996,11.334000 +Midaq Alley,1995,7.418000 +Midnight Express,1978,14.787000 +Midnight Run,1988,11.945000 +Mighty Aphrodite,1995,10.152000 +The Mighty Quinn,1989,5.983000 +Miracle on 34th Street,1947,16.493000 +Misery,1990,18.418000 +The Mission,1986,19.589000 +Mississippi Burning,1988,20.947000 +Mississippi Masala,1991,7.176000 +Mo' Better Blues,1990,13.453000 +Moonlight Mile,2002,9.696000 +Mortal Thoughts,1991,8.822000 +Music Box,1989,8.591000 +The Mosquito Coast,1986,12.068000 +Mountains of the Moon,1990,5.776000 +Mr. Holland's Opus,1995,15.558000 +Mumford,1999,8.264000 +Murphy's Romance,1985,5.631000 +My Dog Skip,2000,9.493000 +Mystic Pizza,1988,15.134000 +Naked In New York,1993,4.273000 +Naked Lunch,1991,15.045000 +The Natural,1984,15.058000 +The Neverending Story,1984,35.826000 +New Jack City,1991,13.254000 +Night Falls on Manhattan,1997,9.695000 +Night of the Living Dead,1968,22.522000 +The Nightmare Before Christmas,1993,53.264000 +Ninth Configuration,1980,10.906000 +The Name of the Rose,1986,18.318000 +North by Northwest,1959,22.395000 +Notorious C.H.O.,2002,1.595000 +Ocean's Eleven,2001,35.634000 +An Officer & A Gentleman,1982,21.469000 +One Hour Photo,2002,10.748000 +Open Your Eyes,1997,15.519000 +The Others,2001,24.369000 +The Pallbearer,1996,8.222000 +Paradise Road,1997,10.668000 +Parting Glances,1986,3.647000 +Party Girl,1995,6.093000 +Path to Paradise: The Untold Story of the World Trade Center Bombing,1997,1.319000 +Pecker,1998,8.766000 +The Perfect Storm,2000,20.495000 +A Perfect World,1993,20.524000 +Personal Best,1982,5.587000 +Planes," Trains & Automobiles,1987",22.072000 +Platoon,1988,31.973000 +The Player,1992,12.369000 +Pleasantville,1998,15.719000 +The Pledge,2001,11.176000 +Plenty,1985,5.361000 +Posse,1993,6.464000 +Possession,2002,10.028000 +Pretty Woman,1990,118.738000 +Priest,1994,7.928000 +Primary Colors,1992,1.400000 +Psycho,1960,38.377000 +The Purple Rose of Cairo,1985,11.667000 +Putney Swope,1969,6.114000 +Q&A,1990,8.239000 +Quatermass,1979,1.651000 +Querelle,1982,8.723000 +Quick Change,1990,8.780000 +The Quiet Earth,1985,11.885000 +Ragtime,1981,11.031 \ No newline at end of file