Logo

Programming-Idioms

  • Pascal
  • Python
  • Ruby

Idiom #197 Get a list of lines from a file

Retrieve the contents of file at path into a list of strings lines, in which each element is a line of the file.

lines = open(path).readlines
uses Classes;
var
  Lines: TStringList;
...
  Lines := TStringList.Create;
  Lines.LoadFromFile(Path);

After the LoadFromFile the lines (in the StringList) are accessible (r/w) through its Strings[] property.
with open(path) as f:
    lines = f.readlines()
#include <fstream>
std::ifstream file (path);
for (std::string line; std::getline(file, line); lines.push_back(line)) {}

Push new line in lines happens only when std::getline() retrieved data.

file(path) opens file in read-only mode.
file will be closed by destructor

New implementation...