用python同步远端文件
时间: 2024-09-26 16:13:31 浏览: 45
python 文件同步上传
在Python中,同步远程文件通常涉及到网络I/O操作,可以使用内置的`shutil`模块配合`os`模块或者第三方库如`paramiko`(用于SSH连接)、`requests`(HTTP请求)等来实现。这里我们以简单的HTTP GET请求为例:
```python
import requests
def sync_remote_file(url, local_path):
# 下载远程文件到本地
with requests.get(url, stream=True) as r:
r.raise_for_status() # 检查请求状态码
with open(local_path, 'wb') as f:
for chunk in r.iter_content(chunk_size=8192): # 分块下载,避免内存溢出
if chunk: # 如果数据不为空
f.write(chunk)
# 示例:同步http://example.com/file.txt 到当前目录下的file.txt
sync_remote_file('http://example.com/file.txt', 'file.txt')
```
如果你需要通过SSH或其他安全协议访问文件,例如SCP或SFTP,`paramiko`是一个不错的选择:
```python
from paramiko import SSHClient, AutoAddPolicy
def ssh_sync(remote_path, local_path):
client = SSHClient()
client.set_missing_host_key_policy(AutoAddPolicy())
client.connect('remote_host', username='username', password='password')
sftp = client.open_sftp()
sftp.get(remote_path, local_path)
sftp.close()
client.close()
# 示例:通过SSH同步远程主机/home/user/file.txt 到本地的file.txt
ssh_sync('/home/user/file.txt', 'file.txt')
```
阅读全文