Skip to main content

Fast & Flexible Random Value Generators

Project description

Fortuna: Fast & Flexible Random Generators

Fortuna replaces much of the functionality of Python's Random module, often achieving 10x better performance. However, the most interesting bits of Fortuna are found in the high-level abstractions like FlexCat and QuantumMonty.

The core functionality of Fortuna is based on the Mersenne Twister Algorithm by Makoto Matsumoto (松本 眞) and Takuji Nishimura (西村 拓士). Fortuna is not appropriate for cryptography of any kind, you have been warned. Fortuna employs hardware seeding exclusively.

Fortuna is designed, built and tested for MacOS X, it also happens to work out-of-the-box with many flavors of Linux. Installation: pip3 install Fortuna or download and build from source, if that's your thing.

Windows users can use .../fortuna_extras/fortuna_pure.py instead of trying to install or compile the extension. The pure Python implementation provides the same API and functionality but lacks the performance of the Fortuna extension.

Documentation Table of Contents

I.   Fortuna Core Functions
        a. Random Number Functions
        b. Random Truth
        c. Random Sequence Values
        d. Random Table Values
        e. Utility Functions
II.  Fortuna Abstraction Classes
        a. Random Cycle
        b. Quantum Monty
        c. Weighted Choice
        d. Flex Cat
III. Test Suite
IV.  Development Log
V.   Legal Information

Fortuna Random Functions

Random Numbers

Fortuna.random_range(lo: int, hi: int) -> int. Returns a random integer in range [lo..hi] inclusive. Up to 15x faster than random.randint(). Flat uniform distribution.

Fortuna.random_below(num: int) -> int. Returns a random integer in the exclusive range [0..num) for positive values of num. Flat uniform distribution.

Fortuna.d(sides: int) -> int. Represents a single die roll of a given size die. Returns a random integer in the range [1..sides]. Flat uniform distribution.

Fortuna.dice(rolls: int, sides: int) -> int. Returns a random integer in range [X..Y] where X = rolls and Y = rolls * sides. The return value represents the sum of multiple rolls of the same size die. Geometric distribution based on the number and size of the dice rolled. Complexity scales primarily with the number of rolls, not the size of the dice.

Fortuna.plus_or_minus(num: int) -> int. Negative and positive input values of num will produce equivalent distributions. Returns a random integer in range [-num..num]. Flat uniform distribution.

Fortuna.plus_or_minus_linear(num: int) -> int. Negative and positive input values of num will produce equivalent distributions. Returns a random integer in range [-num..num]. Zero peak geometric distribution, up triangle.

Fortuna.plus_or_minus_curve(num: int, bounded: bool=True) -> int. Negative and positive input values of num will produce equivalent distributions. Returns a random integer in range [-num..num]. If bounded is False, less than 0.1% of the results will fall outside the target range by up to +/- num. This will not change the overall shape of the distribution curve. Zero peak gaussian distribution, stretched bell curve: mean = 0, variance = num / pi.

Fortuna.zero_flat(num: int) -> int. Returns a random integer in range [0..num]. Flat uniform distribution.

Fortuna.zero_cool(num: int) -> int. Returns a random integer in range [0..num]. Zero peak, geometric distribution, half triangle.

Fortuna.zero_extreme(num: int) -> int. Returns a random integer in range [0..num]. Zero peak, gaussian distribution, half bell curve: mean = 0, variance = num / pi.

Fortuna.max_cool(num: int) -> int. Returns a random integer in range [0..num]. Max peak (num), geometric distribution, half triangle.

Fortuna.max_extreme(num: int) -> int. Returns a random integer in range [0..num]. Max peak (num), gaussian distribution, half bell curve: mean = num, variance = num / pi.

Fortuna.mostly_middle(num: int) -> int. Returns a random integer in range [0..num]. Middle peak (num / 2), geometric distribution, up triangle. Ranges that span an even number of values will have two dominant values in the middle, this will guarantee that the probability distribution is always symmetrical.

Fortuna.mostly_center(num: int) -> int. Returns a random integer in range [0..num]. Middle peak (num / 2), gaussian distribution, bell curve: mean = num / 2, variance = num / pi.

Random Truth

Fortuna.percent_true(num: int) -> bool. Always returns False if num is 0 or less, always returns True if num is 100 or more. Any value of num in range [1..99] will produce True or False based on the value of num - the probability of True as a percentage.

Random Sequence Values

Fortuna.random_value(arr) -> value. Returns a random value from a sequence (list or tuple), uniform distribution, non-destructive. Up to 10x faster than random.choice().

Fortuna.pop_random_value(arr: list) -> value. Returns and removes a random value from a sequence list, uniform distribution, destructive. Not included in the test suite due to it's destructive nature. This is the only destructive function in the module, use with care. It will raise an error if the list is empty.

Random Table Values

Fortuna.cumulative_weighted_choice(table) -> value. Core function for the WeightedChoice base class. Produces a custom distribution of values based on cumulative weights. Requires input format: [(weight, value), ... ] sorted in ascending order by weight. Weights must be unique positive integers. See WeightedChoice class for a more comprehensive solution that verifies and optimizes the table. Up to 15x faster than random.choices()

Utility Functions

Fortuna.min_max(num: int, lo: int, hi: int) -> int. Used to force a number in to the range [lo..hi]. Returns num if it is already in the proper range. Returns lo if num is less than lo. Returns hi if num is greater than hi.

Fortuna.analytic_continuation(func: staticmethod, num: int) -> int. Used to map a positive only function to the negative number line for complete input domain coverage. The "C" version of this function is used throughout the Fortuna extension. The function to be analytically continued must take an integer as input and return an integer.

Fortuna.flatten(itm: object) -> object. Flatten will recursively unpack callable objects. If itm is not callable - flatten will return it, otherwise it recursively calls itm() and returns the result. Callable objects that require arguments are not supported.

Fortuna.distribution_timer(func: staticmethod, call_sig=None, num_cycles=100000). The func arg is the callable object to be analyzed. call_sig is an optional label, this is useful for methods that don't have the __qualname__ property. Optional arg num_cycles will set the total number invocations.

Fortuna Random Classes

Sequence Wrappers

Random Cycle: The Truffle Shuffle

Returns a random value from the sequence. Produces a uniform distribution with no consecutive duplicates and relatively few nearly-consecutive duplicates. Longer sequences will naturally push duplicates even farther apart. This behavior gives rise to output sequences that seem less mechanical than other random sequences.

RandomCycle instances can return a list of samples rather than just one value, control the length of the list via the optional n_samples argument. By default n_samples=1.

RandomCycle will recursively unpack callable objects in the data set. Callable objects that require arguments are not supported. To disable this behavior pass the optional argument flat_map=False during instantiation. By default flat_map=True.

  • Constructor takes a copy of a sequence (list or tuple) of arbitrary values.
  • Sequence length must be greater than three, best if ten or more.
  • Values can be any Python object that can be passed around.
  • Features continuous smart micro-shuffling: The Truffle Shuffle.
  • Performance scales by some small fraction of the length of the input sequence.
