Linux基礎:檔案查詢find

程式猿小卡_casper發表於2017-12-26

寫在前面

在linux的日常管理中,find的使用頻率很高,熟練掌握對提高工作效率很有幫助。

find的語法比較簡單,常用引數的就那麼幾個,比如-name-type-ctime等。初學的同學直接看第二部分的例子,如需進一步瞭解引數說明,可以參考find的幫助文件。

find語法如下:

find(選項)(引數)

常用例子

根據檔名查詢

列出當前目錄以及子目錄下的所有檔案

find .
複製程式碼

找到當前目錄下名字為11.png的檔案

find . -name "11.png"
複製程式碼

找到當前目錄下所有的jpg檔案

find . -name "*.jpg"
複製程式碼

找到當前目錄下的jpg檔案和png檔案

find . -name "*.jpg" -o -name "*.png"
複製程式碼

找出當前目錄下不是以png結尾的檔案

find . ! -name "*.png"
複製程式碼

根據正規表示式查詢

備註:正則表示式比原先想的要複雜,支援好幾種型別。可以參考這裡

找到當前目錄下,檔名都是數字的png檔案。

find . -regex "\./*[0-9]+\.png" 
複製程式碼

根據路徑查詢

找出當前目錄下,路徑中包含wysiwyg的檔案/路徑。

find . -path "*wysiwyg*"
複製程式碼

根據檔案型別查詢

通過-type進行檔案型別的過濾。

  • f 普通檔案
  • l 符號連線
  • d 目錄
  • c 字元裝置
  • b 塊裝置
  • s 套接字
  • p Fifo

舉例,查詢當前目錄下,路徑中包含wysiwyg的檔案

find . -type f -path "*wysiwyg*"
複製程式碼

限制搜尋深度

找出當前目錄下所有的png,不包括子目錄。

find . -maxdepth 1 -name "*.png"
複製程式碼

相對應的,也是mindepth選項。

find . -mindepth 2 -maxdepth 2 -name "*.png"
複製程式碼

根據檔案大小

通過-size來過濾檔案尺寸。支援的檔案大小單元如下

  • b —— 塊(512位元組)
  • c —— 位元組
  • w —— 字(2位元組)
  • k —— 千位元組
  • M —— 兆位元組
  • G —— 吉位元組

舉例來說,找出當前目錄下檔案大小超過100M的檔案

find . -type f -size +100M 
複製程式碼

根據訪問/修改/變化時間

支援下面的時間型別。

  • 訪問時間(-atime/天,-amin/分鐘):使用者最近一次訪問時間。
  • 修改時間(-mtime/天,-mmin/分鐘):檔案最後一次修改時間。
  • 變化時間(-ctime/天,-cmin/分鐘):檔案資料元(例如許可權等)最後一次修改時間。

舉例,找出1天內被修改過的檔案

find . -type f -mtime -1
複製程式碼

找出最近1周內被訪問過的檔案

find . -type f -atime -7
複製程式碼

將日誌目錄裡超過一個禮拜的日誌檔案,移動到/tmp/old_logs裡。

find . -type f -mtime +7 -name "*.log" -exec mv {} /tmp/old_logs \;
複製程式碼

注意:{} 用於與-exec選項結合使用來匹配所有檔案,然後會被替換為相應的檔名。

另外,\;用來表示命令結束,如果沒有加,則會有如下提示

find: -exec: no terminating ";" or "+"
複製程式碼

根據許可權

通過-perm來實現。舉例,找出當前目錄下許可權為777的檔案

find . -type f -perm 777
複製程式碼

找出當前目錄下許可權不是644的php檔案

find . -type f -name "*.php" ! -perm 644
複製程式碼

根據檔案擁有者

找出檔案擁有者為root的檔案

find . -type f -user root
複製程式碼

找出檔案所在群組為root的檔案

find . -type f -group root
複製程式碼

找到檔案後執行命令

通過-ok、和-exec來實現。區別在於,-ok在執行命令前,會進行二次確認,-exec不會。

看下實際例子。刪除當前目錄下所有的js檔案。用-ok的效果如下,刪除前有二次確認

➜  find find . -type f -name "*.js" -ok rm {} \;
"rm ./1.js"? 
複製程式碼

試下-exec。直接就刪除了

find . -type f -name "*.js" -exec rm {} \;
複製程式碼

找出空檔案

例子如下

touch {1..9}.txt
echo "hello" > 1.txt
find . -empty
複製程式碼

相關文章