Reputation: 705
I want to read a text file and store each line in an array. When I used the code below, "echo %i%"
is printing 0
every time and only array[0]
value is getting assigned. But in "set n=%i%"
,n
value is assigned as the last incremented I value.Also "@echo !array[%%i]!"
is printing like !array[0]!
instead of printing the value. Is there any syntax error in the code?
set /A i=0
for /F %%a in (C:\Users\Admin\Documents\url.txt) do (
set /A i+=1
echo %i%
set array[%i%]=%%a
)
set n=%i%
for /L %%i in (0,1,%n%) do @echo !array[%%i]!
Upvotes: 8
Views: 48343
Reputation: 41234
Here's a method that is useful at times and very similar to your code:
@echo off
set "file=C:\Users\Admin\Documents\url.txt"
set /A i=0
for /F "usebackq delims=" %%a in ("%file%") do (
set /A i+=1
call echo %%i%%
call set array[%%i%%]=%%a
call set n=%%i%%
)
for /L %%i in (1,1,%n%) do call echo %%array[%%i]%%
Upvotes: 17
Reputation: 80023
@ECHO OFF
SETLOCAL
FOR /f "tokens=1*delims=:" %%i IN ('findstr /n /r "$" url.txt') DO SET max=%%i&SET array[%%i]=%%j
FOR /l %%i IN (1,1,%max%) DO CALL ECHO(%%array[%%i]%%
GOTO :EOF
provided no line begins ":"
Upvotes: 0
Reputation: 37569
@echo off &setlocal enabledelayedexpansion
for /F "delims=" %%a in (C:\Users\Admin\Documents\url.txt) do (
set /A count+=1
set "array[!count!]=%%a"
)
for /L %%i in (1,1,%count%) do echo !array[%%i]!
Inside a code block you need delayed expansion
and !variables!
.
Upvotes: 3
Reputation: 10845
Read set /?
description about environment run-time linking. When you are using %i%
inside for
- it is pre-expanded before for
execution. You need to use !i!
instead.
Upvotes: -1