位置: 编程技术 - 正文

python&MongoDB爬取图书馆借阅记录(mongodb python)

编辑:rootadmin

推荐整理分享python&MongoDB爬取图书馆借阅记录(mongodb python),希望有所帮助,仅作参考,欢迎阅读内容。

文章相关热门搜索词:python操作mongodb数据库,python爬取数据存入mongodb,python操作mongodb数据库,mongodb orm python,mongodb 爬虫,mongo python,python读取mongodb数据,mongodb python,内容如对您有帮助,希望把文章链接给更多的朋友!

直接上需求和代码首先是需要爬取的链接和网页:  

登陆进去之后进入我的账号——借阅、预约及申请记录——借阅历史就可以看到所要爬取的内容

然后将借阅历史中的题名、著者、借阅日期、归还日期、索书号存入Mongodb数据库中,以上便是这次爬虫的需求。

下面开始:

各软件版本为:

python 2.7. MongoDb 3.2.1 Pycharm 5.0.4 MongoDb Management Studio 1.9.3 极速浏览器 懒得查了

一、登陆模块python中的登陆一般都是用urllib和urllib2这两个模块,首先我们要查看网页的源代码:<form name="loginform" method="post" action="/uhtbin/cgisirsi/&#;ps=nPdFje4RP9/理工大学馆//"><!-- Copyright (c) , Sirsi Corporation - myProfile login or view myFavorites --><!-- Copyright (c) - , Sirsi Corporation - Sets the default values for USER_ID, ALT_ID, and PIN prompts. - The USER_ID, ALT_ID, and PIN page variables will be returned. -->

<!-- If the user has not logged in, first try to default to the ID based on the IP address - the $UO and $Uf will be set. If that fails, then default to the IDs in the config file. If the user has already logged in, default to the logged in user's IDs, unless the user is a shared login. -->

<!-- only user ID is used if both on --> <div class="user_name"> <label for="user_id">借阅证号码:</label> <input class="user_name_input" type="text" name="user_id" id="user_id" maxlength="" value=""/> </div> <div class="password"> <label for="password">个人密码:</label> <input class="password_input" type="password" name="password" id="password" maxlength="" value=""/> </div> <input type="submit" value="用户登录" class="login_button"/>查找网页中的form表单中的action,方法为post,但是随后我们发现,该网页中的action地址不是一定的,是随机变化的,刷新一下就变成了下面这样子的: <form name="loginform" method="post" action="/uhtbin/cgisirsi/&#;ps=1Nimt5K1Lt/理工大学馆//">我们可以看到/&#;ps到/之间的字符串是随机变化的(加粗部分),于是我们需要用到另一个模块——BeautifulSoup实时获取该链接:url = " res = urllib2.urlopen(url).read() soup = BeautifulSoup(res, "html.parser")login_url = " + soup.findAll("form")[1]['action'].encode("utf8")之后就可以正常使用urllib和urllib来模拟登陆了,下面列举一下BeautifulSoup的常用方法,之后的HTML解析需要:

1.soup.contents 该属性可以将tag的子节点以列表的方式输出

2.soup.children 通过tag的.children生成器,可以对tag的子节点进行循环

3.soup.parent 获取某个元素的父节点

4.soup.find_all(name,attrs,recursive,text,**kwargs) 搜索当前tag的所有tag子节点,并判断是否符合过滤器的条件

5.soup.find_all("a",class="xx") 按CSS搜索

6.find(name,attrs,recursive,text,**kwargs) 可以通过limit和find_all区分开

二、解析所获得的HTML

先看看需求中的HTML的特点:<tbody id="tblSuspensions"><!-- OCLN changed Listcode to Le to support charge history --> <!-- SIRSI_List Listcode="LN" -->

python&MongoDB爬取图书馆借阅记录(mongodb python)

<tr> <td class="accountstyle" align="left"> <!-- SIRSI_Conditional IF List_DC_Exists="IB" AND NOT List_DC_Comp="IB^" --><!-- Start title here --> <!-- Title --> 做人要低调,说话要幽默 孙郡铠编著 </td> <td class="accountstyle author" align="left"> <!-- Author --> 孙郡铠 编著 </td> <td class="accountstyle due_date" align="center"> <!-- Date Charged --> /9/,: </td> <td class="accountstyle due_date" align="left"> <!-- Date Returned --> /9/,: </td>

<td class="accountstyle author" align="center"> <!-- Call Number --> B-/S </td>

</tr>

<tr> <td class="accountstyle" align="left"> <!-- SIRSI_Conditional IF List_DC_Exists="IB" AND NOT List_DC_Comp="IB^" --><!-- Start title here --> <!-- Title --> 我用一生去寻找 潘石屹的人生哲学 潘石屹著 </td> <td class="accountstyle author" align="left"> <!-- Author --> 潘石屹, - 著 </td> <td class="accountstyle due_date" align="center"> <!-- Date Charged --> /9/,: </td> <td class="accountstyle due_date" align="left"> <!-- Date Returned --> /9/,: </td>

<td class="accountstyle author" align="center"> <!-- Call Number --> B-/P </td>