from Fortuna import RandomCycle


random_cycle = RandomCycle(["Alpha", "Beta", "Delta", "Eta", "Gamma", "Kappa", "Zeta"])

random_cycle()  # returns a random value, cycled uniform distribution.
random_cycle(n_samples=10)  # returns a list of 10 random values, cycled uniform distribution.

The Quantum Monty

A set of strategies for producing random values from a sequence where the probability of each value is based on the monty you choose. For example: the mostly_front monty produces random values where the beginning of the sequence is geometrically more common than the back. The Quantum Monty Algorithm results from overlapping the probability waves of six of the other eight methods. The distribution it produces is a gentle curve with a bump in the middle.

QuantumMonty instances can return a list of samples rather than just one value, control the length of the list via the optional n_samples argument. By default n_samples=1.

QuantumMonty will recursively unpack callable objects in the data set. Callable objects that require arguments are not supported. To disable this behavior pass the optional argument flat_map=False during instantiation. By default flat_map=True.

  • Constructor takes a copy of a sequence (list or tuple) of arbitrary values.
  • Sequence length must be greater than three, best if ten or more.
  • Values can be any Python object that can be passed around... string, int, list, function etc.
  • Performance scales by some tiny fraction of the length of the sequence. Method scaling may vary slightly.
from Fortuna import QuantumMonty


quantum_monty = QuantumMonty(["Alpha", "Beta", "Delta", "Eta", "Gamma", "Kappa", "Zeta"])

# Each of the following methods will return a random value from the sequence.
quantum_monty.mostly_front()    # Mostly from the front of the list (geometric descending)
quantum_monty.mostly_middle()   # Mostly from the middle of the list (geometric pyramid)
quantum_monty.mostly_back()     # Mostly from the back of the list (geometric ascending)
quantum_monty.mostly_first()    # Mostly from the very front of the list (stretched gaussian descending)
quantum_monty.mostly_center()   # Mostly from the very center of the list (stretched gaussian bell curve)
quantum_monty.mostly_last()     # Mostly from the very back of the list (stretched gaussian ascending)
quantum_monty.quantum_monty()   # Quantum Monty Algorithm. Overlapping probability waves.
quantum_monty.mostly_flat()     # Uniform flat distribution (see Fortuna.random_value)
quantum_monty.mostly_cycle()    # Cycled uniform flat distribution (see RandomCycle)

# Each of the methods can return a list of values as follows:
quantum_monty.mostly_cycle(n_samples=10)    # Returns a list of 10 random samples.

Table & Dictionary Wrappers

Weighted Choice: Custom Rarity

Two strategies for selecting random values from a sequence where rarity counts. Both produce a custom distribution of values based on the weights of the values. Up to 10x faster than random.choices()

WeightedChoice instances can return a list of samples rather than just one value, control the length of the list via the optional n_samples argument. By default n_samples=1.

WeightedChoice will recursively unpack callable objects in the data set. Callable objects that require arguments are not supported. To disable this behavior pass the optional argument flat_map=False during instantiation. By default flat_map=True.

  • Constructor takes a copy of a sequence of weighted value pairs... [(weight, value), ... ]
  • Automatically optimizes the sequence for correctness and optimal call performance for large data sets.
  • The sequence must not be empty, and each pair must have a weight and a value.
  • Weights must be integers. A future release may allow weights to be floats.
  • Values can be any Python object that can be passed around... string, int, list, function etc.
  • Weighted Values should be unique, pass non_unique=True during instantiation to bypass this check. As a result: non-unique values will have their probabilities logically accumulated. Relative Weights are summed, Cumulative Weights are over-lapped, but the effect is the same.
  • Performance scales by some fraction of the length of the sequence.

The following examples produce equivalent distributions with comparable performance. The choice to use one strategy over the other is purely about which one suits you or your data best. Relative weights are easier to understand at a glance. However, many RPG Treasure Tables map rather nicely to a cumulative weighted strategy.

Cumulative Weight Strategy

Note: Logic dictates Cumulative Weights must be unique!

from Fortuna import CumulativeWeightedChoice


cumulative_weighted_choice = CumulativeWeightedChoice((
    (7, "Apple"),
    (11, "Banana"),
    (13, "Cherry"),
    (23, "Grape"),
    (26, "Lime"),
    (30, "Orange"),
))

cumulative_weighted_choice()  # returns a weighted random value
cumulative_weighted_choice(n_samples=10)  # returns a list of 10 weighted random values
Relative Weight Strategy
from Fortuna import RelativeWeightedChoice


relative_weighted_choice = RelativeWeightedChoice((
    (7, "Apple"),
    (4, "Banana"),
    (2, "Cherry"),
    (10, "Grape"),
    (3, "Lime"),
    (4, "Orange"),
))

relative_weighted_choice()  # returns a weighted random value
relative_weighted_choice(n_samples=10)  # returns a list of 10 weighted random values

FlexCat

FlexCat wraps a dictionary of sequences. When the primary method is called it returns a random value from one of the sequences. It takes two optional keyword arguments to specify the algorithms used to make random selections.

By default, FlexCat will use y_bias="front" and x_bias="cycle", this will make the top of the data structure geometrically more common than the bottom and cycle the sequences. This config is known as Top Cat, it produces a descending-step cycled distribution for the data. Many other combinations are possible (9 algorithms, 2 dimensions = 81 configs).

FlexCat requires a dict with at least three sequences with at least 3 values each. Even though the total value limit is much higher, data sets with more than one million values are not recommended for all platforms.

FlexCat generally works best if all sequences in a set are sufficiently large and close to the same size, this is not enforced. Values in a shorter sequence will naturally be more common, since probability balancing between categories is not considered. For example: in a flat/flat set where it might be expected that all values have equal probability (and they would, given sequences with equal length). However, values in a sequence half the size of the others in the set would have exactly double the probability of the other items. This effect scales with the size delta and affects all nine methods. Cross category balancing might be considered for a future release.

FlexCat instances can return a list of samples rather than just one value, control the length of the list via the optional n_samples argument. By default n_samples=1.

FlexCat will recursively unpack callable objects in the data set. Callable objects that require arguments are not supported. To disable this behavior pass the optional argument flat_map=False during instantiation. By default flat_map=True.

Algorithm Options: See QuantumMonty & RandomCycle for more details.

  • front, geometric descending
  • middle, geometric pyramid
  • back, geometric ascending
  • first, stretched gaussian descending
  • center, stretched gaussian bell
  • last, stretched gaussian ascending
  • flat, uniform flat
  • cycle, RandomCycle uniform flat
  • monty, The Quantum Monty
