LPI 101 - Comandos GNU/Linux 1- Marcus Vinicius Braga Alcantara

Reviewed by Editorial Team
The ProProfs editorial team is comprised of experienced subject matter experts. They've collectively created over 10,000 quizzes and lessons, serving over 100 million users. Our team includes in-house content moderators and subject matter experts, as well as a global network of rigorously trained contributors. All adhere to our comprehensive editorial guidelines, ensuring the delivery of high-quality content.
Learn about Our Editorial Process
| By Viniciusalcantar
V
Viniciusalcantar
Community Contributor
Quizzes Created: 11 | Total Attempts: 7,534
| Attempts: 1,095 | Quest�es: 100
Please wait...

Question 1 / 100
0 %
0/100
Score 0/100
1. Qual comando abaixo irá exibir sua atual localização na estrutura de diretórios do sistema ?

Explanation

The command "pwd" stands for "print working directory" and it is used to display the current location within the directory structure of the system. It is commonly used to verify the current directory before performing any operations or to identify the exact location of a file or directory.

Submit
Please wait...
About This Quiz
LPI 101 - Comandos GNU/Linux 1- Marcus Vinicius Braga Alcantara - Quiz

2. Qual comando pode ser usado para dividir um determinado arquivo em 4 partes iguais ?

Explanation

The command "split" can be used to divide a specific file into four equal parts.

Submit
3. Qual comando irá remover linhas duplicadas de um arquivo ordenado?

Explanation

The command "uniq" is used to remove duplicate lines from a sorted file. It compares adjacent lines and removes any duplicates, keeping only one occurrence of each line. This command is commonly used in combination with other commands to filter and manipulate data in a file.

Submit
4. Qual é o argumento que é valido tanto para os comandos cp, mv e rm que ativa o chamado "modo interativo" ?

Explanation

The argument "-i" is valid for the commands cp, mv, and rm because it activates the "interactive mode." This means that before performing any action, the command will prompt the user for confirmation, allowing them to decide whether to proceed or not. This is a useful feature as it helps prevent accidental overwriting or deletion of files.

Submit
5. Qual dos seguintes comandos você pode usar para renomear um arquivo no Linux?

Explanation

The correct answer is "mv" because the "mv" command in Linux is used to move or rename files and directories. By using the "mv" command followed by the current file name and the desired new file name, you can effectively rename the file. This command is commonly used in Linux systems for file management tasks.

Submit
6. O comando apropos procura por programas e comandos através de uma descrição como argumento. É bastante útil quando precisa-se fazer algo sem saber que comando usar. Ex: apropos email

Explanation

The given statement explains that the "apropos" command is used to search for programs and commands based on their description as an argument. It is particularly useful when you need to perform a task but are unsure which command to use. The example provided demonstrates the usage of the "apropos" command to search for commands related to email. Therefore, the correct answer is "Verdadeiro" (True).

Submit
7. Qual dos seguintes comandos irá exibir as últimas 30 linhas de /var/log/bigd.log, bem como novos conteúdos como é anexado ao arquivo por outro processo ?

Explanation

The correct answer is "tail -f -n 30 /var/log/bigd.log". This command will display the last 30 lines of the /var/log/bigd.log file and continue to show any new content that is appended to the file by another process. The "-f" option allows for continuous monitoring of the file, while the "-n 30" option specifies to display the last 30 lines.

Submit
8. Qual dos seguintes comandos seria mais provável ser usado para a saída de um arquivo em sentido inverso?

Explanation

The command "tac" is more likely to be used for reversing the output of a file. The "tac" command reads a file or standard input and writes its lines in reverse order to the standard output. This means that the last line of the file will be displayed first, followed by the second-to-last line, and so on. Therefore, "tac" is the correct answer for reversing the output of a file.

Submit
9. Qual comando exibirá as últimas linhas do arquivo texto arquivo1.txt ? Selecione a opção correta.

Explanation

The correct answer is "tail arquivo1.txt". The "tail" command is used to display the last part of a file. In this case, it will display the last lines of the text file "arquivo1.txt".

Submit
10. Toda vez que você tenta deletar um arquivo usando o rm, o sistema pergunta por confirmação. Você sabe que este não é o comportamento padrão do rm. O que há de diferente para ele fazer isto?

Explanation

An alias was created for the rm command, replacing it with rm -i. This means that whenever the rm command is used, it is actually executing rm -i instead, which prompts for confirmation before deleting a file. This explains why the system asks for confirmation when trying to delete a file using rm.

Submit
11. Qual comando remove todos os subdiretórios em /tmp independentemente se eles são inexistentes ou estão em uso?

Explanation

The correct answer is "rm -rf /tmp/*". This command uses the "rm" command with the "-rf" options to forcefully and recursively remove all files and directories within the /tmp directory. The "-r" option ensures that directories are deleted recursively, and the "-f" option forces the deletion without prompting for confirmation. The "/tmp/*" specifies that all files and directories within the /tmp directory should be removed.

Submit
12. Quais das opções abaixo podem retornar informações sobre programas/comandos em um sistema Linux ? (Selecione 3 respostas).

Explanation

