Procurando pelo conteúdo do arquivo no disco inteiro

1

Estou tentando encontrar meu antigo endereço IP em arquivos de configuração, a fim de substituí-lo pelo meu novo endereço IP. Eu encontrei uma resposta que propõe o comando

sudo grep -HrnF '1.2.3.4' /

para encontrar esses endereços IP.

No entanto, usando esse comando diretamente, o grep parece travar. Antes de ser interrompido, ele gera alguns avisos de que ele não pode acessar alguns arquivos dentro de / proc. Por isso mudei o comando para

sudo grep -HrnFI --devices=skip '1.2.3.4' / > oldips.txt

Mas desta vez ele escreveu um arquivo de texto de 29 GB até que eu pressionei Ctrl + C. Depois disso eu excluí o diretório / proc assim:

 sudo grep -HrnFI --devices=skip --exclude-dir=/proc '1.2.3.4' / > oldips.txt

Esta é uma boa maneira de encontrar um endereço IP (ou texto em geral) em todo o disco? Se não, como eu precisaria mudar o comando?

    
por Thomas Weller 25.03.2014 / 00:02

1 resposta

1

O problema mais provável é que ele tentará inserir todos os arquivos estranhos em /sys e /proc e /dev (o primeiro comando, pelo menos, mas /sys ainda será um problema). Algumas delas serão longas cadeias de links, as quais devem ser seguidas e nenhuma delas é de interesse para você.

Uma abordagem muito mais limpa seria usar find e sua opção exec. Algo como:

sudo find / -type f -exec grep -Flm 1 '1.2.3.4' {} +

O comando acima encontrará todos os arquivos regulares em / e executará grep neles.

  • O -l significa "imprimir o nome do arquivo correspondente", o que é mais fácil do que imprimir a linha e provavelmente aumentará sua velocidade também. Depois de ter os arquivos correspondentes, você pode grep deles no seu tempo livre.

  • O -m 1 significa "parar no primeiro jogo", desta forma os arquivos grandes não precisarão ser processados até o final se uma correspondência for encontrada.

  • O + no final significa que o find tentará combiná-lo com o menor número possível de comandos (outra razão pela qual -l é necessário, caso contrário você não saberá de onde o arquivo veio). Isso está documentado em man find :

       -exec command ;
              Execute  command;  true  if 0 status is returned.  All following
              arguments to find are taken to be arguments to the command until
              an  argument  consisting of ';' is encountered.  The string '{}'
              is replaced by the current file name being processed  everywhere
              it occurs in the arguments to the command, not just in arguments
              where it is alone, as in some versions of find.  Both  of  these
              constructions might need to be escaped (with a '\') or quoted to
              protect them from expansion by the shell.  See the EXAMPLES sec‐
              tion for examples of the use of the -exec option.  The specified
              command is run once for each matched file.  The command is  exe‐
              cuted  in  the starting directory.   There are unavoidable secu‐
              rity problems surrounding use of the -exec  action;  you  should
              use the -execdir option instead.
    
       -exec command {} +
              This  variant  of the -exec action runs the specified command on
              the selected files, but the command line is built  by  appending
              each  selected file name at the end; the total number of invoca‐
              tions of the command will  be  much  less  than  the  number  of
              matched  files.   The command line is built in much the same way
              that xargs builds its command lines.  Only one instance of  '{}'
              is  allowed  within the command.  The command is executed in the
              starting directory.
    

Antes de executar isso, no entanto, recomendo que você simplesmente execute isso:

sudo find /etc -type f -exec grep -F '1.2.3.4' {} \;

As chances são ~ 90% de que qualquer arquivo de configuração que defina seu IP estará em /etc . Especificamente, provavelmente será /etc/network/interfaces .

    
por terdon 25.03.2014 / 01:25