This commit is contained in:
qing 2023-12-15 19:01:40 +08:00
commit b538778f69
6 changed files with 1632 additions and 0 deletions

691
123pan.py Normal file
View File

@ -0,0 +1,691 @@
import re
import time
from sign_py import getSign
import requests
import hashlib
import os
import json
import base64
class Pan123:
def __init__(self, readfile=True, user_name="", pass_word="", authorization="", input_pwd=True):
self.RecycleList = None
self.list = None
if readfile:
self.read_ini(user_name, pass_word, input_pwd, authorization)
else:
if user_name == "" or pass_word == "":
print("读取已禁用,用户名或密码为空")
if input_pwd:
user_name = input("请输入用户名:")
pass_word = input("请输入密码:")
else:
raise Exception("用户名或密码为空读取禁用时userName和passWord不能为空")
self.userName = user_name
self.passWord = pass_word
self.authorization = authorization
self.headerOnlyUsage = {
'user-agent': 'Mozilla/5.0 (Windows NT 10.0) AppleWebKit/537.36 (KHTML, like Gecko) Chrome/109.0.0.0 Safari/537.36 Edg/109.0.1474.0',
"app-version": "2",
"platform": "web", }
self.headerLogined = {
"Accept": "*/*",
"Accept-Language": "zh-CN,zh;q=0.9,en;q=0.8,en-GB;q=0.7,en-US;q=0.6",
"App-Version": "3",
"Authorization": self.authorization,
"Cache-Control": "no-cache",
"Connection": "keep-alive",
"LoginUuid": "z-uk_yT8HwR4raGX1gqGk",
"Pragma": "no-cache",
"Referer": "https://www.123pan.com/",
"Sec-Fetch-Dest": "empty",
"Sec-Fetch-Mode": "cors",
"Sec-Fetch-Site": "same-origin",
"User-Agent": "Mozilla/5.0 (Windows NT 10.0; Win64; x64) AppleWebKit/537.36 (KHTML, like Gecko) Chrome/119.0.0.0 Safari/537.36 Edg/119.0.0.0",
"platform": "web",
"sec-ch-ua": "^\\^Microsoft",
"sec-ch-ua-mobile": "?0",
"sec-ch-ua-platform": "^\\^Windows^^"
}
self.parentFileId = 0 # 路径文件夹的id,0为根目录
self.parentFileList = [0]
code = self.get_dir()
if code != 0:
self.login()
self.get_dir()
def login(self):
data = {"remember": True, "passport": self.userName, "password": self.passWord}
sign = getSign('/b/api/user/sign_in')
loginRes = requests.post("https://www.123pan.com/b/api/user/sign_in", headers=self.headerOnlyUsage, data=data,
params={sign[0]: sign[1]})
res_sign = loginRes.json()
code = res_sign['code']
if code != 200:
print("code = 1 Error:" + str(code))
print(res_sign['message'])
return code
token = res_sign['data']['token']
self.authorization = 'Bearer ' + token
headerLogined = {
"Accept": "*/*",
"Accept-Language": "zh-CN,zh;q=0.9,en;q=0.8,en-GB;q=0.7,en-US;q=0.6",
"App-Version": "3",
"Authorization": self.authorization,
"Cache-Control": "no-cache",
"Connection": "keep-alive",
"LoginUuid": "z-uk_yT8HwR4raGX1gqGk",
"Pragma": "no-cache",
"Referer": "https://www.123pan.com/",
"Sec-Fetch-Dest": "empty",
"Sec-Fetch-Mode": "cors",
"Sec-Fetch-Site": "same-origin",
"User-Agent": "Mozilla/5.0 (Windows NT 10.0; Win64; x64) AppleWebKit/537.36 (KHTML, like Gecko) Chrome/119.0.0.0 Safari/537.36 Edg/119.0.0.0",
"platform": "web",
"sec-ch-ua": "^\\^Microsoft",
"sec-ch-ua-mobile": "?0",
"sec-ch-ua-platform": "^\\^Windows^^"
}
self.headerLogined = headerLogined
# ret['cookie'] = cookie
self.save_file()
return code
def save_file(self):
with open("123pan.txt", "w") as f:
saveList = {
"userName": self.userName,
"passWord": self.passWord,
"authorization": self.authorization,
}
f.write(json.dumps(saveList))
print("Save!")
def get_dir(self):
code = 0
page = 1
lists = []
lenth_now = 0
total = -1
while lenth_now < total or total == -1:
base_url = "https://www.123pan.com/b/api/file/list/new"
# print(self.headerLogined)
sign = getSign('/b/api/file/list/new')
print(sign)
params = {
sign[0]: sign[1],
"driveId": 0,
"limit": 100,
"next": 0,
"orderBy": "file_id",
"orderDirection": "desc",
"parentFileId": str(self.parentFileId),
"trashed": False,
"SearchData": "",
"Page": str(page),
"OnlyLookAbnormalFile": 0
}
a = requests.get(base_url, headers=self.headerLogined, params=params)
# print(a.text)
# print(a.headers)
text = a.json()
code = text['code']
if code != 0:
print(a.text)
print(a.headers)
print("code = 2 Error:" + str(code))
return code
lists_page = text['data']['InfoList']
lists += lists_page
total = text['data']['Total']
lenth_now += len(lists_page)
page += 1
FileNum = 0
for i in lists:
i["FileNum"] = FileNum
FileNum += 1
self.list = lists
return code
def show(self):
print("--------------------")
for i in self.list:
size = i["Size"]
if size > 1048576:
size_print = str(round(size / 1048576, 2)) + "M"
else:
size_print = str(round(size / 1024, 2)) + "K"
if i["Type"] == 0:
print("\033[33m" + "编号:", self.list.index(i) + 1, "\033[0m \t\t" + size_print + "\t\t\033[36m",
i["FileName"], "\033[0m")
elif i["Type"] == 1:
print("\033[35m" + "编号:", self.list.index(i) + 1, " \t\t\033[36m",
i["FileName"], "\033[0m")
print("--------------------")
# fileNumber 从0开始0为第一个文件传入时需要减一
def link(self, file_number, showlink=True):
fileDetail = self.list[file_number]
typeDetail = fileDetail['Type']
if typeDetail == 1:
down_request_url = "https://www.123pan.com/a/api/file/batch_download_info"
down_request_data = {"fileIdList": [{"fileId": int(fileDetail["FileId"])}]}
else:
down_request_url = "https://www.123pan.com/a/api/file/download_info"
down_request_data = {"driveId": 0, "etag": fileDetail["Etag"], "fileId": fileDetail["FileId"],
"s3keyFlag": fileDetail['S3KeyFlag'], "type": fileDetail['Type'],
"fileName": fileDetail['FileName'], "size": fileDetail['Size']}
# print(down_request_data)
sign = getSign("/a/api/file/download_info")
linkRes = requests.post(down_request_url, headers=self.headerLogined, params={sign[0]: sign[1]},
data=down_request_data)
# print(linkRes.text)
code = linkRes.json()['code']
if code != 0:
print("code = 3 Error:" + str(code))
# print(linkRes.json())
return code
downloadLinkBase64 = linkRes.json()["data"]["DownloadUrl"]
Base64Url = re.findall("params=(.*)&", downloadLinkBase64)[0]
# print(Base64Url)
downLoadUrl = base64.b64decode(Base64Url)
downLoadUrl = downLoadUrl.decode("utf-8")
nextToGet = requests.get(downLoadUrl).json()
redirect_url = nextToGet['data']['redirect_url']
if showlink:
print(redirect_url)
return redirect_url
def download(self, file_number):
fileDetail = self.list[file_number]
downLoadUrl = self.link(file_number, showlink=False)
name = fileDetail['FileName'] # 文件名
if os.path.exists(name):
print("文件 " + name + " 已存在,是否要覆盖?")
sure = input("输入1覆盖2取消")
if sure != '1':
return
down = requests.get(downLoadUrl, stream=True)
size = int(down.headers['Content-Length']) # 文件大小
content_size = int(size) # 文件总大小
data_count = 0 # 当前已传输的大小
if size > 1048576:
size_print = str(round(size / 1048576, 2)) + "M"
else:
size_print = str(round(size / 1024, 2)) + "K"
print(name + " " + size_print)
time1 = time.time()
time_temp = time1
data_count_temp = 0
with open(name, "wb") as f:
for i in down.iter_content(1024):
f.write(i)
done_block = int((data_count / content_size) * 50)
data_count = data_count + len(i)
# 实时进度条进度
now_jd = (data_count / content_size) * 100
# %% 表示%
# 测速
time1 = time.time()
pass_time = time1 - time_temp
if pass_time > 1:
time_temp = time1
pass_data = int(data_count) - int(data_count_temp)
data_count_temp = data_count
speed = pass_data / int(pass_time)
speed_M = speed / 1048576
if speed_M > 1:
speed_print = str(round(speed_M, 2)) + "M/S"
else:
speed_print = str(round(speed_M * 1024, 2)) + "K/S"
print(
"\r [%s%s] %d%% %s" % (done_block * '', ' ' * (50 - 1 - done_block), now_jd, speed_print),
end="")
elif data_count == content_size:
print("\r [%s%s] %d%% %s" % (50 * '', '', 100, ""), end="")
print("\nok")
def recycle(self):
recycle_id = 0
url = "https://www.123pan.com/a/api/file/list/new?driveId=0&limit=100&next=0&orderBy=fileId&orderDirection=desc&parentFileId=" + str(
recycle_id) + "&trashed=true&&Page=1"
recycleRes = requests.get(url, headers=self.headerLogined)
jsonRecycle = recycleRes.json()
RecycleList = jsonRecycle['data']['InfoList']
self.RecycleList = RecycleList
# fileNumber 从0开始0为第一个文件传入时需要减一
def delete_file(self, file, by_num=True, operation=True):
# operation = 'true' 删除 operation = 'false' 恢复
if by_num:
print(file)
if not str(file).isdigit():
print("请输入数字")
return -1
if 0 <= file < len(self.list):
file_detail = self.list[file]
else:
print("不在合理范围内")
return
else:
if file in self.list:
file_detail = file
else:
print("文件不存在")
return
dataDelete = {"driveId": 0,
"fileTrashInfoList": file_detail,
"operation": operation}
deleteRes = requests.post("https://www.123pan.com/a/api/file/trash", data=json.dumps(dataDelete),
headers=self.headerLogined)
DeleJson = deleteRes.json()
print(DeleJson)
message = DeleJson['message']
print(message)
def share(self):
fileIdList = ""
share_name_list = []
add = '1'
while str(add) == '1':
share_num = input("分享文件的编号:")
num_test2 = share_num.isdigit()
if num_test2:
share_num = int(share_num)
if 0 < share_num < len(self.list) + 1:
share_id = self.list[int(share_num) - 1]['FileId']
share_name = self.list[int(share_num) - 1]['FileName']
share_name_list.append(share_name)
print(share_name_list)
fileIdList = fileIdList + str(share_id) + ","
add = input("输入1添加文件0发起分享其他取消")
else:
print("请输入数字,,")
add = "1"
if str(add) == "0":
sharePwd = input("提取码,不设留空:")
fileIdList = fileIdList.strip(',')
data = {"driveId": 0,
"expiration": "2024-02-09T11:42:45+08:00",
"fileIdList": fileIdList,
"shareName": "我的分享",
"sharePwd": sharePwd,
}
shareRes = requests.post("https://www.123pan.com/a/api/share/create", headers=self.headerLogined,
data=json.dumps(data))
shareResJson = shareRes.json()
message = shareResJson['message']
print(message)
ShareKey = shareResJson['data']['ShareKey']
share_url = 'https://www.123pan.com/s/' + ShareKey
print('分享链接:\n' + share_url + "提取码:" + sharePwd)
else:
print("退出分享")
def up_load(self, filePath):
filePath = filePath.replace("\"", "")
filePath = filePath.replace("\\", "/")
fileName = filePath.split("/")[-1]
print("文件名:", fileName)
if not os.path.exists(filePath):
print("文件不存在,请检查路径是否正确")
return
if os.path.isdir(filePath):
print("暂不支持文件夹上传")
return
fsize = os.path.getsize(filePath)
with open(filePath, 'rb') as f:
md5 = hashlib.md5()
while True:
data = f.read(64 * 1024)
if not data:
break
md5.update(data)
readable_hash = md5.hexdigest()
listUpRequest = {"driveId": 0, "etag": readable_hash, "fileName": fileName,
"parentFileId": self.parentFileId, "size": fsize, "type": 0, "duplicate": 0}
sign = getSign("/b/api/file/upload_request")
upRes = requests.post("https://www.123pan.com/b/api/file/upload_request", headers=self.headerLogined,
params={sign[0]: sign[1]},
data=listUpRequest)
upResJson = upRes.json()
code = upResJson['code']
if code == 5060:
sure = input("检测到1个同名文件,输入1覆盖2保留两者0取消")
if sure == '1':
listUpRequest["duplicate"] = 1
elif sure == '2':
listUpRequest["duplicate"] = 2
else:
print("取消上传")
return
sign = getSign("/b/api/file/upload_request")
upRes = requests.post("https://www.123pan.com/b/api/file/upload_request", headers=self.headerLogined,
params={sign[0]: sign[1]},
data=json.dumps(listUpRequest))
upResJson = upRes.json()
code = upResJson['code']
if code == 0:
# print(upResJson)
# print("上传请求成功")
Reuse = upResJson['data']['Reuse']
if Reuse:
print("上传成功文件已MD5复用")
return
else:
print(upResJson)
print("上传请求失败")
return
bucket = upResJson['data']['Bucket']
StorageNode = upResJson['data']['StorageNode']
uploadKey = upResJson['data']['Key']
uploadId = upResJson['data']['UploadId']
upFileId = upResJson['data']['FileId'] # 上传文件的fileId,完成上传后需要用到
print("上传文件的fileId:", upFileId)
# 获取已将上传的分块
startData = {"bucket": bucket, "key": uploadKey, "uploadId": uploadId, "storageNode": StorageNode}
startRes = requests.post("https://www.123pan.com/b/api/file/s3_list_upload_parts", headers=self.headerLogined,
data=json.dumps(startData))
startResJson = startRes.json()
code = startResJson['code']
if code == 0:
# print(startResJson)
pass
else:
print(startData)
print(startResJson)
print("获取传输列表失败")
return
# 分块,每一块取一次链接,依次上传
block_size = 5242880
with open(filePath, 'rb') as f:
partNumberStart = 1
putSize = 0
while True:
data = f.read(block_size)
precent = round(putSize / fsize, 2)
print("\r已上传:" + str(precent * 100) + "%", end="")
putSize = putSize + len(data)
if not data:
break
getLinkData = {"bucket": bucket, "key": uploadKey,
"partNumberEnd": partNumberStart + 1,
"partNumberStart": partNumberStart,
"uploadId": uploadId,
"StorageNode": StorageNode}
getLinkUrl = "https://www.123pan.com/b/api/file/s3_repare_upload_parts_batch"
getLinkRes = requests.post(getLinkUrl, headers=self.headerLogined, data=json.dumps(getLinkData))
getLinkResJson = getLinkRes.json()
code = getLinkResJson['code']
if code == 0:
# print("获取链接成功")
pass
else:
print("获取链接失败")
# print(getLinkResJson)
return
# print(getLinkResJson)
uploadUrl = getLinkResJson['data']['presignedUrls'][str(partNumberStart)]
# print("上传链接",uploadUrl)
requests.put(uploadUrl, data=data)
# print("put")
partNumberStart = partNumberStart + 1
print("\n处理中")
# 完成标志
# 1.获取已上传的块
uploadedListUrl = "https://www.123pan.com/b/api/file/s3_list_upload_parts"
uploadedCompData = {"bucket": bucket, "key": uploadKey, "uploadId": uploadId, "storageNode": StorageNode}
# print(uploadedCompData)
requests.post(uploadedListUrl, headers=self.headerLogined, data=json.dumps(uploadedCompData))
compmultipartUpUrl = "https://www.123pan.com/b/api/file/s3_complete_multipart_upload"
requests.post(compmultipartUpUrl, headers=self.headerLogined,
data=json.dumps(uploadedCompData))
# 3.报告完成上传关闭upload session
if fsize > 64 * 1024 * 1024:
time.sleep(3)
closeUpSessionUrl = "https://www.123pan.com/b/api/file/upload_complete"
closeUpSessionData = {"fileId": upFileId}
# print(closeUpSessionData)
closeUpSessionRes = requests.post(closeUpSessionUrl, headers=self.headerLogined,
data=json.dumps(closeUpSessionData))
closeResJson = closeUpSessionRes.json()
# print(closeResJson)
code = closeResJson['code']
if code == 0:
print("上传成功")
else:
print("上传失败")
print(closeResJson)
return
# dirId 就是 fileNumber从0开始0为第一个文件传入时需要减一 !!!(好像文件夹都排在前面)
def cd(self, dir_num):
if not dir_num.isdigit():
if dir_num == "..":
if len(self.parentFileList) > 1:
self.parentFileList.pop()
self.parentFileId = self.parentFileList[-1]
self.get_dir()
self.show()
else:
print("已经是根目录")
return
elif dir_num == "/":
self.parentFileId = 0
self.parentFileList = [0]
self.get_dir()
self.show()
return
else:
print("输入错误")
return
dir_num = int(dir_num) - 1
if dir_num >= (len(self.list) - 1) or dir_num < 0:
print("输入错误")
return
if self.list[dir_num]['Type'] != 1:
print("不是文件夹")
return
self.parentFileId = self.list[dir_num]['FileId']
self.parentFileList.append(self.parentFileId)
self.get_dir()
self.show()
def cdById(self, id):
self.parentFileId = id
self.parentFileList.append(self.parentFileId)
self.get_dir()
self.get_dir()
self.show()
def read_ini(self, user_name, pass_word, input_pwd, authorization="", ):
try:
with open("123pan.txt", "r") as f:
text = f.read()
text = json.loads(text)
user_name = text['userName']
pass_word = text['passWord']
authorization = text['authorization']
except FileNotFoundError or json.decoder.JSONDecodeError:
print("read failed")
if user_name == "" or pass_word == "":
if input_pwd:
user_name = input("userName:")
pass_word = input("passWord:")
authorization = ""
else:
raise Exception("禁止输入模式下,没有账号或密码")
self.userName = user_name
self.passWord = pass_word
self.authorization = authorization
def mkdir(self, dirname, remakedir=False):
if not remakedir:
for i in self.list:
if i["FileName"] == dirname:
print("文件夹已存在")
return i["FileId"]
url = "https://www.123pan.com/a/api/file/upload_request"
dataMk = {"driveId": 0, "etag": "", "fileName": dirname, "parentFileId": self.parentFileId, "size": 0,
"type": 1, "duplicate": 1, "NotReuse": True, "event": "newCreateFolder", "operateType": 1}
sign = getSign("/a/api/file/upload_request")
resMk = requests.post(url, headers=self.headerLogined, data=json.dumps(dataMk), params={sign[0]: sign[1]})
try:
resJson = resMk.json()
print(resJson)
except json.decoder.JSONDecodeError:
print("创建失败")
print(resMk.text)
return
code = resJson['code']
if code == 0:
print("创建成功: ", resJson["data"]["FileId"])
self.get_dir()
return resJson["data"]["Info"]["FileId"]
else:
print("创建失败")
print(resJson)
return
if __name__ == '__main__':
pan = Pan123(readfile=True, input_pwd=True)
pan.show()
while True:
command = input("\033[91m >\033[0m")
if command == "ls":
pan.show()
if command == "re":
code = pan.get_dir()
if code == 0:
print("刷新目录成功")
pan.show()
if command.isdigit():
if int(command) > len(pan.list) or int(command) < 1:
print("输入错误")
continue
if pan.list[int(command) - 1]["Type"] == 1:
pan.cdById(pan.list[int(command) - 1]["FileId"])
else:
size = pan.list[int(command) - 1]["Size"]
if size > 1048576:
size_print = str(round(size / 1048576, 2)) + "M"
else:
size_print = str(round(size / 1024, 2)) + "K"
# print(pan.list[int(command) - 1])
name = pan.list[int(command) - 1]["FileName"]
print(name + " " + size_print)
print("press 1 to download now: ", end="")
sure = input()
if sure == "1":
pan.download(int(command) - 1)
elif command[0:9] == "download ":
if command[9:].isdigit():
if int(command[9:]) > len(pan.list) or int(command[9:]) < 1:
print("输入错误")
continue
pan.download(int(command[9:]) - 1)
else:
print("输入错误")
elif command == "exit":
break
elif command == "log":
pan.login()
pan.get_dir()
pan.show()
elif command[0:5] == "link ":
if command[5:].isdigit():
if int(command[5:]) > len(pan.list) or int(command[5:]) < 1:
print("输入错误")
continue
pan.link(int(command[5:]) - 1)
else:
print("输入错误")
elif command == "upload":
filepath = input("请输入文件路径:")
pan.up_load(filepath)
pan.get_dir()
pan.show()
elif command == "share":
pan.share()
elif command[0:6] == "delete":
if command == "delete":
print("请输入要删除的文件编号:", end="")
fileNumber = input()
else:
if command[6] == " ":
fileNumber = command[7:]
else:
print("输入错误")
continue
if fileNumber == "":
print("请输入要删除的文件编号:", end="")
fileNumber = input()
else:
fileNumber = fileNumber[0:]
if fileNumber.isdigit():
if int(fileNumber) > len(pan.list) or int(fileNumber) < 1:
print("输入错误")
continue
pan.delete_file(int(fileNumber) - 1)
pan.get_dir()
pan.show()
else:
print("输入错误")
elif command[:3] == "cd ":
path = command[3:]
pan.cd(path)
elif command[0:5] == "mkdir":
if command == "mkdir":
newPath = input("请输入目录名:")
else:
newPath = command[6:]
if newPath == "":
newPath = input("请输入目录名:")
else:
newPath = newPath[0:]
print(pan.mkdir(newPath))
elif command == "reload":
pan.read_ini("", "", True)
print("读取成功")
pan.get_dir()
pan.show()

