使用Web MIDI和Teoria.JS,我正在尝试构建一个基于Web的和弦控制器。
由于teoria和弦进行,我找到了一种为音阶生成和弦的方法,然后为其获取midi代码。现在我想为同一和弦的反转获取midi音符。
到目前为止,我所做的是从原来的midi音符中减去12,第五个音符用于第一次反转,第三个音符用于第三次反转,而第五个则用于第二次反转,但我相信还有更好的方法。
编辑:这是我的代码,它只演奏未倒置形式的和弦:
'use strict';
const teoria = require('teoria');
const chordProgression = require('teoria-chord-progression');
const Combokeys = require("combokeys");
const document = global.document;
const cSharpHMinor = teoria.scale('c#', 'harmonicminor');
const chords = chordProgression(cSharpHMinor, [1, 2, 3, 4, 5, 6, 7], 3).chords;
const combokeys = new Combokeys(document.documentElement);
global.navigator.requestMIDIAccess()
.then((midiAccess) => {
return Array.from(midiAccess.outputs.values());
})
.then((midiOutputs)=> {
chords.forEach((chord, index) => {
buildPadForChord(index + 1, chord, midiOutputs);
});
});
function createPad(index, chordName, listener) {
let button = document.createElement('button');
button.setAttribute('type', 'button');
button.textContent = `${chordName} (${index})`;
button.addEventListener('click', listener);
let autorepeat = false;
combokeys.bind(index.toString(), () => {
if (!autorepeat) {
autorepeat = true;
listener();
}
}, 'keydown');
combokeys.bind(index.toString(), () => {
autorepeat = false;
}, 'keyup');
document.documentElement.appendChild(button);
}
function buildPadForChord(index, chord, midiOutputs) {
let listener = () => {
midiOutputs.forEach((midiOutput) => {
chord.notes().forEach((note)=> {
midiOutput.send([0x90, note.midi(), 127]);
midiOutput.send([0x80, note.midi(), 127], global.performance.now() + 1000.0);
});
});
};
createPad(index, chord.name, listener);
}
根据git上的这个问题,inversions目前还没有在Teoria.js中实现。有一次开发人员考虑添加它们,但到目前为止还没有。
我在自己的代码中的实现是这样的:
// Adds an "invert" function to the Teoria Chord class
teoria.Chord.prototype.invert = function(n){
// Grabs the current chord voicing. Returns array of intervals.
var voicing = this.voicing()
// Reverse the array to work top-down when n is negative
if(n < 0){
voicing = voicing.reverse()
}
// Loop through each inversion
var j = Math.abs(n);
for(let i = 0; i < j; i++){
// Find which interval we're modifying this loop.
let index = i % voicing.length;
if(n > 0){
// Move the lowest note up a perfect 8th
voicing[index] = voicing[index].add(teoria.interval('P8'))
}else{
// Move the highest note down a perfect 8th
voicing[index] = voicing[index].add(teoria.interval('P-8'))
}
}
// Change the array into a usable format
var newVoicing = arrayToSimple(voicing)
this.voicing(newVoicing)
// Return the object for chaining
return this;
}
arrayToSimple函数:
function arrayToSimple(array){
var newArray = []
for(let item of array){
newArray.push(item.toString())
}
return newArray
}
现在,你可以在任何和弦上调用Chord.invert(n)
,其中n
是你的反转数。如果n
为负,弦将向下翻转,而如果为正,弦将向上翻转。
注意,上面的inverse()函数需要一个发音为[lowest note, ..., highest note]
的和弦,按顺序排列。因此,调用Chord.invert(1).invert(1)
将与调用Chord.invert(2)
不同。如果需要此功能,可以使用Chord.bass()
和/或Chord.notes()
检测哪些音符最低,并对元素进行重新排序。不过,这可能有些过头了。