</tr>由所有代码,注意这行:

<tbody id="tblSuspensions">该标签表示下面的内容将是借阅书籍的相关信息,我们采用遍历该网页所有子节点的方法获得id="tblSuspensions"的内容: for i, k in enumerate(BeautifulSoup(detail, "html.parser").find(id='tblSuspensions').children): # print i,k if isinstance(k, element.Tag): bookhtml.append(k) # print type(k)三、提取所需要的内容

这一步比较简单,bs4中的BeautifulSoup可以轻易的提取:for i in bookhtml: # p # rint i name = i.find(class_="accountstyle").getText() author = i.find(class_="accountstyle author", align="left").getText() Date_Charged = i.find(class_="accountstyle due_date", align="center").getText() Date_Returned = i.find(class_="accountstyle due_date", align="left").getText() bookid = i.find(class_="accountstyle author", align="center").getText() bookinfo.append( [name.strip(), author.strip(), Date_Charged.strip(), Date_Returned.strip(), bookid.strip()])这一步采用getText()的方法将text中内容提取出来;strip()方法是去掉前后空格,同时可以保留之间的空格,比如:s=" a a ",使用s.strip()之后即为"a a"

四、连接数据库据说NoSQL以后会很流行,随后采用了Mongodb数据库图图新鲜,结果一折腾真是烦,具体安装方法在上一篇日记中记载了。1.导入python连接Mongodb的模块  import pymongo2.创建python和Mongodb的链接:# connection databaseconn = pymongo.MongoClient(" = conn.bookcollection = db.book3.将获得的内容保存到数据库:user = {"_id": xuehao_ben, "Bookname": name.strip(), "Author": author.strip(), "Rent_Day": Date_Charged.strip(), "Return_Day": Date_Returned.strip()} j += 1 collection.insert(user)上面基本完成了,但是爬虫做到这个没有意义,重点在下面

五、获取全校学生的借阅记录

  我们学校的图书馆的密码都是一样的,应该没有人闲得无聊改密码,甚至没有人用过这个网站去查询自己的借阅记录,所以,做个循环,就可以轻易的获取到全校的借阅记录了,然后并没有那么简单,str()强制将int变成string,但是在cmd的python中是报错的(在1位置),在pycharm前面三个0是忽略的,只能用傻瓜式的四个for循环了。好了,下面是所有代码:# encoding=utf8import urllib2import urllibimport pymongoimport socket

from bs4 import BeautifulSoupfrom bs4 import element

# connection databaseconn = pymongo.MongoClient(" = conn.bookcollection = db.book

# 循环开始def xunhuan(xuehao): try: socket.setdefaulttimeout() s = socket.socket(socket.AF_INET, socket.SOCK_STREAM) s.bind((".0.0.1", )) url = " res = urllib2.urlopen(url).read() soup = BeautifulSoup(res, "html.parser") login_url = " + soup.findAll("form")[1]['action'].encode("utf8") params = { "user_id": "账号前缀你猜你猜" + xuehao, "password": "密码你猜猜" } print params params = urllib.urlencode(params) req = urllib2.Request(login_url, params) lianjie = urllib2.urlopen(req) # print lianjie jieyue_res = lianjie.read() # print jieyue_res 首页的HTML代码 houmian = BeautifulSoup(jieyue_res, "html.parser").find_all('a', class_='rootbar')[1]['href'] # print houmian houmian = urllib.quote(houmian.encode('utf8')) url_myaccount = " + houmian # print url_myaccount # print urllib.urlencode(BeautifulSoup(jieyue_res, "html.parser").find_all('a',class_ = 'rootbar')[0]['href'])

lianjie2 = urllib.urlopen(url_myaccount) myaccounthtml = lianjie2.read() detail_url = '' # print (BeautifulSoup(myaccounthtml).find_all('ul',class_='gatelist_table')[0]).children print "连接完成,开始爬取数据" for i in (BeautifulSoup(myaccounthtml, "html.parser").find_all('ul', class_='gatelist_table')[0]).children: if isinstance(i, element.NavigableString): continue for ii in i.children: detail_url = ii['href'] break detail_url = " + urllib.quote(detail_url.encode('utf8')) detail = urllib.urlopen(detail_url).read() # print detail bookhtml = [] bookinfo = []

# 解决没有借书 try: for i, k in enumerate(BeautifulSoup(detail, "html.parser").find(id='tblSuspensions').children): # print i,k if isinstance(k, element.Tag): bookhtml.append(k) # print type(k) print "look here!!!" j = 1 for i in bookhtml: # p # rint i name = i.find(class_="accountstyle").getText() author = i.find(class_="accountstyle author", align="left").getText() Date_Charged = i.find(class_="accountstyle due_date", align="center").getText() Date_Returned = i.find(class_="accountstyle due_date", align="left").getText() bookid = i.find(class_="accountstyle author", align="center").getText() bookinfo.append( [name.strip(), author.strip(), Date_Charged.strip(), Date_Returned.strip(), bookid.strip()]) xuehao_ben = str(xuehao) + str("_") + str(j) user = {"_id": xuehao_ben, "Bookname": name.strip(), "Author": author.strip(), "Rent_Day": Date_Charged.strip(), "Return_Day": Date_Returned.strip()} j += 1 collection.insert(user) except Exception, ee: print ee print "此人没有借过书" user = {"_id": xuehao, "Bookname": "此人", "Author": "没有", "Rent_Day": "借过", "Return_Day": "书"} collection.insert(user)