607
class123.py Normal file
View File

@ -0,0 +1,607 @@
import re
import time
from sign_py import getSign
import requests
import hashlib
import os
import json
import base64
# 修改版,更加方便植入其他项目
# 1.mkdir()增加了parentFileId参数可以指定父文件夹会先切换到父文件夹
# 2.mkdir()增加了remake参数如果remake为False会先检查文件夹是否存在存在则不创建返回文件夹id
# 3.增加了getdir的new接口封ip检测如果检测到ip被封会等待20s后再次尝试
# 4.up_load()增加了parentFileId参数可以指定父文件夹会先切换到父文件夹
class Pan123:
def __init__(self, readfile=True, user_name="", pass_word="", authorization="", input_pwd=True):
self.RecycleList = None
self.list = None
if readfile:
self.read_ini(user_name, pass_word, input_pwd, authorization)
else:
if user_name == "" or pass_word == "":
print("读取已禁用,用户名或密码为空")
if input_pwd:
user_name = input("请输入用户名:")
pass_word = input("请输入密码:")
else:
raise Exception("用户名或密码为空读取禁用时userName和passWord不能为空")
self.userName = user_name
self.passWord = pass_word
self.authorization = authorization
self.headerOnlyUsage = {
'user-agent': 'Mozilla/5.0 (Windows NT 10.0) AppleWebKit/537.36 (KHTML, like Gecko) Chrome/109.0.0.0 Safari/537.36 Edg/109.0.1474.0',
"app-version": "2",
"platform": "web", }
self.headerLogined = {
"Accept": "*/*",
"Accept-Language": "zh-CN,zh;q=0.9,en;q=0.8,en-GB;q=0.7,en-US;q=0.6",
"App-Version": "3",
"Authorization": self.authorization,
"Cache-Control": "no-cache",
"Connection": "keep-alive",
"LoginUuid": "z-uk_yT8HwR4raGX1gqGk",
"Pragma": "no-cache",
"Referer": "https://www.123pan.com/",
"Sec-Fetch-Dest": "empty",
"Sec-Fetch-Mode": "cors",
"Sec-Fetch-Site": "same-origin",
"User-Agent": "Mozilla/5.0 (Windows NT 10.0; Win64; x64) AppleWebKit/537.36 (KHTML, like Gecko) Chrome/119.0.0.0 Safari/537.36 Edg/119.0.0.0",
"platform": "web",
"sec-ch-ua": "^\\^Microsoft",
"sec-ch-ua-mobile": "?0",
"sec-ch-ua-platform": "^\\^Windows^^"
}
self.parentFileId = 0 # 路径文件夹的id,0为根目录
self.parentFileList = [0]
code = self.get_dir()
if code != 0:
self.login()
self.get_dir()
def login(self):
data = {"remember": True, "passport": self.userName, "password": self.passWord}
sign = getSign('/b/api/user/sign_in')
loginRes = requests.post("https://www.123pan.com/b/api/user/sign_in", headers=self.headerOnlyUsage, data=data,
params={sign[0]: sign[1]})
res_sign = loginRes.json()
code = res_sign['code']
if code != 200:
print("code = 1 Error:" + str(code))
print(res_sign['message'])
return code
token = res_sign['data']['token']
self.authorization = 'Bearer ' + token
headerLogined = {
"Accept": "*/*",
"Accept-Language": "zh-CN,zh;q=0.9,en;q=0.8,en-GB;q=0.7,en-US;q=0.6",
"App-Version": "3",
"Authorization": self.authorization,
"Cache-Control": "no-cache",
"Connection": "keep-alive",
"LoginUuid": "z-uk_yT8HwR4raGX1gqGk",
"Pragma": "no-cache",
"Referer": "https://www.123pan.com/",
"Sec-Fetch-Dest": "empty",
"Sec-Fetch-Mode": "cors",
"Sec-Fetch-Site": "same-origin",
"User-Agent": "Mozilla/5.0 (Windows NT 10.0; Win64; x64) AppleWebKit/537.36 (KHTML, like Gecko) Chrome/119.0.0.0 Safari/537.36 Edg/119.0.0.0",
"platform": "web",
"sec-ch-ua": "^\\^Microsoft",
"sec-ch-ua-mobile": "?0",
"sec-ch-ua-platform": "^\\^Windows^^"
}
self.headerLogined = headerLogined
# ret['cookie'] = cookie
self.save_file()
return code
def save_file(self):
with open("123pan.txt", "w") as f:
saveList = {
"userName": self.userName,
"passWord": self.passWord,
"authorization": self.authorization,
}
f.write(json.dumps(saveList))
print("Save!")
def get_dir(self):
code = 0
page = 1
lists = []
lenth_now = 0
total = -1
while lenth_now < total or total == -1:
base_url = "https://www.123pan.com/b/api/file/list/new"
# print(self.headerLogined)
sign = getSign('/b/api/file/list/new')
print(sign)
params = {
sign[0]: sign[1],
"driveId": 0,
"limit": 100,
"next": 0,
"orderBy": "file_id",
"orderDirection": "desc",
"parentFileId": str(self.parentFileId),
"trashed": False,
"SearchData": "",
"Page": str(page),
"OnlyLookAbnormalFile": 0
}
a = requests.get(base_url, headers=self.headerLogined, params=params)
# print(a.text)
# print(a.headers)
text = a.json()
# print(text)
code = text['code']
# code = 403
if code != 0:
print(a.text)
print(a.headers)
print("code = 2 Error:" + str(code))
if code == 403 or code == "403":
print("sleep 20s")
time.sleep(20)
return self.get_dir()
return code
lists_page = text['data']['InfoList']
lists += lists_page
total = text['data']['Total']
lenth_now += len(lists_page)
page += 1
FileNum = 0
for i in lists:
i["FileNum"] = FileNum
FileNum += 1
self.list = lists
return code
def show(self):
print("--------------------")
for i in self.list:
size = i["Size"]
if size > 1048576:
size_print = str(round(size / 1048576, 2)) + "M"
else:
size_print = str(round(size / 1024, 2)) + "K"
if i["Type"] == 0:
print("\033[33m" + "编号:", self.list.index(i) + 1, "\033[0m \t\t" + size_print + "\t\t\033[36m",
i["FileName"], "\033[0m")
elif i["Type"] == 1:
print("\033[35m" + "编号:", self.list.index(i) + 1, " \t\t\033[36m",
i["FileName"], "\033[0m")
print("--------------------")
# fileNumber 从0开始0为第一个文件传入时需要减一
def link(self, file_number, showlink=True):
fileDetail = self.list[file_number]
typeDetail = fileDetail['Type']
if typeDetail == 1:
down_request_url = "https://www.123pan.com/a/api/file/batch_download_info"
down_request_data = {"fileIdList": [{"fileId": int(fileDetail["FileId"])}]}
else:
down_request_url = "https://www.123pan.com/a/api/file/download_info"
down_request_data = {"driveId": 0, "etag": fileDetail["Etag"], "fileId": fileDetail["FileId"],
"s3keyFlag": fileDetail['S3KeyFlag'], "type": fileDetail['Type'],
"fileName": fileDetail['FileName'], "size": fileDetail['Size']}
# print(down_request_data)
sign = getSign("/a/api/file/download_info")
linkRes = requests.post(down_request_url, headers=self.headerLogined, params={sign[0]: sign[1]},
data=down_request_data)
# print(linkRes.text)
code = linkRes.json()['code']
if code != 0:
print("code = 3 Error:" + str(code))
# print(linkRes.json())
return code
downloadLinkBase64 = linkRes.json()["data"]["DownloadUrl"]
Base64Url = re.findall("params=(.*)&", downloadLinkBase64)[0]
# print(Base64Url)
downLoadUrl = base64.b64decode(Base64Url)
downLoadUrl = downLoadUrl.decode("utf-8")
nextToGet = requests.get(downLoadUrl).json()
redirect_url = nextToGet['data']['redirect_url']
if showlink:
print(redirect_url)
return redirect_url
def download(self, file_number):
fileDetail = self.list[file_number]
downLoadUrl = self.link(file_number, showlink=False)
name = fileDetail['FileName'] # 文件名
if os.path.exists(name):
print("文件 " + name + " 已存在,是否要覆盖?")
sure = input("输入1覆盖2取消")
if sure != '1':
return
down = requests.get(downLoadUrl, stream=True)
size = int(down.headers['Content-Length']) # 文件大小
content_size = int(size) # 文件总大小
data_count = 0 # 当前已传输的大小
if size > 1048576:
size_print = str(round(size / 1048576, 2)) + "M"
else:
size_print = str(round(size / 1024, 2)) + "K"
print(name + " " + size_print)
time1 = time.time()
time_temp = time1
data_count_temp = 0
with open(name, "wb") as f:
for i in down.iter_content(1024):
f.write(i)
done_block = int((data_count / content_size) * 50)
data_count = data_count + len(i)
# 实时进度条进度
now_jd = (data_count / content_size) * 100
# %% 表示%
# 测速
time1 = time.time()
pass_time = time1 - time_temp
if pass_time > 1:
time_temp = time1
pass_data = int(data_count) - int(data_count_temp)
data_count_temp = data_count
speed = pass_data / int(pass_time)
speed_M = speed / 1048576
if speed_M > 1:
speed_print = str(round(speed_M, 2)) + "M/S"
else:
speed_print = str(round(speed_M * 1024, 2)) + "K/S"
print(
"\r [%s%s] %d%% %s" % (done_block * '', ' ' * (50 - 1 - done_block), now_jd, speed_print),
end="")
elif data_count == content_size:
print("\r [%s%s] %d%% %s" % (50 * '', '', 100, ""), end="")
print("\nok")
def recycle(self):
recycle_id = 0
url = "https://www.123pan.com/a/api/file/list/new?driveId=0&limit=100&next=0&orderBy=fileId&orderDirection=desc&parentFileId=" + str(
recycle_id) + "&trashed=true&&Page=1"
recycleRes = requests.get(url, headers=self.headerLogined)
jsonRecycle = recycleRes.json()
RecycleList = jsonRecycle['data']['InfoList']
self.RecycleList = RecycleList
# fileNumber 从0开始0为第一个文件传入时需要减一
def delete_file(self, file, by_num=True, operation=True):
# operation = 'true' 删除 operation = 'false' 恢复
if by_num:
if not str(file).isdigit():
print("请输入数字")
return -1
if 0 < file < len(self.list):
file_detail = self.list[file]
else:
print("不在合理范围内")
return
else:
if file in self.list:
file_detail = file
else:
print("文件不存在")
return
dataDelete = {"driveId": 0,
"fileTrashInfoList": file_detail,
"operation": operation}
deleteRes = requests.post("https://www.123pan.com/a/api/file/trash", data=json.dumps(dataDelete),
headers=self.headerLogined)
DeleJson = deleteRes.json()
print(DeleJson)
message = DeleJson['message']
print(message)
def share(self):
fileIdList = ""
share_name_list = []
add = '1'
while str(add) == '1':
share_num = input("分享文件的编号:")
num_test2 = share_num.isdigit()
if num_test2:
share_num = int(share_num)
if 0 < share_num < len(self.list) + 1:
share_id = self.list[int(share_num) - 1]['FileId']
share_name = self.list[int(share_num) - 1]['FileName']
share_name_list.append(share_name)
print(share_name_list)
fileIdList = fileIdList + str(share_id) + ","
add = input("输入1添加文件0发起分享其他取消")
else:
print("请输入数字,,")
add = "1"
if str(add) == "0":
sharePwd = input("提取码,不设留空:")
fileIdList = fileIdList.strip(',')
data = {"driveId": 0,
"expiration": "2024-02-09T11:42:45+08:00",
"fileIdList": fileIdList,
"shareName": "我的分享",
"sharePwd": sharePwd,
}
shareRes = requests.post("https://www.123pan.com/a/api/share/create", headers=self.headerLogined,
data=json.dumps(data))
shareResJson = shareRes.json()
message = shareResJson['message']
print(message)
ShareKey = shareResJson['data']['ShareKey']
share_url = 'https://www.123pan.com/s/' + ShareKey
print('分享链接:\n' + share_url + "提取码:" + sharePwd)
else:
print("退出分享")
def up_load(self, filePath, parentFileId=None, sure=None):
if parentFileId is None:
parentFileId = self.parentFileId
self.cdById(parentFileId)
filePath = filePath.replace("\"", "")
filePath = filePath.replace("\\", "/")
fileName = filePath.split("/")[-1]
print("文件名:", fileName)
if not os.path.exists(filePath):
print("文件不存在,请检查路径是否正确")
return
if os.path.isdir(filePath):
print("暂不支持文件夹上传")
return
fsize = os.path.getsize(filePath)
with open(filePath, 'rb') as f:
md5 = hashlib.md5()
while True:
data = f.read(64 * 1024)
if not data:
break
md5.update(data)
readable_hash = md5.hexdigest()
listUpRequest = {"driveId": 0, "etag": readable_hash, "fileName": fileName,
"parentFileId": parentFileId, "size": fsize, "type": 0, "duplicate": 0}
sign = getSign("/b/api/file/upload_request")
upRes = requests.post("https://www.123pan.com/b/api/file/upload_request", headers=self.headerLogined,
params={sign[0]: sign[1]},
data=listUpRequest)
upResJson = upRes.json()
code = upResJson['code']
if code == 5060:
print("检测到同名文件")
if sure is None:
sure = input("检测到1个同名文件,输入1覆盖2保留两者0取消")
if sure == '1':
listUpRequest["duplicate"] = 1
elif sure == '2':
listUpRequest["duplicate"] = 2
else:
print("取消上传")
return
sign = getSign("/b/api/file/upload_request")
upRes = requests.post("https://www.123pan.com/b/api/file/upload_request", headers=self.headerLogined,
params={sign[0]: sign[1]},
data=json.dumps(listUpRequest))
upResJson = upRes.json()
code = upResJson['code']
if code == 0:
# print(upResJson)
# print("上传请求成功")
Reuse = upResJson['data']['Reuse']
if Reuse:
print("上传成功文件已MD5复用")
return
else:
print(upResJson)
print("上传请求失败")
return
bucket = upResJson['data']['Bucket']
StorageNode = upResJson['data']['StorageNode']
uploadKey = upResJson['data']['Key']
uploadId = upResJson['data']['UploadId']
upFileId = upResJson['data']['FileId'] # 上传文件的fileId,完成上传后需要用到
print("上传文件的fileId:", upFileId)
# 获取已将上传的分块
startData = {"bucket": bucket, "key": uploadKey, "uploadId": uploadId, "storageNode": StorageNode}
startRes = requests.post("https://www.123pan.com/b/api/file/s3_list_upload_parts", headers=self.headerLogined,
data=json.dumps(startData))
startResJson = startRes.json()
code = startResJson['code']
if code == 0:
# print(startResJson)
pass
else:
print(startData)
print(startResJson)
print("获取传输列表失败")
return
# 分块,每一块取一次链接,依次上传
block_size = 5242880
with open(filePath, 'rb') as f:
partNumberStart = 1
putSize = 0
while True:
data = f.read(block_size)
precent = round(putSize / fsize, 2)
print("\r已上传:" + str(precent * 100) + "%", end="")
putSize = putSize + len(data)
if not data:
break
getLinkData = {"bucket": bucket, "key": uploadKey,
"partNumberEnd": partNumberStart + 1,
"partNumberStart": partNumberStart,
"uploadId": uploadId,
"StorageNode": StorageNode}
getLinkUrl = "https://www.123pan.com/b/api/file/s3_repare_upload_parts_batch"
getLinkRes = requests.post(getLinkUrl, headers=self.headerLogined, data=json.dumps(getLinkData))
getLinkResJson = getLinkRes.json()
code = getLinkResJson['code']
if code == 0:
# print("获取链接成功")
pass
else:
print("获取链接失败")
# print(getLinkResJson)
return
# print(getLinkResJson)
uploadUrl = getLinkResJson['data']['presignedUrls'][str(partNumberStart)]
# print("上传链接",uploadUrl)
requests.put(uploadUrl, data=data)
# print("put")
partNumberStart = partNumberStart + 1
print("\n处理中")
# 完成标志
# 1.获取已上传的块
uploadedListUrl = "https://www.123pan.com/b/api/file/s3_list_upload_parts"
uploadedCompData = {"bucket": bucket, "key": uploadKey, "uploadId": uploadId, "storageNode": StorageNode}
# print(uploadedCompData)
requests.post(uploadedListUrl, headers=self.headerLogined, data=json.dumps(uploadedCompData))
compmultipartUpUrl = "https://www.123pan.com/b/api/file/s3_complete_multipart_upload"
requests.post(compmultipartUpUrl, headers=self.headerLogined,
data=json.dumps(uploadedCompData))
# 3.报告完成上传关闭upload session
if fsize > 64 * 1024 * 1024:
time.sleep(3)
closeUpSessionUrl = "https://www.123pan.com/b/api/file/upload_complete"
closeUpSessionData = {"fileId": upFileId}
# print(closeUpSessionData)
closeUpSessionRes = requests.post(closeUpSessionUrl, headers=self.headerLogined,
data=json.dumps(closeUpSessionData))
closeResJson = closeUpSessionRes.json()
# print(closeResJson)
code = closeResJson['code']
if code == 0:
print("上传成功")
else:
print("上传失败")
print(closeResJson)
return
# dirId 就是 fileNumber从0开始0为第一个文件传入时需要减一 !!!(好像文件夹都排在前面)
def cd(self, dir_num):
if not dir_num.isdigit():
if dir_num == "..":
if len(self.parentFileList) > 1:
self.parentFileList.pop()
self.parentFileId = self.parentFileList[-1]
self.get_dir()
self.show()
else:
print("已经是根目录")
return
elif dir_num == "/":
self.parentFileId = 0
self.parentFileList = [0]
self.get_dir()
self.show()
return
else:
print("输入错误")
return
dir_num = int(dir_num) - 1
if dir_num >= (len(self.list) - 1) or dir_num < 0:
print("输入错误")
return
if self.list[dir_num]['Type'] != 1:
print("不是文件夹")
return
self.parentFileId = self.list[dir_num]['FileId']
self.parentFileList.append(self.parentFileId)
self.get_dir()
self.show()
def cdById(self, id):
self.parentFileId = id
self.parentFileList.append(self.parentFileId)
self.get_dir()
self.get_dir()
self.show()
def read_ini(self, user_name, pass_word, input_pwd, authorization="", ):
try:
with open("123pan.txt", "r") as f:
text = f.read()
text = json.loads(text)
user_name = text['userName']
pass_word = text['passWord']
authorization = text['authorization']
except FileNotFoundError or json.decoder.JSONDecodeError:
print("read failed")
if user_name == "" or pass_word == "":
if input_pwd:
user_name = input("userName:")
pass_word = input("passWord:")
authorization = ""
else:
raise Exception("禁止输入模式下,没有账号或密码")
self.userName = user_name
self.passWord = pass_word
self.authorization = authorization
def mkdir(self, dirname, parentFileId=None, remake=False):
if parentFileId:
if self.parentFileId != parentFileId:
self.cdById(parentFileId)
if not remake:
for i in self.list:
if i['FileName'] == dirname:
print("文件夹已存在")
# print(self.list)
# print(i)
return i['FileId']
if parentFileId is None:
parentFileId = self.parentFileId
url = "https://www.123pan.com/a/api/file/upload_request"
dataMk = {"driveId": 0, "etag": "", "fileName": dirname, "parentFileId": parentFileId, "size": 0,
"type": 1, "duplicate": 1, "NotReuse": True, "event": "newCreateFolder", "operateType": 1}
sign = getSign("/a/api/file/upload_request")
resMk = requests.post(url, headers=self.headerLogined, data=json.dumps(dataMk), params={sign[0]: sign[1]})
try:
resJson = resMk.json()
except json.decoder.JSONDecodeError:
print("创建失败")
print(resMk.text)
return
code = resJson['code']
if code == 0:
print("创建成功")
self.get_dir()
return resJson["data"]["Info"]["FileId"]
else:
print("创建失败")
print(resJson)
return

