47 lines
1.3 KiB
Python
47 lines
1.3 KiB
Python
# scaleGenerator.py
|
|
# Scales are in terms of times per cycle (period) rather
|
|
# than pitch.
|
|
#
|
|
|
|
import math
|
|
|
|
SCALE = ['C', 'Cx', 'D', 'Dx', 'E', 'F', 'Fx', 'G', 'Gx', 'A', 'Ax', 'B']
|
|
|
|
def calculateOctave(baseLength):
|
|
periods = [baseLength / math.exp(x*math.log(2)/12) for x in range(0, 12)]
|
|
periods = [int(round(x)) for x in periods]
|
|
return( zip(SCALE, periods) )
|
|
|
|
def makePitches(basePitch, numOctaves):
|
|
pitchList = []
|
|
for octave in range(0, numOctaves):
|
|
for note, period in calculateOctave(basePitch / 2**octave):
|
|
if period < 65500:
|
|
noteString = note + str(octave)
|
|
pitchList.append((noteString,period))
|
|
return(pitchList)
|
|
|
|
def makeDefines(basePitch, numOctaves):
|
|
pitchList = makePitches(basePitch, numOctaves)
|
|
defineString = "// Scale in the key of {} \n".format(basePitch)
|
|
defineString += "// Automatically generated by scaleGenerator.py \n\n"
|
|
for (note, length) in pitchList:
|
|
defineString += "#define {:<5}{:>6}\n".format(note, length)
|
|
return(defineString)
|
|
|
|
if __name__ == "__main__":
|
|
|
|
## Change these if you like
|
|
BASEPITCH = 10000
|
|
OCTAVES = 8
|
|
OUTFILE = "scale16.h"
|
|
|
|
## Write it out to a file
|
|
out = open(OUTFILE, "w")
|
|
out.write(makeDefines(BASEPITCH, OCTAVES))
|
|
out.close()
|
|
|
|
|
|
|
|
|