from Fortuna import FlexCat


flex_cat = FlexCat({
    "Cat_A": (lambda: f"A1.{d(2)}", "A2", "A3", "A4", "A5"),
    "Cat_B": ("B1", "B2", "B3", "B4", "B5"),
    "Cat_C": ("C1", "C2", "C3", "C4", "C5"),
}, y_bias="cycle", x_bias="cycle")

flex_cat()          # returns a random value from a random category

flex_cat("Cat_A")   # returns a random value from "Cat_A"
flex_cat("Cat_B")   #                             "Cat_B"
flex_cat("Cat_C")   #                             "Cat_C"

flex_cat(n_samples=10)              # returns a list of 10 random values
flex_cat("Cat_A", n_samples=10)     # returns a list of 10 random values from "Cat_A"

Fortuna Test Suite

Testbed:

  • Software macOS 10.14.1, Python 3.7.1, Fortuna Beta
  • Hardware Intel 2.7GHz i7 Skylake, 16GB RAM, 1TB SSD
Fortuna 0.21.0 Sample Distribution and Performance Test Suite

Random Numbers
-------------------------------------------------------------------------

Base Case:
random.randint(1, 10) x 100000: Total time: 140.35 ms, Average time: 1404 nano
 1: 10.159%
 2: 9.903%
 3: 10.012%
 4: 9.934%
 5: 10.159%
 6: 9.905%
 7: 10.118%
 8: 9.881%
 9: 10.047%
 10: 9.882%

random_range(1, 10) x 100000: Total time: 8.4 ms, Average time: 84 nano
 1: 9.806%
 2: 10.151%
 3: 9.997%
 4: 9.939%
 5: 10.075%
 6: 10.027%
 7: 9.962%
 8: 9.89%
 9: 10.049%
 10: 10.104%

Base Case:
random.randrange(10) x 100000: Total time: 92.66 ms, Average time: 927 nano
 0: 10.026%
 1: 10.088%
 2: 9.921%
 3: 9.751%
 4: 10.017%
 5: 10.056%
 6: 9.91%
 7: 9.945%
 8: 10.141%
 9: 10.145%

random_below(10) x 100000: Total time: 8.44 ms, Average time: 84 nano
 0: 9.9%
 1: 10.074%
 2: 10.043%
 3: 10.015%
 4: 10.006%
 5: 10.069%
 6: 10.016%
 7: 10.043%
 8: 9.845%
 9: 9.989%

d(10) x 100000: Total time: 8.42 ms, Average time: 84 nano
 1: 10.014%
 2: 9.973%
 3: 10.02%
 4: 10.157%
 5: 10.002%
 6: 9.894%
 7: 10.058%
 8: 9.899%
 9: 10.08%
 10: 9.903%

dice(2, 6) x 100000: Total time: 11.34 ms, Average time: 113 nano
 2: 2.792%
 3: 5.568%
 4: 8.39%
 5: 11.168%
 6: 13.898%
 7: 16.744%
 8: 13.809%
 9: 10.947%
 10: 8.383%
 11: 5.539%
 12: 2.762%

plus_or_minus(5) x 100000: Total time: 7.87 ms, Average time: 79 nano
 -5: 9.029%
 -4: 9.217%
 -3: 9.104%
 -2: 9.12%
 -1: 9.012%
 0: 9.038%
 1: 8.926%
 2: 9.278%
 3: 9.151%
 4: 9.054%
 5: 9.071%

plus_or_minus_linear(5) x 100000: Total time: 10.47 ms, Average time: 105 nano
 -5: 2.755%
 -4: 5.513%
 -3: 8.404%
 -2: 11.142%
 -1: 13.685%
 0: 16.711%
 1: 13.907%
 2: 11.183%
 3: 8.31%
 4: 5.407%
 5: 2.983%

plus_or_minus_curve(5) x 100000: Total time: 12.81 ms, Average time: 128 nano
 -5: 0.233%
 -4: 1.168%
 -3: 4.426%
 -2: 11.353%
 -1: 20.062%
 0: 25.053%
 1: 20.355%
 2: 11.405%
 3: 4.559%
 4: 1.174%
 5: 0.212%

plus_or_minus_curve(5, bounded=False) x 100000: Total time: 13.46 ms, Average time: 135 nano
 -6: 0.023%
 -5: 0.184%
 -4: 1.171%
 -3: 4.365%
 -2: 11.595%
 -1: 20.321%
 0: 24.63%
 1: 20.447%
 2: 11.467%
 3: 4.432%
 4: 1.116%
 5: 0.22%
 6: 0.028%
 7: 0.001%

zero_flat(10) x 100000: Total time: 7.63 ms, Average time: 76 nano
 0: 9.008%
 1: 9.039%
 2: 9.05%
 3: 9.132%
 4: 9.139%
 5: 9.074%
 6: 9.168%
 7: 8.95%
 8: 9.036%
 9: 9.253%
 10: 9.151%

zero_cool(10) x 100000: Total time: 17.85 ms, Average time: 178 nano
 0: 16.626%
 1: 15.067%
 2: 13.774%
 3: 12.226%
 4: 10.589%
 5: 9.161%
 6: 7.503%
 7: 6.076%
 8: 4.399%
 9: 3.075%
 10: 1.504%

zero_extreme(10) x 100000: Total time: 19.39 ms, Average time: 194 nano
 0: 22.413%
 1: 20.935%
 2: 18.163%
 3: 14.36%
 4: 10.135%
 5: 6.496%
 6: 3.809%
 7: 2.09%
 8: 1.015%
 9: 0.411%
 10: 0.173%

max_cool(10) x 100000: Total time: 17.34 ms, Average time: 173 nano
 0: 1.521%
 1: 3.091%
 2: 4.524%
 3: 5.987%
 4: 7.412%
 5: 9.169%
 6: 10.734%
 7: 12.133%
 8: 13.566%
 9: 15.286%
 10: 16.577%

max_extreme(10) x 100000: Total time: 21.74 ms, Average time: 217 nano
 0: 0.174%
 1: 0.451%
 2: 0.94%
 3: 2.009%
 4: 3.808%
 5: 6.52%
 6: 10.107%
 7: 14.294%
 8: 18.432%
 9: 21.253%
 10: 22.012%

mostly_middle(10) x 100000: Total time: 11.04 ms, Average time: 110 nano
 0: 2.808%
 1: 5.482%
 2: 8.369%
 3: 11.173%
 4: 13.739%
 5: 16.741%
 6: 13.873%
 7: 11.149%
 8: 8.293%
 9: 5.594%
 10: 2.779%

mostly_center(10) x 100000: Total time: 13.5 ms, Average time: 135 nano
 0: 0.197%
 1: 1.18%
 2: 4.305%
 3: 11.367%
 4: 20.387%
 5: 24.981%
 6: 20.273%
 7: 11.612%
 8: 4.33%
 9: 1.159%
 10: 0.209%


