2022-01-04 10:21:08 +01:00
|
|
|
// Copyright (c) 2019-2022 Alexander Medvednikov. All rights reserved.
|
2019-07-31 03:24:12 +02:00
|
|
|
// Use of this source code is governed by an MIT license
|
|
|
|
// that can be found in the LICENSE file.
|
|
|
|
module rand
|
|
|
|
|
|
|
|
#include <sys/syscall.h>
|
2021-05-08 12:32:29 +02:00
|
|
|
|
2019-07-31 03:24:12 +02:00
|
|
|
const (
|
2019-10-24 13:48:20 +02:00
|
|
|
read_batch_size = 256
|
2019-07-31 03:24:12 +02:00
|
|
|
)
|
|
|
|
|
2021-01-23 13:33:49 +01:00
|
|
|
// read returns an array of `bytes_needed` random bytes read from the OS.
|
2022-04-15 14:35:35 +02:00
|
|
|
pub fn read(bytes_needed int) ?[]u8 {
|
2021-11-28 19:35:18 +01:00
|
|
|
mut buffer := unsafe { vcalloc_noscan(bytes_needed) }
|
2019-07-31 03:24:12 +02:00
|
|
|
mut bytes_read := 0
|
2020-07-05 00:33:36 +02:00
|
|
|
mut remaining_bytes := bytes_needed
|
2019-07-31 03:24:12 +02:00
|
|
|
// getrandom syscall wont block if requesting <= 256 bytes
|
2020-07-05 00:33:36 +02:00
|
|
|
for bytes_read < bytes_needed {
|
2021-05-08 12:32:29 +02:00
|
|
|
batch_size := if remaining_bytes > rand.read_batch_size {
|
|
|
|
rand.read_batch_size
|
|
|
|
} else {
|
|
|
|
remaining_bytes
|
|
|
|
}
|
2021-02-17 20:47:19 +01:00
|
|
|
rbytes := unsafe { getrandom(batch_size, buffer + bytes_read) }
|
2020-07-05 00:33:36 +02:00
|
|
|
if rbytes == -1 {
|
2021-02-14 19:31:42 +01:00
|
|
|
unsafe { free(buffer) }
|
2021-03-30 14:27:57 +02:00
|
|
|
return IError(&ReadError{})
|
2020-07-05 00:33:36 +02:00
|
|
|
}
|
|
|
|
bytes_read += rbytes
|
2019-07-31 03:24:12 +02:00
|
|
|
}
|
2021-05-08 12:32:29 +02:00
|
|
|
return unsafe { buffer.vbytes(bytes_needed) }
|
2019-07-31 03:24:12 +02:00
|
|
|
}
|
|
|
|
|
2019-10-10 19:04:11 +02:00
|
|
|
fn getrandom(bytes_needed int, buffer voidptr) int {
|
2021-05-08 12:32:29 +02:00
|
|
|
if bytes_needed > rand.read_batch_size {
|
|
|
|
panic('getrandom() dont request more than $rand.read_batch_size bytes at once.')
|
2019-07-31 03:24:12 +02:00
|
|
|
}
|
2020-07-22 20:42:51 +02:00
|
|
|
return unsafe { C.syscall(C.SYS_getrandom, buffer, bytes_needed, 0) }
|
2019-07-31 03:24:12 +02:00
|
|
|
}
|