Pytvdbapi Documentation Release 0.4.0

Total Page:16

File Type:pdf, Size:1020Kb

Pytvdbapi Documentation Release 0.4.0 pytvdbapi Documentation Release 0.4.0 Björn Larsson November 22, 2013 Contents i ii pytvdbapi Documentation, Release 0.4.0 Welcome to the documentation for pytvdbapi version 0.4.0 Contents 1 pytvdbapi Documentation, Release 0.4.0 2 Contents Part I Basics 3 CHAPTER 1 Basics 1.1 Getting Started 1.1.1 About pytvdbapi is created to be an easy to use and intuitive Python API for the TV-Show database thetvdb.com. It is designed with the intention of making it easier and faster to develop applications using data from thetvdb.com, without having to bother about working with the raw data provided. 1.1.2 Installing The best and recommended way to install pytvdbapi is to use pip. To install, issue the following command in a shell: $ pip install pytvdbapi Depending on on what system and where you install pytvdbapi you may need root privileges to perform the above command. 1.1.3 Dependencies pytvdbapi depends on the following external packages: • httplib2 If you install using the above description, the dependencies will be installed for you if you do not already have them on your system. 1.1.4 Supported Versions The following python versions are supported by pytvdbapi. • 2.6 • 2.7 • 3.3 5 pytvdbapi Documentation, Release 0.4.0 It may work on other Python versions but they are not actively supported and tested against. 1.1.5 Known Issues The following issues/problems with pytvdbapi are known. • No support for connections through proxy servers. 1.2 Python 2.X and 3.X This section describes differences in using pytvdbapi in a Python 2.X environment and a Python 3.X environment. In particular it describes the differences and changes regarding unicode handling. 1.2.1 Unicode Vs. Str In python 3, the unicode object has been removed and the standard str type always represent a unicode string 1. Internally pytvdbapi works exclusively with unicode. That means that on Python 2.X all text attributes will be of type unicode and on Python 3 they will be of type str, all text attributes will be automatically converted as they are loaded. >>> from pytvdbapi import api >>> import sys >>> db= api.TVDB(’B43FF87DE395DF56’) >>> result= db.search(’Alarm für cobra 11’,’de’) >>> show= result[0] >>> if sys.version<’3’: ... assert type(show.SeriesName) is unicode ... else: ... assert type(show.SeriesName) is str pytvdbapi attempts to convert all text parameters passed into unicode, that means unicode on Python 2.X and str on python 3.X. For example, both of these are valid: >>> from pytvdbapi import api >>> db= api.TVDB(’B43FF87DE395DF56’) >>> result= db.search(’Alarm für cobra 11’,’de’) >>> len(result) 3 >>> print(result[0]) <Show - Alarm für Cobra 11 - Die Autobahnpolizei> And: >>> result= db.search(u’Dexter’,’de’) >>> len(result) 3 >>> print(result[0]) <Show - Dexter> 1 http://docs.python.org/3.3/howto/unicode.html 6 Chapter 1. Basics pytvdbapi Documentation, Release 0.4.0 1.3 Examples This section provides some different examples of how pytvdbapi can be used. 1.3.1 Basic Usage Search for a show, given its name and a language: >>> from pytvdbapi import api >>> db= api.TVDB("B43FF87DE395DF56") >>> result= db.search("Dexter","en") >>> show= result[0] # If there is a perfect match, it will be the first >>> print(show.SeriesName) Dexter >>> print(show.FirstAired) 2006-10-01 You can easily loop all episodes in a show: >>> for season in show: ... for episode in season: ... print(u"{0} - {1}".format(episode.EpisodeName, episode.FirstAired)) ... Early Cuts: Alex Timmons (Chapter 1) - 2009-10-25 ... Finding Freebo - 2008-10-05 The Lion Sleeps Tonight - 2008-10-12 All In the Family - 2008-10-19 Turning Biminese - 2008-10-26 ... Dress Code - 2013-08-11 Are We There Yet? - 2013-08-18 Make Your Own Kind of Music - 2013-08-25 Goodbye Miami - 2013-09-08 Monkey In a Box - 2013-09-15 Remember the Monsters? - 2013-09-22 1.3.2 Working with a show object Basic usage: # You can use slicing to only get a sub set of all seasons >>> for season in show[2:5]: ... print(season.season_number) ... 2 3 4 # List the total number of seasons # Season 0 is the "specials" season containing special episodes >>> len(show) 9 1.3. Examples 7 pytvdbapi Documentation, Release 0.4.0 >>> print(show[2]) # Access a particular season <Season 002> Access show attributes: >>> print(show.IMDB_ID) tt0773262 >>> hasattr(show,’foo’) False >>> hasattr(show,’Genre’) True >>> getattr(show,’foo’,-1) -1 1.3.3 Working with a Season object Episode access: >>> from pytvdbapi.error import TVDBIndexError >>> season= show[2] # Grab a specific season, season 0 is the specials season >>> len(season) # The number of episodes in the season 12 >>> try: ... print(season[0]) ... except TVDBIndexError: ... # Episodes start at index 1 ... print(’No episode at index 0’) No episode at index 0 >>> print(season[3]) <Episode - S002E003> You can use slicing to access specific episode objects: >>> for episode in season[3:10:2]: ... print(episode.EpisodeNumber) ... 4 6 8 10 Access the associated show: >>> season.show <Show - Dexter> 1.3.4 Working with an episode object Accessing episode attributes: 8 Chapter 1. Basics pytvdbapi Documentation, Release 0.4.0 >>> episode= show[2][4] >>> print(episode.EpisodeName) See-Through >>> hasattr(episode,’foo’) False >>> hasattr(episode,’Director’) True Access the containing season: >>> episode.season <Season 002> 1.3.5 Case insensitive attributes It is possible to tell the API to ignore casing when accessing the objects dynamic attributes. If you pass ignore_case=True when creating the pytvdbapi.api.TVDB instance, you can access the dynamically cre- ated attributes of the pytvdbapi.api.Show, pytvdbapi.api.Season, pytvdbapi.api.Episode, pytvdbapi.actor.Actor and pytvdbapi.banner.Banner instances in a case insensitive manner. Example: >>> from pytvdbapi import api >>> db= api.TVDB("B43FF87DE395DF56", ignore_case=True) # Tell API to ignore case >>> result= db.search("Dexter","en") >>> show= result[0] >>> print(show.seriesname) Dexter >>> hasattr(show,’SERIESNAME’) True >>> hasattr(show,’seriesname’) True >>> hasattr(show,’sErIeSnAmE’) True >>> episode= show[3][5] >>> print(episode.episodename) Turning Biminese >>> hasattr(episode,’EPISODENAME’) True >>> hasattr(episode,’episodename’) True 1.3.6 Working with Actor and Banner Objects By default, the extended information for pytvdbapi.actor.Actor and pytvdbapi.banner.Banner are not loaded. This is to save server resources and avoid downloading data that is not necessarily needed. The pytvdbapi.api.Show always contain a list of actor names. If you do want to use this extra actor and banner data you can pass actors=True and banners=True respectively when creating the pytvdbapi.api.TVDB instance, this will cause the actors and/or banners to be loaded for all shows. If you only want this information for some shows, you 1.3. Examples 9 pytvdbapi Documentation, Release 0.4.0 can use the pytvdbapi.api.Show.load_actors() and pytvdbapi.api.Show.load_banners() functions instead. Using keyword arguments: >>> from pytvdbapi import api >>> db= api.TVDB("B43FF87DE395DF56", actors=True, banners=True) >>> result= db.search("Dexter","en") >>> show= result[0] >>> show.update() >>> len(show.actor_objects) 26 >>> len(show.banner_objects) 231 >>> print(show.actor_objects[0]) <Actor - Michael C. Hall> Using instance functions: >>> from pytvdbapi import api >>> db= api.TVDB("B43FF87DE395DF56") >>> result= db.search("Dexter","en") >>> show= result[0] >>> len(show.actor_objects) 0 >>> len(show.banner_objects) 0 >>> show.load_actors() # Load actors >>> len(show.actor_objects) 26 >>> print(show.actor_objects[0]) <Actor - Michael C. Hall> >>> show.load_banners() # Load banners >>> len(show.banner_objects) 231 1.3.7 Handle Network Issues This provides a more complete example of how to handle the fact that there could be something wrong with the connection to the backend, or the backend could be malfunctioning and return invalid data that we can not work with. >>> from pytvdbapi import api >>> from pytvdbapi.error import ConnectionError, BadData, TVDBIndexError >>> db= api.TVDB("B43FF87DE395DF56") >>> try: ... result= db.search("Dexter","en") # This hits the network and could raise an exception ... show= result[0] # Find the show object that you want ... show.update() # this loads the full data set and could raise exceptions ... except TVDBIndexError: ... # The search did not generate any hits ... pass ... except ConnectionError: 10 Chapter 1. Basics pytvdbapi Documentation, Release 0.4.0 ... # Handle the fact that the server is not responding ... pass ... except BadData: ... # The server responded but did not provide valid XML data, handle this issue here, ... # maybe by trying again after a few seconds ... pass ... else: ... # At this point, we should have a valid show instance that we can work with. ... name= show.SeriesName 1.3. Examples 11 pytvdbapi Documentation, Release 0.4.0 12 Chapter 1. Basics Part II Modules 13 CHAPTER 2 pytvdbapi modules 2.1 api Module This is the main module for pytvdbapi intended for client usage. It contains functions to access the API functionality through the TVDB class and its methods. It has implementations for representations of Show, Season and Episode objects. It also contains functionality to access the list of API supported languages through the languages() function. Basic usage: >>> from pytvdbapi import api >>> db= api.TVDB("B43FF87DE395DF56") >>> result= db.search("How I met your mother","en") >>> len(result) 1 >>> show= result[0] # If there is a perfect match, it will be the first >>> print(show.SeriesName) How I Met Your Mother >>> len(show) # Show the number of seasons 10 >>> for season in show: ... for episode in season: ... print(episode.EpisodeName) ... Robin Sparkles Music Video - Let’s Go to the Mall Robin Sparkles Music Video - Sandcastles In the Sand ... Pilot Purple Giraffe Sweet Taste of Liberty Return of the Shirt ... 15 pytvdbapi Documentation, Release 0.4.0 2.1.1 Languages class pytvdbapi.api.Language(abbrev, name, id) Bases: object Representing a language that is supported by the API.
Recommended publications
  • STEPHEN MARK, ACE Editor
    STEPHEN MARK, ACE Editor Television PROJECT DIRECTOR STUDIO / PRODUCTION CO. DELILAH (series) Various OWN / Warner Bros. Television EP: Craig Wright, Oprah Winfrey, Charles Randolph-Wright NEXT (series) Various Fox / 20th Century Fox Television EP: Manny Coto, Charlie Gogolak, Glenn Ficarra, John Requa SNEAKY PETE (series) Various Amazon / Sony Pictures Television EP: Blake Masters, Bryan Cranston, Jon Avnet, James Degus GREENLEAF (series) Various OWN / Lionsgate Television EP: Oprah Winfrey, Clement Virgo, Craig Wright HELL ON WHEELS (series) Various AMC / Entertainment One Television EP: Mark Richard, John Wirth, Jeremy Gold BLACK SAILS (series) Various Starz / Platinum Dunes EP: Michael Bay, Jonathan Steinberg, Robert Levine, Dan Shotz LEGENDS (pilot)* David Semel TNT / Fox 21 Prod: Howard Gordon, Jonathan Levin, Cyrus Voris, Ethan Reiff DEFIANCE (series) Various Syfy / Universal Cable Productions Prod: Kevin Murphy GAME OF THRONES** (season 2, ep.10) Alan Taylor HBO EP: Devid Benioff, D.B. Weiss BOSS (pilot* + series) Various Starz / Lionsgate Television EP: Farhad Safinia, Gus Van Sant, THE LINE (pilot) Michael Dinner CBS / CBS Television Studios EP: Carl Beverly, Sarah Timberman CANE (series) Various CBS / ABC Studios Prod: Jimmy Smits, Cynthia Cidre, MASTERS OF SCIENCE FICTION (anthology series) Michael Tolkin ABC / IDT Entertainment Jonathan Frakes Prod: Keith Addis, Sam Egan 3 LBS. (series) Various CBS / The Levinson-Fontana Company Prod: Peter Ocko DEADWOOD (series) Various HBO 2007 ACE Eddie Award Nominee | 2006 ACE Eddie Award Winner Prod: David Milch, Gregg Fienberg, Davis Guggenheim 2005 Emmy Nomination WITHOUT A TRACE (pilot) David Nutter CBS / Warner Bros. Television / Jerry Bruckheimer TV Prod: Jerry Bruckheimer, Hank Steinberg SMALLVILLE (pilot + series) David Nutter (pilot) CW / Warner Bros.
    [Show full text]
  • The One Who Knocks: the Hero As Villain in Contemporary Televised Narra�Ves
    The One Who Knocks: The Hero as Villain in Contemporary Televised Narra�ves Maria João Brasão Marques The One Who Knocks: The Hero as Villain in Contemporary Televised Narratives Maria João Brasão Marques 3 Editora online em acesso aberto ESTC edições, criada em dezembro de 2016, é a editora académica da Escola Superior de Teatro e Cinema, destinada a publicar, a convite, textos e outros trabalhos produzidos, em primeiro lugar, pelos seus professores, investigadores e alunos, mas também por autores próximos da Escola. A editora promove a edição online de ensaio e ficção. Editor responsável: João Maria Mendes Conselho Editorial: Álvaro Correia, David Antunes, Eugénia Vasques, José Bogalheiro, Luca Aprea, Manuela Viegas, Marta Mendes e Vítor Gonçalves Articulação com as edições da Biblioteca da ESTC: Luísa Marques, bibliotecária. Editor executivo: Roger Madureira, Gabinete de Comunicação e Imagem da ESTC. Secretariado executivo: Rute Fialho. Avenida Marquês de Pombal, 22-B 2700-571 Amadora PORTUGAL Tel.: (+351) 214 989 400 Telm.: (+351) 965 912 370 · (+351) 910 510 304 Fax: (+351) 214 989 401 Endereço eletrónico: [email protected] Título: The One Who Knocks: The Hero as Villain in Contemporary Televised Narratives Autor: Maria João Brasão Marques Série: Ensaio ISBN: 978-972-9370-27-4 Citações do texto: MARQUES, Maria João Brasão (2016), The one who knocks: the hero as villain in contemporary televised narratives, Amadora, ESTC Edições, disponível em <www.estc.ipl.pt>. This work is licensed under a Creative Commons Attribution-NonCommercial-No Derivatives 4.0 International License. https://wiki.creativecommons.org/wiki/CC_Affiliate_Network O conteúdo desta obra está protegido por Lei.
    [Show full text]
  • Desiring Dexter: the Pangs and Pleasures of Serial Killer Body Technique
    Desiring Dexter: The pangs and pleasures of serial killer body technique Author Green, Stephanie Published 2012 Journal Title Continuum DOI https://doi.org/10.1080/10304312.2012.698037 Copyright Statement © 2012 Taylor & Francis. This is an electronic version of an article published in Continuum, Volume 26, Issue 4, 2012, Pages 579-588. Continuum is available online at: http:// www.tandfonline.com with the open URL of your article. Downloaded from http://hdl.handle.net/10072/48836 Griffith Research Online https://research-repository.griffith.edu.au Desiring Dexter: the pangs and pleasures of serial killer body technique Stephanie Green1 School of Humanities, Griffith University, Gold Coast, Australia Abstract The television series Dexter uses the figure of appealing monstrosity to unfold troubled relationships between corporeality, spectatorship and desire. Through a plastic-wrapped display of body horror, lightly veiled by suburban romance, Dexter turns its audience on to the consuming sensations of blood, death and dismemberment while simultaneously alluding to its own narrative and ethical contradictions. The excitations of Dexter are thus encapsulated within a tension between form and content as ambivalent and eroticised desire; both for heroic transgression and narrative resolution. Arguably, however, it is Dexter’s execution of a carefully developed serial killer body technique which makes this series so compelling. Through an examination of Dexter and his plotted body moves, this paper explores the representations of intimacy and murderous identity in this contemporary example of domestic screen horror entertainment. Keywords: Dexter, body-technique, desire, crime television, horror 1 [email protected] Launched in 2006, the television drama series Dexter has been a ratings record- breaker for its network producers (Showtime, CBS 2007-2011).
    [Show full text]
  • The Top 10 TV Shows of 2012
    PAGE 6B PRESS & DAKOTAN n FRIDAY, DECEMBER 21, 2012 The Top 10 TV TelevisionWeek Local Listings For The Week Of December 22-28, 2012 Shows SATURDAY PRIMETIME/LATE NIGHT DECEMBER 22, 2012 3:00 3:30 4:00 4:30 5:00 5:30 6:00 6:30 7:00 7:30 8:00 8:30 9:00 9:30 10:00 10:30 11:00 11:30 12:00 12:30 1:00 1:30 BROADCAST STATIONS Cook’s The The Prairie Hometime Classic Gospel Memo- The Lawrence Welk Guy Lom- As Time Keeping Last of the New Red The Red No Cover, No Austin City Limits A Under- Sun Studio Globe Trekker The PBS Country Victory Yard & (N) Å ries of Christmas. Å Show Songs from the bardo Goes Up Summer Green Green Minimum “Vince Two 1979 performance by ground Sessions Rijksmuseum in Am- KUSD ^ 8 ^ Garden Garden 1970s. By Å Wine Show Eagles” Tom Waits. Å sterdam. (In Stereo) Of 2012 $ $ Å Å KTIV 4 Boxing Fight Night. From Bethlehem, Pa. Paid News News 4 Insider “Mr. Magoo” WWE Tribute Saturday Night Live News 4 Saturday Night Live Extra (N) 1st Look House Boxing Fight Night. From Bethlehem, Pa. (N) (In Johnny NBC KDLT The Big ›› “Mr. Magoo’s WWE Tribute to the Saturday Night Live KDLT Saturday Night Live Bruno Mars The Simp- According (Off Air) BY CHUCK BARNEY NBC Stereo Live) Å Cash Nightly News Bang Christmas Carol” Troops (N) (In Ste- Martin Short; Paul Mc- News hosts and performs. (In Stereo) Å sons Å to Jim Å KDLT % 5 % News (N) (N) Å Theory (1962, Fantasy) reo) Å Cartney performs.
    [Show full text]
  • Sagawkit Acceptancespeechtran
    Screen Actors Guild Awards Acceptance Speech Transcripts TABLE OF CONTENTS INAUGURAL SCREEN ACTORS GUILD AWARDS ...........................................................................................2 2ND ANNUAL SCREEN ACTORS GUILD AWARDS .........................................................................................6 3RD ANNUAL SCREEN ACTORS GUILD AWARDS ...................................................................................... 11 4TH ANNUAL SCREEN ACTORS GUILD AWARDS ....................................................................................... 15 5TH ANNUAL SCREEN ACTORS GUILD AWARDS ....................................................................................... 20 6TH ANNUAL SCREEN ACTORS GUILD AWARDS ....................................................................................... 24 7TH ANNUAL SCREEN ACTORS GUILD AWARDS ....................................................................................... 28 8TH ANNUAL SCREEN ACTORS GUILD AWARDS ....................................................................................... 32 9TH ANNUAL SCREEN ACTORS GUILD AWARDS ....................................................................................... 36 10TH ANNUAL SCREEN ACTORS GUILD AWARDS ..................................................................................... 42 11TH ANNUAL SCREEN ACTORS GUILD AWARDS ..................................................................................... 48 12TH ANNUAL SCREEN ACTORS GUILD AWARDS ....................................................................................
    [Show full text]
  • THE WEST WING by ANINDITA BISWAS
    UNWRAPPING THE WINGS OF THE TELEVISION SHOW: THE WEST WING By ANINDITA BISWAS A Thesis Submitted to the Graduate Faculty of WAKE FOREST UNIVERSITY in Partial Fulfillment of the Requirements for the Degree of MASTER OF ARTS in the Department of Communication December 2008 Winston-Salem, North Carolina Approved By: Mary M. Dalton, Ph.D., Advisor ____________________________________ Examining Committee: Allan Louden, Ph.D., ____________________________________ Wanda Balzano, Ph.D., _____________________________________ Acknowledgments Whatever I have achieved till now has been possible with the efforts, guidance, and wisdom of all those who have filled my life with their presence and will continue to do so in all my future endeavors. Dr.Mary Dalton : My advisor, an excellent academician, and the best teacher I have had to date. Thank you for encouraging me when I was losing my intellectual thinking. Thanks you for those long afternoon conversations/thesis meetings in your office, which always made me, feel better. Last, but not the least, thank you for baking the most wonderful cookies I have had till now. I have no words to describe how much your encouragement and criticism has enriched my life in the last two years. Dr. Allan Louden: Thank you for helping me get rid of my I-am-scared-of-Dr.Louden feeling. I have enjoyed all the conversations we had, loved all the books you recommended me to read, and enjoyed my foray into political communication, all because of you! Dr. Wanda Balzano : Thanks for all the constructive criticism and guidance that you have provided throughout this project. Dr. Ananda Mitra and Swati Basu: Thanks for all the encouragement, support, and motivation that helped me pull through the last two years of my stay in this country.
    [Show full text]
  • The West Wing
    38/ Pere Antoni Pons The everydayness of power The West Wing If the effect is the same as what happens with me, after seeing any average-quality chapter of The West Wing (1999-2006) the reader-spectator will think he or she is witnessing an incontrovertible landmark in the latest phase of audiovisual narrative. After viewing one of the more dazzling, memorable episodes, he or she will not hesitate to believe that this is to behold one of the major, most perfect intellectual and artistic events of the early twenty-first century, comparable —not only in creative virtuosity but also in meaning, magnitude and scope— with Michelangelo’s Sistine Chapel, Shakespeare’s tragedies, Balzac’s The Human Comedy, or the complete recordings of Bob Dylan. Over the top? Even with more rotund words, it would be no exaggeration. Nowadays, nobody can ignore the fact that a colossal explosion in quality has happened over the last decade in the universe of American TV series. The old idea according to which the hapless professionals —scriptwriters, actors and directors— the ones who lack the luck or talent to carve out a niche in Hollywood or to triumph in the world of cinema, have to work in television has now been so thoroughly debunked that it even seems to have been turned on its head. Thanks to titles like The Sopranos, Capo 35 Ample front (Capo 35 Broad forehead), Miquel Barceló (2009). Ceramic, 22,5 x 19 x 25 cm 39 40/41 II The everydayness of power: The West Wing Pere Antoni Pons Lost, and The Wire, no one doubts any more that TV series can be as well filmed, as well written and as well acted as any masterpiece of the big screen.
    [Show full text]
  • The Hero As Villain in Contemporary Televised Narratives
    THE ONE WHO KNOCKS: THE HERO AS VILLAIN IN CONTEMPORARY TELEVISED NARRATIVES Maria João Brasão Marques Dissertação de Mestrado em Línguas, Literaturas e Culturas Estudos Ingleses e Norte-Americanos Março de 2016 Dissertação apresentada para cumprimento dos requisitos necessários à obtenção do grau de Mestre em Línguas, Literaturas e Culturas – Estudos Ingleses e Norte-Americanos realizada sob a orientação científica da Professora Doutora Isabel Oliveira Martins. Show me a hero and I will write you a tragedy. F. Scott Fitzgerald AGRADECIMENTOS À minha orientadora, a Professora Doutora Isabel Oliveira Martins, pela confiança e pelo carinho nesta jornada e fora dela, por me fazer amar e odiar os Estados Unidos da América em igual medida (promessa feita no primeiro ano da faculdade), por me ensinar a ser cúmplice de Twain, Fitzgerald, Melville, McCarthy, Whitman, Carver, tantos outros. Agradeço principalmente a sua generosidade maior e uma paixão que contagia. Às Professoras Iolanda Ramos e Teresa Botelho, por encorajarem o meu investimento académico e por me facultarem materiais indispensáveis nesta dissertação, ao mesmo tempo que contribuíram para o meu gosto pela cultura inglesa e norte-americana. À professora Júlia Cardoso, por acreditar nesta demanda comigo e me fazer persistir até chegar a bom porto. Ao Professor João Maria Mendes, para sempre responsável pela minha paixão pelas narrativas, pelos heróis, pelo prazer de contar histórias que se mostram, pelo gosto de construir personagens que falham constantemente e que constantemente se reerguem. Aos meus pais, por me deixarem continuar a estudar. THE ONE WHO KNOCKS: THE HERO AS VILLAIN IN CONTEMPORARY TELEVISED NARRATIVES MARIA JOÃO BRASÃO MARQUES RESUMO PALAVRAS-CHAVE: herói, anti-herói, protagonista, storytelling televisivo, revolução criativa, paradigma do herói, vilão.
    [Show full text]
  • 13Th ANNUAL MENDOCINO FILM FESTIVAL June 1-3, 2018
    13th ANNUAL MENDOCINO FILM FESTIVAL June 1-3, 2018 FOR IMMEDIATE RELEASE May 15, 2018 Contact: Kristin Suratt Phone: ​707-937-0171 Cell: 707-813-1356 Email: ​[email protected] Images available upon request The 13th Annual Mendocino Film Festival announces a retrospective screening of the sweeping saga ​Mi Familia ​(​My Family)​, a 1995 independent American drama directed and co-written by Oscar-nominated director Gregory Nava (​El Norte​). Nava will be on hand in Mendocino to discuss the film with festival audiences, along with the film’s stars Jimmy Smits and Esai Morales. ​Mi Familia ​also stars Edward James Olmos, Constance Marie, and Jennifer Lopez in her first major film role. The film will be shown at 11:00 a.m. Friday, June 1 at Crown Hall in Mendocino, with a Q&A with the director and actors after the show. The movie depicts three generations of the Mexican-American Sanchez family with humanity, wit, and grace. The narrative begins with the journey on foot of patriarch José, from Mexico to California, and his subsequent marriage to Maria. The Sanchez family settles in East Los Angeles during the 1920s. Narrated by their son Paco, an aspiring writer, ​Mi Familia​ explores the triumphs and tragedies of an immigrant family making their way in the United States. Entertainment Weekly called ​Mi Familia​ “uplifting, life-affirming​,” and “​unshakable in its inspirational intensity,​” ​and the film today is timelier than ever. “’​Mi Familia ​was blessed with probably the most incredible ensemble of Latino actors ever put on screen: Jimmie Smits, Esai Morales, Edward James Olmos, Jennifer Lopez, Constance Marie, Elpedia Carrillo, and many more,” Nava says.
    [Show full text]
  • Shooting Dexter with the Sony F23
    Shooting Dexter with the Sony F23 an interview with Romeo Tirone and Daniel Applegate MAD MEN: A AMBITIOUS ENDEAVOR KINGDOM OF THE CINEMATIC LOOK FOR FOR GM CAMPAIGN BLUE WHALE HD BROADCAST by Bob Fisher by Christie Parell by David Heuring contents highdef.com FEATURE Shooting Dexter with the Sony F23 6 an interview with Romeo Tirone and Daniel Applegate © Kodak, 2009. Kodak and Vision are trademarks. are and Vision Kodak 2009. © Kodak, 6 Ambitious Endeavour for GM Campaign 12 by Bob Fisher Kingdom of the Blue Whale 14 by Christie Parell Ski Patrol in High Definition 15 by William Wheeler 12 HDTV Forum: No OLED TV’s from Samsung 16 by Steve Sechrist RED One Under Water 17 by Michael Piotrowski 19 HD Tips: Exposure 18 by B. Sean Fairburn Mad Men: A Cinematic Look for HD Broadcast 19 by David Heuring Decoding Christianity 20 by David Royle 20 High Definition Makeup: A Star is Born 21 by Bradley M. Look Scientific Discovery in HD 22 by Andrew Scafetta 22 Front Cover: Michael C. Hall as Dexter Morgan. Photo courtesy of Showtime. Vol. 11, Issue 1 | HighDef Magazine is published bi-monthly, free for professionals in all areas of video and film production, nationally by American Press Services, 2247 15th Avenue West, Seattle, WA 98119. PUBLISHER: Conrad W. Denke EDITOR: David W. Thompson PRODUCTION: Gina Griffin Hanzsek DISPLAY ADVERTISING: Call David Thompson at 1-888-282-1776 or e-mail david@ highdef.com. Deadline for advertising mechanicals is fifteen(15) days prior to publication date. Current and back issues and additional resources, including subscription request forms, are available on our website: www.highdef.com.
    [Show full text]
  • Darkly Dreaming (In) Authenticity : the Self/Persona Opposition in Dexter, M/C Journal : a Journal of Media and Culture, Vol
    This is the published version: D'Cruz, Glenn 2014, Darkly dreaming (in) authenticity : the self/persona opposition in Dexter, M/C journal : a journal of media and culture, vol. 17, no. 3, pp. 1‐10. Available from Deakin Research Online: http://hdl.handle.net/10536/DRO/DU:30064794 Reproduced with the kind permission of the copyright owner Copyright : 2014, Queensland University of Technology Darkly Dreaming (in) Authenticity: The Self/Persona Opposition in Dexte... http://journal.media-culture.org.au/index.php/mcjournal/article/viewArtic... Other Publications... M/C JOURNAL Reading Tools M/C HOME M/C Journal, Vol. 17, No. 3 (2014) - Review policy CURRENT ISSUE 'persona' About the author How to cite this UPCOMING ISSUES Home > Vol. 17, No. 3 (2014) > Glenn D'Cruz Indexing metadata Print version ARCHIVES Notify colleague* Email the author* CONTRIBUTORS Add comment* ABOUT M/C Finding References JOURNAL Glenn D'Cruz Volume 17 Issue 3 June 2014 'persona' LOG IN / REGISTER This paper will use the popular television SUBSCRIPTIONS This work is licensed under a character, Dexter Morgan, to interrogate the Creative Commons Attribution relationship between self and persona, and - Noncommercial - No unsettle the distinction between the two terms. Derivatives 3.0 License. This operation will enable me to raise a series of USER questions about the critical vocabulary and scholarly USERNAME agenda of the nascent discipline of persona studies, PASSWORD which, I argue, needs to develop a critical genealogy of REMEMBER the term “persona.” This paper makes a modest ME contribution to such a project by drawing attention to Log In some key questions regarding the discourse of authenticity in persona studies.
    [Show full text]
  • Pytvdbapi Documentation Release 0.5.0
    pytvdbapi Documentation Release 0.5.0 Björn Larsson December 28, 2015 Contents I Basics 3 1 Basics 5 1.1 Getting Started..............................................5 1.2 Python 2.X and 3.X...........................................6 1.3 Examples.................................................7 II Modules 13 2 pytvdbapi modules 15 2.1 api Module............................................... 15 2.2 actor Module.............................................. 23 2.3 banner Module............................................. 24 2.4 error Module.............................................. 26 III Extras 27 3 License 29 4 Credits 31 4.1 Contributors............................................... 31 5 Contact 33 5.1 Feedback / Suggestions......................................... 33 5.2 Twitter.................................................. 33 IV Indices and tables 35 Python Module Index 39 i ii pytvdbapi Documentation, Release 0.5.0 Welcome to the documentation for pytvdbapi version 0.5.0 Contents 1 pytvdbapi Documentation, Release 0.5.0 2 Contents Part I Basics 3 CHAPTER 1 Basics 1.1 Getting Started 1.1.1 About pytvdbapi is created to be an easy to use and intuitive Python API for the TV-Show database thetvdb.com. It is designed with the intention of making it easier and faster to develop applications using data from thetvdb.com, without having to bother about working with the raw data provided. 1.1.2 Installing The best and recommended way to install pytvdbapi is to use pip. To install, issue the following command in a shell: $ pip install pytvdbapi Depending on on what system and where you install pytvdbapi you may need root privileges to perform the above command. 1.1.3 Dependencies pytvdbapi depends on the following external packages: • httplib2 If you install using the above description, the dependencies will be installed for you if you do not already have them on your system.
    [Show full text]