2022-01-18 21:41:09 +01:00
|
|
|
module util
|
|
|
|
|
|
|
|
import os
|
|
|
|
import crypto.md5
|
2022-01-31 14:43:57 +01:00
|
|
|
import crypto.sha256
|
2022-01-18 21:41:09 +01:00
|
|
|
|
2022-05-16 14:22:53 +02:00
|
|
|
const (
|
|
|
|
reader_buf_size = 1_000_000
|
|
|
|
prefixes = ['B', 'KB', 'MB', 'GB']
|
|
|
|
)
|
2022-02-21 22:22:36 +01:00
|
|
|
|
|
|
|
// Dummy struct to work around the fact that you can only share structs, maps &
|
|
|
|
// arrays
|
|
|
|
pub struct Dummy {
|
|
|
|
x int
|
|
|
|
}
|
|
|
|
|
2022-02-22 08:14:20 +01:00
|
|
|
// exit_with_message exits the program with a given status code after having
|
|
|
|
// first printed a specific message to STDERR
|
2022-02-21 20:51:41 +01:00
|
|
|
[noreturn]
|
|
|
|
pub fn exit_with_message(code int, msg string) {
|
|
|
|
eprintln(msg)
|
|
|
|
exit(code)
|
|
|
|
}
|
|
|
|
|
2022-01-18 21:41:09 +01:00
|
|
|
// hash_file returns the md5 & sha256 hash of a given file
|
2022-01-18 22:52:14 +01:00
|
|
|
// TODO actually implement sha256
|
2022-01-18 21:41:09 +01:00
|
|
|
pub fn hash_file(path &string) ?(string, string) {
|
|
|
|
file := os.open(path) or { return error('Failed to open file.') }
|
|
|
|
|
|
|
|
mut md5sum := md5.new()
|
2022-01-31 14:43:57 +01:00
|
|
|
mut sha256sum := sha256.new()
|
2022-01-18 21:41:09 +01:00
|
|
|
|
2022-01-18 22:52:14 +01:00
|
|
|
buf_size := int(1_000_000)
|
2022-04-30 11:43:06 +02:00
|
|
|
mut buf := []u8{len: buf_size}
|
2022-01-18 21:41:09 +01:00
|
|
|
mut bytes_left := os.file_size(path)
|
|
|
|
|
|
|
|
for bytes_left > 0 {
|
|
|
|
// TODO check if just breaking here is safe
|
2022-01-19 17:15:37 +01:00
|
|
|
bytes_read := file.read(mut buf) or { return error('Failed to read from file.') }
|
2022-01-18 21:41:09 +01:00
|
|
|
bytes_left -= u64(bytes_read)
|
|
|
|
|
2022-01-19 17:15:37 +01:00
|
|
|
// For now we'll assume that this always works
|
|
|
|
md5sum.write(buf[..bytes_read]) or {
|
2022-01-31 14:43:57 +01:00
|
|
|
return error('Failed to update md5 checksum. This should never happen.')
|
|
|
|
}
|
|
|
|
sha256sum.write(buf[..bytes_read]) or {
|
|
|
|
return error('Failed to update sha256 checksum. This should never happen.')
|
2022-01-18 21:41:09 +01:00
|
|
|
}
|
|
|
|
}
|
|
|
|
|
2022-01-31 14:43:57 +01:00
|
|
|
return md5sum.checksum().hex(), sha256sum.checksum().hex()
|
2022-01-18 21:41:09 +01:00
|
|
|
}
|
2022-02-21 22:22:36 +01:00
|
|
|
|
|
|
|
// pretty_bytes converts a byte count to human-readable version
|
|
|
|
pub fn pretty_bytes(bytes int) string {
|
|
|
|
mut i := 0
|
|
|
|
mut n := f32(bytes)
|
|
|
|
|
|
|
|
for n >= 1024 {
|
|
|
|
i++
|
|
|
|
n /= 1024
|
|
|
|
}
|
|
|
|
|
|
|
|
return '${n:.2}${util.prefixes[i]}'
|
|
|
|
}
|