70
demo.js Normal file
View File

@ -0,0 +1,70 @@
function v(t) {
return (v = "function" == typeof Symbol && "symbol" == typeof Symbol.iterator ? function (t) {
return typeof t
}
: function (t) {
return t && "function" == typeof Symbol && t.constructor === Symbol && t !== Symbol.prototype ? "symbol" : typeof t
}
)(t)
}
function A(t, e) {
e = 1 < arguments.length && void 0 !== e ? e : 10;
for (var n = function () {
for (var t = [], e = 0; e < 256; e++) {
for (var n = e, r = 0; r < 8; r++)
n = 1 & n ? 3988292384 ^ n >>> 1 : n >>> 1;
t[e] = n
}
return t
}(), r = function (t) {
t = t.replace(/\\r\\n/g, "\\n");
for (var e = "", n = 0; n < t.length; n++) {
var r = t.charCodeAt(n);
r < 128 ? e += String.fromCharCode(r) : e = 127 < r && r < 2048 ? (e += String.fromCharCode(r >> 6 | 192)) + String.fromCharCode(63 & r | 128) : (e = (e += String.fromCharCode(r >> 12 | 224)) + String.fromCharCode(r >> 6 & 63 | 128)) + String.fromCharCode(63 & r | 128)
}
return e
}(t), a = -1, i = 0; i < r.length; i++)
a = a >>> 8 ^ n[255 & (a ^ r.charCodeAt(i))];
return (a = (-1 ^ a) >>> 0).toString(e)
}
global.e = '/b/api/file/list/new'
global.n = "web"
global.r = 3
global.timestamp = 1702555131
for (p in a = Math.round(1e7 * Math.random()),
o = Math.round(((new Date).getTime() + 60 * (new Date).getTimezoneOffset() * 1e3 + 288e5) / 1e3).toString(),
timestamp && (i = timestamp),
o = i && (m = i,
20 <= Math.abs(1e3 * o - 1e3 * m) / 1e3 / 60) ? i : o,
s = atob((m = void 0,
m = ["a", "d", "e", "f", "g", "h", "l", "m", "y", "i", "j", "n", "o", "p", "k", "q", "r", "s", "t", "u", "b", "c", "v", "w", "s", "z"].join(","),
btoa(m))).split(","),
u = function (t, e, n) {
var r;
n = 2 < arguments.length && void 0 !== n ? n : 8;
return 0 === arguments.length ? null : (r = "object" === v(t) ? t : (10 === "".concat(t).length && (t = 1e3 * Number.parseInt(t)),
new Date(t)),
t += 6e4 * new Date(t).getTimezoneOffset(),
{
y: (r = new Date(t + 36e5 * n)).getFullYear(),
m: r.getMonth() + 1 < 10 ? "0".concat(r.getMonth() + 1) : r.getMonth() + 1,
d: r.getDate() < 10 ? "0".concat(r.getDate()) : r.getDate(),
h: r.getHours() < 10 ? "0".concat(r.getHours()) : r.getHours(),
f: r.getMinutes() < 10 ? "0".concat(r.getMinutes()) : r.getMinutes()
})
}(o),
h = u.y,
g = u.m,
l = u.d,
c = u.h,
u = u.f,
d = [h, g, l, c, u].join(""),
f = [],
d)
f.push(s[Number(d[p])]);
h = A(f.join(""));
g = A("".concat(o, "|").concat(a, "|").concat(e, "|").concat(n, "|").concat(r, "|").concat(h));
console.log([h, "".concat(o, "-").concat(a, "-").concat(g)]);

