服务器之家

服务器之家 > 正文

python实现自动打卡小程序

时间:2021-09-25 00:18     来源/作者:沉默,掩饰

本文实例为大家分享了python实现自动打卡小程序的具体代码,供大家参考,具体内容如下

?
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
86
87
88
89
90
91
92
93
94
95
96
97
98
99
100
101
102
103
104
105
106
107
108
109
110
111
112
113
114
115
116
117
118
119
120
121
122
123
124
125
126
127
128
129
130
131
132
133
134
135
136
137
138
139
140
141
142
143
144
145
146
147
148
149
150
151
152
153
154
155
156
157
158
159
160
161
162
163
164
165
166
167
168
169
170
171
172
173
174
175
176
177
178
179
180
181
182
183
184
185
186
187
188
189
190
191
192
193
194
195
196
197
"""
湖南大学疫情防控每日自动打卡程序v1.0
author: Liu
time:2021/3/16
"""
 
 
from selenium import webdriver
from selenium.webdriver.chrome.options import Options
from PIL import Image
from bs4 import BeautifulSoup
import requests
from aip import AipOcr
import time
from datetime import datetime
import re
 
 
 
class DailyAttend(object):
 
 
  def __init__(self, browser, stu_id, passwd, t, address, tmp_yesterday, tmp_today):
 
    self.browser = browser
    self.stu_id = stu_id
    self.passwd = passwd
    self.t = t
    self.address = address
    self.tmp_yesterday = tmp_yesterday
    self.tmp_today = tmp_today
    self.img_path = "captcha.png"
 
 
  def get_captcha_img(self):
    url = "https://fangkong.hnu.edu.cn/app/#/login?redirect=%2Fhome"
    self.browser.get(url)
    self.browser.find_element_by_class_name("vcdoe-tips").click() # 模拟点击使验证码加载出来
    time.sleep(2)
    webpage = self.browser.page_source
    soup = BeautifulSoup(webpage, features="html.parser")
    div = soup.find("div", attrs={"class": "login-content"})
    src = div.find_all("img")[2].attrs["src"] # 从html中解析出图片链接
    r = requests.get(src)
    if r.status_code == 200:
      open(self.img_path, "wb").write(r.content)
    else:
      print("网络不佳,无法加载验证码图片")
 
 
  def recog_captcha_img(self):
 
    img = Image.open(self.img_path)
    img = img.convert('L') # P模式转换为L模式(灰度模式默认阈值127)
    count = 165 # 设定阈值
    table = []
    for i in range(256):
      if i < count:
        table.append(0)
      else:
        table.append(1)
 
    img = img.point(table, '1')
    img.save(self.img_path) # 保存处理后的验证码
 
    ## 调用百度ocr
    # 识别码
    APP_ID = "23779944"
    API_KEY = "FPgsSXsuqXk3twpqVHmNNK6g"
    SECRET_KEY = "nG08oGzErk8CdMvDAynAiGdzfBjHr3NO"
    # 初始化对象
    client = AipOcr(APP_ID, API_KEY, SECRET_KEY)
 
    # 读取图片
    def get_file_content(file_path):
      with open(file_path, 'rb') as f:
        return f.read()
 
    image = get_file_content(self.img_path)
    # 定义参数变量
    options = {'language_type': 'ENG', } # 识别语言类型,默认为'CHN_ENG'中英文混合
    # 调用通用文字识别
    result = client.basicGeneral(image, options) # 高精度接口 basicAccurate
    for word in result['words_result']:
      self.captcha = (word['words'])
 
 
 
  def login(self):
 
    ## 登录
    while True:
      self.browser.find_element_by_css_selector("[type=text]").send_keys(self.stu_id)
      self.browser.find_element_by_css_selector("[type=password]").send_keys(self.passwd)
      self.browser.find_element_by_css_selector("[type=number]").send_keys(self.captcha)
      self.browser.find_element_by_tag_name("button").click()
      time.sleep(2)
      page = self.browser.page_source
      html = BeautifulSoup(page, features="html.parser")
      err_message = html.find("p", attrs={"class": "el-message__content"})
      if err_message.text == "登录成功":
        print("登录成功!")
        break
      elif err_message.text == "账号或密码错误":
        print("账号或密码错误!请重新输入!")
        self.stu_id = input("请输入学号:")
        self.passwd = input("请输入密码:")
        continue
      else:
        self.get_captcha_img()
        self.recog_captcha_img()
        continue
 
 
  def attend(self):
    success_messages = self.browser.find_elements_by_css_selector('p[class=el-message__content]')
    success_messages = [message.text for message in success_messages]
    if "今日已打卡" in success_messages:
      print("今日已打卡!")
      time.sleep(60)
    else:
      ## 选择打卡定位
      self.browser.find_elements_by_xpath('//div/span[text()="正在获取定位..."]')[1].click()
      time.sleep(1)
      for i in range(17):
        self.browser.find_elements_by_xpath('//ul/li')[i + 1].click()
      time.sleep(1)
      self.browser.find_element_by_xpath('//ul/li[text()="岳麓区"]').click()
      time.sleep(1)
      self.browser.find_element_by_xpath('//div/button[text()="确认"]').click()
      time.sleep(1)
 
      ## 输入相关打卡信息并点击打卡按钮
      self.browser.find_elements_by_css_selector('input[placeholder="街道门牌、楼层房间号等信息"]')[1].send_keys(self.address)
      temp = self.browser.find_elements_by_css_selector("input[placeholder=请输入]")
      temp[0].send_keys(self.tmp_yesterday)
      temp[1].send_keys(self.tmp_today)
      self.browser.find_elements_by_css_selector(
        'button[class="btnDaka van-button van-button--info van-button--normal van-button--block"]')[1].click()
      today = datetime.now().strftime("%Y-%m-%d")
      print(today + "打卡成功!")
      time.sleep(60)
 
 
 
 
