music21.base¶
music21.base is what you get in music21 if you type import music21
. It
contains all the most low-level objects that also appear in the music21 module
(i.e., music21.base.Music21Object is the same as music21.Music21Object).
Music21 base classes for Stream
objects and all
elements contained within them including Notes, etc. Additional objects for
defining and manipulating elements are included.
The namespace of this file, as all base.py files, is loaded into the package that contains this file via __init__.py. Everything in this file is thus available after importing music21.
>>> import music21
>>> music21.Music21Object
<class 'music21.base.Music21Object'>
>>> music21.VERSION_STR
'8.3.0'
Alternatively, after doing a complete import, these classes are available under the module “base”:
>>> base.Music21Object
<class 'music21.base.Music21Object'>
Music21Object¶
- class music21.base.Music21Object(id: t.Union[str, int, None] = None, groups: t.Optional[Groups] = None, sites: t.Optional[Sites] = None, duration: t.Optional[Duration] = None, activeSite: t.Optional['music21.stream.Stream'] = None, style: t.Optional[Style] = None, editorial: t.Optional[Editorial] = None, offset: OffsetQL = 0.0, quarterLength: t.Optional[OffsetQLIn] = None, **keywords)¶
Base class for all music21 objects.
All music21 objects have these pieces of information:
id: identification string unique to the object’s container (optional). Defaults to the id() of the element.
groups: a
Groups
object: which is a list of strings identifying internal sub-collections (voices, parts, selections) to which this element belongsduration: Duration object representing the length of the object
activeSite: a reference to the currently active Stream or None
offset: a floating point value, generally in quarter lengths, specifying the position of the object in a site.
priority: int representing the position of an object among all objects at the same offset.
sites: a
Sites
object that stores all the Streams and Contexts that an object is in.derivation: a
Derivation
object, or None, that shows where the object came from.style: a
Style
object, that contains Style information automatically created if it doesn’t exist, so check .hasStyleInformation first if that is not desired.editorial: a
Editorial
object
Each of these may be passed in as a named keyword to any music21 object.
Some of these may be intercepted by the subclassing object (e.g., duration within Note)
Music21Object
bases
Music21Object
read-only properties
- Music21Object.beat¶
Return the beat of this object as found in the most recently positioned Measure. Beat values count from 1 and contain a floating-point designation between 0 and 1 to show proportional progress through the beat.
>>> n = note.Note() >>> n.quarterLength = 0.5 >>> m = stream.Measure() >>> m.timeSignature = meter.TimeSignature('3/4') >>> m.repeatAppend(n, 6) >>> [n.beat for n in m.notes] [1.0, 1.5, 2.0, 2.5, 3.0, 3.5]
Fractions are returned for positions that cannot be represented perfectly using floats:
>>> m.timeSignature = meter.TimeSignature('6/8') >>> [n.beat for n in m.notes] [1.0, Fraction(4, 3), Fraction(5, 3), 2.0, Fraction(7, 3), Fraction(8, 3)]
>>> s = stream.Stream() >>> s.insert(0, meter.TimeSignature('3/4')) >>> s.repeatAppend(note.Note(), 8) >>> [n.beat for n in s.notes] [1.0, 2.0, 3.0, 1.0, 2.0, 3.0, 1.0, 2.0]
Notes inside flat streams can still find the original beat placement from outer streams:
>>> p = stream.Part() >>> ts = meter.TimeSignature('2/4') >>> p.insert(0, ts)
>>> n = note.Note('C4', type='eighth') >>> m1 = stream.Measure(number=1) >>> m1.repeatAppend(n, 4)
>>> m2 = stream.Measure(number=2) >>> m2.repeatAppend(n, 4)
>>> p.append([m1, m2]) >>> [n.beat for n in p.flatten().notes] [1.0, 1.5, 2.0, 2.5, 1.0, 1.5, 2.0, 2.5]
Fractions print out as improper fraction strings
>>> m = stream.Measure() >>> m.timeSignature = meter.TimeSignature('4/4') >>> n = note.Note() >>> n.quarterLength = 1/3 >>> m.repeatAppend(n, 12) >>> for n in m.notes[:5]: ... print(n.beat) 1.0 4/3 5/3 2.0 7/3
If there is no TimeSignature object in sites then returns the special float nan meaning “Not a Number”:
>>> isolatedNote = note.Note('E4') >>> isolatedNote.beat nan
Not-a-number objects do not compare equal to themselves:
>>> isolatedNote.beat == isolatedNote.beat False
Instead, to test for nan, import the math module and use isnan():
>>> import math >>> math.isnan(isolatedNote.beat) True
Changed in v.6.3 – returns nan if there is no TimeSignature in sites. Previously raised an exception.
- Music21Object.beatDuration¶
Return a
Duration
of the beat active for this object as found in the most recently positioned Measure.If extending beyond the Measure, or in a Stream with a TimeSignature, the meter modulus value will be returned.
>>> n = note.Note('C4', type='eighth') >>> n.duration <music21.duration.Duration 0.5>
>>> m = stream.Measure() >>> m.timeSignature = meter.TimeSignature('3/4') >>> m.repeatAppend(n, 6) >>> n0 = m.notes.first() >>> n0.beatDuration <music21.duration.Duration 1.0>
Notice that the beat duration is the same for all these notes and has nothing to do with the duration of the element itself
>>> [n.beatDuration.quarterLength for n in m.notes] [1.0, 1.0, 1.0, 1.0, 1.0, 1.0]
Changing the time signature changes the beat duration:
>>> m.timeSignature = meter.TimeSignature('6/8') >>> [n.beatDuration.quarterLength for n in m.notes] [1.5, 1.5, 1.5, 1.5, 1.5, 1.5]
Complex time signatures will give different note lengths:
>>> s = stream.Stream() >>> s.insert(0, meter.TimeSignature('2/4+3/4')) >>> s.repeatAppend(note.Note(type='quarter'), 8) >>> [n.beatDuration.quarterLength for n in s.notes] [2.0, 2.0, 3.0, 3.0, 3.0, 2.0, 2.0, 3.0]
If there is no TimeSignature object in sites then returns a duration object of Zero length.
>>> isolatedNote = note.Note('E4') >>> isolatedNote.beatDuration <music21.duration.Duration 0.0>
Changed in v.6.3 – returns a duration.Duration object of length 0 if there is no TimeSignature in sites. Previously raised an exception.
- Music21Object.beatStr¶
Return a string representation of the beat of this object as found in the most recently positioned Measure. Beat values count from 1 and contain a fractional designation to show progress through the beat.
>>> n = note.Note(type='eighth') >>> m = stream.Measure() >>> m.timeSignature = meter.TimeSignature('3/4') >>> m.repeatAppend(n, 6)
>>> [n.beatStr for n in m.notes] ['1', '1 1/2', '2', '2 1/2', '3', '3 1/2']
>>> m.timeSignature = meter.TimeSignature('6/8') >>> [n.beatStr for n in m.notes] ['1', '1 1/3', '1 2/3', '2', '2 1/3', '2 2/3']
>>> s = stream.Stream() >>> s.insert(0, meter.TimeSignature('3/4')) >>> s.repeatAppend(note.Note(type='quarter'), 8) >>> [n.beatStr for n in s.notes] ['1', '2', '3', '1', '2', '3', '1', '2']
If there is no TimeSignature object in sites then returns ‘nan’ for not a number.
>>> isolatedNote = note.Note('E4') >>> isolatedNote.beatStr 'nan'
Changed in v.6.3 – returns ‘nan’ if there is no TimeSignature in sites. Previously raised an exception.
- Music21Object.beatStrength¶
Return the metrical accent of this object in the most recently positioned Measure. Accent values are between zero and one, and are derived from the local TimeSignature’s accent MeterSequence weights. If the offset of this object does not match a defined accent weight, a minimum accent weight will be returned.
>>> n = note.Note(type='eighth') >>> m = stream.Measure() >>> m.timeSignature = meter.TimeSignature('3/4') >>> m.repeatAppend(n, 6)
The first note of a measure is (generally?) always beat strength 1.0:
>>> m.notes.first().beatStrength 1.0
Notes on weaker beats have lower strength:
>>> [n.beatStrength for n in m.notes] [1.0, 0.25, 0.5, 0.25, 0.5, 0.25]
>>> m.timeSignature = meter.TimeSignature('6/8') >>> [n.beatStrength for n in m.notes] [1.0, 0.25, 0.25, 0.5, 0.25, 0.25]
Importantly, the actual numbers here have no particular meaning. You cannot “add” two beatStrengths of 0.25 and say that they have the same beat strength as one note of 0.5. Only the ordinal relations really matter. Even taking an average of beat strengths is a tiny bit methodologically suspect (though it is common in research for lack of a better method).
We can also get the beatStrength for elements not in a measure, if the enclosing stream has a
TimeSignature
. We just assume that the time signature carries through to hypothetical following measures:>>> n = note.Note('E-3', type='quarter') >>> s = stream.Stream() >>> s.insert(0.0, meter.TimeSignature('2/2')) >>> s.repeatAppend(n, 12) >>> [n.beatStrength for n in s.notes] [1.0, 0.25, 0.5, 0.25, 1.0, 0.25, 0.5, 0.25, 1.0, 0.25, 0.5, 0.25]
Changing the meter changes the output, of course, as can be seen from the fourth quarter note onward:
>>> s.insert(4.0, meter.TimeSignature('3/4')) >>> [n.beatStrength for n in s.notes] [1.0, 0.25, 0.5, 0.25, 1.0, 0.5, 0.5, 1.0, 0.5, 0.5, 1.0, 0.5]
The method returns correct numbers for the prevailing time signature even if no measures have been made:
>>> n = note.Note('E--3', type='half') >>> s = stream.Stream() >>> s.isMeasure False
>>> s.insert(0, meter.TimeSignature('2/2')) >>> s.repeatAppend(n, 16) >>> s.notes[0].beatStrength 1.0 >>> s.notes[1].beatStrength 0.5 >>> s.notes[4].beatStrength 1.0 >>> s.notes[5].beatStrength 0.5
Getting the beatStrength of an object without a time signature in its context returns the not-a-number special object ‘nan’:
>>> n2 = note.Note(type='whole') >>> n2.beatStrength nan >>> from math import isnan >>> isnan(n2.beatStrength) True
Changed in v6.3 – return ‘nan’ instead of raising an exception.
- Music21Object.hasEditorialInformation¶
Returns True if there is a
Editorial
object already associated with this object, False otherwise.Calling .editorial on an object will always create a new Editorial object, so even though a new Editorial object isn’t too expensive to create, this property helps to prevent creating new Editorial objects more than is necessary.
>>> mObj = base.Music21Object() >>> mObj.hasEditorialInformation False >>> mObj.editorial <music21.editorial.Editorial {}> >>> mObj.hasEditorialInformation True
- Music21Object.hasStyleInformation¶
Returns True if there is a
Style
object already associated with this object, False otherwise.Calling .style on an object will always create a new Style object, so even though a new Style object isn’t too expensive to create, this property helps to prevent creating new Styles more than necessary.
>>> mObj = base.Music21Object() >>> mObj.hasStyleInformation False >>> mObj.style <music21.style.Style object at 0x10b0a2080> >>> mObj.hasStyleInformation True
- Music21Object.measureNumber¶
Return the measure number of a
Measure
that contains this object if the object is in a measure.Returns None if the object is not in a measure. Also note that by default Measure objects have measure number 0.
If an object belongs to multiple measures (not in the same hierarchy…) then it returns the measure number of the
activeSite()
if that is aMeasure
object. Otherwise, it will usegetContextByClass()
to find the number of the measure it was most recently added to.>>> m = stream.Measure() >>> m.number = 12 >>> n = note.Note() >>> m.append(n) >>> n.measureNumber 12
>>> n2 = note.Note() >>> n2.measureNumber is None True >>> m2 = stream.Measure() >>> m2.append(n2) >>> n2.measureNumber 0
The property updates if the object’s surrounding measure’s number changes:
>>> m2.number = 11 >>> n2.measureNumber 11
The most recent measure added to is used unless activeSite is a measure:
>>> m.append(n2) >>> n2.measureNumber 12 >>> n2.activeSite = m2 >>> n2.measureNumber 11
Copies can retain measure numbers until set themselves:
>>> import copy >>> nCopy = copy.deepcopy(n2) >>> nCopy.measureNumber 12 >>> m3 = stream.Measure() >>> m3.number = 4 >>> m3.append(nCopy) >>> nCopy.measureNumber 4
Read-only properties inherited from ProtoM21Object
:
Music21Object
read/write properties
- Music21Object.activeSite¶
A reference to the most-recent object used to contain this object. In most cases, this will be a Stream or Stream sub-class. In most cases, an object’s activeSite attribute is automatically set when an the object is attached to a Stream.
>>> n = note.Note('C#4') >>> p = stream.Part() >>> p.insert(20.0, n) >>> n.activeSite is p True >>> n.offset 20.0
>>> m = stream.Measure() >>> m.insert(10.0, n) >>> n.activeSite is m True >>> n.offset 10.0 >>> n.activeSite = p >>> n.offset 20.0
- Music21Object.derivation¶
Return the
Derivation
object for this element.Or create one if none exists:
>>> n = note.Note() >>> n.derivation <Derivation of <music21.note.Note C> from None> >>> import copy >>> n2 = copy.deepcopy(n) >>> n2.pitch.step = 'D' # for seeing easier... >>> n2.derivation <Derivation of <music21.note.Note D> from <music21.note.Note C> via '__deepcopy__'> >>> n2.derivation.origin is n True
Note that (for now at least) derivation.origin is NOT a weakref:
>>> del n >>> n2.derivation <Derivation of <music21.note.Note D> from <music21.note.Note C> via '__deepcopy__'> >>> n2.derivation.origin <music21.note.Note C>
- Music21Object.duration¶
Get and set the duration of this object as a Duration object.
- Music21Object.editorial¶
a
Editorial
object that stores editorial information (comments, footnotes, harmonic information, ficta).Created automatically as needed:
>>> n = note.Note('C4') >>> n.editorial <music21.editorial.Editorial {}> >>> n.editorial.ficta = pitch.Accidental('sharp') >>> n.editorial.ficta <music21.pitch.Accidental sharp> >>> n.editorial <music21.editorial.Editorial {'ficta': <music21.pitch.Accidental sharp>}>
- Music21Object.id¶
A unique identification string or int; not to be confused with Python’s built-in id() method. However, if not set, will return Python’s id() number.
“Unique” is intended with respect to the stream hierarchy one is likely to query with
getElementById()
. For instance, the .id of a Voice should be unique in any single Measure, but the id’s may reset from measure to measure across a Part.
- Music21Object.offset¶
The offset property sets or returns the position of this object as a float or fractions.Fraction value (generally in quarterLengths), depending on what is representable.
Offsets are measured from the start of the object’s activeSite, that is, the most recently referenced Stream or Stream subclass such as Part, Measure, or Voice. It is a simpler way of calling o.getOffsetBySite(o.activeSite, returnType=’rational’).
If we put a Note into a Stream, we will see the activeSite changes.
>>> import fractions >>> n1 = note.Note('D#3') >>> n1.activeSite is None True
>>> m1 = stream.Measure() >>> m1.number = 4 >>> m1.insert(10.0, n1) >>> n1.offset 10.0 >>> n1.activeSite <music21.stream.Measure 4 offset=0.0>
>>> n1.activeSite is m1 True
The most recently referenced Stream becomes an object’s activeSite and thus the place where .offset looks to find its number.
>>> m2 = stream.Measure() >>> m2.insert(3/5, n1) >>> m2.number = 5 >>> n1.offset Fraction(3, 5) >>> n1.activeSite is m2 True
Notice though that .offset depends on the .activeSite which is the most recently accessed/referenced Stream.
Here we will iterate over the elements in m1 and we will see that the .offset of n1 now is its offset in m1 even though we haven’t done anything directly to n1. Simply iterating over a site is enough to change the .activeSite of its elements:
>>> for element in m1: ... pass >>> n1.offset 10.0
The property can also set the offset for the object if no container has been set:
>>> n1 = note.Note() >>> n1.id = 'hi' >>> n1.offset = 20/3 >>> n1.offset Fraction(20, 3) >>> float(n1.offset) 6.666...
>>> s1 = stream.Stream() >>> s1.append(n1) >>> n1.offset 0.0 >>> s2 = stream.Stream() >>> s2.insert(30.5, n1) >>> n1.offset 30.5
After calling getElementById on s1, the returned element’s offset will be its offset in s1.
>>> n2 = s1.getElementById('hi') >>> n2 is n1 True >>> n2.offset 0.0
Iterating over the elements in a Stream will make its offset be the offset in iterated Stream.
>>> for thisElement in s2: ... thisElement.offset 30.5
When in doubt, use .getOffsetBySite(streamObj) which is safer or streamObj.elementOffset(self) which is 3x faster.
Changed in v.8 – using a Duration object as an offset is not allowed.
- Music21Object.priority¶
Get and set the priority integer value.
Priority specifies the order of processing from left (lowest number) to right (highest number) of objects at the same offset. For instance, if you want a key change and a clef change to happen at the same time but the key change to appear first, then set: keySigElement.priority = 1; clefElement.priority = 2 this might be a slightly counterintuitive numbering of priority, but it does mean, for instance, if you had two elements at the same offset, an allegro tempo change and an andante tempo change, then the tempo change with the higher priority number would apply to the following notes (by being processed second).
Default priority is 0; thus negative priorities are encouraged to have Elements that appear before non-priority set elements.
In case of tie, there are defined class sort orders defined in music21.base.classSortOrder. For instance, a key signature change appears before a time signature change before a note at the same offset. This produces the familiar order of materials at the start of a musical score.
>>> import music21 >>> a = music21.Music21Object() >>> a.priority = 3 >>> a.priority = 'high' Traceback (most recent call last): music21.base.ElementException: priority values must be integers.
- Music21Object.quarterLength¶
Set or Return the Duration as represented in Quarter Length, possibly as a fraction.
Same as setting .duration.quarterLength.
>>> n = note.Note() >>> n.quarterLength = 2.0 >>> n.quarterLength 2.0 >>> n.quarterLength = 1/3 >>> n.quarterLength Fraction(1, 3)
- Music21Object.seconds¶
Get or set the duration of this object in seconds, assuming that this object has a
MetronomeMark
orMetricModulation
(or anyTempoIndication
) in its past context.>>> s = stream.Stream() >>> for i in range(3): ... s.append(note.Note(type='quarter')) ... s.append(note.Note(type='quarter', dots=1)) >>> s.insert(0, tempo.MetronomeMark(number=60)) >>> s.insert(2, tempo.MetronomeMark(number=120)) >>> s.insert(4, tempo.MetronomeMark(number=30)) >>> [n.seconds for n in s.notes] [1.0, 1.5, 0.5, 0.75, 2.0, 3.0]
Setting the number of seconds on a music21 object changes its duration:
>>> lastNote = s.notes[-1] >>> lastNote.duration.fullName 'Dotted Quarter' >>> lastNote.seconds = 4.0 >>> lastNote.duration.fullName 'Half'
Any object of length 0 has zero-second length:
>>> tc = clef.TrebleClef() >>> tc.seconds 0.0
If an object has positive duration but no tempo indication in its context, then the special number ‘nan’ for “not-a-number” is returned:
>>> r = note.Rest(type='whole') >>> r.seconds nan
Check for ‘nan’ with the math.isnan() routine:
>>> import math >>> math.isnan(r.seconds) True
Setting seconds for an element without a tempo-indication in its sites raises a Music21ObjectException:
>>> r.seconds = 2.0 Traceback (most recent call last): music21.base.Music21ObjectException: this object does not have a TempoIndication in Sites
Note that if an object is in multiple Sites with multiple Metronome marks, the activeSite (or the hierarchy of the activeSite) determines its seconds for getting or setting:
>>> r = note.Rest(type='whole') >>> m1 = stream.Measure() >>> m1.insert(0, tempo.MetronomeMark(number=60)) >>> m1.append(r) >>> r.seconds 4.0
>>> m2 = stream.Measure() >>> m2.insert(0, tempo.MetronomeMark(number=120)) >>> m2.append(r) >>> r.seconds 2.0 >>> r.activeSite = m1 >>> r.seconds 4.0 >>> r.seconds = 1.0 >>> r.duration.type 'quarter' >>> r.activeSite = m2 >>> r.seconds = 1.0 >>> r.duration.type 'half'
Changed in v6.3 – return nan instead of raising an exception.
- Music21Object.style¶
Returns (or Creates and then Returns) the Style object associated with this object, or sets a new style object. Different classes might use different Style objects because they might have different style needs (such as text formatting or bezier positioning)
Eventually will also query the groups to see if they have any styles associated with them.
>>> n = note.Note() >>> st = n.style >>> st <music21.style.NoteStyle object at 0x10ba96208> >>> st.absoluteX = 20.0 >>> st.absoluteX 20.0 >>> n.style = style.Style() >>> n.style.absoluteX is None True
Music21Object
methods
- Music21Object.clearCache(**keywords)¶
A number of music21 attributes (especially with Chords and RomanNumerals, etc.) are expensive to compute and are therefore cached. Generally speaking objects are responsible for making sure that their own caches are up to date, but a power user might want to do something in an unusual way (such as manipulating private attributes on a Pitch object) and need to be able to clear caches.
That’s what this is here for. If all goes well, you’ll never need to call it unless you’re expanding music21’s core functionality.
**keywords is not used in Music21Object but is included for subclassing.
Look at
cacheMethod()
for the other half of this utility.New in v.6 – exposes previously hidden functionality.
- Music21Object.containerHierarchy(*, followDerivation=True, includeNonStreamDerivations=False)¶
Return a list of Stream subclasses that this object is contained within or (if followDerivation is set) is derived from.
This method gives access to the hierarchy that contained or created this object.
>>> s = corpus.parse('bach/bwv66.6') >>> noteE = s[1][2][3] >>> noteE <music21.note.Note E> >>> [e for e in noteE.containerHierarchy()] [<music21.stream.Measure 1 offset=1.0>, <music21.stream.Part Soprano>, <music21.stream.Score 0x1049a5668>]
Note that derived objects also can follow the container hierarchy:
>>> import copy >>> n2 = copy.deepcopy(noteE) >>> [e for e in n2.containerHierarchy()] [<music21.stream.Measure 1 offset=1.0>, <music21.stream.Part Soprano>, <music21.stream.Score 0x1049a5668>]
Unless followDerivation is False:
>>> [e for e in n2.containerHierarchy(followDerivation=False)] []
if includeNonStreamDerivations is True then n2’s containerHierarchy will include n even though it’s not a container. It gives a good idea of how the hierarchy is being constructed.
>>> [e for e in n2.containerHierarchy(includeNonStreamDerivations=True)] [<music21.note.Note E>, <music21.stream.Measure 1 offset=1.0>, <music21.stream.Part Soprano>, <music21.stream.Score 0x1049a5668>]
The method follows activeSites, so set the activeSite as necessary.
>>> p = stream.Part(id='newPart') >>> m = stream.Measure(number=20) >>> p.insert(0, m) >>> m.insert(0, noteE) >>> noteE.activeSite <music21.stream.Measure 20 offset=0.0> >>> noteE.containerHierarchy() [<music21.stream.Measure 20 offset=0.0>, <music21.stream.Part newPart>]
changed in v.5.7: followDerivation and includeNonStreamDerivations are now keyword only
- Music21Object.contextSites(*, returnSortTuples: Literal[True], callerFirst=None, memo=None, offsetAppend: float | Fraction = 0.0, sortByCreationTime: Literal['reverse'] | bool = False, priorityTarget=None, followDerivation=True, priorityTargetOnly=False) Generator[ContextSortTuple, None, None] ¶
- Music21Object.contextSites(*, callerFirst=None, memo=None, offsetAppend: float | Fraction = 0.0, sortByCreationTime: Literal['reverse'] | bool = False, priorityTarget=None, returnSortTuples: Literal[False] = False, followDerivation=True, priorityTargetOnly=False) Generator[ContextTuple, None, None]
A generator that returns a list of namedtuples of sites to search for a context…
Each tuple contains three elements:
.site – Stream object .offset – the offset or position (sortTuple) of this element in that Stream .recurseType – the way of searching that should be applied to search for a context.
The recurseType values are all music21.stream.enums.RecurseType:
FLATTEN – flatten the stream and then look from this offset backwards.
- ELEMENTS_ONLY – only search the stream’s personal
elements from this offset backwards
- ELEMENTS_FIRST – search this stream backwards,
and then flatten and search backwards
>>> c = corpus.parse('bwv66.6') >>> c.id = 'bach' >>> n = c[2][4][2] >>> n <music21.note.Note G#>
Returning sortTuples are important for distinguishing the order of multiple sites at the same offset.
>>> for csTuple in n.contextSites(returnSortTuples=True): ... yClearer = (csTuple.site, csTuple.offset.shortRepr(), csTuple.recurseType) ... print(yClearer) (<music21.stream.Measure 3 offset=9.0>, '0.5 <0.20...>', <RecursionType.ELEMENTS_FIRST>) (<music21.stream.Part Alto>, '9.5 <0.20...>', <RecursionType.FLATTEN>) (<music21.stream.Score bach>, '9.5 <0.20...>', <RecursionType.ELEMENTS_ONLY>)
Streams have themselves as the first element in their context sites, at position zero and classSortOrder negative infinity.
This example shows the context sites for Measure 3 of the Alto part. We will get the measure object using direct access to indices to ensure that no other temporary streams are created; normally, we would do c.parts[‘#Alto’].measure(3).
>>> m = c[2][4] >>> m <music21.stream.Measure 3 offset=9.0>
If returnSortTuples is true then ContextSortTuples are returned, where the second element is a SortTuple:
>>> for csTuple in m.contextSites(returnSortTuples=True): ... print(csTuple) ContextSortTuple(site=<music21.stream.Measure 3 offset=9.0>, offset=SortTuple(atEnd=0, offset=0.0, priority=-inf, ...), recurseType=<RecursionType.ELEMENTS_FIRST>) ContextSortTuple(...) ContextSortTuple(...)
Because SortTuples are so detailed, we’ll use their shortRepr() to see the values, removing the insertIndex because it changes from run to run:
>>> for csTuple in m.contextSites(returnSortTuples=True): ... yClearer = (csTuple.site, csTuple.offset.shortRepr(), csTuple.recurseType) ... print(yClearer) (<music21.stream.Measure 3 offset=9.0>, '0.0 <-inf.-20...>', <RecursionType.ELEMENTS_FIRST>) (<music21.stream.Part Alto>, '9.0 <0.-20...>', <RecursionType.FLATTEN>) (<music21.stream.Score bach>, '9.0 <0.-20...>', <RecursionType.ELEMENTS_ONLY>)
Here we make a copy of the earlier measure, and we see that its contextSites follow the derivationChain from the original measure and still find the Part and Score of the original Measure 3 even though mCopy is not in any of these objects.
>>> import copy >>> mCopy = copy.deepcopy(m) >>> mCopy.number = 3333 >>> for csTuple in mCopy.contextSites(): ... print(csTuple, mCopy in csTuple.site) ContextTuple(site=<music21.stream.Measure 3333 offset=0.0>, offset=0.0, recurseType=<RecursionType.ELEMENTS_FIRST>) False ContextTuple(site=<music21.stream.Part Alto>, offset=9.0, recurseType=<RecursionType.FLATTEN>) False ContextTuple(site=<music21.stream.Score bach>, offset=9.0, recurseType=<RecursionType.ELEMENTS_ONLY>) False
If followDerivation were False, then the Part and Score would not be found.
>>> for csTuple in mCopy.contextSites(followDerivation=False): ... print(csTuple) ContextTuple(site=<music21.stream.Measure 3333 offset=0.0>, offset=0.0, recurseType=<RecursionType.ELEMENTS_FIRST>)
>>> partIterator = c.parts >>> m3 = partIterator[1].measure(3) >>> for csTuple in m3.contextSites(): ... print(csTuple) ContextTuple(site=<music21.stream.Measure 3 offset=9.0>, offset=0.0, recurseType=<RecursionType.ELEMENTS_FIRST>) ContextTuple(site=<music21.stream.Part Alto>, offset=9.0, recurseType=<RecursionType.FLATTEN>) ContextTuple(site=<music21.stream.Score bach>, offset=9.0, recurseType=<RecursionType.ELEMENTS_ONLY>)
Sorting order:
>>> p1 = stream.Part() >>> p1.id = 'p1' >>> m1 = stream.Measure() >>> m1.number = 1 >>> n = note.Note() >>> m1.append(n) >>> p1.append(m1) >>> for csTuple in n.contextSites(): ... print(csTuple.site) <music21.stream.Measure 1 offset=0.0> <music21.stream.Part p1>
>>> p2 = stream.Part() >>> p2.id = 'p2' >>> m2 = stream.Measure() >>> m2.number = 2 >>> m2.append(n) >>> p2.append(m2)
The keys could have appeared in any order, but by default we set priorityTarget to activeSite. So this is the same as omitting.
>>> for y in n.contextSites(priorityTarget=n.activeSite): ... print(y[0]) <music21.stream.Measure 2 offset=0.0> <music21.stream.Part p2> <music21.stream.Measure 1 offset=0.0> <music21.stream.Part p1>
We can sort sites by creationTime…
>>> for csTuple in n.contextSites(sortByCreationTime=True): ... print(csTuple.site) <music21.stream.Measure 2 offset=0.0> <music21.stream.Part p2> <music21.stream.Measure 1 offset=0.0> <music21.stream.Part p1>
oldest first…
>>> for csTuple in n.contextSites(sortByCreationTime='reverse'): ... print(csTuple.site) <music21.stream.Measure 1 offset=0.0> <music21.stream.Part p1> <music21.stream.Measure 2 offset=0.0> <music21.stream.Part p2>
Note that by default we search all sites, but you might want to only search one, for instance:
>>> c = note.Note('C') >>> m1 = stream.Measure() >>> m1.append(c)
>>> d = note.Note('D') >>> m2 = stream.Measure() >>> m2.append([c, d])
>>> c.activeSite = m1 >>> c.next('Note') # uses contextSites <music21.note.Note D>
There is a particular site in which there is a Note after c, but we want to know if there is one in m1 or its hierarchy, so we can pass in activeSiteOnly to .next() which sets priorityTargetOnly=True for contextSites
>>> print(c.next('Note', activeSiteOnly=True)) None
- removed in v3: priorityTarget cannot be set, in order
to use .sites.yieldSites()
changed in v5.5: all arguments are keyword only.
- changed in v6: added priorityTargetOnly=False to only search in the
context of the priorityTarget.
changed in v8: returnSortTuple=True returns a new ContextSortTuple
- Music21Object.getAllContextsByClass(className)¶
Returns a generator that yields elements found by .getContextByClass and then finds the previous contexts for that element.
>>> s = stream.Stream() >>> s.append(meter.TimeSignature('2/4')) >>> s.append(note.Note('C')) >>> s.append(meter.TimeSignature('3/4')) >>> n = note.Note('D') >>> s.append(n)
>>> for ts in n.getAllContextsByClass(meter.TimeSignature): ... print(ts, ts.offset) <music21.meter.TimeSignature 3/4> 1.0 <music21.meter.TimeSignature 2/4> 0.0
TODO: make it so that it does not skip over multiple matching classes at the same offset. with sortTuple
- Music21Object.getContextByClass(className: Type[_M21T], *, getElementMethod=ElementSearch.AT_OR_BEFORE, sortByCreationTime=False, followDerivation=True, priorityTargetOnly=False) _M21T | None ¶
- Music21Object.getContextByClass(className: str | None, *, getElementMethod=ElementSearch.AT_OR_BEFORE, sortByCreationTime=False, followDerivation=True, priorityTargetOnly=False) Music21Object | None
A very powerful method in music21 of fundamental importance: Returns the element matching the className that is closest to this element in its current hierarchy (or the hierarchy of the derivation origin unless followDerivation is False). For instance, take this stream of changing time signatures:
>>> p = converter.parse('tinynotation: 3/4 C4 D E 2/4 F G A B 1/4 c') >>> p <music21.stream.Part 0x104ce64e0>
>>> p.show('t') {0.0} <music21.stream.Measure 1 offset=0.0> {0.0} <music21.clef.BassClef> {0.0} <music21.meter.TimeSignature 3/4> {0.0} <music21.note.Note C> {1.0} <music21.note.Note D> {2.0} <music21.note.Note E> {3.0} <music21.stream.Measure 2 offset=3.0> {0.0} <music21.meter.TimeSignature 2/4> {0.0} <music21.note.Note F> {1.0} <music21.note.Note G> {5.0} <music21.stream.Measure 3 offset=5.0> {0.0} <music21.note.Note A> {1.0} <music21.note.Note B> {7.0} <music21.stream.Measure 4 offset=7.0> {0.0} <music21.meter.TimeSignature 1/4> {0.0} <music21.note.Note C> {1.0} <music21.bar.Barline type=final>
Let’s get the last two notes of the piece, the B and high c:
>>> m4 = p.measure(4) >>> c = m4.notes.first() >>> c <music21.note.Note C>
>>> m3 = p.measure(3) >>> b = m3.notes.last() >>> b <music21.note.Note B>
Now when we run getContextByClass(meter.TimeSignature) on c, we get a time signature of 1/4.
>>> c.getContextByClass(meter.TimeSignature) <music21.meter.TimeSignature 1/4>
Doing what we just did wouldn’t be hard to do with other methods, though getContextByClass makes it easier. But the time signature context for b would be much harder to get without this method, since in order to do it, it searches backwards within the measure, finds that there’s nothing there. It goes to the previous measure and searches that one backwards until it gets the proper TimeSignature of 2/4:
>>> b.getContextByClass(meter.TimeSignature) <music21.meter.TimeSignature 2/4>
For backwards compatibility you can also pass in a string of the class name:
>>> b.getContextByClass('TimeSignature') <music21.meter.TimeSignature 2/4>
But if you use Python typing or a typing-aware IDE, then the first call (with class name) will signal that it is returning a TimeSignature object and allow for error detection, autocomplete, etc. The latter call (with string) will only know that some Music21Object was returned.
The method is smart enough to stop when it gets to the beginning of the part. This is all you need to know for most uses. The rest of the docs are for advanced uses:
The method searches both Sites as well as associated objects to find a matching class. Returns None if no match is found.
A reference to the caller is required to find the offset of the object of the caller.
The caller may be a Sites reference from a lower-level object. If so, we can access the location of that lower-level object. However, if we need a flat representation, the caller needs to be the source Stream, not its Sites reference.
The getElementMethod is an enum value (new in v.7) from
ElementSearch
that selects which Stream method is used to get elements for searching. (The historical form of supplying one of the following values as a string is also supported.)>>> from music21.common.enums import ElementSearch >>> [x for x in ElementSearch] [<ElementSearch.BEFORE>, <ElementSearch.AFTER>, <ElementSearch.AT_OR_BEFORE>, <ElementSearch.AT_OR_AFTER>, <ElementSearch.BEFORE_OFFSET>, <ElementSearch.AFTER_OFFSET>, <ElementSearch.AT_OR_BEFORE_OFFSET>, <ElementSearch.AT_OR_AFTER_OFFSET>, <ElementSearch.BEFORE_NOT_SELF>, <ElementSearch.AFTER_NOT_SELF>, <ElementSearch.ALL>]
The “after” do forward contexts – looking ahead.
Demonstrations of these keywords:
Because b is a Note, .getContextByClass(note.Note) will only find itself:
>>> b.getContextByClass(note.Note) is b True
To get the previous Note, use getElementMethod=ElementSearch.BEFORE:
>>> a = b.getContextByClass(note.Note, getElementMethod=ElementSearch.BEFORE) >>> a <music21.note.Note A>
This is similar to .previous(note.Note), though that method is a bit more sophisticated:
>>> b.previous(note.Note) <music21.note.Note A>
To get the following Note use getElementMethod=ElementSearch.AFTER:
>>> c = b.getContextByClass(note.Note, getElementMethod=ElementSearch.AFTER) >>> c <music21.note.Note C>
This is similar to .next(note.Note), though, again, that method is a bit more sophisticated:
>>> b.next(note.Note) <music21.note.Note C>
A Stream might contain several elements at the same offset, leading to potentially surprising results where searching by ElementSearch.AT_OR_BEFORE does not find an element that is technically the NEXT node but still at 0.0:
>>> s = stream.Stream() >>> s.insert(0, clef.BassClef()) >>> s.next() <music21.clef.BassClef> >>> s.getContextByClass(clef.Clef) is None True >>> s.getContextByClass(clef.Clef, getElementMethod=ElementSearch.AT_OR_AFTER) <music21.clef.BassClef>
This can be remedied by explicitly searching by offsets:
>>> s.getContextByClass(clef.Clef, getElementMethod=ElementSearch.AT_OR_BEFORE_OFFSET) <music21.clef.BassClef>
Or by not limiting the search by temporal position at all:
>>> s.getContextByClass(clef.Clef, getElementMethod=ElementSearch.ALL) <music21.clef.BassClef>
Notice that if searching for a Stream context, the element is not guaranteed to be in that Stream. This is obviously true in this case:
>>> p2 = stream.Part() >>> m = stream.Measure(number=1) >>> p2.insert(0, m) >>> n = note.Note('D') >>> m.insert(2.0, n) >>> try: ... n.getContextByClass(stream.Part).elementOffset(n) ... except Music21Exception: ... print('not there') not there
But it is less clear with something like this:
>>> import copy >>> n2 = copy.deepcopy(n) >>> try: ... n2.getContextByClass(stream.Measure).elementOffset(n2) ... except Music21Exception: ... print('not there') not there
A measure context is being found, but only through the derivation chain.
>>> n2.getContextByClass(stream.Measure) <music21.stream.Measure 1 offset=0.0>
To prevent this error, use the followDerivation=False setting
>>> print(n2.getContextByClass(stream.Measure, followDerivation=False)) None
Or if you want the offset of the element following the derivation chain, call getOffsetBySite() on the object:
>>> n2.getOffsetBySite(n2.getContextByClass(stream.Measure)) 2.0
- changed in v.5.7 – added followDerivation=False and made
everything but the class keyword only
added in v.6 – added priorityTargetOnly – see contextSites for description.
added in v.7 – added getElementMethod all and ElementSearch enum.
- changed in v.8 – class-based calls return properly typed items. Putting
multiple types into className (never documented) is no longer allowed.
Raises ValueError if getElementMethod is not a value in ElementSearch.
>>> n2.getContextByClass(expressions.TextExpression, getElementMethod='invalid') Traceback (most recent call last): ValueError: Invalid getElementMethod: invalid
Raises ValueError for incompatible values followDerivation=True and priorityTargetOnly=True.
- Music21Object.getOffsetBySite(site: t.Union['music21.stream.Stream', None], *, returnSpecial: Literal[False] = False) float | Fraction ¶
- Music21Object.getOffsetBySite(site: t.Union['music21.stream.Stream', None], *, returnSpecial: bool = False) float | Fraction | str
If this class has been registered in a container such as a Stream, that container can be provided here, and the offset in that object can be returned.
>>> n = note.Note('A-4') # a Music21Object >>> n.offset = 30 >>> n.getOffsetBySite(None) 30.0
>>> s1 = stream.Stream() >>> s1.id = 'containingStream' >>> s1.insert(20 / 3, n) >>> n.getOffsetBySite(s1) Fraction(20, 3) >>> float(n.getOffsetBySite(s1)) 6.6666...
n.getOffsetBySite(None) should still return 30.0
>>> n.getOffsetBySite(None) 30.0
If the Stream does not contain the element and the element is not derived from an element that does, then a SitesException is raised:
>>> s2 = stream.Stream() >>> s2.id = 'notContainingStream' >>> n.getOffsetBySite(s2) Traceback (most recent call last): music21.sites.SitesException: an entry for this object <music21.note.Note A-> is not stored in stream <music21.stream.Stream notContainingStream>
Consider this use of derivations:
>>> import copy >>> nCopy = copy.deepcopy(n) >>> nCopy.derivation <Derivation of <music21.note.Note A-> from <music21.note.Note A-> via '__deepcopy__'> >>> nCopy.getOffsetBySite(s1) Fraction(20, 3)
nCopy can still find the offset of n in s1! This is the primary difference between element.getOffsetBySite(stream) and stream.elementOffset(element)
>>> s1.elementOffset(nCopy) Traceback (most recent call last): music21.sites.SitesException: an entry for this object ... is not stored in stream <music21.stream.Stream containingStream>
If the object is stored at the end of the Stream, then the highest time is usually returned:
>>> s3 = stream.Stream() >>> n3 = note.Note(type='whole') >>> s3.append(n3) >>> rb = bar.Barline() >>> s3.storeAtEnd(rb) # s3.rightBarline = rb would do the same... >>> rb.getOffsetBySite(s3) 4.0
However, setting returnSpecial to True will return OffsetSpecial.AT_END
>>> rb.getOffsetBySite(s3, returnSpecial=True) <OffsetSpecial.AT_END>
Even with returnSpecial normal offsets are still returned as a float or Fraction:
>>> n3.getOffsetBySite(s3, returnSpecial=True) 0.0
Changed in v7. – stringReturns renamed to returnSpecial. Returns an OffsetSpecial Enum.
- Music21Object.getOffsetInHierarchy(site: t.Optional['music21.stream.Stream']) t.Union[float, fractions.Fraction] ¶
For an element which may not be in site, but might be in a Stream in site (or further in streams), find the cumulative offset of the element in that site.
>>> s = stream.Score(id='mainScore') >>> p = stream.Part() >>> m = stream.Measure() >>> n = note.Note() >>> m.insert(5.0, n) >>> p.insert(10.0, m) >>> s.insert(0.0, p) >>> n.getOffsetInHierarchy(s) 15.0
If no hierarchy beginning with site contains the element and the element is not derived from an element that does, then a SitesException is raised:
>>> s2 = stream.Score(id='otherScore') >>> n.getOffsetInHierarchy(s2) Traceback (most recent call last): music21.sites.SitesException: Element <music21.note.Note C> is not in hierarchy of <music21.stream.Score otherScore>
But if the element is derived from an element in a hierarchy then it can get the offset:
>>> n2 = n.transpose('P5') >>> n2.derivation.origin is n True >>> n2.derivation.method 'transpose' >>> n2.getOffsetInHierarchy(s) 15.0
There is no corresponding .setOffsetInHierarchy() since it’s unclear what that would mean.
See also
music21.stream.iterator.RecursiveIterator.currentHierarchyOffset()
for a method that is about 10x faster when running through a recursed stream.new in v.3
- Music21Object.getSpannerSites(spannerClassList: t.Optional[t.Iterable] = None) t.List['music21.spanner.Spanner'] ¶
Return a list of all
Spanner
objects (or Spanner subclasses) that contain this element. This method provides a way for objects to be aware of what Spanners they reside in. Note that Spanners are not Streams but specialized Music21Objects that use a Stream subclass, SpannerStorage, internally to keep track of the elements that are spanned.>>> n1 = note.Note('C4') >>> n2 = note.Note('D4') >>> sp1 = spanner.Slur(n1, n2) >>> n1.getSpannerSites() == [sp1] True
Note that not all Spanners are in the spanner module. They tend to reside in modules closer to their musical function:
>>> sp2 = dynamics.Crescendo(n2, n1)
The order that Spanners are returned is usually the order they were created, but on fast computers there can be ties, so use a set comparison if you expect multiple:
>>> set(n2.getSpannerSites()) == {sp1, sp2} True
Optionally a class name or list of class names (as Classes or strings) can be specified and only Spanners of that class will be returned
>>> sp3 = dynamics.Diminuendo(n1, n2) >>> n2.getSpannerSites(dynamics.Diminuendo) == [sp3] True
A larger class name can be used to get all subclasses:
>>> set(n2.getSpannerSites(dynamics.DynamicWedge)) == {sp2, sp3} True >>> set(n2.getSpannerSites(['Slur', 'Diminuendo'])) == {sp1, sp3} True
Note that the order of spanners returned from this routine can vary, so changing to a set is useful:
>>> set(n2.getSpannerSites(['Slur', 'Diminuendo'])) == {sp3, sp1} True
Example: see which pairs of notes are in the same slur.
>>> n3 = note.Note('E4') >>> sp4 = spanner.Slur(n1, n3)
>>> for n in [n1, n2, n3]: ... for nOther in [n1, n2, n3]: ... if n is nOther: ... continue ... nSlurs = n.getSpannerSites(spanner.Slur) ... nOtherSlurs = nOther.getSpannerSites(spanner.Slur) ... for thisSlur in nSlurs: ... if thisSlur in nOtherSlurs: ... print(f'{n.name} shares a slur with {nOther.name}') C shares a slur with D C shares a slur with E D shares a slur with C E shares a slur with C
- Music21Object.informSites(changedInformation=None)¶
trigger called whenever sites need to be informed of a change in the parameters of this object.
changedInformation is not used now, but it can be a dictionary of what has changed.
subclass this to do very interesting things.
- Music21Object.mergeAttributes(other: Music21Object) None ¶
Merge all elementary, static attributes. Namely, id and groups attributes from another music21 object. Can be useful for copy-like operations.
>>> m1 = base.Music21Object() >>> m2 = base.Music21Object() >>> m1.id = 'music21Object1' >>> m1.groups.append('group1') >>> m2.mergeAttributes(m1) >>> m2.id 'music21Object1' >>> 'group1' in m2.groups True
- Music21Object.next(className: Type[Music21Object] | str | None = None, *, activeSiteOnly=False)¶
Get the next element found in the activeSite (or other Sites) of this Music21Object.
The className can be used to specify one or more classes to match.
>>> s = corpus.parse('bwv66.6') >>> m3 = s.parts[0].measure(3) >>> m4 = s.parts[0].measure(4) >>> m3 <music21.stream.Measure 3 offset=9.0> >>> m3.show('t') {0.0} <music21.layout.SystemLayout> {0.0} <music21.note.Note A> {0.5} <music21.note.Note B> {1.0} <music21.note.Note G#> {2.0} <music21.note.Note F#> {3.0} <music21.note.Note A> >>> m3.next() <music21.layout.SystemLayout> >>> nextM3 = m3.next('Measure') >>> nextM3 is m4 True
Note that calling next() repeatedly gives…the same object. You’ll want to call next on that object…
>>> m3.next('Measure') is s.parts[0].measure(4) True >>> m3.next('Measure') is s.parts[0].measure(4) True
So do this instead:
>>> o = m3 >>> for i in range(5): ... print(o) ... o = o.next('Measure') <music21.stream.Measure 3 offset=9.0> <music21.stream.Measure 4 offset=13.0> <music21.stream.Measure 5 offset=17.0> <music21.stream.Measure 6 offset=21.0> <music21.stream.Measure 7 offset=25.0>
We can find the next element given a certain class with the className:
>>> n = m3.next('Note') >>> n <music21.note.Note A> >>> n.measureNumber 3 >>> n is m3.notes.first() True >>> n.next() <music21.note.Note B>
Notice though that when we get to the end of the set of measures, something interesting happens (maybe it shouldn’t? don’t count on this…): we descend into the last measure and give its elements instead.
We’ll leave o where it is (m8 now) to demonstrate what happens, and also print its Part for more information…
>>> while o is not None: ... print(o, o.getContextByClass(stream.Part)) ... o = o.next() <music21.stream.Measure 8 offset=29.0> <music21.stream.Part Soprano> <music21.note.Note F#> <music21.stream.Part Soprano> <music21.note.Note F#> <music21.stream.Part Soprano> <music21.note.Note F#> <music21.stream.Part Soprano> <music21.stream.Measure 9 offset=33.0> <music21.stream.Part Soprano> <music21.note.Note F#> <music21.stream.Part Soprano> <music21.note.Note F#> <music21.stream.Part Soprano> <music21.note.Note E#> <music21.stream.Part Soprano> <music21.note.Note F#> <music21.stream.Part Soprano> <music21.bar.Barline type=final> <music21.stream.Part Soprano>
changed in v.6 – added activeSiteOnly – see description in .contextSites()
- Music21Object.previous(className: Type[Music21Object] | str | None = None, *, activeSiteOnly=False)¶
Get the previous element found in the activeSite or other .sites of this Music21Object.
The className can be used to specify one or more classes to match.
>>> s = corpus.parse('bwv66.6') >>> m2 = s.parts[0].getElementsByClass(stream.Measure)[2] # pickup measure >>> m3 = s.parts[0].getElementsByClass(stream.Measure)[3] >>> m3 <music21.stream.Measure 3 offset=9.0> >>> m3prev = m3.previous() >>> m3prev <music21.note.Note C#> >>> m3prev is m2.notes[-1] True >>> m3.previous('Measure') is m2 True
We’ll iterate backwards from the first note of the second measure of the Alto part.
>>> o = s.parts[1].getElementsByClass(stream.Measure)[2][0] >>> while o: ... print(o) ... o = o.previous() <music21.note.Note E> <music21.stream.Measure 2 offset=5.0> <music21.note.Note E> <music21.note.Note E> <music21.note.Note E> <music21.note.Note F#> <music21.stream.Measure 1 offset=1.0> <music21.note.Note E> <music21.meter.TimeSignature 4/4> f# minor <music21.clef.TrebleClef> <music21.stream.Measure 0 offset=0.0> P2: Alto: Instrument 2 <music21.stream.Part Alto> <music21.stream.Part Soprano> <music21.metadata.Metadata object at 0x11116d080> <music21.stream.Score 0x10513af98>
changed in v.6 – added activeSiteOnly – see description in .contextSites()
- Music21Object.purgeLocations(rescanIsDead=False) None ¶
Remove references to all locations in objects that no longer exist.
- Music21Object.purgeOrphans(excludeStorageStreams=True) None ¶
A Music21Object may, due to deep copying or other reasons, have a site (with an offset) which no longer contains the Music21Object. These lingering sites are called orphans. This method gets rid of them.
The excludeStorageStreams are SpannerStorage and VariantStorage.
- Music21Object.setOffsetBySite(site: t.Optional['music21.stream.Stream'], value: OffsetQLIn)¶
Change the offset for a site. These are equivalent:
n1.setOffsetBySite(stream1, 20)
and
stream1.setElementOffset(n1, 20)
Which you choose to use will depend on whether you are iterating over a list of notes (etc.) or streams.
>>> import music21 >>> aSite = stream.Stream() >>> aSite.id = 'aSite' >>> a = music21.Music21Object() >>> aSite.insert(0, a) >>> aSite.setElementOffset(a, 20) >>> a.setOffsetBySite(aSite, 30) >>> a.getOffsetBySite(aSite) 30.0
And if it isn’t in a Stream? Raises an exception and the offset does not change.
>>> b = note.Note('D') >>> b.setOffsetBySite(aSite, 40) Traceback (most recent call last): music21.exceptions21.StreamException: Cannot set the offset for element <music21.note.Note D>, not in Stream <music21.stream.Stream aSite>.
>>> b.offset 0.0
Setting offset for None changes the “naive offset” of an object:
>>> b.setOffsetBySite(None, 32) >>> b.offset 32.0 >>> b.activeSite is None True
Running setOffsetBySite also changes the activeSite of the object.
- Music21Object.show(fmt=None, app=None, **keywords)¶
Displays an object in a format provided by the fmt argument or, if not provided, the format set in the user’s Environment
Valid formats include (but are not limited to):
musicxml text midi lily (or lilypond) lily.png lily.pdf lily.svg braille vexflow musicxml.png
N.B. score.write(‘lily’) returns a bare lilypond file, score.show(‘lily’) runs it through lilypond and displays it as a png.
Some formats, including .musicxml, create a copy of the stream, pack it into a well-formed score if necessary, and run
makeNotation()
. To avoid this when showing .musicxml, use makeNotation=False, an advanced option that prioritizes speed but may not guarantee satisfactory notation.
- Music21Object.sortTuple(useSite: t.Union[t.Literal[False], None, 'music21.stream.Stream'] = False, raiseExceptionOnMiss: bool = False) SortTuple ¶
Returns a collections.namedtuple called SortTuple(atEnd, offset, priority, classSortOrder, isNotGrace, insertIndex) which contains the six elements necessary to determine the sort order of any set of objects in a Stream.
1) atEnd = {0, 1}; Elements specified to always stay at the end of a stream (
stream.storeAtEnd
) sort after normal elements.2) offset = float; Offset (with respect to the active site) is the next and most important parameter in determining the order of elements in a stream (the note on beat 1 has offset 0.0, while the note on beat 2 might have offset 1.0).
3) priority = int; Priority is a user-specified property (default 0) that can set the order of elements which have the same offset (for instance, two Parts both at offset 0.0).
4) classSortOrder = int or float; ClassSortOrder is the third level of comparison that gives an ordering to elements with different classes, ensuring, for instance that Clefs (classSortOrder = 0) sort before Notes (classSortOrder = 20).
isNotGrace = {0, 1}; 0 = grace, 1 = normal. Grace notes sort before normal notes
6) The last tie-breaker is the creation time (insertIndex) of the site object represented by the activeSite.
By default, the site used will be the activeSite:
>>> n = note.Note() >>> n.offset = 4.0 >>> n.priority = -3 >>> n.sortTuple() SortTuple(atEnd=0, offset=4.0, priority=-3, classSortOrder=20, isNotGrace=1, insertIndex=0)
>>> st = n.sortTuple()
Check that all these values are the same as above…
>>> st.offset == n.offset True >>> st.priority == n.priority True
An object’s classSortOrder comes from the Class object itself:
>>> st.classSortOrder == note.Note.classSortOrder True
SortTuples have a few methods that are documented in
SortTuple
. The most useful one for documenting is .shortRepr().>>> st.shortRepr() '4.0 <-3.20.0>'
Inserting the note into the Stream will set the insertIndex. Most implementations of music21 will use a global counter rather than an actual timer. Note that this is a last resort, but useful for things such as multiple Parts inserted in order. It changes with each run, so we can’t display it here…
>>> s = stream.Stream() >>> s.insert(n) >>> n.sortTuple() SortTuple(atEnd=0, offset=4.0, priority=-3, classSortOrder=20, isNotGrace=1, insertIndex=...)
>>> nInsertIndex = n.sortTuple().insertIndex
If we create another nearly identical note, the insertIndex will be different:
>>> n2 = note.Note() >>> n2.offset = 4.0 >>> n2.priority = -3 >>> s.insert(n2) >>> n2InsertIndex = n2.sortTuple().insertIndex >>> n2InsertIndex > nInsertIndex True
>>> rb = bar.Barline() >>> s.storeAtEnd(rb) >>> rb.sortTuple() SortTuple(atEnd=1, offset=0.0, priority=0, classSortOrder=-5, isNotGrace=1, insertIndex=...)
Normally if there’s a site specified and the element is not in the site, the offset of None will be used, but if raiseExceptionOnMiss is set to True then a SitesException will be raised:
>>> aloneNote = note.Note() >>> aloneNote.offset = 30 >>> aloneStream = stream.Stream(id='aloneStream') # no insert >>> aloneNote.sortTuple(aloneStream) SortTuple(atEnd=0, offset=30.0, priority=0, classSortOrder=20, isNotGrace=1, insertIndex=0)
>>> aloneNote.sortTuple(aloneStream, raiseExceptionOnMiss=True) Traceback (most recent call last): music21.sites.SitesException: an entry for this object 0x... is not stored in stream <music21.stream.Stream aloneStream>
- Music21Object.splitAtDurations() _SplitTuple ¶
Takes a Music21Object (e.g., a note.Note) and returns a list of similar objects with only a single duration.DurationTuple in each. Ties are added if the object supports ties.
Articulations only appear on the first note. Same with lyrics.
Fermatas should be on last note, but not done yet.
>>> a = note.Note() >>> a.duration.clear() # remove defaults >>> a.duration.addDurationTuple(duration.durationTupleFromTypeDots('half', 0)) >>> a.duration.quarterLength 2.0 >>> a.duration.addDurationTuple(duration.durationTupleFromTypeDots('whole', 0)) >>> a.duration.quarterLength 6.0 >>> b = a.splitAtDurations() >>> b (<music21.note.Note C>, <music21.note.Note C>) >>> b[0].pitch == b[1].pitch True >>> b[0].duration <music21.duration.Duration 2.0> >>> b[0].duration.type 'half' >>> b[1].duration.type 'whole' >>> b[0].quarterLength, b[1].quarterLength (2.0, 4.0)
>>> c = note.Note() >>> c.quarterLength = 2.5 >>> d, e = c.splitAtDurations() >>> d.duration.type 'half' >>> e.duration.type 'eighth' >>> d.tie.type 'start' >>> print(e.tie) <music21.tie.Tie stop>
Assume c is tied to the next note. Then the last split note should also be tied
>>> c.tie = tie.Tie('start') >>> d, e = c.splitAtDurations() >>> d.tie.type 'start' >>> e.tie.type 'continue'
Rests have no ties:
>>> f = note.Rest() >>> f.quarterLength = 2.5 >>> g, h = f.splitAtDurations() >>> (g.duration.type, h.duration.type) ('half', 'eighth') >>> f.tie is None True >>> g.tie is None True
It should work for complex notes with tuplets.
(this duration occurs in Modena A, Le greygnour bien, from the ars subtilior, c. 1380; hence how I discovered this bug)
>>> n = note.Note() >>> n.duration.quarterLength = 0.5 + 0.0625 # eighth + 64th >>> tup = duration.Tuplet(4, 3) >>> n.duration.appendTuplet(tup) >>> first, last = n.splitAtDurations() >>> (first.duration, last.duration) (<music21.duration.Duration 0.375>, <music21.duration.Duration 0.046875>)
Notice that this duration could have been done w/o tuplets, so no tuplets in output:
>>> (first.duration.type, first.duration.dots, first.duration.tuplets) ('16th', 1, ()) >>> (last.duration.type, last.duration.dots, last.duration.tuplets) ('128th', 1, ())
Test of one with tuplets that cannot be split:
>>> n = note.Note() >>> n.duration.quarterLength = 0.5 + 0.0625 # eighth + 64th >>> tup = duration.Tuplet(3, 2, 'eighth') >>> n.duration.appendTuplet(tup) >>> (n.duration.type, n.duration.dots, n.duration.tuplets) ('complex', 0, (<music21.duration.Tuplet 3/2/eighth>,))
>>> first, last = n.splitAtDurations() >>> (first.duration, last.duration) (<music21.duration.Duration 1/3>, <music21.duration.Duration 1/24>)
>>> (first.duration.type, first.duration.dots, first.duration.tuplets) ('eighth', 0, (<music21.duration.Tuplet 3/2/eighth>,)) >>> (last.duration.type, last.duration.dots, last.duration.tuplets) ('64th', 0, (<music21.duration.Tuplet 3/2/64th>,))
TODO: unite this and other functions into a “split” function – document obscure uses.
- Music21Object.splitAtQuarterLength(quarterLength, *, retainOrigin=True, addTies=True, displayTiedAccidentals=False) _SplitTuple ¶
Split an Element into two Elements at a provided quarterLength (offset) into the Element.
Returns a specialized tuple that also has a .spannerList element which is a list of spanners that were created during the split, such as by splitting a trill note into more than one trill.
TODO: unite into a “split” function – document obscure uses.
>>> a = note.Note('C#5') >>> a.duration.type = 'whole' >>> a.articulations = [articulations.Staccato()] >>> a.lyric = 'hi' >>> a.expressions = [expressions.Mordent(), expressions.Trill(), expressions.Fermata()] >>> st = a.splitAtQuarterLength(3) >>> b, c = st >>> b.duration.type 'half' >>> b.duration.dots 1 >>> b.duration.quarterLength 3.0 >>> b.articulations [] >>> b.lyric 'hi' >>> b.expressions [<music21.expressions.Mordent>, <music21.expressions.Trill>] >>> c.duration.type 'quarter' >>> c.duration.dots 0 >>> c.duration.quarterLength 1.0 >>> c.articulations [<music21.articulations.Staccato>] >>> c.lyric >>> c.expressions [<music21.expressions.Fermata>] >>> c.getSpannerSites() [<music21.expressions.TrillExtension <music21.note.Note C#><music21.note.Note C#>>]
st is a _SplitTuple which can get the spanners from it for inserting into a Stream.
>>> st.spannerList [<music21.expressions.TrillExtension <music21.note.Note C#><music21.note.Note C#>>]
Make sure that ties and accidentals remain as they should be:
>>> d = note.Note('D#4') >>> d.duration.quarterLength = 3.0 >>> d.tie = tie.Tie('start') >>> e, f = d.splitAtQuarterLength(2.0) >>> e.tie, f.tie (<music21.tie.Tie start>, <music21.tie.Tie continue>) >>> e.pitch.accidental.displayStatus is None True >>> f.pitch.accidental.displayStatus False
Should be the same for chords…
>>> g = chord.Chord(['C4', 'E4', 'G#4']) >>> g.duration.quarterLength = 3.0 >>> g[1].tie = tie.Tie('start') >>> h, i = g.splitAtQuarterLength(2.0) >>> for j in range(3): ... (h[j].tie, i[j].tie) (<music21.tie.Tie start>, <music21.tie.Tie stop>) (<music21.tie.Tie start>, <music21.tie.Tie continue>) (<music21.tie.Tie start>, <music21.tie.Tie stop>)
>>> h[2].pitch.accidental.displayStatus, i[2].pitch.accidental.displayStatus (None, False)
If quarterLength == self.quarterLength then the second element will be None.
>>> n = note.Note() >>> n.quarterLength = 0.5 >>> firstPart, secondPart = n.splitAtQuarterLength(0.5) >>> secondPart is None True >>> firstPart is n True
(same with retainOrigin off)
>>> n = note.Note() >>> n.quarterLength = 0.5 >>> firstPart, secondPart = n.splitAtQuarterLength(0.5, retainOrigin=False) >>> firstPart is n False
If quarterLength > self.quarterLength then a DurationException will be raised:
>>> n = note.Note() >>> n.quarterLength = 0.5 >>> first, second = n.splitAtQuarterLength(0.7) Traceback (most recent call last): music21.duration.DurationException: cannot split a duration (0.5) at this quarterLength (7/10)
Changed in v7. – all but quarterLength are keyword only
- Music21Object.splitByQuarterLengths(quarterLengthList: List[int | float], addTies=True, displayTiedAccidentals=False) _SplitTuple ¶
Given a list of quarter lengths, return a list of Music21Object objects, copied from this Music21Object, that are partitioned and tied with the specified quarter length list durations.
TODO: unite into a “split” function – document obscure uses.
>>> n = note.Note() >>> n.quarterLength = 3 >>> post = n.splitByQuarterLengths([1, 1, 1]) >>> [n.quarterLength for n in post] [1.0, 1.0, 1.0]
- Music21Object.write(fmt=None, fp=None, **keywords)¶
Write out a file of music notation (or an image, etc.) in a given format. If fp is specified as a file path then the file will be placed there. If it is not given then a temporary file will be created.
If fmt is not given then the default of your Environment’s ‘writeFormat’ will be used. For most people that is musicxml.
Returns the full path to the file.
Some formats, including .musicxml, create a copy of the stream, pack it into a well-formed score if necessary, and run
makeNotation()
. To avoid this when writing .musicxml, use makeNotation=False, an advanced option that prioritizes speed but may not guarantee satisfactory notation.
Methods inherited from ProtoM21Object
:
Music21Object
instance variables
- Music21Object.classSortOrder¶
Property which returns an number (int or otherwise) depending on the class of the Music21Object that represents a priority for an object based on its class alone – used as a tie for stream sorting in case two objects have the same offset and priority. Lower numbers are sorted to the left of higher numbers. For instance, Clef, KeySignature, TimeSignature all come (in that order) before Note.
All undefined classes have classSortOrder of 20 – same as note.Note
>>> m21o = base.Music21Object() >>> m21o.classSortOrder 20
>>> tc = clef.TrebleClef() >>> tc.classSortOrder 0
>>> ks = key.KeySignature(3) >>> ks.classSortOrder 2
New classes can define their own default classSortOrder
>>> class ExampleClass(base.Music21Object): ... classSortOrder = 5 ... >>> ec1 = ExampleClass() >>> ec1.classSortOrder 5
- Music21Object.groups¶
An instance of a
Groups
object which describes arbitrary Groups that this object belongs to.
- Music21Object.isStream¶
Boolean value for quickly identifying
Stream
objects (False by default).
ElementWrapper¶
- class music21.base.ElementWrapper(obj: Any = None)¶
An ElementWrapper is a way of containing any object that is not a
Music21Object
, so that that object can be positioned within aStream
.The object stored within ElementWrapper is available from the
obj
attribute. All the attributes of the stored object (except .id and anything else that conflicts with a Music21Object attribute) are gettable and settable by querying the ElementWrapper. This feature makes it possible easily to mix Music21Objects and non-Music21Objects with similarly named attributes in the same Stream.This example inserts 10 random wave files into a music21 Stream and then reports their filename and number of audio channels (in this example, it’s always 2) if they fall on a strong beat in fast 6/8
>>> import music21 >>> import wave >>> import random
>>> s = stream.Stream() >>> s.id = 'mainStream' >>> s.append(meter.TimeSignature('fast 6/8')) >>> for i in range(10): ... fileName = 'thisSound_' + str(random.randint(1, 20)) + '.wav' ... soundFile = wave.open(fileName) ... soundFile.fileName = fileName ... el = music21.ElementWrapper(soundFile) ... s.insert(i, el)
>>> for j in s.getElementsByClass(base.ElementWrapper): ... if j.beatStrength > 0.4: ... (j.offset, j.beatStrength, j.getnchannels(), j.fileName) (0.0, 1.0, 2, 'thisSound_1.wav') (3.0, 1.0, 2, 'thisSound_16.wav') (6.0, 1.0, 2, 'thisSound_12.wav') (9.0, 1.0, 2, 'thisSound_8.wav') >>> for j in s.getElementsByClass(base.ElementWrapper): ... if j.beatStrength > 0.4: ... (j.offset, j.beatStrength, j.getnchannels() + 1, j.fileName) (0.0, 1.0, 3, 'thisSound_1.wav') (3.0, 1.0, 3, 'thisSound_16.wav') (6.0, 1.0, 3, 'thisSound_12.wav') (9.0, 1.0, 3, 'thisSound_8.wav')
Test representation of an ElementWrapper
>>> for i, j in enumerate(s.getElementsByClass(base.ElementWrapper)): ... if i == 2: ... j.id = None ... else: ... j.id = str(i) + '_wrapper' ... if i <=2: ... print(j) <music21.base.ElementWrapper id=0_wrapper offset=0.0 obj='<...Wave_read object...'> <music21.base.ElementWrapper id=1_wrapper offset=1.0 obj='<...Wave_read object...'> <music21.base.ElementWrapper offset=2.0 obj='<...Wave_read object...>'>
ElementWrapper
bases
ElementWrapper
read-only properties
Read-only properties inherited from Music21Object
:
Read-only properties inherited from ProtoM21Object
:
ElementWrapper
read/write properties
Read/write properties inherited from Music21Object
:
ElementWrapper
methods
- ElementWrapper.__eq__(other) bool ¶
Test ElementWrapper equality
>>> import music21 >>> n = note.Note('C#') >>> a = music21.ElementWrapper(n) >>> a.offset = 3.0 >>> b = music21.ElementWrapper(n) >>> b.offset = 3.0 >>> a == b True >>> a is not b True >>> c = music21.ElementWrapper(n) >>> c.offset = 2.0 >>> c.offset 2.0 >>> a == c False
Methods inherited from Music21Object
:
Methods inherited from ProtoM21Object
:
ElementWrapper
instance variables
- ElementWrapper.obj¶
The object this wrapper wraps. It should not be a Music21Object, since if so, you might as well put that directly into the Stream itself.
Instance variables inherited from Music21Object
:
ContextSortTuple¶
- class music21.base.ContextSortTuple(site, offset, recurseType)¶
ContextTuple¶
- class music21.base.ContextTuple(site, offset, recurseType)¶
Groups¶
- class music21.base.Groups(iterable=(), /)¶
Groups is a list (subclass) of strings used to identify associations that an element might have.
The Groups object enforces that all elements must be strings, and that the same element cannot be provided more than once.
NOTE: In the future, spaces will not be allowed in group names.
>>> g = Groups() >>> g.append('hello') >>> g[0] 'hello'
>>> g.append('hello') # not added as already present >>> len(g) 1
>>> g ['hello']
>>> g.append(5) # type: ignore Traceback (most recent call last): music21.exceptions21.GroupException: Only strings can be used as group names, not 5
Groups
methods
- Groups.__eq__(other: object)¶
Test Group equality. In normal lists, order matters; here it does not. More like a set.
>>> a = base.Groups() >>> a.append('red') >>> a.append('green') >>> a ['red', 'green']
>>> b = base.Groups() >>> b.append('green') >>> a == b False
>>> b.append('reD') # case insensitive >>> a == b True
>>> a == ['red', 'green'] # need both to be groups False
>>> c = base.Groups() >>> c.append('black') >>> c.append('tuba') >>> a == c False
- Groups.append(value: str) None ¶
Append object to the end of the list.