The options "man," "whatis," and "info" can return information about programs/commands in a Linux system. The "man" command displays the manual pages for a specific command, providing detailed explanations and usage examples. The "whatis" command provides a brief description of a command. The "info" command displays documentation in an Info format, which is a more comprehensive and structured version of a manual page.

Submit
13. Qual o uso correto do comando mkdir para se criar a estrutura de diretórios dir/subdir1/subdir2 ?

Explanation

The correct answer is "mkdir -p dir/subdir1/subdir2". The "-p" option is used to create parent directories if they do not exist. In this case, it will create the directory "dir" if it doesn't exist, then create the directory "subdir1" inside "dir" if it doesn't exist, and finally create the directory "subdir2" inside "subdir1" if it doesn't exist. This ensures that the entire directory structure "dir/subdir1/subdir2" is created.

Submit
14. Qual comando é usado para remover um diretório vazio ? (Especifique somente o comando)

Explanation

The command "rmdir" is used to remove a directory that is empty.

Submit
15. Qual das declarações seguintes descreve corretamente os símbolos > e >> no contexto bash shell?

Explanation

The correct answer states that ">" writes the standard output to a new file, while ">>" appends the standard output to an existing file. This means that ">" is used to create a new file or overwrite an existing file with the standard output, while ">>" is used to add the standard output to the end of an existing file without overwriting its contents.

Submit
16. Qual comando copiaria a árvore de diretório inteira, enquanto inclui todos os subdiretórios abaixo de /home/gpaula para /tmp?

Explanation

The correct answer is "cp -r /home/gpaula /tmp". This command uses the "-r" option, which stands for "recursive", to copy the entire directory tree, including all subdirectories, from /home/gpaula to /tmp. This ensures that all files and directories within the specified directory are copied to the destination directory.

Submit
17. Qual comando pode ser utilizado para remover o valor de uma variável ?

Explanation

The correct answer is "unset". The unset command is used to remove the value of a variable in programming. It allows you to delete the value stored in a variable, making it empty or undefined. This can be useful when you want to free up memory or reset a variable to its initial state.

Submit
18. Qual dos comandos seguintes poderia ser usado para mudar todos os caracteres de maiúsculo para minúsculo no meio de um pipe?

Explanation

The command "tr" can be used to change all uppercase characters to lowercase within a pipe.

Submit
19. Qual dos comandos a seguir copia arquivos com a extensão .txt de /dir1 para dentro do /dir2 e, ao mesmo tempo, preserva atributos de arquivo?

Explanation

The correct answer is "cp -p /dir1/*.txt /dir2". This command copies files with the .txt extension from /dir1 to /dir2 while preserving file attributes. The "-p" option in the cp command preserves the original file attributes such as permissions, timestamps, and ownership.

Submit
20. O seguinte resultado: 40 58 1815 /tmp/arquivo.txt pertence a qual comando ?

Explanation

The given result "40 58 1815" is the output of the "wc /tmp/arquivo.txt" command. The "wc" command is used to count the number of lines, words, and characters in a file. In this case, the numbers 40, 58, and 1815 represent the number of lines, words, and characters respectively in the file "/tmp/arquivo.txt".

Submit
21. Como você pode descrever o comando a seguir? tail -f /var/log/messages

Explanation

The given command "tail -f /var/log/messages" is used to continuously display the new lines added to the file /var/log/messages as the file is growing. The "-f" option stands for "follow" and it allows the command to keep monitoring the file for any new lines. This is useful for real-time monitoring of log files or any other files that are constantly being updated.

Submit
22. Qual o correto comando usado para copiar o diretório de origem /etc e seus subdiretórios para o diretório de destino /tmp/etcbkp preservando os atributos originais dos arquivos ?

Explanation

The correct answer is "cp -pR /etc /tmp/etcbkp". This command copies the directory /etc and its subdirectories to the destination directory /tmp/etcbkp while preserving the original attributes of the files. The "-p" option preserves the file attributes, including timestamps and permissions, and the "-R" option recursively copies the directory and its subdirectories.

Submit
23. Qual é a variável de ambiente que indica a quantidade de linhas que podem ser mantidas no histórico de comandos do shell Bash ?

Explanation

HISTSIZE is the correct answer because it is the environment variable that indicates the maximum number of lines that can be stored in the command history of the Bash shell. By setting this variable to a specific value, users can control the size of their command history and limit the number of lines that are saved.

Submit
24. Qual comando built-in que pode ser usado para criar um atalho ou pseudonimo para um comando mais longo? Assumindo que o shell usado é um shell moderno como Bourne shell.

Explanation

The correct answer is "alias". In a modern shell like Bourne shell, the "alias" command can be used to create a shortcut or pseudonym for a longer command. This allows the user to use a shorter and more convenient command to execute the longer command without having to type it out in its entirety every time.

Submit
25. Qual dos comandos abaixo pode ser utilizado para imprimir o valor de uma variável ?

Explanation

The command "echo" can be used to print the value of a variable.

Submit
26. Você precisa procurar em todos os diretórios para localizar um determinado arquivo. Como você fará isto e ainda continuar a chamar outros comandos?

Explanation

