- Передача файлов между серверами Linux с использованием SCP и FTP
- Что такое FTP?
- Синтаксис FTP
- Команды FTP
- Как передавать файлы через FTP
- Шаг 1 — установка FTP-соединения
- Шаг 2 — выбор режима передачи
- Шаг 3 — передача файла
- Шаг 4 — завершение сессии
- Как передать несколько файлов через FTP
- Что такое SCP?
- Синтаксис SCP
- Как передать файлы по SCP с локальной машины на удаленный хост
- Как передать файлы по SCP с удаленного хоста на локальную машину
- Итоги
- How to Use the Linux ftp Command
- Linux ftp Command Syntax
- How to Use ftp Command in Linux
- Establish an FTP Connection
Передача файлов между серверами Linux с использованием SCP и FTP
Передача файлов между машинами — очень распространенная задача, с которой вы как разработчик будете сталкиваться постоянно.
Для передачи файлов в Linux есть специальные утилиты. В этой статье мы рассмотрим FTP и SCP. Они широко используются в скриптах автоматизации.
Что такое FTP?
FTP — это сетевой протокол, применяемый для обмена файлами по сети. Он использует порт 21. FTP позволяет вам подключаться к удаленной системе для обмена файлами при помощи команды ftp .
Синтаксис FTP
FTP-синтаксис довольно прост:
Здесь host может быть как именем, так и IP-адресом удаленного хоста, к которому вы хотите подключиться.
Команды FTP
FTP-команды напоминают команды Linux. Вот некоторые из них:
Команда | Использование |
---|---|
open | Открывает удаленное соединение с другим компьютером. |
get | Копирует файл из удаленной системы в локальную. |
put | Копирует файл из локальной системы в директорию удаленной. |
mget | Передача нескольких файлов из удаленной системы в текущую директорию локальной. |
mput | Передача нескольких файлов из локальной системы в директорию удаленной. |
bye/quit | Подготовка к выходу из FTP-окружения. |
close | Закрывает FTP-соединение. |
ascii | Включает ASCII-режим передачи файлов. |
binary | Включает бинарный режим передачи файлов. |
Как передавать файлы через FTP
FTP предлагает два режима передачи файлов: ASCII и бинарный.
- ASCII расшифровывается как American Standard Code for Information Interchange («Американский стандартный код для обмена информацией»). Используется для передачи простых файлов, например, текстовых.
- Бинарный режим используется для передачи нетекстовых файлов, например, изображений.
По умолчанию FTP использует режим передачи ASCII.
Шаг 1 — установка FTP-соединения
В этом примере hostA — удаленный хост. После ввода команды вам будет предложено ввести имя пользователя и пароль.
$ ftp hostA Connected to hostA. 220 hostA FTP server ready. Name (hostA:user): user 331 Password required for user. Password: password 230 User user logged in. Remote system type is LINUX.
Когда соединение будет успешно установлено, вы заметите символы ftp> в начале строки. Это значит, что теперь вы можете вводить FTP-команды.
Шаг 2 — выбор режима передачи
Вы можете выбрать режим передачи файлов (бинарный или ASCII) в зависимости от их типа.
ftp> ascii 200 Type set to A.
Шаг 3 — передача файла
Здесь мы использовали команду get для передачи файла sample.txt с удаленного FTP-сервера на локальную машину.
ftp> get sample.txt 200 PORT command successful. 150 Opening ASCII mode data connection for sample.txt (22 bytes). 226 Transfer complete. local: sample.txt remote: sample.txt 22 bytes received in 0.012 seconds (1.54 Kbytes/s)
Шаг 4 — завершение сессии
ftp> bye 221-You have transferred 22 bytes in 1 files. 221-Total traffic for this session was 126 bytes in 2 transfers. 221-Thank you for using the FTP service on hostA. 221 Goodbye.
Как передать несколько файлов через FTP
Для передачи нескольких файлов одновременно используются две команды: mget и mput .
mget используется для скачивания файлов с сервера, а mput — для заливки на сервер.
ftp> mget sample_file.1 sample_file.2
Здесь мы скачиваем файлы с удаленного хоста на локальную машину.
ftp> mput sample_file.1 sample_file.2
А здесь — наоборот: заливаем с локальной машины на удаленный хост.
Все команды, описанные в этом разделе, можно поместить в исполняемый файл и запускать по расписанию.
От редакции Techrocks. К сожалению, автор не раскрыла тему защищенной передачи файлов по FTPS, SFTP и FTP через SSH.
Что такое SCP?
SCP расшифровывается как Secure Copy («защищенное копирование»). Для этого копирования используется протокол SSH и порт 22. Данные, передаваемые по SCP, шифруются, и злоумышленники не смогут получить к ним доступ. Это делает передачу файлов по SCP очень безопасной.
С помощью SCP можно передавать файлы как с локальной машины на удаленный хост, так и обратно.
Синтаксис SCP
Давайте рассмотрим SCP-синтаксис.
scp [FLAG] [user@]SOURCE_HOST:]/path/to/file1 [user@]DESTINATION_HOST:]/path/to/file2
[FLAG]. Здесь могут стоять различные опции — флаги. Вот некоторые из них:
Флаг | Описание |
---|---|
-r | Рекурсивное копирование директорий. |
-q | Используется, чтобы спрятать показатель прогресса копирования и всю другую информацию, кроме сообщений об ошибках. |
-C | Сжатие данных при передаче. |
-P | Указание SSH-порта на машине, куда пересылаются файлы. |
-p | Сохраняет начальное время модификации файла. |
[user@]SOURCE_HOST. Имя пользователя и машина, с которой отправляется файл.
[user@]DESTINATION_HOST:]. Имя пользователя и машина, куда отправляется файл.
Примечание. Для передачи файлов по SCP нужно знать логин и пароль соответствующего пользователя на удаленной машине, а также иметь права на запись файлов.
Как передать файлы по SCP с локальной машины на удаленный хост
Для передачи файлов на удаленный хост введите следующую команду:
scp source_file.txt remote_username@10.13.13.11:/path/to/remote/directory
Здесь source_file.txt — файл, который нужно скопировать. Remote_username — имя пользователя на удаленном хосте 10.13.13.11. После двоеточия указывается путь на удаленной машине, куда нужно поместить файл.
remote_username@10.13.13.11's password: source_file.txt 100% 0 0.0KB/s 00:00
Теперь файл source_file.txt находится на удаленной машине, в директории по адресу /path/to/remote/directory.
Для копирования директорий используется флаг -r , как показано ниже.
scp -r /local/directory remote_username@10.13.13.11:/path/to/remote/directory
Как передать файлы по SCP с удаленного хоста на локальную машину
Для копирования файлов с удаленного хоста используется следующий формат команды:
scp remote_username@10.13.13.11:/remote/source_file.txt /path/to/local/directory
По сути, здесь все так же, как в предыдущем примере, просто исходный адрес и адрес назначения меняются местами.
При передаче файлов будьте предельно внимательны! SCP перезаписывает уже существующие файлы.
Итоги
Из этого руководства вы узнали, как передавать файлы и директории в командной строке, с использованием FTP и SCP.
При использовании в скриптах автоматизации эти команды очень полезны для сохранения, архивирования и пакетной обработки файлов.
How to Use the Linux ftp Command
FTP (File Transfer Protocol) is a network protocol used for transferring files from one computer system to another. Even though the safety of FTP tends to spark a lot of discussion, it is still an effective method of transferring files within a secure network.
In this tutorial, we will show you how to use the ftp command to connect to a remote system, transfer files, and manage files and directories.
- Access to a local system and a remote FTP server (learn how to install an FTP server on Ubuntu, CentOS 7, or Raspberry Pi).
- A working Internet connection.
- Access to the terminal window.
IMPORTANT: FTP traffic is not encrypted and is thus considered unsafe. It is not recommended to transfer files over the Internet using FTP. To learn more about secure alternatives to FTP, have a look at our articles on SFTP and TSL vs. SSL.
Linux ftp Command Syntax
The Linux ftp command uses the following basic syntax:
The IP is the IP address of the system you are connecting to.
The options available for the ftp command are:
FTP Command Options | Description |
---|---|
-4 | Use only IPv4. |
-6 | Use only IPv6. |
-e | Disables command editing and history support. |
-p | Uses passive mode for data transfers, allowing you to use FTP despite a firewall that might prevent it. |
-i | Turns off interactive prompting during multiple file transfers. |
-n | Disables auto-login attempts on initial connection. |
-g | Disables file name globbing. |
-v | Enables verbose output. |
-d | Enables debugging. |
The ftp command connects you to a remote system and initiates the FTP interface. The FTP interface uses the following commands to manage and transfer files to the remote system:
Command | Description |
---|---|
! | Temporarily escape to the local shell. |
$ | Execute a macro. |
? | Display help text. |
account | Supply a password for the remote system. |
append | Append a local file to a file on the remote system. |
ascii | Set the file transfer type to network ASCII (default type). |
bell | Enable a sound alert after each transfer is complete. |
binary | Set the file transfer type to binary image transfer. |
bye | Exit the FTP interface. |
case | Toggle upper/lower case sensitivity when ID mapping during the mget command. |
cd | Change the current working directory on the remote system. |
cdup | Change to the parent of the current working directory on the remote system. |
chmod | Change file permissions on the remote system. |
close | Exit the FTP interface. |
cr | Toggle carriage return stripping on ASCII file transfers. |
debug | Toggle debugging mode. |
delete | Delete a file from the remote system. |
dir | List the contents of a directory on the remote system. |
disconnect | Terminate the FTP session. |
exit | Terminate the FTP session and exit the FTP interface. |
form | Set the file transfer format. |
get | Transfer a file from the remote system to the local machine. |
glob | Toggle meta character expansion of local file names. |
hash | Toggle displaying the hash sign («#«) for each transferred data block. |
help | Display help text. |
idle | Set an inactivity timer for the remote system. |
image | Set the file transfer type to binary image transfer. |
ipany | Allow any type of IP address. |
ipv4 | Only allow IPv4 addresses. |
ipv6 | Only allow IPv6 addresses. |
lcd | Change the current working directory on the local machine. |
ls | List the contents of a directory on the remote system. |
macdef | Define a macro. |
mdelete | Delete multiple files on the remote system. |
mdir | List the contents of multiple directories on the remote system. |
mget | Transfer multiple files from the remote system to the local machine. |
mkdir | Create a directory on the remote system. |
mls | List the contents of multiple directories on the remote system. |
mode | Set the file transfer mode. |
modtime | Show the last time a file on the remote system was modified. |
mput | Transfer multiple files from the local machine to the remote system. |
newer | Transfer a file from the remote system to the local machine only if the modification time of the remote file is more recent than that of the local file (if a local version of the file doesn’t exist, the remote file is automatically considered newer). |
nlist | List the contents of a directory on the remote system. |
nmap | Set templates for default file name mapping. |
ntrans | Set translation table for default file name mapping. |
open | Establish a connection with an FTP server. |
passive | Enable passive transfer mode. |
prompt | Force interactive prompts when transferring multiple files. |
proxy | Execute command on an alternate (proxy) connection. |
put | Transfer a file from the local machine to the remote system. |
pwd | Display the current working directory on the remote system. |
qc | Toggle displaying a control character («?«) in the output of ASCII type commands. |
quit | Terminate the FTP session and exit the FTP interface. |
quote | Specify a command as an argument and send it to the FTP server. |
recv | Transfer a file from the remote system to the local machine. |
reget | Transfer a file from the remote system to the local machine if the local file is smaller than the remote file. The transfer starts at the end of the local file. If there is no local version of the file, the command doesn’t execute. |
rename | Rename a file on the remote system. |
reset | Clear queued command replies. |
restart | Restart a file transfer command at a set marker. |
rhelp | Display help text for the remote system. |
rmdir | Remove a directory on the remote system. |
rstatus | Show the status of the remote system. |
runique | Toggle storing files on the local machine with unique filenames. |
send | Transfer a file from the local machine to the remote system. |
sendport | Toggle the use of PORT commands. |
site | Specify a command as an argument and send it to the FTP server as a SITE command. |
size | Display the size of a file on the remote system. |
status | Show the status of the FTP interface. |
struct | Set the file transfer structure. |
sunique | Toggle storing files on the remote system with unique filenames. |
system | Show the operating system on the remote system. |
tenex | Set the file transfer type to allow connecting to TENEX machines. |
tick | Toggle printing byte counter during transfers. |
trace | Toggle packet tracing. |
type | Set a file transfer type. |
umask | Set a default permissions mask for the local machine. |
user | Provide username and password for the remote FTP server. |
verbose | Toggle verbose output. |
How to Use ftp Command in Linux
The ftp command connects a computer system to a remote server using the FTP protocol. Once connected, it also lets users transfer files between the local machine and the remote system, and manage files and directories on the remote system.
Establish an FTP Connection
To establish an FTP connection to a remote system, use the ftp command with the remote system’s IP address:
For instance, connecting to a remote server with the IP address 192.168.100.9: