Как прочитать файл в консоли windows

I want to display the content of a text file in a CMD window. In addition, I want to see the new lines that added to file, like tail -f command in Unix.

Peter Mortensen's user avatar

asked Jun 20, 2013 at 15:16

Refael's user avatar

2

We can use the ‘type’ command to see file contents in cmd.

Example —

type abc.txt

More information can be found HERE.

Peter Mortensen's user avatar

answered Dec 25, 2015 at 1:22

Anmol Saraf's user avatar

Anmol SarafAnmol Saraf

15.1k10 gold badges51 silver badges60 bronze badges

1

I don’t think there is a built-in function for that

xxxx.txt > con

This opens the files in the default text editor in windows…

type xxxx.txt

This displays the file in the current window. Maybe this has params you can use…

There is a similar question here: CMD.EXE batch script to display last 10 lines from a txt file
So there is a «more» command to display a file from the given line, or you can use the GNU Utilities for Win32 what bryanph suggested in his link.

Community's user avatar

answered Jun 20, 2013 at 15:24

inf3rno's user avatar

inf3rnoinf3rno

25k11 gold badges115 silver badges197 bronze badges

1

To show content of a file:

type file.txt — cmd

cat file.txt — bash/powershell

answered Apr 20, 2021 at 2:28

LaurentBaj's user avatar

LaurentBajLaurentBaj

4615 silver badges10 bronze badges

You can use the ‘more’ command to see the content of the file:

more filename.txt

Peter Mortensen's user avatar

answered Jun 5, 2017 at 19:12

H.Marroquin's user avatar

1

Using a single PowerShell command to retrieve the file ending:

powershell -nologo "& "Get-Content -Wait c:\logFile.log -Tail 10"

It applies to PowerShell 3.0 and newer.

Another option is to create a file called TAIL.CMD with this code:

powershell -nologo "& "Get-Content -Wait %1 -Tail %2"

Peter Mortensen's user avatar

answered Feb 17, 2016 at 12:59

Eyal's user avatar

EyalEyal

1611 silver badge9 bronze badges

1

To do this, you can use Microsoft’s more advanced command-line shell called «Windows PowerShell.» It should come standard on the latest versions of Windows, but you can download it from Microsoft if you don’t already have it installed.

To get the last five lines in the text file simply read the file using Get-Content, then have Select-Object pick out the last five items/lines for you:

Get-Content c:\scripts\test.txt | Select-Object -last 5

Source: Using the Get-Content Cmdlet

answered May 18, 2016 at 18:50

Michael Yaeger's user avatar

1

You can do that in some methods:

One is the type command: type filename
Another is the more command: more filename
With more you can also do that: type filename | more

The last option is using a for
for /f "usebackq delims=" %%A in (filename) do (echo.%%A)
This will go for each line and display it’s content. This is an equivalent of the type command, but it’s another method of reading the content.

If you are asking what to use, use the more command as it will make a pause.

answered Jun 14, 2020 at 16:01

Anic17's user avatar

Anic17Anic17

7115 silver badges18 bronze badges

If you want it to display the content of the file live, and update when the file is altered, just use this script:

@echo off
:start
cls
type myfile.txt
goto start

That will repeat forever until you close the cmd window.

Peter Mortensen's user avatar

answered Mar 11, 2017 at 3:08

Johnny G Gaming's user avatar

1

There is no built in option available with Windows. To constantly monitor logs you can use this free application BareTailPro.

Peter Mortensen's user avatar

answered Jun 20, 2013 at 15:21

Sudheej's user avatar

SudheejSudheej

1,8836 gold badges30 silver badges58 bronze badges

If you want to display for example all .config (or .ini) file name and file content into one doc for user reference (and by this I mean user not knowing shell command i.e. 95% of them), you can try this :

FORFILES /M *myFile.ini /C "cmd /c echo File name : @file >> %temp%\stdout.txt && type @path >> %temp%\stdout.txt && echo. >> %temp%\stdout.txt" | type %temp%\stdout.txt

Explanation :

  • ForFiles : loop on a directory (and child, etc) each file meeting criteria
    • able to return the current file name being process (@file)
    • able to return the full path file being process (@path)
  • Type : Output the file content

Ps : The last pipe command is pointing the %temp% file and output the aggregate content. If you wish to copy/paste in some documentation, just open the stdout.txt file in textpad.

Anic17's user avatar

Anic17

7115 silver badges18 bronze badges

answered Nov 19, 2019 at 18:25

user11116047's user avatar

0

You can use either more filename.[extension] or type filename.[extension]

enter image description here

StupidWolf's user avatar

