Logo Questions Linux Laravel Mysql Ubuntu Git Menu
 

How to read lines from a file into an array?

I'm trying to read in a file as an array of lines and then iterate over it with zsh. The code I've got works most of the time, except if the input file contains certain characters (such as brackets). Here's a snippet of it:

#!/bin/zsh
LIST=$(cat /path/to/some/file.txt)
SIZE=${${(f)LIST}[(I)${${(f)LIST}[-1]}]}
POS=${${(f)LIST}[(I)${${(f)LIST}[-1]}]}
while [[ $POS -le $SIZE ]] ; do
    ITEM=${${(f)LIST}[$POS]}
    # Do stuff
    ((POS=POS+1))
done

What would I need to change to make it work properly?

like image 260
Robbie Avatar asked Sep 29 '12 08:09

Robbie


People also ask

How do you read an array file?

Use the fs. readFileSync() method to read a text file into an array in JavaScript, e.g. const contents = readFileSync(filename, 'utf-8'). split('\n') . The method will return the contents of the file, which we can split on each newline character to get an array of strings.

Which function read an image from a file into an array?

The cv2 package provides an imread() function to load the image. It also reads a PIL image in the NumPy array format.

How do you store files in an array?

In Java, we can store the content of the file into an array either by reading the file using a scanner or bufferedReader or FileReader or by using readAllLines method.

How do you read an array line in Python?

Python read file line by line into arrayAn empty array is defined and the argument is opened as f and to read the line. The for line in f is used and to append the line into the array, array. append is used. The fruits file is passed as the parameter in the function.


1 Answers

#!/bin/zsh
zmodload zsh/mapfile
FNAME=/path/to/some/file.txt
FLINES=( "${(f)mapfile[$FNAME]}" )
LIST="${mapfile[$FNAME]}" # Not required unless stuff uses it
integer POS=1             # Not required unless stuff uses it
integer SIZE=$#FLINES     # Number of lines, not required unless stuff uses it
for ITEM in $FLINES
    # Do stuff
    (( POS++ ))
done

You have some strange things in your code:

  1. Why are you splitting LIST each time instead of making it an array variable? It is just a waste of CPU time.
  2. Why don’t you use for ITEM in ${(f)LIST}?
  3. There is a possibility to directly ask zsh about array length: $#ARRAY. No need in determining the index of the last occurrence of the last element.
  4. POS gets the same value as SIZE in your code. Hence it will iterate only once.
  5. Brackets are problems likely because of 3.: (I) is matching against a pattern. Do read documentation.
like image 184
ZyX Avatar answered Oct 14 '22 09:10

ZyX