rand('state', 0);
Z = rand(28, 100000);
condition = Z(1, :) < 1/4;
scatter(Z(16, condition), Z(28, condition), '.');
rng('default'); also means that your code should produce the same output each time it’s run. That’s useful when scientific rigour is required, or if you’re hitting a bug triggered by the random stream, which often happens with Markov chain Monte Carlo (MCMC) for example.
If you want independent runs (i.e., random restarts in MCMC), you could require that your user provides the seeds. But if you don’t want to bug your users for seeds, how can you make sure the seeds are random? K&R suggests something like srand((unsigned)time(NULL)); [2]. Converting this C code to MATLAB (or any other language) can lead to dependence between runs if you launch a bunch of jobs all at once, and that is not acceptable. One option to get around that (which works on Linux/MacOS/cygwin, etc ...) is to initialise from the hardware random data device, like so:
rng('default');
fp = fopen('/dev/random', 'rb');
seed = fread(fp, 1, 'uint32');
fclose(fp);
rng(seed); % Set the seed for MATLAB's SRNG.
rng(seed); % Set the seed for MATLAB's SRNG.
rng('default');
if ~exist('seed', 'var')
fp = fopen('/dev/random', 'rb');
seed = fread(fp, 1, 'uint32');
fclose(fp);
end
rng(seed);
fprintf(1, 'Using seed: %ld\n', seed);
![]() |
The hotbits setup |
You need an API key to request these Cæsium-137 random numbers, which you can get here. Once you have your API key, sub it in for 'HB1XXXXXX' in this following code:
rng('default');
command = ['curl -s ' ...
'"https://www.fourmilab.ch/cgi-bin/Hotbits' ...
'?nbytes=4' ...
'&fmt=hex' ...
'&apikey=HB1XXXXXX"' ...
' | grep -A1 "<pre>"' ...
' | tail -n 1'];
[~, seed] = system(command);
seed = hex2dec(strtrim(seed));
rng(seed);
fprintf(1, 'Using seed: %ld\n', seed);
seed = 2666;
rng(seed, 'twister');
seeds = randi(2^32 - 1, n + 1, 'uint32');
seeds(:) = seeds(randperm(n + 1));
% A
parfor i = 1:n
rng(seeds(i), 'twister');
% B
end
rng(seeds(n + 1), 'twister');
% C
Your code is % A, % B and % C.
Happy hacking!
[1] P. Savicky. 2006. A strong nonrandom pattern in MATLAB default random number generator. Tehcnical Computing Prague.
[2] B. Kernighan and D. Ritchie. 1987. The C Programming Language, Second Edition. Prentice Hall.