50
dir_up.py Normal file
View File

@ -0,0 +1,50 @@
import time
from class123 import Pan123
import os
import threading
from concurrent.futures import ThreadPoolExecutor
upload_type = [".py", ".js", ".txt"]
def upload_file(filepath, parent_id):
pan.up_load(filepath, parent_id,sure="0")
def upload_dir(path, pardir_id=0):
# 读取文件夹名称
filePath = path.replace("\"", "")
filePath = filePath.replace("\\", "/")
fileName = filePath.split("/")[-1]
print("文件名:", fileName)
# 上传文件
mkdir_list = {path: pardir_id}
with ThreadPoolExecutor(max_workers=3) as executor:
for filepath, dirnames, filenames in os.walk(path):
if "venv" in filepath or ".idea" in filepath or "__pycache__" in filepath:
continue
#print(filepath, dirnames, filenames)
if len(filenames) > 0:
for filename in filenames:
for type in upload_type:
if filename.endswith(type):
file_path = os.path.join(filepath, filename)
executor.submit(upload_file, file_path, mkdir_list[filepath])
break
if len(dirnames) > 0:
for dirname in dirnames:
mk_id = pan.mkdir(dirname, mkdir_list[filepath])
time.sleep(0.2)
mkdir_list[os.path.join(filepath, dirname)] = mk_id
print("mkdir_list,", mkdir_list)
if __name__ == "__main__":
pan = Pan123(readfile=True, input_pwd=True)
pan.cdById(0)
mk_id = pan.mkdir("code")
time.sleep(0.2)
# upload_dir("demo", mk_id)
upload_dir("D:\Desktop\coder\code", mk_id)