Random Truth
-------------------------------------------------------------------------

percent_true(25) x 100000: Total time: 7.16 ms, Average time: 72 nano
 False: 74.989%
 True: 25.011%


Random Values from a Sequence
-------------------------------------------------------------------------

some_list = ('Alpha', 'Beta', 'Delta', 'Eta', 'Gamma', 'Kappa', 'Zeta')

Base Case:
random.choice(some_list) x 100000: Total time: 76.06 ms, Average time: 761 nano
 Alpha: 14.31%
 Beta: 14.248%
 Delta: 14.373%
 Eta: 14.355%
 Gamma: 13.997%
 Kappa: 14.58%
 Zeta: 14.137%

random_value(some_list) x 100000: Total time: 7.21 ms, Average time: 72 nano
 Alpha: 14.346%
 Beta: 14.315%
 Delta: 14.253%
 Eta: 14.304%
 Gamma: 14.213%
 Kappa: 14.264%
 Zeta: 14.305%

monty = Fortuna.QuantumMonty(some_list)

monty.mostly_flat() x 100000: Total time: 24.0 ms, Average time: 240 nano
 Alpha: 14.224%
 Beta: 14.346%
 Delta: 14.553%
 Eta: 14.198%
 Gamma: 14.249%
 Kappa: 14.302%
 Zeta: 14.128%

monty.mostly_flat(n_samples=8) -> ['Zeta', 'Eta', 'Gamma', 'Eta', 'Zeta', 'Delta', 'Eta', 'Kappa']
monty.mostly_middle() x 100000: Total time: 29.7 ms, Average time: 297 nano
 Alpha: 6.4%
 Beta: 12.574%
 Delta: 18.545%
 Eta: 24.907%
 Gamma: 18.663%
 Kappa: 12.662%
 Zeta: 6.249%

monty.mostly_middle(n_samples=8) -> ['Kappa', 'Beta', 'Gamma', 'Eta', 'Alpha', 'Kappa', 'Delta', 'Kappa']
monty.mostly_center() x 100000: Total time: 33.02 ms, Average time: 330 nano
 Alpha: 0.418%
 Beta: 5.396%
 Delta: 24.117%
 Eta: 39.99%
 Gamma: 24.28%
 Kappa: 5.332%
 Zeta: 0.467%

monty.mostly_center(n_samples=8) -> ['Delta', 'Beta', 'Delta', 'Delta', 'Gamma', 'Delta', 'Delta', 'Gamma']
monty.mostly_front() x 100000: Total time: 34.95 ms, Average time: 350 nano
 Alpha: 24.762%
 Beta: 21.822%
 Delta: 17.936%
 Eta: 14.237%
 Gamma: 10.759%
 Kappa: 7.011%
 Zeta: 3.473%

monty.mostly_front(n_samples=8) -> ['Alpha', 'Beta', 'Zeta', 'Delta', 'Gamma', 'Eta', 'Delta', 'Alpha']
monty.mostly_back() x 100000: Total time: 35.35 ms, Average time: 354 nano
 Alpha: 3.41%
 Beta: 7.099%
 Delta: 10.787%
 Eta: 14.365%
 Gamma: 17.846%
 Kappa: 21.618%
 Zeta: 24.875%

monty.mostly_back(n_samples=8) -> ['Kappa', 'Kappa', 'Beta', 'Kappa', 'Beta', 'Eta', 'Kappa', 'Beta']
monty.mostly_first() x 100000: Total time: 38.61 ms, Average time: 386 nano
 Alpha: 34.345%
 Beta: 29.903%
 Delta: 20.076%
 Eta: 10.185%
 Gamma: 3.977%
 Kappa: 1.225%
 Zeta: 0.289%

monty.mostly_first(n_samples=8) -> ['Alpha', 'Alpha', 'Beta', 'Eta', 'Beta', 'Beta', 'Delta', 'Alpha']
monty.mostly_last() x 100000: Total time: 38.97 ms, Average time: 390 nano
 Alpha: 0.285%
 Beta: 1.22%
 Delta: 3.883%
 Eta: 10.234%
 Gamma: 20.093%
 Kappa: 30.166%
 Zeta: 34.119%

monty.mostly_last(n_samples=8) -> ['Zeta', 'Kappa', 'Gamma', 'Kappa', 'Delta', 'Eta', 'Gamma', 'Kappa']
monty.quantum_monty() x 100000: Total time: 60.51 ms, Average time: 605 nano
 Alpha: 11.673%
 Beta: 12.847%
 Delta: 15.935%
 Eta: 19.174%
 Gamma: 15.891%
 Kappa: 12.794%
 Zeta: 11.686%

monty.quantum_monty(n_samples=8) -> ['Zeta', 'Zeta', 'Alpha', 'Zeta', 'Eta', 'Beta', 'Alpha', 'Gamma']
monty.mostly_cycle() x 100000: Total time: 87.6 ms, Average time: 876 nano
 Alpha: 14.259%
 Beta: 14.326%
 Delta: 14.274%
 Eta: 14.172%
 Gamma: 14.282%
 Kappa: 14.321%
 Zeta: 14.366%

monty.mostly_cycle(n_samples=8) -> ['Eta', 'Zeta', 'Beta', 'Eta', 'Delta', 'Kappa', 'Eta', 'Alpha']

random_cycle = Fortuna.RandomCycle(some_list)

random_cycle() x 100000: Total time: 78.98 ms, Average time: 790 nano
 Alpha: 14.223%
 Beta: 14.283%
 Delta: 14.308%
 Eta: 14.304%
 Gamma: 14.318%
 Kappa: 14.325%
 Zeta: 14.239%

random_cycle(n_samples=8) -> ['Alpha', 'Beta', 'Delta', 'Gamma', 'Delta', 'Alpha', 'Eta', 'Gamma']


Random Values by Weighted Table
-------------------------------------------------------------------------

population = ('Apple', 'Banana', 'Cherry', 'Grape', 'Lime', 'Orange')
cum_weights = (7, 11, 13, 23, 26, 30)
rel_weights = (7, 4, 2, 10, 3, 4)

Cumulative Base Case:
random.choices(pop, cum_weights=cum_weights) x 100000: Total time: 195.1 ms, Average time: 1951 nano
 Apple: 23.281%
 Banana: 13.6%
 Cherry: 6.603%
 Grape: 33.083%
 Lime: 10.132%
 Orange: 13.301%

Relative Base Case:
random.choices(pop, rel_weights) x 100000: Total time: 238.57 ms, Average time: 2386 nano
 Apple: 23.257%
 Banana: 13.436%
 Cherry: 6.572%
 Grape: 33.369%
 Lime: 10.022%
 Orange: 13.344%

cumulative_table = [(7, 'Apple'), (11, 'Banana'), (13, 'Cherry'), (23, 'Grape'), (26, 'Lime'), (30, 'Orange')]

