当前位置:   article > 正文

《你好,李焕英》爆红,Python爬虫+数据分析告你票房为什么这么高?

《你好,李焕英》爆红,Python爬虫+数据分析告你票房为什么这么高?

春节档贺岁片《你好,李焕英》,于2月23日最新数据出来后,票房已经突破42亿,并且赶超其他贺岁片,成为2021的一匹黑马。

从小品演员再到导演,贾玲处女作《你好李焕英》,为何能这么火?接下来荣仔带你运用Python借助电影网站从各个角度剖析这部电影喜得高票房的原因。

目录

1 影评爬取并词云分析

1.1 网站选取

1.2 爬取思路

1.3 代码总观

2 实时票房搜集

2.1 网站选择

2.2 代码编写 

2.3 结果展示 

3 剧组照片爬取

3.1 网站选择

3.2 代码编写

3.3 效果展示

4 总结


1 影评爬取并词云分析

毫无疑问, 中国的电影评论伴随着整个社会文化语境的变迁以及不同场域和载体的更迭正发生着明显的变化。在纸质类影评统御了中国电影评论一百年后,又分别出现了电视影评、网络影评、新媒体影评等不同业态相结合的批评话语形式。电影评论的生产与传播确实已经进入一个民主多元化的时代。

电影评论的目的在于分析、鉴定和评价蕴含在银幕中的审美价值、认识价值、社会意义、镜头语等方面,达到拍摄影片的目的,解释影片中所表达的主题,既能通过分析影片的成败得失,帮助导演开阔视野,提高创作水平,以促进电影艺术的繁荣和发展;又能通过分析和评价,影响观众对影片的理解和鉴赏,提高观众的欣赏水平,从而间接促进电影艺术的发展。

1.1 网站选取

python爬虫实战——爬取豆瓣影评数据

1.2 爬取思路

爬取豆瓣影评数据步骤:1、获取网页请求
                                        2、解析获取的网页
                                        3、提取影评数据
                                        4、保存文件
                                        5、词云分析

① 获取网页请求

该实例选择采用selenium库进行编码。

关于selenium的讲解可参考我之前的博文:「Python爬虫系列讲解」八、Selenium 技术

 导库

  1. # 导入库
  2. from selenium import webdriver

浏览器驱动

  1. # 浏览驱动器路径
  2. chromedriver = 'E:/software/chromedriver_win32/chromedriver.exe'
  3. driver = webdriver.Chrome(chromedriver)

 打开网页

driver.get("此处填写网址")

② 解析获取的网页

F12键进入开发者工具,并确定数据提取位置,copy其中的XPath路径。

③ 提取影评数据

采用XPath进行影评数据提取

driver.find_element_by_xpath('//*[@id="comments"]/div[{}]/div[2]/p/span')

④ 保存文件

  1. # 新建文件夹及文件
  2. basePathDirectory = "Hudong_Coding"
  3. if not os.path.exists(basePathDirectory):
  4. os.makedirs(basePathDirectory)
  5. baiduFile = os.path.join(basePathDirectory, "hudongSpider.txt")
  6. # 若文件不存在则新建,若存在则追加写入
  7. if not os.path.exists(baiduFile):
  8. info = codecs.open(baiduFile, 'w', 'utf-8')
  9. else:
  10. info = codecs.open(baiduFile, 'a', 'utf-8')

txt文件写入

info.writelines(elem.text + '\r\n')

⑤ 词云分析

词云分析用到了jieba库和worldcloud库。

值得注意的是,下图显示了文字的选取路径方法。

1.3 代码总观

① 爬取代码

  1. # -*- coding: utf-8 -*-
  2. # !/usr/bin/env python
  3. import os
  4. import codecs
  5. from selenium import webdriver
  6. # 获取摘要信息
  7. def getFilmReview():
  8. try:
  9. # 新建文件夹及文件
  10. basePathDirectory = "DouBan_FilmReview"
  11. if not os.path.exists(basePathDirectory):
  12. os.makedirs(basePathDirectory)
  13. baiduFile = os.path.join(basePathDirectory, "DouBan_FilmReviews.txt")
  14. # 若文件不存在则新建,若存在则追加写入
  15. if not os.path.exists(baiduFile):
  16. info = codecs.open(baiduFile, 'w', 'utf-8')
  17. else:
  18. info = codecs.open(baiduFile, 'a', 'utf-8')
  19. # 浏览驱动器路径
  20. chromedriver = 'E:/software/chromedriver_win32/chromedriver.exe'
  21. os.environ["webdriver.chrome.driver"] = chromedriver
  22. driver = webdriver.Chrome(chromedriver)
  23. # 打开网页
  24. for k in range(15000): # 大约有15000页
  25. k = k + 1
  26. g = 2 * k
  27. driver.get("https://movie.douban.com/subject/34841067/comments?start={}".format(g))
  28. try:
  29. # 自动搜索
  30. for i in range(21):
  31. elem = driver.find_element_by_xpath('//*[@id="comments"]/div[{}]/div[2]/p/span'.format(i+1))
  32. print(elem.text)
  33. info.writelines(elem.text + '\r\n')
  34. except:
  35. pass
  36. except Exception as e:
  37. print('Error:', e)
  38. finally:
  39. print('\n')
  40. driver.close()
  41. # 主函数
  42. def main():
  43. print('开始爬取')
  44. getFilmReview()
  45. print('结束爬取')
  46. if __name__ == '__main__':
  47. main()