93
jianhua.js Normal file
View File

@ -0,0 +1,93 @@
// 定义函数A用于进行一些复杂的计算
function A(t, e = 10) {
// Generating an array 'n' with precomputed values
const n = (function () {
const t = [];
for (let e = 0; e < 256; e++) {
let n = e;
for (let r = 0; r < 8; r++)
n = 1 & n ? 3988292384 ^ (n >>> 1) : n >>> 1;
t[e] = n;
}
return t;
})();
// Encoding input 't' based on character codes
const r = t.replace(/\r\n/g, "\n");
let a = -1;
for (let i = 0; i < r.length; i++)
a = (a >>> 8) ^ n[(255 & (a ^ r.charCodeAt(i)))];
// Converting 'a' to an unsigned 32-bit integer and returning as a string of base 'e'
return ((-1 ^ a) >>> 0).toString(e);
}
// 定义全局变量
global.e = '/b/api/file/list/new'
global.n = "web"
global.r = 3
global.timestamp = 1702555131
function generateTimestamp() {
return Math.round(((new Date).getTime() + 60 * (new Date).getTimezoneOffset() * 1e3 + 288e5) / 1e3).toString();
}
function adjustTimestamp(o, timestamp) {
if (timestamp) {
var i = timestamp;
var m = i;
if (20 <= Math.abs(1e3 * o - 1e3 * m) / 1e3 / 60) {
return i;
}
}
return o;
}
function formatDate(t, e, n) {
var r;
n = 8
t = 1000 * Number.parseInt(t);
t += 60000 * new Date(t).getTimezoneOffset();
var data = {
y: (r = new Date(t + 36e5 * n)).getFullYear(),
m: r.getMonth() + 1 < 10 ? "0".concat(r.getMonth() + 1) : r.getMonth() + 1,
d: r.getDate() < 10 ? "0".concat(r.getDate()) : r.getDate(),
h: r.getHours() < 10 ? "0".concat(r.getHours()) : r.getHours(),
f: r.getMinutes() < 10 ? "0".concat(r.getMinutes()) : r.getMinutes()
}
return data
}
function generateSignature(a, o, e, n, r) {
var s = ["a", "d", "e", "f", "g", "h", "l", "m", "y", "i", "j", "n", "o", "p", "k", "q", "r", "s", "t", "u", "b", "c", "v", "w", "s", "z"];
var u = formatDate(o);
console.log(u)
var h = u.y;
var g = u.m;
var l = u.d;
var c = u.h;
var u = u.f;
var d = [h, g, l, c, u].join("");
var f = [];
for (var p in d) {
f.push(s[Number(d[p])]);
}
console.log(f.join(""))
h = A(f.join(""));
g = A("".concat(o, "|").concat(a, "|").concat(e, "|").concat(n, "|").concat(r, "|").concat(h));
return [h, "".concat(o, "-").concat(a, "-").concat(g)];
}
var a = Math.round(1e7 * Math.random());
var o = generateTimestamp();
o = 1702556971
console.log(o)
o = adjustTimestamp(o, timestamp);
console.log(o)
var e = '/b/api/file/list/new';
var n = "web";
var r = 3;
console.log(generateSignature(a, o, e, n, r));