Fortuna.cumulative_weighted_choice(cumulative_table) x 100000: Total time: 15.35 ms, Average time: 154 nano
 Apple: 23.263%
 Banana: 13.253%
 Cherry: 6.738%
 Grape: 33.516%
 Lime: 9.811%
 Orange: 13.419%

cumulative_choice = CumulativeWeightedChoice(cumulative_table)

cumulative_choice() x 100000: Total time: 34.88 ms, Average time: 349 nano
 Apple: 23.308%
 Banana: 13.241%
 Cherry: 6.683%
 Grape: 33.142%
 Lime: 10.251%
 Orange: 13.375%

cumulative_choice(n_samples=8) -> ['Orange', 'Grape', 'Apple', 'Grape', 'Banana', 'Banana', 'Apple', 'Orange']

relative_choice = RelativeWeightedChoice(relative_table)

relative_choice() x 100000: Total time: 35.3 ms, Average time: 353 nano
 Apple: 23.279%
 Banana: 13.403%
 Cherry: 6.595%
 Grape: 33.428%
 Lime: 9.995%
 Orange: 13.3%

relative_choice(n_samples=8) -> ['Orange', 'Apple', 'Grape', 'Apple', 'Apple', 'Orange', 'Grape', 'Banana']

Random Values by Category
-------------------------------------------------------------------------

flex_cat = FlexCat({'Cat_A': (<function <lambda> at 0x105f00d90>, 'A2', 'A3'), 'Cat_B': ('B1', 'B2', 'B3'), 'Cat_C': ('C1', 'C2', 'C3')}, y_bias='cycle', x_bias='cycle')

flex_cat('Cat_A') x 100000: Total time: 109.59 ms, Average time: 1096 nano
 A1.1: 8.441%
 A1.2: 8.221%
 A1.3: 8.222%
 A1.4: 8.373%
 A2: 33.382%
 A3: 33.361%

flex_cat('Cat_A', n_samples=8) -> ['A2', 'A3', 'A1.3', 'A2', 'A1.4', 'A3', 'A2', 'A1.4']

flex_cat('Cat_B') x 100000: Total time: 89.07 ms, Average time: 891 nano
 B1: 33.325%
 B2: 33.326%
 B3: 33.349%

flex_cat('Cat_B', n_samples=8) -> ['B2', 'B1', 'B3', 'B2', 'B1', 'B3', 'B2', 'B1']

flex_cat('Cat_C') x 100000: Total time: 89.81 ms, Average time: 898 nano
 C1: 33.334%
 C2: 33.361%
 C3: 33.305%

flex_cat('Cat_C', n_samples=8) -> ['C1', 'C3', 'C2', 'C3', 'C1', 'C2', 'C3', 'C1']

flex_cat() x 100000: Total time: 160.71 ms, Average time: 1607 nano
 A1.1: 2.758%
 A1.2: 2.811%
 A1.3: 2.811%
 A1.4: 2.722%
 A2: 11.127%
 A3: 11.109%
 B1: 11.111%
 B2: 11.114%
 B3: 11.107%
 C1: 11.094%
 C2: 11.133%
 C3: 11.103%

flex_cat(n_samples=8) -> ['B2', 'A1.2', 'C3', 'B1', 'A2', 'C2', 'A3', 'B3']

-------------------------------------------------------------------------
Total Test Time: 2.51 sec

Fortuna Development Log

Fortuna 0.21.1
  • Fixed a bug in .../fortuna_extras/fortuna_examples.py
Fortuna 0.21.0
  • Major feature release.
  • The Fortuna classes will recursively unpack callable objects in the data set.
Fortuna 0.20.10
  • Documentation updated.
Fortuna 0.20.9
  • Minor bug fixes.
Fortuna 0.20.8, internal
  • Testing cycle for potential new features.
Fortuna 0.20.7
  • Documentation updated for clarity.
Fortuna 0.20.6
  • Tests updated based on recent changes.
Fortuna 0.20.5, internal
  • Documentation updated based on recent changes.
Fortuna 0.20.4, internal
  • WeightedChoice (both types) can optionally return a list of samples rather than just one value, control the length of the list via the n_samples argument.
Fortuna 0.20.3, internal
  • RandomCycle can optionally return a list of samples rather than just one value, control the length of the list via the n_samples argument.
Fortuna 0.20.2, internal
  • QuantumMonty can optionally return a list of samples rather than just one value, control the length of the list via the n_samples argument.
Fortuna 0.20.1, internal
  • FlexCat can optionally return a list of samples rather than just one value, control the length of the list via the n_samples argument.
Fortuna 0.20.0, internal
  • FlexCat now accepts a standard dict as input. The ordered(ness) of dict is now part of the standard in Python 3.7.1. Previously FlexCat required an OrderedDict, now it accepts either and treats them the same.
Fortuna 0.19.7
  • Fixed bug in .../fortuna_extras/fortuna_examples.py.
Fortuna 0.19.6
  • Updated documentation formatting.
  • Small performance tweak for QuantumMonty and FlexCat.
Fortuna 0.19.5
  • Minor documentation update.
Fortuna 0.19.4
  • Minor update to all classes for better debugging.
Fortuna 0.19.3
  • Updated plus_or_minus_curve to allow unbounded output.
Fortuna 0.19.2
  • Internal development cycle.
  • Minor update to FlexCat for better debugging.
Fortuna 0.19.1
  • Internal development cycle.
Fortuna 0.19.0
  • Updated documentation for clarity.
  • MultiCat has been removed, it is replaced by FlexCat.
  • Mostly has been removed, it is replaced by QuantumMonty.
Fortuna 0.18.7
  • Fixed some more README typos.
Fortuna 0.18.6
  • Fixed some README typos.
Fortuna 0.18.5
  • Updated documentation.
  • Fixed another minor test bug.
Fortuna 0.18.4
  • Updated documentation to reflect recent changes.
  • Fixed some small test bugs.
  • Reduced default number of test cycles to 10,000 - down from 100,000.
Fortuna 0.18.3
  • Fixed some minor README typos.
Fortuna 0.18.2
  • Fixed a bug with Fortuna Pure.
Fortuna 0.18.1
  • Fixed some minor typos.
  • Added tests for .../fortuna_extras/fortuna_pure.py
Fortuna 0.18.0
  • Introduced new test format, now includes average call time in nanoseconds.
  • Reduced default number of test cycles to 100,000 - down from 1,000,000.
  • Added pure Python implementation of Fortuna: .../fortuna_extras/fortuna_pure.py
  • Promoted several low level functions to top level.
    • zero_flat(num: int) -> int
    • zero_cool(num: int) -> int
    • zero_extreme(num: int) -> int
    • max_cool(num: int) -> int
    • max_extreme(num: int) -> int
    • analytic_continuation(func: staticmethod, num: int) -> int
    • min_max(num: int, lo: int, hi: int) -> int