To locate a specific file in all directories and continue executing other commands, you can use the command "find / -name filename &". The "find" command is used to search for files and directories based on specified criteria. The "/" indicates that the search should start from the root directory. The "-name" option is used to specify the name of the file you are searching for. The "&" symbol at the end of the command allows the command to run in the background, so you can continue executing other commands while the search is ongoing.

Submit
27. Qual o comando irá imprimir o número da linha antes do início de cada linha em um arquivo ?

Explanation

The "nl" command is used to number lines in a file and can be used to print the line number before the start of each line in a file.

Submit
28. Qual comando abaixo pode ser utilizado para tornar uma variável acessível através de um shell sub-sequente ?

Explanation

The "export" command can be used to make a variable accessible through a subsequent shell. This command allows the variable to be passed to any child processes or sub-shells that are created from the current shell. By using the "export" command, the variable becomes part of the environment and can be accessed by other processes or shells.

Submit
29. Qual afirmativa abaixo melhor descreve o programa xargs ?

Explanation

The correct answer describes the program xargs as a tool that takes data from the standard output of one program and uses it as arguments for another program. This means that xargs can be used to pass the output of one command as input to another command, allowing for more complex and efficient command line operations.

Submit
30. Qual comando exibe por padrão apenas as linhas que não começam com # (símbolo) no arquivo foobar?

Explanation

The correct answer is "/bin/grep -v ^# foobar". The "-v" option in the grep command is used to invert the matching, meaning it will display lines that do not match the specified pattern. "^#" is a regular expression that matches lines starting with the "#" symbol. Therefore, the command will display only the lines that do not start with "#".

Submit
31. Qual dos seguintes iria copiar o arquivo file1.txt para file2.txt ?

Explanation

The correct answer is "cat file1.txt > file2.txt". This command uses the "cat" command to read the contents of file1.txt and then redirects (>) the output to file2.txt, effectively copying the contents of file1.txt to file2.txt.

Submit
32. Qual parâmetro do comando uname pode ser utilizado para exibir o hostname da máquina ?

Explanation

The correct answer is "-n". The "-n" parameter in the "uname" command is used to display the hostname of the machine.

Submit
33. No diretório home do usuário user1 foi digitado o seguinte: "ln file1 file2 ; rm file1" . O que acontece em seguida?

Explanation

Após os comandos "ln file1 file2 ; rm file1" serem digitados no diretório home do usuário user1, o arquivo file2 seria acessado normalmente. O comando "ln file1 file2" cria um link simbólico chamado file2 que aponta para o arquivo file1. Em seguida, o comando "rm file1" remove o arquivo file1, mas o link simbólico file2 ainda permanece apontando para o mesmo local de armazenamento. Portanto, o arquivo file2 ainda pode ser acessado normalmente.

Submit
34. Que comando pode exibir os conteúdos de um arquivo binário em uma forma de hexadecimal legível? Selecione a opção correta.

Explanation

O comando "od" pode exibir os conteúdos de um arquivo binário em uma forma de hexadecimal legível.

Submit
35. Qual parâmetro do comando uname pode ser utilizado para exibir a data de compilação do Sistema Operacional?

Explanation

The parameter "-v" can be used with the "uname" command to display the version and release information of the operating system. This information includes the date of compilation of the operating system.

Submit
36. Qual comando pode ser usado para formatar um arquivo para ser impresso ?

Explanation

O comando "pr" pode ser usado para formatar um arquivo para ser impresso. O "pr" é um utilitário de linha de comando que permite a formatação e a paginação de arquivos de texto para impressão. Ele pode ser usado para ajustar o layout do texto, adicionar cabeçalhos e rodapés, e controlar a formatação geral do documento antes de ser impresso.

Submit
37. Qual é o comando que possui a função de redirecionar a saída padrão de um comando em terminal e simultaneamente a isto em um arquivo ? (Especifique somente o comando) 

Explanation

The command "tee" is used to redirect the standard output of a command in a terminal and simultaneously save it to a file.

Submit
38. Sabemos que é possível usar atalhos no estilo do emacs para listar o histórico a partir do shell bash. Qual atalho pode ser utilizado para avançar o cursor do prompt shell para o final da linha em uma linha de comando? 

Explanation

Ctrl+e is the correct answer because it is the shortcut used to move the cursor to the end of the line in a command line. This shortcut is commonly used in the Emacs-style shortcuts for navigating the shell history in the bash shell. Ctrl+a is used to move the cursor to the beginning of the line, Ctrl+b is used to move the cursor backward, and Ctrl+f is used to move the cursor forward.

Submit
39. Qual dos comandos abaixo realiza cópia em baixo nível ?

Explanation

The command "dd" is used to perform low-level copying in Unix-like operating systems. It is commonly used for tasks such as creating disk images, copying data between devices, and backing up data. The "dd" command allows for precise control over the copying process, including options for specifying block sizes, input and output file locations, and data conversion. It is a powerful tool that can be used for various data manipulation tasks at a low level.

Submit
40. Qual parâmetro do comando uname pode ser utilizado para exibir a versão do kernel ?

Explanation

The parameter "-r" in the "uname" command can be used to display the version of the kernel.

Submit
41. Como você pode imprimir um arquivo inteiro para a saída padrão?

Explanation