StupidWolf

45.2k17 gold badges40 silver badges72 bronze badges

answered Jun 4, 2021 at 6:12

Mohammed Siraj B's user avatar

2

tail -3 d:\text_file.txt

tail -1 d:\text_file.txt

I assume this was added to Windows cmd.exe at some point.

Ian's user avatar

Ian

30.3k19 gold badges70 silver badges107 bronze badges

answered Jan 29, 2016 at 14:14

noni's user avatar

2

I want to display the content of a text file in a CMD window. In addition, I want to see the new lines that added to file, like tail -f command in Unix.

Peter Mortensen's user avatar

asked Jun 20, 2013 at 15:16

Refael's user avatar

2

We can use the ‘type’ command to see file contents in cmd.

Example —

type abc.txt

More information can be found HERE.

Peter Mortensen's user avatar

answered Dec 25, 2015 at 1:22

Anmol Saraf's user avatar

Anmol SarafAnmol Saraf

15.1k10 gold badges51 silver badges60 bronze badges

1

I don’t think there is a built-in function for that

xxxx.txt > con

This opens the files in the default text editor in windows…

type xxxx.txt

This displays the file in the current window. Maybe this has params you can use…

There is a similar question here: CMD.EXE batch script to display last 10 lines from a txt file
So there is a «more» command to display a file from the given line, or you can use the GNU Utilities for Win32 what bryanph suggested in his link.

Community's user avatar

answered Jun 20, 2013 at 15:24

inf3rno's user avatar

inf3rnoinf3rno

25k11 gold badges115 silver badges197 bronze badges

1

To show content of a file:

type file.txt — cmd

cat file.txt — bash/powershell

answered Apr 20, 2021 at 2:28

LaurentBaj's user avatar

LaurentBajLaurentBaj

4615 silver badges10 bronze badges

You can use the ‘more’ command to see the content of the file:

more filename.txt

Peter Mortensen's user avatar

answered Jun 5, 2017 at 19:12

H.Marroquin's user avatar

1

Using a single PowerShell command to retrieve the file ending:

powershell -nologo "& "Get-Content -Wait c:\logFile.log -Tail 10"

It applies to PowerShell 3.0 and newer.

Another option is to create a file called TAIL.CMD with this code:

powershell -nologo "& "Get-Content -Wait %1 -Tail %2"

Peter Mortensen's user avatar

answered Feb 17, 2016 at 12:59

Eyal's user avatar

EyalEyal

1611 silver badge9 bronze badges

1

To do this, you can use Microsoft’s more advanced command-line shell called «Windows PowerShell.» It should come standard on the latest versions of Windows, but you can download it from Microsoft if you don’t already have it installed.

To get the last five lines in the text file simply read the file using Get-Content, then have Select-Object pick out the last five items/lines for you:

Get-Content c:\scripts\test.txt | Select-Object -last 5

Source: Using the Get-Content Cmdlet

answered May 18, 2016 at 18:50

Michael Yaeger's user avatar

1

You can do that in some methods:

One is the type command: type filename
Another is the more command: more filename
With more you can also do that: type filename | more

The last option is using a for
for /f "usebackq delims=" %%A in (filename) do (echo.%%A)
This will go for each line and display it’s content. This is an equivalent of the type command, but it’s another method of reading the content.

If you are asking what to use, use the more command as it will make a pause.

answered Jun 14, 2020 at 16:01

Anic17's user avatar

Anic17Anic17

7115 silver badges18 bronze badges

If you want it to display the content of the file live, and update when the file is altered, just use this script:

@echo off
:start
cls
type myfile.txt
goto start

That will repeat forever until you close the cmd window.

Peter Mortensen's user avatar

answered Mar 11, 2017 at 3:08

Johnny G Gaming's user avatar

1

There is no built in option available with Windows. To constantly monitor logs you can use this free application BareTailPro.

Peter Mortensen's user avatar

answered Jun 20, 2013 at 15:21

Sudheej's user avatar

SudheejSudheej

1,8836 gold badges30 silver badges58 bronze badges

If you want to display for example all .config (or .ini) file name and file content into one doc for user reference (and by this I mean user not knowing shell command i.e. 95% of them), you can try this :

FORFILES /M *myFile.ini /C "cmd /c echo File name : @file >> %temp%\stdout.txt && type @path >> %temp%\stdout.txt && echo. >> %temp%\stdout.txt" | type %temp%\stdout.txt

Explanation :

  • ForFiles : loop on a directory (and child, etc) each file meeting criteria
    • able to return the current file name being process (@file)
    • able to return the full path file being process (@path)
  • Type : Output the file content

