a magnifying glass searching through text

Як знайти файли в Linux: освоєння команд Find і Grep

У цій статті ви дізнаєтеся, як знайти файли в 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*"

Обмеження глибини пошуку: Обмежте глибину пошуку певним рівнем за допомогою опції -maxdepth.

$ 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.

Оновіть базу даних Locate:

$ 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.

Встановити fd:

$ 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'

Не забудьте регулярно оновлювати базу даних locate для останніх змін:

$ 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!