121
sign_py.py Normal file
View File

@ -0,0 +1,121 @@
import time
import random
from datetime import datetime
def getSign(e):
def unsigned_right_shift(n, shift):
return (n % 0x100000000) >> shift
def simulate_js_overflow(js_int, n):
# 转二进制
if js_int < 0:
js_int = -js_int
js_int = str(bin(js_int))[2:]
js_int = js_int.zfill(32)
js_int = js_int.replace("0", "2")
js_int = js_int.replace("1", "0")
js_int = js_int.replace("2", "1")
js_int = int(js_int, 2) + 1
bin_int = str(bin(js_int))[2:].zfill(32)
if n < 0:
# 转补码
n = -n
n = str(bin(n))[2:]
n = n.zfill(32)
n = n.replace("0", "2")
n = n.replace("1", "0")
n = n.replace("2", "1")
n = int(n, 2) + 1
bin_n = str(bin(n))[2:].zfill(32)
result = ""
for i in range(0, len(bin_int)):
temp = int(bin_n[i]) ^ int(bin_int[i])
result = result + str(temp)
if result[0] == "1":
# 取补码
result = result.replace("0", "2")
result = result.replace("1", "0")
result = result.replace("2", "1")
result = int(result, 2) + 1
result = -result
else:
result = int(result, 2)
return result
def A(t):
r = t.replace('\r\n', '\n')
a = -1
def generate_array():
t = []
for e in range(256):
n = e
for _ in range(8):
if n & 1: # 如果 n 的最低位是 1
# print("入口n", n)
n = simulate_js_overflow(3988292384, unsigned_right_shift(n, 1))
else:
n = unsigned_right_shift(n, 1)
t.append(n)
return t
n = generate_array()
# print(n)
for i in range(len(r)):
# print("a:", unsigned_right_shift(a, 8))
a = unsigned_right_shift(a, 8) ^ n[255 & (a ^ ord(r[i]))]
# print("zz", a)
return str((simulate_js_overflow(-1, a)) & 0xFFFFFFFF)
def generate_timestamp():
return round((time.time() + datetime.now().astimezone().utcoffset().total_seconds() + 28800) / 1)
def adjust_timestamp(o, timestamp):
if timestamp:
i = timestamp
m = i
if 20 <= abs(1000 * o - 1000 * int(m)) / 1000 / 60:
return i
return o
def formatDate(t, e=None, n=8):
t = int(t) # Use the original timestamp
t = t - 480 * 60
r = datetime.fromtimestamp(t + 3600 * n) # Convert to seconds and add 'n' hours
data = {
'y': str(r.year),
'm': f"0{r.month}" if r.month < 10 else str(r.month),
'd': f"0{r.day}" if r.day < 10 else str(r.day),
'h': f"0{r.hour}" if r.hour < 10 else str(r.hour),
'f': f"0{r.minute}" if r.minute < 10 else str(r.minute)
}
return data
def generate_signature(a, o, e, n, r):
s = ["a", "d", "e", "f", "g", "h", "l", "m", "y", "i", "j", "n", "o", "p", "k", "q", "r", "s", "t", "u", "b",
"c", "v", "w", "s", "z"]
u = formatDate(o)
h = u['y']
g = u['m']
l = u['d']
c = u['h']
u = u['f']
d = ''.join([h, g, l, c, u])
f = [s[int(p)] for p in d]
h = A(''.join(f))
g = A(f"{o}|{a}|{e}|{n}|{r}|{h}")
return [h, f"{o}-{a}-{g}"]
a = str(random.randint(0, 9999999))
o = generate_timestamp()
o = adjust_timestamp(o, timestamp=round(time.time()))
n = "web"
r = '3'
return generate_signature(a, o, e, n, r)
if __name__ == '__main__':
e = '/b/api/file/list/new'
print(getSign(e))