Python 123 webdisk client.
Project description
p123client
p123client 是一个 123 网盘 的 Python 客户端模块,不过仅提供最直接的接口包装。
支持同步和异步操作,全面封装了各种 web、app 和 open 接口。
原创玄幻小说《叶不凡修仙记》
安装
你可以从 pypi 安装最新版本
pip install -U p123client
或者从 github 安装最新版本
pip install -U git+https://github.com/ChenyangGao/p123client@main
入门介绍
1. 导入模块
导入模块
from p123client import P123Client
2. 创建实例
1. 用 token 创建实例
创建客户端对象,需要传入 JWT token,也就是 access_token
# TODO: 访问令牌
token = "..."
client = P123Client(token=token)
或者直接写作
client = P123Client(token)
不过我更推荐把 token 写入一个文件中,例如在 ~/123-token.txt
from pathlib import Path
client = P123Client(token=Path("~/123-token.txt").expanduser())
或者直接写作
client = P123Client(Path("~/123-token.txt").expanduser())
2. 账号和密码登录
# TODO: 手机号或者邮箱
passport = "..."
# TODO: 密码
password = "..."
client = P123Client(passport=passport, password=passport)
或者直接写作
client = P123Client(passport, passport)
3. client_id 和 client_secret 登录
需要先申请成为开发者
https://123yunpan.yuque.com/org-wiki-123yunpan-muaork/cr6ced/hpengmyg32blkbg8
# TODO: 应用标识,创建应用时分配的 appId
client_id = "..."
# TODO: 应用密钥,创建应用时分配的 secretId
client_secret = "..."
client = P123Client(client_id=client_id, client_secret=client_secret)
或者直接写作
client = P123Client(client_id, client_secret)
4. refresh_token 登录
# TODO: 刷新令牌
refresh_token = "..."
client = P123Client(refresh_token=refresh_token)
或者直接写作
client = P123Client(refresh_token)
注意:使用 refresh_token(或者说 oauth 登录),只允许访问 open 接口
5. oauth 登录
需要先去开发者后台设置一下回调链接,审核通过后才可用
# TODO: 应用标识,创建应用时分配的 appId
client_id = "..."
# TODO: 应用密钥,创建应用时分配的 secretId
client_secret = "..."
# TODO: 回调链接
redirect_uri = "..."
# TODO: 访问令牌
token = "..."
resp = P123Client.login_with_oauth(
client_id=client_id,
client_secret=client_secret,
redirect_uri=redirect_uri,
token=token,
)
client = P123Client(
client_id=client_id,
client_secret=client_secret,
token=resp["access_token"],
refresh_token=resp["refresh_token"],
)
6. 扫码登录
当你什么都不传时,就会要求你扫码登录
client = P123Client()
7. 用 token 来扫码新的 token
你可以用一个 token 去扫码获得另一个 token(仅当不是 oauth 登录时)
client_new = client.login_another()
另外你也可以用 oauth 登录,虽然仅能访问 open 接口,但是 QPS 上放得更宽
下面我用 clouddrive 在 123 网盘上用 oauth 登录举例说明第三方挂载应用登录:
https://123yunpan.yuque.com/org-wiki-123yunpan-muaork/cr6ced/kf05anzt1r0qnudd
import requests
from urllib.parse import parse_qsl, urlsplit
resp = client.login_oauth_authorize({
"client_id": "7c278c60da9e43848c45ff8e6fa9da0a",
"redirect_uri": "https://redirect123pan.zhenyunpan.com/redirect_pan123",
"accessToken": client.token,
"state": "http://localhost:19798",
})
with requests.get(resp["url"], allow_redirects=False, stream=True) as response:
resp = dict(parse_qsl(urlsplit(response.headers["location"]).query))
client_new = P123Client(token=resp["access_token"], refresh_token=resp["refresh_token"])
8. 关于 token 的结构
token 中包含了一些信息,以 "." 进行分割,可以拆成 3 个部分:
- JWT 算法(经过 base64 加密)
- 用户信息(经过 base64 加密)
- 签名字符串
from base64 import urlsafe_b64decode
from json import loads
token = client.token
method, user_info, sign = token.split(".", 2)
print("JWT 算法:", loads(urlsafe_b64decode(method)))
print("用户信息:", loads(urlsafe_b64decode(user_info+"==")))
print("签名:", sign)
3. 接口调用
我推荐你选择
ipython作为执行环境,可以交互式地执行代码和分析结果
所有需要直接或间接执行 HTTP 请求的接口,都有同步和异步的调用方式,且默认是采用 POST 发送 JSON 请求数据
# 同步调用
client.method(payload)
client.method(payload, async_=False)
# 异步调用
await client.method(payload, async_=True)
它们都能接受一个参数 request,具体要求可以查看 P123Client.request 的文档。我也封装了一些模块, 它们都能提供一个符合要求的 request 函数。更一般的实现,可以参考 python-http_request。
- aiohttp_client_request
- aiosonic_request
- asks_request
- blacksheep_client_request
- curl_cffi_request
- http_client_request
- httpcore_request
- httpx_request
- hyper_request
- pycurl_request
- python-urlopen
- requests_request
- tornado_client_request
- urllib3_request
注意:从根本上讲,所有接口的封装,最终都会调用 P123Client.request
url = "https://www.123pan.com/api/someapi"
response = client.request(url=url, json={...})
当你需要构建自己的扩展模块,以增加一些新的 123 web 接口时,就需要用到此方法了
from collections.abc import Coroutine
from typing import overload, Any, Literal
from p123client import P123Client
class MyCustom123Client(P123Client):
@overload
def foo(
self,
payload: dict,
/,
async_: Literal[False] = False,
**request_kwargs,
) -> dict:
...
@overload
def foo(
self,
payload: dict,
/,
async_: Literal[True],
**request_kwargs,
) -> Coroutine[Any, Any, dict]:
...
def foo(
self,
payload: dict,
/,
async_: bool = False,
**request_kwargs,
) -> dict | Coroutine[Any, Any, dict]:
api = "https://www.123pan.com/api/foo"
return self.request(
api,
method="GET",
params=payload,
async_=async_,
**request_kwargs,
)
@overload
def bar(
self,
payload: dict,
/,
async_: Literal[False] = False,
**request_kwargs,
) -> dict:
...
@overload
def bar(
self,
payload: dict,
/,
async_: Literal[True],
**request_kwargs,
) -> Coroutine[Any, Any, dict]:
...
def bar(
self,
payload: dict,
/,
async_: bool = False,
**request_kwargs,
) -> dict | Coroutine[Any, Any, dict]:
api = "https://www.123pan.com/api/bar"
return self.request(
api,
method="POST",
json=payload,
async_=async_,
**request_kwargs,
)
4. 检查响应
接口被调用后,如果返回的是 dict 类型的数据(说明原本是 JSON),则可以用 p123client.check_response 执行检查。首先会查看其中名为 "code" 的键的对应值,如果为 0 或 200 或者不存在,则原样返回被检查的数据;否则,抛出一个 p123client.P123OSError 的实例。
from p123client import check_response
# 检查同步调用
data = check_response(client.method(payload))
# 检查异步调用
data = check_response(await client.method(payload, async_=True))
5. 辅助工具
一些简单的封装工具可能是必要的,特别是那种实现起来代码量比较少,可以封装成单个函数的。我把平常使用过程中,积累的一些经验具体化为一组工具函数。这些工具函数分别有着不同的功能,如果组合起来使用,或许能解决很多问题。
from p123client import tool
学习案例
1. 创建自定义 uri
from p123client import P123Client
from p123client.tool import make_uri
# TODO: 改成你自己的账户和密码
client = P123Client(passport="手机号或邮箱", password="登录密码")
# TODO: 请改成你要处理的文件 id
file_id = 15688945
print(make_uri(client, file_id))
2. 由自定义 uri 转存文件到你的网盘
from p123client import P123Client
from p123client.tool import upload_uri
# TODO: 改成你自己的账户和密码
client = P123Client(passport="手机号或邮箱", password="登录密码")
uri = "123://torrentgalaxy.db|1976025090|582aa8bfb0ad8e6f512d9661f6243bdd"
print(upload_uri(client, uri, duplicate=1))
3. 由自定义 uri 获取下载直链
from p123client import P123Client
from p123client.tool import get_downurl
# TODO: 改成你自己的账户和密码
client = P123Client(passport="手机号或邮箱", password="登录密码")
# 带 s3_key_flag
print(get_downurl(client, "123://torrentgalaxy.db|1976025090|582aa8bfb0ad8e6f512d9661f6243bdd?1812602326-0"))
# 不带 s3_key_flag(会转存)
print(get_downurl(client, "123://torrentgalaxy.db|1976025090|582aa8bfb0ad8e6f512d9661f6243bdd"))
4. 直链服务
需要先安装 blacksheep
pip install 'blacksheep[uvicorn]'
然后启动如下服务,就可以访问以获取直链了
带 s3_key_flag
http://localhost:8123/torrentgalaxy.db|1976025090|582aa8bfb0ad8e6f512d9661f6243bdd?1812602326-0
不带 s3_key_flag(会转存)
http://localhost:8123/torrentgalaxy.db|1976025090|582aa8bfb0ad8e6f512d9661f6243bdd
from blacksheep import json, redirect, Application, Request
from p123client import P123Client
from p123client.tool import get_downurl
# TODO: 改成你自己的账户和密码
client = P123Client(passport="", password="")
app = Application(show_error_details=__debug__)
@app.router.route("/{path:uri}", methods=["GET", "HEAD"])
async def index(request: Request, uri: str):
try:
payload = int(uri)
except ValueError:
if uri.count("|") < 2:
return json({"state": False, "message": f"bad uri: {uri!r}"}, 500)
payload = uri
if s3_key_flag := request.url.query:
payload += "?" + s3_key_flag.decode("ascii")
url = await get_downurl(client, payload, quoted=False, async_=True)
return redirect(url)
if __name__ == "__main__":
from uvicorn import run
run(app, host="0.0.0.0", port=8123)
5. 遍历文件列表
导出的文件信息中,有个 "uri",表示文件的自定义链接,前面以 123:// 开头,你可以替换成 302 服务的地址,例如 http://localhost:8123/
1. 遍历网盘中的文件列表
from p123client import P123Client
from p123client.tool import iterdir
# TODO: 改成你自己的账户和密码
client = P123Client(passport="手机号或邮箱", password="登录密码")
for info in iterdir(client, parent_id=0, max_depth=-1):
print(info)
2. 遍历分享中的文件列表,不含目录
from p123client.tool import share_iterdir
# NOTE: 无需登录
for info in share_iterdir(
"https://www.123684.com/s/oec7Vv-CIYWh?提取码:ZY4K",
max_depth=-1,
predicate=lambda a: not a["is_dir"],
):
print(info)
3. 导出分享中的文件列表到本地 .json 文件
from orjson import dumps
from p123client.tool import share_iterdir
def export_share_files_json(
link: str,
path: str = "",
cooldown: float = 0,
):
"""把分享链接中的文件列表导出到 json 文件
:param link: 分享链接,可以包含提取码
:param path: 保存的路径,如果不提供则自动确定
:param cooldown: 两次调用之间,冷却的时间(用两次调用开始时的时间差,而不是一次完成到下一次开始的时间差)
"""
print("< 将拉取:", link)
ls: list[dict] = []
for i, a in enumerate(share_iterdir(link, max_depth=-1, cooldown=cooldown), 1):
ls.append(a)
print(i, a)
if ls:
info = ls[0]
if not path:
suffix = f"@{info['ShareKey']},{info['SharePwd']}.json"
path = f"{info['name'][:255-len(suffix)]}{suffix}"
open(path, "wb").write(dumps(ls))
print()
print("> 已拉取:", link)
print("> 已保存:", path)
export_share_files_json("https://www.123684.com/s/oec7Vv-CIYWh?提取码:ZY4K")
6. 最新的操作记录
在网盘中,你可以按更新时间逆序查询,即可得到最新上传的文件列表
client.fs_list_new({
"orderBy": "update_time",
"orderDirection": "desc",
"SearchData": ".",
})
更一般的,你可以在同步空间中执行文件操作。
而在拉取文件列表时,需要指定
client.fs_list_new({
"operateType": "SyncSpacePage",
"event": "syncFileList",
"RequestSource": 1,
})
同步空间中的增删改操作都有操作记录,你可以用接口
client.fs_sync_log()
其它资源
-
如果你需要更详细的文档,特别是关于各种接口的信息,可以阅读
-
如果你想要一组更高级的封装,特别是一组文件系统的操作集合,可以使用(⚠️ 暂不可用)
-
如果你想要获得此项目的衍生模块,可以访问
Project details
Release history Release notifications | RSS feed
Download files
Download the file for your platform. If you're not sure which to choose, learn more about installing packages.
Source Distribution
Built Distribution
Filter files by name, interpreter, ABI, and platform.
If you're not sure about the file name format, learn more about wheel file names.
Copy a direct link to the current filters
File details
Details for the file p123client-0.0.9.3.1.tar.gz.
File metadata
- Download URL: p123client-0.0.9.3.1.tar.gz
- Upload date:
- Size: 60.7 kB
- Tags: Source
- Uploaded using Trusted Publishing? No
- Uploaded via: poetry/2.2.1 CPython/3.13.5 Darwin/25.0.0
File hashes
| Algorithm | Hash digest | |
|---|---|---|
| SHA256 |
705df917c4585c70fb2175f48be43ac268c430a8f33f1290378d3263b8b936a6
|
|
| MD5 |
2dfc5dca531c8ccf830f1e4b456762b6
|
|
| BLAKE2b-256 |
ff19ba63e4e698042c4bd31b78c015df1973de599120912e2743977191c47f33
|
File details
Details for the file p123client-0.0.9.3.1-py3-none-any.whl.
File metadata
- Download URL: p123client-0.0.9.3.1-py3-none-any.whl
- Upload date:
- Size: 66.7 kB
- Tags: Python 3
- Uploaded using Trusted Publishing? No
- Uploaded via: poetry/2.2.1 CPython/3.13.5 Darwin/25.0.0
File hashes
| Algorithm | Hash digest | |
|---|---|---|
| SHA256 |
ec717508df3dc66dc10495377b20743b1d85b24b423eefd7bdaf65100b0fb5b4
|
|
| MD5 |
01fd1639340906b8177fb46a14e77591
|
|
| BLAKE2b-256 |
7e58c27d699c42e6e936f38ae1b6977785ad7321a15be4918051067b882a5d19
|