Fortuna 0.17.3
  • Internal development cycle.
Fortuna 0.17.2
  • User Requested: dice() and d() functions now support negative numbers as input.
Fortuna 0.17.1
  • Fixed some minor typos.
Fortuna 0.17.0
  • Added QuantumMonty to replace Mostly, same default behavior with more options.
  • Mostly is depreciated and may be removed in a future release.
  • Added FlexCat to replace MultiCat, same default behavior with more options.
  • MultiCat is depreciated and may be removed in a future release.
  • Expanded the Treasure Table example in .../fortuna_extras/fortuna_examples.py
Fortuna 0.16.2
  • Minor refactoring for WeightedChoice.
Fortuna 0.16.1
  • Redesigned fortuna_examples.py to feature a dynamic random magic item generator.
  • Raised cumulative_weighted_choice function to top level.
  • Added test for cumulative_weighted_choice as free function.
  • Updated MultiCat documentation for clarity.
Fortuna 0.16.0
  • Pushed distribution_timer to the .pyx layer.
  • Changed default number of iterations of tests to 1 million, up form 1 hundred thousand.
  • Reordered tests to better match documentation.
  • Added Base Case Fortuna.fast_rand_below.
  • Added Base Case Fortuna.fast_d.
  • Added Base Case Fortuna.fast_dice.
Fortuna 0.15.10
  • Internal Development Cycle
Fortuna 0.15.9
  • Added Base Cases for random.choices()
  • Added Base Case for randint_dice()
Fortuna 0.15.8
  • Clarified MultiCat Test
Fortuna 0.15.7
  • Fixed minor typos.
Fortuna 0.15.6
  • Fixed minor typos.
  • Simplified MultiCat example.
Fortuna 0.15.5
  • Added MultiCat test.
  • Fixed some minor typos in docs.
Fortuna 0.15.4
  • Performance optimization for both WeightedChoice() variants.
  • Cython update provides small performance enhancement across the board.
  • Compilation now leverages Python3 all the way down.
  • MultiCat pushed to the .pyx layer for better performance.
Fortuna 0.15.3
  • Reworked the MultiCat example to include several randomizing strategies working in concert.
  • Added Multi Dice 10d10 performance tests.
  • Updated sudo code in documentation to be more pythonic.
Fortuna 0.15.2
  • Fixed: Linux installation failure.
  • Added: complete source files to the distribution (.cpp .hpp .pyx).
Fortuna 0.15.1
  • Updated & simplified distribution_timer in fortuna_tests.py
  • Readme updated, fixed some typos.
  • Known issue preventing successful installation on some linux platforms.
Fortuna 0.15.0
  • Performance tweaks.
  • Readme updated, added some details.
Fortuna 0.14.1
  • Readme updated, fixed some typos.
Fortuna 0.14.0
  • Fixed a bug where the analytic continuation algorithm caused a rare issue during compilation on some platforms.
Fortuna 0.13.3
  • Fixed Test Bug: percent sign was missing in output distributions.
  • Readme updated: added update history, fixed some typos.
Fortuna 0.13.2
  • Readme updated for even more clarity.
Fortuna 0.13.1
  • Readme updated for clarity.
Fortuna 0.13.0
  • Minor Bug Fixes.
  • Readme updated for aesthetics.
  • Added Tests: .../fortuna_extras/fortuna_tests.py
Fortuna 0.12.0
  • Internal test for future update.
Fortuna 0.11.0
  • Initial Release: Public Beta
Fortuna 0.10.0
  • Module name changed from Dice to Fortuna
Dice 0.1.x - 0.9.x
  • Experimental Phase

Legal Information

Fortuna © 2018 Broken aka Robert W Sharp, all rights reserved.

Fortuna is licensed under a Creative Commons Attribution-NonCommercial 3.0 Unported License.

See online version of this license here: http://creativecommons.org/licenses/by-nc/3.0/

License
-------

THE WORK (AS DEFINED BELOW) IS PROVIDED UNDER THE TERMS OF THIS CREATIVE
COMMONS PUBLIC LICENSE ("CCPL" OR "LICENSE"). THE WORK IS PROTECTED BY
COPYRIGHT AND/OR OTHER APPLICABLE LAW. ANY USE OF THE WORK OTHER THAN AS
AUTHORIZED UNDER THIS LICENSE OR COPYRIGHT LAW IS PROHIBITED.

BY EXERCISING ANY RIGHTS TO THE WORK PROVIDED HERE, YOU ACCEPT AND AGREE TO BE
BOUND BY THE TERMS OF THIS LICENSE. TO THE EXTENT THIS LICENSE MAY BE
CONSIDERED TO BE A CONTRACT, THE LICENSOR GRANTS YOU THE RIGHTS CONTAINED HERE
IN CONSIDERATION OF YOUR ACCEPTANCE OF SUCH TERMS AND CONDITIONS.

