Команда для перемещения файла в корзину через терминал


117

Я хотел бы знать, есть ли команда, которую я могу выполнить в терминале, чтобы я классически не удалял ( rm) файл, а вместо этого переместил его в мусорную корзину (т. Е. Поведение Nautilus Move to Trash).

В случае, если есть такая команда, мне также было бы интересно узнать, что это такое.


2
Посмотрите на этот ответ .
Peachy

2
Также хороший ресурс здесь: webupd8.org/2010/02/make-rm-move-files-to-trash-instead-of.html
Rinzwind

Ответы:


105

Вы можете использовать gvfs-trashкоманду из пакета, gvfs-binкоторый установлен по умолчанию в Ubuntu.

Переместить файл в корзину:

gvfs-trash filename

Смотрите содержимое корзины:

gvfs-ls trash://

Очистить корзину:

gvfs-trash --empty

Также посетите мой gvfs-вопрос .
Пандя

Это самый простой ответ для меня, который работает. Спасибо.
Теоди С. Сегуин

10
Согласно man gvfs-trashэтому не рекомендуется в пользу gio trash, см man gio.
августа

67

Установите trash-cliУстановите trash-cli -sudo apt-get install trash-cli

Поместите файлы в корзину с помощью: trash file1 file2

Список файлов в корзине: trash-list

Пустой мусор с: trash-empty


1
Этот (связанный с Ubuntu) инструмент указывает на мусорную корзину . Довольно интересно, не уверен, насколько широко принят, хотя ...
Фрэнк

После установки я запускаю команду и получаю сообщение об ошибке: File "/usr/bin/trash-list", line 4, in <module> ImportError: No module named 'trashcli'
Даниэль

25

По состоянию на 2017 год, gvfs-trashкажется, устарела.

$ touch test
$ gvfs-trash test
This tool has been deprecated, use 'gio trash' instead.
See 'gio help trash' for more info.

Вы должны использовать gio, в частности,

gio trash

это рекомендуемый способ.


2
Не могли бы вы связать источник для gvfs-trashтого, чтобы быть устаревшим и что gio?
Мелебиус

1
К сожалению, я не могу предоставить ссылку, но это то, что я пытаюсь использовать gvfs-trash в Kubuntu 17.10: pastebin.com/HA4a1pbs
Евгений Твердохлеб,

1
Вы можете вставить пример здесь в свой ответ, мне будет достаточно вместе с номером версии системы. Я использую 16.04 LTS, и gvfs-trashэто единственный вариант здесь.
Мелебиус

Этот инструмент имеет кучу других приятных функций. Мне нравится infoкоманда; это кажется полезным.
Раффи Хачадурян

4

Обновление @Radu Rădeanuответа. Так как Ubuntu говорит мне использовать gioвместо ...

Итак, для мусора some_file(или папки) используйте

gio trash some_file

Пойти в мусорный бак использовать

gio list trash://

Чтобы очистить мусор

gio trash --empty

3

Мне больше нравятся низкотехнологичные способы. Я сделал папку .Trв моем домашнем каталоге, набрав:

mkdir ~/.Tr

и вместо того, rmчтобы использовать для удаления файлов, я перемещаю эти файлы в ~/.Trкаталог, набрав:

mv fileName ~/.Tr

Это эффективный и простой способ сохранить доступ к файлам, которые, по вашему мнению, вам не нужны, с дополнительным преимуществом в моем случае не портить системные папки, так как мои уровни знаний Ubuntu довольно низки, и я беспокоюсь о том, что я могу сделать облажаться, когда я возиться с системными вещами. Если вы также низкий уровень, обратите внимание, что "." в имени каталога делает его скрытым каталогом.


3

Предыдущий ответ упоминает команду gio trash, которая хороша, насколько это возможно. Однако на серверах нет эквивалента каталога мусорной корзины. Я написал сценарий Bash, который делает эту работу; на (Ubuntu) настольных машинах он использует gio trash. (Я добавил alias tt='move-to-trash'в свой файл определения псевдонимов; ttэто мнемоника для "to trash".)

