Logo

Programming-Idioms

  • Lisp
  • D
  • Java

Idiom #58 Extract file content to a string

Create the string lines from the content of the file with filename f.

import static java.lang.System.lineSeparator;
import static java.util.stream.Collectors.joining;
import java.io.File;
import java.util.Scanner;
File F = new File(f);
try (Scanner s = new Scanner(F)) {
    s.useDelimiter("\\R");
    String n = lineSeparator(),
           lines = s.tokens()
                    .collect(joining(n));
}
import java.nio.file.Files;
import java.nio.charset.StandardCharsets;
byte[] encoded = Files.readAllBytes(Paths.get(f));
String lines = new String(encoded, StandardCharsets.UTF_8);

You have to know and explicitly tell the charset used in the file.
(with-open-file (stream f)
  (uiop:slurp-stream-string stream))

UIOP is technically not builtin but it is practically builtin since all commonly used implementations ship with it.
(defvar *lines*
   (with-open-file (stream f)
      (let ((contents (make-string (file-length stream))))
            (read-sequence contents stream)
      :return contents)))

native
import std.file;
string lines = cast(string) read(f, size_t.max);

read up to size_t.max_ bytes in a ubyte[]_ casted as string.
import std.file;
auto lines = f.readText;
#include <assert.h>
#include <stdio.h>
#include <stdlib.h>
FILE *file;
size_t len=0;
char *lines;
assert(file=fopen(f,"rb"));
assert(lines=malloc(sizeof(char)));

while(!feof(file))
{
	assert(lines=realloc(lines,(len+0x1000)*sizeof(char)));
	len+=fread(lines,1,0x1000,file);
}

assert(lines=realloc(lines,len*sizeof(char)));

New implementation...
< >
programming-idioms.org