1. Definitions

  a. "Adaptation" means a work based upon the Work, or upon the Work and other
  pre-existing works, such as a translation, adaptation, derivative work,
  arrangement of music or other alterations of a literary or artistic work, or
  phonogram or performance and includes cinematographic adaptations or any
  other form in which the Work may be recast, transformed, or adapted
  including in any form recognizably derived from the original, except that a
  work that constitutes a Collection will not be considered an Adaptation for
  the purpose of this License. For the avoidance of doubt, where the Work is a
  musical work, performance or phonogram, the synchronization of the Work in
  timed-relation with a moving image ("synching") will be considered an
  Adaptation for the purpose of this License.

  b. "Collection" means a collection of literary or artistic works, such as
  encyclopedias and anthologies, or performances, phonograms or broadcasts, or
  other works or subject matter other than works listed in Section 1(f) below,
  which, by reason of the selection and arrangement of their contents,
  constitute intellectual creations, in which the Work is included in its
  entirety in unmodified form along with one or more other contributions, each
  constituting separate and independent works in themselves, which together
  are assembled into a collective whole. A work that constitutes a Collection
  will not be considered an Adaptation (as defined above) for the purposes of
  this License.

  c. "Distribute" means to make available to the public the original and
  copies of the Work or Adaptation, as appropriate, through sale or other
  transfer of ownership.

  d. "Licensor" means the individual, individuals, entity or entities that
  offer(s) the Work under the terms of this License.

  e. "Original Author" means, in the case of a literary or artistic work, the
  individual, individuals, entity or entities who created the Work or if no
  individual or entity can be identified, the publisher; and in addition (i)
  in the case of a performance the actors, singers, musicians, dancers, and
  other persons who act, sing, deliver, declaim, play in, interpret or
  otherwise perform literary or artistic works or expressions of folklore;
  (ii) in the case of a phonogram the producer being the person or legal
  entity who first fixes the sounds of a performance or other sounds; and,
  (iii) in the case of broadcasts, the organization that transmits the
  broadcast.

  f. "Work" means the literary and/or artistic work offered under the terms of
  this License including without limitation any production in the literary,
  scientific and artistic domain, whatever may be the mode or form of its
  expression including digital form, such as a book, pamphlet and other
  writing; a lecture, address, sermon or other work of the same nature; a
  dramatic or dramatico-musical work; a choreographic work or entertainment in
  dumb show; a musical composition with or without words; a cinematographic
  work to which are assimilated works expressed by a process analogous to
  cinematography; a work of drawing, painting, architecture, sculpture,
  engraving or lithography; a photographic work to which are assimilated works
  expressed by a process analogous to photography; a work of applied art; an
  illustration, map, plan, sketch or three-dimensional work relative to
  geography, topography, architecture or science; a performance; a broadcast;
  a phonogram; a compilation of data to the extent it is protected as a
  copyrightable work; or a work performed by a variety or circus performer to
  the extent it is not otherwise considered a literary or artistic work.

  g. "You" means an individual or entity exercising rights under this License
  who has not previously violated the terms of this License with respect to
  the Work, or who has received express permission from the Licensor to
  exercise rights under this License despite a previous violation.

  h. "Publicly Perform" means to perform public recitations of the Work and to
  communicate to the public those public recitations, by any means or process,
  including by wire or wireless means or public digital performances; to make
  available to the public Works in such a way that members of the public may
  access these Works from a place and at a place individually chosen by them;
  to perform the Work to the public by any means or process and the
  communication to the public of the performances of the Work, including by
  public digital performance; to broadcast and rebroadcast the Work by any
  means including signs, sounds or images.

  i. "Reproduce" means to make copies of the Work by any means including
  without limitation by sound or visual recordings and the right of fixation
  and reproducing fixations of the Work, including storage of a protected
  performance or phonogram in digital form or other electronic medium.

2. Fair Dealing Rights. Nothing in this License is intended to reduce, limit,
or restrict any uses free from copyright or rights arising from limitations or
exceptions that are provided for in connection with the copyright protection
under copyright law or other applicable laws.

3. License Grant. Subject to the terms and conditions of this License,
Licensor hereby grants You a worldwide, royalty-free, non-exclusive, perpetual
(for the duration of the applicable copyright) license to exercise the rights
in the Work as stated below:

  a. to Reproduce the Work, to incorporate the Work into one or more
  Collections, and to Reproduce the Work as incorporated in the Collections;

  b. to create and Reproduce Adaptations provided that any such Adaptation,
  including any translation in any medium, takes reasonable steps to clearly
  label, demarcate or otherwise identify that changes were made to the
  original Work. For example, a translation could be marked "The original work
  was translated from English to Spanish," or a modification could indicate
  "The original work has been modified.";

  c. to Distribute and Publicly Perform the Work including as incorporated in
  Collections; and,

  d. to Distribute and Publicly Perform Adaptations.

The above rights may be exercised in all media and formats whether now known
or hereafter devised. The above rights include the right to make such
modifications as are technically necessary to exercise the rights in other
media and formats. Subject to Section 8(f), all rights not expressly granted
by Licensor are hereby reserved, including but not limited to the rights set
forth in Section 4(d).

