|
不,Motrix 与 aria2c 的通信支持多种方式。aria2c 提供了三种 JSON-RPC 接口,Motrix 都支持:
1. WebSocket 方式:
```javascript
// WebSocket 连接地址格式
ws://localhost:16800/jsonrpc
wss://localhost:16800/jsonrpc // 加密版本
```
2. HTTP 方式:
```javascript
// HTTP 请求地址格式
http://localhost:16800/jsonrpc
https://localhost:16800/jsonrpc // 加密版本
// HTTP POST 示例
fetch('http://localhost:16800/jsonrpc', {
method: 'POST',
headers: {
'Content-Type': 'application/json'
},
body: JSON.stringify({
jsonrpc: '2.0',
method: 'aria2.addUri',
params: [['http://example.com/file.zip']],
id: 1
})
})
```
3. Unix Domain Socket(仅限 Unix/Linux 系统):
```javascript
// 通过本地 socket 文件通信
/tmp/aria2.sock
```
通信方式的选择考虑:
1. WebSocket 优势:
- 全双工通信,支持服务器推送
- 适合实时更新下载进度
- 连接开销小
- 是 Motrix 的默认选择
2. HTTP 优势:
- 简单易实现
- 防火墙友好
- 适合单次命令调用
- 作为 WebSocket 的备选方案
3. Unix Socket 优势:
- 性能最好
- 本地通信更安全
- 系统资源占用少
- 适合同机器上的进程间通信
配置示例:
```javascript
// aria2c 启动参数
{
'enable-rpc': true,
'rpc-listen-port': 16800,
'rpc-listen-all': true,
'rpc-allow-origin-all': true,
// WebSocket
'rpc-listen-port': 16800,
// HTTP
'rpc-listen-port': 16800,
// Unix Socket
'rpc-listen-port': 16800,
'rpc-socket': '/tmp/aria2.sock'
}
```
使用场景:
1. 正常使用:
- 优先使用 WebSocket
- 可实时显示下载进度
- 支持通知和事件推送
2. 降级方案:
```javascript
class Aria2Client {
constructor() {
// 首选 WebSocket
try {
this.connectWebSocket();
} catch (error) {
// WebSocket 失败时切换到 HTTP
this.useHttpFallback();
}
}
async useHttpFallback() {
// 使用轮询方式获取更新
this.startPolling();
}
}
```
3. 命令行工具:
- 简单的一次性操作可以用 HTTP
- 不需要保持连接的场景
4. 系统集成:
- Unix 系统上可以优先使用 Socket
- 更高效且安全
这种多协议支持让 Motrix 能够在不同场景下选择最合适的通信方式,提高了软件的适应性和可靠性。
|
|