#!/bin/bash
# move-to-trash

# Teemu Leisti 2018-07-08

# This script moves the files given as arguments to the trash directory, if they
# are not already there. It works both on (Ubuntu) desktop and server hosts.
#
# The script is intended as a command-line equivalent of deleting a file from a
# graphical file manager, which, in the usual case, moves the deleted file(s) to
# a built-in trash directory. On server hosts, the analogy is not perfect, as
# the script does not offer the functionalities of restoring a trashed file to
# its original location nor of emptying the trash directory; rather, it is an
# alternative to the 'rm' command that offers the user the peace of mind that
# they can still undo an unintended deletion before they empty the trash
# directory.
#
# To determine whether it's running on a desktop host, the script tests for the
# existence of directory ~/.local/share/Trash. In case it is, the script relies
# on the 'gio trash' command.
#
# When not running on a desktop host, there is no built-in trash directory, so
# the first invocation of the script creates one: ~/.Trash/. It will not
# overwrite an existing file in that directory; instead, in case a file given as
# an argument already exists in the custom trash directory, the script first
# appends a timestamp to the filename, with millisecond resolution, such that no
# existing file will be overwritten.
#
# The script will not choke on a nonexistent file. It outputs the final
# disposition of each argument: does not exist, was already in trash, or was
# moved to the trash.


# Exit on using an uninitialized variable, and on a command returning an error.
# (The latter setting necessitates appending " || true" to those arithmetic
# calculations that can result in a value of 0, lest bash interpret the result
# as signalling an error.)
set -eu

is_desktop=0

if [[ -d ~/.local/share/Trash ]] ; then
    is_desktop=1
    trash_dir_abspath=$(realpath ~/.local/share/Trash)
else
    trash_dir_abspath=$(realpath ~/.Trash)
    if [[ -e $trash_dir_abspath ]] ; then
        if [[ ! -d $trash_dir_abspath ]] ; then
            echo "The file $trash_dir_abspath exists, but is not a directory. Exiting."
            exit 1
        fi
    else
        mkdir $trash_dir_abspath
        echo "Created directory $trash_dir_abspath"
    fi
fi

for file in "$@" ; do
    file_abspath=$(realpath -- "$file")
    file_basename=$( basename -- "$file_abspath" )
    if [[ ! -e $file_abspath ]] ; then
        echo "does not exist:   $file_abspath"
    elif [[ "$file_abspath" == "$trash_dir_abspath"* ]] ; then
        echo "already in trash: $file_abspath"
    else
        if (( is_desktop == 1 )) ; then
            gio trash "$file_abspath" || true
        else
            move_to_abspath="$trash_dir_abspath/$file_basename"
            while [[ -e "$move_to_abspath" ]] ; do
                move_to_abspath="$trash_dir_abspath/$file_basename-"$(date '+%Y-%m-%d-at-%H:%M:%S.%3N')
            done
            # While we're reasonably sure that the file at $move_to_abspath does not exist, we shall
            # use the '-f' (force) flag in the 'mv' command anyway, to be sure that moving the file
            # to the trash directory is successful even in the extremely unlikely case that due to a
            # run condition, some other thread has created the file $move_to_abspath after the
            # execution of the while test above.
            /bin/mv -f "$file_abspath" "$move_to_abspath"
        fi
        echo "moved to trash:   $file_abspath"
    fi
done


0

В KDE 4.14.8 я использовал следующую команду для перемещения файлов в корзину (как если бы они были удалены в Dolphin):

kioclient move path_to_file_or_directory_to_be_removed trash:/

Приложение: я нашел про команду с

    ktrash --help
...
    Note: to move files to the trash, do not use ktrash, but "kioclient move 'url' trash:/"
Используя наш сайт, вы подтверждаете, что прочитали и поняли нашу Политику в отношении файлов cookie и Политику конфиденциальности.
Licensed under cc by-sa 3.0 with attribution required.