To print an entire file to the standard output, you can use the "cat" command. The "cat" command is commonly used to concatenate and display the contents of files. By providing the filename as an argument to the "cat" command, it will display the entire contents of the file on the standard output.

Submit
42. Considerando o Shell Bash, inserindo "1>&2" após um comando de redirecionamento, qual será o resultado deste redirecionamento?

Explanation

In Bash Shell, when "&1>&2" is added after a redirection command, it redirects the standard output (stdout) to the standard error (stderr). This means that any output generated by the command will be sent to the error stream instead of the normal output stream.

Submit
43. Você deseja pesquisar no arquivo myfile todas as ocorrências da string que contenham pelo menos cinco caracteres, onde o caracter de número 2 e 5 são 'a' e o caracter de número 3 não é 'b'. Qual comando você usaria?

Explanation

The correct answer is "grep .a[^b].a myfile". This command uses regular expressions to search for occurrences of the string that have at least five characters, where the second and fifth characters are 'a' and the third character is not 'b'. The '[^b]' part of the regular expression ensures that the third character is not 'b'.

Submit
44. Qual programa utiliza o arquivo /usr/share/file/magic para determinar o tipo de um arquivo informado como parâmetro ? (Informe somente o comando).

Explanation

O programa "file" utiliza o arquivo /usr/share/file/magic para determinar o tipo de um arquivo informado como parâmetro. Ele analisa a estrutura interna do arquivo e fornece informações sobre o seu formato, como se é um arquivo de texto, imagem, áudio, etc.

Submit
45. Você ficou sem espaço no seu diretório home, ao vasculhar pelo que apagar você encontrou o arquivo .bash_history muito grande e o apagou. Dias depois o arquivo ficou grande novamente.  O que fazer para que este arquivo não cresça muito?

Explanation

To prevent the .bash_history file from growing too large, you should change the value of the HISTFILESIZE variable to a smaller value. This variable determines the maximum number of lines that will be saved in the history file. By setting it to a lower value, the file will not be able to grow too large.

Submit
46. Qual a correta interpretação do comando seguinte ? test -f /etc/ldap.conf && mail -s 'Cliente LDAP' root < /etc/ldap.conf || /etc/init.d/slurpd stop

Explanation

If the file /etc/ldap.conf exists, the root user will receive a copy of the file. If the file does not exist, the script /etc/init.d/slurpd will be executed with the parameter stop.

Submit
47. Qual comando abaixo exibe o contéudo do diretório /etc ?

Explanation

The command "/bin/ls -l /etc >&1" will display the content of the directory /etc. The "&>1" at the end redirects both the standard output and standard error to the file descriptor 1, which represents the standard output. This means that any output or error message generated by the command will be displayed on the console.

Submit
48. Qual o comando completo para obter ajuda sobre o comando ls ?

Explanation

The correct answer is "ls --help" because the "--help" option is used to obtain information and guidance on how to use the "ls" command. This option displays a list of available command line options, their descriptions, and usage examples. By typing "ls --help" in the command line, users can access this helpful documentation and get assistance on how to effectively utilize the "ls" command.

Submit
49. Qual comando man (Com parâmetro) irá retornar uma saída similar ao comando apropos ?

Explanation

The correct answer is "man -k". The "man -k" command will return a similar output to the "apropos" command. The "apropos" command is used to search for commands based on keywords, and the "man -k" command performs a similar function by searching for manual pages that contain the specified keyword.

Submit
50. Sabemos que é possível usar atalhos no estilo do emacs para listar o histórico a partir do shell bash. Qual atalho pode ser utilizado para posicionar o cursor do prompt shell para o início da linha em uma linha de comando? 

Explanation

Ctrl+a is the correct answer because it is the shortcut used to move the cursor to the beginning of the line in a command line. This allows the user to quickly edit or add text at the start of the command without having to use the arrow keys or delete characters.

Submit
51. Qual dos seguintes comandos irá mostrar as linhas que contêm letras maiúsculas do arquivo " turkey.txt " ?

Explanation

The command "grep -n [A-Z] turkey.txt" will search for and display the lines in the file "turkey.txt" that contain uppercase letters. The "-n" option is used to display the line numbers along with the matching lines, and "[A-Z]" is the regular expression pattern that matches any uppercase letter.

Submit
52. Qual parâmetro do comando uname pode ser utilizado para exibir o tipo de máquina (Hardware/Arquitetura) ?

Explanation

The parameter "-m" in the "uname" command can be used to display the type of machine or hardware architecture.

Submit
53. Qual é o resultado do comando a seguir ? sort -ur lista.txt | tr 'a-z' 'A-Z'

Explanation

The given command "sort -ur lista.txt | tr 'a-z' 'A-Z'" sorts the file "lista.txt" in alphabetical order, reverses the result, removes duplicate content, and converts lowercase characters to uppercase. The "sort" command with the options "-ur" sorts the file in reverse order and removes duplicate lines. The sorted result is then passed to the "tr" command, which translates lowercase characters to uppercase using the specified character mapping 'a-z' to 'A-Z'.

Submit
54. Como root você já navegou para o diretório /B. Você deseja mover todos os arquivos e diretórios do diretório /A para o diretório /B. Qual das seguintes opções seria o comando mais adequado para executar esta tarefa?