② 词云分析代码

  1. # -*- coding: utf-8 -*-
  2. # !/usr/bin/env python
  3. import jieba #中文分词
  4. import wordcloud #绘制词云
  5. # 显示数据
  6. f = open('E:/software/PythonProject/DouBan_FilmReview/DouBan_FilmReviews.txt', encoding='utf-8')
  7. txt = f.read()
  8. txt_list = jieba.lcut(txt)
  9. # print(txt_list)
  10. string = ' '.join((txt_list))
  11. print(string)
  12. # 很据得到的弹幕数据绘制词云图
  13. # mk = imageio.imread(r'图片路径')
  14. w = wordcloud.WordCloud(width=1000,
  15. height=700,
  16. background_color='white',
  17. font_path='C:/Windows/Fonts/simsun.ttc',
  18. #mask=mk,
  19. scale=15,
  20. stopwords={' '},
  21. contour_width=5,
  22. contour_color='red'
  23. )
  24. w.generate(string)
  25. w.to_file('DouBan_FilmReviews.png')

2 实时票房搜集

2.1 网站选择

猫眼专业版-实时票房

2.2 代码编写 

  1. # -*- coding: utf-8 -*-
  2. # !/usr/bin/env python
  3. import os
  4. import time
  5. import datetime
  6. import requests
  7. class PF(object):
  8. def __init__(self):
  9. self.url = 'https://piaofang.maoyan.com/dashboard-ajax?orderType=0&uuid=173d6dd20a2c8-0559692f1032d2-393e5b09-1fa400-173d6dd20a2c8&riskLevel=71&optimusCode=10'
  10. self.headers = {
  11. "Referer": "https://piaofang.maoyan.com/dashboard",
  12. "User-Agent": "Mozilla/5.0 (Windows NT 6.1; Win64; x64) AppleWebKit/537.36 (KHTML, like Gecko) Chrome/84.0.4147.105 Safari/537.36",
  13. }
  14. def main(self):
  15. while True:
  16. # 需在dos命令下运行此文件,才能清屏
  17. os.system('cls')
  18. result_json = self.get_parse()
  19. if not result_json:
  20. break
  21. results = self.parse(result_json)
  22. # 获取时间
  23. calendar = result_json['calendar']['serverTimestamp']
  24. t = calendar.split('.')[0].split('T')
  25. t = t[0] + " " + (datetime.datetime.strptime(t[1], "%H:%M:%S") + datetime.timedelta(hours=8)).strftime("%H:%M:%S")
  26. print('北京时间:', t)
  27. x_line = '-' * 155
  28. # 总票房
  29. total_box = result_json['movieList']['data']['nationBoxInfo']['nationBoxSplitUnit']['num']
  30. # 总票房单位
  31. total_box_unit = result_json['movieList']['data']['nationBoxInfo']['nationBoxSplitUnit']['unit']
  32. print(f"今日总票房: {total_box} {total_box_unit}", end=f'\n{x_line}\n')
  33. print('电影名称'.ljust(14), '综合票房'.ljust(11), '票房占比'.ljust(13), '场均上座率'.ljust(11), '场均人次'.ljust(11),'排片场次'.ljust(12),'排片占比'.ljust(12), '累积总票房'.ljust(11), '上映天数', sep='\t', end=f'\n{x_line}\n')
  34. for result in results:
  35. print(
  36. result['movieName'][:10].ljust(9), # 电影名称
  37. result['boxSplitUnit'][:8].rjust(10), # 综合票房
  38. result['boxRate'][:8].rjust(13), # 票房占比
  39. result['avgSeatView'][:8].rjust(13), # 场均上座率
  40. result['avgShowView'][:8].rjust(13), # 场均人次
  41. result['showCount'][:8].rjust(13), # '排片场次'
  42. result['showCountRate'][:8].rjust(13), # 排片占比
  43. result['sumBoxDesc'][:8].rjust(13), # 累积总票房
  44. result['releaseInfo'][:8].rjust(13), # 上映信息
  45. sep='\t', end='\n\n'
  46. )
  47. break
  48. time.sleep(4)
  49. def get_parse(self):
  50. try:
  51. response = requests.get(self.url, headers=self.headers)
  52. if response.status_code == 200:
  53. return response.json()
  54. except requests.ConnectionError as e:
  55. print("ERROR:", e)
  56. return None
  57. def parse(self, result_json):
  58. if result_json:
  59. movies = result_json['movieList']['data']['list']
  60. # 场均上座率, 场均人次, 票房占比, 电影名称,
  61. # 上映信息(上映天数), 排片场次, 排片占比, 综合票房,累积总票房
  62. ticks = ['avgSeatView', 'avgShowView', 'boxRate', 'movieName',
  63. 'releaseInfo', 'showCount', 'showCountRate', 'boxSplitUnit', 'sumBoxDesc']
  64. for movie in movies:
  65. self.piaofang = {}
  66. for tick in ticks:
  67. # 数字和单位分开需要join
  68. if tick == 'boxSplitUnit':
  69. movie[tick] = ''.join([str(i) for i in movie[tick].values()])
  70. # 多层字典嵌套
  71. if tick == 'movieName' or tick == 'releaseInfo':
  72. movie[tick] = movie['movieInfo'][tick]
  73. if movie[tick] == '':
  74. movie[tick] = '此项数据为空'
  75. self.piaofang[tick] = str(movie[tick])
  76. yield self.piaofang
  77. if __name__ == '__main__':
  78. while True:
  79. pf = PF()
  80. pf.main()

