Logo

Programming-Idioms

  • Rust
  • C

Idiom #95 Get file size

Assign to variable x the length (number of bytes) of the local file at path.

#include <sys/stat.h>
struct stat st;
if (stat (path &st) == 0) x = st.st_size;

POSIX function stat avoids opening the file
#include <stdio.h>
FILE *f = fopen(path, "rb");
fseek(f, 0, SEEK_END);
int x = ftell(f);
fclose(f);

SEEK_END isn't necessarily supported by all implementations of stdio.h, but I've never run into a problem with it.
use std::fs;
use std::io;
use std::os::linux::fs::MetadataExt;
let x = fs::metadata(path)?.st_size();

Populated from stat
use std::fs;
let x = fs::metadata(path)?.len();
use std::path::Path;
let x = path.metadata()?.len();

path has type &std::path::Path
with Ada.Directories; use Ada.Directories;
X : constant File_Size := Size (Path);

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