Ps : The last pipe command is pointing the %temp% file and output the aggregate content. If you wish to copy/paste in some documentation, just open the stdout.txt file in textpad.

Anic17's user avatar

Anic17

7115 silver badges18 bronze badges

answered Nov 19, 2019 at 18:25

user11116047's user avatar

0

You can use either more filename.[extension] or type filename.[extension]

enter image description here

StupidWolf's user avatar

StupidWolf

45.2k17 gold badges40 silver badges72 bronze badges

answered Jun 4, 2021 at 6:12

Mohammed Siraj B's user avatar

2

tail -3 d:\text_file.txt

tail -1 d:\text_file.txt

I assume this was added to Windows cmd.exe at some point.

Ian's user avatar

Ian

30.3k19 gold badges70 silver badges107 bronze badges

answered Jan 29, 2016 at 14:14

noni's user avatar

2

Создание и чтение текстовых файлов в командной строкеЕсли вы оказались без доступа к чему-либо кроме командной строки или Windows PowerShell и по какой-то причине вам требуется возможность создания или чтения текстовых файлов, это вполне реализуемо, причем более чем одним методом.

В этой инструкции подробно о работе с текстовыми файлами в командной строки или PowerShell (разумеется, можно и в Терминале Windows) — создание и сохранение текстовых файлов, их вывод и чтение в консоли.

Создание текстовых файлов в командной строке

Возможность создания текстовых файлов доступна как в командной строке (cmd.exe), так и в PowerShell. Начнем с первого варианта.

Во всех случаях учитывайте, что при использовании кириллицы потенциально возможны проблемы с кодировкой, а в некоторых случаях кодировка может отличаться при использовании разных команд.

Команда ECHO

Команда командной строки echo предназначена для вывода текстовых сообщений в окне консоли, например, при выполнении сценария в bat-файле, но может быть использована и для вывода текста в файл, благодаря возможности использования оператора «>» для перенаправления вывода из консоли в файл.

Пример команды:

echo Содержимое текстового файла > file.txt

В результате её выполнения в текущей рабочей папке командной строки будет создан файл с именем file.txt и содержимым «Содержимое текстового файла».

Создание текстового файла с помощью команды echo

COPY CON

Команда copy с параметром con позволяет скопировать содержимое консоли в файл. Использование возможности будет состоять из следующих шагов:

  1. Введите команду
    copy con имя_файла.txt

    файл не будет создан, но после выполнения указанной команды у вас появится возможность набрать содержимое этого файла, которое по завершении процесса будет в него сохранено.

  2. Курсор переместится на строчку ниже, и вы сможете набирать текст так, как делаете это обычно, включая перенос строки. Создание текстового файла с помощью copy con
  3. Для завершения набора и сохранения текстового файла нажмите сочетание клавиш Ctrl+Z, а затем — Enter. Это добавит отметку конца файла и сохранит его в текущей папке с указанным на 1-м шаге именем. Сохранение текстового файла с помощью copy con

Создание текстового файла в PowerShell

PowerShell также имеет набор встроенных командлетов для сохранения текстовых данных в файл.

Out-File

Использование Out-File в PowerShell по своей функциональности сходно с оператором перенаправления вывода в командной строке. Вывод консоли перенаправляется в заданный файл.

Пример использования:

"Текстовая строка" | Out-File -FilePath .\file.txt

В этом примере в текущей папке PowerShell будет создан файл с именем file.txt и содержимым «Текстовая строка».

New-Item

Создание нового текстового файла в PowerShell возможно с помощью командлета New-Item. Пример команды, в которой создается текстовый файл file.txt, содержащий «Текстовая строка» в текущем расположении:

New-Item -Path . -Name "file.txt" -ItemType "file" -Value "Текстовая строка"

Создание текстового файла с помощью New-Item в PowerShell

Set-Content и Add-Content

Ещё два командлета PowerShell для работы с текстовыми файлами:

  • Set-Content — перезаписывает содержимое файла
  • Add-Content — добавляет содержимое в конце выбранного файла

Их использование можно увидеть на примере следующей команды:

Add-Content -Path .\file.txt -Value "Ещё одна текстовая строка"

Добавление текста к файлу в PowerShell

Вывод (чтение) текстового файла в командной строке и PowerShell

Теперь перейдем к способам просмотреть текстовые файлы в командной строке или PowerShell. Как и в предыдущем случае, учитывайте, что для файлов, содержащих кириллицу, возможны проблемы с отображением символов в правильной кодировке.

TYPE

Самый простой вариант — использование команды TYPE с указанием пути к файлу, который нужно отобразить в консоли, например:

