因此,我试图使用midiOutShortMsg()在C#中演奏单个音符。问题是没有声音播放。我想弄出音符的一种方法是将midiOutShortMsg()放在从i = 0到10000的for循环中。但是我不认为这应该是API的工作方式。
在项目的后面,我想将MIDI实现到Kinect项目中,并且使用for循环会延迟Kinect的实时反馈。因此,for循环方法是不行的。
下面是我用来演奏音符的代码,如果您注释掉for循环,则不会播放声音。任何帮助,将不胜感激。
using System;
using System.Runtime.InteropServices;
using System.Text;
namespace MIDITest
{
[StructLayout(LayoutKind.Sequential)]
public struct MidiOutCaps
{
public UInt16 wMid;
public UInt16 wPid;
public UInt32 vDriverVersion;
[MarshalAs(UnmanagedType.ByValTStr,
SizeConst = 32)]
public String szPname;
public UInt16 wTechnology;
public UInt16 wVoices;
public UInt16 wNotes;
public UInt16 wChannelMask;
public UInt32 dwSupport;
}
class Program
{
// MCI INterface
[DllImport("winmm.dll")]
private static extern long mciSendString(string command,
StringBuilder returnValue, int returnLength,
IntPtr winHandle);
// Midi API
[DllImport("winmm.dll")]
private static extern int midiOutGetNumDevs();
[DllImport("winmm.dll")]
private static extern int midiOutGetDevCaps(Int32 uDeviceID,
ref MidiOutCaps lpMidiOutCaps, UInt32 cbMidiOutCaps);
[DllImport("winmm.dll")]
private static extern int midiOutOpen(ref int handle,
int deviceID, MidiCallBack proc, int instance, int flags);
[DllImport("winmm.dll")]
private static extern int midiOutShortMsg(int handle,
int message);
[DllImport("winmm.dll")]
private static extern int midiOutClose(int handle);
private delegate void MidiCallBack(int handle, int msg,
int instance, int param1, int param2);
static void Main()
{
int handle = 0;
var numDevs = midiOutGetNumDevs();
Console.WriteLine("You have {0} midi output devices", numDevs);
MidiOutCaps myCaps = new MidiOutCaps();
var res = midiOutGetDevCaps(0, ref myCaps,
(UInt32)Marshal.SizeOf(myCaps));
res = midiOutOpen(ref handle, 0, null, 0, 0);
byte[] data = new byte[4];
data[0] = 0x90;
data[1] = 50;
data[2] = 111;
uint msg = BitConverter.ToUInt32(data, 0);
for (int i = 0; i < 10000; i++)
{
// both hard coding the message and creating it with byte doesn't work
//res = midiOutShortMsg(handle, 0x007F4A90);
res = midiOutShortMsg(handle, (int)msg);
}
res = midiOutClose(handle);
Console.ReadLine();
}
}
}
最佳答案
这是因为midiOutShortMsg
不会停止执行代码,这意味着midiOutClose
在音符有时间播放之前就被调用。
解决此问题的一种方法是添加Sleep
:
res = midiOutShortMsg(handle, (int)msg);
if (res == 0) // Check success code
{
System.Threading.Thread.Sleep(length);
}
res = midiOutClose(handle);
其中
length
是音符完成播放所花费的时间(以毫秒为单位)。但是,几乎肯定不会建议这样做。
关于c# - midioutshortmsg没有声音,我们在Stack Overflow上找到一个类似的问题:https://stackoverflow.com/questions/40392382/