Explanation

The correct answer is "mv -f /A/* .". This command uses the "mv" command to move all files and directories from directory /A to the current directory (denoted by the dot "."). The "-f" flag forces the move operation, overwriting any existing files with the same name in the destination directory.

Submit
55. Como você pode exibir todas as linhas de texto do arquivo que não estão vazias?

Explanation

The correct answer is "grep -v ^$ arquivo". This command uses the grep utility to search for lines in the "arquivo" file that are not empty. The -v option is used to invert the match, so it will display all lines that do not match the pattern. The pattern ^$ represents an empty line, so the command will display all lines that are not empty.

Submit
56. Qual comando abaixo exibe somente as linhas referente aos logins root e daniel do arquivo /etc/passwd ? 

Explanation

The correct answer is "egrep '^(root|daniel):' /etc/passwd". This command uses the egrep command with a regular expression pattern to match lines that start with either "root:" or "daniel:". It searches the file /etc/passwd and displays only the lines that match this pattern, which are the lines referring to the logins "root" and "daniel".

Submit
57. Sobre os atalhos de histórico associe:
Submit
58. Você quer fazer uma cópia de todos os arquivos e diretórios no HOME para outro dispositivo. Qual o comando apropriado?

Explanation

The appropriate command to make a copy of all files and directories in the HOME directory to another device is "cpio".

Submit
59. Qual é a opção que pode ser utilizada no comando uniq para mostrar apenas linhas duplicadas em um arquivo. (Especifique somente a opção).

Explanation

The option "-d" can be used with the "uniq" command to display only the duplicate lines in a file.

Submit
60. Sabemos que é possível usar atalhos no estilo do emacs para listar o histórico a partir do shell bash. Qual atalho pode ser utilizado para seguir uma linha de comando a frente?

Explanation

Ctrl+n is the correct answer because it is an Emacs-style shortcut that can be used to navigate forward through the command history in the bash shell. This shortcut allows the user to quickly access and reuse previously entered commands without having to retype them.

Submit
61. Qual expressão regular a seguir pode ser capaz de filtrar as palavras "Linux" e "linux", mas não "linux.com" e "TurboLinux"?

Explanation

The expression [Ll]inux uses a character class to match either "L" or "l", followed by the string "inux". This allows it to match both "Linux" and "linux", but not "linux.com" or "TurboLinux".

Submit
62. file1 e file2 são arquivos de texto em seu diretório local. file1 contém: allan Bart ceasar e file2 contém: alicia Beatrice Cecilia. Qual seria a saída do seguinte comando? tac file1 file2

Explanation

The "tac" command is used to reverse the order of lines in a file. In this case, the command "tac file1 file2" will first reverse the lines in file1 and then reverse the lines in file2. Therefore, the output will be "ceasar/ bart/ allan/ cecilia/ beatrice/ alicia".

Submit
63. Carla tem um arquivo de texto nomeado de  "lista_convidados" que contém 12 linhas.  Ela executou o seguinte comando "split -4 lista_convidados gl".  Qual é o resultado obtido?

Explanation

The command "split -4 lista_convidados gl" is used to split the file "lista_convidados" into multiple files with a prefix of "gl" and a suffix of "aa", "ab", "ac", etc. The number after the hyphen (-4) specifies the maximum number of lines per file. In this case, since there are 12 lines in the file and the maximum number of lines per file is 4, the lines are divided evenly between the new files "glaa", "glab", and "glac".

Submit
64. Qual dos comandos abaixo irá listar os atributos do arquivo foobar ?

Explanation

The correct answer is "lsattr foobar". This command is used to list the attributes of a file in Linux. The "lsattr" command is specifically designed for this purpose, allowing users to view and modify the attributes of a file, such as whether it is immutable or undeletable. Therefore, using "lsattr foobar" will display the attributes of the file named "foobar".

Submit
65. Qual a correta sintaxe do comando man quando desejamos exibir uma página de manual que pertence a seção de número 6 ?

Explanation

The correct syntax of the "man" command to display a manual page belonging to section number 6 is "man -s 6 games".

Submit
66. Como você poderia remover um diretório cheio ?

Explanation

To remove a directory and its contents, the correct command is "rm -r /diretorio". The "-r" flag is used to recursively remove all files and subdirectories within the specified directory. This command will effectively delete the directory and its contents.

Submit
67. Qual comando irá facilmente converter tabulações em espaços dentro de um arquivo ?

Explanation

The command "expand" will easily convert tabs into spaces within a file.

Submit
68. Sabemos que é possível usar atalhos no estilo do emacs para listar o histórico a partir do shell bash. Qual atalho pode ser utilizado para retroceder o cursor do propmpt shell a um caractere em uma linha de comando?

Explanation

Ctrl+b is the correct answer because it is the shortcut used to move the cursor back one character in a command line in the bash shell. This allows the user to easily edit and navigate through their command without having to delete and retype the entire line.

Submit
69. O seguinte comando: "cut -f1,5,6 -d ':' --output-delimiter ' - ' /etc/passwd" possui qual resultado ? 

Explanation

The given command "cut -f1,5,6 -d ':' --output-delimiter ' - ' /etc/passwd" will display the login of the user, comment field, and home directory. All fields will be displayed using the character '-' as a separator.

