В этой статье вы узнаете, как найти файлы в Linux с помощью различных инструментов.
Самые популярные инструменты поиска файлов в Linux
The “find” command cheatsheet
Поиск по имени файла
“Find” is one of the most popular tools to search files in Linux. When you know the file name you can search for it using command below. Replace “/home” with a folder to search through and “filename.txt” with the file name.
$ find /home -name filename.txt
To search the current folder for a file replace “/home” with a dot (.) symbol:
$ find . -name Documents.zip ./Documents.zip
When you do not know the exact file name use the regular expression to look for a match. The asterisk (*) symbol matches any character set after the “Documents” keyword.
$ find /home -name "Documents*" /home/eugene/Documents.zip /home/eugene/Documents /home/eugene/Phone/Documents
Поиск по дате изменения
To search for files that were modified today add “-mtime” key to the find command:
$ find /home -mtime 0
Например, давайте найдем изображения, которые были изменены 10 дней назад:
$ find Pictures/ -mtime 10 Pictures/Screenshots/Screenshot from 2023-11-03 10-29-49.png
Поиск по типу файла
The “find” command in Linux allows you to search for files based on their type. Here are some examples:
Поиск каталогов: Чтобы найти все каталоги по указанному пути, используйте опцию -type d.
$ find /home -type d
Поиск обычных файлов: И наоборот, чтобы найти обычные файлы, используйте опцию -type f.
$ find /home -type f -name "*.txt"
Поиск символических ссылок: Для поиска символических ссылок используйте опцию -type l.
$ find /home -type l -name "linkname"
Поиск конкретных расширений файлов: Сузьте область поиска, указав расширения файлов.
$ find /home -type f -name "*.jpg"
Объединение критериев
You can combine multiple criteria to make your searches more precise. Here’s an example:
Поиск измененных файлов с определенным расширением: Find files modified in the last 7 days with the extension “.log”.
$ find /var/logs -type f -name "*.log" -mtime -7
Поиск файлов, измененных в диапазоне дат: найти файлы, измененные в период с 1 ноября 2023 г. по 5 ноября 2023 г.
$ find /home -newermt 2023-11-01 ! -newermt 2023-11-06
Additional “find” Command Options
Игнорирование чувствительности к регистру: Если вы хотите, чтобы поиск осуществлялся без учета регистра, используйте опцию -iname.
$ find /home -iname "document*"
Ограничение глубины поиска: Ограничьте глубину поиска определенным уровнем с помощью опции -maxeep.
$ find /home -maxdepth 2 -name "*.txt"
Исключение определенных каталогов: Исключите определенные каталоги из поиска, используя -not или ! вариант.
$ find /home -type f -name "*.txt" -not -path "/home/user/exclude/*"
Remember, mastering the “find” command can significantly enhance your ability to navigate and manage files in a Linux environment. Experiment with different options to tailor your searches according to specific criteria.
Search by file content using “grep” command
When it comes to finding specific content within files, the “grep” command becomes your go-to tool. It allows you to search for patterns or text strings within one or multiple files. Here’s a quick cheatsheet to get you started:
Базовый поиск контента: Для поиска определенной строки в файле используйте следующий синтаксис
$ grep "search_string" filename
Replace “search_string” with the text you’re looking for and “filename” with the name of the file.
Поиск в нескольких файлах: Если вы хотите выполнить поиск по нескольким файлам, укажите подстановочный знак или определенный шаблон файла.
$ grep "pattern" /path/to/files/*.txt
Поиск без учета регистра: Сделайте поиск без учета регистра с помощью опции -i
$ grep -i "pattern" filename
Отображение номеров строк: Если вы хотите узнать номера строк, в которых найден шаблон, используйте опцию -n
$ grep -n "pattern" filename
Отображать только имена файлов: Чтобы показать только имена файлов, содержащих этот шаблон, используйте опцию -l
$ grep -l "pattern" /path/to/files/*.txt
Рекурсивный поиск: Если вы хотите выполнить поиск шаблона во всех файлах в каталоге и его подкаталогах, используйте опцию -r.
$ grep -r "pattern" /path/to/directory
Исключить файлы или каталоги: Exclude certain files or directories from your search with the –exclude option
$ grep "pattern" --exclude=*.log /path/to/files/*
Поиск целых слов: Используйте опцию -w для поиска целых слов, предотвращая частичные совпадения.
$ grep -w "word" filename
Advanced “grep” Usage
Поиск перевернутых совпадений: Инвертируйте совпадение, чтобы отобразить строки, не содержащие указанный шаблон, с помощью опции -v.
$ grep -v "pattern" filename
Подсчет матчей: Если вы хотите узнать, сколько строк содержит шаблон, используйте опцию -c:
$ grep -c "pattern" filename
Отображение только соответствующего текста: показывать только текст, соответствующий шаблону, с опцией -o:
$ grep -o "pattern" filename
Рекурсивный поиск по номерам строк: Комбинируйте параметры для комплексного поиска, например:
$ grep -r -n "pattern" /path/to/directory
Mastering the “grep” command allows you to swiftly locate specific content within files, making it an indispensable tool for efficient file exploration in a Linux environment. Experiment with different options to tailor your searches and uncover the information you need.
Альтернативные методы поиска файлов
In addition to the powerful “find” and “grep” commands, there are alternative methods for searching files in a Linux environment. Let’s explore a few:
Найти файлы с помощью скрипта Python
Sometimes, a custom Python script can provide more flexibility in file searching. Here’s a simple example using Python’s os и fnmatch modules:
import os
from fnmatch import fnmatch
def find_files(directory, pattern):
for root, dirs, files in os.walk(directory):
for file in files:
if fnmatch(file, pattern):
print(os.path.join(root, file))
# Usage
find_files('/path/to/search', '*.txt')
This script walks through the directory and its subdirectories, matching files based on the specified pattern. Customize the find_files function to suit your specific search criteria.
The “locate” Command
The “найти” command is another efficient way to find files on a Linux system. It uses a pre-built index, making searches faster compared to the “find” command. However, keep in mind that the index needs regular updates to include recent changes.
Обновите базу данных локации:
$ sudo updatedb
Поиск файлов:
$ locate filename.txt
Using the “which” Command
If you’re looking for the location of an executable in your system’s PATH, the “which” command can help.
Найдите местоположение исполняемого файла:
$ which executable_name
Using “fd” – A Fast and User-friendly Alternative to “find”
The “fd” command is a fast and user-friendly alternative to “find.” It comes with a simplified syntax and colorized output.
Установить ФД:
$ sudo apt-get install fd-find # For Ubuntu/Debian $ sudo dnf install fd # For Fedora
Поиск файлов:
$ fdfind Documents Phone/Documents Documents Documents.zip
Пользовательские сценарии и псевдонимы
Наконец, вы можете создавать собственные сценарии оболочки или псевдонимы, чтобы упростить процесс поиска файлов. Например:
# Custom Alias alias findtxt='find /path/to/search -name "*.txt"' # Usage $ findtxt
Пользовательские сценарии и псевдонимы позволяют создавать ярлыки для конкретных нужд поиска файлов, улучшая рабочий процесс.
Найдите файлы в Linux с помощью сценария Bash
Создание и использование сценария bash помогает автоматизировать повторяющиеся задачи поиска файлов в Linux. Ниже приведен пример простого сценария Bash, который ищет файлы по заданному шаблону:
#!/bin/bash # Bash script to find files based on a pattern if [ $# -ne 2 ]; then echo "Usage: $0 <directory> <pattern>" exit 1 fi directory=$1 pattern=$2 # Check if the directory exists if [ ! -d "$directory" ]; then echo "Error: Directory $directory not found." exit 1 fi # Use find command to search for files find "$directory" -name "$pattern" -print
Сохраните этот скрипт в файл, например, find_files.sh, и сделайте его исполняемым с помощью следующей команды:
$ chmod +x find_files.sh
Теперь вы можете использовать скрипт для поиска файлов, указав каталог и шаблон в качестве аргументов:
$ ./find_files.sh /path/to/search "*.txt"
Этот скрипт проверяет, указано ли правильное количество аргументов и существует ли указанный каталог. Затем он использует команду find для поиска файлов по заданному шаблону.
Бонус: как искать изображения в Linux
В Linux существует несколько инструментов и методов поиска изображений, каждый из которых предлагает уникальные функции и возможности. Вот несколько вариантов:
“find” Command with File Type Filtering:
The standard “find” command can be used to locate image files based on their file types. For example, to find all JPEG files in a directory and its subdirectories:
$ find /path/to/images -type f -name "*.jpg"
The “fdfind” Command:
The “fdfind” command, a fast and user-friendly alternative to “find,” can also be used to search for image files. Install it if you haven’t already:
$ sudo apt-get install fd-find # For Ubuntu/Debian $ sudo dnf install fd # For Fedora
Поиск изображений с определенным расширением:
$ fdfind -e jpg
The “locate” Command
The “locate” command can be used for quick searches, especially if an updated database is maintained:
$ locate '*.jpg'
Не забывайте регулярно обновлять базу данных местоположения на предмет последних изменений:
$ sudo updatedb
“grep” Command for Specific Image Names:
If you have a specific naming convention for your image files, you can use the “grep” command to search for them:
$ grep -r 'pattern' /path/to/images
Replace ‘pattern’ with a part of the image file name.
“file” Command
The “file” command can identify file types, helping you filter out image files:
$ file /path/to/images/*
Look for lines that include “image” to identify image files.
“feh” Image Viewer with Filelist
If you have a list of image files and want to view them, the “feh” image viewer allows you to create a filelist:
$ feh -f $(find /path/to/images -type f -name "*.jpg")
Откроется программа просмотра изображений со списком всех файлов JPEG в указанном каталоге.
Использование инструментов метаданных изображений
If your images have metadata, you can use tools like “exiftool” to search based on image properties:
$ exiftool -filename -r /path/to/images | grep 'search_term'
Графические файловые менеджеры
Графические файловые менеджеры, такие как Nautilus, Dolphin или Thunar, часто предоставляют функции поиска. Вы можете перейти в каталог и использовать панель поиска.
Организаторы изображений на основе тегов
Tools like “digiKam” or “Shotwell” offer image organization based on tags. Tag your images and use these tools to search based on tags.
Резюме
In conclusion, mastering file search on Linux involves understanding and combining various commands, tools, and scripting techniques. Whether you’re a command-line enthusiast or prefer graphical interfaces, this guide equips you with the knowledge to navigate and search for files seamlessly in a Linux environment. Happy file hunting!






