Generate random array of 0 and 1 with a specific ratio
You could use a binomial distribution:
np.random.binomial(n=1, p=0.9, size=[1000])
Without using numpy, you could do as follows:
import random
percent = 90
nums = percent * [1] + (100 - percent) * [0]
random.shuffle(nums)
If you want an exact 1:9 ratio:
nums = numpy.ones(1000)
nums[:100] = 0
numpy.random.shuffle(nums)
If you want independent 10% probabilities:
nums = numpy.random.choice([0, 1], size=1000, p=[.1, .9])
or
nums = (numpy.random.rand(1000) > 0.1).astype(int)