Submit
70. Qual dos seguintes comandos faria o mesmo que o comando cat < file1.txt > file2.txt ?

Explanation

The correct answer is "cat file1.txt > file2.txt". This command redirects the output of the "cat" command, which displays the contents of "file1.txt", and saves it into "file2.txt". This means that the contents of "file1.txt" will be copied and overwritten onto "file2.txt".

Submit
71. Qual parâmetro do comando uname pode ser utilizado para exibir o nome do sistema operacional ?

Explanation

The parameter "-s" in the "uname" command can be used to display the name of the operating system.

Submit
72. Sobre as variáveis predefinidas. Associe:
Submit
73. Qual comando abaixo concatena tanto a saída padrão e qualquer erro gerado ao arquivo saida.txt ? (Selecione 2 respostas).

Explanation

The correct answers are "find / -exec ls -ld {} \; >> saida.txt 2>&1" and "find / -exec ls -ld {} \; 2>&1 >> saida.txt". These commands redirect both the standard output and any errors generated to the file "saida.txt". The ">>" operator appends the output to the file, while "2>&1" redirects the standard error to the standard output.

Submit
74. Qual comando irá retornar quantas contas de usuários existem no arquivo /etc/passwd ?

Explanation

The command "wc --lines /etc/passwd" will return the number of lines in the file /etc/passwd, which corresponds to the number of user accounts in the file.

Submit
75. Sobre as variáveis especiais. Associe:
Submit
76. O comando iniciado através de ________ não se torna um processo filho do shell, mas toma seu lugar. Dessa forma, o shell é finalizado quando o comando terminar.

Explanation

The "exec" command in the given sentence is used to start a command that does not become a child process of the shell, but rather takes its place. This means that when the command initiated with "exec" finishes, the shell is terminated.

Submit
77. O que o comando pr faz?

Explanation

The correct answer is "Pagina arquivos de texto." This means that the command "pr" is used to paginate or display text files.

Submit
78. Sabemos que é possível usar atalhos no estilo do emacs para listar o histórico a partir do shell bash. Qual atalho pode ser utilizado para retornar a uma linha de comando anterior?

Explanation

Ctrl+p is the correct answer because it is the shortcut used in the Emacs style to return to the previous command line in the bash shell.

Submit
79. Para evitar que um comando executado como root envie ambas saídas padrão (stdout e stderr) para saída em qualquer terminal, arquivo ou dispositivo. Qual das opções abaixo estaria correta ?

Explanation

The correct answer is "> /dev/null 2>&1". This command redirects both the standard output (stdout) and standard error (stderr) to the null device (/dev/null). The "2>&1" part of the command redirects stderr to the same location as stdout, which is /dev/null. This ensures that both stdout and stderr are discarded and not displayed in any terminal, file, or device.

Submit
80. Qual dos comandos abaixo é a forma correta de se criar um backup dos arquivos de configuração do diretório /etc usando o comando tar ?

Explanation

The correct answer is "ls /etc/*.conf | xargs tar czf backup.tar.gz". This command correctly lists all the files with the .conf extension in the /etc directory and then uses xargs to pass the file names as arguments to the tar command. The tar command then creates a compressed backup file named backup.tar.gz.

Submit
81. Qual comando abaixo pode ser utilizado para visualizar todas as variáveis de ambiente?

Explanation

The "set" command can be used to view all environment variables.

Submit
82. Você quer que o comando foo pegue a entrada padrão a partir do arquivo foobar e envie a saída padrão para o programa bar. Qual das seguintes linhas de comando irá fazer isso?

Explanation

The correct answer is "foo

Submit
83. Sabemos que é possível usar atalhos no estilo do emacs para listar o histórico a partir do shell bash. Qual atalho pode ser utilizado para avançar o cursor do prompt shell a um caractere em uma linha de comando? 

Explanation

Ctrl+f is the correct answer because it is the shortcut used to move the cursor forward one character in a command line. This allows the user to navigate and edit the command more efficiently.

Submit
84. Qual dos comandos abaixo não exibe as linhas de comentário do arquivo /etc/services ? (Selecione 3 respostas).

Explanation

