Logo

Programming-Idioms

  • Python
  • Rust
  • Ruby

Idiom #279 Read list of strings from the standard input

Read all the lines (until EOF) into the list of strings lines.

lines = readlines

run and enter some words in a terminal. End by Ctrl-D (EOF).
import sys
lines = sys.stdin.readlines()
from sys import stdin
lines = [*stdin]

This will include the new-line delimiter.
from sys import stdin
lines = [x.rstrip() for x in stdin]
use std::io::prelude::*;
let lines = std::io::stdin().lock().lines().map(|x| x.unwrap()).collect::<Vec<String>>();
with Ada.Text_IO;
with Ada.Containers.Indefinite_Vectors;
declare
   package String_Vectors is new
      Ada.Containers.Indefinite_Vectors
         (Index_Type => Positive, Element_Type => String);
   use String_Vectors, Ada.Text_IO;
   Lines : Vector;
begin
   while not End_Of_File loop
      Lines.Append (Get_Line);
   end loop;
end;

New implementation...