Rework MAME integration a bit

The periodic callback is now used as a way to service "commands" sent from the main thread
Upon servicing a command, the mame thread will set the current command to NO_CMD then wait for the main thread allow the mame thread to continue
During this wait, the main thread may optionally set the next command (done here for STEP -> VIDEO), ensuring the next callback will service that command
A dummy "WAIT" command can be sent to trigger this waiting behavior, allowing the main thread to safely touch mame while the mame thread is frozen (important for mem accesses and probably savestates?)

A/V sync is also reworked. We can assume that 1/50 of a second worth of samples will be sent each sound callback. We can also assume 1/FPS of a second worth of time will be advanced each frame advance
So, we can just give hawk 1/FPS worth of samples every GetSamplesSync, if they are available. If we have less (probable on first few frames), we'll just give all the samples, and hope it balances out later.
This commit is contained in:
CasualPokePlayer 2022-10-29 17:07:11 -07:00
parent cc71882059
commit 8ee75879e6
9 changed files with 218 additions and 138 deletions

View File

@ -10,31 +10,26 @@ namespace BizHawk.Emulation.Cores.Arcades.MAME
public IEmulatorServiceProvider ServiceProvider { get; }
public ControllerDefinition ControllerDefinition => MAMEController;
private bool _memAccess = false;
private bool _paused = true;
private bool _exiting = false;
private bool _frameDone = true;
public bool FrameAdvance(IController controller, bool render, bool renderSound = true)
{
if (_exiting)
if (IsCrashed)
{
return false;
}
_controller = controller;
_paused = false;
_frameDone = false;
if (_memAccess)
{
_mamePeriodicComplete.WaitOne();
}
// signal to mame we want to frame advance
_mameCmd = MAME_CMD.STEP;
SafeWaitEvent(_mameCommandComplete);
for (; _frameDone == false;)
{
_mameFrameComplete.WaitOne();
}
// tell mame the next periodic callback will update video
_mameCmd = MAME_CMD.VIDEO;
_mameCommandWaitDone.Set();
// wait until the mame thread is done updating video
SafeWaitEvent(_mameCommandComplete);
_mameCommandWaitDone.Set();
Frame++;
@ -55,7 +50,8 @@ namespace BizHawk.Emulation.Cores.Arcades.MAME
public void Dispose()
{
_exiting = true;
_mameCmd = MAME_CMD.EXIT;
_mameCommandWaitDone.Set();
_mameThread.Join();
_mameSaveBuffer = new byte[0];
_hawkSaveBuffer = new byte[0];

View File

@ -17,8 +17,8 @@ namespace BizHawk.Emulation.Cores.Arcades.MAME
public static ControllerDefinition MAMEController = new("MAME Controller");
private IController _controller = NullController.Instance;
private readonly SortedDictionary<string, string> _fieldsPorts = new SortedDictionary<string, string>();
private SortedDictionary<string, string> _romHashes = new SortedDictionary<string, string>();
private readonly SortedDictionary<string, string> _fieldsPorts = new();
private SortedDictionary<string, string> _romHashes = new();
private void GetInputFields()
{

View File

@ -3,6 +3,7 @@ using System.Collections.Generic;
using System.ComponentModel;
using System.Globalization;
using System.Linq;
using static BizHawk.Emulation.Cores.Arcades.MAME.MAME;
namespace BizHawk.Emulation.Cores.Arcades.MAME
@ -93,7 +94,7 @@ namespace BizHawk.Emulation.Cores.Arcades.MAME
public override bool CanConvertFrom(ITypeDescriptorContext context, Type sourceType) => sourceType == typeof(string);
public override bool CanConvertTo(ITypeDescriptorContext context, Type destinationType) => destinationType == typeof(string);
public override StandardValuesCollection GetStandardValues(ITypeDescriptorContext context)
=> new StandardValuesCollection(Setting.Options.Select(e => e.Key).ToList());
=> new(Setting.Options.Select(e => e.Key).ToList());
public override object ConvertFrom(ITypeDescriptorContext context, CultureInfo culture, object value)
=> Setting.Options.SingleOrDefault(d => d.Value == (string)value).Key ?? Setting.DefaultValue;
public override object ConvertTo(ITypeDescriptorContext context, CultureInfo culture, object value, Type destinationType)

View File

@ -1,6 +1,7 @@
using System;
using System.Collections.Generic;
using System.Linq;
using BizHawk.Common;
using BizHawk.Emulation.Common;
@ -10,7 +11,7 @@ namespace BizHawk.Emulation.Cores.Arcades.MAME
{
public object GetSettings() => null;
public PutSettingsDirtyBits PutSettings(object o) => PutSettingsDirtyBits.None;
public List<DriverSetting> CurrentDriverSettings = new List<DriverSetting>();
public List<DriverSetting> CurrentDriverSettings = new();
private MAMESyncSettings _syncSettings;
public MAMESyncSettings GetSyncSettings()
@ -28,7 +29,7 @@ namespace BizHawk.Emulation.Cores.Arcades.MAME
public class MAMESyncSettings
{
public SortedDictionary<string, string> DriverSettings { get; set; } = new SortedDictionary<string, string>();
public SortedDictionary<string, string> DriverSettings { get; set; } = new();
public static bool NeedsReboot(MAMESyncSettings x, MAMESyncSettings y)
{
@ -37,9 +38,9 @@ namespace BizHawk.Emulation.Cores.Arcades.MAME
public MAMESyncSettings Clone()
{
return new MAMESyncSettings
return new()
{
DriverSettings = new SortedDictionary<string, string>(DriverSettings)
DriverSettings = new(DriverSettings)
};
}
}
@ -47,16 +48,16 @@ namespace BizHawk.Emulation.Cores.Arcades.MAME
public void FetchDefaultGameSettings()
{
string DIPSwitchTags = MameGetString(MAMELuaCommand.GetDIPSwitchTags);
string[] tags = DIPSwitchTags.Split(new char[] { ';' }, StringSplitOptions.RemoveEmptyEntries);
string[] tags = DIPSwitchTags.Split(new[] { ';' }, StringSplitOptions.RemoveEmptyEntries);
foreach (string tag in tags)
{
string DIPSwitchFields = MameGetString(MAMELuaCommand.GetDIPSwitchFields(tag));
string[] fieldNames = DIPSwitchFields.Split(new char[] { '^' }, StringSplitOptions.RemoveEmptyEntries);
string[] fieldNames = DIPSwitchFields.Split(new[] { '^' }, StringSplitOptions.RemoveEmptyEntries);
foreach (string fieldName in fieldNames)
{
DriverSetting setting = new DriverSetting()
DriverSetting setting = new()
{
Name = fieldName,
GameName = _gameShortName,
@ -67,11 +68,11 @@ namespace BizHawk.Emulation.Cores.Arcades.MAME
};
string DIPSwitchOptions = MameGetString(MAMELuaCommand.GetDIPSwitchOptions(tag, fieldName));
string[] options = DIPSwitchOptions.Split(new char[] { '@' }, StringSplitOptions.RemoveEmptyEntries);
string[] options = DIPSwitchOptions.Split(new[] { '@' }, StringSplitOptions.RemoveEmptyEntries);
foreach(string option in options)
{
string[] opt = option.Split(new char[] { '~' }, StringSplitOptions.RemoveEmptyEntries);
string[] opt = option.Split(new[] { '~' }, StringSplitOptions.RemoveEmptyEntries);
setting.Options.Add(opt[0], opt[1]);
}
@ -96,10 +97,10 @@ namespace BizHawk.Emulation.Cores.Arcades.MAME
private void GetROMsInfo()
{
string ROMsInfo = MameGetString(MAMELuaCommand.GetROMsInfo);
string[] ROMs = ROMsInfo.Split(new char[] { ';' }, StringSplitOptions.RemoveEmptyEntries);
string[] ROMs = ROMsInfo.Split(new[] { ';' }, StringSplitOptions.RemoveEmptyEntries);
string tempDefault = "";
DriverSetting setting = new DriverSetting()
DriverSetting setting = new()
{
Name = "BIOS",
GameName = _gameShortName,
@ -168,7 +169,7 @@ namespace BizHawk.Emulation.Cores.Arcades.MAME
Name = null;
GameName = null;
DefaultValue = null;
Options = new SortedDictionary<string, string>();
Options = new();
}
}

View File

@ -1,6 +1,7 @@
using System;
using System.Collections.Generic;
using System.Linq;
using BizHawk.Common;
using BizHawk.Emulation.Common;
namespace BizHawk.Emulation.Cores.Arcades.MAME
@ -10,9 +11,10 @@ namespace BizHawk.Emulation.Cores.Arcades.MAME
public bool CanProvideAsync => false;
public SyncSoundMode SyncMode => SyncSoundMode.Sync;
private readonly Queue<short> _audioSamples = new Queue<short>();
private readonly int _sampleRate = 44100;
private long _soundRemainder = 0;
private readonly Queue<short> _audioSamples = new();
private const int _sampleRate = 44100;
private int _samplesPerFrame;
private short[] _sampleBuffer;
public void SetSyncMode(SyncSoundMode mode)
{
@ -22,37 +24,34 @@ namespace BizHawk.Emulation.Cores.Arcades.MAME
}
}
private void InitSound()
{
_samplesPerFrame = (int)Math.Ceiling(((long)_sampleRate * (long)VsyncDenominator / (double)VsyncNumerator));
_sampleBuffer = new short[_samplesPerFrame * 2];
}
/*
* GetSamplesSync() and MAME
*
* MAME generates samples 50 times per second, regardless of the VBlank
* rate of the emulated machine. It then uses complicated logic to
* output the required amount of audio to the OS driver and to the AVI,
* where it's meant to tie flashed samples to video frame duration.
* where it's meant to tie flushed samples to video frame duration.
*
* I'm doing my own logic here for now. I grab MAME's audio buffer
* whenever it's filled (MAMESoundCallback()) and enqueue it.
*
* Whenever Hawk wants new audio, I dequeue it, while preserving the
* fractinal part of the sample count, to use it later.
* Whenever Hawk wants new audio, I dequeue it, but never more than the
* maximum samples a frame contains, keeping pending samples for the next frame
*/
public void GetSamplesSync(out short[] samples, out int nsamp)
{
long nSampNumerator = _sampleRate * (long)VsyncDenominator + _soundRemainder;
nsamp = (int)(nSampNumerator / VsyncNumerator);
_soundRemainder = nSampNumerator % VsyncNumerator; // exactly remember fractional parts of an audio sample
samples = new short[nsamp * 2];
samples = _sampleBuffer;
nsamp = Math.Min(_samplesPerFrame, _audioSamples.Count / 2);
for (int i = 0; i < nsamp * 2; i++)
{
if (_audioSamples.Any())
{
samples[i] = _audioSamples.Dequeue();
}
else
{
samples[i] = 0;
}
samples[i] = _audioSamples.Dequeue();
}
}
@ -63,7 +62,6 @@ namespace BizHawk.Emulation.Cores.Arcades.MAME
public void DiscardSamples()
{
_soundRemainder = 0;
_audioSamples.Clear();
}
}

View File

@ -1,5 +1,7 @@
using System;
using System.IO;
using BizHawk.Common;
using BizHawk.Emulation.Common;
namespace BizHawk.Emulation.Cores.Arcades.MAME
@ -13,16 +15,19 @@ namespace BizHawk.Emulation.Cores.Arcades.MAME
{
writer.Write(_mameSaveBuffer.Length);
LibMAME.SaveError err = LibMAME.mame_save_buffer(_mameSaveBuffer, out int length);
if (length != _mameSaveBuffer.Length)
using (this.EnterExit())
{
throw new InvalidOperationException("Savestate buffer size mismatch!");
}
var err = LibMAME.mame_save_buffer(_mameSaveBuffer, out int length);
if (err != LibMAME.SaveError.NONE)
{
throw new InvalidOperationException("MAME LOADSTATE ERROR: " + err.ToString());
if (length != _mameSaveBuffer.Length)
{
throw new InvalidOperationException("Savestate buffer size mismatch!");
}
if (err != LibMAME.SaveError.NONE)
{
throw new InvalidOperationException("MAME SAVESTATE ERROR: " + err.ToString());
}
}
writer.Write(_mameSaveBuffer);
@ -41,11 +46,15 @@ namespace BizHawk.Emulation.Cores.Arcades.MAME
}
reader.Read(_mameSaveBuffer, 0, _mameSaveBuffer.Length);
LibMAME.SaveError err = LibMAME.mame_load_buffer(_mameSaveBuffer, _mameSaveBuffer.Length);
if (err != LibMAME.SaveError.NONE)
using (this.EnterExit())
{
throw new InvalidOperationException("MAME SAVESTATE ERROR: " + err.ToString());
var err = LibMAME.mame_load_buffer(_mameSaveBuffer, _mameSaveBuffer.Length);
if (err != LibMAME.SaveError.NONE)
{
throw new InvalidOperationException("MAME LOADSTATE ERROR: " + err.ToString());
}
}
Frame = reader.ReadInt32();

View File

@ -61,7 +61,11 @@ namespace BizHawk.Emulation.Cores.Arcades.MAME
return;
}
_frameBuffer = new int[expectedSize];
if (_frameBuffer.Length < expectedSize)
{
_frameBuffer = new int[expectedSize];
}
Marshal.Copy(ptr, _frameBuffer, 0, expectedSize);
if (!LibMAME.mame_lua_free_string(ptr))

View File

@ -1,55 +1,112 @@
using System;
using System.Collections.Generic;
using BizHawk.Common;
using BizHawk.Emulation.Common;
namespace BizHawk.Emulation.Cores.Arcades.MAME
{
public partial class MAME
public partial class MAME : IMonitor
{
private IMemoryDomains _memoryDomains;
private int _systemBusAddressShift = 0;
private byte _peek(long addr, int firstOffset, long size)
private int _enterCount;
public void Enter()
{
if (addr < 0 || addr >= size) throw new ArgumentOutOfRangeException(paramName: nameof(addr), addr, message: "address out of range");
if (!_memAccess)
if (_enterCount == 0)
{
_memAccess = true;
_mamePeriodicComplete.WaitOne();
_mameCmd = MAME_CMD.WAIT;
SafeWaitEvent(_mameCommandComplete);
}
addr += firstOffset;
var val = (byte)LibMAME.mame_read_byte((uint)addr << _systemBusAddressShift);
_memoryAccessComplete.Set();
return val;
_enterCount++;
}
private void _poke(long addr, byte val, int firstOffset, long size)
public void Exit()
{
if (addr < 0 || addr >= size) throw new ArgumentOutOfRangeException(paramName: nameof(addr), addr, message: "address out of range");
if (!_memAccess)
if (_enterCount <= 0)
{
_memAccess = true;
_mamePeriodicComplete.WaitOne();
throw new InvalidOperationException();
}
else if (_enterCount == 1)
{
_mameCommandWaitDone.Set();
}
addr += firstOffset;
_enterCount--;
}
LibMAME.mame_lua_execute($"{ MAMELuaCommand.GetSpace }:write_u8({ addr << _systemBusAddressShift }, { val })");
public class MAMEMemoryDomain : MemoryDomain
{
private readonly IMonitor _monitor;
private readonly int _firstOffset;
private readonly int _systemBusAddressShift;
private readonly long _systemBusSize;
_memoryAccessComplete.Set();
public MAMEMemoryDomain(string name, long size, Endian endian, int dataWidth, bool writable, IMonitor monitor, int firstOffset, int systemBusAddressShift, long systemBusSize)
{
Name = name;
Size = size;
EndianType = endian;
WordSize = dataWidth;
Writable = writable;
_monitor = monitor;
_firstOffset = firstOffset;
_systemBusAddressShift = systemBusAddressShift;
_systemBusSize = systemBusSize;
}
public override byte PeekByte(long addr)
{
if (addr < 0 || addr >= _systemBusSize) throw new ArgumentOutOfRangeException(paramName: nameof(addr), addr, message: "address out of range");
addr += _firstOffset;
try
{
_monitor.Enter();
return (byte)LibMAME.mame_read_byte((uint)addr << _systemBusAddressShift);
}
finally
{
_monitor.Exit();
}
}
public override void PokeByte(long addr, byte val)
{
if (Writable)
{
if (addr < 0 || addr >= _systemBusSize) throw new ArgumentOutOfRangeException(paramName: nameof(addr), addr, message: "address out of range");
addr += _firstOffset;
try
{
_monitor.Enter();
LibMAME.mame_lua_execute($"{MAMELuaCommand.GetSpace}:write_u8({addr << _systemBusAddressShift}, {val})");
}
finally
{
_monitor.Exit();
}
}
}
public override void Enter()
=> _monitor.Enter();
public override void Exit()
=> _monitor.Exit();
}
private void InitMemoryDomains()
{
var domains = new List<MemoryDomain>();
_systemBusAddressShift = LibMAME.mame_lua_get_int(MAMELuaCommand.GetSpaceAddressShift);
var systemBusAddressShift = LibMAME.mame_lua_get_int(MAMELuaCommand.GetSpaceAddressShift);
var dataWidth = LibMAME.mame_lua_get_int(MAMELuaCommand.GetSpaceDataWidth) >> 3; // mame returns in bits
var size = (long)LibMAME.mame_lua_get_double(MAMELuaCommand.GetSpaceAddressMask) + dataWidth;
var endianString = MameGetString(MAMELuaCommand.GetSpaceEndianness);
@ -80,18 +137,12 @@ namespace BizHawk.Emulation.Cores.Arcades.MAME
var lastOffset = LibMAME.mame_lua_get_int($"return { MAMELuaCommand.SpaceMap }[{ i }].address_end");
var name = $"{ deviceName } : { read } : 0x{ firstOffset:X}-0x{ lastOffset:X}";
domains.Add(new MemoryDomainDelegate(name, lastOffset - firstOffset + 1, endian,
addr => _peek(addr, firstOffset, size),
read == "rom"
? null
: (long addr, byte val) => _poke(addr, val, firstOffset, size),
dataWidth));
domains.Add(new MAMEMemoryDomain(name, lastOffset - firstOffset + 1, endian,
dataWidth, read != "rom", this, firstOffset, systemBusAddressShift, size));
}
}
domains.Add(new MemoryDomainDelegate(deviceName + " : System Bus", size, endian,
addr => _peek(addr, 0, size),
null, dataWidth));
domains.Add(new MAMEMemoryDomain(deviceName + " : System Bus", size, endian, dataWidth, false, this, 0, systemBusAddressShift, size));
_memoryDomains = new MemoryDomainList(domains);
((MemoryDomainList)_memoryDomains).SystemBus = _memoryDomains[deviceName + " : System Bus"];

View File

@ -73,20 +73,21 @@ made that way to make the buffer persist actoss C API calls.
*/
using System;
using System.Collections.Generic;
using System.Collections.Concurrent;
using System.Runtime.InteropServices;
using System.Threading;
using System.Diagnostics;
using System.Linq;
using BizHawk.Common;
using BizHawk.Emulation.Common;
using System.Collections.Generic;
namespace BizHawk.Emulation.Cores.Arcades.MAME
{
[PortedCore(CoreNames.MAME, "MAMEDev", "0.231", "https://github.com/mamedev/mame.git", isReleased: false)]
public partial class MAME : IEmulator, IVideoProvider, ISoundProvider, ISettable<object, MAME.MAMESyncSettings>, IStatable, IInputPollable
{
public MAME(string dir, string file, MAME.MAMESyncSettings syncSettings, out string gamename)
public MAME(string dir, string file, MAMESyncSettings syncSettings, out string gamename)
{
try
{
@ -102,11 +103,12 @@ namespace BizHawk.Emulation.Cores.Arcades.MAME
ServiceProvider = new BasicServiceProvider(this);
_syncSettings = syncSettings ?? new MAMESyncSettings();
_syncSettings = syncSettings ?? new();
_mameThread = new Thread(ExecuteMAMEThread);
_mameThread.Start();
_mameStartupComplete.WaitOne();
SafeWaitEvent(_mameStartupComplete);
gamename = _gameFullName;
@ -117,16 +119,33 @@ namespace BizHawk.Emulation.Cores.Arcades.MAME
}
}
private bool IsCrashed => !_mameThread.IsAlive;
// use this instead of a standard WaitOne on the main thread
// throws if the mame thread dies
private void SafeWaitEvent(WaitHandle waiter)
{
while (!waiter.WaitOne(200))
{
// timed out, check the other thread is dead
if (IsCrashed)
{
throw new Exception("MAME thread died unexpectingly?");
}
}
}
private string _gameFullName = "Arcade";
private string _gameShortName = "arcade";
private readonly string _gameDirectory;
private readonly string _gameFileName;
private string _loadFailure = "";
private readonly Thread _mameThread;
private readonly ManualResetEvent _mameStartupComplete = new ManualResetEvent(false);
private readonly ManualResetEvent _mameFrameComplete = new ManualResetEvent(false);
private readonly ManualResetEvent _memoryAccessComplete = new ManualResetEvent(false);
private readonly AutoResetEvent _mamePeriodicComplete = new AutoResetEvent(false);
private readonly ManualResetEvent _mameStartupComplete = new(false);
private readonly AutoResetEvent _mameCommandComplete = new(false);
private readonly AutoResetEvent _mameCommandWaitDone = new(false);
private LibMAME.PeriodicCallbackDelegate _periodicCallback;
private LibMAME.SoundCallbackDelegate _soundCallback;
private LibMAME.BootCallbackDelegate _bootCallback;
@ -218,46 +237,46 @@ namespace BizHawk.Emulation.Cores.Arcades.MAME
$"MAMEHawk is { version }");
}
private enum MAME_CMD
{
NO_CMD = -1,
STEP,
VIDEO,
EXIT,
WAIT,
}
private volatile MAME_CMD _mameCmd = MAME_CMD.NO_CMD;
private void MAMEPeriodicCallback()
{
if (_exiting)
if (_mameCmd != MAME_CMD.NO_CMD)
{
LibMAME.mame_lua_execute(MAMELuaCommand.Exit);
_exiting = false;
}
for (; _memAccess;)
{
_mamePeriodicComplete.Set();
_memoryAccessComplete.WaitOne();
if (!_frameDone && !_paused || _exiting) // FrameAdvance() has been requested
switch (_mameCmd)
{
_memAccess = false;
return;
case MAME_CMD.STEP:
SendInput();
LibMAME.mame_lua_execute(MAMELuaCommand.Step);
break;
case MAME_CMD.VIDEO:
UpdateVideo();
break;
case MAME_CMD.EXIT:
LibMAME.mame_lua_execute(MAMELuaCommand.Exit);
break;
case MAME_CMD.WAIT:
break;
}
}
//int MAMEFrame = LibMAME.mame_lua_get_int(MAMELuaCommand.GetFrameNumber);
if (!_paused)
{
SendInput();
LibMAME.mame_lua_execute(MAMELuaCommand.Step);
_frameDone = false;
_paused = true;
}
else if (!_frameDone)
{
UpdateVideo();
_frameDone = true;
_mameFrameComplete.Set();
_mameCmd = MAME_CMD.NO_CMD;
_mameCommandComplete.Set();
_mameCommandWaitDone.WaitOne();
}
}
private void MAMESoundCallback()
{
int bytesPerSample = 2;
const int bytesPerSample = 2;
IntPtr ptr = LibMAME.mame_lua_get_string(MAMELuaCommand.GetSamples, out var lengthInBytes);
if (ptr == IntPtr.Zero)
@ -270,7 +289,7 @@ namespace BizHawk.Emulation.Cores.Arcades.MAME
unsafe
{
short* pSample = (short*)ptr.ToPointer();
short* pSample = (short*)ptr;
for (int i = 0; i < numSamples; i++)
{
_audioSamples.Enqueue(*(pSample + i));
@ -292,6 +311,7 @@ namespace BizHawk.Emulation.Cores.Arcades.MAME
UpdateVideo();
UpdateAspect();
UpdateFramerate();
InitSound();
InitMemoryDomains();
GetInputFields();
GetROMsInfo();
@ -327,7 +347,7 @@ namespace BizHawk.Emulation.Cores.Arcades.MAME
}
}
private class MAMELuaCommand
private static class MAMELuaCommand
{
// commands
public const string Step = "emu.step()";