type file.txt

Вывод текстового файла с помощью команды type

MORE

Если файл объемный и содержит большое количество строк, используйте команду more, например:

more file.txt

Выполнив команду, вы увидите часть содержимого текста, которая помещается в окне консоли, далее вы можете использовать следующие клавиши:

Вывод текстового файла с помощью команды more

  • Enter — для отображения следующей строки файла.
  • Пробел — для отображения следующих строк документа, которые поместятся в активное окно консоли.
  • P — Показать следующие N строк. После нажатия этой клавиши с последующим указанием количества строк, будет выведено соответствующее количество строк текстового документа.
  • S — пропустить следующие N строк, работает аналогично предыдущему варианту.
  • Клавиша «=» — для отображения текущего номера строки.
  • Q — для прекращения выполнения команды more.

Get-Content

Вывести содержимое текстового файла в PowerShell можно с помощью Get-Content с указанием пути к файлу, например:

Get-Content file.txt

Чтение текстового файла с помощью Get-Content в PowerShell

Также вы можете выводить определенные строки файла, с помощью команд вида (вывод первых или последних 10 строк соответственно):

Get-Content file.txt | Select-Object -First 10
Get-Content file.txt | Select-Object -Last 10

Или присвоить содержимое файла переменной и вывести конкретную строку:

$file_text = Get-Content file.txt
$file_text[2]

Текстовый редактор edit.com в Windows

Помимо использования ручного ввода команд, вы можете использовать консольные текстовые редакторы — сторонние в версиях для Windows, такие как Vim, Nano, Kinesics Text Editor или даже старый встроенный edit.com (может отсутствовать в вашей версии системы и требовать патча NTVDMx64).

on January 1, 2009

We can read a text file from command line using type command. This command is similar to cat command on Linux.

Example: Let us print the contents of the file c:\boot.ini

C:\>type c:\boot.ini
[boot loader]
timeout=30
default=multi(0)disk(0)rdisk(0)partition(2)\WINDOWS
[operating systems]
multi(0)disk(0)rdisk(0)partition(2)\WINDOWS="Microsoft Windows XP Home Edition"

If the file is very huge, we can use more command to read the data one page at a time. This more command is pretty much similar to the Linux more command.

Syntax of the command is:

more filename

This command prints one page text on the console and waits for the user to press Enter before it shows the next page.

The above explained commands work in Windows 7, Windows 10 and all Server editions

CMD

Windows — это операционная система, созданная для удобства пользователей. Поэтому в основном его графический интерфейс используется для выполнения всех необходимых действий, управления и редактирования файлов и т. Д. Однако есть и те, кто иногда предпочитаю использовать командную консоль, также известная как командная строка, Командная строка или просто CMD, что немного усложняет задачу.

Однако, несмотря на свою сложность, эта консоль, унаследованная от старой MS-DOS, также позволяет легко вносить некоторые изменения в систему с помощью своих команд. И, в частности, помимо создания файлов, он также вы сможете легко использовать CMD для просмотра содержимого некоторых файлов, поэтому мы покажем вам, как вы можете достичь этого шаг за шагом.

команда TYPE: чтобы вы могли проверить содержимое файла из консоли CMD в Windows

Как мы уже упоминали, несмотря на то, что он не самый распространенный, вы также сможете без проблем использовать консоль CMD для запроса содержимого определенного файла если хотите.

Для этого вам сначала нужно будет перейдите в каталог или диск, содержащий файл используя команду cd ruta-directorio. Как только вы окажетесь в указанном каталоге, то, что вы можете легко увидеть, так как панель команд показывает это прямо перед курсором, вы должны выполнить следующую команду, указав имя соответствующего файла, чтобы консоль могла его идентифицировать, как показано на изображении в качестве примера:

TYPE <archivo>

ТИП: просмотр содержимого файла из консоли CMD

Windows PowerShell

Теме статьи:

Как переименовать файлы в Windows из CMD

Таким образом, как видите, будет отображено содержимое файла, о котором идет речь. Однако, будучи простым терминалом, вы оцените, иногда не удается правильно отобразить весь контент, особенно со специальными символами и т.п. Теперь, если это простой текстовый файл, вы сможете без проблем увидеть все его содержимое.

Содержание статьи соответствует нашим принципам редакционная этика. Чтобы сообщить об ошибке, нажмите здесь.

  • Как прочитать ext4 в windows 10
  • Как прочитать файл в командной строке windows
  • Как прочистить дюзы на принтере epson на windows 10
  • Как просмотреть точки восстановления в windows 10
  • Как просмотреть скрытые папки на windows 10