paramiko is an actively maintained Python module that assists with secure connections to remote hosts. This use cases favors the SFTPClient class which easily allows an app to connect to and put files on a remote machine. paramiko is LGPL and only requires Python 2.5+ and PyCrypto 2.1+.
It's probably best to create an account on the remote host with a very limited scope. That is, it only has permission to modify the directory which you intend to write to. Those creds will go in the Python script. Don't run this as root or your normal user account!
In this simple example, all files in a particular local directory will be recursively copied to a remote host. Enjoy!
This file contains bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
import os, paramiko | |
USERNAME = "username" | |
PASSWORD = "password" | |
trans = paramiko.Transport(("remotehost", 22)) | |
trans.connect(username=USERNAME, password=PASSWORD) | |
sftp = paramiko.SFTPClient.from_transport(transport) | |
local_dir = "/path/to/local/files" | |
remote_dir = "/path/to/remote/destination" | |
for dirname,subdirs,files in os.walk(local_dir): | |
for fname in files: | |
full_path = os.path.join(dirname, fname) | |
remote_path = remote_dir + full_path[len(local_dir):] | |
sftp.put(full_path, remote_path) | |
sftp.close() | |
transport.close() |