if __name__ == "__main__":
 
  ## 欢迎界面
  print("=" * 100)
  print("打卡小程序")
  print("欢迎你湖南大学的朋友!开始使用吧!")
  print("=" * 100)
 
  ## 用户输入
  while True:
    t = input("请输入你的每日打卡时间(24小时制, 例如:00:10):")
    if re.search('^(([0-1][0-9])|(2[1-3])):[0-5][0-9]$', t) == None:
      print("你输入的时间格式有误,请重新输入!")
      continue
    stu_id = input("请输入你的学号:")
    passwd = input("请输入个人门户密码:")
    address = input("请输入你的打卡详细地址(例如:湖南大学北校区1舍):")
    tmp_yesterday = input("请输入你的昨日体温:")
    tmp_today = input("请输入你的今日体温:")
    print("=" * 100)
    if input("请检查你的输入是否无误,若有误则输入y并重新输入,若无误则输入n:") == "n":
      print("=" * 100)
      break
 
  user_info = {
    't': t,
    'stu_id': stu_id,
    'passwd': passwd,
    'address': address,
    'tmp_yesterday': tmp_yesterday,
    'tmp_today': tmp_today
  }
 
  ## 浏览器设置
  chrome_options = Options()
  chrome_options.add_argument("--headless")
  chrome_options.add_argument("--disable-gpu")
  chrome_options.add_experimental_option('excludeSwitches', ['enable-logging'])
  browser = webdriver.Chrome(executable_path="chromedriver.exe", options=chrome_options)
 
  ## 打卡
  app = DailyAttend(browser, **user_info) # 实例化打卡器
  print("正在等待打卡时间到来...")
  while True:
    if datetime.now().strftime("%H:%M") == t:
      app.get_captcha_img()
      app.recog_captcha_img()
      app.login()
      app.attend()
    else:
      time.sleep(10)

以上就是本文的全部内容,希望对大家的学习有所帮助,也希望大家多多支持服务器之家。

原文链接:https://blog.csdn.net/weixin_44612658/article/details/114859788

标签:

相关文章

热门资讯

yue是什么意思 网络流行语yue了是什么梗
yue是什么意思 网络流行语yue了是什么梗 2020-10-11
2020微信伤感网名听哭了 让对方看到心疼的伤感网名大全
2020微信伤感网名听哭了 让对方看到心疼的伤感网名大全 2019-12-26
背刺什么意思 网络词语背刺是什么梗
背刺什么意思 网络词语背刺是什么梗 2020-05-22
苹果12mini价格表官网报价 iPhone12mini全版本价格汇总
苹果12mini价格表官网报价 iPhone12mini全版本价格汇总 2020-11-13
2021年耽改剧名单 2021要播出的59部耽改剧列表
2021年耽改剧名单 2021要播出的59部耽改剧列表 2021-03-05
返回顶部