print "********" + str(xuehao) + "_Finish"+"**********" except Exception, e: s.close() print e print "socket超时,重新运行" xunhuan(xuehao)

# with contextlib.closing(urllib.urlopen(req)) as A:# print A# print xuehao# print req

for i1 in range(0, 6): for i2 in range(0, 9): for i3 in range(0, 9): for i4 in range(0, 9): xueha = str(i1) + str(i2) + str(i3) + str(i4) chushi = '' if chushi == xueha: print "=======爬虫开始==========" else: print xueha + "begin" xunhuan(xueha)

conn.close()print "End!!!"下面是Mongodb Management Studio的显示内容(部分):

  总结:这次爬虫遇到了很多问题,问了很多人,但是最终效果还不是很理想,虽然用了try except语句,但是还是会报错,连接超时(我只能质疑学校的服务器了TT),还有就是,你可以看到数据库中列的顺序不一样=。=这个我暂时未理解,希望大家可以给出解决方法。

标签: mongodb python

本文链接地址:https://www.jiuchutong.com/biancheng/382330.html 转载请保留说明!

上一篇:Python中常用操作字符串的函数与方法总结(python常用操作运算符)

下一篇:深入讲解Java编程中类的生命周期(java编程基础知识入门)

  • 增值税发票系统怎么读入发票
  • 小规模纳税人给个人怎么开发票
  • 购买冰箱微波炉注意事项
  • 发票作废了清单一样怎么重新使用
  • 即征即退如何申报增值税
  • 免税是不是不用交税
  • 超市卡发票可以抵扣吗
  • 支付的检测费计入什么科目
  • 小企业会计准则调整以前年度费用分录
  • 2019一般纳税人新政策
  • 进项税需要转出吗
  • 甲公司自2018年3月1日开始自行研发一款新兴产品
  • 软件和硬件可以用什么代名词
  • 农产品收购发票可以跨区域开吗
  • 成品油经销企业开具的成品油电子专用发票
  • 中外合作合资
  • 没有合同可以收违约金
  • 租赁的房租再出租成本怎么做?
  • 收到政府补助的固定资产的账务处理
  • 长期股权投资减值准备借贷方向
  • 检测费属于什么税目
  • 货物运输企业在运输货物时应当尽可能采用
  • 企业维修厂房购进材料怎样做账务处理?
  • 支付的运输费用可以扣除吗
  • 旅游费开票内容
  • 上月未抵扣完的进项税本月可以抵扣吗
  • 收到以前年度退所得税分录
  • 企业为员工租房后的事故处理
  • 个税验证不通过怎么办
  • 网速保护功能介绍
  • 收到政府部门的奖励金怎么入账
  • 应交增值税的处理
  • php fwrite函数
  • 零售企业进销存怎么结转成本
  • 最小的摄像头是多大
  • php redis常用命令
  • meta最新模型
  • 其他综合收益在资产负债表中如何填列
  • 增值税专用发票上注明的价款含税吗
  • 简述社会保险的项目
  • 银行手续费发票未到怎样做账
  • 在pycharm中配置python
  • 网上银行回单可以做账吗
  • python tkinter ttk
  • 图文详解汽车坐垫安装方法
  • 现金折扣属于什么
  • 企业分红所得税
  • 银行进账单是外来原始凭证吗
  • 企业所得税免税项目
  • 小企业需要做计算机吗
  • mysql中的索引有
  • sqlserver 恢复数据库
  • 存货资产评估方法
  • 融资方式股权融资
  • 防洪费的税率是多少
  • 打车费用会计分录
  • 食品发票可以报销吗怎么报销
  • 管理费用是负数影响利润表吗
  • 申报表应纳税额和财务账金额不一致可以不改申报表吗
  • 政府机关有纳税人吗
  • 企业固定资产标准最新规定
  • 怎样银行存款,预付帐款,应收帐款余额做资金平衡表
  • xp电脑如何在网页打开
  • 创建windows
  • rpcclient.exe - rpcclient是什么进程 有什么用
  • saimon.exe - saimon进程有什么用 有何作用
  • win8.1无线
  • win8怎么设置桌面背景
  • js date()
  • perl处理特殊符号
  • css文件放在什么目录
  • nodejs json数据库
  • nodejs获取当前时间
  • shell自定义命令
  • unity3d spine
  • python 字符 字符串
  • android知识点大全
  • 高博应诺官网
  • 天津本田天虹90摩托车库存
  • 工厂的税率是多少
  • 免责声明:网站部分图片文字素材来源于网络,如有侵权,请及时告知,我们会第一时间删除,谢谢! 邮箱:opceo@qq.com

    鄂ICP备2023003026号

    网站地图: 企业信息 工商信息 财税知识 网络常识 编程技术

    友情链接: 武汉网站建设