4. Restrictions. The license granted in Section 3 above is expressly made
subject to and limited by the following restrictions:

  a. You may Distribute or Publicly Perform the Work only under the terms of
  this License. You must include a copy of, or the Uniform Resource Identifier
  (URI) for, this License with every copy of the Work You Distribute or
  Publicly Perform. You may not offer or impose any terms on the Work that
  restrict the terms of this License or the ability of the recipient of the
  Work to exercise the rights granted to that recipient under the terms of the
  License. You may not sublicense the Work. You must keep intact all notices
  that refer to this License and to the disclaimer of warranties with every
  copy of the Work You Distribute or Publicly Perform. When You Distribute or
  Publicly Perform the Work, You may not impose any effective technological
  measures on the Work that restrict the ability of a recipient of the Work
  from You to exercise the rights granted to that recipient under the terms of
  the License. This Section 4(a) applies to the Work as incorporated in a
  Collection, but this does not require the Collection apart from the Work
  itself to be made subject to the terms of this License. If You create a
  Collection, upon notice from any Licensor You must, to the extent
  practicable, remove from the Collection any credit as required by Section
  4(c), as requested. If You create an Adaptation, upon notice from any
  Licensor You must, to the extent practicable, remove from the Adaptation any
  credit as required by Section 4(c), as requested.

  b. You may not exercise any of the rights granted to You in Section 3 above
  in any manner that is primarily intended for or directed toward commercial
  advantage or private monetary compensation. The exchange of the Work for
  other copyrighted works by means of digital file-sharing or otherwise shall
  not be considered to be intended for or directed toward commercial advantage
  or private monetary compensation, provided there is no payment of any
  monetary compensation in connection with the exchange of copyrighted works.

  c. If You Distribute, or Publicly Perform the Work or any Adaptations or
  Collections, You must, unless a request has been made pursuant to Section
  4(a), keep intact all copyright notices for the Work and provide, reasonable
  to the medium or means You are utilizing: (i) the name of the Original
  Author (or pseudonym, if applicable) if supplied, and/or if the Original
  Author and/or Licensor designate another party or parties (e.g., a sponsor
  institute, publishing entity, journal) for attribution ("Attribution
  Parties") in Licensor's copyright notice, terms of service or by other
  reasonable means, the name of such party or parties; (ii) the title of the
  Work if supplied; (iii) to the extent reasonably practicable, the URI, if
  any, that Licensor specifies to be associated with the Work, unless such URI
  does not refer to the copyright notice or licensing information for the
  Work; and, (iv) consistent with Section 3(b), in the case of an Adaptation,
  a credit identifying the use of the Work in the Adaptation (e.g., "French
  translation of the Work by Original Author," or "Screenplay based on
  original Work by Original Author"). The credit required by this Section 4(c)
  may be implemented in any reasonable manner; provided, however, that in the
  case of a Adaptation or Collection, at a minimum such credit will appear, if
  a credit for all contributing authors of the Adaptation or Collection
  appears, then as part of these credits and in a manner at least as prominent
  as the credits for the other contributing authors. For the avoidance of
  doubt, You may only use the credit required by this Section for the purpose
  of attribution in the manner set out above and, by exercising Your rights
  under this License, You may not implicitly or explicitly assert or imply any
  connection with, sponsorship or endorsement by the Original Author, Licensor
  and/or Attribution Parties, as appropriate, of You or Your use of the Work,
  without the separate, express prior written permission of the Original
  Author, Licensor and/or Attribution Parties.

  d. For the avoidance of doubt:

    i. Non-waivable Compulsory License Schemes. In those jurisdictions in
    which the right to collect royalties through any statutory or compulsory
    licensing scheme cannot be waived, the Licensor reserves the exclusive
    right to collect such royalties for any exercise by You of the rights
    granted under this License;

    ii. Waivable Compulsory License Schemes. In those jurisdictions in which
    the right to collect royalties through any statutory or compulsory
    licensing scheme can be waived, the Licensor reserves the exclusive right
    to collect such royalties for any exercise by You of the rights granted
    under this License if Your exercise of such rights is for a purpose or use
    which is otherwise than noncommercial as permitted under Section 4(b) and
    otherwise waives the right to collect royalties through any statutory or
    compulsory licensing scheme; and,

    iii. Voluntary License Schemes. The Licensor reserves the right to collect
    royalties, whether individually or, in the event that the Licensor is a
    member of a collecting society that administers voluntary licensing
    schemes, via that society, from any exercise by You of the rights granted
    under this License that is for a purpose or use which is otherwise than
    noncommercial as permitted under Section 4(c).

  e. Except as otherwise agreed in writing by the Licensor or as may be
  otherwise permitted by applicable law, if You Reproduce, Distribute or
  Publicly Perform the Work either by itself or as part of any Adaptations or
  Collections, You must not distort, mutilate, modify or take other derogatory
  action in relation to the Work which would be prejudicial to the Original
  Author's honor or reputation. Licensor agrees that in those jurisdictions
  (e.g. Japan), in which any exercise of the right granted in Section 3(b) of
  this License (the right to make Adaptations) would be deemed to be a
  distortion, mutilation, modification or other derogatory action prejudicial
  to the Original Author's honor and reputation, the Licensor will waive or
  not assert, as appropriate, this Section, to the fullest extent permitted by
  the applicable national law, to enable You to reasonably exercise Your right
  under Section 3(b) of this License (right to make Adaptations) but not
  otherwise.

5. Representations, Warranties and Disclaimer

UNLESS OTHERWISE MUTUALLY AGREED TO BY THE PARTIES IN WRITING, LICENSOR OFFERS
THE WORK AS-IS AND MAKES NO REPRESENTATIONS OR WARRANTIES OF ANY KIND
CONCERNING THE WORK, EXPRESS, IMPLIED, STATUTORY OR OTHERWISE, INCLUDING,
WITHOUT LIMITATION, WARRANTIES OF TITLE, MERCHANTIBILITY, FITNESS FOR A
PARTICULAR PURPOSE, NONINFRINGEMENT, OR THE ABSENCE OF LATENT OR OTHER
DEFECTS, ACCURACY, OR THE PRESENCE OF ABSENCE OF ERRORS, WHETHER OR NOT
DISCOVERABLE. SOME JURISDICTIONS DO NOT ALLOW THE EXCLUSION OF IMPLIED
WARRANTIES, SO SUCH EXCLUSION MAY NOT APPLY TO YOU.

6. Limitation on Liability. EXCEPT TO THE EXTENT REQUIRED BY APPLICABLE LAW,
IN NO EVENT WILL LICENSOR BE LIABLE TO YOU ON ANY LEGAL THEORY FOR ANY
SPECIAL, INCIDENTAL, CONSEQUENTIAL, PUNITIVE OR EXEMPLARY DAMAGES ARISING OUT
OF THIS LICENSE OR THE USE OF THE WORK, EVEN IF LICENSOR HAS BEEN ADVISED OF
THE POSSIBILITY OF SUCH DAMAGES.

7. Termination

  a. This License and the rights granted hereunder will terminate
  automatically upon any breach by You of the terms of this License.
  Individuals or entities who have received Adaptations or Collections from
  You under this License, however, will not have their licenses terminated
  provided such individuals or entities remain in full compliance with those
  licenses. Sections 1, 2, 5, 6, 7, and 8 will survive any termination of this
  License.

  b. Subject to the above terms and conditions, the license granted here is
  perpetual (for the duration of the applicable copyright in the Work).
  Notwithstanding the above, Licensor reserves the right to release the Work
  under different license terms or to stop distributing the Work at any time;
  provided, however that any such election will not serve to withdraw this
  License (or any other license that has been, or is required to be, granted
  under the terms of this License), and this License will continue in full
  force and effect unless terminated as stated above.

8. Miscellaneous

  a. Each time You Distribute or Publicly Perform the Work or a Collection,
  the Licensor offers to the recipient a license to the Work on the same terms
  and conditions as the license granted to You under this License.

  b. Each time You Distribute or Publicly Perform an Adaptation, Licensor
  offers to the recipient a license to the original Work on the same terms and
  conditions as the license granted to You under this License.

  c. If any provision of this License is invalid or unenforceable under
  applicable law, it shall not affect the validity or enforceability of the
  remainder of the terms of this License, and without further action by the
  parties to this agreement, such provision shall be reformed to the minimum
  extent necessary to make such provision valid and enforceable.

  d. No term or provision of this License shall be deemed waived and no breach
  consented to unless such waiver or consent shall be in writing and signed by
  the party to be charged with such waiver or consent.

  e. This License constitutes the entire agreement between the parties with
  respect to the Work licensed here. There are no understandings, agreements
  or representations with respect to the Work not specified here. Licensor
  shall not be bound by any additional provisions that may appear in any
  communication from You. This License may not be modified without the mutual
  written agreement of the Licensor and You.

  f. The rights granted under, and the subject matter referenced, in this
  License were drafted utilizing the terminology of the Berne Convention for
  the Protection of Literary and Artistic Works (as amended on September 28,
  1979), the Rome Convention of 1961, the WIPO Copyright Treaty of 1996, the
  WIPO Performances and Phonograms Treaty of 1996 and the Universal Copyright
  Convention (as revised on July 24, 1971). These rights and subject matter
  take effect in the relevant jurisdiction in which the License terms are
  sought to be enforced according to the corresponding provisions of the
  implementation of those treaty provisions in the applicable national law. If
  the standard suite of rights granted under applicable copyright law includes
  additional rights not granted under this License, such additional rights are
  deemed to be included in the License; this License is not intended to
  restrict the license of any rights under applicable law.

Project details


Release history Release notifications | RSS feed

Download files

Download the file for your platform. If you're not sure which to choose, learn more about installing packages.

Source Distribution

Fortuna-0.21.1.tar.gz (169.2 kB view hashes)

Uploaded Source

Built Distribution

Fortuna-0.21.1-cp37-cp37m-macosx_10_9_x86_64.whl (155.1 kB view hashes)

Uploaded CPython 3.7m macOS 10.9+ x86-64

Supported by

AWS AWS Cloud computing and Security Sponsor Datadog Datadog Monitoring Fastly Fastly CDN Google Google Download Analytics Microsoft Microsoft PSF Sponsor Pingdom Pingdom Monitoring Sentry Sentry Error logging StatusPage StatusPage Status page