mapFolding 0.6.0__py3-none-any.whl → 0.7.1__py3-none-any.whl
This diff represents the content of publicly available package versions that have been released to one of the supported registries. The information contained in this diff is provided for informational purposes only and reflects changes between package versions as they appear in their respective public registries.
- mapFolding/__init__.py +6 -104
- mapFolding/basecamp.py +12 -8
- mapFolding/beDRY.py +103 -286
- mapFolding/filesystem.py +95 -0
- mapFolding/noHomeYet.py +20 -0
- mapFolding/oeis.py +46 -39
- mapFolding/reference/flattened.py +377 -0
- mapFolding/reference/hunterNumba.py +132 -0
- mapFolding/reference/irvineJavaPort.py +120 -0
- mapFolding/reference/jax.py +208 -0
- mapFolding/reference/lunnan.py +153 -0
- mapFolding/reference/lunnanNumpy.py +123 -0
- mapFolding/reference/lunnanWhile.py +121 -0
- mapFolding/reference/rotatedEntryPoint.py +240 -0
- mapFolding/reference/total_countPlus1vsPlusN.py +211 -0
- mapFolding/someAssemblyRequired/Z0Z_workbench.py +33 -0
- mapFolding/someAssemblyRequired/__init__.py +16 -0
- mapFolding/someAssemblyRequired/getLLVMforNoReason.py +21 -0
- mapFolding/someAssemblyRequired/ingredientsNumba.py +100 -0
- mapFolding/someAssemblyRequired/synthesizeCountingFunctions.py +7 -0
- mapFolding/someAssemblyRequired/synthesizeDataConverters.py +135 -0
- mapFolding/someAssemblyRequired/synthesizeNumba.py +91 -0
- mapFolding/someAssemblyRequired/synthesizeNumbaJob.py +417 -0
- mapFolding/someAssemblyRequired/synthesizeNumbaModules.py +91 -0
- mapFolding/someAssemblyRequired/transformationTools.py +425 -0
- mapFolding/someAssemblyRequired/whatWillBe.py +357 -0
- mapFolding/syntheticModules/__init__.py +0 -0
- mapFolding/syntheticModules/dataNamespaceFlattened.py +30 -0
- mapFolding/syntheticModules/multiprocessingCount_doTheNeedful.py +216 -0
- mapFolding/syntheticModules/numbaCount.py +90 -0
- mapFolding/syntheticModules/numbaCountExample.py +158 -0
- mapFolding/syntheticModules/numbaCountSequential.py +111 -0
- mapFolding/syntheticModules/numbaCount_doTheNeedful.py +13 -0
- mapFolding/syntheticModules/numba_doTheNeedful.py +12 -0
- mapFolding/syntheticModules/numba_doTheNeedfulExample.py +13 -0
- mapFolding/theDao.py +216 -229
- mapFolding/theSSOT.py +269 -101
- {mapfolding-0.6.0.dist-info → mapfolding-0.7.1.dist-info}/METADATA +7 -6
- mapfolding-0.7.1.dist-info/RECORD +51 -0
- {mapfolding-0.6.0.dist-info → mapfolding-0.7.1.dist-info}/WHEEL +1 -1
- {mapfolding-0.6.0.dist-info → mapfolding-0.7.1.dist-info}/top_level.txt +1 -0
- tests/__init__.py +0 -0
- tests/conftest.py +278 -0
- tests/test_computations.py +53 -0
- tests/test_filesystem.py +52 -0
- tests/test_oeis.py +128 -0
- tests/test_other.py +84 -0
- tests/test_tasks.py +56 -0
- mapFolding/theConfiguration.py +0 -58
- mapFolding/theSSOTdatatypes.py +0 -155
- mapFolding/theWrongWay.py +0 -7
- mapfolding-0.6.0.dist-info/RECORD +0 -16
- {mapfolding-0.6.0.dist-info → mapfolding-0.7.1.dist-info}/LICENSE +0 -0
- {mapfolding-0.6.0.dist-info → mapfolding-0.7.1.dist-info}/entry_points.txt +0 -0
mapFolding/filesystem.py
ADDED
|
@@ -0,0 +1,95 @@
|
|
|
1
|
+
"""Filesystem functions for mapFolding package."""
|
|
2
|
+
from pathlib import Path, PurePath
|
|
3
|
+
from typing import Any
|
|
4
|
+
import os
|
|
5
|
+
|
|
6
|
+
def getFilenameFoldsTotal(mapShape: tuple[int, ...]) -> str:
|
|
7
|
+
"""Imagine your computer has been counting folds for 9 days, and when it tries to save your newly discovered value,
|
|
8
|
+
the filename is invalid. I bet you think this function is more important after that thought experiment.
|
|
9
|
+
|
|
10
|
+
Make a standardized filename for the computed value `foldsTotal`.
|
|
11
|
+
|
|
12
|
+
The filename takes into account
|
|
13
|
+
- the dimensions of the map, aka `mapShape`, aka `listDimensions`
|
|
14
|
+
- no spaces in the filename
|
|
15
|
+
- safe filesystem characters
|
|
16
|
+
- unique extension
|
|
17
|
+
- Python-safe strings:
|
|
18
|
+
- no starting with a number
|
|
19
|
+
- no reserved words
|
|
20
|
+
- no dashes or other special characters
|
|
21
|
+
- uh, I can't remember, but I found some other frustrating limitations
|
|
22
|
+
- if 'p' is still the first character of the filename, I picked that because it was the original identifier for the map shape in Lunnan's code
|
|
23
|
+
|
|
24
|
+
Parameters:
|
|
25
|
+
mapShape: A sequence of integers representing the dimensions of the map.
|
|
26
|
+
|
|
27
|
+
Returns:
|
|
28
|
+
filenameFoldsTotal: A filename string in format 'pMxN.foldsTotal' where M,N are sorted dimensions
|
|
29
|
+
"""
|
|
30
|
+
return 'p' + 'x'.join(str(dimension) for dimension in sorted(mapShape)) + '.foldsTotal'
|
|
31
|
+
|
|
32
|
+
def getPathFilenameFoldsTotal(mapShape: tuple[int, ...], pathLikeWriteFoldsTotal: str | os.PathLike[str] | None = None) -> Path:
|
|
33
|
+
"""Get a standardized path and filename for the computed value `foldsTotal`.
|
|
34
|
+
|
|
35
|
+
If you provide a directory, the function will append a standardized filename. If you provide a filename
|
|
36
|
+
or a relative path and filename, the function will prepend the default path.
|
|
37
|
+
|
|
38
|
+
Parameters:
|
|
39
|
+
mapShape: List of dimensions for the map folding problem.
|
|
40
|
+
pathLikeWriteFoldsTotal (pathJobRootDEFAULT): Path, filename, or relative path and filename. If None, uses default path.
|
|
41
|
+
Defaults to None.
|
|
42
|
+
|
|
43
|
+
Returns:
|
|
44
|
+
pathFilenameFoldsTotal: Absolute path and filename.
|
|
45
|
+
"""
|
|
46
|
+
from mapFolding.theSSOT import getPathJobRootDEFAULT
|
|
47
|
+
|
|
48
|
+
if pathLikeWriteFoldsTotal is None:
|
|
49
|
+
pathFilenameFoldsTotal = getPathJobRootDEFAULT() / getFilenameFoldsTotal(mapShape)
|
|
50
|
+
else:
|
|
51
|
+
pathLikeSherpa = Path(pathLikeWriteFoldsTotal)
|
|
52
|
+
if pathLikeSherpa.is_dir():
|
|
53
|
+
pathFilenameFoldsTotal = pathLikeSherpa / getFilenameFoldsTotal(mapShape)
|
|
54
|
+
elif pathLikeSherpa.is_file() and pathLikeSherpa.is_absolute():
|
|
55
|
+
pathFilenameFoldsTotal = pathLikeSherpa
|
|
56
|
+
else:
|
|
57
|
+
pathFilenameFoldsTotal = getPathJobRootDEFAULT() / pathLikeSherpa
|
|
58
|
+
|
|
59
|
+
pathFilenameFoldsTotal.parent.mkdir(parents=True, exist_ok=True)
|
|
60
|
+
return pathFilenameFoldsTotal
|
|
61
|
+
|
|
62
|
+
def saveFoldsTotal(pathFilename: str | os.PathLike[str], foldsTotal: int) -> None:
|
|
63
|
+
"""
|
|
64
|
+
Save foldsTotal with multiple fallback mechanisms.
|
|
65
|
+
|
|
66
|
+
Parameters:
|
|
67
|
+
pathFilename: Target save location
|
|
68
|
+
foldsTotal: Critical computed value to save
|
|
69
|
+
"""
|
|
70
|
+
try:
|
|
71
|
+
pathFilenameFoldsTotal = Path(pathFilename)
|
|
72
|
+
pathFilenameFoldsTotal.parent.mkdir(parents=True, exist_ok=True)
|
|
73
|
+
pathFilenameFoldsTotal.write_text(str(foldsTotal))
|
|
74
|
+
except Exception as ERRORmessage:
|
|
75
|
+
try:
|
|
76
|
+
print(f"\nfoldsTotal foldsTotal foldsTotal foldsTotal foldsTotal\n\n{foldsTotal=}\n\nfoldsTotal foldsTotal foldsTotal foldsTotal foldsTotal\n")
|
|
77
|
+
print(ERRORmessage)
|
|
78
|
+
print(f"\nfoldsTotal foldsTotal foldsTotal foldsTotal foldsTotal\n\n{foldsTotal=}\n\nfoldsTotal foldsTotal foldsTotal foldsTotal foldsTotal\n")
|
|
79
|
+
randomnessPlanB = (int(str(foldsTotal).strip()[-1]) + 1) * ['YO_']
|
|
80
|
+
filenameInfixUnique = ''.join(randomnessPlanB)
|
|
81
|
+
pathFilenamePlanB = os.path.join(os.getcwd(), 'foldsTotal' + filenameInfixUnique + '.txt')
|
|
82
|
+
writeStreamFallback = open(pathFilenamePlanB, 'w')
|
|
83
|
+
writeStreamFallback.write(str(foldsTotal))
|
|
84
|
+
writeStreamFallback.close()
|
|
85
|
+
print(str(pathFilenamePlanB))
|
|
86
|
+
except Exception:
|
|
87
|
+
print(foldsTotal)
|
|
88
|
+
return None
|
|
89
|
+
|
|
90
|
+
def writeStringToHere(this: str, pathFilename: str | os.PathLike[Any] | PurePath) -> None:
|
|
91
|
+
"""Write the string `this` to the file at `pathFilename`."""
|
|
92
|
+
pathFilename = Path(pathFilename)
|
|
93
|
+
pathFilename.parent.mkdir(parents=True, exist_ok=True)
|
|
94
|
+
pathFilename.write_text(str(this))
|
|
95
|
+
return None
|
mapFolding/noHomeYet.py
ADDED
|
@@ -0,0 +1,20 @@
|
|
|
1
|
+
from functools import cache
|
|
2
|
+
from mapFolding.oeis import settingsOEIS
|
|
3
|
+
|
|
4
|
+
@cache
|
|
5
|
+
def makeDictionaryFoldsTotalKnown() -> dict[tuple[int, ...], int]:
|
|
6
|
+
"""Returns a dictionary mapping dimension tuples to their known folding totals."""
|
|
7
|
+
dictionaryMapDimensionsToFoldsTotalKnown: dict[tuple[int, ...], int] = {}
|
|
8
|
+
|
|
9
|
+
for settings in settingsOEIS.values():
|
|
10
|
+
sequence = settings['valuesKnown']
|
|
11
|
+
|
|
12
|
+
for n, foldingsTotal in sequence.items():
|
|
13
|
+
mapShape = settings['getMapShape'](n)
|
|
14
|
+
mapShape = sorted(mapShape)
|
|
15
|
+
dictionaryMapDimensionsToFoldsTotalKnown[tuple(mapShape)] = foldingsTotal
|
|
16
|
+
return dictionaryMapDimensionsToFoldsTotalKnown
|
|
17
|
+
|
|
18
|
+
def getFoldsTotalKnown(mapShape: tuple[int, ...]) -> int:
|
|
19
|
+
lookupFoldsTotal = makeDictionaryFoldsTotalKnown()
|
|
20
|
+
return lookupFoldsTotal.get(tuple(mapShape), -1)
|
mapFolding/oeis.py
CHANGED
|
@@ -1,9 +1,9 @@
|
|
|
1
1
|
"""Everything implementing the The Online Encyclopedia of Integer Sequences (OEIS); _only_ things that implement _only_ the OEIS."""
|
|
2
2
|
from collections.abc import Callable
|
|
3
3
|
from datetime import datetime, timedelta
|
|
4
|
-
from mapFolding import
|
|
4
|
+
from mapFolding.theSSOT import thePathPackage
|
|
5
5
|
from pathlib import Path
|
|
6
|
-
from typing import Any,
|
|
6
|
+
from typing import Any, Final, TYPE_CHECKING
|
|
7
7
|
import argparse
|
|
8
8
|
import pathlib
|
|
9
9
|
import random
|
|
@@ -23,11 +23,11 @@ cacheDays = 7
|
|
|
23
23
|
"""
|
|
24
24
|
Section: make `settingsOEIS`"""
|
|
25
25
|
|
|
26
|
-
pathCache: Path =
|
|
26
|
+
pathCache: Path = thePathPackage / ".cache"
|
|
27
27
|
|
|
28
28
|
class SettingsOEIS(TypedDict):
|
|
29
29
|
description: str
|
|
30
|
-
getMapShape: Callable[[int],
|
|
30
|
+
getMapShape: Callable[[int], tuple[int, ...]]
|
|
31
31
|
offset: int
|
|
32
32
|
valuesBenchmark: list[int]
|
|
33
33
|
valuesKnown: dict[int, int]
|
|
@@ -35,38 +35,45 @@ class SettingsOEIS(TypedDict):
|
|
|
35
35
|
valuesTestValidation: list[int]
|
|
36
36
|
valueUnknown: int
|
|
37
37
|
|
|
38
|
-
|
|
39
|
-
|
|
40
|
-
|
|
41
|
-
|
|
42
|
-
|
|
43
|
-
|
|
44
|
-
|
|
45
|
-
|
|
46
|
-
|
|
47
|
-
|
|
48
|
-
|
|
49
|
-
|
|
50
|
-
|
|
51
|
-
|
|
52
|
-
|
|
53
|
-
|
|
54
|
-
|
|
55
|
-
|
|
56
|
-
|
|
57
|
-
|
|
58
|
-
|
|
59
|
-
|
|
60
|
-
|
|
61
|
-
|
|
62
|
-
|
|
63
|
-
|
|
64
|
-
|
|
65
|
-
|
|
66
|
-
|
|
67
|
-
|
|
68
|
-
|
|
38
|
+
class SettingsOEIShardcodedValues(TypedDict):
|
|
39
|
+
getMapShape: Callable[[int], tuple[int, ...]]
|
|
40
|
+
valuesBenchmark: list[int]
|
|
41
|
+
valuesTestParallelization: list[int]
|
|
42
|
+
valuesTestValidation: list[int]
|
|
43
|
+
|
|
44
|
+
settingsOEIShardcodedValues: dict[str, SettingsOEIShardcodedValues] = {
|
|
45
|
+
'A001415': {
|
|
46
|
+
'getMapShape': lambda n: (2, n) if n >= 2 else (n, 2),
|
|
47
|
+
'valuesBenchmark': [14],
|
|
48
|
+
'valuesTestParallelization': [*range(3, 7)],
|
|
49
|
+
'valuesTestValidation': [random.randint(2, 9)],
|
|
50
|
+
},
|
|
51
|
+
'A001416': {
|
|
52
|
+
'getMapShape': lambda n: (3, n) if n >= 3 else (n, 3),
|
|
53
|
+
'valuesBenchmark': [9],
|
|
54
|
+
'valuesTestParallelization': [*range(3, 5)],
|
|
55
|
+
'valuesTestValidation': [random.randint(2, 6)],
|
|
56
|
+
},
|
|
57
|
+
'A001417': {
|
|
58
|
+
'getMapShape': lambda n: tuple(2 for _dimension in range(n)),
|
|
59
|
+
'valuesBenchmark': [6],
|
|
60
|
+
'valuesTestParallelization': [*range(2, 4)],
|
|
61
|
+
'valuesTestValidation': [random.randint(2, 4)],
|
|
62
|
+
},
|
|
63
|
+
'A195646': {
|
|
64
|
+
'getMapShape': lambda n: tuple(3 for _dimension in range(n)),
|
|
65
|
+
'valuesBenchmark': [3],
|
|
66
|
+
'valuesTestParallelization': [*range(2, 3)],
|
|
67
|
+
'valuesTestValidation': [2],
|
|
68
|
+
},
|
|
69
|
+
'A001418': {
|
|
70
|
+
'getMapShape': lambda n: (n, n),
|
|
71
|
+
'valuesBenchmark': [5],
|
|
72
|
+
'valuesTestParallelization': [*range(2, 4)],
|
|
73
|
+
'valuesTestValidation': [random.randint(2, 4)],
|
|
74
|
+
},
|
|
69
75
|
}
|
|
76
|
+
|
|
70
77
|
oeisIDsImplemented: Final[list[str]] = sorted([oeisID.upper().strip() for oeisID in settingsOEIShardcodedValues.keys()])
|
|
71
78
|
"""Directly implemented OEIS IDs; standardized, e.g., 'A001415'."""
|
|
72
79
|
|
|
@@ -286,16 +293,16 @@ def oeisIDfor_n(oeisID: str, n: int | Any) -> int:
|
|
|
286
293
|
if not isinstance(n, int) or n < 0:
|
|
287
294
|
raise ValueError("`n` must be non-negative integer.")
|
|
288
295
|
|
|
289
|
-
|
|
296
|
+
mapShape: tuple[int, ...] = settingsOEIS[oeisID]['getMapShape'](n)
|
|
290
297
|
|
|
291
|
-
if n <= 1 or len(
|
|
298
|
+
if n <= 1 or len(mapShape) < 2:
|
|
292
299
|
offset: int = settingsOEIS[oeisID]['offset']
|
|
293
300
|
if n < offset:
|
|
294
301
|
raise ArithmeticError(f"OEIS sequence {oeisID} is not defined at n={n}.")
|
|
295
302
|
foldsTotal: int = settingsOEIS[oeisID]['valuesKnown'][n]
|
|
296
303
|
return foldsTotal
|
|
297
|
-
|
|
298
|
-
return countFolds(
|
|
304
|
+
from mapFolding.basecamp import countFolds
|
|
305
|
+
return countFolds(mapShape)
|
|
299
306
|
|
|
300
307
|
def OEIS_for_n() -> None:
|
|
301
308
|
"""Command-line interface for oeisIDfor_n."""
|
|
@@ -0,0 +1,377 @@
|
|
|
1
|
+
"""The algorithm flattened into semantic sections.
|
|
2
|
+
This version is not maintained, so you may see differences from the current version."""
|
|
3
|
+
from numpy import integer
|
|
4
|
+
from numpy.typing import NDArray
|
|
5
|
+
from typing import List, Any, Final, Optional, Union, Sequence, Tuple, Type, TypedDict
|
|
6
|
+
import enum
|
|
7
|
+
import numpy
|
|
8
|
+
import sys
|
|
9
|
+
|
|
10
|
+
def countFolds(listDimensions: Sequence[int], computationDivisions = None, CPUlimit: Optional[Union[int, float, bool]] = None):
|
|
11
|
+
def doWhile():
|
|
12
|
+
|
|
13
|
+
while activeLeafGreaterThan0Condition():
|
|
14
|
+
|
|
15
|
+
if activeLeafIsTheFirstLeafCondition() or leafBelowSentinelIs1Condition():
|
|
16
|
+
|
|
17
|
+
if activeLeafGreaterThanLeavesTotalCondition():
|
|
18
|
+
foldsSubTotalsIncrement()
|
|
19
|
+
|
|
20
|
+
else:
|
|
21
|
+
|
|
22
|
+
findGapsInitializeVariables()
|
|
23
|
+
while loopingTheDimensions():
|
|
24
|
+
|
|
25
|
+
if dimensionsUnconstrainedCondition():
|
|
26
|
+
dimensionsUnconstrainedIncrement()
|
|
27
|
+
|
|
28
|
+
else:
|
|
29
|
+
|
|
30
|
+
leafConnecteeInitialization()
|
|
31
|
+
while loopingLeavesConnectedToActiveLeaf():
|
|
32
|
+
if thereAreComputationDivisionsYouMightSkip():
|
|
33
|
+
countGaps()
|
|
34
|
+
leafConnecteeUpdate()
|
|
35
|
+
|
|
36
|
+
dimension1ndexIncrement()
|
|
37
|
+
|
|
38
|
+
if allDimensionsAreUnconstrained():
|
|
39
|
+
insertUnconstrainedLeaf()
|
|
40
|
+
|
|
41
|
+
indexMiniGapInitialization()
|
|
42
|
+
while loopingToActiveGapCeiling():
|
|
43
|
+
filterCommonGaps()
|
|
44
|
+
indexMiniGapIncrement()
|
|
45
|
+
|
|
46
|
+
while backtrackCondition():
|
|
47
|
+
backtrack()
|
|
48
|
+
|
|
49
|
+
if placeLeafCondition():
|
|
50
|
+
placeLeaf()
|
|
51
|
+
|
|
52
|
+
def activeGapIncrement():
|
|
53
|
+
my[indexMy.gap1ndex] += 1
|
|
54
|
+
|
|
55
|
+
def activeLeafGreaterThan0Condition():
|
|
56
|
+
return my[indexMy.leaf1ndex] > 0
|
|
57
|
+
|
|
58
|
+
def activeLeafGreaterThanLeavesTotalCondition():
|
|
59
|
+
return my[indexMy.leaf1ndex] > the[indexThe.leavesTotal]
|
|
60
|
+
|
|
61
|
+
def activeLeafIsTheFirstLeafCondition():
|
|
62
|
+
return my[indexMy.leaf1ndex] <= 1
|
|
63
|
+
|
|
64
|
+
def activeLeafNotEqualToTaskDivisionsCondition():
|
|
65
|
+
return my[indexMy.leaf1ndex] != the[indexThe.taskDivisions]
|
|
66
|
+
|
|
67
|
+
def allDimensionsAreUnconstrained():
|
|
68
|
+
return my[indexMy.dimensionsUnconstrained] == the[indexThe.dimensionsTotal]
|
|
69
|
+
|
|
70
|
+
def backtrack():
|
|
71
|
+
my[indexMy.leaf1ndex] -= 1
|
|
72
|
+
track[indexTrack.leafBelow, track[indexTrack.leafAbove, my[indexMy.leaf1ndex]]] = track[indexTrack.leafBelow, my[indexMy.leaf1ndex]]
|
|
73
|
+
track[indexTrack.leafAbove, track[indexTrack.leafBelow, my[indexMy.leaf1ndex]]] = track[indexTrack.leafAbove, my[indexMy.leaf1ndex]]
|
|
74
|
+
|
|
75
|
+
def backtrackCondition():
|
|
76
|
+
return my[indexMy.leaf1ndex] > 0 and my[indexMy.gap1ndex] == track[indexTrack.gapRangeStart, my[indexMy.leaf1ndex] - 1]
|
|
77
|
+
|
|
78
|
+
def computationDivisionsCondition():
|
|
79
|
+
return the[indexThe.taskDivisions] == int(False)
|
|
80
|
+
|
|
81
|
+
def countGaps():
|
|
82
|
+
gapsWhere[my[indexMy.gap1ndexCeiling]] = my[indexMy.leafConnectee]
|
|
83
|
+
if track[indexTrack.countDimensionsGapped, my[indexMy.leafConnectee]] == 0:
|
|
84
|
+
gap1ndexCeilingIncrement()
|
|
85
|
+
track[indexTrack.countDimensionsGapped, my[indexMy.leafConnectee]] += 1
|
|
86
|
+
|
|
87
|
+
def dimension1ndexIncrement():
|
|
88
|
+
my[indexMy.dimension1ndex] += 1
|
|
89
|
+
|
|
90
|
+
def dimensionsUnconstrainedCondition():
|
|
91
|
+
return connectionGraph[my[indexMy.dimension1ndex], my[indexMy.leaf1ndex], my[indexMy.leaf1ndex]] == my[indexMy.leaf1ndex]
|
|
92
|
+
|
|
93
|
+
def dimensionsUnconstrainedIncrement():
|
|
94
|
+
my[indexMy.dimensionsUnconstrained] += 1
|
|
95
|
+
|
|
96
|
+
def filterCommonGaps():
|
|
97
|
+
gapsWhere[my[indexMy.gap1ndex]] = gapsWhere[my[indexMy.indexMiniGap]]
|
|
98
|
+
if track[indexTrack.countDimensionsGapped, gapsWhere[my[indexMy.indexMiniGap]]] == the[indexThe.dimensionsTotal] - my[indexMy.dimensionsUnconstrained]:
|
|
99
|
+
activeGapIncrement()
|
|
100
|
+
track[indexTrack.countDimensionsGapped, gapsWhere[my[indexMy.indexMiniGap]]] = 0
|
|
101
|
+
|
|
102
|
+
def findGapsInitializeVariables():
|
|
103
|
+
my[indexMy.dimensionsUnconstrained] = 0
|
|
104
|
+
my[indexMy.gap1ndexCeiling] = track[indexTrack.gapRangeStart, my[indexMy.leaf1ndex] - 1]
|
|
105
|
+
my[indexMy.dimension1ndex] = 1
|
|
106
|
+
|
|
107
|
+
def foldsSubTotalsIncrement():
|
|
108
|
+
foldsSubTotals[my[indexMy.taskIndex]] += the[indexThe.leavesTotal]
|
|
109
|
+
|
|
110
|
+
def gap1ndexCeilingIncrement():
|
|
111
|
+
my[indexMy.gap1ndexCeiling] += 1
|
|
112
|
+
|
|
113
|
+
def indexMiniGapIncrement():
|
|
114
|
+
my[indexMy.indexMiniGap] += 1
|
|
115
|
+
|
|
116
|
+
def indexMiniGapInitialization():
|
|
117
|
+
my[indexMy.indexMiniGap] = my[indexMy.gap1ndex]
|
|
118
|
+
|
|
119
|
+
def insertUnconstrainedLeaf():
|
|
120
|
+
my[indexMy.indexLeaf] = 0
|
|
121
|
+
while my[indexMy.indexLeaf] < my[indexMy.leaf1ndex]:
|
|
122
|
+
gapsWhere[my[indexMy.gap1ndexCeiling]] = my[indexMy.indexLeaf]
|
|
123
|
+
my[indexMy.gap1ndexCeiling] += 1
|
|
124
|
+
my[indexMy.indexLeaf] += 1
|
|
125
|
+
|
|
126
|
+
def leafBelowSentinelIs1Condition():
|
|
127
|
+
return track[indexTrack.leafBelow, 0] == 1
|
|
128
|
+
|
|
129
|
+
def leafConnecteeInitialization():
|
|
130
|
+
my[indexMy.leafConnectee] = connectionGraph[my[indexMy.dimension1ndex], my[indexMy.leaf1ndex], my[indexMy.leaf1ndex]]
|
|
131
|
+
|
|
132
|
+
def leafConnecteeUpdate():
|
|
133
|
+
my[indexMy.leafConnectee] = connectionGraph[my[indexMy.dimension1ndex], my[indexMy.leaf1ndex], track[indexTrack.leafBelow, my[indexMy.leafConnectee]]]
|
|
134
|
+
|
|
135
|
+
def loopingLeavesConnectedToActiveLeaf():
|
|
136
|
+
return my[indexMy.leafConnectee] != my[indexMy.leaf1ndex]
|
|
137
|
+
|
|
138
|
+
def loopingTheDimensions():
|
|
139
|
+
return my[indexMy.dimension1ndex] <= the[indexThe.dimensionsTotal]
|
|
140
|
+
|
|
141
|
+
def loopingToActiveGapCeiling():
|
|
142
|
+
return my[indexMy.indexMiniGap] < my[indexMy.gap1ndexCeiling]
|
|
143
|
+
|
|
144
|
+
def placeLeaf():
|
|
145
|
+
my[indexMy.gap1ndex] -= 1
|
|
146
|
+
track[indexTrack.leafAbove, my[indexMy.leaf1ndex]] = gapsWhere[my[indexMy.gap1ndex]]
|
|
147
|
+
track[indexTrack.leafBelow, my[indexMy.leaf1ndex]] = track[indexTrack.leafBelow, track[indexTrack.leafAbove, my[indexMy.leaf1ndex]]]
|
|
148
|
+
track[indexTrack.leafBelow, track[indexTrack.leafAbove, my[indexMy.leaf1ndex]]] = my[indexMy.leaf1ndex]
|
|
149
|
+
track[indexTrack.leafAbove, track[indexTrack.leafBelow, my[indexMy.leaf1ndex]]] = my[indexMy.leaf1ndex]
|
|
150
|
+
track[indexTrack.gapRangeStart, my[indexMy.leaf1ndex]] = my[indexMy.gap1ndex]
|
|
151
|
+
my[indexMy.leaf1ndex] += 1
|
|
152
|
+
|
|
153
|
+
def placeLeafCondition():
|
|
154
|
+
return my[indexMy.leaf1ndex] > 0
|
|
155
|
+
|
|
156
|
+
def taskIndexCondition():
|
|
157
|
+
return my[indexMy.leafConnectee] % the[indexThe.taskDivisions] == my[indexMy.taskIndex]
|
|
158
|
+
|
|
159
|
+
def thereAreComputationDivisionsYouMightSkip():
|
|
160
|
+
if computationDivisionsCondition():
|
|
161
|
+
return True
|
|
162
|
+
if activeLeafNotEqualToTaskDivisionsCondition():
|
|
163
|
+
return True
|
|
164
|
+
if taskIndexCondition():
|
|
165
|
+
return True
|
|
166
|
+
return False
|
|
167
|
+
|
|
168
|
+
stateUniversal = outfitFoldings(listDimensions, computationDivisions=computationDivisions, CPUlimit=CPUlimit)
|
|
169
|
+
connectionGraph: Final[numpy.ndarray] = stateUniversal['connectionGraph']
|
|
170
|
+
foldsSubTotals = stateUniversal['foldsSubTotals']
|
|
171
|
+
gapsWhere = stateUniversal['gapsWhere']
|
|
172
|
+
my = stateUniversal['my']
|
|
173
|
+
the: Final[numpy.ndarray] = stateUniversal['the']
|
|
174
|
+
track = stateUniversal['track']
|
|
175
|
+
|
|
176
|
+
if the[indexThe.taskDivisions] == int(False):
|
|
177
|
+
doWhile()
|
|
178
|
+
else:
|
|
179
|
+
stateUniversal['my'] = my.copy()
|
|
180
|
+
stateUniversal['gapsWhere'] = gapsWhere.copy()
|
|
181
|
+
stateUniversal['track'] = track.copy()
|
|
182
|
+
for indexSherpa in range(the[indexThe.taskDivisions]):
|
|
183
|
+
my = stateUniversal['my'].copy()
|
|
184
|
+
my[indexMy.taskIndex] = indexSherpa
|
|
185
|
+
gapsWhere = stateUniversal['gapsWhere'].copy()
|
|
186
|
+
track = stateUniversal['track'].copy()
|
|
187
|
+
doWhile()
|
|
188
|
+
|
|
189
|
+
return numpy.sum(foldsSubTotals).item()
|
|
190
|
+
|
|
191
|
+
@enum.verify(enum.CONTINUOUS, enum.UNIQUE) if sys.version_info >= (3, 11) else lambda x: x
|
|
192
|
+
class EnumIndices(enum.IntEnum):
|
|
193
|
+
"""Base class for index enums."""
|
|
194
|
+
@staticmethod
|
|
195
|
+
def _generate_next_value_(name, start, count, last_values):
|
|
196
|
+
"""0-indexed."""
|
|
197
|
+
return count
|
|
198
|
+
|
|
199
|
+
def __index__(self) -> int:
|
|
200
|
+
"""Adapt enum to the ultra-rare event of indexing a NumPy 'ndarray', which is not the
|
|
201
|
+
same as `array.array`. See NumPy.org; I think it will be very popular someday."""
|
|
202
|
+
return self
|
|
203
|
+
|
|
204
|
+
class indexMy(EnumIndices):
|
|
205
|
+
"""Indices for dynamic values."""
|
|
206
|
+
dimension1ndex = enum.auto()
|
|
207
|
+
dimensionsUnconstrained = enum.auto()
|
|
208
|
+
gap1ndex = enum.auto()
|
|
209
|
+
gap1ndexCeiling = enum.auto()
|
|
210
|
+
indexLeaf = enum.auto()
|
|
211
|
+
indexMiniGap = enum.auto()
|
|
212
|
+
leaf1ndex = enum.auto()
|
|
213
|
+
leafConnectee = enum.auto()
|
|
214
|
+
taskIndex = enum.auto()
|
|
215
|
+
|
|
216
|
+
class indexThe(EnumIndices):
|
|
217
|
+
"""Indices for static values."""
|
|
218
|
+
dimensionsTotal = enum.auto()
|
|
219
|
+
leavesTotal = enum.auto()
|
|
220
|
+
taskDivisions = enum.auto()
|
|
221
|
+
|
|
222
|
+
class indexTrack(EnumIndices):
|
|
223
|
+
"""Indices for state tracking array."""
|
|
224
|
+
leafAbove = enum.auto()
|
|
225
|
+
leafBelow = enum.auto()
|
|
226
|
+
countDimensionsGapped = enum.auto()
|
|
227
|
+
gapRangeStart = enum.auto()
|
|
228
|
+
|
|
229
|
+
class computationState(TypedDict):
|
|
230
|
+
connectionGraph: NDArray[integer[Any]]
|
|
231
|
+
foldsSubTotals: NDArray[integer[Any]]
|
|
232
|
+
mapShape: Tuple[int, ...]
|
|
233
|
+
my: NDArray[integer[Any]]
|
|
234
|
+
gapsWhere: NDArray[integer[Any]]
|
|
235
|
+
the: NDArray[integer[Any]]
|
|
236
|
+
track: NDArray[integer[Any]]
|
|
237
|
+
|
|
238
|
+
dtypeLarge = numpy.int64
|
|
239
|
+
dtypeMedium = dtypeLarge
|
|
240
|
+
|
|
241
|
+
def getLeavesTotal(listDimensions: Sequence[int]) -> int:
|
|
242
|
+
"""
|
|
243
|
+
How many leaves are in the map.
|
|
244
|
+
|
|
245
|
+
Parameters:
|
|
246
|
+
listDimensions: A list of integers representing dimensions.
|
|
247
|
+
|
|
248
|
+
Returns:
|
|
249
|
+
productDimensions: The product of all positive integer dimensions.
|
|
250
|
+
"""
|
|
251
|
+
listNonNegative = parseDimensions(listDimensions, 'listDimensions')
|
|
252
|
+
listPositive = [dimension for dimension in listNonNegative if dimension > 0]
|
|
253
|
+
|
|
254
|
+
if not listPositive:
|
|
255
|
+
return 0
|
|
256
|
+
else:
|
|
257
|
+
productDimensions = 1
|
|
258
|
+
for dimension in listPositive:
|
|
259
|
+
if dimension > sys.maxsize // productDimensions:
|
|
260
|
+
raise OverflowError(f"I received {dimension=} in {listDimensions=}, but the product of the dimensions exceeds the maximum size of an integer on this system.")
|
|
261
|
+
productDimensions *= dimension
|
|
262
|
+
|
|
263
|
+
return productDimensions
|
|
264
|
+
|
|
265
|
+
def getTaskDivisions(computationDivisions: Optional[Union[int, str]], concurrencyLimit: int, CPUlimit: Optional[Union[bool, float, int]], listDimensions: Sequence[int]):
|
|
266
|
+
if not computationDivisions:
|
|
267
|
+
return 0
|
|
268
|
+
else:
|
|
269
|
+
leavesTotal = getLeavesTotal(listDimensions)
|
|
270
|
+
taskDivisions = 0
|
|
271
|
+
if isinstance(computationDivisions, int):
|
|
272
|
+
taskDivisions = computationDivisions
|
|
273
|
+
elif isinstance(computationDivisions, str):
|
|
274
|
+
computationDivisions = computationDivisions.lower()
|
|
275
|
+
if computationDivisions == "maximum":
|
|
276
|
+
taskDivisions = leavesTotal
|
|
277
|
+
elif computationDivisions == "cpu":
|
|
278
|
+
taskDivisions = min(concurrencyLimit, leavesTotal)
|
|
279
|
+
else:
|
|
280
|
+
raise ValueError("Not my problem.")
|
|
281
|
+
|
|
282
|
+
if taskDivisions > leavesTotal:
|
|
283
|
+
raise ValueError("What are you doing?")
|
|
284
|
+
|
|
285
|
+
return taskDivisions
|
|
286
|
+
|
|
287
|
+
def makeConnectionGraph(listDimensions: Sequence[int], **keywordArguments: Optional[Type]) -> NDArray[integer[Any]]:
|
|
288
|
+
datatype = keywordArguments.get('datatype', dtypeMedium)
|
|
289
|
+
mapShape = validateListDimensions(listDimensions)
|
|
290
|
+
leavesTotal = getLeavesTotal(mapShape)
|
|
291
|
+
arrayDimensions = numpy.array(mapShape, dtype=datatype)
|
|
292
|
+
dimensionsTotal = len(arrayDimensions)
|
|
293
|
+
|
|
294
|
+
cumulativeProduct = numpy.multiply.accumulate([1] + mapShape, dtype=datatype)
|
|
295
|
+
coordinateSystem = numpy.zeros((dimensionsTotal + 1, leavesTotal + 1), dtype=datatype)
|
|
296
|
+
for dimension1ndex in range(1, dimensionsTotal + 1):
|
|
297
|
+
for leaf1ndex in range(1, leavesTotal + 1):
|
|
298
|
+
coordinateSystem[dimension1ndex, leaf1ndex] = ( ((leaf1ndex - 1) // cumulativeProduct[dimension1ndex - 1]) % arrayDimensions[dimension1ndex - 1] + 1 )
|
|
299
|
+
|
|
300
|
+
connectionGraph = numpy.zeros((dimensionsTotal + 1, leavesTotal + 1, leavesTotal + 1), dtype=datatype)
|
|
301
|
+
for dimension1ndex in range(1, dimensionsTotal + 1):
|
|
302
|
+
for activeLeaf1ndex in range(1, leavesTotal + 1):
|
|
303
|
+
for connectee1ndex in range(1, activeLeaf1ndex + 1):
|
|
304
|
+
isFirstCoord = coordinateSystem[dimension1ndex, connectee1ndex] == 1
|
|
305
|
+
isLastCoord = coordinateSystem[dimension1ndex, connectee1ndex] == arrayDimensions[dimension1ndex - 1]
|
|
306
|
+
exceedsActive = connectee1ndex + cumulativeProduct[dimension1ndex - 1] > activeLeaf1ndex
|
|
307
|
+
isEvenParity = (coordinateSystem[dimension1ndex, activeLeaf1ndex] & 1) == (coordinateSystem[dimension1ndex, connectee1ndex] & 1)
|
|
308
|
+
|
|
309
|
+
if (isEvenParity and isFirstCoord) or (not isEvenParity and (isLastCoord or exceedsActive)):
|
|
310
|
+
connectionGraph[dimension1ndex, activeLeaf1ndex, connectee1ndex] = connectee1ndex
|
|
311
|
+
elif isEvenParity and not isFirstCoord:
|
|
312
|
+
connectionGraph[dimension1ndex, activeLeaf1ndex, connectee1ndex] = connectee1ndex - cumulativeProduct[dimension1ndex - 1]
|
|
313
|
+
elif not isEvenParity and not (isLastCoord or exceedsActive):
|
|
314
|
+
connectionGraph[dimension1ndex, activeLeaf1ndex, connectee1ndex] = connectee1ndex + cumulativeProduct[dimension1ndex - 1]
|
|
315
|
+
else:
|
|
316
|
+
connectionGraph[dimension1ndex, activeLeaf1ndex, connectee1ndex] = connectee1ndex
|
|
317
|
+
return connectionGraph
|
|
318
|
+
|
|
319
|
+
def makeDataContainer(shape, datatype: Optional[Type] = None):
|
|
320
|
+
if datatype is None:
|
|
321
|
+
datatype = dtypeMedium
|
|
322
|
+
return numpy.zeros(shape, dtype=datatype)
|
|
323
|
+
|
|
324
|
+
def outfitFoldings(listDimensions: Sequence[int], computationDivisions: Optional[Union[int, str]] = None, CPUlimit: Optional[Union[bool, float, int]] = None, **keywordArguments: Optional[Type]) -> computationState:
|
|
325
|
+
datatypeMedium = keywordArguments.get('datatypeMedium', dtypeMedium)
|
|
326
|
+
datatypeLarge = keywordArguments.get('datatypeLarge', dtypeLarge)
|
|
327
|
+
|
|
328
|
+
the = makeDataContainer(len(indexThe), datatypeMedium)
|
|
329
|
+
|
|
330
|
+
mapShape = tuple(sorted(validateListDimensions(listDimensions)))
|
|
331
|
+
the[indexThe.leavesTotal] = getLeavesTotal(mapShape)
|
|
332
|
+
the[indexThe.dimensionsTotal] = len(mapShape)
|
|
333
|
+
concurrencyLimit = setCPUlimit(CPUlimit)
|
|
334
|
+
the[indexThe.taskDivisions] = getTaskDivisions(computationDivisions, concurrencyLimit, CPUlimit, listDimensions)
|
|
335
|
+
|
|
336
|
+
stateInitialized = computationState(
|
|
337
|
+
connectionGraph = makeConnectionGraph(mapShape, datatype=datatypeMedium),
|
|
338
|
+
foldsSubTotals = makeDataContainer(the[indexThe.leavesTotal], datatypeLarge),
|
|
339
|
+
mapShape = mapShape,
|
|
340
|
+
my = makeDataContainer(len(indexMy), datatypeLarge),
|
|
341
|
+
gapsWhere = makeDataContainer(int(the[indexThe.leavesTotal]) * int(the[indexThe.leavesTotal]) + 1, datatypeMedium),
|
|
342
|
+
the = the,
|
|
343
|
+
track = makeDataContainer((len(indexTrack), the[indexThe.leavesTotal] + 1), datatypeLarge)
|
|
344
|
+
)
|
|
345
|
+
|
|
346
|
+
stateInitialized['my'][indexMy.leaf1ndex] = 1
|
|
347
|
+
return stateInitialized
|
|
348
|
+
|
|
349
|
+
def parseDimensions(dimensions: Sequence[int], parameterName: str = 'unnamed parameter') -> List[int]:
|
|
350
|
+
# listValidated = intInnit(dimensions, parameterName)
|
|
351
|
+
listNOTValidated = dimensions if isinstance(dimensions, (list, tuple)) else list(dimensions)
|
|
352
|
+
listNonNegative = []
|
|
353
|
+
for dimension in listNOTValidated:
|
|
354
|
+
if dimension < 0:
|
|
355
|
+
raise ValueError(f"Dimension {dimension} must be non-negative")
|
|
356
|
+
listNonNegative.append(dimension)
|
|
357
|
+
if not listNonNegative:
|
|
358
|
+
raise ValueError("At least one dimension must be non-negative")
|
|
359
|
+
return listNonNegative
|
|
360
|
+
|
|
361
|
+
def setCPUlimit(CPUlimit: Union[bool, float, int, None]) -> int:
|
|
362
|
+
# if not (CPUlimit is None or isinstance(CPUlimit, (bool, int, float))):
|
|
363
|
+
# CPUlimit = oopsieKwargsie(CPUlimit)
|
|
364
|
+
# concurrencyLimit = defineConcurrencyLimit(CPUlimit)
|
|
365
|
+
# numba.set_num_threads(concurrencyLimit)
|
|
366
|
+
concurrencyLimitHARDCODED = 1
|
|
367
|
+
concurrencyLimit = concurrencyLimitHARDCODED
|
|
368
|
+
return concurrencyLimit
|
|
369
|
+
|
|
370
|
+
def validateListDimensions(listDimensions: Sequence[int]) -> List[int]:
|
|
371
|
+
if not listDimensions:
|
|
372
|
+
raise ValueError(f"listDimensions is a required parameter.")
|
|
373
|
+
listNonNegative = parseDimensions(listDimensions, 'listDimensions')
|
|
374
|
+
dimensionsValid = [dimension for dimension in listNonNegative if dimension > 0]
|
|
375
|
+
if len(dimensionsValid) < 2:
|
|
376
|
+
raise NotImplementedError(f"This function requires listDimensions, {listDimensions}, to have at least two dimensions greater than 0. You may want to look at https://oeis.org/.")
|
|
377
|
+
return sorted(dimensionsValid)
|