2.3 结果展示 

3 剧组照片爬取

3.1 网站选择

电影网

3.2 代码编写

  1. # -*- coding: utf-8 -*-
  2. # !/usr/bin/env python
  3. import requests
  4. from bs4 import BeautifulSoup
  5. import re
  6. from PIL import Image
  7. def get_data(url):
  8. # 请求网页
  9. resp = requests.get(url)
  10. # headers 参数确定
  11. headers = {
  12. 'user-agent': 'Mozilla/5.0 (Windows NT 10.0; Win64; x64) AppleWebKit/537.36 (KHTML, like Gecko) Chrome/80.0.3987.122 Safari/537.36'
  13. }
  14. # 对于获取到的 HTML 二进制文件进行 'utf-8' 转码成字符串文件
  15. html = resp.content.decode('utf-8')
  16. # BeautifulSoup缩小查找范围
  17. soup = BeautifulSoup(html, 'html.parser')
  18. # 获取 <a> 的超链接
  19. for link in soup.find_all('a'):
  20. a = link.get('href')
  21. if type(a) == str:
  22. b = re.findall('(.*?)jpg', a)
  23. try:
  24. print(b[0]+'jpg')
  25. img_urls = b[0] + '.jpg'
  26. # 保存数据
  27. for img_url in img_urls:
  28. # 发送图片 URL 请求
  29. image = requests.get(img_url, headers=headers).content
  30. # 保存数据
  31. with open(r'E:/IMAGES/' + image, 'wb') as img_file:
  32. img_file.write(image)
  33. except:
  34. pass
  35. else:
  36. pass
  37. # 爬取目标网页
  38. if __name__ == '__main__':
  39. get_data('https://www.1905.com/newgallery/hdpic/1495100.shtml')

3.3 效果展示

4 总结

看这部电影开始笑得有多开心,后面哭得就有多伤心,这部电影用孩子的视角,选取了母亲在选择爱情和婚姻期间所作出的选择,通过对母亲的观察,体会母亲所谓的幸福,并不是贾玲认为的:嫁给厂长的儿子就能获得的,这是他们共同的选择,无论经历过多少次,母亲都会义无反顾选择适合自己的而不是别人认为的那种幸福的人生,这也间接告诉我们:我们追求幸福的过程中,要凭借自己的走,而不是要过别人眼中和口中的幸福,毕竟人生的很多选择只有一次。 

声明:本文内容由网友自发贡献,不代表【wpsshop博客】立场,版权归原作者所有,本站不承担相应法律责任。如您发现有侵权的内容,请联系我们。转载请注明出处:https://www.wpsshop.cn/w/知新_RL/article/detail/371954?site
推荐阅读
相关标签
  

闽ICP备14008679号