The given answer options (egrep '^[^#]' /etc/services, grep -v '^#' /etc/services, sed -e “/^#/d” /etc/services) are all commands that can be used to exclude or remove lines starting with a "#" symbol from the file /etc/services. The first command, egrep '^[^#]' /etc/services, uses the extended grep command to match lines that do not start with a "#". The second command, grep -v '^#' /etc/services, uses the grep command with the -v option to invert the matching and exclude lines that start with a "#". The third command, sed -e “/^#/d” /etc/services, uses the sed command to delete lines that start with a "#".

Submit
85. Qual comando ls (Com parâmetro) exibe a listagem de diretórios com caractere "/" no final ?

Explanation

The command "ls -p" displays the listing of directories with a trailing slash ("/") at the end. This can be useful to differentiate between directories and files when viewing the directory contents.

Submit
86. Qual o uso correto do comando find quando desejamos procurar em todo sistema por arquivos com o bit de execução SUID ativo ?

Explanation

The correct answer is "find / -perm +4000 -exec ls -ld {} \;". This command uses the "find" command to search the entire system ("/") for files with the SUID (Set User ID) permission bit active. The "-perm +4000" flag specifies that it should search for files with any of the SUID, SGID (Set Group ID), or sticky bits set. The "-exec ls -ld {} \;" part of the command executes the "ls -ld" command on each file found, displaying detailed information about the file.

Submit
87. Qual comando ls (Com parâmetro) pode ser utilizado para listar arquivos e diretórios separados por vírgula ?

Explanation

The command "ls -m" can be used to list files and directories separated by commas.

Submit
88. Qual o parâmetro do comando man que possui funcionalidade similar ao comando whatis quando desejamos obter páginas de manuais sobre o termo "Xorg" ?

Explanation

The correct answer is "man -f Xorg". The "-f" parameter in the "man" command is used to search for manual pages that contain a specific keyword. In this case, it is used to search for manual pages related to the term "Xorg".

Submit
89. Qual das seguintes alternativas irá levá-lo de volta para seu diretório home? (Selecione todas que se aplicam).

Explanation

All of the given options will take you back to your home directory. The command "cd $HOME" uses the environment variable $HOME to navigate to the home directory. Similarly, the command "cd $USER" uses the environment variable $USER to navigate to the home directory of the current user. Finally, the command "cd ~" is a shorthand notation for navigating to the home directory.

Submit
90. Qual das afirmativas sobre os comandos cat e tac são verdadeiras ? (Selecione 2 respostas).

Explanation

The first statement is true because the "cat" command is used to display the content of a file, while the "tac" command does the same but in reverse order. The fourth statement is also true because both "cat" and "tac" can be used to create new files.

Submit
91. Você quer que o vi seja o seu editor padrão. Como fazer isto todas as vezes que você logar no sistema?

Explanation

To make the "vi" editor your default editor every time you log into the system, you need to change the file "~/.inputrc". This file contains the configuration settings for the readline library, which is used by various command-line programs, including the "vi" editor. By modifying this file, you can set the desired options and preferences for the "vi" editor, such as key bindings and command history.

Submit
92. Logo após a instalação de um novo GNU/Linux, o Administrador do Sistema abre um shell e digita o seguinte comando: "cat /etc/passwd | head -c 4". Qual o resultado produzido ?

Explanation

O comando "cat /etc/passwd | head -c 4" exibe apenas os primeiros 4 caracteres do conteúdo do arquivo /etc/passwd. Neste caso, a resposta correta é "A string root", pois os primeiros 4 caracteres do arquivo /etc/passwd são "root".

Submit
93. Para alterar todos os caracteres minúsculos em um arquivo para maiúsculas, escolha o comando correto. (Selecione tudo que se aplica).

Explanation

The correct answer is "tr [a-z] [A-Z]

Submit
94. Complete. O diretório ________ possui grande parte da documentação de uma distribuição Linux em forma de HOWTOS, FAQs, arquivos README, guias de instalação e manuais de usuário.

Explanation

The correct answer is /usr/share/doc. This directory contains a significant portion of the documentation for a Linux distribution, including HOWTOS, FAQs, README files, installation guides, and user manuals.

Submit
95. Qual o comando que é possível alterar o modo de edição do shell Bash para o modo de edição no estilo vi ?

Explanation

The correct answer is "set -o vi" because this command allows the user to change the editing mode of the Bash shell to the vi-style editing mode. In this mode, the user can use vi-like commands and shortcuts to edit and navigate through the command line.

Submit
96. Sobre o comando cat. Associe.
Submit
97. Sobre os arquivos de configurações abaixo. Associe.
Submit
98. Sobre os números das sessões das páginas de manuais utilizando o comando man. Associe:
Submit
99. Sobre o comando ls. Associe.
Submit
100. Sobre as opções do comando cp. Associe:
Submit
View My Results

Quiz Review Timeline (Updated): Mar 22, 2023 +

Our quizzes are rigorously reviewed, monitored and continuously updated by our expert board to maintain accuracy, relevance, and timeliness.

  • Current Version
  • Mar 22, 2023
    Quiz Edited by
    ProProfs Editorial Team
  • Apr 09, 2016
    Quiz Created by
    Viniciusalcantar
Cancel
  • All
    All (100)
  • Unanswered
    Unanswered ()
  • Answered
    Answered ()
Qual comando abaixo irá exibir sua atual localização na...
Qual comando pode ser usado para dividir um determinado arquivo em 4...
Qual comando irá remover linhas duplicadas de um arquivo...
Qual é o argumento que é valido tanto para os comandos...
Qual dos seguintes comandos você pode usar para renomear um...
O comando apropos procura por programas e comandos através de...
Qual dos seguintes comandos irá exibir as últimas 30...
Qual dos seguintes comandos seria mais provável ser usado para...
Qual comando exibirá as últimas linhas do arquivo texto...
Toda vez que você tenta deletar um arquivo usando o rm, o...
Qual comando remove todos os subdiretórios em /tmp...
Quais das opções abaixo podem retornar informações...
Qual o uso correto do comando mkdir para se criar a estrutura de...
Qual comando é usado para remover um diretório vazio ?...
Qual das declarações seguintes descreve corretamente os...
Qual comando copiaria a árvore de diretório inteira,...
Qual comando pode ser utilizado para remover o valor de uma...
Qual dos comandos seguintes poderia ser usado para mudar todos os...
Qual dos comandos a seguir copia arquivos com a extensão .txt...
O seguinte resultado: 40 58 1815 /tmp/arquivo.txt pertence a qual...
Como você pode descrever o comando a seguir? tail -f...
Qual o correto comando usado para copiar o diretório de origem...
Qual é a variável de ambiente que indica a quantidade de...
Qual comando built-in que pode ser usado para criar um atalho ou...
Qual dos comandos abaixo pode ser utilizado para imprimir o valor de...
Você precisa procurar em todos os diretórios para...
Qual o comando irá imprimir o número da linha antes do...
Qual comando abaixo pode ser utilizado para tornar uma variável...
Qual afirmativa abaixo melhor descreve o programa xargs ?
Qual comando exibe por padrão apenas as linhas que não...
Qual dos seguintes iria copiar o arquivo file1.txt para file2.txt ?
Qual parâmetro do comando uname pode ser utilizado para exibir o...
No diretório home do usuário user1 foi digitado o...
Que comando pode exibir os conteúdos de um arquivo...
Qual parâmetro do comando uname pode ser utilizado para exibir a...
Qual comando pode ser usado para formatar um arquivo para ser impresso...
Qual é o comando que possui a função de redirecionar a...
Sabemos que é possível usar atalhos no estilo do emacs...
Qual dos comandos abaixo realiza cópia em baixo nível ?
Qual parâmetro do comando uname pode ser utilizado para exibir a...
Como você pode imprimir um arquivo inteiro para a saída...
Considerando o Shell Bash, inserindo "1>&2"...
Você deseja pesquisar no arquivo myfile todas as...
Qual programa utiliza o arquivo /usr/share/file/magic para determinar...
Você ficou sem espaço no seu diretório home, ao...
Qual a correta interpretação do comando seguinte ? test -f...
Qual comando abaixo exibe o contéudo do diretório /etc ?
Qual o comando completo para obter ajuda sobre o comando ls ?
Qual comando man (Com parâmetro) irá retornar uma...
Sabemos que é possível usar atalhos no estilo do emacs...
Qual dos seguintes comandos irá mostrar as linhas que...
Qual parâmetro do comando uname pode ser utilizado para exibir o...
Qual é o resultado do comando a seguir ? sort -ur lista.txt |...
Como root você já navegou para o diretório /B....
Como você pode exibir todas as linhas de texto do arquivo que...
Qual comando abaixo exibe somente as linhas referente aos logins root...
Sobre os atalhos de histórico associe:
Você quer fazer uma cópia de todos os arquivos e...
Qual é a opção que pode ser utilizada no comando uniq...
Sabemos que é possível usar atalhos no estilo do emacs...
Qual expressão regular a seguir pode ser capaz de filtrar as...
File1 e file2 são arquivos de texto em seu diretório...
Carla tem um arquivo de texto nomeado de ...
Qual dos comandos abaixo irá listar os atributos do arquivo...
Qual a correta sintaxe do comando man quando desejamos exibir uma...
Como você poderia remover um diretório cheio ?
Qual comando irá facilmente converter tabulações em...
Sabemos que é possível usar atalhos no estilo do emacs...
O seguinte comando: "cut -f1,5,6 -d ':'...
Qual dos seguintes comandos faria o mesmo que o comando cat <...
Qual parâmetro do comando uname pode ser utilizado para exibir o...
Sobre as variáveis predefinidas. Associe:
Qual comando abaixo concatena tanto a saída padrão e...
Qual comando irá retornar quantas contas de usuários...
Sobre as variáveis especiais. Associe:
O comando iniciado através de ________ não se torna um...
O que o comando pr faz?
Sabemos que é possível usar atalhos no estilo do emacs...
Para evitar que um comando executado como root envie ambas...
Qual dos comandos abaixo é a forma correta de se criar um...
Qual comando abaixo pode ser utilizado para visualizar todas as...
Você quer que o comando foo pegue a entrada padrão a...
Sabemos que é possível usar atalhos no estilo do emacs...
Qual dos comandos abaixo não exibe as linhas de...
Qual comando ls (Com parâmetro) exibe a listagem de...
Qual o uso correto do comando find quando desejamos procurar em todo...
Qual comando ls (Com parâmetro) pode ser utilizado para listar...
Qual o parâmetro do comando man que possui funcionalidade...
Qual das seguintes alternativas irá levá-lo de volta...
Qual das afirmativas sobre os comandos cat e tac são...
Você quer que o vi seja o seu editor padrão. Como fazer...
Logo após a instalação de um novo GNU/Linux, o...
Para alterar todos os caracteres minúsculos em um arquivo para...
Complete. O diretório ________ possui grande parte da...
Qual o comando que é possível alterar o modo de...
Sobre o comando cat. Associe.
Sobre os arquivos de configurações abaixo. Associe.
Sobre os números das sessões das páginas de...
Sobre o comando ls. Associe.
Sobre as opções do comando cp. Associe:
Alert!

Advertisement