diff --git a/BizHawk.Client.Common/BinarySaveStates.cs b/BizHawk.Client.Common/BinarySaveStates.cs index 50d05af7ac..8d4e2528c3 100644 --- a/BizHawk.Client.Common/BinarySaveStates.cs +++ b/BizHawk.Client.Common/BinarySaveStates.cs @@ -2,80 +2,133 @@ using System.Collections.Generic; using System.IO; using System.Linq; +using System.Reflection; using ICSharpCode.SharpZipLib.Zip; //using Ionic.Zip; namespace BizHawk.Client.Common { - public enum BinaryStateLump + public class BinaryStateLump { - Versiontag, - Corestate, - Framebuffer, - Input, - CorestateText, + [Name("BizState 1", "0")] + public static BinaryStateLump Versiontag { get; private set; } + [Name("Core", "bin")] + public static BinaryStateLump Corestate { get; private set; } + [Name("Framebuffer", "bmp")] + public static BinaryStateLump Framebuffer { get; private set; } + [Name("Input Log", "txt")] + public static BinaryStateLump Input { get; private set; } + [Name("CoreText", "txt")] + public static BinaryStateLump CorestateText { get; private set; } + [Name("MovieSaveRam", "bin")] + public static BinaryStateLump MovieSaveRam { get; private set; } // Only for movies they probably shoudln't be leaching this stuff - Movieheader, - Comments, - Subtitles, - SyncSettings, + [Name("Header", "txt")] + public static BinaryStateLump Movieheader { get; private set; } + [Name("Comments", "txt")] + public static BinaryStateLump Comments { get; private set; } + [Name("Subtitles", "txt")] + public static BinaryStateLump Subtitles { get; private set; } + [Name("SyncSettings", "json")] + public static BinaryStateLump SyncSettings { get; private set; } // TasMovie - LagLog, - StateHistory, - StateHistorySettings, - Markers, - ClientSettings, - VerificationLog, + [Name("LagLog")] + public static BinaryStateLump LagLog { get; private set; } + [Name("GreenZone")] + public static BinaryStateLump StateHistory { get; private set; } + [Name("GreenZoneSettings", "txt")] + public static BinaryStateLump StateHistorySettings { get; private set; } + [Name("Markers", "txt")] + public static BinaryStateLump Markers { get; private set; } + [Name("ClientSettings", "json")] + public static BinaryStateLump ClientSettings { get; private set; } + [Name("VerificationLog", "txt")] + public static BinaryStateLump VerificationLog { get; private set; } - UserData + [Name("UserData", "txt")] + public static BinaryStateLump UserData { get; private set; } + + // branchstuff + [Name("Branches\\CoreData", "bin")] + public static BinaryStateLump BranchCoreData { get; private set; } + [Name("Branches\\InputLog", "txt")] + public static BinaryStateLump BranchInputLog { get; private set; } + [Name("Branches\\FrameBuffer", "bmp")] + public static BinaryStateLump BranchFrameBuffer { get; private set; } + [Name("Branches\\LagLog", "bin")] + public static BinaryStateLump BranchLagLog { get; private set; } + [Name("Branches\\Header", "json")] + public static BinaryStateLump BranchHeader { get; private set; } + [Name("Branches\\Markers", "txt")] + public static BinaryStateLump BranchMarkers { get; private set; } + + [AttributeUsage(AttributeTargets.Property)] + private class NameAttribute : Attribute + { + public string Name { get; private set; } + public string Ext { get; private set; } + public NameAttribute(string name) + { + Name = name; + } + public NameAttribute(string name, string ext) + { + Name = name; + Ext = ext; + } + } + + public virtual string ReadName { get { return Name; } } + public virtual string WriteName { get { return Ext != null ? Name + '.' + Ext : Name; } } + + public string Name { get; protected set; } + public string Ext { get; protected set; } + + private BinaryStateLump(string name, string ext) + { + Name = name; + Ext = ext; + } + + protected BinaryStateLump() { } + + static BinaryStateLump() + { + foreach (var prop in typeof(BinaryStateLump).GetProperties(BindingFlags.Public | BindingFlags.Static)) + { + var attr = prop.GetCustomAttributes(false).OfType().Single(); + object value = new BinaryStateLump(attr.Name, attr.Ext); + prop.SetValue(null, value, null); + } + } } - public static class BinaryStateFileNames + /// + /// describes a BinaryStateLump virtual name that has a numerical index + /// + public class IndexedStateLump : BinaryStateLump { - private static readonly Dictionary ReadNames; - private static readonly Dictionary WriteNames; - - static void AddLumpName(BinaryStateLump token, string name) + private BinaryStateLump _root; + private int _idx; + public IndexedStateLump(BinaryStateLump root) { - ReadNames[token] = Path.GetFileNameWithoutExtension(name); - WriteNames[token] = name; - } - static BinaryStateFileNames() - { - ReadNames = new Dictionary(); - WriteNames = new Dictionary(); - AddLumpName(BinaryStateLump.Versiontag, "BizState 1.0"); - AddLumpName(BinaryStateLump.Corestate, "Core"); - AddLumpName(BinaryStateLump.Framebuffer, "Framebuffer.bmp"); - AddLumpName(BinaryStateLump.Input, "Input Log.txt"); - AddLumpName(BinaryStateLump.CorestateText, "CoreText.txt"); - AddLumpName(BinaryStateLump.Movieheader, "Header.txt"); - - // Only for movies they probably shoudln't be leaching this stuff - AddLumpName(BinaryStateLump.Comments, "Comments.txt"); - AddLumpName(BinaryStateLump.Subtitles, "Subtitles.txt"); - AddLumpName(BinaryStateLump.SyncSettings, "SyncSettings.json"); - - // TasMovie - AddLumpName(BinaryStateLump.LagLog, "LagLog"); - AddLumpName(BinaryStateLump.StateHistory, "GreenZone"); - AddLumpName(BinaryStateLump.StateHistorySettings, "GreenZoneSettings.txt"); - AddLumpName(BinaryStateLump.Markers, "Markers.txt"); - AddLumpName(BinaryStateLump.ClientSettings, "ClientSettings.json"); - AddLumpName(BinaryStateLump.VerificationLog, "VerificationLog.txt"); - AddLumpName(BinaryStateLump.UserData, "UserData.txt"); + _root = root; + Ext = _root.Ext; + Calc(); } - public static string GetReadName(BinaryStateLump lump) + private void Calc() { - return ReadNames[lump]; + Name = _root.Name + _idx; } - public static string GetWriteName(BinaryStateLump lump) + + public void Increment() { - return WriteNames[lump]; + _idx++; + Calc(); } } @@ -132,7 +185,14 @@ namespace BizHawk.Client.Common _entriesbyname = new Dictionary(); foreach (ZipEntry z in _zip) { - _entriesbyname.Add(Path.GetFileNameWithoutExtension(z.Name), z); + string name = z.Name; + int i; + if ((i = name.LastIndexOf('.')) != -1) + { + name = name.Substring(0, i); + } + + _entriesbyname.Add(name.Replace('/', '\\'), z); } } @@ -167,11 +227,11 @@ namespace BizHawk.Client.Common } } + [Obsolete] public bool HasLump(BinaryStateLump lump) { - string name = BinaryStateFileNames.GetReadName(lump); ZipEntry e; - return _entriesbyname.TryGetValue(name, out e); + return _entriesbyname.TryGetValue(lump.ReadName, out e); } /// @@ -183,9 +243,8 @@ namespace BizHawk.Client.Common /// true if callback was called and stream was loaded public bool GetLump(BinaryStateLump lump, bool abort, Action callback) { - string name = BinaryStateFileNames.GetReadName(lump); ZipEntry e; - if (_entriesbyname.TryGetValue(name, out e)) + if (_entriesbyname.TryGetValue(lump.ReadName, out e)) { using (var zs = _zip.GetInputStream(e)) { @@ -197,7 +256,7 @@ namespace BizHawk.Client.Common if (abort) { - throw new Exception("Essential zip section not found: " + name); + throw new Exception("Essential zip section not found: " + lump.ReadName); } return false; @@ -277,8 +336,7 @@ namespace BizHawk.Client.Common public void PutLump(BinaryStateLump lump, Action callback) { - var name = BinaryStateFileNames.GetWriteName(lump); - _zip.WriteItem(name, callback); + _zip.WriteItem(lump.WriteName, callback); } public void PutLump(BinaryStateLump lump, Action callback) diff --git a/BizHawk.Client.EmuHawk/AVOut/BitmapBufferVideoProvder.cs b/BizHawk.Client.Common/BitmapBufferVideoProvider.cs similarity index 90% rename from BizHawk.Client.EmuHawk/AVOut/BitmapBufferVideoProvder.cs rename to BizHawk.Client.Common/BitmapBufferVideoProvider.cs index f727cc1398..b5fd7f6abc 100644 --- a/BizHawk.Client.EmuHawk/AVOut/BitmapBufferVideoProvder.cs +++ b/BizHawk.Client.Common/BitmapBufferVideoProvider.cs @@ -1,56 +1,56 @@ -using System; -using System.Collections.Generic; -using System.Linq; -using System.Text; -using System.Drawing; - -using BizHawk.Emulation.Common; -using BizHawk.Bizware.BizwareGL; - -namespace BizHawk.Client.EmuHawk -{ - public class BitmapBufferVideoProvider : IVideoProvider, IDisposable - { - BitmapBuffer bb; - public BitmapBufferVideoProvider(BitmapBuffer bb) - { - this.bb = bb; - } - - public void Dispose() - { - if (bb != null) bb.Dispose(); - bb = null; - } - - public int[] GetVideoBuffer() - { - return bb.Pixels; - } - - public int VirtualWidth - { - get { return bb.Width; } - } - - public int VirtualHeight - { - get { return bb.Height; } - } - - public int BufferWidth - { - get { return bb.Width; } - } - - public int BufferHeight - { - get { return bb.Height; } - } - - public int BackgroundColor - { - get { return 0; } - } - } -} +using System; +using System.Collections.Generic; +using System.Linq; +using System.Text; +using System.Drawing; + +using BizHawk.Emulation.Common; +using BizHawk.Bizware.BizwareGL; + +namespace BizHawk.Client.Common +{ + public class BitmapBufferVideoProvider : IVideoProvider, IDisposable + { + BitmapBuffer bb; + public BitmapBufferVideoProvider(BitmapBuffer bb) + { + this.bb = bb; + } + + public void Dispose() + { + if (bb != null) bb.Dispose(); + bb = null; + } + + public int[] GetVideoBuffer() + { + return bb.Pixels; + } + + public int VirtualWidth + { + get { return bb.Width; } + } + + public int VirtualHeight + { + get { return bb.Height; } + } + + public int BufferWidth + { + get { return bb.Width; } + } + + public int BufferHeight + { + get { return bb.Height; } + } + + public int BackgroundColor + { + get { return 0; } + } + } +} diff --git a/BizHawk.Client.Common/BizHawk.Client.Common.csproj b/BizHawk.Client.Common/BizHawk.Client.Common.csproj index b2d30486cf..9817297aa8 100644 --- a/BizHawk.Client.Common/BizHawk.Client.Common.csproj +++ b/BizHawk.Client.Common/BizHawk.Client.Common.csproj @@ -103,6 +103,7 @@ + @@ -133,6 +134,7 @@ + @@ -156,6 +158,8 @@ Bk2Movie.cs + + Bk2Movie.cs @@ -256,6 +260,10 @@ {5160CFB1-5389-47C1-B7F6-8A0DC97641EE} BizHawk.Bizware.BizwareGL.OpenTK + + {E6B436B1-A3CD-4C9A-8F76-5D7154726884} + BizHawk.Bizware.BizwareGL.SlimDX + {9F84A0B2-861E-4EF4-B89B-5E2A3F38A465} BizHawk.Bizware.BizwareGL diff --git a/BizHawk.Client.Common/GLManager.cs b/BizHawk.Client.Common/GLManager.cs index e65bf8fddc..44440f04b5 100644 --- a/BizHawk.Client.Common/GLManager.cs +++ b/BizHawk.Client.Common/GLManager.cs @@ -35,7 +35,8 @@ namespace BizHawk.Client.Common { return new ContextRef { - gc = gc + gc = gc, + gl = gc.IGL }; } @@ -59,13 +60,24 @@ namespace BizHawk.Client.Common public void Activate(ContextRef cr) { + bool begun = false; + + //this needs a begin signal to set the swap chain to the next backbuffer + if (cr.gl is BizHawk.Bizware.BizwareGL.Drivers.SlimDX.IGL_SlimDX9) + { + cr.gc.Begin(); + begun = true; + } + if (cr == ActiveContext) return; + ActiveContext = cr; if (cr.gc != null) { //TODO - this is checking the current context inside to avoid an extra NOP context change. make this optional or remove it, since we're tracking it here - cr.gc.Begin(); + if(!begun) + cr.gc.Begin(); } if (cr.gl != null) { diff --git a/BizHawk.Client.Common/Global.cs b/BizHawk.Client.Common/Global.cs index 7d42723553..05d5977950 100644 --- a/BizHawk.Client.Common/Global.cs +++ b/BizHawk.Client.Common/Global.cs @@ -79,7 +79,7 @@ namespace BizHawk.Client.Common { get { - switch(Global.Emulator.SystemId) + switch(Emulator.SystemId) { default: case "NULL": @@ -91,11 +91,11 @@ namespace BizHawk.Client.Common case "SG": return SystemInfo.SG; case "SMS": - if ((Global.Emulator as SMS).IsGameGear) + if ((Emulator as SMS).IsGameGear) { return SystemInfo.GG; } - else if ((Global.Emulator as SMS).IsSG1000) + else if ((Emulator as SMS).IsSG1000) { return SystemInfo.SG; } @@ -114,7 +114,7 @@ namespace BizHawk.Client.Common case "SNES": return SystemInfo.SNES; case "GB": - if ((Global.Emulator as Gameboy).IsCGBMode()) + if ((Emulator as Gameboy).IsCGBMode()) { return SystemInfo.GBC; } diff --git a/BizHawk.Client.Common/PathManager.cs b/BizHawk.Client.Common/PathManager.cs index b70c322121..59e96f5337 100644 --- a/BizHawk.Client.Common/PathManager.cs +++ b/BizHawk.Client.Common/PathManager.cs @@ -29,6 +29,8 @@ namespace BizHawk.Client.Common /// public static string MakeProgramRelativePath(string path) { return MakeAbsolutePath("%exe%/" + path, null); } + public static string GetDllDirectory() { return Path.Combine(GetExeDirectoryAbsolute(), "dll"); } + /// /// The location of the default INI file /// diff --git a/BizHawk.Client.Common/QuickBmpFile.cs b/BizHawk.Client.Common/QuickBmpFile.cs index a47bc0f7e7..4bab0dc427 100644 --- a/BizHawk.Client.Common/QuickBmpFile.cs +++ b/BizHawk.Client.Common/QuickBmpFile.cs @@ -143,6 +143,66 @@ namespace BizHawk.Client.Common } } + unsafe static void Blit_Any_NoFlip(BMP src, BMP dst) + { + int w = dst.Width; + int h = dst.Height; + int in_w = src.Width; + int in_h = src.Height; + int* sp = src.Data; + int* dp = dst.Data; + + for (int j = 0; j < h; j++) + { + sp = src.Data + in_w * (j * in_h / h); + for (int i = 0; i < w; i++) + { + dp[i] = sp[i * in_w / w]; + } + dp += w; + } + } + + public unsafe static void Copy(IVideoProvider src, IVideoProvider dst) + { + if (src.BufferWidth == dst.BufferWidth && src.BufferHeight == dst.BufferHeight) + { + Array.Copy(src.GetVideoBuffer(), dst.GetVideoBuffer(), src.GetVideoBuffer().Length); + } + else + { + fixed (int* srcp = src.GetVideoBuffer(), dstp = dst.GetVideoBuffer()) + { + Blit_Any_NoFlip(new BMP + { + Data = srcp, + Width = src.BufferWidth, + Height = src.BufferHeight + }, + new BMP + { + Data = dstp, + Width = dst.BufferWidth, + Height = dst.BufferHeight + }); + } + } + } + + /// + /// if passed to QuickBMPFile.Load(), will size itself to match the incoming bmp + /// + public class LoadedBMP : IVideoProvider + { + public int[] VideoBuffer { get; set; } + public int[] GetVideoBuffer() { return VideoBuffer; } + public int VirtualWidth { get { return BufferWidth; } } + public int VirtualHeight { get { return BufferHeight; } } + public int BufferWidth { get; set; } + public int BufferHeight { get; set; } + public int BackgroundColor { get { return unchecked((int)0xff000000); } } + } + public unsafe static bool Load(IVideoProvider v, Stream s) { var bf = BITMAPFILEHEADER.FromStream(s); @@ -158,6 +218,13 @@ namespace BizHawk.Client.Common byte[] src = new byte[in_w * in_h * 4]; s.Read(src, 0, src.Length); + if (v is LoadedBMP) + { + var l = v as LoadedBMP; + l.BufferWidth = in_w; + l.BufferHeight = in_h; + l.VideoBuffer = new int[in_w * in_h]; + } int[] dst = v.GetVideoBuffer(); fixed (byte *srcp = src) diff --git a/BizHawk.Client.Common/RomLoader.cs b/BizHawk.Client.Common/RomLoader.cs index aa10a779e4..096632fec1 100644 --- a/BizHawk.Client.Common/RomLoader.cs +++ b/BizHawk.Client.Common/RomLoader.cs @@ -238,7 +238,7 @@ namespace BizHawk.Client.Common try { - var ext = file.Extension.ToLower(); + var ext = file.Extension.ToLowerInvariant(); if (ext == ".m3u") { //HACK ZONE - currently only psx supports m3u @@ -256,10 +256,25 @@ namespace BizHawk.Client.Common { Disc disc = null; string discPath = e.Path; - string discExt = Path.GetExtension(discPath).ToLower(); - disc = Disc.LoadAutomagic(discPath); + + //--- load the disc in a context which will let us abort if it's going to take too long + var discMountJob = new DiscMountJob { IN_FromPath = discPath }; + discMountJob.IN_SlowLoadAbortThreshold = 8; + discMountJob.Run(); + disc = discMountJob.OUT_Disc; + + if (discMountJob.OUT_SlowLoadAborted) + { + System.Windows.Forms.MessageBox.Show("This disc would take too long to load. Run it through discohawk first, or find a new rip because this one is probably junk"); + return false; + } + + if (discMountJob.OUT_ErrorLevel) + throw new InvalidOperationException("\r\n" + discMountJob.OUT_Log); + if(disc == null) throw new InvalidOperationException("Can't load one of the files specified in the M3U"); + var discName = Path.GetFileNameWithoutExtension(discPath); discNames.Add(discName); discs.Add(disc); @@ -274,11 +289,11 @@ namespace BizHawk.Client.Common sw.WriteLine("Disc could not be identified as known-good. Look for a better rip."); else { - sw.WriteLine("Disc was identified (99.99% confidently) as known good."); + sw.WriteLine("Disc was identified (99.99% confidently) as known good with disc id hash CRC32:{0:X8}",discHash); sw.WriteLine("Nonetheless it could be an unrecognized romhack or patched version."); sw.WriteLine("According to redump.org, the ideal hash for entire disc is: CRC32:{0:X8}", game.GetStringValue("dh")); sw.WriteLine("The file you loaded hasn't been hashed entirely (it would take too long)"); - sw.WriteLine("Compare it with the full hash calculated by the PSX menu's disc hasher tool"); + sw.WriteLine("Compare it with the full hash calculated by the PSX menu's Hash Discs tool"); } } else @@ -289,7 +304,6 @@ namespace BizHawk.Client.Common } nextEmulator = new Octoshock(nextComm, discs, discNames, null, GetCoreSettings(), GetCoreSyncSettings()); - nextEmulator.CoreComm.RomStatusDetails = "PSX etc."; nextEmulator.CoreComm.RomStatusDetails = sw.ToString(); game = new GameInfo { Name = Path.GetFileNameWithoutExtension(file.Name) }; game.System = "PSX"; @@ -313,6 +327,10 @@ namespace BizHawk.Client.Common System.Windows.Forms.MessageBox.Show("This disc would take too long to load. Run it through discohawk first, or find a new rip because this one is probably junk"); return false; } + + if (discMountJob.OUT_ErrorLevel) + throw new InvalidOperationException("\r\n" + discMountJob.OUT_Log); + var disc = discMountJob.OUT_Disc; //----------- @@ -372,11 +390,11 @@ namespace BizHawk.Client.Common else { StringWriter sw = new StringWriter(); - sw.WriteLine("Disc was identified (99.99% confidently) as known good."); + sw.WriteLine("Disc was identified (99.99% confidently) as known good with disc id hash CRC32:{0:X8}", discHash); sw.WriteLine("Nonetheless it could be an unrecognized romhack or patched version."); sw.WriteLine("According to redump.org, the ideal hash for entire disc is: CRC32:{0:X8}", game.GetStringValue("dh")); sw.WriteLine("The file you loaded hasn't been hashed entirely (it would take too long)"); - sw.WriteLine("Compare it with the full hash calculated by the PSX menu's disc hasher tool"); + sw.WriteLine("Compare it with the full hash calculated by the PSX menu's Hash Discs tool"); nextEmulator.CoreComm.RomStatusDetails = sw.ToString(); } break; @@ -386,7 +404,7 @@ namespace BizHawk.Client.Common break; } } - else if (file.Extension.ToLower() == ".xml") + else if (file.Extension.ToLowerInvariant() == ".xml") { try { @@ -424,6 +442,69 @@ namespace BizHawk.Client.Common roms, (AppleII.Settings)GetCoreSettings()); break; + case "PSX": + var entries = xmlGame.AssetFullPaths; + var discs = new List(); + var discNames = new List(); + var sw = new StringWriter(); + foreach (var e in entries) + { + Disc disc = null; + string discPath = e; + + //--- load the disc in a context which will let us abort if it's going to take too long + var discMountJob = new DiscMountJob { IN_FromPath = discPath }; + discMountJob.IN_SlowLoadAbortThreshold = 8; + discMountJob.Run(); + disc = discMountJob.OUT_Disc; + + if (discMountJob.OUT_SlowLoadAborted) + { + System.Windows.Forms.MessageBox.Show("This disc would take too long to load. Run it through discohawk first, or find a new rip because this one is probably junk"); + return false; + } + + if (discMountJob.OUT_ErrorLevel) + throw new InvalidOperationException("\r\n" + discMountJob.OUT_Log); + + if (disc == null) + throw new InvalidOperationException("Can't load one of the files specified in the M3U"); + + var discName = Path.GetFileNameWithoutExtension(discPath); + discNames.Add(discName); + discs.Add(disc); + + var discType = new DiscIdentifier(disc).DetectDiscType(); + sw.WriteLine("{0}", Path.GetFileName(discPath)); + if (discType == DiscType.SonyPSX) + { + string discHash = new DiscHasher(disc).Calculate_PSX_BizIDHash().ToString("X8"); + game = Database.CheckDatabase(discHash); + if (game == null || game.IsRomStatusBad() || game.Status == RomStatus.NotInDatabase) + sw.WriteLine("Disc could not be identified as known-good. Look for a better rip."); + else + { + sw.WriteLine("Disc was identified (99.99% confidently) as known good with disc id hash CRC32:{0:X8}", discHash); + sw.WriteLine("Nonetheless it could be an unrecognized romhack or patched version."); + sw.WriteLine("According to redump.org, the ideal hash for entire disc is: CRC32:{0:X8}", game.GetStringValue("dh")); + sw.WriteLine("The file you loaded hasn't been hashed entirely (it would take too long)"); + sw.WriteLine("Compare it with the full hash calculated by the PSX menu's Hash Discs tool"); + } + } + else + { + sw.WriteLine("Not a PSX disc"); + } + sw.WriteLine("-------------------------"); + } + + // todo: copy pasta from PSX .cue section + nextEmulator = new Octoshock(nextComm, discs, discNames, null, GetCoreSettings(), GetCoreSyncSettings()); + nextEmulator.CoreComm.RomStatusDetails = sw.ToString(); + game = new GameInfo { Name = Path.GetFileNameWithoutExtension(file.Name) }; + game.System = "PSX"; + + break; default: return false; } @@ -451,22 +532,39 @@ namespace BizHawk.Client.Common } } } + else if (file.Extension.ToLowerInvariant() == ".psf" || file.Extension.ToLowerInvariant() == ".minipsf") + { + Func cbDeflater = (Stream instream, int size) => + { + var inflater = new ICSharpCode.SharpZipLib.Zip.Compression.Inflater(false); + var iis = new ICSharpCode.SharpZipLib.Zip.Compression.Streams.InflaterInputStream(instream, inflater); + MemoryStream ret = new MemoryStream(); + iis.CopyTo(ret); + return ret.ToArray(); + }; + PSF psf = new PSF(); + psf.Load(path, cbDeflater); + nextEmulator = new Octoshock(nextComm, psf, GetCoreSettings(), GetCoreSyncSettings()); + nextEmulator.CoreComm.RomStatusDetails = "It's a PSF, what do you want."; + + //total garbage, this + rom = new RomGame(file); + game = rom.GameInfo; + } else // most extensions { rom = new RomGame(file); //hacky for now - if (file.Extension.ToLower() == ".exe") - { + if (file.Extension.ToLowerInvariant() == ".exe") rom.GameInfo.System = "PSX"; - } if (string.IsNullOrEmpty(rom.GameInfo.System)) { // Has the user picked a preference for this extension? - if (PreferredPlatformIsDefined(rom.Extension.ToLower())) + if (PreferredPlatformIsDefined(rom.Extension.ToLowerInvariant())) { - rom.GameInfo.System = Global.Config.PreferredPlatformsForExtensions[rom.Extension.ToLower()]; + rom.GameInfo.System = Global.Config.PreferredPlatformsForExtensions[rom.Extension.ToLowerInvariant()]; } else if (ChoosePlatform != null) { @@ -487,7 +585,7 @@ namespace BizHawk.Client.Common var isXml = false; // other xml has already been handled - if (file.Extension.ToLower() == ".xml") + if (file.Extension.ToLowerInvariant() == ".xml") { game.System = "SNES"; isXml = true; diff --git a/BizHawk.Client.Common/SavestateManager.cs b/BizHawk.Client.Common/SavestateManager.cs index 0cc11ec34a..6d126d966a 100644 --- a/BizHawk.Client.Common/SavestateManager.cs +++ b/BizHawk.Client.Common/SavestateManager.cs @@ -72,6 +72,15 @@ namespace BizHawk.Client.Common tw.WriteLine(data); }); } + + if (Global.MovieSession.Movie.IsActive && Global.MovieSession.Movie is TasMovie) + { + bs.PutLump(BinaryStateLump.LagLog, + delegate(BinaryWriter bw) + { + (Global.MovieSession.Movie as TasMovie).TasLagLog.Save(bw); + }); + } } } @@ -97,6 +106,17 @@ namespace BizHawk.Client.Common } } + public static void PopulateFramebuffer(byte[] bytes) + { + using (var ms = new MemoryStream(bytes)) + { + using (var br = new BinaryReader(ms)) + { + PopulateFramebuffer(br); + } + } + } + public static bool LoadStateFile(string path, string name) { var core = Global.Emulator.AsStatable(); @@ -146,6 +166,15 @@ namespace BizHawk.Client.Common Global.UserBag = (Dictionary)ConfigService.LoadWithType(userData); } + + if (bl.HasLump(BinaryStateLump.LagLog) + && Global.MovieSession.Movie.IsActive && Global.MovieSession.Movie is TasMovie) + { + bl.GetLump(BinaryStateLump.LagLog, false, delegate(BinaryReader br, long length) + { + (Global.MovieSession.Movie as TasMovie).TasLagLog.Load(br); + }); + } } catch { diff --git a/BizHawk.Client.Common/XmlGame.cs b/BizHawk.Client.Common/XmlGame.cs index 1b75186578..4b6f65999d 100644 --- a/BizHawk.Client.Common/XmlGame.cs +++ b/BizHawk.Client.Common/XmlGame.cs @@ -16,12 +16,14 @@ namespace BizHawk.Client.Common public XmlGame() { Assets = new List>(); + AssetFullPaths = new List(); GI = new GameInfo(); } public XmlDocument Xml { get; set; } public GameInfo GI { get; set; } public IList> Assets { get; set; } + public IList AssetFullPaths { get; set; } // TODO: Hack work around, to avoid having to refactor Assets into a object array, should be refactored! public static XmlGame Create(HawkFile f) { @@ -45,6 +47,7 @@ namespace BizHawk.Client.Common }, Xml = x }; + string fullpath = string.Empty; var n = y.SelectSingleNode("./LoadAssets"); if (n != null) @@ -79,7 +82,7 @@ namespace BizHawk.Client.Common else { // relative path - var fullpath = Path.GetDirectoryName(f.CanonicalFullPath.Split('|').First()) ?? string.Empty; + fullpath = Path.GetDirectoryName(f.CanonicalFullPath.Split('|').First()) ?? string.Empty; fullpath = Path.Combine(fullpath, filename.Split('|').First()); try { @@ -107,7 +110,7 @@ namespace BizHawk.Client.Common } ret.Assets.Add(new KeyValuePair(filename, data)); - + ret.AssetFullPaths.Add(fullpath); using (var sha1 = System.Security.Cryptography.SHA1.Create()) { sha1.TransformFinalBlock(data, 0, data.Length); diff --git a/BizHawk.Client.Common/config/Config.cs b/BizHawk.Client.Common/config/Config.cs index e2f0e50787..0cd0b78492 100644 --- a/BizHawk.Client.Common/config/Config.cs +++ b/BizHawk.Client.Common/config/Config.cs @@ -175,38 +175,39 @@ namespace BizHawk.Client.Common public static class DefaultMessageOptions { public const int - DispFPSx = 0, - DispFPSy = 0, - DispFrameCx = 0, - DispFrameCy = 14, - DispLagx = 0, - DispLagy = 42, - DispInpx = 0, - DispInpy = 28, - DispRecx = 0, - DispRecy = 56, - DispMultix = 0, - DispMultiy = 14, - DispMessagex = 3, - DispMessagey = 0, - DispAutoholdx = 0, - DispAutoholdy = 0, - DispRamWatchx = 0, - DispRamWatchy = 70, + DispFPSx = 0, + DispFPSy = 0, + DispFrameCx = 0, + DispFrameCy = 14, + DispLagx = 0, + DispLagy = 42, + DispInpx = 0, + DispInpy = 28, + DispRecx = 0, + DispRecy = 56, + DispMultix = 0, + DispMultiy = 14, + DispMessagex = 3, + DispMessagey = 0, + DispAutoholdx = 0, + DispAutoholdy = 0, + DispRamWatchx = 0, + DispRamWatchy = 70, - MessagesColor = -1, - AlertMessageColor = -65536, - LastInputColor = -23296, - MovieInput = -8355712, + MessagesColor = -1, + AlertMessageColor = -65536, + LastInputColor = -23296, + MovieInput = -8355712, - DispFPSanchor = 0, // 0 = UL, 1 = UR, 2 = DL, 3 = DR - DispFrameanchor = 0, - DispLaganchor = 0, - DispInpanchor = 0, - DispRecanchor = 0, - DispMultianchor = 1, - DispMessageanchor = 2, - DispAutoholdanchor = 1; + DispFPSanchor = 0, // 0 = UL, 1 = UR, 2 = DL, 3 = DR + DispFrameanchor = 0, + DispLaganchor = 0, + DispInpanchor = 0, + DispWatchAnchor = 0, + DispRecanchor = 0, + DispMultianchor = 1, + DispMessageanchor = 2, + DispAutoholdanchor = 1; } // Display options @@ -215,49 +216,53 @@ namespace BizHawk.Client.Common public bool DisplayLagCounter = false; public bool DisplayInput = false; public bool DisplayRerecordCount = false; + public bool DisplayMessages = true; + + public bool DispBlurry = false; // make display look ugly + public bool DispFixAspectRatio = true; + public bool DispFixScaleInteger = true; + public bool DispFullscreenHacks = true; + public int DispSpeedupFeatures = 2; - public bool DispBlurry = false; // make display look ugly - public bool DispFixAspectRatio = true; - public bool DispFixScaleInteger = true; - public bool DispFullscreenHacks = true; public int DispFPSx = DefaultMessageOptions.DispFPSx; public int DispFPSy = DefaultMessageOptions.DispFPSy; - public int DispFrameCx = DefaultMessageOptions.DispFrameCx; - public int DispFrameCy = DefaultMessageOptions.DispFrameCy; - public int DispLagx = DefaultMessageOptions.DispLagx; - public int DispLagy = DefaultMessageOptions.DispLagy; - public int DispInpx = DefaultMessageOptions.DispInpx; - public int DispInpy = DefaultMessageOptions.DispInpy; - public int DispRecx = DefaultMessageOptions.DispRecx; - public int DispRecy = DefaultMessageOptions.DispRecy; - public int DispMultix = DefaultMessageOptions.DispMultix; - public int DispMultiy = DefaultMessageOptions.DispMultiy; + public int DispFrameCx = DefaultMessageOptions.DispFrameCx; + public int DispFrameCy = DefaultMessageOptions.DispFrameCy; + public int DispLagx = DefaultMessageOptions.DispLagx; + public int DispLagy = DefaultMessageOptions.DispLagy; + public int DispInpx = DefaultMessageOptions.DispInpx; + public int DispInpy = DefaultMessageOptions.DispInpy; + public int DispRecx = DefaultMessageOptions.DispRecx; + public int DispRecy = DefaultMessageOptions.DispRecy; + public int DispMultix = DefaultMessageOptions.DispMultix; + public int DispMultiy = DefaultMessageOptions.DispMultiy; public int DispRamWatchx = DefaultMessageOptions.DispRamWatchx; public int DispRamWatchy = DefaultMessageOptions.DispRamWatchy; - public int DispMessagex = DefaultMessageOptions.DispMessagex; - public int DispMessagey = DefaultMessageOptions.DispMessagey; + public int DispMessagex = DefaultMessageOptions.DispMessagex; + public int DispMessagey = DefaultMessageOptions.DispMessagey; public int DispAutoholdx = DefaultMessageOptions.DispAutoholdx; - public int DispAutoholdy = DefaultMessageOptions.DispAutoholdy; + public int DispAutoholdy = DefaultMessageOptions.DispAutoholdy; - public int DispFPSanchor = DefaultMessageOptions.DispFPSanchor; // 0 = UL, 1 = UR, 2 = DL, 3 = DR - public int DispFrameanchor = DefaultMessageOptions.DispFrameanchor; - public int DispLaganchor = DefaultMessageOptions.DispLaganchor; - public int DispInpanchor = DefaultMessageOptions.DispInpanchor; - public int DispRecanchor = DefaultMessageOptions.DispRecanchor; - public int DispMultianchor = DefaultMessageOptions.DispMultianchor; - public int DispMessageanchor = DefaultMessageOptions.DispMessageanchor; - public int DispAutoholdanchor = DefaultMessageOptions.DispAutoholdanchor; + public int DispFPSanchor = DefaultMessageOptions.DispFPSanchor; // 0 = UL, 1 = UR, 2 = DL, 3 = DR + public int DispFrameanchor = DefaultMessageOptions.DispFrameanchor; + public int DispLaganchor = DefaultMessageOptions.DispLaganchor; + public int DispInpanchor = DefaultMessageOptions.DispInpanchor; + public int DispWatchesanchor = DefaultMessageOptions.DispWatchAnchor; + public int DispRecanchor = DefaultMessageOptions.DispRecanchor; + public int DispMultianchor = DefaultMessageOptions.DispMultianchor; + public int DispMessageanchor = DefaultMessageOptions.DispMessageanchor; + public int DispAutoholdanchor = DefaultMessageOptions.DispAutoholdanchor; - public int MessagesColor = DefaultMessageOptions.MessagesColor; - public int AlertMessageColor = DefaultMessageOptions.AlertMessageColor; - public int LastInputColor = DefaultMessageOptions.LastInputColor; - public int MovieInput = DefaultMessageOptions.MovieInput; + public int MessagesColor = DefaultMessageOptions.MessagesColor; + public int AlertMessageColor = DefaultMessageOptions.AlertMessageColor; + public int LastInputColor = DefaultMessageOptions.LastInputColor; + public int MovieInput = DefaultMessageOptions.MovieInput; public int DispPrescale = 1; //warning: we dont even want to deal with changing this at runtime. but we want it changed here for config purposes. so dont check this variable. check in GlobalWin or something like that. - public EDispMethod DispMethod = EDispMethod.OpenGL; + public EDispMethod DispMethod = EDispMethod.SlimDX9; public int DispChrome_FrameWindowed = 2; public bool DispChrome_StatusBarWindowed = true; @@ -265,6 +270,8 @@ namespace BizHawk.Client.Common public bool DispChrome_MenuWindowed = true; public bool DispChrome_StatusBarFullscreen = false; public bool DispChrome_MenuFullscreen = false; + public bool DispChrome_Fullscreen_AutohideMouse = true; + public bool DispChrome_AllowDoubleClickFullscreen = true; public EDispManagerAR DispManagerAR = EDispManagerAR.System; public int DispCustomUserARWidth = 1; diff --git a/BizHawk.Client.Common/inputAdapters/InputAdapters.cs b/BizHawk.Client.Common/inputAdapters/InputAdapters.cs index 9d616c7ffc..46a31fb849 100644 --- a/BizHawk.Client.Common/inputAdapters/InputAdapters.cs +++ b/BizHawk.Client.Common/inputAdapters/InputAdapters.cs @@ -383,7 +383,7 @@ namespace BizHawk.Client.Common private List _justPressed = new List(); } - /// SuuperW: Old code commented + ///// SuuperW: I'm leaving the old class in case I accidentally screwed something up //public class AutoFireStickyXorAdapter : IController, ISticky //{ // public int On { get; set; } @@ -534,6 +534,8 @@ namespace BizHawk.Client.Common // private List _justPressed = new List(); //} + + // commenting this out, it breaks the autofire hotkey public class AutoFireStickyXorAdapter : IController, ISticky { // TODO: Change the AutoHold adapter to be one of these, with an 'Off' value of 0? @@ -675,23 +677,15 @@ namespace BizHawk.Client.Common _floatPatterns.ElementAt(i).Value.GetNextValue(lagged); } - // SuuperW: What does this even do? I set a breakpoint inside the loop and it wasn't reached. - private WorkingDictionary _toggledButtons = new WorkingDictionary(); private List _justPressed = new List(); public void MassToggleStickyState(List buttons) { foreach (var button in buttons.Where(button => !_justPressed.Contains(button))) { if (_boolPatterns.ContainsKey(button)) - { - _toggledButtons[button] = _boolPatterns[button]; SetSticky(button, false); - } else - { - _boolPatterns[button] = _toggledButtons[button]; - _toggledButtons.Remove(button); - } + SetSticky(button, true); } _justPressed = buttons; diff --git a/BizHawk.Client.Common/lua/EmuLuaLibrary.MemorySavestate.cs b/BizHawk.Client.Common/lua/EmuLuaLibrary.MemorySavestate.cs new file mode 100644 index 0000000000..7ea1b47c62 --- /dev/null +++ b/BizHawk.Client.Common/lua/EmuLuaLibrary.MemorySavestate.cs @@ -0,0 +1,96 @@ +using System; +using System.Collections.Generic; +using System.IO; + +using LuaInterface; +using BizHawk.Emulation.Common.IEmulatorExtensions; + + +namespace BizHawk.Client.Common +{ + public sealed class MemorySavestateEmuLuaLibrary : LuaLibraryBase + { + public MemorySavestateEmuLuaLibrary(Lua lua) + : base(lua) { } + + public MemorySavestateEmuLuaLibrary(Lua lua, Action logOutputCallback) + : base(lua, logOutputCallback) { } + + public override string Name { get { return "memorysavestate"; } } + + private readonly Dictionary MemorySavestates = new Dictionary(); + + [LuaMethodAttributes( + "savecorestate", + "creates a core savestate and stores it in memory. Note: a core savestate is only the raw data from the core, and not extras such as movie input logs, or framebuffers. Returns a unique identifer for the savestate" + )] + public Guid SaveCoreStateToMemory() + { + if (Global.Emulator.HasSavestates()) + { + var guid = Guid.NewGuid(); + var bytes = Global.Emulator.AsStatable().SaveStateBinary(); + + MemorySavestates.Add(guid, bytes); + + return guid; + } + else + { + Log("Savestates not supported on this core"); + return Guid.Empty; + } + } + + [LuaMethodAttributes( + "loadcorestate", + "loads an in memory state with the given identifier" + )] + public void LoadCoreStateFromMemory(string identifier) + { + var guid = new Guid(identifier); + + if (Global.Emulator.HasSavestates()) + { + try + { + var statableCore = Global.Emulator.AsStatable(); + var state = MemorySavestates[guid]; + + using (MemoryStream ms = new MemoryStream(state)) + using (BinaryReader br = new BinaryReader(ms)) + { + statableCore.LoadStateBinary(br); + } + } + catch + { + Log("Unable to find the given savestate in memory"); + } + } + else + { + Log("Savestates not supported on this core"); + } + } + + [LuaMethodAttributes( + "removestate", + "removes the savestate with the given identifier from memory" + )] + public void DeleteState(string identifier) + { + var guid = new Guid(identifier); + MemorySavestates.Remove(guid); + } + + [LuaMethodAttributes( + "clearstatesfrommemory", + "clears all savestates stored in memory" + )] + public void ClearInMemoryStates() + { + MemorySavestates.Clear(); + } + } +} diff --git a/BizHawk.Client.Common/lua/EmuLuaLibrary.Movie.cs b/BizHawk.Client.Common/lua/EmuLuaLibrary.Movie.cs index 5257c55777..17e84bcfa1 100644 --- a/BizHawk.Client.Common/lua/EmuLuaLibrary.Movie.cs +++ b/BizHawk.Client.Common/lua/EmuLuaLibrary.Movie.cs @@ -14,6 +14,24 @@ namespace BizHawk.Client.Common public override string Name { get { return "movie"; } } + [LuaMethodAttributes( + "startsfromsavestate", + "Returns whether or not the movie is a savestate-anchored movie" + )] + public bool StartsFromSavestate() + { + return Global.MovieSession.Movie.IsActive && Global.MovieSession.Movie.StartsFromSavestate; + } + + [LuaMethodAttributes( + "startsfromsaveram", + "Returns whether or not the movie is a saveram-anchored movie" + )] + public bool StartsFromSaveram() + { + return Global.MovieSession.Movie.IsActive && Global.MovieSession.Movie.StartsFromSaveRam; + } + [LuaMethodAttributes( "filename", "Returns the file name including path of the currently loaded movie" @@ -200,5 +218,59 @@ namespace BizHawk.Client.Common return 0.0; } + + [LuaMethodAttributes( + "getheader", + "If a movie is active, will return the movie header as a lua table" + )] + public LuaTable GetHeader() + { + var luaTable = Lua.NewTable(); + if (Global.MovieSession.Movie.IsActive) + { + foreach (var kvp in Global.MovieSession.Movie.HeaderEntries) + { + luaTable[kvp.Key] = kvp.Value; + } + } + + return luaTable; + } + + [LuaMethodAttributes( + "getcomments", + "If a movie is active, will return the movie comments as a lua table" + )] + public LuaTable GetComments() + { + var luaTable = Lua.NewTable(); + if (Global.MovieSession.Movie.IsActive) + { + for (int i = 0; i < Global.MovieSession.Movie.Comments.Count; i++) + { + luaTable[i] = Global.MovieSession.Movie.Comments[i]; + } + } + + return luaTable; + } + + [LuaMethodAttributes( + "getsubtitles", + "If a movie is active, will return the movie subtitles as a lua table" + )] + public LuaTable GetSubtitles() + { + var luaTable = Lua.NewTable(); + if (Global.MovieSession.Movie.IsActive) + { + for (int i = 0; i < Global.MovieSession.Movie.Subtitles.Count; i++) + { + luaTable[i] = Global.MovieSession.Movie.Subtitles[i].ToString(); + } + } + + return luaTable; + } } } diff --git a/BizHawk.Client.Common/lua/EmuLuaLibrary.String.cs b/BizHawk.Client.Common/lua/EmuLuaLibrary.String.cs index 94590d69ab..51f3bc7bce 100644 --- a/BizHawk.Client.Common/lua/EmuLuaLibrary.String.cs +++ b/BizHawk.Client.Common/lua/EmuLuaLibrary.String.cs @@ -199,7 +199,7 @@ namespace BizHawk.Client.Common for (int i = 0; i < splitStr.Length; i++) { - table[i] = splitStr[i]; + table[i + 1] = splitStr[i]; } } diff --git a/BizHawk.Client.Common/lua/LuaFunctionList.cs b/BizHawk.Client.Common/lua/LuaFunctionList.cs index f49d425145..fe9946fff9 100644 --- a/BizHawk.Client.Common/lua/LuaFunctionList.cs +++ b/BizHawk.Client.Common/lua/LuaFunctionList.cs @@ -40,7 +40,15 @@ namespace BizHawk.Client.Common if (Global.Emulator.CanDebug()) { - Global.Emulator.AsDebuggable().MemoryCallbacks.RemoveAll(this.Select(x => x.Callback)); + try + { + var cbSys = Global.Emulator.AsDebuggable().MemoryCallbacks; + cbSys.RemoveAll(this.Select(x => x.Callback)); + } + catch + { + //swallow exceptions here. many cores havent implemented memorycallbacks, we ought to have more granular feature querying + } } Clear(); diff --git a/BizHawk.Client.Common/lua/LuaMemoryBase.cs b/BizHawk.Client.Common/lua/LuaMemoryBase.cs index 81565555ad..c133c295b3 100644 --- a/BizHawk.Client.Common/lua/LuaMemoryBase.cs +++ b/BizHawk.Client.Common/lua/LuaMemoryBase.cs @@ -158,9 +158,10 @@ namespace BizHawk.Client.Common var table = Lua.NewTable(); if (lastAddr < Domain.Size) { - for (var i = addr; i <= lastAddr; i++) + for (var i = 0; i BizHawk.Common.IOExtensions.IOExtensions.Write(bw, SavestateFramebuffer)); } } + else if (StartsFromSaveRam) + { + bs.PutLump(BinaryStateLump.MovieSaveRam, (BinaryWriter bw) => bw.Write(SaveRam)); + } } Changes = false; diff --git a/BizHawk.Client.Common/movie/bkm/BkmMovie.HeaderApi.cs b/BizHawk.Client.Common/movie/bkm/BkmMovie.HeaderApi.cs index d46e816cdb..79027e5a65 100644 --- a/BizHawk.Client.Common/movie/bkm/BkmMovie.HeaderApi.cs +++ b/BizHawk.Client.Common/movie/bkm/BkmMovie.HeaderApi.cs @@ -40,6 +40,9 @@ namespace BizHawk.Client.Common set { Header.StartsFromSavestate = value; } } + // Bkm doesn't support saveram anchored movies + public bool StartsFromSaveRam { get { return false; } set { } } + public string GameName { get { return Header.GameName; } @@ -91,5 +94,6 @@ namespace BizHawk.Client.Common public string TextSavestate { get; set; } public byte[] BinarySavestate { get; set; } public int[] SavestateFramebuffer { get { return null; } set { } } // eat and ignore framebuffers + public byte[] SaveRam { get { return null; } set { } } // Bkm does not support Saveram anchored movies } } diff --git a/BizHawk.Client.Common/movie/bkm/BkmMovie.IO.cs b/BizHawk.Client.Common/movie/bkm/BkmMovie.IO.cs index a8f1be0f29..f104de55de 100644 --- a/BizHawk.Client.Common/movie/bkm/BkmMovie.IO.cs +++ b/BizHawk.Client.Common/movie/bkm/BkmMovie.IO.cs @@ -58,7 +58,7 @@ namespace BizHawk.Client.Common Write(backupName); } - public bool Load() + public bool Load(bool preload) { var file = new FileInfo(Filename); diff --git a/BizHawk.Client.Common/movie/conversions/MovieConversionExtensions.cs b/BizHawk.Client.Common/movie/conversions/MovieConversionExtensions.cs index 55037d36df..0ddee97697 100644 --- a/BizHawk.Client.Common/movie/conversions/MovieConversionExtensions.cs +++ b/BizHawk.Client.Common/movie/conversions/MovieConversionExtensions.cs @@ -1,10 +1,12 @@ using System; using System.IO; using System.Linq; +using System.Collections.Generic; using BizHawk.Common.ReflectionExtensions; using BizHawk.Emulation.Common; using BizHawk.Emulation.Cores.Nintendo.Gameboy; +using BizHawk.Emulation.Common.IEmulatorExtensions; namespace BizHawk.Client.Common.MovieConversionExtensions { @@ -33,6 +35,7 @@ namespace BizHawk.Client.Common.MovieConversionExtensions } var tas = new TasMovie(newFilename, old.StartsFromSavestate); + tas.TasStateManager.MountWriteAccess(); for (var i = 0; i < old.InputLogLength; i++) { @@ -67,6 +70,7 @@ namespace BizHawk.Client.Common.MovieConversionExtensions tas.TextSavestate = old.TextSavestate; tas.BinarySavestate = old.BinarySavestate; + tas.SaveRam = old.SaveRam; return tas; } @@ -88,7 +92,7 @@ namespace BizHawk.Client.Common.MovieConversionExtensions } bk2.HeaderEntries.Clear(); - foreach(var kvp in old.HeaderEntries) + foreach (var kvp in old.HeaderEntries) { bk2.HeaderEntries[kvp.Key] = kvp.Value; } @@ -96,19 +100,20 @@ namespace BizHawk.Client.Common.MovieConversionExtensions bk2.SyncSettingsJson = old.SyncSettingsJson; bk2.Comments.Clear(); - foreach(var comment in old.Comments) + foreach (var comment in old.Comments) { bk2.Comments.Add(comment); } bk2.Subtitles.Clear(); - foreach(var sub in old.Subtitles) + foreach (var sub in old.Subtitles) { bk2.Subtitles.Add(sub); } bk2.TextSavestate = old.TextSavestate; bk2.BinarySavestate = old.BinarySavestate; + bk2.SaveRam = old.SaveRam; bk2.Save(); return bk2; @@ -136,16 +141,25 @@ namespace BizHawk.Client.Common.MovieConversionExtensions } } - var tas = new TasMovie(newFilename, true); + TasMovie tas = new TasMovie(newFilename, true); tas.BinarySavestate = savestate; - tas.TasStateManager.Clear(); tas.ClearLagLog(); - var entries = old.GetLogEntries(); + List entries = old.GetLogEntries(); tas.CopyLog(entries.Skip(frame)); + tas.CopyVerificationLog(old.VerificationLog); tas.CopyVerificationLog(entries.Take(frame)); + // States can't be easily moved over, because they contain the frame number. + // TODO? I'm not sure how this would be done. + tas.TasStateManager.MountWriteAccess(); + old.TasStateManager.Clear(); + + // Lag Log + tas.TasLagLog.FromLagLog(old.TasLagLog); + tas.TasLagLog.StartFromFrame(frame); + tas.HeaderEntries.Clear(); foreach (var kvp in old.HeaderEntries) { @@ -156,25 +170,83 @@ namespace BizHawk.Client.Common.MovieConversionExtensions tas.SyncSettingsJson = old.SyncSettingsJson; tas.Comments.Clear(); - foreach (var comment in old.Comments) + foreach (string comment in old.Comments) { tas.Comments.Add(comment); } tas.Subtitles.Clear(); - foreach (var sub in old.Subtitles) + foreach (Subtitle sub in old.Subtitles) { tas.Subtitles.Add(sub); } - foreach(var marker in old.Markers) + foreach (TasMovieMarker marker in old.Markers) { - if (marker.Frame > 0) + if (marker.Frame > frame) + tas.Markers.Add(new TasMovieMarker(marker.Frame - frame, marker.Message)); + } + + tas.TasStateManager.Settings = old.TasStateManager.Settings; + + tas.Save(); + return tas; + } + + public static TasMovie ConvertToSaveRamAnchoredMovie(this TasMovie old, byte[] saveRam) + { + string newFilename = old.Filename + "." + TasMovie.Extension; + + if (File.Exists(newFilename)) + { + int fileNum = 1; + bool fileConflict = true; + while (fileConflict) { - tas.Markers.Add(marker); + if (File.Exists(newFilename)) + { + newFilename = old.Filename + " (" + fileNum + ")" + "." + TasMovie.Extension; + fileNum++; + } + else + { + fileConflict = false; + } } } + TasMovie tas = new TasMovie(newFilename, true); + tas.SaveRam = saveRam; + tas.TasStateManager.Clear(); + tas.ClearLagLog(); + + List entries = old.GetLogEntries(); + + tas.CopyVerificationLog(old.VerificationLog); + tas.CopyVerificationLog(entries); + + tas.HeaderEntries.Clear(); + foreach (var kvp in old.HeaderEntries) + { + tas.HeaderEntries[kvp.Key] = kvp.Value; + } + + tas.StartsFromSaveRam = true; + tas.StartsFromSavestate = false; + tas.SyncSettingsJson = old.SyncSettingsJson; + + tas.Comments.Clear(); + foreach (string comment in old.Comments) + { + tas.Comments.Add(comment); + } + + tas.Subtitles.Clear(); + foreach (Subtitle sub in old.Subtitles) + { + tas.Subtitles.Add(sub); + } + tas.TasStateManager.Settings = old.TasStateManager.Settings; tas.Save(); @@ -213,10 +285,10 @@ namespace BizHawk.Client.Common.MovieConversionExtensions movie.BoardName = Global.Emulator.BoardName; } - if (Global.Emulator.HasPublicProperty("DisplayType")) + if (Global.Emulator.HasRegions()) { - var region = Global.Emulator.GetPropertyValue("DisplayType"); - if ((DisplayType)region == DisplayType.PAL) + var region = Global.Emulator.AsRegionable().Region; + if (region == DisplayType.PAL) { movie.HeaderEntries.Add(HeaderKeys.PAL, "1"); } @@ -233,7 +305,7 @@ namespace BizHawk.Client.Common.MovieConversionExtensions movie.HeaderEntries.Add(key, firmware.Hash); } } - + } if (Global.Emulator is Gameboy && (Global.Emulator as Gameboy).IsCGBMode()) diff --git a/BizHawk.Client.Common/movie/import/MovieImport.cs b/BizHawk.Client.Common/movie/import/MovieImport.cs index 97c42ff241..3be588f999 100644 --- a/BizHawk.Client.Common/movie/import/MovieImport.cs +++ b/BizHawk.Client.Common/movie/import/MovieImport.cs @@ -140,7 +140,7 @@ namespace BizHawk.Client.Common break; case ".BKM": m.Filename = path; - m.Load(); + m.Load(false); break; } } diff --git a/BizHawk.Client.Common/movie/interfaces/IMovie.cs b/BizHawk.Client.Common/movie/interfaces/IMovie.cs index ddba54c898..d6edda3e0a 100644 --- a/BizHawk.Client.Common/movie/interfaces/IMovie.cs +++ b/BizHawk.Client.Common/movie/interfaces/IMovie.cs @@ -52,8 +52,12 @@ namespace BizHawk.Client.Common byte[] BinarySavestate { get; set; } int[] SavestateFramebuffer { get; set; } + // saveram anchor + byte[] SaveRam { get; set; } + ulong Rerecords { get; set; } bool StartsFromSavestate { get; set; } + bool StartsFromSaveRam { get; set; } string GameName { get; set; } string SystemID { get; set; } string Hash { get; set; } @@ -95,7 +99,7 @@ namespace BizHawk.Client.Common /// Tells the movie to load the contents of Filename /// /// Return whether or not the file was successfully loaded - bool Load(); + bool Load(bool preload); /// /// Instructs the movie to save the current contents to Filename diff --git a/BizHawk.Client.Common/movie/tasproj/StateManagerState.cs b/BizHawk.Client.Common/movie/tasproj/StateManagerState.cs new file mode 100644 index 0000000000..c1a6801f47 --- /dev/null +++ b/BizHawk.Client.Common/movie/tasproj/StateManagerState.cs @@ -0,0 +1,112 @@ +using System; +using System.IO; + +namespace BizHawk.Client.Common +{ + /// + /// Represents a savestate in the TasStateManager + /// + internal class StateManagerState : IDisposable + { + private static long _stateId = 0; + private TasStateManager _manager; + + private byte[] _state; + private long _id; + + public int Frame { get; set; } + + public void Write(BinaryWriter w) + { + w.Write(Frame); + w.Write(_state.Length); + w.Write(_state); + } + + public static StateManagerState Read(BinaryReader r, TasStateManager m) + { + int frame = r.ReadInt32(); + byte[] data = r.ReadBytes(r.ReadInt32()); + return new StateManagerState(m, data, frame); + } + + public byte[] State + { + get + { + if (_state != null) + { + return _state; + } + + return _manager.ndbdatabase.FetchAll(_id.ToString()); + } + set + { + if (_state != null) + { + _state = value; + } + else + { + throw new Exception("Attempted to set a state to null."); + } + } + } + + public int Length + { + get { return State.Length; } + } + + public bool IsOnDisk + { + get { return _state == null; } + } + + public StateManagerState(TasStateManager manager, byte[] state, int frame) + { + _manager = manager; + _state = state; + Frame = frame; + + if (_stateId > long.MaxValue - 100) + { + throw new InvalidOperationException(); + } + + _id = System.Threading.Interlocked.Increment(ref _stateId); + } + + public void MoveToDisk() + { + if (IsOnDisk) + { + return; + } + + _manager.ndbdatabase.Store(_id.ToString(), _state, 0, _state.Length); + _state = null; + } + + public void MoveToRAM() + { + if (!IsOnDisk) + { + return; + } + + string key = _id.ToString(); + _state = _manager.ndbdatabase.FetchAll(key); + _manager.ndbdatabase.Release(key); + } + + public void Dispose() + { + if (!IsOnDisk) + return; + + _manager.ndbdatabase.Release(_id.ToString()); + } + } +} diff --git a/BizHawk.Client.Common/movie/tasproj/TasBranch.cs b/BizHawk.Client.Common/movie/tasproj/TasBranch.cs new file mode 100644 index 0000000000..b290831ff5 --- /dev/null +++ b/BizHawk.Client.Common/movie/tasproj/TasBranch.cs @@ -0,0 +1,192 @@ +using System; +using System.Collections; +using System.Collections.Generic; +using System.IO; +using System.Linq; +using Newtonsoft.Json; +using BizHawk.Bizware.BizwareGL; + +namespace BizHawk.Client.Common +{ + public class TasBranch + { + public int Frame { get; set; } + public byte[] CoreData { get; set; } + public List InputLog { get; set; } + public BitmapBuffer OSDFrameBuffer { get; set; } + public TasLagLog LagLog { get; set; } + public TasMovieChangeLog ChangeLog { get; set; } + public DateTime TimeStamp { get; set; } + public TasMovieMarkerList Markers { get; set; } + public Guid UniqueIdentifier { get; set; } + } + + public class TasBranchCollection : List + { + public new void Add(TasBranch item) + { + if (item.UniqueIdentifier == Guid.Empty) + { + var currentHashes = this.Select(b => b.UniqueIdentifier.GetHashCode()).ToList(); + + do item.UniqueIdentifier = Guid.NewGuid(); + while (currentHashes.Contains(item.UniqueIdentifier.GetHashCode())); + } + + base.Add(item); + } + + public void Save(BinaryStateSaver bs) + { + var nheader = new IndexedStateLump(BinaryStateLump.BranchHeader); + var ncore = new IndexedStateLump(BinaryStateLump.BranchCoreData); + var ninput = new IndexedStateLump(BinaryStateLump.BranchInputLog); + var nframebuffer = new IndexedStateLump(BinaryStateLump.BranchFrameBuffer); + var nlaglog = new IndexedStateLump(BinaryStateLump.BranchLagLog); + var nmarkers = new IndexedStateLump(BinaryStateLump.BranchMarkers); + foreach (var b in this) + { + bs.PutLump(nheader, delegate(TextWriter tw) + { + // if this header needs more stuff in it, handle it sensibly + tw.WriteLine(JsonConvert.SerializeObject(new + { + Frame = b.Frame, + TimeStamp = b.TimeStamp, + UniqueIdentifier = b.UniqueIdentifier + })); + }); + + bs.PutLump(ncore, delegate(Stream s) + { + s.Write(b.CoreData, 0, b.CoreData.Length); + }); + + bs.PutLump(ninput, delegate(TextWriter tw) + { + foreach (var line in b.InputLog) + tw.WriteLine(line); + }); + + bs.PutLump(nframebuffer, delegate(Stream s) + { + var vp = new BitmapBufferVideoProvider(b.OSDFrameBuffer); + QuickBmpFile.Save(vp, s, b.OSDFrameBuffer.Width, b.OSDFrameBuffer.Height); + }); + + bs.PutLump(nlaglog, delegate(BinaryWriter bw) + { + b.LagLog.Save(bw); + }); + + bs.PutLump(nmarkers, delegate (TextWriter tw) + { + tw.WriteLine(b.Markers.ToString()); + }); + + nheader.Increment(); + ncore.Increment(); + ninput.Increment(); + nframebuffer.Increment(); + nlaglog.Increment(); + nmarkers.Increment(); + } + } + + public void Load(BinaryStateLoader bl, TasMovie movie) + { + var nheader = new IndexedStateLump(BinaryStateLump.BranchHeader); + var ncore = new IndexedStateLump(BinaryStateLump.BranchCoreData); + var ninput = new IndexedStateLump(BinaryStateLump.BranchInputLog); + var nframebuffer = new IndexedStateLump(BinaryStateLump.BranchFrameBuffer); + var nlaglog = new IndexedStateLump(BinaryStateLump.BranchLagLog); + var nmarkers = new IndexedStateLump(BinaryStateLump.BranchMarkers); + + Clear(); + + while (true) + { + var b = new TasBranch(); + + if (!bl.GetLump(nheader, false, delegate(TextReader tr) + { + var header = (dynamic)JsonConvert.DeserializeObject(tr.ReadLine()); + b.Frame = (int)header.Frame; + + var timestamp = (dynamic)header.TimeStamp; + + if (timestamp != null) + { + b.TimeStamp = (DateTime)timestamp; + } + else + { + b.TimeStamp = DateTime.Now; + } + + var identifier = (dynamic)header.UniqueIdentifier; + if (identifier != null) + { + b.UniqueIdentifier = (Guid)identifier; + } + else + { + b.UniqueIdentifier = Guid.NewGuid(); + } + })) + { + return; + } + + bl.GetLump(ncore, true, delegate(Stream s, long length) + { + b.CoreData = new byte[length]; + s.Read(b.CoreData, 0, b.CoreData.Length); + }); + + bl.GetLump(ninput, true, delegate(TextReader tr) + { + b.InputLog = new List(); + string line; + while ((line = tr.ReadLine()) != null) + b.InputLog.Add(line); + }); + + bl.GetLump(nframebuffer, true, delegate(Stream s, long length) + { + var vp = new QuickBmpFile.LoadedBMP(); + QuickBmpFile.Load(vp, s); + b.OSDFrameBuffer = new BitmapBuffer(vp.BufferWidth, vp.BufferHeight, vp.VideoBuffer); + }); + + bl.GetLump(nlaglog, true, delegate(BinaryReader br) + { + b.LagLog = new TasLagLog(); + b.LagLog.Load(br); + }); + + b.Markers = new TasMovieMarkerList(movie); + bl.GetLump(nmarkers, false, delegate (TextReader tr) + { + string line; + while ((line = tr.ReadLine()) != null) + { + if (!string.IsNullOrWhiteSpace(line)) + { + b.Markers.Add(new TasMovieMarker(line)); + } + } + }); + + Add(b); + + nheader.Increment(); + ncore.Increment(); + ninput.Increment(); + nframebuffer.Increment(); + nlaglog.Increment(); + nmarkers.Increment(); + } + } + } +} diff --git a/BizHawk.Client.Common/movie/tasproj/TasLagLog.cs b/BizHawk.Client.Common/movie/tasproj/TasLagLog.cs index 060600b441..7f573d55ea 100644 --- a/BizHawk.Client.Common/movie/tasproj/TasLagLog.cs +++ b/BizHawk.Client.Common/movie/tasproj/TasLagLog.cs @@ -10,9 +10,9 @@ namespace BizHawk.Client.Common public class TasLagLog { // TODO: Change this into a regular list. - private readonly List LagLog = new List(); + private List LagLog = new List(); - private readonly List WasLag = new List(); + private List WasLag = new List(); public bool? this[int frame] { @@ -155,6 +155,7 @@ namespace BizHawk.Client.Common return null; } + public int LastValidFrame { get @@ -164,5 +165,26 @@ namespace BizHawk.Client.Common return LagLog.Count - 1; } } + + public TasLagLog Clone() + { + var log = new TasLagLog(); + log.LagLog = LagLog.ToList(); + log.WasLag = WasLag.ToList(); + + return log; + } + + public void FromLagLog(TasLagLog log) + { + LagLog = log.LagLog.ToList(); + WasLag = log.WasLag.ToList(); + } + + public void StartFromFrame(int index) + { + LagLog.RemoveRange(0, index); + WasLag.RemoveRange(0, index); + } } } diff --git a/BizHawk.Client.Common/movie/tasproj/TasMovie.History.cs b/BizHawk.Client.Common/movie/tasproj/TasMovie.History.cs index d7a2a4617e..5a0c12abb2 100644 --- a/BizHawk.Client.Common/movie/tasproj/TasMovie.History.cs +++ b/BizHawk.Client.Common/movie/tasproj/TasMovie.History.cs @@ -164,12 +164,23 @@ namespace BizHawk.Client.Common if (!batch.Where(a => a.GetType() != typeof(MovieActionMarker)).Any()) return Movie.InputLogLength; - return PreviousUndoFrame; + return PreviousRedoFrame; } public bool CanUndo { get { return UndoIndex > -1; } } public bool CanRedo { get { return UndoIndex < History.Count - 1; } } + public string NextUndoStepName + { + get + { + if (Names.Count == 0) + return null; + else + return Names[UndoIndex]; + } + } + public int PreviousUndoFrame { get @@ -180,7 +191,7 @@ namespace BizHawk.Client.Common if (History[UndoIndex + 1].Count == 0) return Movie.InputLogLength; - return History[UndoIndex + 1].Max(a => a.FirstFrame); + return History[UndoIndex + 1].Min(a => a.FirstFrame); } } public int PreviousRedoFrame @@ -193,7 +204,7 @@ namespace BizHawk.Client.Common if (History[UndoIndex].Count == 0) return Movie.InputLogLength; - return History[UndoIndex].Max(a => a.FirstFrame); + return History[UndoIndex].Min(a => a.FirstFrame); } } diff --git a/BizHawk.Client.Common/movie/tasproj/TasMovie.IO.cs b/BizHawk.Client.Common/movie/tasproj/TasMovie.IO.cs index b6a286d7e5..ecd20f53de 100644 --- a/BizHawk.Client.Common/movie/tasproj/TasMovie.IO.cs +++ b/BizHawk.Client.Common/movie/tasproj/TasMovie.IO.cs @@ -78,6 +78,11 @@ namespace BizHawk.Client.Common bs.PutLump(BinaryStateLump.Corestate, (BinaryWriter bw) => bw.Write(BinarySavestate)); } } + else if (StartsFromSaveRam) + { + bs.PutLump(BinaryStateLump.MovieSaveRam, (BinaryWriter bw) => bw.Write(SaveRam)); + } + ReportProgress(PROGRESS_STEP); if (ClientSettingsForSave != null) { @@ -90,13 +95,19 @@ namespace BizHawk.Client.Common { bs.PutLump(BinaryStateLump.VerificationLog, tw => tw.WriteLine(InputLogToString(VerificationLog))); } + + if (Branches.Any()) + { + Branches.Save(bs); + } + ReportProgress(PROGRESS_STEP); } Changes = false; } - public override bool Load() + public override bool Load(bool preload) { var file = new FileInfo(Filename); if (!file.Exists) @@ -187,6 +198,14 @@ namespace BizHawk.Client.Common TextSavestate = tr.ReadToEnd(); }); } + else if (StartsFromSaveRam) + { + bl.GetLump(BinaryStateLump.MovieSaveRam, false, + delegate(BinaryReader br, long length) + { + SaveRam = br.ReadBytes((int)length); + }); + } // TasMovie enhanced information if (bl.HasLump(BinaryStateLump.LagLog)) @@ -202,16 +221,20 @@ namespace BizHawk.Client.Common StateManager.Settings.PopulateFromString(tr.ReadToEnd()); }); - if (StateManager.Settings.SaveStateHistory) + if(!preload) { - bl.GetLump(BinaryStateLump.StateHistory, false, delegate(BinaryReader br, long length) + if (StateManager.Settings.SaveStateHistory) { - StateManager.Load(br); - }); + bl.GetLump(BinaryStateLump.StateHistory, false, delegate(BinaryReader br, long length) + { + StateManager.Load(br); + }); + } + + // Movie should always have a state at frame 0. + if (!this.StartsFromSavestate) + StateManager.Capture(); } - // Movie should always have a state at frame 0. - if (!this.StartsFromSavestate) - StateManager.Capture(); bl.GetLump(BinaryStateLump.Markers, false, delegate(TextReader tr) { @@ -263,6 +286,8 @@ namespace BizHawk.Client.Common } }); } + + Branches.Load(bl, this); } Changes = false; diff --git a/BizHawk.Client.Common/movie/tasproj/TasMovie.cs b/BizHawk.Client.Common/movie/tasproj/TasMovie.cs index 0c0948cd18..a5a99e3894 100644 --- a/BizHawk.Client.Common/movie/tasproj/TasMovie.cs +++ b/BizHawk.Client.Common/movie/tasproj/TasMovie.cs @@ -20,7 +20,9 @@ namespace BizHawk.Client.Common private readonly TasStateManager StateManager; private readonly TasLagLog LagLog = new TasLagLog(); private readonly Dictionary InputStateCache = new Dictionary(); - private readonly List VerificationLog = new List(); // For movies that do not begin with power-on, this is the input required to get into the initial state + public readonly List VerificationLog = new List(); // For movies that do not begin with power-on, this is the input required to get into the initial state + + public readonly TasBranchCollection Branches = new TasBranchCollection(); private BackgroundWorker _progressReportWorker = null; public void NewBGWorker(BackgroundWorker newWorker) @@ -74,9 +76,44 @@ namespace BizHawk.Client.Common BindMarkersToInput = true; } + public TasLagLog TasLagLog { get { return LagLog; } } + public List InputLog { get { return _log; } } public TasMovieMarkerList Markers { get; set; } public bool BindMarkersToInput { get; set; } public bool UseInputCache { get; set; } + public int BranchCount { get { return Branches.Count; } } + public TasBranch GetBranch(int index) + { + if (index >= Branches.Count) + return null; // are we allowed? + else + return Branches[index]; + } + + public int BranchHashByIndex(int index) + { + if (index >= Branches.Count) + return -1; + else + return Branches[index].UniqueIdentifier.GetHashCode(); + } + + public int BranchIndexByHash(int hash) + { + TasBranch branch = Branches.Where(b => b.UniqueIdentifier.GetHashCode() == hash).SingleOrDefault(); + if (branch == null) + return -1; + return Branches.IndexOf(branch); + } + + public int BranchIndexByFrame(int frame) + { + TasBranch branch = Branches.Where(b => b.Frame == frame) + .OrderByDescending(b => b.TimeStamp).FirstOrDefault(); + if (branch == null) + return -1; + return Branches.IndexOf(branch); + } public override string PreferredExtension { @@ -171,9 +208,13 @@ namespace BizHawk.Client.Common private void InvalidateAfter(int frame) { LagLog.RemoveFrom(frame); - StateManager.Invalidate(frame + 1); + var anyInvalidated = StateManager.Invalidate(frame + 1); Changes = true; // TODO check if this actually removed anything before flagging changes - base.Rerecords++; + + if (anyInvalidated && Global.MovieSession.Movie.IsCountingRerecords) + { + base.Rerecords++; + } } /// @@ -279,8 +320,7 @@ namespace BizHawk.Client.Common public void CopyVerificationLog(IEnumerable log) { - VerificationLog.Clear(); - foreach (var entry in log) + foreach (string entry in log) { VerificationLog.Add(entry); } @@ -450,5 +490,84 @@ namespace BizHawk.Client.Common return true; } + + public void LoadBranch(TasBranch branch) + { + int? divergentPoint = DivergentPoint(_log, branch.InputLog); + + _log = branch.InputLog.ToList(); + //_changes = true; + LagLog.FromLagLog(branch.LagLog); + + // if there are branch states, they will be loaded anyway + // but if there's none, or only *after* divergent point, don't invalidate the entire movie anymore + if (divergentPoint.HasValue) + StateManager.Invalidate(divergentPoint.Value); + else + StateManager.Invalidate(branch.InputLog.Count); + + StateManager.LoadBranch(Branches.IndexOf(branch)); + + StateManager.SetState(branch.Frame, branch.CoreData); + + //ChangeLog = branch.ChangeLog; + Markers = branch.Markers; + Changes = true; + } + + // TODO: use LogGenerators rather than string comparisons + private int? DivergentPoint(List currentLog, List newLog) + { + int max = newLog.Count; + if (currentLog.Count < newLog.Count) + { + max = currentLog.Count; + } + + for (int i = 0; i < max; i++) + { + if (newLog[i] != currentLog[i]) + { + return i; + } + } + + return null; + } + + public void AddBranch(TasBranch branch) + { + Branches.Add(branch); + TasStateManager.AddBranch(); + Changes = true; + } + + public void RemoveBranch(TasBranch branch) + { + TasStateManager.RemoveBranch(Branches.IndexOf(branch)); + Branches.Remove(branch); + Changes = true; + } + + public void UpdateBranch(TasBranch old, TasBranch newBranch) + { + int index = Branches.IndexOf(old); + newBranch.UniqueIdentifier = old.UniqueIdentifier; + Branches[index] = newBranch; + TasStateManager.UpdateBranch(index); + Changes = true; + } + + public void SwapBranches(int b1, int b2) + { + TasBranch branch = Branches[b1]; + + if (b2 >= Branches.Count) + b2 = Branches.Count - 1; + + Branches.Remove(branch); + Branches.Insert(b2, branch); + Changes = true; + } } } diff --git a/BizHawk.Client.Common/movie/tasproj/TasMovieMarker.cs b/BizHawk.Client.Common/movie/tasproj/TasMovieMarker.cs index 04a4bd1093..41fca12525 100644 --- a/BizHawk.Client.Common/movie/tasproj/TasMovieMarker.cs +++ b/BizHawk.Client.Common/movie/tasproj/TasMovieMarker.cs @@ -72,12 +72,21 @@ namespace BizHawk.Client.Common public class TasMovieMarkerList : List { private readonly TasMovie _movie; - + public TasMovieMarkerList(TasMovie movie) { _movie = movie; } + public TasMovieMarkerList DeepClone() + { + TasMovieMarkerList ret = new TasMovieMarkerList(_movie); + for (int i = 0; i < this.Count; i++) + ret.Add(new TasMovieMarker(this[i].Frame, this[i].Message)); + + return ret; + } + public event NotifyCollectionChangedEventHandler CollectionChanged; private void OnListChanged(NotifyCollectionChangedAction action) @@ -209,6 +218,8 @@ namespace BizHawk.Client.Common { if (this[i].Frame >= startFrame) { + if (i == 0) + continue; _movie.ChangeLog.AddMarkerChange(null, this[i].Frame, this[i].Message); RemoveAt(i); deletedCount++; diff --git a/BizHawk.Client.Common/movie/tasproj/TasStateManager.cs b/BizHawk.Client.Common/movie/tasproj/TasStateManager.cs index 394783343a..062b27ec4d 100644 --- a/BizHawk.Client.Common/movie/tasproj/TasStateManager.cs +++ b/BizHawk.Client.Common/movie/tasproj/TasStateManager.cs @@ -1,10 +1,10 @@ using System; using System.Collections.Generic; -using System.ComponentModel; using System.IO; using System.Linq; -using System.Text; +using System.Drawing; +using BizHawk.Common; using BizHawk.Emulation.Common; using BizHawk.Emulation.Common.IEmulatorExtensions; @@ -14,7 +14,7 @@ namespace BizHawk.Client.Common /// Captures savestates and manages the logic of adding, retrieving, /// invalidating/clearing of states. Also does memory management and limiting of states /// - public class TasStateManager + public class TasStateManager : IDisposable { // TODO: pass this in, and find a solution to a stale reference (this is instantiated BEFORE a new core instance is made, making this one stale if it is simply set in the constructor private IStatable Core @@ -35,20 +35,27 @@ namespace BizHawk.Client.Common } } - private readonly SortedList States = new SortedList(); + private List lowPriorityStates = new List(); + internal NDBDatabase ndbdatabase; + private Guid guid = Guid.NewGuid(); + private SortedList States = new SortedList(); + private string statePath { get { - return PathManager.MakeAbsolutePath(Global.Config.PathEntries["Global", "TAStudio states"].Path, null); + var basePath = PathManager.MakeAbsolutePath(Global.Config.PathEntries["Global", "TAStudio states"].Path, null); + return Path.Combine(basePath, guid.ToString()); } } + private bool _isMountedForWrite; private readonly TasMovie _movie; private ulong _expectedStateSize = 0; private int _minFrequency = VersionInfo.DeveloperBuild ? 2 : 1; private const int _maxFrequency = 16; + private int StateFrequency { get @@ -70,7 +77,9 @@ namespace BizHawk.Client.Common } private int maxStates - { get { return (int)(Settings.Cap / _expectedStateSize); } } + { + get { return (int)(Settings.Cap / _expectedStateSize) + (int)((ulong)Settings.DiskCapacitymb * 1024 * 1024 / _expectedStateSize); } + } public TasStateManager(TasMovie movie) { @@ -78,6 +87,30 @@ namespace BizHawk.Client.Common Settings = new TasStateManagerSettings(Global.Config.DefaultTasProjSettings); + accessed = new List(); + + if (_movie.StartsFromSavestate) + SetState(0, _movie.BinarySavestate); + } + + public void Dispose() + { + if (ndbdatabase != null) + ndbdatabase.Dispose(); + + //States and BranchStates don't need cleaning because they would only contain an ndbdatabase entry which was demolished by the above + } + + /// + /// Mounts this instance for write access. Prior to that it's read-only + /// + public void MountWriteAccess() + { + if (_isMountedForWrite) + return; + + _isMountedForWrite = true; + int limit = 0; _expectedStateSize = (ulong)Core.SaveStateBinary().Length; @@ -87,13 +120,11 @@ namespace BizHawk.Client.Common limit = maxStates; } - States = new SortedList(limit); - if (Directory.Exists(statePath)) - { - Directory.Delete(statePath, true); // To delete old files that may still exist. - } - Directory.CreateDirectory(statePath); - accessed = new List(); + States = new SortedList(limit); + + if (_expectedStateSize > int.MaxValue) + throw new InvalidOperationException(); + ndbdatabase = new NDBDatabase(statePath, Settings.DiskCapacitymb * 1024 * 1024, (int)_expectedStateSize); } public TasStateManagerSettings Settings { get; set; } @@ -107,22 +138,17 @@ namespace BizHawk.Client.Common { get { - if (frame == 0 && _movie.StartsFromSavestate) - { - return new KeyValuePair(0, _movie.BinarySavestate); - } - if (States.ContainsKey(frame)) { - // if (States[frame] == null) // Get from file StateAccessed(frame); - return new KeyValuePair(frame, States[frame]); + return new KeyValuePair(frame, States[frame].State); } return new KeyValuePair(-1, new byte[0]); } } - private List accessed; + + private List accessed; public byte[] InitialState { @@ -133,7 +159,7 @@ namespace BizHawk.Client.Common return _movie.BinarySavestate; } - return States[0]; + return States[0].State; } } @@ -169,54 +195,116 @@ namespace BizHawk.Client.Common if (shouldCapture) { - SetState(frame, (byte[])Core.SaveStateBinary().Clone()); + SetState(frame, (byte[])Core.SaveStateBinary().Clone(), skipRemoval: false); } } - private void MaybeRemoveState() + private void MaybeRemoveStates() { - int shouldRemove = -1; - if (Used + DiskUsed > Settings.CapTotal) - shouldRemove = StateToRemove(); - if (shouldRemove != -1) + // Loop, because removing a state that has a duplicate won't save any space + while (Used > Settings.Cap || DiskUsed > (ulong)Settings.DiskCapacitymb * 1024 * 1024) { - RemoveState(States.ElementAt(shouldRemove).Key); + Point shouldRemove = StateToRemove(); + RemoveState(shouldRemove.X, shouldRemove.Y); } if (Used > Settings.Cap) { int lastMemState = -1; - do { lastMemState++; } while (States[accessed[lastMemState]] == null); - MoveStateToDisk(accessed[lastMemState]); + do { lastMemState++; } while (States[accessed[lastMemState].Frame] == null); + MoveStateToDisk(accessed[lastMemState].Frame); } } - private int StateToRemove() - { - int markerSkips = maxStates / 3; - int shouldRemove = _movie.StartsFromSavestate ? -1 : 0; + /// + /// X is the frame of the state, Y is the branch (-1 for current). + /// + private Point StateToRemove() + { + // X is frame, Y is branch + Point shouldRemove = new Point(-1, -1); + + if (BranchStates.Any() && Settings.EraseBranchStatesFirst) + { + var kvp = BranchStates.Count() > 1 ? BranchStates.ElementAt(1) : BranchStates.ElementAt(0); + shouldRemove.X = kvp.Key; + shouldRemove.Y = kvp.Value.Keys[0]; + + return shouldRemove; + } + + int i = 0; + int markerSkips = maxStates / 2; + // lowPrioritySates (e.g. states with only lag frames between them) do { - shouldRemove++; - - // No need to have two savestates with only lag frames between them. - for (int i = shouldRemove; i < States.Count - 1; i++) - { - if (AllLag(States.ElementAt(i).Key, States.ElementAt(i + 1).Key)) - { - shouldRemove = i; - break; - } - } + if (lowPriorityStates.Count > i) + shouldRemove = findState(lowPriorityStates[i]); + else + break; // Keep marker states markerSkips--; if (markerSkips < 0) - shouldRemove = _movie.StartsFromSavestate ? 0 : 1; - } while (_movie.Markers.IsMarker(States.ElementAt(shouldRemove).Key + 1) && markerSkips > -1); + shouldRemove.X = -1; + i++; + } while (StateIsMarker(shouldRemove.X, shouldRemove.Y) && markerSkips > -1 || shouldRemove.X == 0); + + // by last accessed + markerSkips = maxStates / 2; + if (shouldRemove.X < 1) + { + i = 0; + do + { + if (accessed.Count > i) + shouldRemove = findState(accessed[i]); + else + break; + + // Keep marker states + markerSkips--; + if (markerSkips < 0) + shouldRemove.X = -1; + i++; + } while (StateIsMarker(shouldRemove.X, shouldRemove.Y) && markerSkips > -1 || shouldRemove.X == 0); + } + + if (shouldRemove.X < 1) // only found marker states above + { + if (BranchStates.Any() && !Settings.EraseBranchStatesFirst) + { + var kvp = BranchStates.Count() > 1 ? BranchStates.ElementAt(1) : BranchStates.ElementAt(0); + shouldRemove.X = kvp.Key; + shouldRemove.Y = kvp.Value.Keys[0]; + } + else + { + StateManagerState s = States.Values[1]; + shouldRemove.X = s.Frame; + shouldRemove.Y = -1; + } + } return shouldRemove; } + + private bool StateIsMarker(int frame, int branch) + { + if (frame == -1) + return false; + + if (branch == -1) + return _movie.Markers.IsMarker(States[frame].Frame + 1); + else + { + if (_movie.GetBranch(_movie.BranchIndexByHash(branch)).Markers == null) + return _movie.Markers.IsMarker(States[frame].Frame + 1); + else + return _movie.GetBranch(branch).Markers.Any(m => m.Frame + 1 == frame); + } + } + private bool AllLag(int from, int upTo) { if (upTo >= Global.Emulator.Frame) @@ -237,71 +325,94 @@ namespace BizHawk.Client.Common private void MoveStateToDisk(int index) { - // Save - string path = Path.Combine(statePath, index.ToString()); - File.WriteAllBytes(path, States[index]); - DiskUsed += _expectedStateSize; - - // Remove from RAM Used -= (ulong)States[index].Length; - States[index] = null; + States[index].MoveToDisk(); } + private void MoveStateToMemory(int index) { - // Load - string path = Path.Combine(statePath, index.ToString()); - byte[] loadData = File.ReadAllBytes(path); - DiskUsed -= _expectedStateSize; - - // States list - Used += (ulong)loadData.Length; - States[index] = loadData; - - File.Delete(path); + States[index].MoveToRAM(); + Used += (ulong)States[index].Length; } - private void SetState(int frame, byte[] state) + + internal void SetState(int frame, byte[] state, bool skipRemoval = true) { + if (!skipRemoval) // skipRemoval: false only when capturing new states + MaybeRemoveStates(); // Remove before adding so this state won't be removed. + if (States.ContainsKey(frame)) { - States[frame] = state; - MaybeRemoveState(); // Also does moving to disk + if (stateHasDuplicate(frame, -1) != -2) + Used += (ulong)state.Length; + States[frame].State = state; } else { Used += (ulong)state.Length; - MaybeRemoveState(); // Remove before adding so this state won't be removed. - - States.Add(frame, state); + States.Add(frame, new StateManagerState(this, state, frame)); } + StateAccessed(frame); - } - private void RemoveState(int index) - { - if (States[index] == null) + + int i = States.IndexOfKey(frame); + if (i > 0 && AllLag(States.Keys[i - 1], States.Keys[i])) { - DiskUsed -= _expectedStateSize; // Disk length? - string path = Path.Combine(statePath, index.ToString()); - File.Delete(path); + lowPriorityStates.Add(States[frame]); + } + } + + private void RemoveState(int frame, int branch = -1) + { + if (branch == -1) + accessed.Remove(States[frame]); + else if (accessed.Contains(BranchStates[frame][branch]) && !Settings.EraseBranchStatesFirst) + accessed.Remove(BranchStates[frame][branch]); + + StateManagerState state; + bool hasDuplicate = stateHasDuplicate(frame, branch) != -2; + if (branch == -1) + { + state = States[frame]; + if (States[frame].IsOnDisk) + States[frame].Dispose(); + else + Used -= (ulong)States[frame].Length; + States.RemoveAt(States.IndexOfKey(frame)); } else - Used -= (ulong)States[index].Length; - States.RemoveAt(States.IndexOfKey(index)); - - accessed.Remove(index); - } - private void StateAccessed(int index) - { - bool removed = accessed.Remove(index); - accessed.Add(index); - - if (States[index] == null) { - if (States[accessed[0]] != null) - MoveStateToDisk(accessed[0]); - MoveStateToMemory(index); + state = BranchStates[frame][branch]; + if (BranchStates[frame][branch].IsOnDisk) + BranchStates[frame][branch].Dispose(); + else + Used -= (ulong)BranchStates[frame][branch].Length; + BranchStates[frame].RemoveAt(BranchStates[frame].IndexOfKey(branch)); + + if (BranchStates[frame].Count == 0) + BranchStates.Remove(frame); } - if (!removed && accessed.Count > (int)(Used / _expectedStateSize)) + if (!hasDuplicate) + lowPriorityStates.Remove(state); + } + + private void StateAccessed(int frame) + { + if (frame == 0 && _movie.StartsFromSavestate) + return; + + StateManagerState state = States[frame]; + bool removed = accessed.Remove(state); + accessed.Add(state); + + if (States[frame].IsOnDisk) + { + if (!States[accessed[0].Frame].IsOnDisk) + MoveStateToDisk(accessed[0].Frame); + MoveStateToMemory(frame); + } + + if (!removed && accessed.Count > maxStates) accessed.RemoveAt(0); } @@ -318,8 +429,10 @@ namespace BizHawk.Client.Common /// /// Clears out all savestates after the given frame number /// - public void Invalidate(int frame) + public bool Invalidate(int frame) { + bool anyInvalidated = false; + if (Any()) { if (!_movie.StartsFromSavestate && frame == 0) // Never invalidate frame 0 on a non-savestate-anchored movie @@ -327,21 +440,18 @@ namespace BizHawk.Client.Common frame = 1; } - var statesToRemove = States - .Where(x => x.Key >= frame) - .ToList(); - foreach (var state in statesToRemove) - { - if (state.Value == null) - DiskUsed -= _expectedStateSize; // Length?? - else - Used -= (ulong)state.Value.Length; - accessed.Remove(state.Key); - States.Remove(state.Key); - } + List> statesToRemove = + States.Where(x => x.Key >= frame).ToList(); + + anyInvalidated = statesToRemove.Any(); + + foreach (KeyValuePair state in statesToRemove) + RemoveState(state.Key); CallInvalidateCallback(frame); } + + return anyInvalidated; } /// @@ -353,52 +463,55 @@ namespace BizHawk.Client.Common States.Clear(); accessed.Clear(); Used = 0; - DiskUsed = 0; + clearDiskStates(); } public void ClearStateHistory() { if (States.Any()) { - KeyValuePair power = States.FirstOrDefault(s => s.Key == 0); - if (power.Value == null) - { - StateAccessed(power.Key); - power = States.FirstOrDefault(s => s.Key == 0); - } + StateManagerState power = States.Values.FirstOrDefault(s => s.Frame == 0); + StateAccessed(power.Frame); + States.Clear(); accessed.Clear(); - if (power.Value.Length > 0) - { - SetState(0, power.Value); - Used = (ulong)power.Value.Length; - } - else - { - Used = 0; - DiskUsed = 0; - } + SetState(0, power.State); + Used = (ulong)power.State.Length; + + clearDiskStates(); } } - public void Save(BinaryWriter bw) + private void clearDiskStates() { - List noSave = ExcludeStates(); - - bw.Write(States.Count - noSave.Count); - for (int i = 0; i < States.Count; i++) - { - if (noSave.Contains(i)) - continue; - - StateAccessed(States.ElementAt(i).Key); - KeyValuePair kvp = States.ElementAt(i); - bw.Write(kvp.Key); - bw.Write(kvp.Value.Length); - bw.Write(kvp.Value); - } + if (ndbdatabase != null) + ndbdatabase.Clear(); } + + /// + /// Deletes/moves states to follow the state storage size limits. + /// Used after changing the settings. + /// + public void LimitStateCount() + { + while (Used + DiskUsed > Settings.CapTotal) + { + Point s = StateToRemove(); + RemoveState(s.X, s.Y); + } + + int index = -1; + while (DiskUsed > (ulong)Settings.DiskCapacitymb * 1024uL * 1024uL) + { + do { index++; } while (!accessed[index].IsOnDisk); + accessed[index].MoveToRAM(); + } + + if (Used > Settings.Cap) + MaybeRemoveStates(); + } + private List ExcludeStates() { List ret = new List(); @@ -412,7 +525,7 @@ namespace BizHawk.Client.Common index++; } while (_movie.Markers.IsMarker(States.ElementAt(index).Key + 1)); ret.Add(index); - if (States.ElementAt(index).Value == null) + if (States.ElementAt(index).Value.IsOnDisk) saveUsed -= _expectedStateSize; else saveUsed -= (ulong)States.ElementAt(index).Value.Length; @@ -424,7 +537,7 @@ namespace BizHawk.Client.Common { index++; ret.Add(index); - if (States.ElementAt(index).Value == null) + if (States.ElementAt(index).Value.IsOnDisk) saveUsed -= _expectedStateSize; else saveUsed -= (ulong)States.ElementAt(index).Value.Length; @@ -433,6 +546,41 @@ namespace BizHawk.Client.Common return ret; } + public void Save(BinaryWriter bw) + { + List noSave = ExcludeStates(); + + bw.Write(States.Count - noSave.Count); + for (int i = 0; i < States.Count; i++) + { + if (noSave.Contains(i)) + continue; + + StateAccessed(States.ElementAt(i).Key); + KeyValuePair kvp = States.ElementAt(i); + bw.Write(kvp.Key); + bw.Write(kvp.Value.Length); + bw.Write(kvp.Value.State); + } + + bw.Write(currentBranch); + + if (Settings.BranchStatesInTasproj) + { + bw.Write(BranchStates.Count); + foreach (var s in BranchStates) + { + bw.Write(s.Key); + bw.Write(s.Value.Count); + foreach (var t in s.Value) + { + bw.Write(t.Key); + t.Value.Write(bw); + } + } + } + } + public void Load(BinaryReader br) { States.Clear(); @@ -444,11 +592,39 @@ namespace BizHawk.Client.Common int frame = br.ReadInt32(); int len = br.ReadInt32(); byte[] data = br.ReadBytes(len); + // whether we should allow state removal check here is an interesting question + // nothing was edited yet, so it might make sense to show the project untouched first SetState(frame, data); //States.Add(frame, data); //Used += len; } //} + + try + { + currentBranch = br.ReadInt32(); + if (Settings.BranchStatesInTasproj) + { + int c = br.ReadInt32(); + BranchStates = new SortedList>(c); + while (c > 0) + { + int key = br.ReadInt32(); + int c2 = br.ReadInt32(); + var list = new SortedList(c2); + while (c2 > 0) + { + int key2 = br.ReadInt32(); + var state = StateManagerState.Read(br, this); + list.Add(key2, state); + c2--; + } + BranchStates.Add(key, list); + c--; + } + } + } + catch (EndOfStreamException) { } } public KeyValuePair GetStateClosestToFrame(int frame) @@ -465,15 +641,15 @@ namespace BizHawk.Client.Common // 4 bytes - length of savestate // 0 - n savestate - private ulong Used - { - get; - set; - } + private ulong Used { get; set; } + private ulong DiskUsed { - get; - set; + get + { + if (ndbdatabase == null) return 0; + else return (ulong)ndbdatabase.Consumed; + } } public int StateCount @@ -519,5 +695,185 @@ namespace BizHawk.Client.Common return 0; } } + + #region "Branches" + + private SortedList> BranchStates = new SortedList>(); + private int currentBranch = -1; + + /// + /// Checks if the state at frame in the given branch (-1 for current) has any duplicates. + /// + /// Index of the branch (-1 for current) of the first match. If no match, returns -2. + private int stateHasDuplicate(int frame, int branchHash) + { + StateManagerState stateToMatch; + + // figure out what state we're checking + if (branchHash == -1) + stateToMatch = States[frame]; + else + { + if (!BranchStates[frame].ContainsKey(branchHash)) + return -2; + stateToMatch = BranchStates[frame][branchHash]; + //if (States.ContainsKey(frame) && States[frame] == stateToMatch) + // return -1; + } + + // there's no state for that frame at all + if (!BranchStates.ContainsKey(frame)) + return -2; + + // find the branches whose state for that frame is the same + SortedList stateList = BranchStates[frame]; + for (int i = 0; i < _movie.BranchCount; i++) + { + if (i == _movie.BranchIndexByHash(branchHash)) + continue; + + if (stateList != null && stateList.ContainsKey(i) && stateList[i] == stateToMatch) + return i; + } + + return -2; + } + + private Point findState(StateManagerState s) + { + Point ret = new Point(0, -1); + ret.X = s.Frame; + if (!States.ContainsValue(s)) + { + if (BranchStates.ContainsKey(s.Frame)) + { + int index = BranchStates[s.Frame].Values.IndexOf(s); + ret.Y = BranchStates[s.Frame].Keys.ElementAt(index); + } + if (ret.Y == -1) + return new Point(-1, -2); + } + + return ret; + } + + public void AddBranch() + { + int branchHash = _movie.BranchHashByIndex(_movie.BranchCount - 1); + + foreach (KeyValuePair kvp in States) + { + if (!BranchStates.ContainsKey(kvp.Key)) + BranchStates.Add(kvp.Key, new SortedList()); + + SortedList stateList = BranchStates[kvp.Key]; + + if (stateList == null) // when does this happen? + { + stateList = new SortedList(); + BranchStates[kvp.Key] = stateList; + } + stateList.Add(branchHash, kvp.Value); + Used += (ulong)stateList[branchHash].Length; + } + currentBranch = _movie.BranchCount; + } + + public void RemoveBranch(int index) + { + int branchHash = _movie.BranchHashByIndex(index); + + foreach (KeyValuePair> kvp in BranchStates.ToList()) + { + SortedList stateList = kvp.Value; + if (stateList == null) + continue; + + if (stateHasDuplicate(kvp.Key, branchHash) == -2) + { + if (stateList.ContainsKey(branchHash)) + { + if (stateList[branchHash].IsOnDisk) + { } + else + Used -= (ulong)stateList[branchHash].Length; + } + } + + stateList.Remove(branchHash); + if (stateList.Count == 0) + BranchStates.Remove(kvp.Key); + } + if (currentBranch > index) + currentBranch--; + else if (currentBranch == index) + currentBranch = -1; + } + + public void UpdateBranch(int index) + { + int branchHash = _movie.BranchHashByIndex(index); + + // RemoveBranch + foreach (KeyValuePair> kvp in BranchStates.ToList()) + { + SortedList stateList = kvp.Value; + if (stateList == null) + continue; + + if (stateHasDuplicate(kvp.Key, branchHash) == -2) + { + if (stateList.ContainsKey(branchHash)) + { + if (stateList[branchHash].IsOnDisk) + { } + else + Used -= (ulong)stateList[branchHash].Length; + } + } + + stateList.Remove(branchHash); + if (stateList.Count == 0) + BranchStates.Remove(kvp.Key); + } + + // AddBranch + foreach (KeyValuePair kvp in States) + { + if (!BranchStates.ContainsKey(kvp.Key)) + BranchStates.Add(kvp.Key, new SortedList()); + + SortedList stateList = BranchStates[kvp.Key]; + + if (stateList == null) + { + stateList = new SortedList(); + BranchStates[kvp.Key] = stateList; + } + stateList.Add(branchHash, kvp.Value); + Used += (ulong)stateList[branchHash].Length; + } + currentBranch = index; + } + + public void LoadBranch(int index) + { + int branchHash = _movie.BranchHashByIndex(index); + + //Invalidate(0); // Not a good way of doing it? + + foreach (KeyValuePair> kvp in BranchStates) + { + if (kvp.Key == 0 && States.ContainsKey(0)) + continue; // TODO: It might be a better idea to just not put state 0 in BranchStates. + + if (kvp.Value.ContainsKey(branchHash)) + SetState(kvp.Key, kvp.Value[branchHash].State); + } + + currentBranch = index; + } + + #endregion } } diff --git a/BizHawk.Client.Common/movie/tasproj/TasStateManagerSettings.cs b/BizHawk.Client.Common/movie/tasproj/TasStateManagerSettings.cs index 2ccd8ba8fa..a575f21e5d 100644 --- a/BizHawk.Client.Common/movie/tasproj/TasStateManagerSettings.cs +++ b/BizHawk.Client.Common/movie/tasproj/TasStateManagerSettings.cs @@ -13,6 +13,8 @@ namespace BizHawk.Client.Common DiskSaveCapacitymb = 512; Capacitymb = 512; DiskCapacitymb = 512; + BranchStatesInTasproj = false; + EraseBranchStatesFirst = true; } public TasStateManagerSettings(TasStateManagerSettings settings) @@ -20,6 +22,8 @@ namespace BizHawk.Client.Common DiskSaveCapacitymb = settings.DiskSaveCapacitymb; Capacitymb = settings.Capacitymb; DiskCapacitymb = settings.DiskCapacitymb; + BranchStatesInTasproj = settings.BranchStatesInTasproj; + EraseBranchStatesFirst = settings.EraseBranchStatesFirst; } /// @@ -50,6 +54,20 @@ namespace BizHawk.Client.Common [Description("The size limit of the state history buffer on the disk. When this limit is reached it will start removing previous savestates")] public int DiskCapacitymb { get; set; } + /// + /// Put branch states to .tasproj + /// + [DisplayName("Put branch states to .tasproj")] + [Description("Put branch states to .tasproj")] + public bool BranchStatesInTasproj { get; set; } + + /// + /// Erase branch states before greenzone states when capacity is met + /// + [DisplayName("Erase branch states first")] + [Description("Erase branch states before greenzone states when capacity is met")] + public bool EraseBranchStatesFirst { get; set; } + /// /// The total state capacity in bytes. /// @@ -77,6 +95,8 @@ namespace BizHawk.Client.Common sb.AppendLine(DiskSaveCapacitymb.ToString()); sb.AppendLine(Capacitymb.ToString()); sb.AppendLine(DiskCapacitymb.ToString()); + sb.AppendLine(BranchStatesInTasproj.ToString()); + sb.AppendLine(EraseBranchStatesFirst.ToString()); return sb.ToString(); } @@ -88,6 +108,7 @@ namespace BizHawk.Client.Common string[] lines = settings.Split(new string[] { Environment.NewLine }, StringSplitOptions.RemoveEmptyEntries); Capacitymb = int.Parse(lines[1]); int refCapacity; + if (!int.TryParse(lines[0], out refCapacity)) { if (bool.Parse(lines[0])) @@ -97,10 +118,21 @@ namespace BizHawk.Client.Common } else DiskSaveCapacitymb = refCapacity; + if (lines.Length > 2) DiskCapacitymb = int.Parse(lines[2]); else DiskCapacitymb = 512; + + if (lines.Length > 3) + BranchStatesInTasproj = bool.Parse(lines[3]); + else + BranchStatesInTasproj = false; + + if (lines.Length > 4) + EraseBranchStatesFirst = bool.Parse(lines[4]); + else + EraseBranchStatesFirst = true; } } } diff --git a/BizHawk.Client.Common/tools/CheatList.cs b/BizHawk.Client.Common/tools/CheatList.cs index 74f28a0c2b..ac029dddaf 100644 --- a/BizHawk.Client.Common/tools/CheatList.cs +++ b/BizHawk.Client.Common/tools/CheatList.cs @@ -164,6 +164,18 @@ namespace BizHawk.Client.Common Changes = true; } + public bool Exchange(Cheat oldCheat, Cheat newCheat) + { + int index = _cheatList.IndexOf(oldCheat); + if (index == -1) + return false; + + _cheatList[index] = newCheat; + Changes = true; + + return true; + } + public bool Remove(Cheat c) { var result = _cheatList.Remove(c); diff --git a/BizHawk.Client.DiscoHawk/DiscoHawk.cs b/BizHawk.Client.DiscoHawk/DiscoHawk.cs index cc90516dbc..682af2bfa2 100644 --- a/BizHawk.Client.DiscoHawk/DiscoHawk.cs +++ b/BizHawk.Client.DiscoHawk/DiscoHawk.cs @@ -366,7 +366,7 @@ namespace BizHawk.Client.DiscoHawk if (!item.Exists) sw.Write("(---missing---)"); else - sw.Write("({0:X2} - {1})", (byte)item.Control, item.LBATimestamp); + sw.Write("({0:X2} - {1})", (byte)item.Control, item.LBA); }; @@ -399,7 +399,7 @@ namespace BizHawk.Client.DiscoHawk { if (src_toc.TOCItems[t].Exists != dst_toc.TOCItems[t].Exists || src_toc.TOCItems[t].Control != dst_toc.TOCItems[t].Control - || src_toc.TOCItems[t].LBATimestamp.Sector != dst_toc.TOCItems[t].LBATimestamp.Sector + || src_toc.TOCItems[t].LBA != dst_toc.TOCItems[t].LBA ) { sw.WriteLine("Mismatch in TOCItem"); diff --git a/BizHawk.Client.DiscoHawk/MainDiscoForm.cs b/BizHawk.Client.DiscoHawk/MainDiscoForm.cs index be8a5648ff..f74b095c74 100644 --- a/BizHawk.Client.DiscoHawk/MainDiscoForm.cs +++ b/BizHawk.Client.DiscoHawk/MainDiscoForm.cs @@ -47,7 +47,15 @@ namespace BizHawk.Client.DiscoHawk this.Cursor = Cursors.WaitCursor; foreach (var file in files) { - var disc = Disc.LoadAutomagic(file); + var job = new DiscMountJob { IN_FromPath = file }; + job.Run(); + var disc = job.OUT_Disc; + if (job.OUT_ErrorLevel) + { + System.Windows.Forms.MessageBox.Show(job.OUT_Log, "Error loading disc"); + break; + } + string baseName = Path.GetFileNameWithoutExtension(file); baseName += "_hawked"; string outfile = Path.Combine(Path.GetDirectoryName(file), baseName) + ".ccd"; @@ -57,7 +65,7 @@ namespace BizHawk.Client.DiscoHawk } catch (Exception ex) { - MessageBox.Show(ex.ToString(), "oops! error"); + MessageBox.Show(ex.ToString(), "Error loading disc"); throw; } } diff --git a/BizHawk.Client.EmuHawk/AVOut/FFmpegWriter.cs b/BizHawk.Client.EmuHawk/AVOut/FFmpegWriter.cs index 0dbfc5cc1e..517f0c3265 100644 --- a/BizHawk.Client.EmuHawk/AVOut/FFmpegWriter.cs +++ b/BizHawk.Client.EmuHawk/AVOut/FFmpegWriter.cs @@ -82,7 +82,7 @@ namespace BizHawk.Client.EmuHawk { ffmpeg = new Process(); #if WINDOWS - ffmpeg.StartInfo.FileName = System.IO.Path.Combine(PathManager.GetBasePathAbsolute(), "dll", "ffmpeg.exe"); + ffmpeg.StartInfo.FileName = System.IO.Path.Combine(PathManager.GetDllDirectory(), "dll", "ffmpeg.exe"); #else ffmpeg.StartInfo.FileName = "ffmpeg"; // expecting native version to be in path #endif diff --git a/BizHawk.Client.EmuHawk/AboutBox.Designer.cs b/BizHawk.Client.EmuHawk/AboutBox.Designer.cs index 6ce6402235..702733471c 100644 --- a/BizHawk.Client.EmuHawk/AboutBox.Designer.cs +++ b/BizHawk.Client.EmuHawk/AboutBox.Designer.cs @@ -35,7 +35,6 @@ this.timer1 = new System.Windows.Forms.Timer(this.components); this.label3 = new System.Windows.Forms.Label(); this.label4 = new System.Windows.Forms.Label(); - this.HR = new BizHawk.Client.EmuHawk.HorizontalLine(); this.label5 = new System.Windows.Forms.Label(); this.mom2 = new System.Windows.Forms.PictureBox(); this.pictureBox2 = new System.Windows.Forms.PictureBox(); @@ -43,9 +42,14 @@ this.pictureBox4 = new System.Windows.Forms.PictureBox(); this.pictureBox3 = new System.Windows.Forms.PictureBox(); this.pictureBox1 = new System.Windows.Forms.PictureBox(); - this.pictureBox5 = new BizHawk.Client.EmuHawk.MyViewportPanel(); this.CloseBtn = new System.Windows.Forms.Button(); this.btnBizBox = new System.Windows.Forms.Button(); + this.tbBranch = new System.Windows.Forms.TextBox(); + this.tbCommit = new System.Windows.Forms.TextBox(); + this.label6 = new System.Windows.Forms.Label(); + this.label7 = new System.Windows.Forms.Label(); + this.pictureBox5 = new BizHawk.Client.EmuHawk.MyViewportPanel(); + this.HR = new BizHawk.Client.EmuHawk.HorizontalLine(); ((System.ComponentModel.ISupportInitialize)(this.mom2)).BeginInit(); ((System.ComponentModel.ISupportInitialize)(this.pictureBox2)).BeginInit(); ((System.ComponentModel.ISupportInitialize)(this.mom1)).BeginInit(); @@ -100,15 +104,6 @@ this.label4.TabIndex = 5; this.label4.Text = "(LEVAR BURTON\r\nCAMEO)"; // - // HR - // - this.HR.Font = new System.Drawing.Font("Microsoft Sans Serif", 26.25F, System.Drawing.FontStyle.Bold, System.Drawing.GraphicsUnit.Point, ((byte)(0))); - this.HR.Location = new System.Drawing.Point(349, 213); - this.HR.Name = "HR"; - this.HR.Size = new System.Drawing.Size(158, 2); - this.HR.TabIndex = 4; - this.HR.Text = "COPYRITE 2001"; - // // label5 // this.label5.AutoSize = true; @@ -178,17 +173,9 @@ this.pictureBox1.TabIndex = 0; this.pictureBox1.TabStop = false; // - // pictureBox5 - // - this.pictureBox5.Enabled = false; - this.pictureBox5.Location = new System.Drawing.Point(71, 223); - this.pictureBox5.Name = "pictureBox5"; - this.pictureBox5.Size = new System.Drawing.Size(376, 48); - this.pictureBox5.TabIndex = 15; - this.pictureBox5.TabStop = false; - // // CloseBtn // + this.CloseBtn.DialogResult = System.Windows.Forms.DialogResult.Cancel; this.CloseBtn.Location = new System.Drawing.Point(424, 462); this.CloseBtn.Name = "CloseBtn"; this.CloseBtn.Size = new System.Drawing.Size(75, 23); @@ -200,6 +187,7 @@ // // btnBizBox // + this.btnBizBox.DialogResult = System.Windows.Forms.DialogResult.Cancel; this.btnBizBox.Location = new System.Drawing.Point(-4, -3); this.btnBizBox.Name = "btnBizBox"; this.btnBizBox.Size = new System.Drawing.Size(75, 23); @@ -208,12 +196,69 @@ this.btnBizBox.UseVisualStyleBackColor = true; this.btnBizBox.Click += new System.EventHandler(this.btnBizBox_Click); // + // tbBranch + // + this.tbBranch.Location = new System.Drawing.Point(49, 476); + this.tbBranch.Name = "tbBranch"; + this.tbBranch.ReadOnly = true; + this.tbBranch.Size = new System.Drawing.Size(100, 20); + this.tbBranch.TabIndex = 20; + // + // tbCommit + // + this.tbCommit.Location = new System.Drawing.Point(203, 476); + this.tbCommit.Name = "tbCommit"; + this.tbCommit.ReadOnly = true; + this.tbCommit.Size = new System.Drawing.Size(100, 20); + this.tbCommit.TabIndex = 20; + // + // label6 + // + this.label6.AutoSize = true; + this.label6.Location = new System.Drawing.Point(2, 479); + this.label6.Name = "label6"; + this.label6.Size = new System.Drawing.Size(44, 13); + this.label6.TabIndex = 21; + this.label6.Text = "Branch:"; + // + // label7 + // + this.label7.AutoSize = true; + this.label7.Location = new System.Drawing.Point(155, 479); + this.label7.Name = "label7"; + this.label7.Size = new System.Drawing.Size(44, 13); + this.label7.TabIndex = 22; + this.label7.Text = "Commit:"; + // + // pictureBox5 + // + this.pictureBox5.Enabled = false; + this.pictureBox5.Location = new System.Drawing.Point(71, 223); + this.pictureBox5.Name = "pictureBox5"; + this.pictureBox5.Size = new System.Drawing.Size(376, 48); + this.pictureBox5.TabIndex = 15; + this.pictureBox5.TabStop = false; + // + // HR + // + this.HR.Font = new System.Drawing.Font("Microsoft Sans Serif", 26.25F, System.Drawing.FontStyle.Bold, System.Drawing.GraphicsUnit.Point, ((byte)(0))); + this.HR.Location = new System.Drawing.Point(349, 213); + this.HR.Name = "HR"; + this.HR.Size = new System.Drawing.Size(158, 2); + this.HR.TabIndex = 4; + this.HR.Text = "COPYRITE 2001"; + // // AboutBox // this.AcceptButton = this.CloseBtn; this.AutoScaleDimensions = new System.Drawing.SizeF(6F, 13F); this.AutoScaleMode = System.Windows.Forms.AutoScaleMode.Font; + this.CancelButton = this.CloseBtn; this.ClientSize = new System.Drawing.Size(519, 497); + this.Controls.Add(this.label7); + this.Controls.Add(this.label6); + this.Controls.Add(this.tbCommit); + this.Controls.Add(this.tbBranch); this.Controls.Add(this.btnBizBox); this.Controls.Add(this.CloseBtn); this.Controls.Add(this.pictureBox5); @@ -268,5 +313,9 @@ private System.Windows.Forms.PictureBox pictureBox1; private System.Windows.Forms.Button CloseBtn; private System.Windows.Forms.Button btnBizBox; + private System.Windows.Forms.TextBox tbBranch; + private System.Windows.Forms.TextBox tbCommit; + private System.Windows.Forms.Label label6; + private System.Windows.Forms.Label label7; } } \ No newline at end of file diff --git a/BizHawk.Client.EmuHawk/AboutBox.cs b/BizHawk.Client.EmuHawk/AboutBox.cs index 0aec2ff897..1c6b3be5de 100644 --- a/BizHawk.Client.EmuHawk/AboutBox.cs +++ b/BizHawk.Client.EmuHawk/AboutBox.cs @@ -37,6 +37,9 @@ namespace BizHawk.Client.EmuHawk pictureBox2.BringToFront(); pictureBox1.BringToFront(); pictureBox5.Visible = false; + + tbBranch.Text = SubWCRev.GIT_BRANCH; + tbCommit.Text = SubWCRev.GIT_SHORTHASH; } protected override void OnClosed(EventArgs e) @@ -160,9 +163,9 @@ namespace BizHawk.Client.EmuHawk private void AboutBox_Load(object sender, EventArgs e) { #if DEBUG - Text = "BizHawk Developer Build (DEBUG MODE) GIT " + SubWCRev.GIT_BRANCH + "-" + SubWCRev.SVN_REV + "#" + SubWCRev.GIT_SHORTHASH; + Text = "BizHawk Developer Build (DEBUG MODE) GIT " + SubWCRev.GIT_BRANCH + "#" + SubWCRev.GIT_SHORTHASH; #else - Text = "BizHawk Developer Build (RELEASE MODE) GIT " + SubWCRev.GIT_BRANCH + "-"+SubWCRev.SVN_REV + "#" + SubWCRev.GIT_SHORTHASH; + Text = "BizHawk Developer Build (RELEASE MODE) GIT " + SubWCRev.GIT_BRANCH + "#" + SubWCRev.GIT_SHORTHASH; #endif if (DateTime.Now.Month == 12) if (DateTime.Now.Day > 17 && DateTime.Now.Day <= 25) diff --git a/BizHawk.Client.EmuHawk/BizBox.Designer.cs b/BizHawk.Client.EmuHawk/BizBox.Designer.cs index 7484442a31..2cc054603d 100644 --- a/BizHawk.Client.EmuHawk/BizBox.Designer.cs +++ b/BizHawk.Client.EmuHawk/BizBox.Designer.cs @@ -36,7 +36,6 @@ this.label2 = new System.Windows.Forms.Label(); this.label3 = new System.Windows.Forms.Label(); this.label4 = new System.Windows.Forms.Label(); - this.VersionLabel = new System.Windows.Forms.Label(); this.label5 = new System.Windows.Forms.Label(); this.label6 = new System.Windows.Forms.Label(); this.label7 = new System.Windows.Forms.Label(); @@ -44,6 +43,9 @@ this.label37 = new System.Windows.Forms.Label(); this.CoreInfoPanel = new System.Windows.Forms.Panel(); this.textBox1 = new System.Windows.Forms.TextBox(); + this.VersionLabel = new System.Windows.Forms.Label(); + this.btnCopyHash = new System.Windows.Forms.Button(); + this.linkLabel2 = new System.Windows.Forms.LinkLabel(); ((System.ComponentModel.ISupportInitialize)(this.pictureBox1)).BeginInit(); this.SuspendLayout(); // @@ -119,14 +121,6 @@ this.label4.TabIndex = 6; this.label4.Text = "A multi-Platform Emulator"; // - // VersionLabel - // - this.VersionLabel.AutoSize = true; - this.VersionLabel.Location = new System.Drawing.Point(198, 52); - this.VersionLabel.Name = "VersionLabel"; - this.VersionLabel.Size = new System.Drawing.Size(0, 13); - this.VersionLabel.TabIndex = 7; - // // label5 // this.label5.AutoSize = true; @@ -196,6 +190,39 @@ this.textBox1.TabIndex = 16; this.textBox1.Text = "jabo_direct3d8_patched.dll is distributed with the special permission of the auth" + "or."; + // + // VersionLabel + // + this.VersionLabel.AutoSize = true; + this.VersionLabel.Location = new System.Drawing.Point(198, 52); + this.VersionLabel.Name = "VersionLabel"; + this.VersionLabel.Size = new System.Drawing.Size(0, 13); + this.VersionLabel.TabIndex = 7; + // + // btnCopyHash + // + this.btnCopyHash.Anchor = ((System.Windows.Forms.AnchorStyles)((System.Windows.Forms.AnchorStyles.Bottom | System.Windows.Forms.AnchorStyles.Left))); + this.btnCopyHash.AutoSize = true; + this.btnCopyHash.AutoSizeMode = System.Windows.Forms.AutoSizeMode.GrowAndShrink; + this.btnCopyHash.Image = global::BizHawk.Client.EmuHawk.Properties.Resources.Duplicate; + this.btnCopyHash.Location = new System.Drawing.Point(12, 505); + this.btnCopyHash.Name = "btnCopyHash"; + this.btnCopyHash.Size = new System.Drawing.Size(22, 22); + this.btnCopyHash.TabIndex = 18; + this.btnCopyHash.UseVisualStyleBackColor = true; + this.btnCopyHash.Click += new System.EventHandler(this.btnCopyHash_Click); + // + // linkLabel2 + // + this.linkLabel2.Anchor = ((System.Windows.Forms.AnchorStyles)((System.Windows.Forms.AnchorStyles.Bottom | System.Windows.Forms.AnchorStyles.Left))); + this.linkLabel2.AutoSize = true; + this.linkLabel2.Location = new System.Drawing.Point(40, 509); + this.linkLabel2.Name = "linkLabel2"; + this.linkLabel2.Size = new System.Drawing.Size(100, 13); + this.linkLabel2.TabIndex = 19; + this.linkLabel2.TabStop = true; + this.linkLabel2.Text = "Commit #XXXXXXX"; + this.linkLabel2.LinkClicked += new System.Windows.Forms.LinkLabelLinkClickedEventHandler(this.linkLabel2_LinkClicked); // // BizBox // @@ -204,6 +231,8 @@ this.AutoScaleMode = System.Windows.Forms.AutoScaleMode.Font; this.CancelButton = this.OK; this.ClientSize = new System.Drawing.Size(448, 536); + this.Controls.Add(this.linkLabel2); + this.Controls.Add(this.btnCopyHash); this.Controls.Add(this.textBox1); this.Controls.Add(this.CoreInfoPanel); this.Controls.Add(this.label37); @@ -240,7 +269,6 @@ private System.Windows.Forms.Label label2; private System.Windows.Forms.Label label3; private System.Windows.Forms.Label label4; - private System.Windows.Forms.Label VersionLabel; private System.Windows.Forms.Label label5; private System.Windows.Forms.Label label6; private System.Windows.Forms.Label label7; @@ -248,5 +276,8 @@ private System.Windows.Forms.Label label37; private System.Windows.Forms.Panel CoreInfoPanel; private System.Windows.Forms.TextBox textBox1; + private System.Windows.Forms.Label VersionLabel; + private System.Windows.Forms.Button btnCopyHash; + private System.Windows.Forms.LinkLabel linkLabel2; } } \ No newline at end of file diff --git a/BizHawk.Client.EmuHawk/BizBox.cs b/BizHawk.Client.EmuHawk/BizBox.cs index cbef7d3edc..d32b3a65ed 100644 --- a/BizHawk.Client.EmuHawk/BizBox.cs +++ b/BizHawk.Client.EmuHawk/BizBox.cs @@ -28,11 +28,11 @@ namespace BizHawk.Client.EmuHawk { if (VersionInfo.DeveloperBuild) { - Text = " BizHawk (GIT " + SubWCRev.GIT_BRANCH + "-" + SubWCRev.SVN_REV + "#" + SubWCRev.GIT_SHORTHASH + ")"; + Text = " BizHawk (GIT " + SubWCRev.GIT_BRANCH + "#" + SubWCRev.GIT_SHORTHASH + ")"; } else { - Text = "Version " + VersionInfo.MAINVERSION + " (GIT " + SubWCRev.GIT_BRANCH + "-" + SubWCRev.SVN_REV + "#" + SubWCRev.GIT_SHORTHASH + ")"; + Text = "Version " + VersionInfo.MAINVERSION + " (GIT " + SubWCRev.GIT_BRANCH + "#" + SubWCRev.GIT_SHORTHASH + ")"; } VersionLabel.Text = "Version " + VersionInfo.MAINVERSION + " " + VersionInfo.RELEASEDATE; @@ -55,6 +55,18 @@ namespace BizHawk.Client.EmuHawk }); } + + linkLabel2.Text = "Commit # " + SubWCRev.GIT_SHORTHASH; + } + + private void linkLabel2_LinkClicked(object sender, LinkLabelLinkClickedEventArgs e) + { + System.Diagnostics.Process.Start("https://github.com/TASVideos/BizHawk/commit/" + SubWCRev.GIT_SHORTHASH); + } + + private void btnCopyHash_Click(object sender, EventArgs e) + { + System.Windows.Forms.Clipboard.SetText(SubWCRev.GIT_SHORTHASH); } } } diff --git a/BizHawk.Client.EmuHawk/BizHawk.Client.EmuHawk.csproj b/BizHawk.Client.EmuHawk/BizHawk.Client.EmuHawk.csproj index 4d845b273f..93ec4b80a4 100644 --- a/BizHawk.Client.EmuHawk/BizHawk.Client.EmuHawk.csproj +++ b/BizHawk.Client.EmuHawk/BizHawk.Client.EmuHawk.csproj @@ -131,7 +131,6 @@ - @@ -413,11 +412,11 @@ ProfileConfig.cs - + Form - - PSXControllerConfig.cs + + PSXControllerConfigNew.cs Form @@ -477,6 +476,13 @@ Form + + Component + + + InputRoll.cs + Component + Component @@ -542,6 +548,7 @@ + @@ -640,6 +647,18 @@ AutoHawk.cs + + Form + + + BasicBot.cs + + + UserControl + + + BotControlsRow.cs + Form @@ -961,15 +980,18 @@ HeaderEditor.cs - - Component - Form PatternsForm.cs + + UserControl + + + ScreenshotPopupControl.cs + TAStudio.cs Form @@ -1244,8 +1266,8 @@ ProfileConfig.cs - - PSXControllerConfig.cs + + PSXControllerConfigNew.cs PSXHashDiscs.cs @@ -1308,6 +1330,12 @@ AutoHawk.cs + + BasicBot.cs + + + BotControlsRow.cs + BatchRun.cs @@ -1450,6 +1478,9 @@ PlaybackBox.cs + + ScreenshotPopupControl.cs + TAStudio.cs @@ -1622,6 +1653,12 @@ + + + + + + @@ -1795,9 +1832,6 @@ - - - @@ -1811,7 +1845,6 @@ - @@ -1928,6 +1961,7 @@ + diff --git a/BizHawk.Client.EmuHawk/CustomControls/InputRoll.Drawing.cs b/BizHawk.Client.EmuHawk/CustomControls/InputRoll.Drawing.cs new file mode 100644 index 0000000000..33d516956a --- /dev/null +++ b/BizHawk.Client.EmuHawk/CustomControls/InputRoll.Drawing.cs @@ -0,0 +1,624 @@ +using System; +using System.Collections.Generic; +using System.Drawing; +using System.Linq; +using System.Windows.Forms; + +namespace BizHawk.Client.EmuHawk +{ + public partial class InputRoll + { + protected override void OnPaint(PaintEventArgs e) + { + using (var LCK = Gdi.LockGraphics(e.Graphics)) + { + Gdi.StartOffScreenBitmap(Width, Height); + + // White Background + Gdi.SetBrush(Color.White); + Gdi.SetSolidPen(Color.White); + Gdi.FillRectangle(0, 0, Width, Height); + + // Lag frame calculations + SetLagFramesArray(); + + var visibleColumns = _columns.VisibleColumns.ToList(); + + if (visibleColumns.Any()) + { + + DrawColumnBg(e, visibleColumns); + DrawColumnText(e, visibleColumns); + } + + //Background + DrawBg(e, visibleColumns); + + //Foreground + DrawData(e, visibleColumns); + + DrawColumnDrag(e); + DrawCellDrag(e); + + Gdi.CopyToScreen(); + Gdi.EndOffScreenBitmap(); + } + } + + protected override void OnPaintBackground(PaintEventArgs pevent) + { + // Do nothing, and this should never be called + } + + private void DrawColumnDrag(PaintEventArgs e) + { + if (_columnDown != null && _currentX.HasValue && _currentY.HasValue && IsHoveringOnColumnCell) + { + int x1 = _currentX.Value - (_columnDown.Width.Value / 2); + int y1 = _currentY.Value - (CellHeight / 2); + int x2 = x1 + _columnDown.Width.Value; + int y2 = y1 + CellHeight; + + Gdi.SetSolidPen(_backColor); + Gdi.DrawRectangle(x1, y1, x2, y2); + Gdi.PrepDrawString(NormalFont, _foreColor); + Gdi.DrawString(_columnDown.Text, new Point(x1 + CellWidthPadding, y1 + CellHeightPadding)); + } + } + + private void DrawCellDrag(PaintEventArgs e) + { + if (DraggingCell != null) + { + var text = ""; + int offsetX = 0; + int offsetY = 0; + if (QueryItemText != null) + { + QueryItemText(DraggingCell.RowIndex.Value, DraggingCell.Column, out text, ref offsetX, ref offsetY); + } + + Color bgColor = _backColor; + if (QueryItemBkColor != null) + { + QueryItemBkColor(DraggingCell.RowIndex.Value, DraggingCell.Column, ref bgColor); + } + + int x1 = _currentX.Value - (DraggingCell.Column.Width.Value / 2); + int y1 = _currentY.Value - (CellHeight / 2); + int x2 = x1 + DraggingCell.Column.Width.Value; + int y2 = y1 + CellHeight; + + + Gdi.SetBrush(bgColor); + Gdi.FillRectangle(x1, y1, x2 - x1, y2 - y1); + Gdi.PrepDrawString(NormalFont, _foreColor); + Gdi.DrawString(text, new Point(x1 + CellWidthPadding + offsetX, y1 + CellHeightPadding + offsetY)); + } + } + + private void DrawColumnText(PaintEventArgs e, List visibleColumns) + { + if (HorizontalOrientation) + { + int start = -VBar.Value; + + Gdi.PrepDrawString(RotatedFont, _foreColor); + + foreach (var column in visibleColumns) + { + var point = new Point(CellWidthPadding, start + CellHeightPadding); + + if (IsHoveringOnColumnCell && column == CurrentCell.Column) + { + Gdi.PrepDrawString(NormalFont, SystemColors.HighlightText); + Gdi.DrawString(column.Text, point); + Gdi.PrepDrawString(NormalFont, _foreColor); + } + else + { + Gdi.DrawString(column.Text, point); + } + + start += CellHeight; + } + } + else + { + //zeromus test + //Gdi.PrepDrawString(NormalFont, _foreColor); + Gdi.PrepDrawString(RotatedFont, _foreColor); + + foreach (var column in visibleColumns) + { + var point = new Point(column.Left.Value + 2 * CellWidthPadding - HBar.Value, CellHeightPadding); // TODO: fix this CellPadding issue (2 * CellPadding vs just CellPadding) + + if (IsHoveringOnColumnCell && column == CurrentCell.Column) + { + //zeromus test + //Gdi.PrepDrawString(NormalFont, SystemColors.HighlightText); + Gdi.PrepDrawString(RotatedFont, SystemColors.HighlightText); + Gdi.DrawString(column.Text, point); + //zeromus test + //Gdi.PrepDrawString(NormalFont, _foreColor); + Gdi.PrepDrawString(RotatedFont, _foreColor); + } + else + { + Gdi.DrawString(column.Text, point); + } + } + } + } + + private void DrawData(PaintEventArgs e, List visibleColumns) + { + if (QueryItemText != null) + { + if (HorizontalOrientation) + { + int startRow = FirstVisibleRow; + int range = Math.Min(LastVisibleRow, RowCount - 1) - startRow + 1; + + Gdi.PrepDrawString(NormalFont, _foreColor); + for (int i = 0, f = 0; f < range; i++, f++) + { + f += lagFrames[i]; + int LastVisible = LastVisibleColumnIndex; + for (int j = FirstVisibleColumn; j <= LastVisible; j++) + { + Bitmap image = null; + int x = 0; + int y = 0; + int bitmapOffsetX = 0; + int bitmapOffsetY = 0; + + if (QueryItemIcon != null) + { + QueryItemIcon(f + startRow, visibleColumns[j], ref image, ref bitmapOffsetX, ref bitmapOffsetY); + } + + if (image != null) + { + x = RowsToPixels(i) + CellWidthPadding + bitmapOffsetX; + y = (j * CellHeight) + (CellHeightPadding * 2) + bitmapOffsetY; + Gdi.DrawBitmap(image, new Point(x, y), true); + } + + string text; + int strOffsetX = 0; + int strOffsetY = 0; + QueryItemText(f + startRow, visibleColumns[j], out text, ref strOffsetX, ref strOffsetY); + + // Center Text + x = RowsToPixels(i) + (CellWidth - text.Length * _charSize.Width) / 2; + y = (j * CellHeight) + CellHeightPadding - VBar.Value; + var point = new Point(x + strOffsetX, y + strOffsetY); + + var rePrep = false; + if (SelectedItems.Contains(new Cell { Column = visibleColumns[j], RowIndex = i + startRow })) + { + Gdi.PrepDrawString(NormalFont, SystemColors.HighlightText); + rePrep = true; + } + + + if (!string.IsNullOrWhiteSpace(text)) + { + Gdi.DrawString(text, point); + } + + if (rePrep) + { + Gdi.PrepDrawString(NormalFont, _foreColor); + } + } + } + } + else + { + int startRow = FirstVisibleRow; + int range = Math.Min(LastVisibleRow, RowCount - 1) - startRow + 1; + + Gdi.PrepDrawString(NormalFont, _foreColor); + int xPadding = CellWidthPadding + 1 - HBar.Value; + for (int i = 0, f = 0; f < range; i++, f++) // Vertical + { + f += lagFrames[i]; + int LastVisible = LastVisibleColumnIndex; + for (int j = FirstVisibleColumn; j <= LastVisible; j++) // Horizontal + { + RollColumn col = visibleColumns[j]; + + string text; + int strOffsetX = 0; + int strOffsetY = 0; + Point point = new Point(col.Left.Value + xPadding, RowsToPixels(i) + CellHeightPadding); + + Bitmap image = null; + int bitmapOffsetX = 0; + int bitmapOffsetY = 0; + + if (QueryItemIcon != null) + { + QueryItemIcon(f + startRow, visibleColumns[j], ref image, ref bitmapOffsetX, ref bitmapOffsetY); + } + + if (image != null) + { + Gdi.DrawBitmap(image, new Point(point.X + bitmapOffsetX, point.Y + bitmapOffsetY + CellHeightPadding), true); + } + + QueryItemText(f + startRow, visibleColumns[j], out text, ref strOffsetX, ref strOffsetY); + + bool rePrep = false; + if (SelectedItems.Contains(new Cell { Column = visibleColumns[j], RowIndex = f + startRow })) + { + Gdi.PrepDrawString(NormalFont, SystemColors.HighlightText); + rePrep = true; + } + + if (!string.IsNullOrWhiteSpace(text)) + { + Gdi.DrawString(text, new Point(point.X + strOffsetX, point.Y + strOffsetY)); + } + + if (rePrep) + { + Gdi.PrepDrawString(NormalFont, _foreColor); + } + } + } + } + } + } + + private void DrawColumnBg(PaintEventArgs e, List visibleColumns) + { + Gdi.SetBrush(SystemColors.ControlLight); + Gdi.SetSolidPen(Color.Black); + + if (HorizontalOrientation) + { + Gdi.FillRectangle(0, 0, ColumnWidth + 1, DrawHeight + 1); + Gdi.Line(0, 0, 0, visibleColumns.Count * CellHeight + 1); + Gdi.Line(ColumnWidth, 0, ColumnWidth, visibleColumns.Count * CellHeight + 1); + + int start = -VBar.Value; + foreach (var column in visibleColumns) + { + Gdi.Line(1, start, ColumnWidth, start); + start += CellHeight; + } + + if (visibleColumns.Any()) + { + Gdi.Line(1, start, ColumnWidth, start); + } + } + else + { + int bottomEdge = RowsToPixels(0); + + // Gray column box and black line underneath + Gdi.FillRectangle(0, 0, Width + 1, bottomEdge + 1); + Gdi.Line(0, 0, TotalColWidth.Value + 1, 0); + Gdi.Line(0, bottomEdge, TotalColWidth.Value + 1, bottomEdge); + + // Vertical black seperators + for (int i = 0; i < visibleColumns.Count; i++) + { + int pos = visibleColumns[i].Left.Value - HBar.Value; + Gdi.Line(pos, 0, pos, bottomEdge); + } + + // Draw right most line + if (visibleColumns.Any()) + { + int right = TotalColWidth.Value - HBar.Value; + Gdi.Line(right, 0, right, bottomEdge); + } + } + + // Emphasis + foreach (var column in visibleColumns.Where(c => c.Emphasis)) + { + Gdi.SetBrush(SystemColors.ActiveBorder); + if (HorizontalOrientation) + { + Gdi.FillRectangle(1, visibleColumns.IndexOf(column) * CellHeight + 1, ColumnWidth - 1, ColumnHeight - 1); + } + else + { + Gdi.FillRectangle(column.Left.Value + 1 - HBar.Value, 1, column.Width.Value - 1, ColumnHeight - 1); + } + } + + // If the user is hovering over a column + if (IsHoveringOnColumnCell) + { + if (HorizontalOrientation) + { + for (int i = 0; i < visibleColumns.Count; i++) + { + if (visibleColumns[i] != CurrentCell.Column) + { + continue; + } + + if (CurrentCell.Column.Emphasis) + { + Gdi.SetBrush(Add(SystemColors.Highlight, 0x00222222)); + } + else + { + Gdi.SetBrush(SystemColors.Highlight); + } + + Gdi.FillRectangle(1, i * CellHeight + 1, ColumnWidth - 1, ColumnHeight - 1); + } + } + else + { + //TODO multiple selected columns + for (int i = 0; i < visibleColumns.Count; i++) + { + if (visibleColumns[i] == CurrentCell.Column) + { + //Left of column is to the right of the viewable area or right of column is to the left of the viewable area + if (visibleColumns[i].Left.Value - HBar.Value > Width || visibleColumns[i].Right.Value - HBar.Value < 0) + { + continue; + } + int left = visibleColumns[i].Left.Value - HBar.Value; + int width = visibleColumns[i].Right.Value - HBar.Value - left; + + if (CurrentCell.Column.Emphasis) + { + Gdi.SetBrush(Add(SystemColors.Highlight, 0x00550000)); + } + else + { + Gdi.SetBrush(SystemColors.Highlight); + } + + Gdi.FillRectangle(left + 1, 1, width - 1, ColumnHeight - 1); + } + } + } + } + } + + // TODO refactor this and DoBackGroundCallback functions. + /// + /// Draw Gridlines and background colors using QueryItemBkColor. + /// + /// + private void DrawBg(PaintEventArgs e, List visibleColumns) + { + if (UseCustomBackground && QueryItemBkColor != null) + { + DoBackGroundCallback(e, visibleColumns); + } + + if (GridLines) + { + Gdi.SetSolidPen(SystemColors.ControlLight); + if (HorizontalOrientation) + { + // Columns + for (int i = 1; i < VisibleRows + 1; i++) + { + int x = RowsToPixels(i); + Gdi.Line(x, 1, x, DrawHeight); + } + + // Rows + for (int i = 0; i < visibleColumns.Count + 1; i++) + { + Gdi.Line(RowsToPixels(0) + 1, i * CellHeight - VBar.Value, DrawWidth, i * CellHeight - VBar.Value); + } + } + else + { + // Columns + int y = ColumnHeight + 1; + int? totalColWidth = TotalColWidth; + foreach (var column in visibleColumns) + { + int x = column.Left.Value - HBar.Value; + Gdi.Line(x, y, x, Height - 1); + } + + if (visibleColumns.Any()) + { + Gdi.Line(totalColWidth.Value - HBar.Value, y, totalColWidth.Value - HBar.Value, Height - 1); + } + + // Rows + for (int i = 1; i < VisibleRows + 1; i++) + { + Gdi.Line(0, RowsToPixels(i), Width + 1, RowsToPixels(i)); + } + } + } + + if (SelectedItems.Any()) + { + DoSelectionBG(e, visibleColumns); + } + } + + private void DoSelectionBG(PaintEventArgs e, List visibleColumns) + { + // SuuperW: This allows user to see other colors in selected frames. + Color rowColor = Color.White; + int _lastVisibleRow = LastVisibleRow; + int lastRow = -1; + foreach (Cell cell in SelectedItems) + { + if (cell.RowIndex > _lastVisibleRow || cell.RowIndex < FirstVisibleRow) + continue; + + Cell relativeCell = new Cell + { + RowIndex = cell.RowIndex - FirstVisibleRow, + Column = cell.Column, + }; + relativeCell.RowIndex -= CountLagFramesAbsolute(relativeCell.RowIndex.Value); + + if (QueryRowBkColor != null && lastRow != cell.RowIndex.Value) + { + QueryRowBkColor(cell.RowIndex.Value, ref rowColor); + lastRow = cell.RowIndex.Value; + } + + Color cellColor = rowColor; + QueryItemBkColor(cell.RowIndex.Value, cell.Column, ref cellColor); + // Alpha layering for cell before selection + float alpha = (float)cellColor.A / 255; + if (cellColor.A != 255 && cellColor.A != 0) + { + cellColor = Color.FromArgb(rowColor.R - (int)((rowColor.R - cellColor.R) * alpha), + rowColor.G - (int)((rowColor.G - cellColor.G) * alpha), + rowColor.B - (int)((rowColor.B - cellColor.B) * alpha)); + } + // Alpha layering for selection + alpha = 0.33f; + cellColor = Color.FromArgb(cellColor.R - (int)((cellColor.R - SystemColors.Highlight.R) * alpha), + cellColor.G - (int)((cellColor.G - SystemColors.Highlight.G) * alpha), + cellColor.B - (int)((cellColor.B - SystemColors.Highlight.B) * alpha)); + DrawCellBG(cellColor, relativeCell, visibleColumns); + } + } + + /// + /// Given a cell with rowindex inbetween 0 and VisibleRows, it draws the background color specified. Do not call with absolute rowindices. + /// + private void DrawCellBG(Color color, Cell cell, List visibleColumns) + { + int x, y, w, h; + + if (HorizontalOrientation) + { + x = RowsToPixels(cell.RowIndex.Value) + 1; + w = CellWidth - 1; + y = (CellHeight * visibleColumns.IndexOf(cell.Column)) + 1 - VBar.Value; // We can't draw without row and column, so assume they exist and fail catastrophically if they don't + h = CellHeight - 1; + if (x < ColumnWidth) { return; } + } + else + { + w = cell.Column.Width.Value - 1; + x = cell.Column.Left.Value - HBar.Value + 1; + y = RowsToPixels(cell.RowIndex.Value) + 1; // We can't draw without row and column, so assume they exist and fail catastrophically if they don't + h = CellHeight - 1; + if (y < ColumnHeight) + { + return; + } + } + + if (x > DrawWidth || y > DrawHeight) + { + return; + } // Don't draw if off screen. + + Gdi.SetBrush(color); + Gdi.FillRectangle(x, y, w, h); + } + + /// + /// Calls QueryItemBkColor callback for all visible cells and fills in the background of those cells. + /// + /// + private void DoBackGroundCallback(PaintEventArgs e, List visibleColumns) + { + int startIndex = FirstVisibleRow; + int range = Math.Min(LastVisibleRow, RowCount - 1) - startIndex + 1; + int lastVisible = LastVisibleColumnIndex; + int firstVisibleColumn = FirstVisibleColumn; + if (HorizontalOrientation) + { + for (int i = 0, f = 0; f < range; i++, f++) + { + f += lagFrames[i]; + + Color rowColor = Color.White; + if (QueryRowBkColor != null) + { + QueryRowBkColor(f + startIndex, ref rowColor); + } + + for (int j = firstVisibleColumn; j <= lastVisible; j++) + { + Color itemColor = Color.White; + QueryItemBkColor(f + startIndex, visibleColumns[j], ref itemColor); + if (itemColor == Color.White) + { + itemColor = rowColor; + } + + else if (itemColor.A != 255 && itemColor.A != 0) + { + float alpha = (float)itemColor.A / 255; + itemColor = Color.FromArgb(rowColor.R - (int)((rowColor.R - itemColor.R) * alpha), + rowColor.G - (int)((rowColor.G - itemColor.G) * alpha), + rowColor.B - (int)((rowColor.B - itemColor.B) * alpha)); + } + + if (itemColor != Color.White) // An easy optimization, don't draw unless the user specified something other than the default + { + var cell = new Cell + { + Column = visibleColumns[j], + RowIndex = i + }; + DrawCellBG(itemColor, cell, visibleColumns); + } + } + } + } + else + { + for (int i = 0, f = 0; f < range; i++, f++) // Vertical + { + f += lagFrames[i]; + + Color rowColor = Color.White; + if (QueryRowBkColor != null) + { + QueryRowBkColor(f + startIndex, ref rowColor); + } + + for (int j = FirstVisibleColumn; j <= lastVisible; j++) // Horizontal + { + Color itemColor = Color.White; + QueryItemBkColor(f + startIndex, visibleColumns[j], ref itemColor); + if (itemColor == Color.White) + { + itemColor = rowColor; + } + else if (itemColor.A != 255 && itemColor.A != 0) + { + float alpha = (float)itemColor.A / 255; + itemColor = Color.FromArgb(rowColor.R - (int)((rowColor.R - itemColor.R) * alpha), + rowColor.G - (int)((rowColor.G - itemColor.G) * alpha), + rowColor.B - (int)((rowColor.B - itemColor.B) * alpha)); + } + + if (itemColor != Color.White) // An easy optimization, don't draw unless the user specified something other than the default + { + var cell = new Cell + { + Column = visibleColumns[j], + RowIndex = i + }; + DrawCellBG(itemColor, cell, visibleColumns); + } + } + } + } + } + } +} diff --git a/BizHawk.Client.EmuHawk/tools/TAStudio/InputRoll.cs b/BizHawk.Client.EmuHawk/CustomControls/InputRoll.cs similarity index 69% rename from BizHawk.Client.EmuHawk/tools/TAStudio/InputRoll.cs rename to BizHawk.Client.EmuHawk/CustomControls/InputRoll.cs index 9d38e2d7c1..391d5ab273 100644 --- a/BizHawk.Client.EmuHawk/tools/TAStudio/InputRoll.cs +++ b/BizHawk.Client.EmuHawk/CustomControls/InputRoll.cs @@ -1,6 +1,4 @@ -//TODO - do not constantly reference this.ForeColor and this.NormalFont. it should be a waste of time. Cache them (and be sure to respond to system messages when the user settings change) - -using System; +using System; using System.Collections.Generic; using System.ComponentModel; using System.Drawing; @@ -15,10 +13,10 @@ namespace BizHawk.Client.EmuHawk //Row width depends on font size and padding //Column width is specified in column headers //Row width is specified for horizontal orientation - public class InputRoll : Control + public partial class InputRoll : Control { private readonly GDIRenderer Gdi; - private readonly List SelectedItems = new List(); + private readonly SortedSet SelectedItems = new SortedSet(new sortCell()); private readonly VScrollBar VBar; private readonly HScrollBar HBar; @@ -41,8 +39,15 @@ namespace BizHawk.Client.EmuHawk public bool HideWasLagFrames { get; set; } private byte[] lagFrames = new byte[100]; // Large enough value that it shouldn't ever need resizing. + public bool denoteStatesWithIcons { get; set; } + public bool denoteStatesWithBGColor { get; set; } + public bool denoteMarkersWithIcons { get; set; } + public bool denoteMarkersWithBGColor { get; set; } + private IntPtr RotatedFont; - private Font NormalFont; + private readonly Font NormalFont; + private Color _foreColor; + private Color _backColor; public InputRoll() { @@ -70,7 +75,7 @@ namespace BizHawk.Client.EmuHawk using (var g = CreateGraphics()) using (var LCK = Gdi.LockGraphics(g)) { - _charSize = Gdi.MeasureString("A", this.NormalFont); // TODO make this a property so changing it updates other values. + _charSize = Gdi.MeasureString("A", NormalFont); // TODO make this a property so changing it updates other values. } UpdateCellSize(); @@ -93,8 +98,8 @@ namespace BizHawk.Client.EmuHawk LargeChange = 20 }; - this.Controls.Add(VBar); - this.Controls.Add(HBar); + Controls.Add(VBar); + Controls.Add(HBar); VBar.ValueChanged += VerticalBar_ValueChanged; HBar.ValueChanged += HorizontalBar_ValueChanged; @@ -102,18 +107,37 @@ namespace BizHawk.Client.EmuHawk HorizontalOrientation = false; RecalculateScrollBars(); _columns.ChangedCallback = ColumnChangedCallback; + + _hoverTimer.Interval = 750; + _hoverTimer.Tick += HoverTimerEventProcessor; + _hoverTimer.Stop(); + + _foreColor = ForeColor; + _backColor = BackColor; + } + + private void HoverTimerEventProcessor(object sender, EventArgs e) + { + _hoverTimer.Stop(); + + if (CellHovered != null) + { + CellHovered(this, new CellEventArgs(LastCell, CurrentCell)); + } } protected override void Dispose(bool disposing) { Gdi.Dispose(); - this.NormalFont.Dispose(); + NormalFont.Dispose(); GDIRenderer.DestroyHFont(RotatedFont); base.Dispose(disposing); } + private Timer _hoverTimer = new Timer(); + #region Properties /// @@ -151,12 +175,38 @@ namespace BizHawk.Client.EmuHawk { if (_horizontalOrientation != value) { + int temp = ScrollSpeed; _horizontalOrientation = value; OrientationChanged(); + HBar.SmallChange = CellWidth; + VBar.SmallChange = CellHeight; + ScrollSpeed = temp; } } } + /// + /// Gets or sets the scrolling speed + /// + [Category("Behavior")] + public int ScrollSpeed + { + get + { + if (HorizontalOrientation) + return HBar.SmallChange / CellWidth; + else + return VBar.SmallChange / CellHeight; + } + set + { + if (HorizontalOrientation) + HBar.SmallChange = value * CellWidth; + else + VBar.SmallChange = value * CellHeight; + } + } + /// /// Gets or sets the sets the virtual number of rows to be displayed. Does not include the column header row. /// @@ -221,6 +271,9 @@ namespace BizHawk.Client.EmuHawk [Category("Behavior")] public string ScrollMethod { get; set; } + /// + /// Gets or sets how the Intever for the hover event + /// [Category("Behavior")] public bool AlwaysScroll { get; set; } @@ -229,9 +282,18 @@ namespace BizHawk.Client.EmuHawk /// /// [Browsable(false)] - [DesignerSerializationVisibilityAttribute(DesignerSerializationVisibility.Hidden)] + [DesignerSerializationVisibility(DesignerSerializationVisibility.Hidden)] public RollColumns AllColumns { get { return _columns; } } + + [DefaultValue(750)] + [Category("Behavior")] + public int HoverInterval + { + get { return _hoverTimer.Interval; } + set { _hoverTimer.Interval = value; } + } + #endregion #region Event Handlers @@ -268,6 +330,12 @@ namespace BizHawk.Client.EmuHawk [Category("Mouse")] public event CellChangeEventHandler PointedCellChanged; + /// + /// Fires when a cell is hovered on + /// + [Category("Mouse")] + public event HoverEventHandler CellHovered; + /// /// Occurs when a column header is clicked /// @@ -304,10 +372,14 @@ namespace BizHawk.Client.EmuHawk [Description("Occurs when the scroll value of the columns (in vertical orientation this is the horizontal scroll bar change, and in horizontal it is the vertical scroll bar)")] public event ColumnScrollEvent ColumnScroll; + [Category("Action")] + [Description("Occurs when a cell is dragged and then dropped into a new cell, old cell is the cell that was being dragged, new cell is its new destination")] + public event CellDroppedEvent CellDropped; + /// /// Retrieve the text for a cell /// - public delegate void QueryItemTextHandler(int index, RollColumn column, out string text); + public delegate void QueryItemTextHandler(int index, RollColumn column, out string text, ref int offsetX, ref int offsetY); /// /// Retrieve the background color for a cell @@ -318,7 +390,7 @@ namespace BizHawk.Client.EmuHawk /// /// Retrive the image for a given cell /// - public delegate void QueryItemIconHandler(int index, RollColumn column, ref Bitmap icon); + public delegate void QueryItemIconHandler(int index, RollColumn column, ref Bitmap icon, ref int offsetX, ref int offsetY); /// /// SuuperW: Check if a given frame is a lag frame @@ -327,6 +399,8 @@ namespace BizHawk.Client.EmuHawk public delegate void CellChangeEventHandler(object sender, CellEventArgs e); + public delegate void HoverEventHandler(object sender, CellEventArgs e); + public delegate void RightMouseScrollEventHandler(object sender, MouseEventArgs e); public delegate void ColumnClickEventHandler(object sender, ColumnClickEventArgs e); @@ -337,6 +411,8 @@ namespace BizHawk.Client.EmuHawk public delegate void ColumnScrollEvent(object sender, EventArgs e); + public delegate void CellDroppedEvent(object sender, CellEventArgs e); + public class CellEventArgs { public CellEventArgs(Cell oldCell, Cell newCell) @@ -391,8 +467,8 @@ namespace BizHawk.Client.EmuHawk } else { - var items = SelectedItems.Where(cell => cell.RowIndex == index); - SelectedItems.RemoveAll(items.Contains); + IEnumerable items = SelectedItems.Where(cell => cell.RowIndex == index); + SelectedItems.RemoveWhere(items.Contains); } } } @@ -412,13 +488,14 @@ namespace BizHawk.Client.EmuHawk { SelectedItems.Clear(); } + public void TruncateSelection(int index) { - SelectedItems.RemoveAll(cell => cell.RowIndex > index); + SelectedItems.RemoveWhere(cell => cell.RowIndex > index); } [Browsable(false)] - [DesignerSerializationVisibilityAttribute(DesignerSerializationVisibility.Hidden)] + [DesignerSerializationVisibility(DesignerSerializationVisibility.Hidden)] public bool IsPointingAtColumnHeader { get @@ -428,16 +505,14 @@ namespace BizHawk.Client.EmuHawk } [Browsable(false)] - [DesignerSerializationVisibilityAttribute(DesignerSerializationVisibility.Hidden)] + [DesignerSerializationVisibility(DesignerSerializationVisibility.Hidden)] public int? FirstSelectedIndex { get { - if (SelectedRows.Any()) + if (AnyRowsSelected) { - return SelectedRows - .OrderBy(x => x) - .First(); + return SelectedRows.Min(); } return null; @@ -445,16 +520,14 @@ namespace BizHawk.Client.EmuHawk } [Browsable(false)] - [DesignerSerializationVisibilityAttribute(DesignerSerializationVisibility.Hidden)] + [DesignerSerializationVisibility(DesignerSerializationVisibility.Hidden)] public int? LastSelectedIndex { get { - if (SelectedRows.Any()) + if (AnyRowsSelected) { - return SelectedRows - .OrderBy(x => x) - .Last(); + return SelectedRows.Max(); } return null; @@ -465,9 +538,19 @@ namespace BizHawk.Client.EmuHawk /// The current Cell that the mouse was in. /// [Browsable(false)] - [DesignerSerializationVisibilityAttribute(DesignerSerializationVisibility.Hidden)] + [DesignerSerializationVisibility(DesignerSerializationVisibility.Hidden)] public Cell CurrentCell { get; set; } + [Browsable(false)] + [DesignerSerializationVisibility(DesignerSerializationVisibility.Hidden)] + public bool CurrentCellIsDataCell + { + get + { + return CurrentCell != null && CurrentCell.RowIndex.HasValue && CurrentCell.Column != null; + } + } + /// /// The previous Cell that the mouse was in. /// @@ -500,6 +583,7 @@ namespace BizHawk.Client.EmuHawk { return _maxCharactersInHorizontal; } + set { _maxCharactersInHorizontal = value; @@ -559,7 +643,7 @@ namespace BizHawk.Client.EmuHawk /// Gets or sets the first visible row index, if scrolling is needed /// [Browsable(false)] - [DesignerSerializationVisibilityAttribute(DesignerSerializationVisibility.Hidden)] + [DesignerSerializationVisibility(DesignerSerializationVisibility.Hidden)] public int FirstVisibleRow { get // SuuperW: This was checking if the scroll bars were needed, which is useless because their Value is 0 if they aren't needed. @@ -602,7 +686,7 @@ namespace BizHawk.Client.EmuHawk } [Browsable(false)] - [DesignerSerializationVisibilityAttribute(DesignerSerializationVisibility.Hidden)] + [DesignerSerializationVisibility(DesignerSerializationVisibility.Hidden)] private int LastFullyVisibleRow { get @@ -614,7 +698,7 @@ namespace BizHawk.Client.EmuHawk } } [Browsable(false)] - [DesignerSerializationVisibilityAttribute(DesignerSerializationVisibility.Hidden)] + [DesignerSerializationVisibility(DesignerSerializationVisibility.Hidden)] public int LastVisibleRow { get @@ -665,7 +749,7 @@ namespace BizHawk.Client.EmuHawk /// Gets the number of rows currently visible including partially visible rows. /// [Browsable(false)] - [DesignerSerializationVisibilityAttribute(DesignerSerializationVisibility.Hidden)] + [DesignerSerializationVisibility(DesignerSerializationVisibility.Hidden)] public int VisibleRows { get @@ -683,21 +767,25 @@ namespace BizHawk.Client.EmuHawk /// Gets the first visible column index, if scrolling is needed /// [Browsable(false)] - [DesignerSerializationVisibilityAttribute(DesignerSerializationVisibility.Hidden)] + [DesignerSerializationVisibility(DesignerSerializationVisibility.Hidden)] public int FirstVisibleColumn { get { - List columnList = VisibleColumns.ToList(); if (HorizontalOrientation) + { return VBar.Value / CellHeight; + } else + { + List columnList = VisibleColumns.ToList(); return columnList.FindIndex(c => c.Right > HBar.Value); + } } } [Browsable(false)] - [DesignerSerializationVisibilityAttribute(DesignerSerializationVisibility.Hidden)] + [DesignerSerializationVisibility(DesignerSerializationVisibility.Hidden)] public int LastVisibleColumnIndex { get @@ -717,14 +805,38 @@ namespace BizHawk.Client.EmuHawk } } + private Cell DraggingCell = null; + + public void DragCurrentCell() + { + DraggingCell = CurrentCell; + } + + public void ReleaseCurrentCell() + { + if (DraggingCell != null) + { + var draggedCell = DraggingCell; + DraggingCell = null; + + if (CurrentCell != draggedCell) + { + if (CellDropped != null) + { + CellDropped(this, new CellEventArgs(draggedCell, CurrentCell)); + } + } + } + } + + /// + /// Scrolls to the given index, according to the scroll settings. + /// public void ScrollToIndex(int index) { - if (ScrollMethod == "near" && !IsVisible(index)) + if (ScrollMethod == "near") { - if (FirstVisibleRow > index) - FirstVisibleRow = index; - else - LastVisibleRow = index; + MakeIndexVisible(index); } if (!IsVisible(index) || AlwaysScroll) { @@ -759,9 +871,22 @@ namespace BizHawk.Client.EmuHawk } } } + /// + /// Scrolls so that the given index is visible, if it isn't already; doesn't use scroll settings. + /// + public void MakeIndexVisible(int index) + { + if (!IsVisible(index)) + { + if (FirstVisibleRow > index) + FirstVisibleRow = index; + else + LastVisibleRow = index; + } + } [Browsable(false)] - [DesignerSerializationVisibilityAttribute(DesignerSerializationVisibility.Hidden)] + [DesignerSerializationVisibility(DesignerSerializationVisibility.Hidden)] public IEnumerable SelectedRows { get @@ -772,6 +897,18 @@ namespace BizHawk.Client.EmuHawk .Distinct(); } } + public bool AnyRowsSelected + { + get + { + return SelectedItems.Any(cell => cell.RowIndex.HasValue); + } + } + + public void ClearSelectedRows() + { + SelectedItems.Clear(); + } public IEnumerable GenerateContextMenuItems() { @@ -786,7 +923,7 @@ namespace BizHawk.Client.EmuHawk rotate.Click += (o, ev) => { - this.HorizontalOrientation ^= true; + HorizontalOrientation ^= true; }; yield return rotate; @@ -799,587 +936,29 @@ namespace BizHawk.Client.EmuHawk #endregion - #region Paint - - protected override void OnPaint(PaintEventArgs e) - { - using (var LCK = Gdi.LockGraphics(e.Graphics)) - { - Gdi.StartOffScreenBitmap(Width, Height); - - //White Background - Gdi.SetBrush(Color.White); - Gdi.SetSolidPen(Color.White); - Gdi.FillRectangle(0, 0, Width, Height); - - // Lag frame calculations - SetLagFramesArray(); - - if (_columns.VisibleColumns.Any()) - { - DrawColumnBg(e); - DrawColumnText(e); - } - - //Background - DrawBg(e); - - //Foreground - DrawData(e); - - DrawColumnDrag(e); - - Gdi.CopyToScreen(); - Gdi.EndOffScreenBitmap(); - } - } - - protected override void OnPaintBackground(PaintEventArgs pevent) - { - // Do nothing, and this should never be called - } - - private void DrawColumnDrag(PaintEventArgs e) - { - if (_columnDown != null && _currentX.HasValue && _currentY.HasValue && IsHoveringOnColumnCell) - { - int x1 = _currentX.Value - (_columnDown.Width.Value / 2); - int y1 = _currentY.Value - (CellHeight / 2); - int x2 = x1 + _columnDown.Width.Value; - int y2 = y1 + CellHeight; - - Gdi.SetSolidPen(this.BackColor); - Gdi.DrawRectangle(x1, y1, x2, y2); - Gdi.PrepDrawString(this.NormalFont, this.ForeColor); - Gdi.DrawString(_columnDown.Text, new Point(x1 + CellWidthPadding, y1 + CellHeightPadding)); - } - } - - private void DrawColumnText(PaintEventArgs e) - { - var columns = _columns.VisibleColumns.ToList(); - - if (HorizontalOrientation) - { - int start = -VBar.Value; - - Gdi.PrepDrawString(this.RotatedFont, this.ForeColor); - - foreach (var column in columns) - { - var point = new Point(CellWidthPadding, start + CellHeightPadding); - - if (IsHoveringOnColumnCell && column == CurrentCell.Column) - { - Gdi.PrepDrawString(this.NormalFont, SystemColors.HighlightText); - Gdi.DrawString(column.Text, point); - Gdi.PrepDrawString(this.NormalFont, this.ForeColor); - } - else - { - Gdi.DrawString(column.Text, point); - } - - start += CellHeight; - } - } - else - { - //zeromus test - //Gdi.PrepDrawString(this.NormalFont, this.ForeColor); - Gdi.PrepDrawString(this.RotatedFont, this.ForeColor); - - foreach (var column in columns) - { - var point = new Point(column.Left.Value + 2 * CellWidthPadding - HBar.Value, CellHeightPadding); // TODO: fix this CellPadding issue (2 * CellPadding vs just CellPadding) - - if (IsHoveringOnColumnCell && column == CurrentCell.Column) - { - //zeromus test - //Gdi.PrepDrawString(this.NormalFont, SystemColors.HighlightText); - Gdi.PrepDrawString(this.RotatedFont, SystemColors.HighlightText); - Gdi.DrawString(column.Text, point); - //zeromus test - //Gdi.PrepDrawString(this.NormalFont, this.ForeColor); - Gdi.PrepDrawString(this.RotatedFont, this.ForeColor); - } - else - { - Gdi.DrawString(column.Text, point); - } - } - } - } - - private void DrawData(PaintEventArgs e) - { - var columns = _columns.VisibleColumns.ToList(); - if (QueryItemText != null) - { - if (HorizontalOrientation) - { - int startRow = FirstVisibleRow; - int range = Math.Min(LastVisibleRow, RowCount - 1) - startRow + 1; - - Gdi.PrepDrawString(this.NormalFont, this.ForeColor); - for (int i = 0, f = 0; f < range; i++, f++) - { - f += lagFrames[i]; - int LastVisible = LastVisibleColumnIndex; - for (int j = FirstVisibleColumn; j <= LastVisible; j++) - { - Bitmap image = null; - int x = 0; - int y = 0; - - if (QueryItemIcon != null) - QueryItemIcon(f + startRow, columns[j], ref image); - - if (image != null) - { - x = RowsToPixels(i) + CellWidthPadding; - y = (j * CellHeight) + (CellHeightPadding * 2); - Gdi.DrawBitmap(image, new Point(x, y), true); - } - else - { - string text; - QueryItemText(f + startRow, columns[j], out text); - - // Center Text - x = RowsToPixels(i) + (CellWidth - text.Length * _charSize.Width) / 2; - y = (j * CellHeight) + CellHeightPadding - VBar.Value; - var point = new Point(x, y); - - var rePrep = false; - if (SelectedItems.Contains(new Cell { Column = columns[j], RowIndex = i + startRow })) - { - Gdi.PrepDrawString(this.NormalFont, SystemColors.HighlightText); - rePrep = true; - } - - - if (!string.IsNullOrWhiteSpace(text)) - { - Gdi.DrawString(text, point); - } - - if (rePrep) - { - Gdi.PrepDrawString(this.NormalFont, this.ForeColor); - } - } - } - } - } - else - { - int startRow = FirstVisibleRow; - int range = Math.Min(LastVisibleRow, RowCount - 1) - startRow + 1; - - Gdi.PrepDrawString(this.NormalFont, this.ForeColor); - int xPadding = CellWidthPadding + 1 - HBar.Value; - for (int i = 0, f = 0; f < range; i++, f++) // Vertical - { - f += lagFrames[i]; - int LastVisible = LastVisibleColumnIndex; - for (int j = FirstVisibleColumn; j <= LastVisible; j++) // Horizontal - { - RollColumn col = columns[j]; - - string text; - Point point = new Point(col.Left.Value + xPadding, RowsToPixels(i) + CellHeightPadding); - - Bitmap image = null; - if (QueryItemIcon != null) - { - QueryItemIcon(f + startRow, columns[j], ref image); - } - - if (image != null) - { - Gdi.DrawBitmap(image, new Point(point.X, point.Y + CellHeightPadding), true); - } - else - { - QueryItemText(f + startRow, columns[j], out text); - - bool rePrep = false; - if (SelectedItems.Contains(new Cell { Column = columns[j], RowIndex = f + startRow })) - { - Gdi.PrepDrawString(this.NormalFont, SystemColors.HighlightText); - rePrep = true; - } - - if (!string.IsNullOrWhiteSpace(text)) - { - Gdi.DrawString(text, point); - } - - if (rePrep) - { - Gdi.PrepDrawString(this.NormalFont, this.ForeColor); - } - } - } - } - } - } - } - - private void DrawColumnBg(PaintEventArgs e) - { - Gdi.SetBrush(SystemColors.ControlLight); - Gdi.SetSolidPen(Color.Black); - - var columns = _columns.VisibleColumns.ToList(); - - if (HorizontalOrientation) - { - Gdi.FillRectangle(0, 0, ColumnWidth + 1, DrawHeight + 1); - Gdi.Line(0, 0, 0, columns.Count * CellHeight + 1); - Gdi.Line(ColumnWidth, 0, ColumnWidth, columns.Count * CellHeight + 1); - - int start = -VBar.Value; - foreach (var column in columns) - { - Gdi.Line(1, start, ColumnWidth, start); - start += CellHeight; - } - - if (columns.Any()) - { - Gdi.Line(1, start, ColumnWidth, start); - } - } - else - { - int bottomEdge = RowsToPixels(0); - //Gray column box and black line underneath - Gdi.FillRectangle(0, 0, Width + 1, bottomEdge + 1); - Gdi.Line(0, 0, TotalColWidth.Value + 1, 0); - Gdi.Line(0, bottomEdge, TotalColWidth.Value + 1, bottomEdge); - - //Vertical black seperators - for (int i = 0; i < columns.Count; i++) - { - int pos = columns[i].Left.Value - HBar.Value; - Gdi.Line(pos, 0, pos, bottomEdge); - } - - ////Draw right most line - if (columns.Any()) - { - int right = TotalColWidth.Value - HBar.Value; - Gdi.Line(right, 0, right, bottomEdge); - } - } - - // Emphasis - foreach (var column in columns.Where(c => c.Emphasis)) - { - Gdi.SetBrush(SystemColors.ActiveBorder); - if (HorizontalOrientation) - { - Gdi.FillRectangle(1, columns.IndexOf(column) * CellHeight + 1, ColumnWidth - 1, ColumnHeight - 1); - } - else - { - Gdi.FillRectangle(column.Left.Value + 1, 1, column.Width.Value - 1, ColumnHeight - 1); - } - } - - // If the user is hovering over a column - if (IsHoveringOnColumnCell) - { - if (HorizontalOrientation) - { - for (int i = 0; i < columns.Count; i++) - { - if (columns[i] != CurrentCell.Column) - { - continue; - } - - if (CurrentCell.Column.Emphasis) - { - Gdi.SetBrush(Add(SystemColors.Highlight, 0x00222222)); - } - else - { - Gdi.SetBrush(SystemColors.Highlight); - } - - Gdi.FillRectangle(1, i * CellHeight + 1, ColumnWidth - 1, ColumnHeight - 1); - } - } - else - { - //TODO multiple selected columns - for (int i = 0; i < columns.Count; i++) - { - if (columns[i] == CurrentCell.Column) - { - //Left of column is to the right of the viewable area or right of column is to the left of the viewable area - if (columns[i].Left.Value - HBar.Value > Width || columns[i].Right.Value - HBar.Value < 0) - { - continue; - } - int left = columns[i].Left.Value - HBar.Value; - int width = columns[i].Right.Value - HBar.Value - left; - - if (CurrentCell.Column.Emphasis) - { - Gdi.SetBrush(Add(SystemColors.Highlight, 0x00550000)); - } - else - { - Gdi.SetBrush(SystemColors.Highlight); - } - - Gdi.FillRectangle(left + 1, 1, width - 1, ColumnHeight - 1); - } - } - } - } - } - - // TODO: Make into an extension method - private static Color Add(Color color, int val) - { - var col = color.ToArgb(); - col += val; - return Color.FromArgb(col); - } - - //TODO refactor this and DoBackGroundCallback functions. - /// - /// Draw Gridlines and background colors using QueryItemBkColor. - /// - /// - private void DrawBg(PaintEventArgs e) - { - if (UseCustomBackground && QueryItemBkColor != null) - DoBackGroundCallback(e); - - if (GridLines) - { - var columns = _columns.VisibleColumns.ToList(); - - Gdi.SetSolidPen(SystemColors.ControlLight); - if (HorizontalOrientation) - { - // Columns - for (int i = 1; i < VisibleRows + 1; i++) - { - int x = RowsToPixels(i); - Gdi.Line(x, 1, x, DrawHeight); - } - - // Rows - for (int i = 0; i < columns.Count + 1; i++) - { - Gdi.Line(RowsToPixels(0) + 1, i * CellHeight - VBar.Value, DrawWidth, i * CellHeight - VBar.Value); - } - } - else - { - // Columns - int y = ColumnHeight + 1; - foreach (var column in columns) - { - int x = column.Left.Value - HBar.Value; - Gdi.Line(x, y, x, Height - 1); - } - - if (columns.Any()) - { - Gdi.Line(TotalColWidth.Value - HBar.Value, y, TotalColWidth.Value - HBar.Value, Height - 1); - } - - // Rows - for (int i = 1; i < VisibleRows + 1; i++) - { - Gdi.Line(0, RowsToPixels(i), Width + 1, RowsToPixels(i)); - } - } - } - - if (SelectedItems.Any()) - { - DoSelectionBG(e); - } - } - - private void DoSelectionBG(PaintEventArgs e) - { - // SuuperW: This allows user to see other colors in selected frames. - Color Highlight_Color = new Color(); - foreach (var cell in SelectedItems) - { - if (cell.RowIndex > LastVisibleRow || cell.RowIndex < FirstVisibleRow) - continue; - - var relativeCell = new Cell - { - RowIndex = cell.RowIndex - FirstVisibleRow, - Column = cell.Column, - }; - relativeCell.RowIndex -= CountLagFramesAbsolute(relativeCell.RowIndex.Value); - - QueryItemBkColor(cell.RowIndex.Value, cell.Column, ref Highlight_Color); - Highlight_Color = Color.FromArgb((Highlight_Color.R + SystemColors.Highlight.R) / 2 - , (Highlight_Color.G + SystemColors.Highlight.G) / 2 - , (Highlight_Color.B + SystemColors.Highlight.B) / 2); - DrawCellBG(Highlight_Color, relativeCell); - } - } - - /// - /// Given a cell with rowindex inbetween 0 and VisibleRows, it draws the background color specified. Do not call with absolute rowindices. - /// - /// - /// - private void DrawCellBG(Color color, Cell cell) - { - var columns = _columns.VisibleColumns.ToList(); - - int x, y, w, h; - - if (HorizontalOrientation) - { - x = RowsToPixels(cell.RowIndex.Value) + 1; - w = CellWidth - 1; - y = (CellHeight * columns.IndexOf(cell.Column)) + 1 - VBar.Value; // We can't draw without row and column, so assume they exist and fail catastrophically if they don't - h = CellHeight - 1; - if (x < ColumnWidth) { return; } - } - else - { - w = cell.Column.Width.Value - 1; - x = cell.Column.Left.Value - HBar.Value + 1; - y = RowsToPixels(cell.RowIndex.Value) + 1; // We can't draw without row and column, so assume they exist and fail catastrophically if they don't - h = CellHeight - 1; - if (y < ColumnHeight) - { - return; - } - } - - if (x > DrawWidth || y > DrawHeight) - { - return; - } // Don't draw if off screen. - - Gdi.SetBrush(color); - Gdi.FillRectangle(x, y, w, h); - } - - /// - /// Calls QueryItemBkColor callback for all visible cells and fills in the background of those cells. - /// - /// - private void DoBackGroundCallback(PaintEventArgs e) - { - var columns = _columns.VisibleColumns.ToList(); - - if (HorizontalOrientation) - { - int startIndex = FirstVisibleRow; - int range = Math.Min(LastVisibleRow, RowCount - 1) - startIndex + 1; - - for (int i = 0, f = 0; f < range; i++, f++) - { - f += lagFrames[i]; - int LastVisible = LastVisibleColumnIndex; - Color rowColor = Color.White; - if (QueryRowBkColor != null) - QueryRowBkColor(f + startIndex, ref rowColor); - for (int j = FirstVisibleColumn; j <= LastVisible; j++) // TODO: Don't query all columns - { - Color itemColor = Color.White; - QueryItemBkColor(f + startIndex, columns[j], ref itemColor); - if (itemColor == Color.White) - itemColor = rowColor; - - if (itemColor != Color.White) // An easy optimization, don't draw unless the user specified something other than the default - { - var cell = new Cell() - { - Column = columns[j], - RowIndex = i - }; - DrawCellBG(itemColor, cell); - } - } - } - } - else - { - int startRow = FirstVisibleRow; - int range = Math.Min(LastVisibleRow, RowCount - 1) - startRow + 1; - - for (int i = 0, f = 0; f < range; i++, f++) // Vertical - { - f += lagFrames[i]; - int LastVisible = LastVisibleColumnIndex; - Color rowColor = Color.White; - if (QueryRowBkColor != null) - QueryRowBkColor(f + startRow, ref rowColor); - for (int j = FirstVisibleColumn; j <= LastVisible; j++) // Horizontal - { - Color itemColor = Color.White; - QueryItemBkColor(f + startRow, columns[j], ref itemColor); - if (itemColor == Color.White) - itemColor = rowColor; - - if (itemColor != Color.White) // An easy optimization, don't draw unless the user specified something other than the default - { - var cell = new Cell - { - Column = columns[j], - RowIndex = i - }; - DrawCellBG(itemColor, cell); - } - } - } - } - } - - #endregion - #region Mouse and Key Events + private bool _columnDownMoved = false; protected override void OnMouseMove(MouseEventArgs e) { _currentX = e.X; _currentY = e.Y; - if (IsPaintDown) + if (_columnDown != null) { - if (HorizontalOrientation) - { - if (e.X <= ColumnWidth) - _currentX = ColumnWidth + 2; // 2 because ColumnWidth/Height isn't correct - else if (e.X > Width) - _currentX = Width; - } - else - { - if (e.Y <= ColumnHeight) - _currentY = ColumnHeight + 2; - else if (e.Y > Height) - _currentX = Height; - } + _columnDownMoved = true; } - var newCell = CalculatePointedCell(_currentX.Value, _currentY.Value); + + Cell newCell = CalculatePointedCell(_currentX.Value, _currentY.Value); // SuuperW: Hide lag frames if (QueryFrameLag != null && newCell.RowIndex.HasValue) { newCell.RowIndex += CountLagFramesDisplay(newCell.RowIndex.Value); } newCell.RowIndex += FirstVisibleRow; + if (newCell.RowIndex < 0) + newCell.RowIndex = 0; + if (!newCell.Equals(CurrentCell)) { CellChanged(newCell); @@ -1419,6 +998,7 @@ namespace BizHawk.Client.EmuHawk _currentY = null; CurrentCell = null; IsPaintDown = false; + _hoverTimer.Stop(); Refresh(); base.OnMouseLeave(e); } @@ -1452,7 +1032,8 @@ namespace BizHawk.Client.EmuHawk { if (ModifierKeys == Keys.Alt) { - MessageBox.Show("Alt click logic is not yet implemented"); + // MessageBox.Show("Alt click logic is not yet implemented"); + // do marker drag here } else if (ModifierKeys == Keys.Shift) { @@ -1538,7 +1119,10 @@ namespace BizHawk.Client.EmuHawk // But we went from selected to unselected, that is a change, so catch it here if (hadIndex && CurrentCell.RowIndex.HasValue && CurrentCell.RowIndex > RowCount) { - SelectedIndexChanged(this, new EventArgs()); + if (SelectedIndexChanged != null) + { + SelectedIndexChanged(this, new EventArgs()); + } } } @@ -1553,7 +1137,7 @@ namespace BizHawk.Client.EmuHawk { if (IsHoveringOnColumnCell) { - if (_columnDown != null) + if (_columnDown != null && _columnDownMoved) { DoColumnReorder(); _columnDown = null; @@ -1570,6 +1154,7 @@ namespace BizHawk.Client.EmuHawk } _columnDown = null; + _columnDownMoved = false; RightButtonHeld = false; IsPaintDown = false; base.OnMouseUp(e); @@ -1734,6 +1319,15 @@ namespace BizHawk.Client.EmuHawk { PointedCellChanged(this, new CellEventArgs(LastCell, CurrentCell)); } + + if (CurrentCell != null && CurrentCell.Column != null && CurrentCell.RowIndex.HasValue) + { + _hoverTimer.Start(); + } + else + { + _hoverTimer.Stop(); + } } private void VerticalBar_ValueChanged(object sender, EventArgs e) @@ -1795,6 +1389,14 @@ namespace BizHawk.Client.EmuHawk #region Helpers + // TODO: Make into an extension method + private static Color Add(Color color, int val) + { + var col = color.ToArgb(); + col += val; + return Color.FromArgb(col); + } + private void DoColumnReorder() { if (_columnDown != CurrentCell.Column) @@ -1969,7 +1571,10 @@ namespace BizHawk.Client.EmuHawk } } - SelectedIndexChanged(this, new EventArgs()); + if (SelectedIndexChanged != null) + { + SelectedIndexChanged(this, new EventArgs()); + } } } @@ -2042,10 +1647,7 @@ namespace BizHawk.Client.EmuHawk { if (HorizontalOrientation) { - if (x >= ColumnWidth) - { - newCell.RowIndex = PixelsToRows(x); - } + newCell.RowIndex = PixelsToRows(x); int colIndex = (y + VBar.Value) / CellHeight; if (colIndex >= 0 && colIndex < columns.Count) @@ -2055,14 +1657,14 @@ namespace BizHawk.Client.EmuHawk } else { - if (y >= CellHeight) - { - newCell.RowIndex = PixelsToRows(y); - } - + newCell.RowIndex = PixelsToRows(y); newCell.Column = ColumnAtX(x); } } + + if (!(IsPaintDown || RightButtonHeld) && newCell.RowIndex == -1) + newCell.RowIndex = null; + return newCell; } @@ -2143,11 +1745,12 @@ namespace BizHawk.Client.EmuHawk /// A row number between 0 and VisibleRows if it is a Datarow, otherwise a negative number if above all Datarows. private int PixelsToRows(int pixels) { + // Using Math.Floor and float because integer division rounds towards 0 but we want to round down. if (_horizontalOrientation) { - return (pixels - ColumnWidth) / CellWidth; + return (int)Math.Floor((float)(pixels - ColumnWidth) / CellWidth); } - return (pixels - ColumnHeight) / CellHeight; + return (int)Math.Floor((float)(pixels - ColumnHeight) / CellHeight); } /// @@ -2166,6 +1769,9 @@ namespace BizHawk.Client.EmuHawk /// private int CellWidth { get; set; } + [Browsable(false)] + public int RowHeight { get { return CellHeight; } } + /// /// The height of a cell in Vertical Orientation. Only can be changed by changing the Font or CellPadding. /// @@ -2241,8 +1847,12 @@ namespace BizHawk.Client.EmuHawk } } else + { for (int i = 0; i <= VisibleRows; i++) + { lagFrames[i] = 0; + } + } } private void SetLagFramesFirst() { @@ -2465,6 +2075,11 @@ namespace BizHawk.Client.EmuHawk RowIndex = cell.RowIndex; } + public bool IsDataCell + { + get { return Column != null && RowIndex.HasValue; } + } + public override bool Equals(object obj) { if (obj is Cell) @@ -2482,6 +2097,33 @@ namespace BizHawk.Client.EmuHawk } } + private class sortCell : IComparer + { + int IComparer.Compare(Cell a, Cell b) + { + Cell c1 = a as Cell; + Cell c2 = b as Cell; + if (c1.RowIndex.HasValue) + { + if (c2.RowIndex.HasValue) + { + int row = c1.RowIndex.Value.CompareTo(c2.RowIndex.Value); + if (row == 0) + { + return c1.Column.Name.CompareTo(c2.Column.Name); + } + else + return row; + } + else + return 1; + } + else if (c2.RowIndex.HasValue) + return -1; + else + return c1.Column.Name.CompareTo(c2.Column.Name); + } + } #endregion } } diff --git a/BizHawk.Client.EmuHawk/DisplayManager/DisplayManager.cs b/BizHawk.Client.EmuHawk/DisplayManager/DisplayManager.cs index c37e33e2af..6d6620478c 100644 --- a/BizHawk.Client.EmuHawk/DisplayManager/DisplayManager.cs +++ b/BizHawk.Client.EmuHawk/DisplayManager/DisplayManager.cs @@ -63,19 +63,22 @@ namespace BizHawk.Client.EmuHawk using (var tex = typeof(Program).Assembly.GetManifestResourceStream("BizHawk.Client.EmuHawk.Resources.courier16px_0.png")) TheOneFont = new StringRenderer(GL, xml, tex); - if (GL is BizHawk.Bizware.BizwareGL.Drivers.OpenTK.IGL_TK) + if (GL is BizHawk.Bizware.BizwareGL.Drivers.OpenTK.IGL_TK || GL is BizHawk.Bizware.BizwareGL.Drivers.SlimDX.IGL_SlimDX9) { - var fiHq2x = new FileInfo(Path.Combine(PathManager.GetExeDirectoryAbsolute(), "Shaders/BizHawk/hq2x.cgp")); - if (fiHq2x.Exists) - using (var stream = fiHq2x.OpenRead()) - ShaderChain_hq2x = new Filters.RetroShaderChain(GL, new Filters.RetroShaderPreset(stream), Path.Combine(PathManager.GetExeDirectoryAbsolute(), "Shaders/BizHawk")); - var fiScanlines = new FileInfo(Path.Combine(PathManager.GetExeDirectoryAbsolute(), "Shaders/BizHawk/BizScanlines.cgp")); - if (fiScanlines.Exists) - using (var stream = fiScanlines.OpenRead()) - ShaderChain_scanlines = new Filters.RetroShaderChain(GL, new Filters.RetroShaderPreset(stream), Path.Combine(PathManager.GetExeDirectoryAbsolute(), "Shaders/BizHawk")); - var fiBicubic = new FileInfo(Path.Combine(PathManager.GetExeDirectoryAbsolute(), "Shaders/BizHawk/bicubic-fast.cgp")); + //var fiHq2x = new FileInfo(Path.Combine(PathManager.GetExeDirectoryAbsolute(), "Shaders/BizHawk/hq2x.cgp")); + //if (fiHq2x.Exists) + // using (var stream = fiHq2x.OpenRead()) + // ShaderChain_hq2x = new Filters.RetroShaderChain(GL, new Filters.RetroShaderPreset(stream), Path.Combine(PathManager.GetExeDirectoryAbsolute(), "Shaders/BizHawk")); + //var fiScanlines = new FileInfo(Path.Combine(PathManager.GetExeDirectoryAbsolute(), "Shaders/BizHawk/BizScanlines.cgp")); + //if (fiScanlines.Exists) + // using (var stream = fiScanlines.OpenRead()) + // ShaderChain_scanlines = new Filters.RetroShaderChain(GL, new Filters.RetroShaderPreset(stream), Path.Combine(PathManager.GetExeDirectoryAbsolute(), "Shaders/BizHawk")); + string bicubic_path = "Shaders/BizHawk/bicubic-fast.cgp"; + if(GL is BizHawk.Bizware.BizwareGL.Drivers.SlimDX.IGL_SlimDX9) + bicubic_path = "Shaders/BizHawk/bicubic-normal.cgp"; + var fiBicubic = new FileInfo(Path.Combine(PathManager.GetExeDirectoryAbsolute(), bicubic_path)); if (fiBicubic.Exists) - using (var stream = fiBicubic.OpenRead()) + using (var stream = fiBicubic.Open(FileMode.Open, FileAccess.Read, FileShare.Read)) ShaderChain_bicubic = new Filters.RetroShaderChain(GL, new Filters.RetroShaderPreset(stream), Path.Combine(PathManager.GetExeDirectoryAbsolute(), "Shaders/BizHawk")); } @@ -143,6 +146,28 @@ namespace BizHawk.Client.EmuHawk } } + System.Windows.Forms.Padding CalculateCompleteContentPadding(bool user, bool source) + { + var padding = new System.Windows.Forms.Padding(); + + if(user) + padding += GameExtraPadding; + + //an experimental feature + if(source) + if (Global.Emulator is BizHawk.Emulation.Cores.Sony.PSX.Octoshock) + { + var psx = Global.Emulator as BizHawk.Emulation.Cores.Sony.PSX.Octoshock; + var core_padding = psx.VideoProvider_Padding; + padding.Left += core_padding.Width / 2; + padding.Right += core_padding.Width - core_padding.Width / 2; + padding.Top += core_padding.Height / 2; + padding.Bottom += core_padding.Height - core_padding.Height / 2; + } + + return padding; + } + FilterProgram BuildDefaultChain(Size chain_insize, Size chain_outsize, bool includeOSD) { //select user special FX shader chain @@ -183,18 +208,23 @@ namespace BizHawk.Client.EmuHawk chain.AddFilter(fInput, "input"); //if a non-zero padding is required, add a filter to allow for that - if (GameExtraPadding.Vertical != 0 || GameExtraPadding.Horizontal != 0) + //note, we have two sources of padding right now.. one can come from the videoprovider and one from the user. + //we're combining these now and just using black, for sake of being lean, despite the discussion below: + //keep in mind, the videoprovider design in principle might call for another color. + //we havent really been using this very hard, but users will probably want black there (they could fill it to another color if needed tho) + var padding = CalculateCompleteContentPadding(true,true); + if (padding.Vertical != 0 || padding.Horizontal != 0) { - //TODO - add another filter just for this, its cumebrsome to use final presentation... I think. but maybe theres enough similarities to justify it. + //TODO - add another filter just for this, its cumbersome to use final presentation... I think. but maybe theres enough similarities to justify it. Size size = chain_insize; - size.Width += GameExtraPadding.Horizontal; - size.Height += GameExtraPadding.Vertical; + size.Width += padding.Horizontal; + size.Height += padding.Vertical; Filters.FinalPresentation fPadding = new Filters.FinalPresentation(size); chain.AddFilter(fPadding, "padding"); fPadding.GuiRenderer = Renderer; fPadding.GL = GL; fPadding.Config_PadOnly = true; - fPadding.Padding = GameExtraPadding; + fPadding.Padding = padding; } //add lua layer 'emu' @@ -214,10 +244,11 @@ namespace BizHawk.Client.EmuHawk Filters.FinalPresentation.eFilterOption finalFilter = Filters.FinalPresentation.eFilterOption.None; if (Global.Config.DispFinalFilter == 1) finalFilter = Filters.FinalPresentation.eFilterOption.Bilinear; if (Global.Config.DispFinalFilter == 2) finalFilter = Filters.FinalPresentation.eFilterOption.Bicubic; - //if bicubic is selected and unavailable, dont use it - if (ShaderChain_bicubic != null && !ShaderChain_bicubic.Available && fPresent.FilterOption == Filters.FinalPresentation.eFilterOption.Bicubic) + //if bicubic is selected and unavailable, dont use it. use bilinear instead I guess + if (finalFilter == Filters.FinalPresentation.eFilterOption.Bicubic) { - finalFilter = Filters.FinalPresentation.eFilterOption.None; + if (ShaderChain_bicubic == null || !ShaderChain_bicubic.Available) + finalFilter = Filters.FinalPresentation.eFilterOption.Bilinear; } fPresent.FilterOption = finalFilter; @@ -232,7 +263,7 @@ namespace BizHawk.Client.EmuHawk AppendLuaLayer(chain, "native"); //and OSD goes on top of that - //TODO - things break if this isnt present (the final presentation filter gets messed up) + //TODO - things break if this isnt present (the final presentation filter gets messed up when used with prescaling) //so, always include it (we'll handle this flag in the callback to do no rendering) //if (includeOSD) chain.AddFilter(fOSD, "osd"); @@ -306,12 +337,14 @@ namespace BizHawk.Client.EmuHawk /// public void UpdateSource(IVideoProvider videoProvider) { + bool displayNothing = Global.Config.DispSpeedupFeatures == 0; var job = new JobInfo { videoProvider = videoProvider, - simulate = false, + simulate = displayNothing, chain_outsize = GraphicsControl.Size, - includeOSD = true + includeOSD = true, + }; UpdateSourceInternal(job); } @@ -367,6 +400,14 @@ namespace BizHawk.Client.EmuHawk virtualHeight = Global.Config.DispCustomUserARHeight; } + var padding = CalculateCompleteContentPadding(true, false); + virtualWidth += padding.Horizontal; + virtualHeight += padding.Vertical; + + padding = CalculateCompleteContentPadding(true, true); + bufferWidth += padding.Horizontal; + bufferHeight += padding.Vertical; + //Console.WriteLine("DISPZOOM " + zoom); //test //old stuff @@ -482,11 +523,17 @@ namespace BizHawk.Client.EmuHawk FilterProgram UpdateSourceInternal(JobInfo job) { - GlobalWin.GLManager.Activate(CR_GraphicsControl); + //no drawing actually happens. it's important not to begin drawing on a control + if (!job.simulate) + { + GlobalWin.GLManager.Activate(CR_GraphicsControl); + } IVideoProvider videoProvider = job.videoProvider; bool simulate = job.simulate; Size chain_outsize = job.chain_outsize; + + //simulate = true; int vw = videoProvider.BufferWidth; int vh = videoProvider.BufferHeight; @@ -505,21 +552,27 @@ namespace BizHawk.Client.EmuHawk } } + var padding = CalculateCompleteContentPadding(true,false); + vw += padding.Horizontal; + vh += padding.Vertical; + int[] videoBuffer = videoProvider.GetVideoBuffer(); -TESTEROO: int bufferWidth = videoProvider.BufferWidth; int bufferHeight = videoProvider.BufferHeight; bool isGlTextureId = videoBuffer.Length == 1; - //TODO - need to do some work here for GDI+ to repair gl texture ID importing BitmapBuffer bb = null; Texture2d videoTexture = null; if (!simulate) { - //special codepath for GDI+ - //TODO - make for gdi+ only. maybe other codepath for d3d - if (!(GL is BizHawk.Bizware.BizwareGL.Drivers.OpenTK.IGL_TK)) + if (isGlTextureId) + { + //FYI: this is a million years from happening on n64, since it's all geriatric non-FBO code + //is it workable for saturn? + videoTexture = GL.WrapGLTexture2d(new IntPtr(videoBuffer[0]), bufferWidth, bufferHeight); + } + else { //wrap the videoprovider data in a BitmapBuffer (no point to refactoring that many IVideoProviders) bb = new BitmapBuffer(bufferWidth, bufferHeight, videoBuffer); @@ -527,30 +580,9 @@ TESTEROO: //now, acquire the data sent from the videoProvider into a texture videoTexture = VideoTextureFrugalizer.Get(bb); - GL.SetTextureWrapMode(videoTexture, true); - } - else - { - if (isGlTextureId) - { - videoTexture = GL.WrapGLTexture2d(new IntPtr(videoBuffer[0]), bufferWidth, bufferHeight); - } - else - { - //wrap the videoprovider data in a BitmapBuffer (no point to refactoring that many IVideoProviders) - bb = new BitmapBuffer(bufferWidth, bufferHeight, videoBuffer); - - //now, acquire the data sent from the videoProvider into a texture - videoTexture = VideoTextureFrugalizer.Get(bb); - GL.SetTextureWrapMode(videoTexture, true); - } - - //TEST (to be removed once we have an actual example of bring in a texture ID from opengl emu core): - if (!isGlTextureId) - { - videoBuffer = new int[1] { videoTexture.Id.ToInt32() }; - goto TESTEROO; - } + + //lets not use this. lets define BizwareGL to make clamp by default (TBD: check opengl) + //GL.SetTextureWrapMode(videoTexture, true); } } @@ -604,6 +636,8 @@ TESTEROO: //do i need to check this on an intel video card to see if running excessively is a problem? (it used to be in the FinalTarget command below, shouldnt be a problem) //GraphicsControl.Begin(); + GlobalWin.GL.BeginScene(); + //run filter chain Texture2d texCurr = null; RenderTarget rtCurr = null; @@ -650,6 +684,8 @@ TESTEROO: } } + GL.EndScene(); + if (job.offscreen) { job.offscreenBB = rtCurr.Texture2d.Resolve(); @@ -687,6 +723,7 @@ TESTEROO: NeedsToPaint = false; //?? } + } bool? LastVsyncSetting; diff --git a/BizHawk.Client.EmuHawk/DisplayManager/Filters/Gui.cs b/BizHawk.Client.EmuHawk/DisplayManager/Filters/Gui.cs index eb642c118c..be58d10eb9 100644 --- a/BizHawk.Client.EmuHawk/DisplayManager/Filters/Gui.cs +++ b/BizHawk.Client.EmuHawk/DisplayManager/Filters/Gui.cs @@ -217,7 +217,7 @@ namespace BizHawk.Client.EmuHawk.Filters //TODO - redundant fix LL = new LetterboxingLogic(); LL.vx += Padding.Left; - LL.vy += Padding.Right; + LL.vy += Padding.Top; LL.vw = size.Width; LL.vh = size.Height; } @@ -250,7 +250,7 @@ namespace BizHawk.Client.EmuHawk.Filters //TODO - redundant fix LL = new LetterboxingLogic(); LL.vx += Padding.Left; - LL.vy += Padding.Right; + LL.vy += Padding.Top; LL.vw = InputSize.Width; LL.vh = InputSize.Height; } diff --git a/BizHawk.Client.EmuHawk/DisplayManager/OSDManager.cs b/BizHawk.Client.EmuHawk/DisplayManager/OSDManager.cs index 5d5dd8c990..5ef71fa72b 100644 --- a/BizHawk.Client.EmuHawk/DisplayManager/OSDManager.cs +++ b/BizHawk.Client.EmuHawk/DisplayManager/OSDManager.cs @@ -159,6 +159,11 @@ namespace BizHawk.Client.EmuHawk public void DrawMessages(IBlitter g) { + if (!Global.Config.DisplayMessages) + { + return; + } + messages.RemoveAll(m => DateTime.Now > m.ExpireAt); int line = 1; if (Global.Config.StackOSDMessages) diff --git a/BizHawk.Client.EmuHawk/GlobalWin.cs b/BizHawk.Client.EmuHawk/GlobalWin.cs index 6754cc9555..490c2a5a86 100644 --- a/BizHawk.Client.EmuHawk/GlobalWin.cs +++ b/BizHawk.Client.EmuHawk/GlobalWin.cs @@ -7,9 +7,19 @@ namespace BizHawk.Client.EmuHawk { public static MainForm MainForm; public static ToolManager Tools; + + /// + /// the IGL to be used for rendering + /// public static IGL GL; - public static Bizware.BizwareGL.Drivers.OpenTK.IGL_TK IGL_GL; + public static GLManager.ContextRef CR_GL; + + /// + /// The IGL_TK to be used for specifically opengl operations (accessing textures from opengl-based cores) + /// + public static Bizware.BizwareGL.Drivers.OpenTK.IGL_TK IGL_GL; + public static Sound Sound; public static OSDManager OSD = new OSDManager(); public static DisplayManager DisplayManager; diff --git a/BizHawk.Client.EmuHawk/Input/GamePad360.cs b/BizHawk.Client.EmuHawk/Input/GamePad360.cs index 1abbe0d5f1..63dbd570ab 100644 --- a/BizHawk.Client.EmuHawk/Input/GamePad360.cs +++ b/BizHawk.Client.EmuHawk/Input/GamePad360.cs @@ -1,7 +1,11 @@ using System; +using System.Runtime.InteropServices; using System.Collections.Generic; using SlimDX.XInput; +#pragma warning disable 169 +#pragma warning disable 414 + namespace BizHawk.Client.EmuHawk { public class GamePad360 @@ -12,27 +16,72 @@ namespace BizHawk.Client.EmuHawk static bool IsAvailable; + [DllImport("kernel32", SetLastError = true, EntryPoint = "GetProcAddress")] + static extern IntPtr GetProcAddressOrdinal(IntPtr hModule, IntPtr procName); + + delegate uint XInputGetStateExProcDelegate(uint dwUserIndex, out XINPUT_STATE state); + + static bool HasGetInputStateEx; + static IntPtr LibraryHandle; + static XInputGetStateExProcDelegate XInputGetStateExProc; + + struct XINPUT_GAMEPAD + { + public ushort wButtons; + public byte bLeftTrigger; + public byte bRightTrigger; + public short sThumbLX; + public short sThumbLY; + public short sThumbRX; + public short sThumbRY; + } + + struct XINPUT_STATE + { + public uint dwPacketNumber; + public XINPUT_GAMEPAD Gamepad; + } + public static void Initialize() { IsAvailable = false; try { //some users wont even have xinput installed. in order to avoid spurious exceptions and possible instability, check for the library first - IntPtr lib = Win32.LoadLibrary("xinput1_3.dll"); - if (lib != IntPtr.Zero) + HasGetInputStateEx = true; + LibraryHandle = Win32.LoadLibrary("xinput1_3.dll"); + if(LibraryHandle == IntPtr.Zero) + LibraryHandle = Win32.LoadLibrary("xinput1_4.dll"); + if(LibraryHandle == IntPtr.Zero) { - Win32.FreeLibrary(lib); - + LibraryHandle = Win32.LoadLibrary("xinput9_1_0.dll"); + HasGetInputStateEx = false; + } + + if (LibraryHandle != IntPtr.Zero) + { + if (HasGetInputStateEx) + { + IntPtr proc = GetProcAddressOrdinal(LibraryHandle, new IntPtr(100)); + XInputGetStateExProc = (XInputGetStateExProcDelegate)Marshal.GetDelegateForFunctionPointer(proc, typeof(XInputGetStateExProcDelegate)); + } + //don't remove this code. it's important to catch errors on systems with broken xinput installs. //(probably, checking for the library was adequate, but lets not get rid of this anyway) var test = new SlimDX.XInput.Controller(UserIndex.One).IsConnected; IsAvailable = true; } + } catch { } if (!IsAvailable) return; + //now, at this point, slimdx may be using one xinput, and we may be using another + //i'm not sure how slimdx picks its dll to bind to. + //i'm not sure how troublesome this will be + //maybe we should get rid of slimdx for this altogether + var c1 = new Controller(UserIndex.One); var c2 = new Controller(UserIndex.Two); var c3 = new Controller(UserIndex.Three); @@ -54,7 +103,7 @@ namespace BizHawk.Client.EmuHawk // ********************************** Instance Members ********************************** readonly Controller controller; - State state; + XINPUT_STATE state; GamePad360(Controller c) { @@ -68,17 +117,33 @@ namespace BizHawk.Client.EmuHawk if (controller.IsConnected == false) return; - state = controller.GetState(); + if (XInputGetStateExProc != null) + { + state = new XINPUT_STATE(); + XInputGetStateExProc(0, out state); + } + else + { + var slimstate = controller.GetState(); + state.dwPacketNumber = slimstate.PacketNumber; + state.Gamepad.wButtons = (ushort)slimstate.Gamepad.Buttons; + state.Gamepad.sThumbLX = slimstate.Gamepad.LeftThumbX; + state.Gamepad.sThumbLY = slimstate.Gamepad.LeftThumbY; + state.Gamepad.sThumbRX = slimstate.Gamepad.RightThumbX; + state.Gamepad.sThumbRY = slimstate.Gamepad.RightThumbY; + state.Gamepad.bLeftTrigger = slimstate.Gamepad.LeftTrigger; + state.Gamepad.bRightTrigger = slimstate.Gamepad.RightTrigger; + } } public IEnumerable> GetFloats() { var g = state.Gamepad; const float f = 3.2768f; - yield return new Tuple("LeftThumbX", g.LeftThumbX / f); - yield return new Tuple("LeftThumbY", g.LeftThumbY / f); - yield return new Tuple("RightThumbX", g.RightThumbX / f); - yield return new Tuple("RightThumbY", g.RightThumbY / f); + yield return new Tuple("LeftThumbX", g.sThumbLX / f); + yield return new Tuple("LeftThumbY", g.sThumbLY / f); + yield return new Tuple("RightThumbX", g.sThumbRX / f); + yield return new Tuple("RightThumbY", g.sThumbRY / f); yield break; } @@ -93,35 +158,36 @@ namespace BizHawk.Client.EmuHawk const int dzn = -9000; const int dzt = 40; - AddItem("A", () => (state.Gamepad.Buttons & GamepadButtonFlags.A) != 0); - AddItem("B", () => (state.Gamepad.Buttons & GamepadButtonFlags.B) != 0); - AddItem("X", () => (state.Gamepad.Buttons & GamepadButtonFlags.X) != 0); - AddItem("Y", () => (state.Gamepad.Buttons & GamepadButtonFlags.Y) != 0); + AddItem("A", () => (state.Gamepad.wButtons & (ushort)GamepadButtonFlags.A) != 0); + AddItem("B", () => (state.Gamepad.wButtons & (ushort)GamepadButtonFlags.B) != 0); + AddItem("X", () => (state.Gamepad.wButtons & (ushort)GamepadButtonFlags.X) != 0); + AddItem("Y", () => (state.Gamepad.wButtons & unchecked((ushort)GamepadButtonFlags.Y)) != 0); + AddItem("Guide", () => (state.Gamepad.wButtons & 1024) != 0); - AddItem("Start", () => (state.Gamepad.Buttons & GamepadButtonFlags.Start) != 0); - AddItem("Back", () => (state.Gamepad.Buttons & GamepadButtonFlags.Back) != 0); - AddItem("LeftThumb", () => (state.Gamepad.Buttons & GamepadButtonFlags.LeftThumb) != 0); - AddItem("RightThumb", () => (state.Gamepad.Buttons & GamepadButtonFlags.RightThumb) != 0); - AddItem("LeftShoulder", () => (state.Gamepad.Buttons & GamepadButtonFlags.LeftShoulder) != 0); - AddItem("RightShoulder", () => (state.Gamepad.Buttons & GamepadButtonFlags.RightShoulder) != 0); + AddItem("Start", () => (state.Gamepad.wButtons & (ushort)GamepadButtonFlags.Start) != 0); + AddItem("Back", () => (state.Gamepad.wButtons & (ushort)GamepadButtonFlags.Back) != 0); + AddItem("LeftThumb", () => (state.Gamepad.wButtons & (ushort)GamepadButtonFlags.LeftThumb) != 0); + AddItem("RightThumb", () => (state.Gamepad.wButtons & (ushort)GamepadButtonFlags.RightThumb) != 0); + AddItem("LeftShoulder", () => (state.Gamepad.wButtons & (ushort)GamepadButtonFlags.LeftShoulder) != 0); + AddItem("RightShoulder", () => (state.Gamepad.wButtons & (ushort)GamepadButtonFlags.RightShoulder) != 0); - AddItem("DpadUp", () => (state.Gamepad.Buttons & GamepadButtonFlags.DPadUp) != 0); - AddItem("DpadDown", () => (state.Gamepad.Buttons & GamepadButtonFlags.DPadDown) != 0); - AddItem("DpadLeft", () => (state.Gamepad.Buttons & GamepadButtonFlags.DPadLeft) != 0); - AddItem("DpadRight", () => (state.Gamepad.Buttons & GamepadButtonFlags.DPadRight) != 0); + AddItem("DpadUp", () => (state.Gamepad.wButtons & (ushort)GamepadButtonFlags.DPadUp) != 0); + AddItem("DpadDown", () => (state.Gamepad.wButtons & (ushort)GamepadButtonFlags.DPadDown) != 0); + AddItem("DpadLeft", () => (state.Gamepad.wButtons & (ushort)GamepadButtonFlags.DPadLeft) != 0); + AddItem("DpadRight", () => (state.Gamepad.wButtons & (ushort)GamepadButtonFlags.DPadRight) != 0); - AddItem("LStickUp", () => state.Gamepad.LeftThumbY >= dzp); - AddItem("LStickDown", () => state.Gamepad.LeftThumbY <= dzn); - AddItem("LStickLeft", () => state.Gamepad.LeftThumbX <= dzn); - AddItem("LStickRight", () => state.Gamepad.LeftThumbX >= dzp); + AddItem("LStickUp", () => state.Gamepad.sThumbLY >= dzp); + AddItem("LStickDown", () => state.Gamepad.sThumbLY <= dzn); + AddItem("LStickLeft", () => state.Gamepad.sThumbLX <= dzn); + AddItem("LStickRight", () => state.Gamepad.sThumbLX >= dzp); - AddItem("RStickUp", () => state.Gamepad.RightThumbY >= dzp); - AddItem("RStickDown", () => state.Gamepad.RightThumbY <= dzn); - AddItem("RStickLeft", () => state.Gamepad.RightThumbX <= dzn); - AddItem("RStickRight", () => state.Gamepad.RightThumbX >= dzp); + AddItem("RStickUp", () => state.Gamepad.sThumbLY >= dzp); + AddItem("RStickDown", () => state.Gamepad.sThumbLY <= dzn); + AddItem("RStickLeft", () => state.Gamepad.sThumbLX <= dzn); + AddItem("RStickRight", () => state.Gamepad.sThumbLX >= dzp); - AddItem("LeftTrigger", () => state.Gamepad.LeftTrigger > dzt); - AddItem("RightTrigger", () => state.Gamepad.RightTrigger > dzt); + AddItem("LeftTrigger", () => state.Gamepad.bLeftTrigger > dzt); + AddItem("RightTrigger", () => state.Gamepad.bRightTrigger > dzt); } void AddItem(string name, Func pressed) diff --git a/BizHawk.Client.EmuHawk/Input/IPCKeyInput.cs b/BizHawk.Client.EmuHawk/Input/IPCKeyInput.cs new file mode 100644 index 0000000000..72d5c7866c --- /dev/null +++ b/BizHawk.Client.EmuHawk/Input/IPCKeyInput.cs @@ -0,0 +1,67 @@ +using System.Collections.Generic; +using System.IO; +using System; +using System.Threading; +using System.IO.Pipes; +using SlimDX; +using SlimDX.DirectInput; + +//this is not a very safe or pretty protocol, I'm not proud of it + +namespace BizHawk.Client.EmuHawk +{ + public static class IPCKeyInput + { + public static void Initialize() + { + var t = new Thread(IPCThread); + t.IsBackground = true; + t.Start(); + } + + + static List PendingEventList = new List(); + static List EventList = new List(); + + static void IPCThread() + { + string pipeName = string.Format("bizhawk-pid-{0}-IPCKeyInput", System.Diagnostics.Process.GetCurrentProcess().Id); + + + for (; ; ) + { + using (NamedPipeServerStream pipe = new NamedPipeServerStream(pipeName, PipeDirection.In, 1, PipeTransmissionMode.Byte, PipeOptions.Asynchronous, 1024, 1024)) + { + try + { + pipe.WaitForConnection(); + + BinaryReader br = new BinaryReader(pipe); + + for (; ; ) + { + int e = br.ReadInt32(); + bool pressed = (e & 0x80000000) != 0; + lock (PendingEventList) + PendingEventList.Add(new KeyInput.KeyEvent { Key = (Key)(e & 0x7FFFFFFF), Pressed = pressed }); + } + } + catch { } + } + } + } + + public static IEnumerable Update() + { + EventList.Clear(); + + lock (PendingEventList) + { + EventList.AddRange(PendingEventList); + PendingEventList.Clear(); + } + + return EventList; + } + } +} diff --git a/BizHawk.Client.EmuHawk/Input/Input.cs b/BizHawk.Client.EmuHawk/Input/Input.cs index 245d993ee6..f58533b073 100644 --- a/BizHawk.Client.EmuHawk/Input/Input.cs +++ b/BizHawk.Client.EmuHawk/Input/Input.cs @@ -128,6 +128,7 @@ namespace BizHawk.Client.EmuHawk { #if WINDOWS KeyInput.Initialize(); + IPCKeyInput.Initialize(); GamePad.Initialize(); GamePad360.Initialize(); #endif @@ -319,7 +320,7 @@ namespace BizHawk.Client.EmuHawk { for (; ; ) { - var keyEvents = KeyInput.Update(); + var keyEvents = KeyInput.Update().Concat(IPCKeyInput.Update()); GamePad.UpdateAll(); GamePad360.UpdateAll(); @@ -511,5 +512,14 @@ namespace BizHawk.Client.EmuHawk //to get triggered in the main form public bool EnableIgnoreModifiers = false; + //sets a key as unpressed for the binding system + public void BindUnpress(System.Windows.Forms.Keys key) + { + //only validated for Return + string keystr = key.ToString(); + UnpressState[keystr] = true; + LastState[keystr] = true; + } + } } diff --git a/BizHawk.Client.EmuHawk/Input/Keyboard.cs b/BizHawk.Client.EmuHawk/Input/Keyboard.cs index 8fc42ebeb1..2cfecdd1f5 100644 --- a/BizHawk.Client.EmuHawk/Input/Keyboard.cs +++ b/BizHawk.Client.EmuHawk/Input/Keyboard.cs @@ -12,7 +12,7 @@ namespace BizHawk.Client.EmuHawk public static void Initialize() { - if (dinput == null) + if (dinput == null) dinput = new DirectInput(); if (keyboard == null || keyboard.Disposed) @@ -45,7 +45,7 @@ namespace BizHawk.Client.EmuHawk foreach (var k in e.PressedKeys) EventList.Add(new KeyEvent { Key = k, Pressed = true }); foreach (var k in e.ReleasedKeys) - EventList.Add(new KeyEvent { Key = k, Pressed = false }); + EventList.Add(new KeyEvent { Key = k, Pressed = false }); } } @@ -58,74 +58,5 @@ namespace BizHawk.Client.EmuHawk public bool Pressed; } - - public static bool IsPressed(Key key) - { - if (state.IsPressed(key)) - return true; - - if (key == Key.LeftShift && state.IsPressed(Key.RightShift)) - return true; - if (key == Key.LeftControl && state.IsPressed(Key.RightControl)) - return true; - if (key == Key.LeftAlt && state.IsPressed(Key.RightAlt)) - return true; - - return false; - } - - public static bool ShiftModifier - { - get - { - if (state.IsPressed(Key.LeftShift)) return true; - if (state.IsPressed(Key.RightShift)) return true; - return false; - } - } - - public static bool CtrlModifier - { - get - { - if (state.IsPressed(Key.LeftControl)) return true; - if (state.IsPressed(Key.RightControl)) return true; - return false; - } - } - - public static bool AltModifier - { - get - { - if (state.IsPressed(Key.LeftAlt)) return true; - if (state.IsPressed(Key.RightAlt)) return true; - return false; - } - } - - public static Input.ModifierKey GetModifierKeysAsKeys() - { - Input.ModifierKey ret = Input.ModifierKey.None; - if (ShiftModifier) ret |= Input.ModifierKey.Shift; - if (CtrlModifier) ret |= Input.ModifierKey.Control; - if (AltModifier) ret |= Input.ModifierKey.Alt; - return ret; - } - } - - internal static class KeyExtensions - { - public static bool IsModifier(this Key key) - { - if (key == Key.LeftShift) return true; - if (key == Key.RightShift) return true; - if (key == Key.LeftControl) return true; - if (key == Key.RightControl) return true; - if (key == Key.LeftAlt) return true; - if (key == Key.RightAlt) return true; - return false; - } - } } diff --git a/BizHawk.Client.EmuHawk/MainForm.Designer.cs b/BizHawk.Client.EmuHawk/MainForm.Designer.cs index 713f84d079..cdff502530 100644 --- a/BizHawk.Client.EmuHawk/MainForm.Designer.cs +++ b/BizHawk.Client.EmuHawk/MainForm.Designer.cs @@ -132,6 +132,7 @@ this.DisplaySubtitlesMenuItem = new System.Windows.Forms.ToolStripMenuItem(); this.toolStripMenuItem4 = new System.Windows.Forms.ToolStripSeparator(); this.DisplayStatusBarMenuItem = new System.Windows.Forms.ToolStripMenuItem(); + this.DisplayMessagesMenuItem = new System.Windows.Forms.ToolStripMenuItem(); this.DisplayLogWindowMenuItem = new System.Windows.Forms.ToolStripMenuItem(); this.ConfigSubMenu = new System.Windows.Forms.ToolStripMenuItem(); this.ControllersMenuItem = new System.Windows.Forms.ToolStripMenuItem(); @@ -154,8 +155,10 @@ this.toolStripSeparator27 = new System.Windows.Forms.ToolStripSeparator(); this.VsyncEnabledMenuItem = new System.Windows.Forms.ToolStripMenuItem(); this.toolStripMenuItem3 = new System.Windows.Forms.ToolStripSeparator(); + this.miUnthrottled = new System.Windows.Forms.ToolStripMenuItem(); this.MinimizeSkippingMenuItem = new System.Windows.Forms.ToolStripMenuItem(); this.NeverSkipMenuItem = new System.Windows.Forms.ToolStripMenuItem(); + this.toolStripMenuItem17 = new System.Windows.Forms.ToolStripMenuItem(); this.Frameskip1MenuItem = new System.Windows.Forms.ToolStripMenuItem(); this.Frameskip2MenuItem = new System.Windows.Forms.ToolStripMenuItem(); this.Frameskip3MenuItem = new System.Windows.Forms.ToolStripMenuItem(); @@ -171,6 +174,7 @@ this.Speed100MenuItem = new System.Windows.Forms.ToolStripMenuItem(); this.Speed150MenuItem = new System.Windows.Forms.ToolStripMenuItem(); this.Speed200MenuItem = new System.Windows.Forms.ToolStripMenuItem(); + this.Speed400MenuItem = new System.Windows.Forms.ToolStripMenuItem(); this.KeyPrioritySubMenu = new System.Windows.Forms.ToolStripMenuItem(); this.BothHkAndControllerMenuItem = new System.Windows.Forms.ToolStripMenuItem(); this.InputOverHkMenuItem = new System.Windows.Forms.ToolStripMenuItem(); @@ -197,6 +201,7 @@ this.MacroToolMenuItem = new System.Windows.Forms.ToolStripMenuItem(); this.VirtualPadMenuItem = new System.Windows.Forms.ToolStripMenuItem(); this.AutoHawkMenuItem = new System.Windows.Forms.ToolStripMenuItem(); + this.BasicBotMenuItem = new System.Windows.Forms.ToolStripMenuItem(); this.toolStripSeparator11 = new System.Windows.Forms.ToolStripSeparator(); this.CheatsMenuItem = new System.Windows.Forms.ToolStripMenuItem(); this.LuaConsoleMenuItem = new System.Windows.Forms.ToolStripMenuItem(); @@ -280,6 +285,7 @@ this.PSXControllerSettingsMenuItem = new System.Windows.Forms.ToolStripMenuItem(); this.PSXOptionsMenuItem = new System.Windows.Forms.ToolStripMenuItem(); this.PSXDiscControlsMenuItem = new System.Windows.Forms.ToolStripMenuItem(); + this.PSXHashDiscsToolStripMenuItem = new System.Windows.Forms.ToolStripMenuItem(); this.SNESSubMenu = new System.Windows.Forms.ToolStripMenuItem(); this.SNESDisplayMenuItem = new System.Windows.Forms.ToolStripMenuItem(); this.SnesBg1MenuItem = new System.Windows.Forms.ToolStripMenuItem(); @@ -396,7 +402,7 @@ this.ClearSRAMContextMenuItem = new System.Windows.Forms.ToolStripMenuItem(); this.ShowMenuContextMenuSeparator = new System.Windows.Forms.ToolStripSeparator(); this.ShowMenuContextMenuItem = new System.Windows.Forms.ToolStripMenuItem(); - this.PSXHashDiscsToolStripMenuItem = new System.Windows.Forms.ToolStripMenuItem(); + this.timerMouseIdle = new System.Windows.Forms.Timer(this.components); this.MainformMenu.SuspendLayout(); this.MainStatusBar.SuspendLayout(); this.MainFormContextMenu.SuspendLayout(); @@ -431,7 +437,7 @@ this.MainformMenu.LayoutStyle = System.Windows.Forms.ToolStripLayoutStyle.Flow; this.MainformMenu.Location = new System.Drawing.Point(0, 0); this.MainformMenu.Name = "MainformMenu"; - this.MainformMenu.Size = new System.Drawing.Size(470, 57); + this.MainformMenu.Size = new System.Drawing.Size(470, 61); this.MainformMenu.TabIndex = 0; this.MainformMenu.Text = "menuStrip1"; this.MainformMenu.MenuActivate += new System.EventHandler(this.MainformMenu_MenuActivate); @@ -456,7 +462,7 @@ this.toolStripSeparator4, this.ExitMenuItem}); this.FileSubMenu.Name = "FileSubMenu"; - this.FileSubMenu.Size = new System.Drawing.Size(35, 17); + this.FileSubMenu.Size = new System.Drawing.Size(37, 19); this.FileSubMenu.Text = "&File"; this.FileSubMenu.DropDownOpened += new System.EventHandler(this.FileSubMenu_DropDownOpened); // @@ -464,7 +470,7 @@ // this.OpenRomMenuItem.Image = global::BizHawk.Client.EmuHawk.Properties.Resources.OpenFile; this.OpenRomMenuItem.Name = "OpenRomMenuItem"; - this.OpenRomMenuItem.Size = new System.Drawing.Size(134, 22); + this.OpenRomMenuItem.Size = new System.Drawing.Size(140, 22); this.OpenRomMenuItem.Text = "Open ROM"; this.OpenRomMenuItem.Click += new System.EventHandler(this.OpenRomMenuItem_Click); // @@ -474,7 +480,7 @@ this.toolStripSeparator3}); this.RecentRomSubMenu.Image = global::BizHawk.Client.EmuHawk.Properties.Resources.Recent; this.RecentRomSubMenu.Name = "RecentRomSubMenu"; - this.RecentRomSubMenu.Size = new System.Drawing.Size(134, 22); + this.RecentRomSubMenu.Size = new System.Drawing.Size(140, 22); this.RecentRomSubMenu.Text = "Recent ROM"; this.RecentRomSubMenu.DropDownOpened += new System.EventHandler(this.RecentRomMenuItem_DropDownOpened); // @@ -487,14 +493,14 @@ // this.CloseRomMenuItem.Image = global::BizHawk.Client.EmuHawk.Properties.Resources.Close; this.CloseRomMenuItem.Name = "CloseRomMenuItem"; - this.CloseRomMenuItem.Size = new System.Drawing.Size(134, 22); + this.CloseRomMenuItem.Size = new System.Drawing.Size(140, 22); this.CloseRomMenuItem.Text = "&Close ROM"; this.CloseRomMenuItem.Click += new System.EventHandler(this.CloseRomMenuItem_Click); // // toolStripMenuItem1 // this.toolStripMenuItem1.Name = "toolStripMenuItem1"; - this.toolStripMenuItem1.Size = new System.Drawing.Size(131, 6); + this.toolStripMenuItem1.Size = new System.Drawing.Size(137, 6); // // SaveStateSubMenu // @@ -512,89 +518,89 @@ this.toolStripSeparator6, this.SaveNamedStateMenuItem}); this.SaveStateSubMenu.Name = "SaveStateSubMenu"; - this.SaveStateSubMenu.Size = new System.Drawing.Size(134, 22); + this.SaveStateSubMenu.Size = new System.Drawing.Size(140, 22); this.SaveStateSubMenu.Text = "Save State"; this.SaveStateSubMenu.DropDownOpened += new System.EventHandler(this.SaveStateSubMenu_DropDownOpened); // // SaveState1MenuItem // this.SaveState1MenuItem.Name = "SaveState1MenuItem"; - this.SaveState1MenuItem.Size = new System.Drawing.Size(175, 22); + this.SaveState1MenuItem.Size = new System.Drawing.Size(178, 22); this.SaveState1MenuItem.Text = "1"; this.SaveState1MenuItem.Click += new System.EventHandler(this.Savestate1MenuItem_Click); // // SaveState2MenuItem // this.SaveState2MenuItem.Name = "SaveState2MenuItem"; - this.SaveState2MenuItem.Size = new System.Drawing.Size(175, 22); + this.SaveState2MenuItem.Size = new System.Drawing.Size(178, 22); this.SaveState2MenuItem.Text = "2"; this.SaveState2MenuItem.Click += new System.EventHandler(this.Savestate2MenuItem_Click); // // SaveState3MenuItem // this.SaveState3MenuItem.Name = "SaveState3MenuItem"; - this.SaveState3MenuItem.Size = new System.Drawing.Size(175, 22); + this.SaveState3MenuItem.Size = new System.Drawing.Size(178, 22); this.SaveState3MenuItem.Text = "3"; this.SaveState3MenuItem.Click += new System.EventHandler(this.Savestate3MenuItem_Click); // // SaveState4MenuItem // this.SaveState4MenuItem.Name = "SaveState4MenuItem"; - this.SaveState4MenuItem.Size = new System.Drawing.Size(175, 22); + this.SaveState4MenuItem.Size = new System.Drawing.Size(178, 22); this.SaveState4MenuItem.Text = "4"; this.SaveState4MenuItem.Click += new System.EventHandler(this.Savestate4MenuItem_Click); // // SaveState5MenuItem // this.SaveState5MenuItem.Name = "SaveState5MenuItem"; - this.SaveState5MenuItem.Size = new System.Drawing.Size(175, 22); + this.SaveState5MenuItem.Size = new System.Drawing.Size(178, 22); this.SaveState5MenuItem.Text = "5"; this.SaveState5MenuItem.Click += new System.EventHandler(this.Savestate5MenuItem_Click); // // SaveState6MenuItem // this.SaveState6MenuItem.Name = "SaveState6MenuItem"; - this.SaveState6MenuItem.Size = new System.Drawing.Size(175, 22); + this.SaveState6MenuItem.Size = new System.Drawing.Size(178, 22); this.SaveState6MenuItem.Text = "6"; this.SaveState6MenuItem.Click += new System.EventHandler(this.Savestate6MenuItem_Click); // // SaveState7MenuItem // this.SaveState7MenuItem.Name = "SaveState7MenuItem"; - this.SaveState7MenuItem.Size = new System.Drawing.Size(175, 22); + this.SaveState7MenuItem.Size = new System.Drawing.Size(178, 22); this.SaveState7MenuItem.Text = "7"; this.SaveState7MenuItem.Click += new System.EventHandler(this.Savestate7MenuItem_Click); // // SaveState8MenuItem // this.SaveState8MenuItem.Name = "SaveState8MenuItem"; - this.SaveState8MenuItem.Size = new System.Drawing.Size(175, 22); + this.SaveState8MenuItem.Size = new System.Drawing.Size(178, 22); this.SaveState8MenuItem.Text = "8"; this.SaveState8MenuItem.Click += new System.EventHandler(this.Savestate8MenuItem_Click); // // SaveState9MenuItem // this.SaveState9MenuItem.Name = "SaveState9MenuItem"; - this.SaveState9MenuItem.Size = new System.Drawing.Size(175, 22); + this.SaveState9MenuItem.Size = new System.Drawing.Size(178, 22); this.SaveState9MenuItem.Text = "9"; this.SaveState9MenuItem.Click += new System.EventHandler(this.Savestate9MenuItem_Click); // // SaveState0MenuItem // this.SaveState0MenuItem.Name = "SaveState0MenuItem"; - this.SaveState0MenuItem.Size = new System.Drawing.Size(175, 22); + this.SaveState0MenuItem.Size = new System.Drawing.Size(178, 22); this.SaveState0MenuItem.Text = "0"; this.SaveState0MenuItem.Click += new System.EventHandler(this.Savestate0MenuItem_Click); // // toolStripSeparator6 // this.toolStripSeparator6.Name = "toolStripSeparator6"; - this.toolStripSeparator6.Size = new System.Drawing.Size(172, 6); + this.toolStripSeparator6.Size = new System.Drawing.Size(175, 6); // // SaveNamedStateMenuItem // this.SaveNamedStateMenuItem.Name = "SaveNamedStateMenuItem"; - this.SaveNamedStateMenuItem.Size = new System.Drawing.Size(175, 22); + this.SaveNamedStateMenuItem.Size = new System.Drawing.Size(178, 22); this.SaveNamedStateMenuItem.Text = "Save Named State..."; this.SaveNamedStateMenuItem.Click += new System.EventHandler(this.SaveNamedStateMenuItem_Click); // @@ -616,101 +622,101 @@ this.toolStripSeparator21, this.AutoloadLastSlotMenuItem}); this.LoadStateSubMenu.Name = "LoadStateSubMenu"; - this.LoadStateSubMenu.Size = new System.Drawing.Size(134, 22); + this.LoadStateSubMenu.Size = new System.Drawing.Size(140, 22); this.LoadStateSubMenu.Text = "Load State"; this.LoadStateSubMenu.DropDownOpened += new System.EventHandler(this.LoadStateSubMenu_DropDownOpened); // // LoadState1MenuItem // this.LoadState1MenuItem.Name = "LoadState1MenuItem"; - this.LoadState1MenuItem.Size = new System.Drawing.Size(174, 22); + this.LoadState1MenuItem.Size = new System.Drawing.Size(180, 22); this.LoadState1MenuItem.Text = "1"; this.LoadState1MenuItem.Click += new System.EventHandler(this.Loadstate1MenuItem_Click); // // LoadState2MenuItem // this.LoadState2MenuItem.Name = "LoadState2MenuItem"; - this.LoadState2MenuItem.Size = new System.Drawing.Size(174, 22); + this.LoadState2MenuItem.Size = new System.Drawing.Size(180, 22); this.LoadState2MenuItem.Text = "2"; this.LoadState2MenuItem.Click += new System.EventHandler(this.Loadstate2MenuItem_Click); // // LoadState3MenuItem // this.LoadState3MenuItem.Name = "LoadState3MenuItem"; - this.LoadState3MenuItem.Size = new System.Drawing.Size(174, 22); + this.LoadState3MenuItem.Size = new System.Drawing.Size(180, 22); this.LoadState3MenuItem.Text = "3"; this.LoadState3MenuItem.Click += new System.EventHandler(this.Loadstate3MenuItem_Click); // // LoadState4MenuItem // this.LoadState4MenuItem.Name = "LoadState4MenuItem"; - this.LoadState4MenuItem.Size = new System.Drawing.Size(174, 22); + this.LoadState4MenuItem.Size = new System.Drawing.Size(180, 22); this.LoadState4MenuItem.Text = "4"; this.LoadState4MenuItem.Click += new System.EventHandler(this.Loadstate4MenuItem_Click); // // LoadState5MenuItem // this.LoadState5MenuItem.Name = "LoadState5MenuItem"; - this.LoadState5MenuItem.Size = new System.Drawing.Size(174, 22); + this.LoadState5MenuItem.Size = new System.Drawing.Size(180, 22); this.LoadState5MenuItem.Text = "5"; this.LoadState5MenuItem.Click += new System.EventHandler(this.Loadstate5MenuItem_Click); // // LoadState6MenuItem // this.LoadState6MenuItem.Name = "LoadState6MenuItem"; - this.LoadState6MenuItem.Size = new System.Drawing.Size(174, 22); + this.LoadState6MenuItem.Size = new System.Drawing.Size(180, 22); this.LoadState6MenuItem.Text = "6"; this.LoadState6MenuItem.Click += new System.EventHandler(this.Loadstate6MenuItem_Click); // // LoadState7MenuItem // this.LoadState7MenuItem.Name = "LoadState7MenuItem"; - this.LoadState7MenuItem.Size = new System.Drawing.Size(174, 22); + this.LoadState7MenuItem.Size = new System.Drawing.Size(180, 22); this.LoadState7MenuItem.Text = "7"; this.LoadState7MenuItem.Click += new System.EventHandler(this.Loadstate7MenuItem_Click); // // LoadState8MenuItem // this.LoadState8MenuItem.Name = "LoadState8MenuItem"; - this.LoadState8MenuItem.Size = new System.Drawing.Size(174, 22); + this.LoadState8MenuItem.Size = new System.Drawing.Size(180, 22); this.LoadState8MenuItem.Text = "8"; this.LoadState8MenuItem.Click += new System.EventHandler(this.Loadstate8MenuItem_Click); // // LoadState9MenuItem // this.LoadState9MenuItem.Name = "LoadState9MenuItem"; - this.LoadState9MenuItem.Size = new System.Drawing.Size(174, 22); + this.LoadState9MenuItem.Size = new System.Drawing.Size(180, 22); this.LoadState9MenuItem.Text = "9"; this.LoadState9MenuItem.Click += new System.EventHandler(this.Loadstate9MenuItem_Click); // // LoadState0MenuItem // this.LoadState0MenuItem.Name = "LoadState0MenuItem"; - this.LoadState0MenuItem.Size = new System.Drawing.Size(174, 22); + this.LoadState0MenuItem.Size = new System.Drawing.Size(180, 22); this.LoadState0MenuItem.Text = "0"; this.LoadState0MenuItem.Click += new System.EventHandler(this.Loadstate0MenuItem_Click); // // toolStripSeparator7 // this.toolStripSeparator7.Name = "toolStripSeparator7"; - this.toolStripSeparator7.Size = new System.Drawing.Size(171, 6); + this.toolStripSeparator7.Size = new System.Drawing.Size(177, 6); // // LoadNamedStateMenuItem // this.LoadNamedStateMenuItem.Name = "LoadNamedStateMenuItem"; - this.LoadNamedStateMenuItem.Size = new System.Drawing.Size(174, 22); + this.LoadNamedStateMenuItem.Size = new System.Drawing.Size(180, 22); this.LoadNamedStateMenuItem.Text = "Load Named State..."; this.LoadNamedStateMenuItem.Click += new System.EventHandler(this.LoadNamedStateMenuItem_Click); // // toolStripSeparator21 // this.toolStripSeparator21.Name = "toolStripSeparator21"; - this.toolStripSeparator21.Size = new System.Drawing.Size(171, 6); + this.toolStripSeparator21.Size = new System.Drawing.Size(177, 6); // // AutoloadLastSlotMenuItem // this.AutoloadLastSlotMenuItem.Name = "AutoloadLastSlotMenuItem"; - this.AutoloadLastSlotMenuItem.Size = new System.Drawing.Size(174, 22); + this.AutoloadLastSlotMenuItem.Size = new System.Drawing.Size(180, 22); this.AutoloadLastSlotMenuItem.Text = "Autoload last Slot"; this.AutoloadLastSlotMenuItem.Click += new System.EventHandler(this.AutoloadLastSlotMenuItem_Click); // @@ -733,77 +739,77 @@ this.SaveToCurrentSlotMenuItem, this.LoadCurrentSlotMenuItem}); this.SaveSlotSubMenu.Name = "SaveSlotSubMenu"; - this.SaveSlotSubMenu.Size = new System.Drawing.Size(134, 22); + this.SaveSlotSubMenu.Size = new System.Drawing.Size(140, 22); this.SaveSlotSubMenu.Text = "Save Slot"; this.SaveSlotSubMenu.DropDownOpened += new System.EventHandler(this.SaveSlotSubMenu_DropDownOpened); // // SelectSlot0MenuItem // this.SelectSlot0MenuItem.Name = "SelectSlot0MenuItem"; - this.SelectSlot0MenuItem.Size = new System.Drawing.Size(172, 22); + this.SelectSlot0MenuItem.Size = new System.Drawing.Size(178, 22); this.SelectSlot0MenuItem.Text = "Select Slot 0"; this.SelectSlot0MenuItem.Click += new System.EventHandler(this.SelectSlotMenuItems_Click); // // SelectSlot1MenuItem // this.SelectSlot1MenuItem.Name = "SelectSlot1MenuItem"; - this.SelectSlot1MenuItem.Size = new System.Drawing.Size(172, 22); + this.SelectSlot1MenuItem.Size = new System.Drawing.Size(178, 22); this.SelectSlot1MenuItem.Text = "Select Slot 1"; this.SelectSlot1MenuItem.Click += new System.EventHandler(this.SelectSlotMenuItems_Click); // // SelectSlot2MenuItem // this.SelectSlot2MenuItem.Name = "SelectSlot2MenuItem"; - this.SelectSlot2MenuItem.Size = new System.Drawing.Size(172, 22); + this.SelectSlot2MenuItem.Size = new System.Drawing.Size(178, 22); this.SelectSlot2MenuItem.Text = "Select Slot 2"; this.SelectSlot2MenuItem.Click += new System.EventHandler(this.SelectSlotMenuItems_Click); // // SelectSlot3MenuItem // this.SelectSlot3MenuItem.Name = "SelectSlot3MenuItem"; - this.SelectSlot3MenuItem.Size = new System.Drawing.Size(172, 22); + this.SelectSlot3MenuItem.Size = new System.Drawing.Size(178, 22); this.SelectSlot3MenuItem.Text = "Select Slot 3"; this.SelectSlot3MenuItem.Click += new System.EventHandler(this.SelectSlotMenuItems_Click); // // SelectSlot4MenuItem // this.SelectSlot4MenuItem.Name = "SelectSlot4MenuItem"; - this.SelectSlot4MenuItem.Size = new System.Drawing.Size(172, 22); + this.SelectSlot4MenuItem.Size = new System.Drawing.Size(178, 22); this.SelectSlot4MenuItem.Text = "Select Slot 4"; this.SelectSlot4MenuItem.Click += new System.EventHandler(this.SelectSlotMenuItems_Click); // // SelectSlot5MenuItem // this.SelectSlot5MenuItem.Name = "SelectSlot5MenuItem"; - this.SelectSlot5MenuItem.Size = new System.Drawing.Size(172, 22); + this.SelectSlot5MenuItem.Size = new System.Drawing.Size(178, 22); this.SelectSlot5MenuItem.Text = "Select Slot 5"; this.SelectSlot5MenuItem.Click += new System.EventHandler(this.SelectSlotMenuItems_Click); // // SelectSlot6MenuItem // this.SelectSlot6MenuItem.Name = "SelectSlot6MenuItem"; - this.SelectSlot6MenuItem.Size = new System.Drawing.Size(172, 22); + this.SelectSlot6MenuItem.Size = new System.Drawing.Size(178, 22); this.SelectSlot6MenuItem.Text = "Select Slot 6"; this.SelectSlot6MenuItem.Click += new System.EventHandler(this.SelectSlotMenuItems_Click); // // SelectSlot7MenuItem // this.SelectSlot7MenuItem.Name = "SelectSlot7MenuItem"; - this.SelectSlot7MenuItem.Size = new System.Drawing.Size(172, 22); + this.SelectSlot7MenuItem.Size = new System.Drawing.Size(178, 22); this.SelectSlot7MenuItem.Text = "Select Slot 7"; this.SelectSlot7MenuItem.Click += new System.EventHandler(this.SelectSlotMenuItems_Click); // // SelectSlot8MenuItem // this.SelectSlot8MenuItem.Name = "SelectSlot8MenuItem"; - this.SelectSlot8MenuItem.Size = new System.Drawing.Size(172, 22); + this.SelectSlot8MenuItem.Size = new System.Drawing.Size(178, 22); this.SelectSlot8MenuItem.Text = "Select Slot 8"; this.SelectSlot8MenuItem.Click += new System.EventHandler(this.SelectSlotMenuItems_Click); // // SelectSlot9MenuItem // this.SelectSlot9MenuItem.Name = "SelectSlot9MenuItem"; - this.SelectSlot9MenuItem.Size = new System.Drawing.Size(172, 22); + this.SelectSlot9MenuItem.Size = new System.Drawing.Size(178, 22); this.SelectSlot9MenuItem.Text = "Select Slot 9"; this.SelectSlot9MenuItem.Click += new System.EventHandler(this.SelectSlotMenuItems_Click); // @@ -811,7 +817,7 @@ // this.PreviousSlotMenuItem.Image = global::BizHawk.Client.EmuHawk.Properties.Resources.MoveLeft; this.PreviousSlotMenuItem.Name = "PreviousSlotMenuItem"; - this.PreviousSlotMenuItem.Size = new System.Drawing.Size(172, 22); + this.PreviousSlotMenuItem.Size = new System.Drawing.Size(178, 22); this.PreviousSlotMenuItem.Text = "Previous Slot"; this.PreviousSlotMenuItem.Click += new System.EventHandler(this.PreviousSlotMenuItem_Click); // @@ -819,26 +825,26 @@ // this.NextSlotMenuItem.Image = global::BizHawk.Client.EmuHawk.Properties.Resources.MoveRight; this.NextSlotMenuItem.Name = "NextSlotMenuItem"; - this.NextSlotMenuItem.Size = new System.Drawing.Size(172, 22); + this.NextSlotMenuItem.Size = new System.Drawing.Size(178, 22); this.NextSlotMenuItem.Text = "Next Slot"; this.NextSlotMenuItem.Click += new System.EventHandler(this.NextSlotMenuItem_Click); // // toolStripSeparator5 // this.toolStripSeparator5.Name = "toolStripSeparator5"; - this.toolStripSeparator5.Size = new System.Drawing.Size(169, 6); + this.toolStripSeparator5.Size = new System.Drawing.Size(175, 6); // // SaveToCurrentSlotMenuItem // this.SaveToCurrentSlotMenuItem.Name = "SaveToCurrentSlotMenuItem"; - this.SaveToCurrentSlotMenuItem.Size = new System.Drawing.Size(172, 22); + this.SaveToCurrentSlotMenuItem.Size = new System.Drawing.Size(178, 22); this.SaveToCurrentSlotMenuItem.Text = "Save to Current Slot"; this.SaveToCurrentSlotMenuItem.Click += new System.EventHandler(this.SaveToCurrentSlotMenuItem_Click); // // LoadCurrentSlotMenuItem // this.LoadCurrentSlotMenuItem.Name = "LoadCurrentSlotMenuItem"; - this.LoadCurrentSlotMenuItem.Size = new System.Drawing.Size(172, 22); + this.LoadCurrentSlotMenuItem.Size = new System.Drawing.Size(178, 22); this.LoadCurrentSlotMenuItem.Text = "Load Current Slot"; this.LoadCurrentSlotMenuItem.Click += new System.EventHandler(this.LoadCurrentSlotMenuItem_Click); // @@ -848,7 +854,7 @@ this.FlushSaveRAMMenuItem}); this.SaveRAMSubMenu.Font = new System.Drawing.Font("Tahoma", 8.25F, System.Drawing.FontStyle.Bold); this.SaveRAMSubMenu.Name = "SaveRAMSubMenu"; - this.SaveRAMSubMenu.Size = new System.Drawing.Size(134, 22); + this.SaveRAMSubMenu.Size = new System.Drawing.Size(140, 22); this.SaveRAMSubMenu.Text = "Save RAM"; // // FlushSaveRAMMenuItem @@ -862,7 +868,7 @@ // toolStripMenuItem2 // this.toolStripMenuItem2.Name = "toolStripMenuItem2"; - this.toolStripMenuItem2.Size = new System.Drawing.Size(131, 6); + this.toolStripMenuItem2.Size = new System.Drawing.Size(137, 6); // // MovieSubMenu // @@ -882,7 +888,7 @@ this.FullMovieLoadstatesMenuItem, this.MovieEndSubMenu}); this.MovieSubMenu.Name = "MovieSubMenu"; - this.MovieSubMenu.Size = new System.Drawing.Size(134, 22); + this.MovieSubMenu.Size = new System.Drawing.Size(140, 22); this.MovieSubMenu.Text = "Movie"; this.MovieSubMenu.DropDownOpened += new System.EventHandler(this.MovieSubMenu_DropDownOpened); // @@ -890,14 +896,14 @@ // this.ReadonlyMenuItem.Image = global::BizHawk.Client.EmuHawk.Properties.Resources.ReadOnly; this.ReadonlyMenuItem.Name = "ReadonlyMenuItem"; - this.ReadonlyMenuItem.Size = new System.Drawing.Size(211, 22); + this.ReadonlyMenuItem.Size = new System.Drawing.Size(231, 22); this.ReadonlyMenuItem.Text = "Read-only"; this.ReadonlyMenuItem.Click += new System.EventHandler(this.ReadonlyMenuItem_Click); // // toolStripSeparator15 // this.toolStripSeparator15.Name = "toolStripSeparator15"; - this.toolStripSeparator15.Size = new System.Drawing.Size(208, 6); + this.toolStripSeparator15.Size = new System.Drawing.Size(228, 6); // // RecentMovieSubMenu // @@ -905,7 +911,7 @@ this.toolStripSeparator16}); this.RecentMovieSubMenu.Image = global::BizHawk.Client.EmuHawk.Properties.Resources.Recent; this.RecentMovieSubMenu.Name = "RecentMovieSubMenu"; - this.RecentMovieSubMenu.Size = new System.Drawing.Size(211, 22); + this.RecentMovieSubMenu.Size = new System.Drawing.Size(231, 22); this.RecentMovieSubMenu.Text = "Recent"; this.RecentMovieSubMenu.DropDownOpened += new System.EventHandler(this.RecentMovieSubMenu_DropDownOpened); // @@ -918,7 +924,7 @@ // this.RecordMovieMenuItem.Image = global::BizHawk.Client.EmuHawk.Properties.Resources.RecordHS; this.RecordMovieMenuItem.Name = "RecordMovieMenuItem"; - this.RecordMovieMenuItem.Size = new System.Drawing.Size(211, 22); + this.RecordMovieMenuItem.Size = new System.Drawing.Size(231, 22); this.RecordMovieMenuItem.Text = "&Record Movie..."; this.RecordMovieMenuItem.Click += new System.EventHandler(this.RecordMovieMenuItem_Click); // @@ -926,7 +932,7 @@ // this.PlayMovieMenuItem.Image = global::BizHawk.Client.EmuHawk.Properties.Resources.Play; this.PlayMovieMenuItem.Name = "PlayMovieMenuItem"; - this.PlayMovieMenuItem.Size = new System.Drawing.Size(211, 22); + this.PlayMovieMenuItem.Size = new System.Drawing.Size(231, 22); this.PlayMovieMenuItem.Text = "&Play Movie..."; this.PlayMovieMenuItem.Click += new System.EventHandler(this.PlayMovieMenuItem_Click); // @@ -934,7 +940,7 @@ // this.StopMovieMenuItem.Image = global::BizHawk.Client.EmuHawk.Properties.Resources.Stop; this.StopMovieMenuItem.Name = "StopMovieMenuItem"; - this.StopMovieMenuItem.Size = new System.Drawing.Size(211, 22); + this.StopMovieMenuItem.Size = new System.Drawing.Size(231, 22); this.StopMovieMenuItem.Text = "Stop Movie"; this.StopMovieMenuItem.Click += new System.EventHandler(this.StopMovieMenuItem_Click); // @@ -942,7 +948,7 @@ // this.PlayFromBeginningMenuItem.Image = global::BizHawk.Client.EmuHawk.Properties.Resources.restart; this.PlayFromBeginningMenuItem.Name = "PlayFromBeginningMenuItem"; - this.PlayFromBeginningMenuItem.Size = new System.Drawing.Size(211, 22); + this.PlayFromBeginningMenuItem.Size = new System.Drawing.Size(231, 22); this.PlayFromBeginningMenuItem.Text = "Play from Beginning"; this.PlayFromBeginningMenuItem.Click += new System.EventHandler(this.PlayFromBeginningMenuItem_Click); // @@ -950,7 +956,7 @@ // this.ImportMoviesMenuItem.Image = global::BizHawk.Client.EmuHawk.Properties.Resources.Import; this.ImportMoviesMenuItem.Name = "ImportMoviesMenuItem"; - this.ImportMoviesMenuItem.Size = new System.Drawing.Size(211, 22); + this.ImportMoviesMenuItem.Size = new System.Drawing.Size(231, 22); this.ImportMoviesMenuItem.Text = "Import Movies..."; this.ImportMoviesMenuItem.Click += new System.EventHandler(this.ImportMovieMenuItem_Click); // @@ -958,7 +964,7 @@ // this.SaveMovieMenuItem.Image = global::BizHawk.Client.EmuHawk.Properties.Resources.SaveAs; this.SaveMovieMenuItem.Name = "SaveMovieMenuItem"; - this.SaveMovieMenuItem.Size = new System.Drawing.Size(211, 22); + this.SaveMovieMenuItem.Size = new System.Drawing.Size(231, 22); this.SaveMovieMenuItem.Text = "&Save Movie"; this.SaveMovieMenuItem.Click += new System.EventHandler(this.SaveMovieMenuItem_Click); // @@ -966,26 +972,26 @@ // this.StopMovieWithoutSavingMenuItem.Image = global::BizHawk.Client.EmuHawk.Properties.Resources.Stop; this.StopMovieWithoutSavingMenuItem.Name = "StopMovieWithoutSavingMenuItem"; - this.StopMovieWithoutSavingMenuItem.Size = new System.Drawing.Size(211, 22); + this.StopMovieWithoutSavingMenuItem.Size = new System.Drawing.Size(231, 22); this.StopMovieWithoutSavingMenuItem.Text = "Stop Movie without Saving"; this.StopMovieWithoutSavingMenuItem.Click += new System.EventHandler(this.StopMovieWithoutSavingMenuItem_Click); // // toolStripSeparator14 // this.toolStripSeparator14.Name = "toolStripSeparator14"; - this.toolStripSeparator14.Size = new System.Drawing.Size(208, 6); + this.toolStripSeparator14.Size = new System.Drawing.Size(228, 6); // // AutomaticallyBackupMoviesMenuItem // this.AutomaticallyBackupMoviesMenuItem.Name = "AutomaticallyBackupMoviesMenuItem"; - this.AutomaticallyBackupMoviesMenuItem.Size = new System.Drawing.Size(211, 22); + this.AutomaticallyBackupMoviesMenuItem.Size = new System.Drawing.Size(231, 22); this.AutomaticallyBackupMoviesMenuItem.Text = "Automatically Backup Movies"; this.AutomaticallyBackupMoviesMenuItem.Click += new System.EventHandler(this.AutomaticMovieBackupMenuItem_Click); // // FullMovieLoadstatesMenuItem // this.FullMovieLoadstatesMenuItem.Name = "FullMovieLoadstatesMenuItem"; - this.FullMovieLoadstatesMenuItem.Size = new System.Drawing.Size(211, 22); + this.FullMovieLoadstatesMenuItem.Size = new System.Drawing.Size(231, 22); this.FullMovieLoadstatesMenuItem.Text = "Full Movie Loadstates"; this.FullMovieLoadstatesMenuItem.Click += new System.EventHandler(this.FullMovieLoadstatesMenuItem_Click); // @@ -997,35 +1003,35 @@ this.MovieEndStopMenuItem, this.MovieEndPauseMenuItem}); this.MovieEndSubMenu.Name = "MovieEndSubMenu"; - this.MovieEndSubMenu.Size = new System.Drawing.Size(211, 22); + this.MovieEndSubMenu.Size = new System.Drawing.Size(231, 22); this.MovieEndSubMenu.Text = "On Movie End"; this.MovieEndSubMenu.DropDownOpened += new System.EventHandler(this.MovieEndSubMenu_DropDownOpened); // // MovieEndFinishMenuItem // this.MovieEndFinishMenuItem.Name = "MovieEndFinishMenuItem"; - this.MovieEndFinishMenuItem.Size = new System.Drawing.Size(160, 22); + this.MovieEndFinishMenuItem.Size = new System.Drawing.Size(170, 22); this.MovieEndFinishMenuItem.Text = "Switch to Finished"; this.MovieEndFinishMenuItem.Click += new System.EventHandler(this.MovieEndFinishMenuItem_Click); // // MovieEndRecordMenuItem // this.MovieEndRecordMenuItem.Name = "MovieEndRecordMenuItem"; - this.MovieEndRecordMenuItem.Size = new System.Drawing.Size(160, 22); + this.MovieEndRecordMenuItem.Size = new System.Drawing.Size(170, 22); this.MovieEndRecordMenuItem.Text = "Switch To Record"; this.MovieEndRecordMenuItem.Click += new System.EventHandler(this.MovieEndRecordMenuItem_Click); // // MovieEndStopMenuItem // this.MovieEndStopMenuItem.Name = "MovieEndStopMenuItem"; - this.MovieEndStopMenuItem.Size = new System.Drawing.Size(160, 22); + this.MovieEndStopMenuItem.Size = new System.Drawing.Size(170, 22); this.MovieEndStopMenuItem.Text = "Stop"; this.MovieEndStopMenuItem.Click += new System.EventHandler(this.MovieEndStopMenuItem_Click); // // MovieEndPauseMenuItem // this.MovieEndPauseMenuItem.Name = "MovieEndPauseMenuItem"; - this.MovieEndPauseMenuItem.Size = new System.Drawing.Size(160, 22); + this.MovieEndPauseMenuItem.Size = new System.Drawing.Size(170, 22); this.MovieEndPauseMenuItem.Text = "Pause"; this.MovieEndPauseMenuItem.Click += new System.EventHandler(this.MovieEndPauseMenuItem_Click); // @@ -1038,7 +1044,7 @@ this.CaptureOSDMenuItem, this.SynclessRecordingMenuItem}); this.AVSubMenu.Name = "AVSubMenu"; - this.AVSubMenu.Size = new System.Drawing.Size(134, 22); + this.AVSubMenu.Size = new System.Drawing.Size(140, 22); this.AVSubMenu.Text = "AVI/WAV"; this.AVSubMenu.DropDownOpened += new System.EventHandler(this.AVSubMenu_DropDownOpened); // @@ -1046,7 +1052,7 @@ // this.RecordAVMenuItem.Image = global::BizHawk.Client.EmuHawk.Properties.Resources.AVI; this.RecordAVMenuItem.Name = "RecordAVMenuItem"; - this.RecordAVMenuItem.Size = new System.Drawing.Size(194, 22); + this.RecordAVMenuItem.Size = new System.Drawing.Size(206, 22); this.RecordAVMenuItem.Text = "&Record AVI/WAV"; this.RecordAVMenuItem.Click += new System.EventHandler(this.RecordAVMenuItem_Click); // @@ -1054,26 +1060,26 @@ // this.StopAVIMenuItem.Image = global::BizHawk.Client.EmuHawk.Properties.Resources.Stop; this.StopAVIMenuItem.Name = "StopAVIMenuItem"; - this.StopAVIMenuItem.Size = new System.Drawing.Size(194, 22); + this.StopAVIMenuItem.Size = new System.Drawing.Size(206, 22); this.StopAVIMenuItem.Text = "&Stop AVI/WAV"; this.StopAVIMenuItem.Click += new System.EventHandler(this.StopAVMenuItem_Click); // // toolStripSeparator19 // this.toolStripSeparator19.Name = "toolStripSeparator19"; - this.toolStripSeparator19.Size = new System.Drawing.Size(191, 6); + this.toolStripSeparator19.Size = new System.Drawing.Size(203, 6); // // CaptureOSDMenuItem // this.CaptureOSDMenuItem.Name = "CaptureOSDMenuItem"; - this.CaptureOSDMenuItem.Size = new System.Drawing.Size(194, 22); + this.CaptureOSDMenuItem.Size = new System.Drawing.Size(206, 22); this.CaptureOSDMenuItem.Text = "Capture OSD"; this.CaptureOSDMenuItem.Click += new System.EventHandler(this.CaptureOSDMenuItem_Click); // // SynclessRecordingMenuItem // this.SynclessRecordingMenuItem.Name = "SynclessRecordingMenuItem"; - this.SynclessRecordingMenuItem.Size = new System.Drawing.Size(194, 22); + this.SynclessRecordingMenuItem.Size = new System.Drawing.Size(206, 22); this.SynclessRecordingMenuItem.Text = "S&yncless Recording Tools"; this.SynclessRecordingMenuItem.Click += new System.EventHandler(this.SynclessRecordingMenuItem_Click); // @@ -1087,7 +1093,7 @@ this.toolStripSeparator20, this.ScreenshotCaptureOSDMenuItem1}); this.ScreenshotSubMenu.Name = "ScreenshotSubMenu"; - this.ScreenshotSubMenu.Size = new System.Drawing.Size(134, 22); + this.ScreenshotSubMenu.Size = new System.Drawing.Size(140, 22); this.ScreenshotSubMenu.Text = "Screenshot"; this.ScreenshotSubMenu.DropDownOpening += new System.EventHandler(this.ScreenshotSubMenu_DropDownOpening); // @@ -1095,14 +1101,14 @@ // this.ScreenshotMenuItem.Image = global::BizHawk.Client.EmuHawk.Properties.Resources.camera; this.ScreenshotMenuItem.Name = "ScreenshotMenuItem"; - this.ScreenshotMenuItem.Size = new System.Drawing.Size(296, 22); + this.ScreenshotMenuItem.Size = new System.Drawing.Size(317, 22); this.ScreenshotMenuItem.Text = "Screenshot"; this.ScreenshotMenuItem.Click += new System.EventHandler(this.ScreenshotMenuItem_Click); // // ScreenshotAsMenuItem // this.ScreenshotAsMenuItem.Name = "ScreenshotAsMenuItem"; - this.ScreenshotAsMenuItem.Size = new System.Drawing.Size(296, 22); + this.ScreenshotAsMenuItem.Size = new System.Drawing.Size(317, 22); this.ScreenshotAsMenuItem.Text = "Screenshot As..."; this.ScreenshotAsMenuItem.Click += new System.EventHandler(this.ScreenshotAsMenuItem_Click); // @@ -1110,7 +1116,7 @@ // this.ScreenshotClipboardMenuItem.Name = "ScreenshotClipboardMenuItem"; this.ScreenshotClipboardMenuItem.ShortcutKeys = ((System.Windows.Forms.Keys)((System.Windows.Forms.Keys.Control | System.Windows.Forms.Keys.C))); - this.ScreenshotClipboardMenuItem.Size = new System.Drawing.Size(296, 22); + this.ScreenshotClipboardMenuItem.Size = new System.Drawing.Size(317, 22); this.ScreenshotClipboardMenuItem.Text = "Screenshot (raw) -> Clipboard"; this.ScreenshotClipboardMenuItem.Click += new System.EventHandler(this.ScreenshotClipboardMenuItem_Click); // @@ -1119,32 +1125,32 @@ this.ScreenshotClientClipboardMenuItem.Name = "ScreenshotClientClipboardMenuItem"; this.ScreenshotClientClipboardMenuItem.ShortcutKeys = ((System.Windows.Forms.Keys)(((System.Windows.Forms.Keys.Control | System.Windows.Forms.Keys.Shift) | System.Windows.Forms.Keys.C))); - this.ScreenshotClientClipboardMenuItem.Size = new System.Drawing.Size(296, 22); + this.ScreenshotClientClipboardMenuItem.Size = new System.Drawing.Size(317, 22); this.ScreenshotClientClipboardMenuItem.Text = "Screenshot (client) -> Clipboard"; this.ScreenshotClientClipboardMenuItem.Click += new System.EventHandler(this.ScreenshotClientClipboardMenuItem_Click); // // toolStripSeparator20 // this.toolStripSeparator20.Name = "toolStripSeparator20"; - this.toolStripSeparator20.Size = new System.Drawing.Size(293, 6); + this.toolStripSeparator20.Size = new System.Drawing.Size(314, 6); // // ScreenshotCaptureOSDMenuItem1 // this.ScreenshotCaptureOSDMenuItem1.Name = "ScreenshotCaptureOSDMenuItem1"; - this.ScreenshotCaptureOSDMenuItem1.Size = new System.Drawing.Size(296, 22); + this.ScreenshotCaptureOSDMenuItem1.Size = new System.Drawing.Size(317, 22); this.ScreenshotCaptureOSDMenuItem1.Text = "Capture OSD"; this.ScreenshotCaptureOSDMenuItem1.Click += new System.EventHandler(this.ScreenshotCaptureOSDMenuItem_Click); // // toolStripSeparator4 // this.toolStripSeparator4.Name = "toolStripSeparator4"; - this.toolStripSeparator4.Size = new System.Drawing.Size(131, 6); + this.toolStripSeparator4.Size = new System.Drawing.Size(137, 6); // // ExitMenuItem // this.ExitMenuItem.Name = "ExitMenuItem"; this.ExitMenuItem.ShortcutKeys = ((System.Windows.Forms.Keys)((System.Windows.Forms.Keys.Alt | System.Windows.Forms.Keys.F4))); - this.ExitMenuItem.Size = new System.Drawing.Size(134, 22); + this.ExitMenuItem.Size = new System.Drawing.Size(140, 22); this.ExitMenuItem.Text = "Exit"; this.ExitMenuItem.Click += new System.EventHandler(this.ExitMenuItem_Click); // @@ -1157,7 +1163,7 @@ this.SoftResetMenuItem, this.HardResetMenuItem}); this.EmulationSubMenu.Name = "EmulationSubMenu"; - this.EmulationSubMenu.Size = new System.Drawing.Size(65, 17); + this.EmulationSubMenu.Size = new System.Drawing.Size(73, 19); this.EmulationSubMenu.Text = "&Emulation"; this.EmulationSubMenu.DropDownOpened += new System.EventHandler(this.emulationToolStripMenuItem_DropDownOpened); // @@ -1165,7 +1171,7 @@ // this.PauseMenuItem.Image = global::BizHawk.Client.EmuHawk.Properties.Resources.Pause; this.PauseMenuItem.Name = "PauseMenuItem"; - this.PauseMenuItem.Size = new System.Drawing.Size(135, 22); + this.PauseMenuItem.Size = new System.Drawing.Size(140, 22); this.PauseMenuItem.Text = "&Pause"; this.PauseMenuItem.Click += new System.EventHandler(this.PauseMenuItem_Click); // @@ -1173,26 +1179,26 @@ // this.RebootCoreMenuItem.Image = global::BizHawk.Client.EmuHawk.Properties.Resources.reboot; this.RebootCoreMenuItem.Name = "RebootCoreMenuItem"; - this.RebootCoreMenuItem.Size = new System.Drawing.Size(135, 22); + this.RebootCoreMenuItem.Size = new System.Drawing.Size(140, 22); this.RebootCoreMenuItem.Text = "&Reboot Core"; this.RebootCoreMenuItem.Click += new System.EventHandler(this.PowerMenuItem_Click); // // toolStripSeparator1 // this.toolStripSeparator1.Name = "toolStripSeparator1"; - this.toolStripSeparator1.Size = new System.Drawing.Size(132, 6); + this.toolStripSeparator1.Size = new System.Drawing.Size(137, 6); // // SoftResetMenuItem // this.SoftResetMenuItem.Name = "SoftResetMenuItem"; - this.SoftResetMenuItem.Size = new System.Drawing.Size(135, 22); + this.SoftResetMenuItem.Size = new System.Drawing.Size(140, 22); this.SoftResetMenuItem.Text = "&Soft Reset"; this.SoftResetMenuItem.Click += new System.EventHandler(this.SoftResetMenuItem_Click); // // HardResetMenuItem // this.HardResetMenuItem.Name = "HardResetMenuItem"; - this.HardResetMenuItem.Size = new System.Drawing.Size(135, 22); + this.HardResetMenuItem.Size = new System.Drawing.Size(140, 22); this.HardResetMenuItem.Text = "&Hard Reset"; this.HardResetMenuItem.Click += new System.EventHandler(this.HardResetMenuItem_Click); // @@ -1210,9 +1216,10 @@ this.DisplaySubtitlesMenuItem, this.toolStripMenuItem4, this.DisplayStatusBarMenuItem, + this.DisplayMessagesMenuItem, this.DisplayLogWindowMenuItem}); this.ViewSubMenu.Name = "ViewSubMenu"; - this.ViewSubMenu.Size = new System.Drawing.Size(41, 17); + this.ViewSubMenu.Size = new System.Drawing.Size(44, 19); this.ViewSubMenu.Text = "&View"; this.ViewSubMenu.DropDownOpened += new System.EventHandler(this.ViewSubMenu_DropDownOpened); // @@ -1226,49 +1233,49 @@ this.x5MenuItem, this.mzMenuItem}); this.WindowSizeSubMenu.Name = "WindowSizeSubMenu"; - this.WindowSizeSubMenu.Size = new System.Drawing.Size(187, 22); + this.WindowSizeSubMenu.Size = new System.Drawing.Size(198, 22); this.WindowSizeSubMenu.Text = "&Window Size"; this.WindowSizeSubMenu.DropDownOpened += new System.EventHandler(this.WindowSizeSubMenu_DropDownOpened); // // x1MenuItem // this.x1MenuItem.Name = "x1MenuItem"; - this.x1MenuItem.Size = new System.Drawing.Size(94, 22); + this.x1MenuItem.Size = new System.Drawing.Size(96, 22); this.x1MenuItem.Text = "&1x"; this.x1MenuItem.Click += new System.EventHandler(this.WindowSize_Click); // // x2MenuItem // this.x2MenuItem.Name = "x2MenuItem"; - this.x2MenuItem.Size = new System.Drawing.Size(94, 22); + this.x2MenuItem.Size = new System.Drawing.Size(96, 22); this.x2MenuItem.Text = "&2x"; this.x2MenuItem.Click += new System.EventHandler(this.WindowSize_Click); // // x3MenuItem // this.x3MenuItem.Name = "x3MenuItem"; - this.x3MenuItem.Size = new System.Drawing.Size(94, 22); + this.x3MenuItem.Size = new System.Drawing.Size(96, 22); this.x3MenuItem.Text = "&3x"; this.x3MenuItem.Click += new System.EventHandler(this.WindowSize_Click); // // x4MenuItem // this.x4MenuItem.Name = "x4MenuItem"; - this.x4MenuItem.Size = new System.Drawing.Size(94, 22); + this.x4MenuItem.Size = new System.Drawing.Size(96, 22); this.x4MenuItem.Text = "&4x"; this.x4MenuItem.Click += new System.EventHandler(this.WindowSize_Click); // // x5MenuItem // this.x5MenuItem.Name = "x5MenuItem"; - this.x5MenuItem.Size = new System.Drawing.Size(94, 22); + this.x5MenuItem.Size = new System.Drawing.Size(96, 22); this.x5MenuItem.Text = "&5x"; this.x5MenuItem.Click += new System.EventHandler(this.WindowSize_Click); // // mzMenuItem // this.mzMenuItem.Name = "mzMenuItem"; - this.mzMenuItem.Size = new System.Drawing.Size(94, 22); + this.mzMenuItem.Size = new System.Drawing.Size(96, 22); this.mzMenuItem.Text = "&Max"; this.mzMenuItem.Click += new System.EventHandler(this.WindowSize_Click); // @@ -1276,73 +1283,80 @@ // this.SwitchToFullscreenMenuItem.Image = global::BizHawk.Client.EmuHawk.Properties.Resources.Fullscreen; this.SwitchToFullscreenMenuItem.Name = "SwitchToFullscreenMenuItem"; - this.SwitchToFullscreenMenuItem.Size = new System.Drawing.Size(187, 22); + this.SwitchToFullscreenMenuItem.Size = new System.Drawing.Size(198, 22); this.SwitchToFullscreenMenuItem.Text = "Switch to Fullscreen"; this.SwitchToFullscreenMenuItem.Click += new System.EventHandler(this.SwitchToFullscreenMenuItem_Click); // // toolStripSeparator2 // this.toolStripSeparator2.Name = "toolStripSeparator2"; - this.toolStripSeparator2.Size = new System.Drawing.Size(184, 6); + this.toolStripSeparator2.Size = new System.Drawing.Size(195, 6); // // DisplayFPSMenuItem // this.DisplayFPSMenuItem.Name = "DisplayFPSMenuItem"; - this.DisplayFPSMenuItem.Size = new System.Drawing.Size(187, 22); + this.DisplayFPSMenuItem.Size = new System.Drawing.Size(198, 22); this.DisplayFPSMenuItem.Text = "Display FPS"; this.DisplayFPSMenuItem.Click += new System.EventHandler(this.DisplayFPSMenuItem_Click); // // DisplayFrameCounterMenuItem // this.DisplayFrameCounterMenuItem.Name = "DisplayFrameCounterMenuItem"; - this.DisplayFrameCounterMenuItem.Size = new System.Drawing.Size(187, 22); + this.DisplayFrameCounterMenuItem.Size = new System.Drawing.Size(198, 22); this.DisplayFrameCounterMenuItem.Text = "Display FrameCounter"; this.DisplayFrameCounterMenuItem.Click += new System.EventHandler(this.DisplayFrameCounterMenuItem_Click); // // DisplayLagCounterMenuItem // this.DisplayLagCounterMenuItem.Name = "DisplayLagCounterMenuItem"; - this.DisplayLagCounterMenuItem.Size = new System.Drawing.Size(187, 22); + this.DisplayLagCounterMenuItem.Size = new System.Drawing.Size(198, 22); this.DisplayLagCounterMenuItem.Text = "Display Lag Counter"; this.DisplayLagCounterMenuItem.Click += new System.EventHandler(this.DisplayLagCounterMenuItem_Click); // // DisplayInputMenuItem // this.DisplayInputMenuItem.Name = "DisplayInputMenuItem"; - this.DisplayInputMenuItem.Size = new System.Drawing.Size(187, 22); + this.DisplayInputMenuItem.Size = new System.Drawing.Size(198, 22); this.DisplayInputMenuItem.Text = "Display Input"; this.DisplayInputMenuItem.Click += new System.EventHandler(this.DisplayInputMenuItem_Click); // // DisplayRerecordCountMenuItem // this.DisplayRerecordCountMenuItem.Name = "DisplayRerecordCountMenuItem"; - this.DisplayRerecordCountMenuItem.Size = new System.Drawing.Size(187, 22); + this.DisplayRerecordCountMenuItem.Size = new System.Drawing.Size(198, 22); this.DisplayRerecordCountMenuItem.Text = "Display Rerecord Count"; this.DisplayRerecordCountMenuItem.Click += new System.EventHandler(this.DisplayRerecordsMenuItem_Click); // // DisplaySubtitlesMenuItem // this.DisplaySubtitlesMenuItem.Name = "DisplaySubtitlesMenuItem"; - this.DisplaySubtitlesMenuItem.Size = new System.Drawing.Size(187, 22); + this.DisplaySubtitlesMenuItem.Size = new System.Drawing.Size(198, 22); this.DisplaySubtitlesMenuItem.Text = "Display Subtitles"; this.DisplaySubtitlesMenuItem.Click += new System.EventHandler(this.DisplaySubtitlesMenuItem_Click); // // toolStripMenuItem4 // this.toolStripMenuItem4.Name = "toolStripMenuItem4"; - this.toolStripMenuItem4.Size = new System.Drawing.Size(184, 6); + this.toolStripMenuItem4.Size = new System.Drawing.Size(195, 6); // // DisplayStatusBarMenuItem // this.DisplayStatusBarMenuItem.Name = "DisplayStatusBarMenuItem"; - this.DisplayStatusBarMenuItem.Size = new System.Drawing.Size(187, 22); + this.DisplayStatusBarMenuItem.Size = new System.Drawing.Size(198, 22); this.DisplayStatusBarMenuItem.Text = "Display Status Bar"; this.DisplayStatusBarMenuItem.Click += new System.EventHandler(this.DisplayStatusBarMenuItem_Click); // + // DisplayMessagesMenuItem + // + this.DisplayMessagesMenuItem.Name = "DisplayMessagesMenuItem"; + this.DisplayMessagesMenuItem.Size = new System.Drawing.Size(198, 22); + this.DisplayMessagesMenuItem.Text = "Display Messages"; + this.DisplayMessagesMenuItem.Click += new System.EventHandler(this.DisplayMessagesMenuItem_Click); + // // DisplayLogWindowMenuItem // this.DisplayLogWindowMenuItem.Name = "DisplayLogWindowMenuItem"; - this.DisplayLogWindowMenuItem.Size = new System.Drawing.Size(187, 22); + this.DisplayLogWindowMenuItem.Size = new System.Drawing.Size(198, 22); this.DisplayLogWindowMenuItem.Text = "Display Log Window"; this.DisplayLogWindowMenuItem.Click += new System.EventHandler(this.DisplayLogWindowMenuItem_Click); // @@ -1369,7 +1383,7 @@ this.SaveConfigMenuItem, this.LoadConfigMenuItem}); this.ConfigSubMenu.Name = "ConfigSubMenu"; - this.ConfigSubMenu.Size = new System.Drawing.Size(50, 17); + this.ConfigSubMenu.Size = new System.Drawing.Size(55, 19); this.ConfigSubMenu.Text = "&Config"; this.ConfigSubMenu.DropDownOpened += new System.EventHandler(this.ConfigSubMenu_DropDownOpened); // @@ -1377,7 +1391,7 @@ // this.ControllersMenuItem.Image = global::BizHawk.Client.EmuHawk.Properties.Resources.GameController; this.ControllersMenuItem.Name = "ControllersMenuItem"; - this.ControllersMenuItem.Size = new System.Drawing.Size(165, 22); + this.ControllersMenuItem.Size = new System.Drawing.Size(169, 22); this.ControllersMenuItem.Text = "&Controllers..."; this.ControllersMenuItem.Click += new System.EventHandler(this.ControllersMenuItem_Click); // @@ -1385,7 +1399,7 @@ // this.HotkeysMenuItem.Image = global::BizHawk.Client.EmuHawk.Properties.Resources.HotKeys; this.HotkeysMenuItem.Name = "HotkeysMenuItem"; - this.HotkeysMenuItem.Size = new System.Drawing.Size(165, 22); + this.HotkeysMenuItem.Size = new System.Drawing.Size(169, 22); this.HotkeysMenuItem.Text = "&Hotkeys..."; this.HotkeysMenuItem.Click += new System.EventHandler(this.HotkeysMenuItem_Click); // @@ -1393,7 +1407,7 @@ // this.DisplayConfigMenuItem.Image = ((System.Drawing.Image)(resources.GetObject("DisplayConfigMenuItem.Image"))); this.DisplayConfigMenuItem.Name = "DisplayConfigMenuItem"; - this.DisplayConfigMenuItem.Size = new System.Drawing.Size(165, 22); + this.DisplayConfigMenuItem.Size = new System.Drawing.Size(169, 22); this.DisplayConfigMenuItem.Text = "Display..."; this.DisplayConfigMenuItem.Click += new System.EventHandler(this.DisplayConfigMenuItem_Click); // @@ -1401,7 +1415,7 @@ // this.SoundMenuItem.Image = global::BizHawk.Client.EmuHawk.Properties.Resources.AudioHS; this.SoundMenuItem.Name = "SoundMenuItem"; - this.SoundMenuItem.Size = new System.Drawing.Size(165, 22); + this.SoundMenuItem.Size = new System.Drawing.Size(169, 22); this.SoundMenuItem.Text = "&Sound..."; this.SoundMenuItem.Click += new System.EventHandler(this.SoundMenuItem_Click); // @@ -1409,7 +1423,7 @@ // this.PathsMenuItem.Image = global::BizHawk.Client.EmuHawk.Properties.Resources.CopyFolderHS; this.PathsMenuItem.Name = "PathsMenuItem"; - this.PathsMenuItem.Size = new System.Drawing.Size(165, 22); + this.PathsMenuItem.Size = new System.Drawing.Size(169, 22); this.PathsMenuItem.Text = "Paths..."; this.PathsMenuItem.Click += new System.EventHandler(this.PathsMenuItem_Click); // @@ -1417,7 +1431,7 @@ // this.FirmwaresMenuItem.Image = ((System.Drawing.Image)(resources.GetObject("FirmwaresMenuItem.Image"))); this.FirmwaresMenuItem.Name = "FirmwaresMenuItem"; - this.FirmwaresMenuItem.Size = new System.Drawing.Size(165, 22); + this.FirmwaresMenuItem.Size = new System.Drawing.Size(169, 22); this.FirmwaresMenuItem.Text = "&Firmwares..."; this.FirmwaresMenuItem.Click += new System.EventHandler(this.FirmwaresMenuItem_Click); // @@ -1425,7 +1439,7 @@ // this.MessagesMenuItem.Image = global::BizHawk.Client.EmuHawk.Properties.Resources.MessageConfig; this.MessagesMenuItem.Name = "MessagesMenuItem"; - this.MessagesMenuItem.Size = new System.Drawing.Size(165, 22); + this.MessagesMenuItem.Size = new System.Drawing.Size(169, 22); this.MessagesMenuItem.Text = "&Messages..."; this.MessagesMenuItem.Click += new System.EventHandler(this.MessagesMenuItem_Click); // @@ -1433,7 +1447,7 @@ // this.AutofireMenuItem.Image = global::BizHawk.Client.EmuHawk.Properties.Resources.Lightning; this.AutofireMenuItem.Name = "AutofireMenuItem"; - this.AutofireMenuItem.Size = new System.Drawing.Size(165, 22); + this.AutofireMenuItem.Size = new System.Drawing.Size(169, 22); this.AutofireMenuItem.Text = "&Autofire..."; this.AutofireMenuItem.Click += new System.EventHandler(this.AutofireMenuItem_Click); // @@ -1441,21 +1455,21 @@ // this.RewindOptionsMenuItem.Image = global::BizHawk.Client.EmuHawk.Properties.Resources.Previous; this.RewindOptionsMenuItem.Name = "RewindOptionsMenuItem"; - this.RewindOptionsMenuItem.Size = new System.Drawing.Size(165, 22); + this.RewindOptionsMenuItem.Size = new System.Drawing.Size(169, 22); this.RewindOptionsMenuItem.Text = "&Rewind && States..."; this.RewindOptionsMenuItem.Click += new System.EventHandler(this.RewindOptionsMenuItem_Click); // // extensionsToolStripMenuItem // this.extensionsToolStripMenuItem.Name = "extensionsToolStripMenuItem"; - this.extensionsToolStripMenuItem.Size = new System.Drawing.Size(165, 22); + this.extensionsToolStripMenuItem.Size = new System.Drawing.Size(169, 22); this.extensionsToolStripMenuItem.Text = "File Extensions..."; this.extensionsToolStripMenuItem.Click += new System.EventHandler(this.FileExtensionsMenuItem_Click); // // ClientOptionsMenuItem // this.ClientOptionsMenuItem.Name = "ClientOptionsMenuItem"; - this.ClientOptionsMenuItem.Size = new System.Drawing.Size(165, 22); + this.ClientOptionsMenuItem.Size = new System.Drawing.Size(169, 22); this.ClientOptionsMenuItem.Text = "&Customize..."; this.ClientOptionsMenuItem.Click += new System.EventHandler(this.CustomizeMenuItem_Click); // @@ -1463,14 +1477,14 @@ // this.ProfilesMenuItem.Image = global::BizHawk.Client.EmuHawk.Properties.Resources.user_blue_small; this.ProfilesMenuItem.Name = "ProfilesMenuItem"; - this.ProfilesMenuItem.Size = new System.Drawing.Size(165, 22); + this.ProfilesMenuItem.Size = new System.Drawing.Size(169, 22); this.ProfilesMenuItem.Text = "&Profiles..."; this.ProfilesMenuItem.Click += new System.EventHandler(this.ProfilesMenuItem_Click); // // toolStripSeparator9 // this.toolStripSeparator9.Name = "toolStripSeparator9"; - this.toolStripSeparator9.Size = new System.Drawing.Size(162, 6); + this.toolStripSeparator9.Size = new System.Drawing.Size(166, 6); // // SpeedSkipSubMenu // @@ -1481,8 +1495,84 @@ this.toolStripSeparator27, this.VsyncEnabledMenuItem, this.toolStripMenuItem3, + this.miUnthrottled, this.MinimizeSkippingMenuItem, this.NeverSkipMenuItem, + this.toolStripMenuItem17, + this.toolStripMenuItem5, + this.Speed50MenuItem, + this.Speed75MenuItem, + this.Speed100MenuItem, + this.Speed150MenuItem, + this.Speed200MenuItem, + this.Speed400MenuItem}); + this.SpeedSkipSubMenu.Name = "SpeedSkipSubMenu"; + this.SpeedSkipSubMenu.Size = new System.Drawing.Size(169, 22); + this.SpeedSkipSubMenu.Text = "Speed/Skip"; + this.SpeedSkipSubMenu.DropDownOpened += new System.EventHandler(this.FrameSkipMenuItem_DropDownOpened); + // + // ClockThrottleMenuItem + // + this.ClockThrottleMenuItem.Name = "ClockThrottleMenuItem"; + this.ClockThrottleMenuItem.Size = new System.Drawing.Size(202, 22); + this.ClockThrottleMenuItem.Text = "Clock Throttle"; + this.ClockThrottleMenuItem.Click += new System.EventHandler(this.ClockThrottleMenuItem_Click); + // + // AudioThrottleMenuItem + // + this.AudioThrottleMenuItem.Name = "AudioThrottleMenuItem"; + this.AudioThrottleMenuItem.Size = new System.Drawing.Size(202, 22); + this.AudioThrottleMenuItem.Text = "Audio Throttle"; + this.AudioThrottleMenuItem.Click += new System.EventHandler(this.AudioThrottleMenuItem_Click); + // + // VsyncThrottleMenuItem + // + this.VsyncThrottleMenuItem.Name = "VsyncThrottleMenuItem"; + this.VsyncThrottleMenuItem.Size = new System.Drawing.Size(202, 22); + this.VsyncThrottleMenuItem.Text = "VSync Throttle"; + this.VsyncThrottleMenuItem.Click += new System.EventHandler(this.VsyncThrottleMenuItem_Click); + // + // toolStripSeparator27 + // + this.toolStripSeparator27.Name = "toolStripSeparator27"; + this.toolStripSeparator27.Size = new System.Drawing.Size(199, 6); + // + // VsyncEnabledMenuItem + // + this.VsyncEnabledMenuItem.Name = "VsyncEnabledMenuItem"; + this.VsyncEnabledMenuItem.Size = new System.Drawing.Size(202, 22); + this.VsyncEnabledMenuItem.Text = "VSync Enabled"; + this.VsyncEnabledMenuItem.Click += new System.EventHandler(this.VsyncEnabledMenuItem_Click); + // + // toolStripMenuItem3 + // + this.toolStripMenuItem3.Name = "toolStripMenuItem3"; + this.toolStripMenuItem3.Size = new System.Drawing.Size(199, 6); + // + // miUnthrottled + // + this.miUnthrottled.Name = "miUnthrottled"; + this.miUnthrottled.Size = new System.Drawing.Size(202, 22); + this.miUnthrottled.Text = "Unthrottled"; + this.miUnthrottled.Click += new System.EventHandler(this.miUnthrottled_Click); + // + // MinimizeSkippingMenuItem + // + this.MinimizeSkippingMenuItem.Name = "MinimizeSkippingMenuItem"; + this.MinimizeSkippingMenuItem.Size = new System.Drawing.Size(202, 22); + this.MinimizeSkippingMenuItem.Text = "Auto-minimize skipping"; + this.MinimizeSkippingMenuItem.Click += new System.EventHandler(this.MinimizeSkippingMenuItem_Click); + // + // NeverSkipMenuItem + // + this.NeverSkipMenuItem.Name = "NeverSkipMenuItem"; + this.NeverSkipMenuItem.Size = new System.Drawing.Size(202, 22); + this.NeverSkipMenuItem.Text = "Skip 0 (never)"; + this.NeverSkipMenuItem.Click += new System.EventHandler(this.NeverSkipMenuItem_Click); + // + // toolStripMenuItem17 + // + this.toolStripMenuItem17.DropDownItems.AddRange(new System.Windows.Forms.ToolStripItem[] { this.Frameskip1MenuItem, this.Frameskip2MenuItem, this.Frameskip3MenuItem, @@ -1491,173 +1581,121 @@ this.Frameskip6MenuItem, this.Frameskip7MenuItem, this.Frameskip8MenuItem, - this.Frameskip9MenuItem, - this.toolStripMenuItem5, - this.Speed50MenuItem, - this.Speed75MenuItem, - this.Speed100MenuItem, - this.Speed150MenuItem, - this.Speed200MenuItem}); - this.SpeedSkipSubMenu.Name = "SpeedSkipSubMenu"; - this.SpeedSkipSubMenu.Size = new System.Drawing.Size(165, 22); - this.SpeedSkipSubMenu.Text = "Speed/Skip"; - this.SpeedSkipSubMenu.DropDownOpened += new System.EventHandler(this.FrameSkipMenuItem_DropDownOpened); - // - // ClockThrottleMenuItem - // - this.ClockThrottleMenuItem.Name = "ClockThrottleMenuItem"; - this.ClockThrottleMenuItem.Size = new System.Drawing.Size(181, 22); - this.ClockThrottleMenuItem.Text = "Clock Throttle"; - this.ClockThrottleMenuItem.Click += new System.EventHandler(this.ClockThrottleMenuItem_Click); - // - // AudioThrottleMenuItem - // - this.AudioThrottleMenuItem.Name = "AudioThrottleMenuItem"; - this.AudioThrottleMenuItem.Size = new System.Drawing.Size(181, 22); - this.AudioThrottleMenuItem.Text = "Audio Throttle"; - this.AudioThrottleMenuItem.Click += new System.EventHandler(this.AudioThrottleMenuItem_Click); - // - // VsyncThrottleMenuItem - // - this.VsyncThrottleMenuItem.Name = "VsyncThrottleMenuItem"; - this.VsyncThrottleMenuItem.Size = new System.Drawing.Size(181, 22); - this.VsyncThrottleMenuItem.Text = "VSync Throttle"; - this.VsyncThrottleMenuItem.Click += new System.EventHandler(this.VsyncThrottleMenuItem_Click); - // - // toolStripSeparator27 - // - this.toolStripSeparator27.Name = "toolStripSeparator27"; - this.toolStripSeparator27.Size = new System.Drawing.Size(178, 6); - // - // VsyncEnabledMenuItem - // - this.VsyncEnabledMenuItem.Name = "VsyncEnabledMenuItem"; - this.VsyncEnabledMenuItem.Size = new System.Drawing.Size(181, 22); - this.VsyncEnabledMenuItem.Text = "VSync Enabled"; - this.VsyncEnabledMenuItem.Click += new System.EventHandler(this.VsyncEnabledMenuItem_Click); - // - // toolStripMenuItem3 - // - this.toolStripMenuItem3.Name = "toolStripMenuItem3"; - this.toolStripMenuItem3.Size = new System.Drawing.Size(178, 6); - // - // MinimizeSkippingMenuItem - // - this.MinimizeSkippingMenuItem.Name = "MinimizeSkippingMenuItem"; - this.MinimizeSkippingMenuItem.Size = new System.Drawing.Size(181, 22); - this.MinimizeSkippingMenuItem.Text = "Auto-minimize skipping"; - this.MinimizeSkippingMenuItem.Click += new System.EventHandler(this.MinimizeSkippingMenuItem_Click); - // - // NeverSkipMenuItem - // - this.NeverSkipMenuItem.Name = "NeverSkipMenuItem"; - this.NeverSkipMenuItem.Size = new System.Drawing.Size(181, 22); - this.NeverSkipMenuItem.Text = "0 (never skip)"; - this.NeverSkipMenuItem.Click += new System.EventHandler(this.NeverSkipMenuItem_Click); + this.Frameskip9MenuItem}); + this.toolStripMenuItem17.Name = "toolStripMenuItem17"; + this.toolStripMenuItem17.Size = new System.Drawing.Size(202, 22); + this.toolStripMenuItem17.Text = "Skip 1..9"; // // Frameskip1MenuItem // this.Frameskip1MenuItem.Name = "Frameskip1MenuItem"; - this.Frameskip1MenuItem.Size = new System.Drawing.Size(181, 22); + this.Frameskip1MenuItem.Size = new System.Drawing.Size(80, 22); this.Frameskip1MenuItem.Text = "1"; this.Frameskip1MenuItem.Click += new System.EventHandler(this.Frameskip1MenuItem_Click); // // Frameskip2MenuItem // this.Frameskip2MenuItem.Name = "Frameskip2MenuItem"; - this.Frameskip2MenuItem.Size = new System.Drawing.Size(181, 22); + this.Frameskip2MenuItem.Size = new System.Drawing.Size(80, 22); this.Frameskip2MenuItem.Text = "2"; this.Frameskip2MenuItem.Click += new System.EventHandler(this.Frameskip2MenuItem_Click); // // Frameskip3MenuItem // this.Frameskip3MenuItem.Name = "Frameskip3MenuItem"; - this.Frameskip3MenuItem.Size = new System.Drawing.Size(181, 22); + this.Frameskip3MenuItem.Size = new System.Drawing.Size(80, 22); this.Frameskip3MenuItem.Text = "3"; this.Frameskip3MenuItem.Click += new System.EventHandler(this.Frameskip3MenuItem_Click); // // Frameskip4MenuItem // this.Frameskip4MenuItem.Name = "Frameskip4MenuItem"; - this.Frameskip4MenuItem.Size = new System.Drawing.Size(181, 22); + this.Frameskip4MenuItem.Size = new System.Drawing.Size(80, 22); this.Frameskip4MenuItem.Text = "4"; this.Frameskip4MenuItem.Click += new System.EventHandler(this.Frameskip4MenuItem_Click); // // Frameskip5MenuItem // this.Frameskip5MenuItem.Name = "Frameskip5MenuItem"; - this.Frameskip5MenuItem.Size = new System.Drawing.Size(181, 22); + this.Frameskip5MenuItem.Size = new System.Drawing.Size(80, 22); this.Frameskip5MenuItem.Text = "5"; this.Frameskip5MenuItem.Click += new System.EventHandler(this.Frameskip5MenuItem_Click); // // Frameskip6MenuItem // this.Frameskip6MenuItem.Name = "Frameskip6MenuItem"; - this.Frameskip6MenuItem.Size = new System.Drawing.Size(181, 22); + this.Frameskip6MenuItem.Size = new System.Drawing.Size(80, 22); this.Frameskip6MenuItem.Text = "6"; this.Frameskip6MenuItem.Click += new System.EventHandler(this.Frameskip6MenuItem_Click); // // Frameskip7MenuItem // this.Frameskip7MenuItem.Name = "Frameskip7MenuItem"; - this.Frameskip7MenuItem.Size = new System.Drawing.Size(181, 22); + this.Frameskip7MenuItem.Size = new System.Drawing.Size(80, 22); this.Frameskip7MenuItem.Text = "7"; this.Frameskip7MenuItem.Click += new System.EventHandler(this.Frameskip7MenuItem_Click); // // Frameskip8MenuItem // this.Frameskip8MenuItem.Name = "Frameskip8MenuItem"; - this.Frameskip8MenuItem.Size = new System.Drawing.Size(181, 22); + this.Frameskip8MenuItem.Size = new System.Drawing.Size(80, 22); this.Frameskip8MenuItem.Text = "8"; this.Frameskip8MenuItem.Click += new System.EventHandler(this.Frameskip8MenuItem_Click); // // Frameskip9MenuItem // this.Frameskip9MenuItem.Name = "Frameskip9MenuItem"; - this.Frameskip9MenuItem.Size = new System.Drawing.Size(181, 22); + this.Frameskip9MenuItem.Size = new System.Drawing.Size(80, 22); this.Frameskip9MenuItem.Text = "9"; this.Frameskip9MenuItem.Click += new System.EventHandler(this.Frameskip9MenuItem_Click); // // toolStripMenuItem5 // this.toolStripMenuItem5.Name = "toolStripMenuItem5"; - this.toolStripMenuItem5.Size = new System.Drawing.Size(178, 6); + this.toolStripMenuItem5.Size = new System.Drawing.Size(199, 6); // // Speed50MenuItem // this.Speed50MenuItem.Name = "Speed50MenuItem"; - this.Speed50MenuItem.Size = new System.Drawing.Size(181, 22); + this.Speed50MenuItem.Size = new System.Drawing.Size(202, 22); this.Speed50MenuItem.Text = "Speed 50%"; this.Speed50MenuItem.Click += new System.EventHandler(this.Speed50MenuItem_Click); // // Speed75MenuItem // this.Speed75MenuItem.Name = "Speed75MenuItem"; - this.Speed75MenuItem.Size = new System.Drawing.Size(181, 22); + this.Speed75MenuItem.Size = new System.Drawing.Size(202, 22); this.Speed75MenuItem.Text = "Speed 75%"; this.Speed75MenuItem.Click += new System.EventHandler(this.Speed75MenuItem_Click); // // Speed100MenuItem // this.Speed100MenuItem.Name = "Speed100MenuItem"; - this.Speed100MenuItem.Size = new System.Drawing.Size(181, 22); + this.Speed100MenuItem.Size = new System.Drawing.Size(202, 22); this.Speed100MenuItem.Text = "Speed 100%"; this.Speed100MenuItem.Click += new System.EventHandler(this.Speed100MenuItem_Click); // // Speed150MenuItem // this.Speed150MenuItem.Name = "Speed150MenuItem"; - this.Speed150MenuItem.Size = new System.Drawing.Size(181, 22); + this.Speed150MenuItem.Size = new System.Drawing.Size(202, 22); this.Speed150MenuItem.Text = "Speed 150%"; this.Speed150MenuItem.Click += new System.EventHandler(this.Speed150MenuItem_Click); // // Speed200MenuItem // this.Speed200MenuItem.Name = "Speed200MenuItem"; - this.Speed200MenuItem.Size = new System.Drawing.Size(181, 22); + this.Speed200MenuItem.Size = new System.Drawing.Size(202, 22); this.Speed200MenuItem.Text = "Speed 200%"; this.Speed200MenuItem.Click += new System.EventHandler(this.Speed200MenuItem_Click); // + // Speed400MenuItem + // + this.Speed400MenuItem.Name = "Speed400MenuItem"; + this.Speed400MenuItem.Size = new System.Drawing.Size(202, 22); + this.Speed400MenuItem.Text = "Speed 400%"; + this.Speed400MenuItem.Click += new System.EventHandler(this.Speed400MenuItem_Click); + // // KeyPrioritySubMenu // this.KeyPrioritySubMenu.DropDownItems.AddRange(new System.Windows.Forms.ToolStripItem[] { @@ -1665,28 +1703,28 @@ this.InputOverHkMenuItem, this.HkOverInputMenuItem}); this.KeyPrioritySubMenu.Name = "KeyPrioritySubMenu"; - this.KeyPrioritySubMenu.Size = new System.Drawing.Size(165, 22); + this.KeyPrioritySubMenu.Size = new System.Drawing.Size(169, 22); this.KeyPrioritySubMenu.Text = "Key Priority"; this.KeyPrioritySubMenu.DropDownOpened += new System.EventHandler(this.KeyPriorityMenuItem_DropDownOpened); // // BothHkAndControllerMenuItem // this.BothHkAndControllerMenuItem.Name = "BothHkAndControllerMenuItem"; - this.BothHkAndControllerMenuItem.Size = new System.Drawing.Size(214, 22); + this.BothHkAndControllerMenuItem.Size = new System.Drawing.Size(229, 22); this.BothHkAndControllerMenuItem.Text = "Both Hotkeys and Controllers"; this.BothHkAndControllerMenuItem.Click += new System.EventHandler(this.BothHkAndControllerMenuItem_Click); // // InputOverHkMenuItem // this.InputOverHkMenuItem.Name = "InputOverHkMenuItem"; - this.InputOverHkMenuItem.Size = new System.Drawing.Size(214, 22); + this.InputOverHkMenuItem.Size = new System.Drawing.Size(229, 22); this.InputOverHkMenuItem.Text = "Input overrides Hotkeys"; this.InputOverHkMenuItem.Click += new System.EventHandler(this.InputOverHkMenuItem_Click); // // HkOverInputMenuItem // this.HkOverInputMenuItem.Name = "HkOverInputMenuItem"; - this.HkOverInputMenuItem.Size = new System.Drawing.Size(214, 22); + this.HkOverInputMenuItem.Size = new System.Drawing.Size(229, 22); this.HkOverInputMenuItem.Text = "Hotkeys override Input"; this.HkOverInputMenuItem.Click += new System.EventHandler(this.HkOverInputMenuItem_Click); // @@ -1700,61 +1738,61 @@ this.toolStripSeparator8, this.N64VideoPluginSettingsMenuItem}); this.CoresSubMenu.Name = "CoresSubMenu"; - this.CoresSubMenu.Size = new System.Drawing.Size(165, 22); + this.CoresSubMenu.Size = new System.Drawing.Size(169, 22); this.CoresSubMenu.Text = "Cores"; this.CoresSubMenu.DropDownOpened += new System.EventHandler(this.CoresSubMenu_DropDownOpened); // // GBInSGBMenuItem // this.GBInSGBMenuItem.Name = "GBInSGBMenuItem"; - this.GBInSGBMenuItem.Size = new System.Drawing.Size(195, 22); + this.GBInSGBMenuItem.Size = new System.Drawing.Size(210, 22); this.GBInSGBMenuItem.Text = "GB in SGB"; this.GBInSGBMenuItem.Click += new System.EventHandler(this.GBInSGBMenuItem_Click); // // NesInQuickNESMenuItem // this.NesInQuickNESMenuItem.Name = "NesInQuickNESMenuItem"; - this.NesInQuickNESMenuItem.Size = new System.Drawing.Size(195, 22); + this.NesInQuickNESMenuItem.Size = new System.Drawing.Size(210, 22); this.NesInQuickNESMenuItem.Text = "NES with QuickNES"; this.NesInQuickNESMenuItem.Click += new System.EventHandler(this.NesInQuickNESMenuItem_Click); // // SnesWithSnes9xMenuItem // this.SnesWithSnes9xMenuItem.Name = "SnesWithSnes9xMenuItem"; - this.SnesWithSnes9xMenuItem.Size = new System.Drawing.Size(195, 22); + this.SnesWithSnes9xMenuItem.Size = new System.Drawing.Size(210, 22); this.SnesWithSnes9xMenuItem.Text = "SNES with Snes9x"; this.SnesWithSnes9xMenuItem.Click += new System.EventHandler(this.SnesWithSnes9xMenuItem_Click); // // gBAWithMGBAToolStripMenuItem // this.gBAWithMGBAToolStripMenuItem.Name = "gBAWithMGBAToolStripMenuItem"; - this.gBAWithMGBAToolStripMenuItem.Size = new System.Drawing.Size(195, 22); + this.gBAWithMGBAToolStripMenuItem.Size = new System.Drawing.Size(210, 22); this.gBAWithMGBAToolStripMenuItem.Text = "GBA with mGBA"; this.gBAWithMGBAToolStripMenuItem.Click += new System.EventHandler(this.gBAWithMGBAToolStripMenuItem_Click); // // toolStripSeparator8 // this.toolStripSeparator8.Name = "toolStripSeparator8"; - this.toolStripSeparator8.Size = new System.Drawing.Size(192, 6); + this.toolStripSeparator8.Size = new System.Drawing.Size(207, 6); // // N64VideoPluginSettingsMenuItem // this.N64VideoPluginSettingsMenuItem.Image = global::BizHawk.Client.EmuHawk.Properties.Resources.monitor; this.N64VideoPluginSettingsMenuItem.Name = "N64VideoPluginSettingsMenuItem"; - this.N64VideoPluginSettingsMenuItem.Size = new System.Drawing.Size(195, 22); + this.N64VideoPluginSettingsMenuItem.Size = new System.Drawing.Size(210, 22); this.N64VideoPluginSettingsMenuItem.Text = "N64 Video Plugin Settings"; this.N64VideoPluginSettingsMenuItem.Click += new System.EventHandler(this.N64VideoPluginSettingsMenuItem_Click); // // toolStripSeparator10 // this.toolStripSeparator10.Name = "toolStripSeparator10"; - this.toolStripSeparator10.Size = new System.Drawing.Size(162, 6); + this.toolStripSeparator10.Size = new System.Drawing.Size(166, 6); // // SaveConfigMenuItem // this.SaveConfigMenuItem.Image = global::BizHawk.Client.EmuHawk.Properties.Resources.Save; this.SaveConfigMenuItem.Name = "SaveConfigMenuItem"; - this.SaveConfigMenuItem.Size = new System.Drawing.Size(165, 22); + this.SaveConfigMenuItem.Size = new System.Drawing.Size(169, 22); this.SaveConfigMenuItem.Text = "Save Config"; this.SaveConfigMenuItem.Click += new System.EventHandler(this.SaveConfigMenuItem_Click); // @@ -1762,7 +1800,7 @@ // this.LoadConfigMenuItem.Image = global::BizHawk.Client.EmuHawk.Properties.Resources.LoadConfig; this.LoadConfigMenuItem.Name = "LoadConfigMenuItem"; - this.LoadConfigMenuItem.Size = new System.Drawing.Size(165, 22); + this.LoadConfigMenuItem.Size = new System.Drawing.Size(169, 22); this.LoadConfigMenuItem.Text = "Load Config"; this.LoadConfigMenuItem.Click += new System.EventHandler(this.LoadConfigMenuItem_Click); // @@ -1780,6 +1818,7 @@ this.MacroToolMenuItem, this.VirtualPadMenuItem, this.AutoHawkMenuItem, + this.BasicBotMenuItem, this.toolStripSeparator11, this.CheatsMenuItem, this.LuaConsoleMenuItem, @@ -1787,7 +1826,7 @@ this.MultiDiskBundlerFileMenuItem, this.batchRunnerToolStripMenuItem}); this.ToolsSubMenu.Name = "ToolsSubMenu"; - this.ToolsSubMenu.Size = new System.Drawing.Size(44, 17); + this.ToolsSubMenu.Size = new System.Drawing.Size(47, 19); this.ToolsSubMenu.Text = "&Tools"; this.ToolsSubMenu.DropDownOpened += new System.EventHandler(this.ToolsSubMenu_DropDownOpened); // @@ -1795,20 +1834,20 @@ // this.ToolBoxMenuItem.Image = global::BizHawk.Client.EmuHawk.Properties.Resources.ToolBox; this.ToolBoxMenuItem.Name = "ToolBoxMenuItem"; - this.ToolBoxMenuItem.Size = new System.Drawing.Size(157, 22); + this.ToolBoxMenuItem.Size = new System.Drawing.Size(172, 22); this.ToolBoxMenuItem.Text = "&Tool Box"; this.ToolBoxMenuItem.Click += new System.EventHandler(this.ToolBoxMenuItem_Click); // // toolStripSeparator12 // this.toolStripSeparator12.Name = "toolStripSeparator12"; - this.toolStripSeparator12.Size = new System.Drawing.Size(154, 6); + this.toolStripSeparator12.Size = new System.Drawing.Size(169, 6); // // RamWatchMenuItem // this.RamWatchMenuItem.Image = global::BizHawk.Client.EmuHawk.Properties.Resources.watch; this.RamWatchMenuItem.Name = "RamWatchMenuItem"; - this.RamWatchMenuItem.Size = new System.Drawing.Size(157, 22); + this.RamWatchMenuItem.Size = new System.Drawing.Size(172, 22); this.RamWatchMenuItem.Text = "RAM &Watch"; this.RamWatchMenuItem.Click += new System.EventHandler(this.RamWatchMenuItem_Click); // @@ -1816,7 +1855,7 @@ // this.RamSearchMenuItem.Image = global::BizHawk.Client.EmuHawk.Properties.Resources.search; this.RamSearchMenuItem.Name = "RamSearchMenuItem"; - this.RamSearchMenuItem.Size = new System.Drawing.Size(157, 22); + this.RamSearchMenuItem.Size = new System.Drawing.Size(172, 22); this.RamSearchMenuItem.Text = "RAM &Search"; this.RamSearchMenuItem.Click += new System.EventHandler(this.RamSearchMenuItem_Click); // @@ -1824,7 +1863,7 @@ // this.HexEditorMenuItem.Image = global::BizHawk.Client.EmuHawk.Properties.Resources.poke; this.HexEditorMenuItem.Name = "HexEditorMenuItem"; - this.HexEditorMenuItem.Size = new System.Drawing.Size(157, 22); + this.HexEditorMenuItem.Size = new System.Drawing.Size(172, 22); this.HexEditorMenuItem.Text = "&Hex Editor"; this.HexEditorMenuItem.Click += new System.EventHandler(this.HexEditorMenuItem_Click); // @@ -1832,7 +1871,7 @@ // this.TraceLoggerMenuItem.Image = global::BizHawk.Client.EmuHawk.Properties.Resources.pencil; this.TraceLoggerMenuItem.Name = "TraceLoggerMenuItem"; - this.TraceLoggerMenuItem.Size = new System.Drawing.Size(157, 22); + this.TraceLoggerMenuItem.Size = new System.Drawing.Size(172, 22); this.TraceLoggerMenuItem.Text = "Trace &Logger"; this.TraceLoggerMenuItem.Click += new System.EventHandler(this.TraceLoggerMenuItem_Click); // @@ -1840,7 +1879,7 @@ // this.DebuggerMenuItem.Image = global::BizHawk.Client.EmuHawk.Properties.Resources.Bug; this.DebuggerMenuItem.Name = "DebuggerMenuItem"; - this.DebuggerMenuItem.Size = new System.Drawing.Size(157, 22); + this.DebuggerMenuItem.Size = new System.Drawing.Size(172, 22); this.DebuggerMenuItem.Text = "&Debugger"; this.DebuggerMenuItem.Click += new System.EventHandler(this.DebuggerMenuItem_Click); // @@ -1848,14 +1887,14 @@ // this.TAStudioMenuItem.Image = global::BizHawk.Client.EmuHawk.Properties.Resources.TAStudio; this.TAStudioMenuItem.Name = "TAStudioMenuItem"; - this.TAStudioMenuItem.Size = new System.Drawing.Size(157, 22); + this.TAStudioMenuItem.Size = new System.Drawing.Size(172, 22); this.TAStudioMenuItem.Text = "&TAStudio"; this.TAStudioMenuItem.Click += new System.EventHandler(this.TAStudioMenuItem_Click); // // MacroToolMenuItem // this.MacroToolMenuItem.Name = "MacroToolMenuItem"; - this.MacroToolMenuItem.Size = new System.Drawing.Size(157, 22); + this.MacroToolMenuItem.Size = new System.Drawing.Size(172, 22); this.MacroToolMenuItem.Text = "&Macro Tool"; this.MacroToolMenuItem.Click += new System.EventHandler(this.MacroToolMenuItem_Click); // @@ -1863,27 +1902,34 @@ // this.VirtualPadMenuItem.Image = global::BizHawk.Client.EmuHawk.Properties.Resources.GameController; this.VirtualPadMenuItem.Name = "VirtualPadMenuItem"; - this.VirtualPadMenuItem.Size = new System.Drawing.Size(157, 22); + this.VirtualPadMenuItem.Size = new System.Drawing.Size(172, 22); this.VirtualPadMenuItem.Text = "Virtual Pad"; this.VirtualPadMenuItem.Click += new System.EventHandler(this.VirtualPadMenuItem_Click); // // AutoHawkMenuItem // this.AutoHawkMenuItem.Name = "AutoHawkMenuItem"; - this.AutoHawkMenuItem.Size = new System.Drawing.Size(157, 22); + this.AutoHawkMenuItem.Size = new System.Drawing.Size(172, 22); this.AutoHawkMenuItem.Text = "AutoHawk"; this.AutoHawkMenuItem.Click += new System.EventHandler(this.AutoHawkMenuItem_Click); // + // BasicBotMenuItem + // + this.BasicBotMenuItem.Name = "BasicBotMenuItem"; + this.BasicBotMenuItem.Size = new System.Drawing.Size(172, 22); + this.BasicBotMenuItem.Text = "Basic Bot"; + this.BasicBotMenuItem.Click += new System.EventHandler(this.BasicBotMenuItem_Click); + // // toolStripSeparator11 // this.toolStripSeparator11.Name = "toolStripSeparator11"; - this.toolStripSeparator11.Size = new System.Drawing.Size(154, 6); + this.toolStripSeparator11.Size = new System.Drawing.Size(169, 6); // // CheatsMenuItem // this.CheatsMenuItem.Image = global::BizHawk.Client.EmuHawk.Properties.Resources.Freeze; this.CheatsMenuItem.Name = "CheatsMenuItem"; - this.CheatsMenuItem.Size = new System.Drawing.Size(157, 22); + this.CheatsMenuItem.Size = new System.Drawing.Size(172, 22); this.CheatsMenuItem.Text = "Cheats"; this.CheatsMenuItem.Click += new System.EventHandler(this.CheatsMenuItem_Click); // @@ -1891,27 +1937,27 @@ // this.LuaConsoleMenuItem.Image = global::BizHawk.Client.EmuHawk.Properties.Resources.Lua; this.LuaConsoleMenuItem.Name = "LuaConsoleMenuItem"; - this.LuaConsoleMenuItem.Size = new System.Drawing.Size(157, 22); + this.LuaConsoleMenuItem.Size = new System.Drawing.Size(172, 22); this.LuaConsoleMenuItem.Text = "Lua Console"; this.LuaConsoleMenuItem.Click += new System.EventHandler(this.LuaConsoleMenuItem_Click); // // toolStripSeparator29 // this.toolStripSeparator29.Name = "toolStripSeparator29"; - this.toolStripSeparator29.Size = new System.Drawing.Size(154, 6); + this.toolStripSeparator29.Size = new System.Drawing.Size(169, 6); // // MultiDiskBundlerFileMenuItem // this.MultiDiskBundlerFileMenuItem.Image = global::BizHawk.Client.EmuHawk.Properties.Resources.SaveConfig; this.MultiDiskBundlerFileMenuItem.Name = "MultiDiskBundlerFileMenuItem"; - this.MultiDiskBundlerFileMenuItem.Size = new System.Drawing.Size(157, 22); + this.MultiDiskBundlerFileMenuItem.Size = new System.Drawing.Size(172, 22); this.MultiDiskBundlerFileMenuItem.Text = "Multi-disk Bundler"; this.MultiDiskBundlerFileMenuItem.Click += new System.EventHandler(this.CreateMultigameFileMenuItem_Click); // // batchRunnerToolStripMenuItem // this.batchRunnerToolStripMenuItem.Name = "batchRunnerToolStripMenuItem"; - this.batchRunnerToolStripMenuItem.Size = new System.Drawing.Size(157, 22); + this.batchRunnerToolStripMenuItem.Size = new System.Drawing.Size(172, 22); this.batchRunnerToolStripMenuItem.Text = "Batch Runner"; this.batchRunnerToolStripMenuItem.Visible = false; this.batchRunnerToolStripMenuItem.Click += new System.EventHandler(this.batchRunnerToolStripMenuItem_Click); @@ -1934,7 +1980,7 @@ this.FDSControlsMenuItem, this.barcodeReaderToolStripMenuItem}); this.NESSubMenu.Name = "NESSubMenu"; - this.NESSubMenu.Size = new System.Drawing.Size(38, 17); + this.NESSubMenu.Size = new System.Drawing.Size(40, 19); this.NESSubMenu.Text = "&NES"; this.NESSubMenu.DropDownOpened += new System.EventHandler(this.NESSubMenu_DropDownOpened); // @@ -1944,67 +1990,67 @@ this.quickNESToolStripMenuItem, this.nesHawkToolStripMenuItem}); this.coreToolStripMenuItem.Name = "coreToolStripMenuItem"; - this.coreToolStripMenuItem.Size = new System.Drawing.Size(217, 22); + this.coreToolStripMenuItem.Size = new System.Drawing.Size(233, 22); this.coreToolStripMenuItem.Text = "&Core"; this.coreToolStripMenuItem.DropDownOpened += new System.EventHandler(this.coreToolStripMenuItem_DropDownOpened); // // quickNESToolStripMenuItem // this.quickNESToolStripMenuItem.Name = "quickNESToolStripMenuItem"; - this.quickNESToolStripMenuItem.Size = new System.Drawing.Size(118, 22); + this.quickNESToolStripMenuItem.Size = new System.Drawing.Size(125, 22); this.quickNESToolStripMenuItem.Text = "&QuickNes"; this.quickNESToolStripMenuItem.Click += new System.EventHandler(this.quickNESToolStripMenuItem_Click); // // nesHawkToolStripMenuItem // this.nesHawkToolStripMenuItem.Name = "nesHawkToolStripMenuItem"; - this.nesHawkToolStripMenuItem.Size = new System.Drawing.Size(118, 22); + this.nesHawkToolStripMenuItem.Size = new System.Drawing.Size(125, 22); this.nesHawkToolStripMenuItem.Text = "&NesHawk"; this.nesHawkToolStripMenuItem.Click += new System.EventHandler(this.nesHawkToolStripMenuItem_Click); // // toolStripSeparator34 // this.toolStripSeparator34.Name = "toolStripSeparator34"; - this.toolStripSeparator34.Size = new System.Drawing.Size(214, 6); + this.toolStripSeparator34.Size = new System.Drawing.Size(230, 6); // // NESPPUViewerMenuItem // this.NESPPUViewerMenuItem.Name = "NESPPUViewerMenuItem"; - this.NESPPUViewerMenuItem.Size = new System.Drawing.Size(217, 22); + this.NESPPUViewerMenuItem.Size = new System.Drawing.Size(233, 22); this.NESPPUViewerMenuItem.Text = "&PPU Viewer"; this.NESPPUViewerMenuItem.Click += new System.EventHandler(this.NESPPUViewerMenuItem_Click); // // NESNametableViewerMenuItem // this.NESNametableViewerMenuItem.Name = "NESNametableViewerMenuItem"; - this.NESNametableViewerMenuItem.Size = new System.Drawing.Size(217, 22); + this.NESNametableViewerMenuItem.Size = new System.Drawing.Size(233, 22); this.NESNametableViewerMenuItem.Text = "&Nametable Viewer"; this.NESNametableViewerMenuItem.Click += new System.EventHandler(this.NESNametableViewerMenuItem_Click); // // NESGameGenieCodesMenuItem // this.NESGameGenieCodesMenuItem.Name = "NESGameGenieCodesMenuItem"; - this.NESGameGenieCodesMenuItem.Size = new System.Drawing.Size(217, 22); + this.NESGameGenieCodesMenuItem.Size = new System.Drawing.Size(233, 22); this.NESGameGenieCodesMenuItem.Text = "&Game Genie Encoder/Decoder"; this.NESGameGenieCodesMenuItem.Click += new System.EventHandler(this.NESGameGenieCodesMenuItem_Click); // // musicRipperToolStripMenuItem // this.musicRipperToolStripMenuItem.Name = "musicRipperToolStripMenuItem"; - this.musicRipperToolStripMenuItem.Size = new System.Drawing.Size(217, 22); + this.musicRipperToolStripMenuItem.Size = new System.Drawing.Size(233, 22); this.musicRipperToolStripMenuItem.Text = "Music Ripper"; this.musicRipperToolStripMenuItem.Click += new System.EventHandler(this.musicRipperToolStripMenuItem_Click); // // toolStripSeparator17 // this.toolStripSeparator17.Name = "toolStripSeparator17"; - this.toolStripSeparator17.Size = new System.Drawing.Size(214, 6); + this.toolStripSeparator17.Size = new System.Drawing.Size(230, 6); // // NesControllerSettingsMenuItem // this.NesControllerSettingsMenuItem.Image = global::BizHawk.Client.EmuHawk.Properties.Resources.GameController; this.NesControllerSettingsMenuItem.Name = "NesControllerSettingsMenuItem"; - this.NesControllerSettingsMenuItem.Size = new System.Drawing.Size(217, 22); + this.NesControllerSettingsMenuItem.Size = new System.Drawing.Size(233, 22); this.NesControllerSettingsMenuItem.Text = "Controller Settings..."; this.NesControllerSettingsMenuItem.Click += new System.EventHandler(this.NesControllerSettingsMenuItem_Click); // @@ -2012,7 +2058,7 @@ // this.NESGraphicSettingsMenuItem.Image = global::BizHawk.Client.EmuHawk.Properties.Resources.tvIcon; this.NESGraphicSettingsMenuItem.Name = "NESGraphicSettingsMenuItem"; - this.NESGraphicSettingsMenuItem.Size = new System.Drawing.Size(217, 22); + this.NESGraphicSettingsMenuItem.Size = new System.Drawing.Size(233, 22); this.NESGraphicSettingsMenuItem.Text = "Graphics Settings..."; this.NESGraphicSettingsMenuItem.Click += new System.EventHandler(this.NESGraphicSettingsMenuItem_Click); // @@ -2020,42 +2066,42 @@ // this.NESSoundChannelsMenuItem.Image = global::BizHawk.Client.EmuHawk.Properties.Resources.AudioHS; this.NESSoundChannelsMenuItem.Name = "NESSoundChannelsMenuItem"; - this.NESSoundChannelsMenuItem.Size = new System.Drawing.Size(217, 22); + this.NESSoundChannelsMenuItem.Size = new System.Drawing.Size(233, 22); this.NESSoundChannelsMenuItem.Text = "Sound Channels..."; this.NESSoundChannelsMenuItem.Click += new System.EventHandler(this.NESSoundChannelsMenuItem_Click); // // MovieSettingsMenuItem // this.MovieSettingsMenuItem.Name = "MovieSettingsMenuItem"; - this.MovieSettingsMenuItem.Size = new System.Drawing.Size(217, 22); - this.MovieSettingsMenuItem.Text = "Advanced Movie Settings..."; + this.MovieSettingsMenuItem.Size = new System.Drawing.Size(233, 22); + this.MovieSettingsMenuItem.Text = "Advanced Settings..."; this.MovieSettingsMenuItem.Click += new System.EventHandler(this.MovieSettingsMenuItem_Click); // // toolStripSeparator22 // this.toolStripSeparator22.Name = "toolStripSeparator22"; - this.toolStripSeparator22.Size = new System.Drawing.Size(214, 6); + this.toolStripSeparator22.Size = new System.Drawing.Size(230, 6); // // FDSControlsMenuItem // this.FDSControlsMenuItem.DropDownItems.AddRange(new System.Windows.Forms.ToolStripItem[] { this.FdsEjectDiskMenuItem}); this.FDSControlsMenuItem.Name = "FDSControlsMenuItem"; - this.FDSControlsMenuItem.Size = new System.Drawing.Size(217, 22); + this.FDSControlsMenuItem.Size = new System.Drawing.Size(233, 22); this.FDSControlsMenuItem.Text = "FDS Controls"; this.FDSControlsMenuItem.DropDownOpened += new System.EventHandler(this.FdsControlsMenuItem_DropDownOpened); // // FdsEjectDiskMenuItem // this.FdsEjectDiskMenuItem.Name = "FdsEjectDiskMenuItem"; - this.FdsEjectDiskMenuItem.Size = new System.Drawing.Size(120, 22); + this.FdsEjectDiskMenuItem.Size = new System.Drawing.Size(124, 22); this.FdsEjectDiskMenuItem.Text = "&Eject Disk"; this.FdsEjectDiskMenuItem.Click += new System.EventHandler(this.FdsEjectDiskMenuItem_Click); // // barcodeReaderToolStripMenuItem // this.barcodeReaderToolStripMenuItem.Name = "barcodeReaderToolStripMenuItem"; - this.barcodeReaderToolStripMenuItem.Size = new System.Drawing.Size(217, 22); + this.barcodeReaderToolStripMenuItem.Size = new System.Drawing.Size(233, 22); this.barcodeReaderToolStripMenuItem.Text = "Barcode Reader"; this.barcodeReaderToolStripMenuItem.Click += new System.EventHandler(this.barcodeReaderToolStripMenuItem_Click); // @@ -2074,7 +2120,7 @@ this.PCEAlwaysEqualizeVolumesMenuItem, this.PCEArcadeCardRewindEnableMenuItem}); this.PCESubMenu.Name = "PCESubMenu"; - this.PCESubMenu.Size = new System.Drawing.Size(38, 17); + this.PCESubMenu.Size = new System.Drawing.Size(40, 19); this.PCESubMenu.Text = "&PCE"; this.PCESubMenu.DropDownOpened += new System.EventHandler(this.PCESubMenu_DropDownOpened); // @@ -2082,7 +2128,7 @@ // this.PceControllerSettingsMenuItem.Image = global::BizHawk.Client.EmuHawk.Properties.Resources.GameController; this.PceControllerSettingsMenuItem.Name = "PceControllerSettingsMenuItem"; - this.PceControllerSettingsMenuItem.Size = new System.Drawing.Size(240, 22); + this.PceControllerSettingsMenuItem.Size = new System.Drawing.Size(258, 22); this.PceControllerSettingsMenuItem.Text = "Controller Settings"; this.PceControllerSettingsMenuItem.Click += new System.EventHandler(this.PceControllerSettingsMenuItem_Click); // @@ -2090,66 +2136,66 @@ // this.PCEGraphicsSettingsMenuItem.Image = global::BizHawk.Client.EmuHawk.Properties.Resources.tvIcon; this.PCEGraphicsSettingsMenuItem.Name = "PCEGraphicsSettingsMenuItem"; - this.PCEGraphicsSettingsMenuItem.Size = new System.Drawing.Size(240, 22); + this.PCEGraphicsSettingsMenuItem.Size = new System.Drawing.Size(258, 22); this.PCEGraphicsSettingsMenuItem.Text = "Graphics Settings"; this.PCEGraphicsSettingsMenuItem.Click += new System.EventHandler(this.PCEGraphicsSettingsMenuItem_Click); // // toolStripSeparator32 // this.toolStripSeparator32.Name = "toolStripSeparator32"; - this.toolStripSeparator32.Size = new System.Drawing.Size(237, 6); + this.toolStripSeparator32.Size = new System.Drawing.Size(255, 6); // // PCEBGViewerMenuItem // this.PCEBGViewerMenuItem.Name = "PCEBGViewerMenuItem"; - this.PCEBGViewerMenuItem.Size = new System.Drawing.Size(240, 22); + this.PCEBGViewerMenuItem.Size = new System.Drawing.Size(258, 22); this.PCEBGViewerMenuItem.Text = "&BG Viewer"; this.PCEBGViewerMenuItem.Click += new System.EventHandler(this.PCEBGViewerMenuItem_Click); // // PCEtileViewerToolStripMenuItem // this.PCEtileViewerToolStripMenuItem.Name = "PCEtileViewerToolStripMenuItem"; - this.PCEtileViewerToolStripMenuItem.Size = new System.Drawing.Size(240, 22); + this.PCEtileViewerToolStripMenuItem.Size = new System.Drawing.Size(258, 22); this.PCEtileViewerToolStripMenuItem.Text = "&Tile Viewer"; this.PCEtileViewerToolStripMenuItem.Click += new System.EventHandler(this.PceTileViewerMenuItem_Click); // // PceSoundDebuggerToolStripMenuItem // this.PceSoundDebuggerToolStripMenuItem.Name = "PceSoundDebuggerToolStripMenuItem"; - this.PceSoundDebuggerToolStripMenuItem.Size = new System.Drawing.Size(240, 22); + this.PceSoundDebuggerToolStripMenuItem.Size = new System.Drawing.Size(258, 22); this.PceSoundDebuggerToolStripMenuItem.Text = "&Sound Debugger"; this.PceSoundDebuggerToolStripMenuItem.Click += new System.EventHandler(this.PceSoundDebuggerToolStripMenuItem_Click); // // codeDataLoggerToolStripMenuItem // this.codeDataLoggerToolStripMenuItem.Name = "codeDataLoggerToolStripMenuItem"; - this.codeDataLoggerToolStripMenuItem.Size = new System.Drawing.Size(240, 22); + this.codeDataLoggerToolStripMenuItem.Size = new System.Drawing.Size(258, 22); this.codeDataLoggerToolStripMenuItem.Text = "Code-Data Logger"; this.codeDataLoggerToolStripMenuItem.Click += new System.EventHandler(this.CodeDataLoggerMenuItem_Click); // // toolStripSeparator25 // this.toolStripSeparator25.Name = "toolStripSeparator25"; - this.toolStripSeparator25.Size = new System.Drawing.Size(237, 6); + this.toolStripSeparator25.Size = new System.Drawing.Size(255, 6); // // PCEAlwaysPerformSpriteLimitMenuItem // this.PCEAlwaysPerformSpriteLimitMenuItem.Name = "PCEAlwaysPerformSpriteLimitMenuItem"; - this.PCEAlwaysPerformSpriteLimitMenuItem.Size = new System.Drawing.Size(240, 22); + this.PCEAlwaysPerformSpriteLimitMenuItem.Size = new System.Drawing.Size(258, 22); this.PCEAlwaysPerformSpriteLimitMenuItem.Text = "Always Perform Sprite Limit"; this.PCEAlwaysPerformSpriteLimitMenuItem.Click += new System.EventHandler(this.PCEAlwaysPerformSpriteLimitMenuItem_Click); // // PCEAlwaysEqualizeVolumesMenuItem // this.PCEAlwaysEqualizeVolumesMenuItem.Name = "PCEAlwaysEqualizeVolumesMenuItem"; - this.PCEAlwaysEqualizeVolumesMenuItem.Size = new System.Drawing.Size(240, 22); + this.PCEAlwaysEqualizeVolumesMenuItem.Size = new System.Drawing.Size(258, 22); this.PCEAlwaysEqualizeVolumesMenuItem.Text = "Always Equalize Volumes (PCE-CD)"; this.PCEAlwaysEqualizeVolumesMenuItem.Click += new System.EventHandler(this.PCEAlwaysEqualizeVolumesMenuItem_Click); // // PCEArcadeCardRewindEnableMenuItem // this.PCEArcadeCardRewindEnableMenuItem.Name = "PCEArcadeCardRewindEnableMenuItem"; - this.PCEArcadeCardRewindEnableMenuItem.Size = new System.Drawing.Size(240, 22); + this.PCEArcadeCardRewindEnableMenuItem.Size = new System.Drawing.Size(258, 22); this.PCEArcadeCardRewindEnableMenuItem.Text = "Arcade Card Rewind-Enable Hack"; this.PCEArcadeCardRewindEnableMenuItem.Click += new System.EventHandler(this.PCEArcadeCardRewindEnableMenuItem_Click); // @@ -2172,7 +2218,7 @@ this.SMSVDPViewerToolStripMenuItem, this.GGGameGenieMenuItem}); this.SMSSubMenu.Name = "SMSSubMenu"; - this.SMSSubMenu.Size = new System.Drawing.Size(39, 17); + this.SMSSubMenu.Size = new System.Drawing.Size(42, 19); this.SMSSubMenu.Text = "&SMS"; this.SMSSubMenu.DropDownOpened += new System.EventHandler(this.SMSSubMenu_DropDownOpened); // @@ -2183,27 +2229,27 @@ this.SMSregionJapanToolStripMenuItem, this.SMSregionAutoToolStripMenuItem}); this.SMSregionToolStripMenuItem.Name = "SMSregionToolStripMenuItem"; - this.SMSregionToolStripMenuItem.Size = new System.Drawing.Size(221, 22); + this.SMSregionToolStripMenuItem.Size = new System.Drawing.Size(241, 22); this.SMSregionToolStripMenuItem.Text = "Region"; // // SMSregionExportToolStripMenuItem // this.SMSregionExportToolStripMenuItem.Name = "SMSregionExportToolStripMenuItem"; - this.SMSregionExportToolStripMenuItem.Size = new System.Drawing.Size(106, 22); + this.SMSregionExportToolStripMenuItem.Size = new System.Drawing.Size(107, 22); this.SMSregionExportToolStripMenuItem.Text = "Export"; this.SMSregionExportToolStripMenuItem.Click += new System.EventHandler(this.SMS_RegionExport_Click); // // SMSregionJapanToolStripMenuItem // this.SMSregionJapanToolStripMenuItem.Name = "SMSregionJapanToolStripMenuItem"; - this.SMSregionJapanToolStripMenuItem.Size = new System.Drawing.Size(106, 22); + this.SMSregionJapanToolStripMenuItem.Size = new System.Drawing.Size(107, 22); this.SMSregionJapanToolStripMenuItem.Text = "Japan"; this.SMSregionJapanToolStripMenuItem.Click += new System.EventHandler(this.SMS_RegionJapan_Click); // // SMSregionAutoToolStripMenuItem // this.SMSregionAutoToolStripMenuItem.Name = "SMSregionAutoToolStripMenuItem"; - this.SMSregionAutoToolStripMenuItem.Size = new System.Drawing.Size(106, 22); + this.SMSregionAutoToolStripMenuItem.Size = new System.Drawing.Size(107, 22); this.SMSregionAutoToolStripMenuItem.Text = "Auto"; this.SMSregionAutoToolStripMenuItem.Click += new System.EventHandler(this.SMS_RegionAuto_Click); // @@ -2214,114 +2260,114 @@ this.SMSdisplayPalToolStripMenuItem, this.SMSdisplayAutoToolStripMenuItem}); this.SMSdisplayToolStripMenuItem.Name = "SMSdisplayToolStripMenuItem"; - this.SMSdisplayToolStripMenuItem.Size = new System.Drawing.Size(221, 22); + this.SMSdisplayToolStripMenuItem.Size = new System.Drawing.Size(241, 22); this.SMSdisplayToolStripMenuItem.Text = "Display Type"; // // SMSdisplayNtscToolStripMenuItem // this.SMSdisplayNtscToolStripMenuItem.Name = "SMSdisplayNtscToolStripMenuItem"; - this.SMSdisplayNtscToolStripMenuItem.Size = new System.Drawing.Size(100, 22); + this.SMSdisplayNtscToolStripMenuItem.Size = new System.Drawing.Size(104, 22); this.SMSdisplayNtscToolStripMenuItem.Text = "NTSC"; this.SMSdisplayNtscToolStripMenuItem.Click += new System.EventHandler(this.SMS_DisplayNTSC_Click); // // SMSdisplayPalToolStripMenuItem // this.SMSdisplayPalToolStripMenuItem.Name = "SMSdisplayPalToolStripMenuItem"; - this.SMSdisplayPalToolStripMenuItem.Size = new System.Drawing.Size(100, 22); + this.SMSdisplayPalToolStripMenuItem.Size = new System.Drawing.Size(104, 22); this.SMSdisplayPalToolStripMenuItem.Text = "PAL"; this.SMSdisplayPalToolStripMenuItem.Click += new System.EventHandler(this.SMS_DisplayPAL_Click); // // SMSdisplayAutoToolStripMenuItem // this.SMSdisplayAutoToolStripMenuItem.Name = "SMSdisplayAutoToolStripMenuItem"; - this.SMSdisplayAutoToolStripMenuItem.Size = new System.Drawing.Size(100, 22); + this.SMSdisplayAutoToolStripMenuItem.Size = new System.Drawing.Size(104, 22); this.SMSdisplayAutoToolStripMenuItem.Text = "Auto"; this.SMSdisplayAutoToolStripMenuItem.Click += new System.EventHandler(this.SMS_DisplayAuto_Click); // // SMStoolStripMenuItem2 // this.SMStoolStripMenuItem2.Name = "SMStoolStripMenuItem2"; - this.SMStoolStripMenuItem2.Size = new System.Drawing.Size(218, 6); + this.SMStoolStripMenuItem2.Size = new System.Drawing.Size(238, 6); // // SMSenableBIOSToolStripMenuItem // this.SMSenableBIOSToolStripMenuItem.Name = "SMSenableBIOSToolStripMenuItem"; - this.SMSenableBIOSToolStripMenuItem.Size = new System.Drawing.Size(221, 22); + this.SMSenableBIOSToolStripMenuItem.Size = new System.Drawing.Size(241, 22); this.SMSenableBIOSToolStripMenuItem.Text = "Enable BIOS"; this.SMSenableBIOSToolStripMenuItem.Click += new System.EventHandler(this.SMS_BIOS_Click); // // SMSEnableFMChipMenuItem // this.SMSEnableFMChipMenuItem.Name = "SMSEnableFMChipMenuItem"; - this.SMSEnableFMChipMenuItem.Size = new System.Drawing.Size(221, 22); + this.SMSEnableFMChipMenuItem.Size = new System.Drawing.Size(241, 22); this.SMSEnableFMChipMenuItem.Text = "&Enable FM Chip"; this.SMSEnableFMChipMenuItem.Click += new System.EventHandler(this.SMSEnableFMChipMenuItem_Click); // // SMSOverclockMenuItem // this.SMSOverclockMenuItem.Name = "SMSOverclockMenuItem"; - this.SMSOverclockMenuItem.Size = new System.Drawing.Size(221, 22); + this.SMSOverclockMenuItem.Size = new System.Drawing.Size(241, 22); this.SMSOverclockMenuItem.Text = "&Overclock when Known Safe"; this.SMSOverclockMenuItem.Click += new System.EventHandler(this.SMSOverclockMenuItem_Click); // // SMSForceStereoMenuItem // this.SMSForceStereoMenuItem.Name = "SMSForceStereoMenuItem"; - this.SMSForceStereoMenuItem.Size = new System.Drawing.Size(221, 22); + this.SMSForceStereoMenuItem.Size = new System.Drawing.Size(241, 22); this.SMSForceStereoMenuItem.Text = "&Force Stereo Separation"; this.SMSForceStereoMenuItem.Click += new System.EventHandler(this.SMSForceStereoMenuItem_Click); // // SMSSpriteLimitMenuItem // this.SMSSpriteLimitMenuItem.Name = "SMSSpriteLimitMenuItem"; - this.SMSSpriteLimitMenuItem.Size = new System.Drawing.Size(221, 22); + this.SMSSpriteLimitMenuItem.Size = new System.Drawing.Size(241, 22); this.SMSSpriteLimitMenuItem.Text = "Sprite &Limit"; this.SMSSpriteLimitMenuItem.Click += new System.EventHandler(this.SMSSpriteLimitMenuItem_Click); // // SMSFix3DGameDisplayToolStripMenuItem // this.SMSFix3DGameDisplayToolStripMenuItem.Name = "SMSFix3DGameDisplayToolStripMenuItem"; - this.SMSFix3DGameDisplayToolStripMenuItem.Size = new System.Drawing.Size(221, 22); + this.SMSFix3DGameDisplayToolStripMenuItem.Size = new System.Drawing.Size(241, 22); this.SMSFix3DGameDisplayToolStripMenuItem.Text = "Fix 3D Game Display"; this.SMSFix3DGameDisplayToolStripMenuItem.Click += new System.EventHandler(this.SMSFix3DDisplayMenuItem_Click); // // ShowClippedRegionsMenuItem // this.ShowClippedRegionsMenuItem.Name = "ShowClippedRegionsMenuItem"; - this.ShowClippedRegionsMenuItem.Size = new System.Drawing.Size(221, 22); + this.ShowClippedRegionsMenuItem.Size = new System.Drawing.Size(241, 22); this.ShowClippedRegionsMenuItem.Text = "&Show Clipped Regions"; this.ShowClippedRegionsMenuItem.Click += new System.EventHandler(this.ShowClippedRegionsMenuItem_Click); // // HighlightActiveDisplayRegionMenuItem // this.HighlightActiveDisplayRegionMenuItem.Name = "HighlightActiveDisplayRegionMenuItem"; - this.HighlightActiveDisplayRegionMenuItem.Size = new System.Drawing.Size(221, 22); + this.HighlightActiveDisplayRegionMenuItem.Size = new System.Drawing.Size(241, 22); this.HighlightActiveDisplayRegionMenuItem.Text = "&Highlight Active Display Region"; this.HighlightActiveDisplayRegionMenuItem.Click += new System.EventHandler(this.HighlightActiveDisplayRegionMenuItem_Click); // // SMSGraphicsSettingsMenuItem // this.SMSGraphicsSettingsMenuItem.Name = "SMSGraphicsSettingsMenuItem"; - this.SMSGraphicsSettingsMenuItem.Size = new System.Drawing.Size(221, 22); + this.SMSGraphicsSettingsMenuItem.Size = new System.Drawing.Size(241, 22); this.SMSGraphicsSettingsMenuItem.Text = "&Graphics Settings..."; this.SMSGraphicsSettingsMenuItem.Click += new System.EventHandler(this.SMSGraphicsSettingsMenuItem_Click); // // toolStripSeparator24 // this.toolStripSeparator24.Name = "toolStripSeparator24"; - this.toolStripSeparator24.Size = new System.Drawing.Size(218, 6); + this.toolStripSeparator24.Size = new System.Drawing.Size(238, 6); // // SMSVDPViewerToolStripMenuItem // this.SMSVDPViewerToolStripMenuItem.Name = "SMSVDPViewerToolStripMenuItem"; - this.SMSVDPViewerToolStripMenuItem.Size = new System.Drawing.Size(221, 22); + this.SMSVDPViewerToolStripMenuItem.Size = new System.Drawing.Size(241, 22); this.SMSVDPViewerToolStripMenuItem.Text = "&VDP Viewer"; this.SMSVDPViewerToolStripMenuItem.Click += new System.EventHandler(this.SmsVdpViewerMenuItem_Click); // // GGGameGenieMenuItem // this.GGGameGenieMenuItem.Name = "GGGameGenieMenuItem"; - this.GGGameGenieMenuItem.Size = new System.Drawing.Size(221, 22); + this.GGGameGenieMenuItem.Size = new System.Drawing.Size(241, 22); this.GGGameGenieMenuItem.Text = "&Game Genie Encoder/Decoder"; this.GGGameGenieMenuItem.Click += new System.EventHandler(this.GGGameGenieMenuItem_Click); // @@ -2334,7 +2380,7 @@ this.AutoloadKeypadMenuItem, this.paletteToolStripMenuItem}); this.TI83SubMenu.Name = "TI83SubMenu"; - this.TI83SubMenu.Size = new System.Drawing.Size(41, 17); + this.TI83SubMenu.Size = new System.Drawing.Size(41, 19); this.TI83SubMenu.Text = "TI83"; this.TI83SubMenu.DropDownOpened += new System.EventHandler(this.TI83SubMenu_DropDownOpened); // @@ -2342,35 +2388,35 @@ // this.KeypadMenuItem.Image = global::BizHawk.Client.EmuHawk.Properties.Resources.calculator; this.KeypadMenuItem.Name = "KeypadMenuItem"; - this.KeypadMenuItem.Size = new System.Drawing.Size(157, 22); + this.KeypadMenuItem.Size = new System.Drawing.Size(165, 22); this.KeypadMenuItem.Text = "Keypad"; this.KeypadMenuItem.Click += new System.EventHandler(this.KeypadMenuItem_Click); // // LoadTIFileMenuItem // this.LoadTIFileMenuItem.Name = "LoadTIFileMenuItem"; - this.LoadTIFileMenuItem.Size = new System.Drawing.Size(157, 22); + this.LoadTIFileMenuItem.Size = new System.Drawing.Size(165, 22); this.LoadTIFileMenuItem.Text = "Load TI-83 File..."; this.LoadTIFileMenuItem.Click += new System.EventHandler(this.LoadTIFileMenuItem_Click); // // toolStripSeparator13 // this.toolStripSeparator13.Name = "toolStripSeparator13"; - this.toolStripSeparator13.Size = new System.Drawing.Size(154, 6); + this.toolStripSeparator13.Size = new System.Drawing.Size(162, 6); // // AutoloadKeypadMenuItem // this.AutoloadKeypadMenuItem.Checked = true; this.AutoloadKeypadMenuItem.CheckState = System.Windows.Forms.CheckState.Checked; this.AutoloadKeypadMenuItem.Name = "AutoloadKeypadMenuItem"; - this.AutoloadKeypadMenuItem.Size = new System.Drawing.Size(157, 22); + this.AutoloadKeypadMenuItem.Size = new System.Drawing.Size(165, 22); this.AutoloadKeypadMenuItem.Text = "Autoload Keypad"; this.AutoloadKeypadMenuItem.Click += new System.EventHandler(this.AutoloadKeypadMenuItem_Click); // // paletteToolStripMenuItem // this.paletteToolStripMenuItem.Name = "paletteToolStripMenuItem"; - this.paletteToolStripMenuItem.Size = new System.Drawing.Size(157, 22); + this.paletteToolStripMenuItem.Size = new System.Drawing.Size(165, 22); this.paletteToolStripMenuItem.Text = "Palette..."; this.paletteToolStripMenuItem.Click += new System.EventHandler(this.TI83PaletteMenuItem_Click); // @@ -2379,7 +2425,7 @@ this.AtariSubMenu.DropDownItems.AddRange(new System.Windows.Forms.ToolStripItem[] { this.AtariSettingsToolStripMenuItem}); this.AtariSubMenu.Name = "AtariSubMenu"; - this.AtariSubMenu.Size = new System.Drawing.Size(42, 17); + this.AtariSubMenu.Size = new System.Drawing.Size(44, 19); this.AtariSubMenu.Text = "&Atari"; this.AtariSubMenu.DropDownOpened += new System.EventHandler(this.AtariSubMenu_DropDownOpened); // @@ -2399,40 +2445,40 @@ this.GBGPUViewerMenuItem, this.GBGameGenieMenuItem}); this.GBSubMenu.Name = "GBSubMenu"; - this.GBSubMenu.Size = new System.Drawing.Size(32, 17); + this.GBSubMenu.Size = new System.Drawing.Size(34, 19); this.GBSubMenu.Text = "&GB"; this.GBSubMenu.DropDownOpened += new System.EventHandler(this.GBSubMenu_DropDownOpened); // // GBcoreSettingsToolStripMenuItem // this.GBcoreSettingsToolStripMenuItem.Name = "GBcoreSettingsToolStripMenuItem"; - this.GBcoreSettingsToolStripMenuItem.Size = new System.Drawing.Size(217, 22); + this.GBcoreSettingsToolStripMenuItem.Size = new System.Drawing.Size(233, 22); this.GBcoreSettingsToolStripMenuItem.Text = "Settings..."; this.GBcoreSettingsToolStripMenuItem.Click += new System.EventHandler(this.GBCoreSettingsMenuItem_Click); // // LoadGBInSGBMenuItem // this.LoadGBInSGBMenuItem.Name = "LoadGBInSGBMenuItem"; - this.LoadGBInSGBMenuItem.Size = new System.Drawing.Size(217, 22); + this.LoadGBInSGBMenuItem.Size = new System.Drawing.Size(233, 22); this.LoadGBInSGBMenuItem.Text = "Load GB in SGB"; this.LoadGBInSGBMenuItem.Click += new System.EventHandler(this.LoadGBInSGBMenuItem_Click); // // toolStripSeparator28 // this.toolStripSeparator28.Name = "toolStripSeparator28"; - this.toolStripSeparator28.Size = new System.Drawing.Size(214, 6); + this.toolStripSeparator28.Size = new System.Drawing.Size(230, 6); // // GBGPUViewerMenuItem // this.GBGPUViewerMenuItem.Name = "GBGPUViewerMenuItem"; - this.GBGPUViewerMenuItem.Size = new System.Drawing.Size(217, 22); + this.GBGPUViewerMenuItem.Size = new System.Drawing.Size(233, 22); this.GBGPUViewerMenuItem.Text = "GPU Viewer"; this.GBGPUViewerMenuItem.Click += new System.EventHandler(this.GBGPUViewerMenuItem_Click); // // GBGameGenieMenuItem // this.GBGameGenieMenuItem.Name = "GBGameGenieMenuItem"; - this.GBGameGenieMenuItem.Size = new System.Drawing.Size(217, 22); + this.GBGameGenieMenuItem.Size = new System.Drawing.Size(233, 22); this.GBGameGenieMenuItem.Text = "&Game Genie Encoder/Decoder"; this.GBGameGenieMenuItem.Click += new System.EventHandler(this.GBGameGenieMenuItem_Click); // @@ -2444,7 +2490,7 @@ this.toolStripSeparator33, this.GbaGpuViewerMenuItem}); this.GBASubMenu.Name = "GBASubMenu"; - this.GBASubMenu.Size = new System.Drawing.Size(39, 17); + this.GBASubMenu.Size = new System.Drawing.Size(42, 19); this.GBASubMenu.Text = "GBA"; // // GBACoreSelectionSubMenu @@ -2453,40 +2499,40 @@ this.GBAmGBAMenuItem, this.GBAVBANextMenuItem}); this.GBACoreSelectionSubMenu.Name = "GBACoreSelectionSubMenu"; - this.GBACoreSelectionSubMenu.Size = new System.Drawing.Size(129, 22); + this.GBACoreSelectionSubMenu.Size = new System.Drawing.Size(135, 22); this.GBACoreSelectionSubMenu.Text = "&Core"; this.GBACoreSelectionSubMenu.DropDownOpened += new System.EventHandler(this.GBACoreSelectionSubMenu_DropDownOpened); // // GBAmGBAMenuItem // this.GBAmGBAMenuItem.Name = "GBAmGBAMenuItem"; - this.GBAmGBAMenuItem.Size = new System.Drawing.Size(120, 22); + this.GBAmGBAMenuItem.Size = new System.Drawing.Size(125, 22); this.GBAmGBAMenuItem.Text = "mGBA"; this.GBAmGBAMenuItem.Click += new System.EventHandler(this.GBAmGBAMenuItem_Click); // // GBAVBANextMenuItem // this.GBAVBANextMenuItem.Name = "GBAVBANextMenuItem"; - this.GBAVBANextMenuItem.Size = new System.Drawing.Size(120, 22); + this.GBAVBANextMenuItem.Size = new System.Drawing.Size(125, 22); this.GBAVBANextMenuItem.Text = "&VBA-Next"; this.GBAVBANextMenuItem.Click += new System.EventHandler(this.GBAVBANextMenuItem_Click); // // GBAcoresettingsToolStripMenuItem1 // this.GBAcoresettingsToolStripMenuItem1.Name = "GBAcoresettingsToolStripMenuItem1"; - this.GBAcoresettingsToolStripMenuItem1.Size = new System.Drawing.Size(129, 22); + this.GBAcoresettingsToolStripMenuItem1.Size = new System.Drawing.Size(135, 22); this.GBAcoresettingsToolStripMenuItem1.Text = "&Settings..."; this.GBAcoresettingsToolStripMenuItem1.Click += new System.EventHandler(this.GBAcoresettingsToolStripMenuItem1_Click); // // toolStripSeparator33 // this.toolStripSeparator33.Name = "toolStripSeparator33"; - this.toolStripSeparator33.Size = new System.Drawing.Size(126, 6); + this.toolStripSeparator33.Size = new System.Drawing.Size(132, 6); // // GbaGpuViewerMenuItem // this.GbaGpuViewerMenuItem.Name = "GbaGpuViewerMenuItem"; - this.GbaGpuViewerMenuItem.Size = new System.Drawing.Size(129, 22); + this.GbaGpuViewerMenuItem.Size = new System.Drawing.Size(135, 22); this.GbaGpuViewerMenuItem.Text = "GPU Viewer"; this.GbaGpuViewerMenuItem.Click += new System.EventHandler(this.GbaGpuViewerMenuItem_Click); // @@ -2498,7 +2544,7 @@ this.PSXDiscControlsMenuItem, this.PSXHashDiscsToolStripMenuItem}); this.PSXSubMenu.Name = "PSXSubMenu"; - this.PSXSubMenu.Size = new System.Drawing.Size(37, 17); + this.PSXSubMenu.Size = new System.Drawing.Size(39, 19); this.PSXSubMenu.Text = "PSX"; this.PSXSubMenu.DropDownOpened += new System.EventHandler(this.PSXSubMenu_DropDownOpened); // @@ -2506,24 +2552,31 @@ // this.PSXControllerSettingsMenuItem.Image = global::BizHawk.Client.EmuHawk.Properties.Resources.GameController; this.PSXControllerSettingsMenuItem.Name = "PSXControllerSettingsMenuItem"; - this.PSXControllerSettingsMenuItem.Size = new System.Drawing.Size(163, 22); - this.PSXControllerSettingsMenuItem.Text = "Controller Settings"; + this.PSXControllerSettingsMenuItem.Size = new System.Drawing.Size(234, 22); + this.PSXControllerSettingsMenuItem.Text = "Controller / Memcard Settings"; this.PSXControllerSettingsMenuItem.Click += new System.EventHandler(this.PSXControllerSettingsMenuItem_Click); // // PSXOptionsMenuItem // this.PSXOptionsMenuItem.Name = "PSXOptionsMenuItem"; - this.PSXOptionsMenuItem.Size = new System.Drawing.Size(163, 22); + this.PSXOptionsMenuItem.Size = new System.Drawing.Size(234, 22); this.PSXOptionsMenuItem.Text = "&Options"; this.PSXOptionsMenuItem.Click += new System.EventHandler(this.PSXOptionsMenuItem_Click); // // PSXDiscControlsMenuItem // this.PSXDiscControlsMenuItem.Name = "PSXDiscControlsMenuItem"; - this.PSXDiscControlsMenuItem.Size = new System.Drawing.Size(163, 22); + this.PSXDiscControlsMenuItem.Size = new System.Drawing.Size(234, 22); this.PSXDiscControlsMenuItem.Text = "&Disc Controls"; this.PSXDiscControlsMenuItem.Click += new System.EventHandler(this.PSXDiscControlsMenuItem_Click); // + // PSXHashDiscsToolStripMenuItem + // + this.PSXHashDiscsToolStripMenuItem.Name = "PSXHashDiscsToolStripMenuItem"; + this.PSXHashDiscsToolStripMenuItem.Size = new System.Drawing.Size(234, 22); + this.PSXHashDiscsToolStripMenuItem.Text = "&Hash Discs"; + this.PSXHashDiscsToolStripMenuItem.Click += new System.EventHandler(this.PSXHashDiscsToolStripMenuItem_Click); + // // SNESSubMenu // this.SNESSubMenu.DropDownItems.AddRange(new System.Windows.Forms.ToolStripItem[] { @@ -2534,7 +2587,7 @@ this.SnesGameGenieMenuItem, this.SnesOptionsMenuItem}); this.SNESSubMenu.Name = "SNESSubMenu"; - this.SNESSubMenu.Size = new System.Drawing.Size(44, 17); + this.SNESSubMenu.Size = new System.Drawing.Size(46, 19); this.SNESSubMenu.Text = "&SNES"; this.SNESSubMenu.DropDownOpened += new System.EventHandler(this.SNESSubMenu_DropDownOpened); // @@ -2550,97 +2603,97 @@ this.SnesObj3MenuItem, this.SnesObj4MenuItem}); this.SNESDisplayMenuItem.Name = "SNESDisplayMenuItem"; - this.SNESDisplayMenuItem.Size = new System.Drawing.Size(217, 22); + this.SNESDisplayMenuItem.Size = new System.Drawing.Size(233, 22); this.SNESDisplayMenuItem.Text = "Display"; this.SNESDisplayMenuItem.DropDownOpened += new System.EventHandler(this.SNESDisplayMenuItem_DropDownOpened); // // SnesBg1MenuItem // this.SnesBg1MenuItem.Name = "SnesBg1MenuItem"; - this.SnesBg1MenuItem.Size = new System.Drawing.Size(102, 22); + this.SnesBg1MenuItem.Size = new System.Drawing.Size(103, 22); this.SnesBg1MenuItem.Text = "BG 1"; this.SnesBg1MenuItem.Click += new System.EventHandler(this.SnesBg1MenuItem_Click); // // SnesBg2MenuItem // this.SnesBg2MenuItem.Name = "SnesBg2MenuItem"; - this.SnesBg2MenuItem.Size = new System.Drawing.Size(102, 22); + this.SnesBg2MenuItem.Size = new System.Drawing.Size(103, 22); this.SnesBg2MenuItem.Text = "BG 2"; this.SnesBg2MenuItem.Click += new System.EventHandler(this.SnesBg2MenuItem_Click); // // SnesBg3MenuItem // this.SnesBg3MenuItem.Name = "SnesBg3MenuItem"; - this.SnesBg3MenuItem.Size = new System.Drawing.Size(102, 22); + this.SnesBg3MenuItem.Size = new System.Drawing.Size(103, 22); this.SnesBg3MenuItem.Text = "BG 3"; this.SnesBg3MenuItem.Click += new System.EventHandler(this.SnesBg3MenuItem_Click); // // SnesBg4MenuItem // this.SnesBg4MenuItem.Name = "SnesBg4MenuItem"; - this.SnesBg4MenuItem.Size = new System.Drawing.Size(102, 22); + this.SnesBg4MenuItem.Size = new System.Drawing.Size(103, 22); this.SnesBg4MenuItem.Text = "BG 4"; this.SnesBg4MenuItem.Click += new System.EventHandler(this.SnesBg4MenuItem_Click); // // SnesObj1MenuItem // this.SnesObj1MenuItem.Name = "SnesObj1MenuItem"; - this.SnesObj1MenuItem.Size = new System.Drawing.Size(102, 22); + this.SnesObj1MenuItem.Size = new System.Drawing.Size(103, 22); this.SnesObj1MenuItem.Text = "OBJ 1"; this.SnesObj1MenuItem.Click += new System.EventHandler(this.SnesObj1MenuItem_Click); // // SnesObj2MenuItem // this.SnesObj2MenuItem.Name = "SnesObj2MenuItem"; - this.SnesObj2MenuItem.Size = new System.Drawing.Size(102, 22); + this.SnesObj2MenuItem.Size = new System.Drawing.Size(103, 22); this.SnesObj2MenuItem.Text = "OBJ 2"; this.SnesObj2MenuItem.Click += new System.EventHandler(this.SnesObj2MenuItem_Click); // // SnesObj3MenuItem // this.SnesObj3MenuItem.Name = "SnesObj3MenuItem"; - this.SnesObj3MenuItem.Size = new System.Drawing.Size(102, 22); + this.SnesObj3MenuItem.Size = new System.Drawing.Size(103, 22); this.SnesObj3MenuItem.Text = "OBJ 3"; this.SnesObj3MenuItem.Click += new System.EventHandler(this.SnesObj3MenuItem_Click); // // SnesObj4MenuItem // this.SnesObj4MenuItem.Name = "SnesObj4MenuItem"; - this.SnesObj4MenuItem.Size = new System.Drawing.Size(102, 22); + this.SnesObj4MenuItem.Size = new System.Drawing.Size(103, 22); this.SnesObj4MenuItem.Text = "OBJ 4"; this.SnesObj4MenuItem.Click += new System.EventHandler(this.SnesObj4MenuItem_Click); // // toolStripSeparator18 // this.toolStripSeparator18.Name = "toolStripSeparator18"; - this.toolStripSeparator18.Size = new System.Drawing.Size(214, 6); + this.toolStripSeparator18.Size = new System.Drawing.Size(230, 6); // // SnesGfxDebuggerMenuItem // this.SnesGfxDebuggerMenuItem.Image = global::BizHawk.Client.EmuHawk.Properties.Resources.Bug; this.SnesGfxDebuggerMenuItem.Name = "SnesGfxDebuggerMenuItem"; - this.SnesGfxDebuggerMenuItem.Size = new System.Drawing.Size(217, 22); + this.SnesGfxDebuggerMenuItem.Size = new System.Drawing.Size(233, 22); this.SnesGfxDebuggerMenuItem.Text = "Graphics Debugger"; this.SnesGfxDebuggerMenuItem.Click += new System.EventHandler(this.SnesGfxDebuggerMenuItem_Click); // // SnesGBInSGBMenuItem // this.SnesGBInSGBMenuItem.Name = "SnesGBInSGBMenuItem"; - this.SnesGBInSGBMenuItem.Size = new System.Drawing.Size(217, 22); + this.SnesGBInSGBMenuItem.Size = new System.Drawing.Size(233, 22); this.SnesGBInSGBMenuItem.Text = "Load GB in SGB"; this.SnesGBInSGBMenuItem.Click += new System.EventHandler(this.SnesGBInSGBMenuItem_Click); // // SnesGameGenieMenuItem // this.SnesGameGenieMenuItem.Name = "SnesGameGenieMenuItem"; - this.SnesGameGenieMenuItem.Size = new System.Drawing.Size(217, 22); + this.SnesGameGenieMenuItem.Size = new System.Drawing.Size(233, 22); this.SnesGameGenieMenuItem.Text = "&Game Genie Encoder/Decoder"; this.SnesGameGenieMenuItem.Click += new System.EventHandler(this.SnesGameGenieMenuItem_Click); // // SnesOptionsMenuItem // this.SnesOptionsMenuItem.Name = "SnesOptionsMenuItem"; - this.SnesOptionsMenuItem.Size = new System.Drawing.Size(217, 22); + this.SnesOptionsMenuItem.Size = new System.Drawing.Size(233, 22); this.SnesOptionsMenuItem.Text = "&Options"; this.SnesOptionsMenuItem.Click += new System.EventHandler(this.SnesOptionsMenuItem_Click); // @@ -2649,14 +2702,14 @@ this.ColecoSubMenu.DropDownItems.AddRange(new System.Windows.Forms.ToolStripItem[] { this.ColecoSkipBiosMenuItem}); this.ColecoSubMenu.Name = "ColecoSubMenu"; - this.ColecoSubMenu.Size = new System.Drawing.Size(51, 17); + this.ColecoSubMenu.Size = new System.Drawing.Size(56, 19); this.ColecoSubMenu.Text = "&Coleco"; this.ColecoSubMenu.DropDownOpened += new System.EventHandler(this.ColecoSubMenu_DropDownOpened); // // ColecoSkipBiosMenuItem // this.ColecoSkipBiosMenuItem.Name = "ColecoSkipBiosMenuItem"; - this.ColecoSkipBiosMenuItem.Size = new System.Drawing.Size(145, 22); + this.ColecoSkipBiosMenuItem.Size = new System.Drawing.Size(152, 22); this.ColecoSkipBiosMenuItem.Text = "&Skip BIOS intro"; this.ColecoSkipBiosMenuItem.Click += new System.EventHandler(this.ColecoSkipBiosMenuItem_Click); // @@ -2670,7 +2723,7 @@ this.MupenStyleLagMenuItem, this.N64ExpansionSlotMenuItem}); this.N64SubMenu.Name = "N64SubMenu"; - this.N64SubMenu.Size = new System.Drawing.Size(38, 17); + this.N64SubMenu.Size = new System.Drawing.Size(40, 19); this.N64SubMenu.Text = "N64"; this.N64SubMenu.DropDownOpened += new System.EventHandler(this.N64SubMenu_DropDownOpened); // @@ -2678,7 +2731,7 @@ // this.N64PluginSettingsMenuItem.Image = ((System.Drawing.Image)(resources.GetObject("N64PluginSettingsMenuItem.Image"))); this.N64PluginSettingsMenuItem.Name = "N64PluginSettingsMenuItem"; - this.N64PluginSettingsMenuItem.Size = new System.Drawing.Size(180, 22); + this.N64PluginSettingsMenuItem.Size = new System.Drawing.Size(192, 22); this.N64PluginSettingsMenuItem.Text = "Plugins"; this.N64PluginSettingsMenuItem.Click += new System.EventHandler(this.N64PluginSettingsMenuItem_Click); // @@ -2686,33 +2739,33 @@ // this.N64ControllerSettingsMenuItem.Image = global::BizHawk.Client.EmuHawk.Properties.Resources.GameController; this.N64ControllerSettingsMenuItem.Name = "N64ControllerSettingsMenuItem"; - this.N64ControllerSettingsMenuItem.Size = new System.Drawing.Size(180, 22); + this.N64ControllerSettingsMenuItem.Size = new System.Drawing.Size(192, 22); this.N64ControllerSettingsMenuItem.Text = "Controller Settings..."; this.N64ControllerSettingsMenuItem.Click += new System.EventHandler(this.N64ControllerSettingsMenuItem_Click); // // toolStripSeparator23 // this.toolStripSeparator23.Name = "toolStripSeparator23"; - this.toolStripSeparator23.Size = new System.Drawing.Size(177, 6); + this.toolStripSeparator23.Size = new System.Drawing.Size(189, 6); // // N64CircularAnalogRangeMenuItem // this.N64CircularAnalogRangeMenuItem.Name = "N64CircularAnalogRangeMenuItem"; - this.N64CircularAnalogRangeMenuItem.Size = new System.Drawing.Size(180, 22); + this.N64CircularAnalogRangeMenuItem.Size = new System.Drawing.Size(192, 22); this.N64CircularAnalogRangeMenuItem.Text = "Circular Analog Range"; this.N64CircularAnalogRangeMenuItem.Click += new System.EventHandler(this.N64CircularAnalogRangeMenuItem_Click); // // MupenStyleLagMenuItem // this.MupenStyleLagMenuItem.Name = "MupenStyleLagMenuItem"; - this.MupenStyleLagMenuItem.Size = new System.Drawing.Size(180, 22); + this.MupenStyleLagMenuItem.Size = new System.Drawing.Size(192, 22); this.MupenStyleLagMenuItem.Text = "&Non-VI Lag Frames"; this.MupenStyleLagMenuItem.Click += new System.EventHandler(this.MupenStyleLagMenuItem_Click); // // N64ExpansionSlotMenuItem // this.N64ExpansionSlotMenuItem.Name = "N64ExpansionSlotMenuItem"; - this.N64ExpansionSlotMenuItem.Size = new System.Drawing.Size(180, 22); + this.N64ExpansionSlotMenuItem.Size = new System.Drawing.Size(192, 22); this.N64ExpansionSlotMenuItem.Text = "&Use Expansion Slot"; this.N64ExpansionSlotMenuItem.Click += new System.EventHandler(this.N64ExpansionSlotMenuItem_Click); // @@ -2721,7 +2774,7 @@ this.SaturnSubMenu.DropDownItems.AddRange(new System.Windows.Forms.ToolStripItem[] { this.SaturnPreferencesMenuItem}); this.SaturnSubMenu.Name = "SaturnSubMenu"; - this.SaturnSubMenu.Size = new System.Drawing.Size(51, 17); + this.SaturnSubMenu.Size = new System.Drawing.Size(53, 19); this.SaturnSubMenu.Text = "&Saturn"; // // SaturnPreferencesMenuItem @@ -2736,7 +2789,7 @@ this.DGBSubMenu.DropDownItems.AddRange(new System.Windows.Forms.ToolStripItem[] { this.DGBsettingsToolStripMenuItem}); this.DGBSubMenu.Name = "DGBSubMenu"; - this.DGBSubMenu.Size = new System.Drawing.Size(53, 17); + this.DGBSubMenu.Size = new System.Drawing.Size(59, 19); this.DGBSubMenu.Text = "&GB Link"; // // DGBsettingsToolStripMenuItem @@ -2754,32 +2807,32 @@ this.toolStripSeparator26, this.GenesisSettingsToolStripMenuItem}); this.GenesisSubMenu.Name = "GenesisSubMenu"; - this.GenesisSubMenu.Size = new System.Drawing.Size(56, 17); + this.GenesisSubMenu.Size = new System.Drawing.Size(59, 19); this.GenesisSubMenu.Text = "&Genesis"; // // vDPViewerToolStripMenuItem // this.vDPViewerToolStripMenuItem.Name = "vDPViewerToolStripMenuItem"; - this.vDPViewerToolStripMenuItem.Size = new System.Drawing.Size(217, 22); + this.vDPViewerToolStripMenuItem.Size = new System.Drawing.Size(233, 22); this.vDPViewerToolStripMenuItem.Text = "&VDP Viewer"; this.vDPViewerToolStripMenuItem.Click += new System.EventHandler(this.GenVdpViewerMenuItem_Click); // // GenesisGameGenieECDC // this.GenesisGameGenieECDC.Name = "GenesisGameGenieECDC"; - this.GenesisGameGenieECDC.Size = new System.Drawing.Size(217, 22); + this.GenesisGameGenieECDC.Size = new System.Drawing.Size(233, 22); this.GenesisGameGenieECDC.Text = "&Game Genie Encoder/Decoder"; this.GenesisGameGenieECDC.Click += new System.EventHandler(this.GenesisGameGenieECDC_Click); // // toolStripSeparator26 // this.toolStripSeparator26.Name = "toolStripSeparator26"; - this.toolStripSeparator26.Size = new System.Drawing.Size(214, 6); + this.toolStripSeparator26.Size = new System.Drawing.Size(230, 6); // // GenesisSettingsToolStripMenuItem // this.GenesisSettingsToolStripMenuItem.Name = "GenesisSettingsToolStripMenuItem"; - this.GenesisSettingsToolStripMenuItem.Size = new System.Drawing.Size(217, 22); + this.GenesisSettingsToolStripMenuItem.Size = new System.Drawing.Size(233, 22); this.GenesisSettingsToolStripMenuItem.Text = "&Settings..."; this.GenesisSettingsToolStripMenuItem.Click += new System.EventHandler(this.GenesisSettingsMenuItem_Click); // @@ -2788,7 +2841,7 @@ this.wonderSwanToolStripMenuItem.DropDownItems.AddRange(new System.Windows.Forms.ToolStripItem[] { this.settingsToolStripMenuItem}); this.wonderSwanToolStripMenuItem.Name = "wonderSwanToolStripMenuItem"; - this.wonderSwanToolStripMenuItem.Size = new System.Drawing.Size(83, 17); + this.wonderSwanToolStripMenuItem.Size = new System.Drawing.Size(89, 19); this.wonderSwanToolStripMenuItem.Text = "&WonderSwan"; // // settingsToolStripMenuItem @@ -2804,7 +2857,7 @@ this.AppleDisksSubMenu, this.settingsToolStripMenuItem1}); this.AppleSubMenu.Name = "AppleSubMenu"; - this.AppleSubMenu.Size = new System.Drawing.Size(46, 17); + this.AppleSubMenu.Size = new System.Drawing.Size(50, 19); this.AppleSubMenu.Text = "Apple"; this.AppleSubMenu.DropDownOpened += new System.EventHandler(this.AppleSubMenu_DropDownOpened); // @@ -2837,7 +2890,7 @@ this.FeaturesMenuItem, this.AboutMenuItem}); this.HelpSubMenu.Name = "HelpSubMenu"; - this.HelpSubMenu.Size = new System.Drawing.Size(40, 17); + this.HelpSubMenu.Size = new System.Drawing.Size(44, 19); this.HelpSubMenu.Text = "&Help"; this.HelpSubMenu.DropDownOpened += new System.EventHandler(this.HelpSubMenu_DropDownOpened); // @@ -2845,7 +2898,7 @@ // this.OnlineHelpMenuItem.Image = global::BizHawk.Client.EmuHawk.Properties.Resources.Help; this.OnlineHelpMenuItem.Name = "OnlineHelpMenuItem"; - this.OnlineHelpMenuItem.Size = new System.Drawing.Size(140, 22); + this.OnlineHelpMenuItem.Size = new System.Drawing.Size(146, 22); this.OnlineHelpMenuItem.Text = "&Online Help..."; this.OnlineHelpMenuItem.Click += new System.EventHandler(this.OnlineHelpMenuItem_Click); // @@ -2853,14 +2906,15 @@ // this.ForumsMenuItem.Image = global::BizHawk.Client.EmuHawk.Properties.Resources.TAStudio; this.ForumsMenuItem.Name = "ForumsMenuItem"; - this.ForumsMenuItem.Size = new System.Drawing.Size(140, 22); + this.ForumsMenuItem.Size = new System.Drawing.Size(146, 22); this.ForumsMenuItem.Text = "Forums..."; this.ForumsMenuItem.Click += new System.EventHandler(this.ForumsMenuItem_Click); // // FeaturesMenuItem // + this.FeaturesMenuItem.Image = global::BizHawk.Client.EmuHawk.Properties.Resources.kitchensink; this.FeaturesMenuItem.Name = "FeaturesMenuItem"; - this.FeaturesMenuItem.Size = new System.Drawing.Size(140, 22); + this.FeaturesMenuItem.Size = new System.Drawing.Size(146, 22); this.FeaturesMenuItem.Text = "&Features"; this.FeaturesMenuItem.Click += new System.EventHandler(this.FeaturesMenuItem_Click); // @@ -2868,7 +2922,7 @@ // this.AboutMenuItem.Image = global::BizHawk.Client.EmuHawk.Properties.Resources.CorpHawkSmall; this.AboutMenuItem.Name = "AboutMenuItem"; - this.AboutMenuItem.Size = new System.Drawing.Size(140, 22); + this.AboutMenuItem.Size = new System.Drawing.Size(146, 22); this.AboutMenuItem.Text = "&About"; this.AboutMenuItem.Click += new System.EventHandler(this.AboutMenuItem_Click); // @@ -2977,7 +3031,7 @@ // this.SaveSlotsStatusLabel.BackColor = System.Drawing.SystemColors.Control; this.SaveSlotsStatusLabel.Name = "SaveSlotsStatusLabel"; - this.SaveSlotsStatusLabel.Size = new System.Drawing.Size(56, 17); + this.SaveSlotsStatusLabel.Size = new System.Drawing.Size(58, 17); this.SaveSlotsStatusLabel.Text = "Save slots"; // // Slot1StatusButton @@ -3080,7 +3134,7 @@ // this.CoreNameStatusBarButton.Image = global::BizHawk.Client.EmuHawk.Properties.Resources.CorpHawkSmall; this.CoreNameStatusBarButton.Name = "CoreNameStatusBarButton"; - this.CoreNameStatusBarButton.Size = new System.Drawing.Size(66, 17); + this.CoreNameStatusBarButton.Size = new System.Drawing.Size(71, 17); this.CoreNameStatusBarButton.Text = "Neshawk"; // // ProfileFirstBootLabel @@ -3110,7 +3164,7 @@ this.UpdateNotification.IsLink = true; this.UpdateNotification.LinkColor = System.Drawing.Color.Red; this.UpdateNotification.Name = "UpdateNotification"; - this.UpdateNotification.Size = new System.Drawing.Size(53, 17); + this.UpdateNotification.Size = new System.Drawing.Size(46, 17); this.UpdateNotification.Spring = true; this.UpdateNotification.Text = "New version available!"; this.UpdateNotification.TextAlign = System.Drawing.ContentAlignment.MiddleRight; @@ -3144,7 +3198,7 @@ this.ShowMenuContextMenuSeparator, this.ShowMenuContextMenuItem}); this.MainFormContextMenu.Name = "contextMenuStrip1"; - this.MainFormContextMenu.Size = new System.Drawing.Size(202, 468); + this.MainFormContextMenu.Size = new System.Drawing.Size(217, 468); this.MainFormContextMenu.Closing += new System.Windows.Forms.ToolStripDropDownClosingEventHandler(this.MainFormContextMenu_Closing); this.MainFormContextMenu.Opening += new System.ComponentModel.CancelEventHandler(this.MainFormContextMenu_Opening); // @@ -3152,7 +3206,7 @@ // this.OpenRomContextMenuItem.Image = global::BizHawk.Client.EmuHawk.Properties.Resources.OpenFile; this.OpenRomContextMenuItem.Name = "OpenRomContextMenuItem"; - this.OpenRomContextMenuItem.Size = new System.Drawing.Size(201, 22); + this.OpenRomContextMenuItem.Size = new System.Drawing.Size(216, 22); this.OpenRomContextMenuItem.Text = "Open Rom"; this.OpenRomContextMenuItem.Click += new System.EventHandler(this.OpenRomMenuItem_Click); // @@ -3160,7 +3214,7 @@ // this.LoadLastRomContextMenuItem.Image = global::BizHawk.Client.EmuHawk.Properties.Resources.Recent; this.LoadLastRomContextMenuItem.Name = "LoadLastRomContextMenuItem"; - this.LoadLastRomContextMenuItem.Size = new System.Drawing.Size(201, 22); + this.LoadLastRomContextMenuItem.Size = new System.Drawing.Size(216, 22); this.LoadLastRomContextMenuItem.Text = "Load Last ROM"; this.LoadLastRomContextMenuItem.Click += new System.EventHandler(this.LoadLastRomContextMenuItem_Click); // @@ -3168,20 +3222,20 @@ // this.StopAVContextMenuItem.Image = global::BizHawk.Client.EmuHawk.Properties.Resources.Stop; this.StopAVContextMenuItem.Name = "StopAVContextMenuItem"; - this.StopAVContextMenuItem.Size = new System.Drawing.Size(201, 22); + this.StopAVContextMenuItem.Size = new System.Drawing.Size(216, 22); this.StopAVContextMenuItem.Text = "Stop AVI/WAV"; this.StopAVContextMenuItem.Click += new System.EventHandler(this.StopAVMenuItem_Click); // // ContextSeparator_AfterROM // this.ContextSeparator_AfterROM.Name = "ContextSeparator_AfterROM"; - this.ContextSeparator_AfterROM.Size = new System.Drawing.Size(198, 6); + this.ContextSeparator_AfterROM.Size = new System.Drawing.Size(213, 6); // // RecordMovieContextMenuItem // this.RecordMovieContextMenuItem.Image = global::BizHawk.Client.EmuHawk.Properties.Resources.RecordHS; this.RecordMovieContextMenuItem.Name = "RecordMovieContextMenuItem"; - this.RecordMovieContextMenuItem.Size = new System.Drawing.Size(201, 22); + this.RecordMovieContextMenuItem.Size = new System.Drawing.Size(216, 22); this.RecordMovieContextMenuItem.Text = "Record Movie"; this.RecordMovieContextMenuItem.Click += new System.EventHandler(this.RecordMovieMenuItem_Click); // @@ -3189,7 +3243,7 @@ // this.PlayMovieContextMenuItem.Image = global::BizHawk.Client.EmuHawk.Properties.Resources.Play; this.PlayMovieContextMenuItem.Name = "PlayMovieContextMenuItem"; - this.PlayMovieContextMenuItem.Size = new System.Drawing.Size(201, 22); + this.PlayMovieContextMenuItem.Size = new System.Drawing.Size(216, 22); this.PlayMovieContextMenuItem.Text = "Play Movie"; this.PlayMovieContextMenuItem.Click += new System.EventHandler(this.PlayMovieMenuItem_Click); // @@ -3197,7 +3251,7 @@ // this.RestartMovieContextMenuItem.Image = global::BizHawk.Client.EmuHawk.Properties.Resources.restart; this.RestartMovieContextMenuItem.Name = "RestartMovieContextMenuItem"; - this.RestartMovieContextMenuItem.Size = new System.Drawing.Size(201, 22); + this.RestartMovieContextMenuItem.Size = new System.Drawing.Size(216, 22); this.RestartMovieContextMenuItem.Text = "Restart Movie"; this.RestartMovieContextMenuItem.Click += new System.EventHandler(this.PlayFromBeginningMenuItem_Click); // @@ -3205,7 +3259,7 @@ // this.StopMovieContextMenuItem.Image = global::BizHawk.Client.EmuHawk.Properties.Resources.Stop; this.StopMovieContextMenuItem.Name = "StopMovieContextMenuItem"; - this.StopMovieContextMenuItem.Size = new System.Drawing.Size(201, 22); + this.StopMovieContextMenuItem.Size = new System.Drawing.Size(216, 22); this.StopMovieContextMenuItem.Text = "Stop Movie"; this.StopMovieContextMenuItem.Click += new System.EventHandler(this.StopMovieMenuItem_Click); // @@ -3213,14 +3267,14 @@ // this.LoadLastMovieContextMenuItem.Image = global::BizHawk.Client.EmuHawk.Properties.Resources.Recent; this.LoadLastMovieContextMenuItem.Name = "LoadLastMovieContextMenuItem"; - this.LoadLastMovieContextMenuItem.Size = new System.Drawing.Size(201, 22); + this.LoadLastMovieContextMenuItem.Size = new System.Drawing.Size(216, 22); this.LoadLastMovieContextMenuItem.Text = "Load Last Movie"; this.LoadLastMovieContextMenuItem.Click += new System.EventHandler(this.LoadLastMovieContextMenuItem_Click); // // BackupMovieContextMenuItem // this.BackupMovieContextMenuItem.Name = "BackupMovieContextMenuItem"; - this.BackupMovieContextMenuItem.Size = new System.Drawing.Size(201, 22); + this.BackupMovieContextMenuItem.Size = new System.Drawing.Size(216, 22); this.BackupMovieContextMenuItem.Text = "Backup Movie"; this.BackupMovieContextMenuItem.Click += new System.EventHandler(this.BackupMovieContextMenuItem_Click); // @@ -3228,28 +3282,28 @@ // this.StopNoSaveContextMenuItem.Image = global::BizHawk.Client.EmuHawk.Properties.Resources.Stop; this.StopNoSaveContextMenuItem.Name = "StopNoSaveContextMenuItem"; - this.StopNoSaveContextMenuItem.Size = new System.Drawing.Size(201, 22); + this.StopNoSaveContextMenuItem.Size = new System.Drawing.Size(216, 22); this.StopNoSaveContextMenuItem.Text = "Stop Movie without Saving"; this.StopNoSaveContextMenuItem.Click += new System.EventHandler(this.StopMovieWithoutSavingMenuItem_Click); // // ViewSubtitlesContextMenuItem // this.ViewSubtitlesContextMenuItem.Name = "ViewSubtitlesContextMenuItem"; - this.ViewSubtitlesContextMenuItem.Size = new System.Drawing.Size(201, 22); + this.ViewSubtitlesContextMenuItem.Size = new System.Drawing.Size(216, 22); this.ViewSubtitlesContextMenuItem.Text = "View Subtitles"; this.ViewSubtitlesContextMenuItem.Click += new System.EventHandler(this.ViewSubtitlesContextMenuItem_Click); // // AddSubtitleContextMenuItem // this.AddSubtitleContextMenuItem.Name = "AddSubtitleContextMenuItem"; - this.AddSubtitleContextMenuItem.Size = new System.Drawing.Size(201, 22); + this.AddSubtitleContextMenuItem.Size = new System.Drawing.Size(216, 22); this.AddSubtitleContextMenuItem.Text = "Add Subtitle"; this.AddSubtitleContextMenuItem.Click += new System.EventHandler(this.AddSubtitleContextMenuItem_Click); // // ViewCommentsContextMenuItem // this.ViewCommentsContextMenuItem.Name = "ViewCommentsContextMenuItem"; - this.ViewCommentsContextMenuItem.Size = new System.Drawing.Size(201, 22); + this.ViewCommentsContextMenuItem.Size = new System.Drawing.Size(216, 22); this.ViewCommentsContextMenuItem.Text = "View Comments"; this.ViewCommentsContextMenuItem.Click += new System.EventHandler(this.ViewCommentsContextMenuItem_Click); // @@ -3257,27 +3311,27 @@ // this.SaveMovieContextMenuItem.Image = global::BizHawk.Client.EmuHawk.Properties.Resources.SaveAs; this.SaveMovieContextMenuItem.Name = "SaveMovieContextMenuItem"; - this.SaveMovieContextMenuItem.Size = new System.Drawing.Size(201, 22); + this.SaveMovieContextMenuItem.Size = new System.Drawing.Size(216, 22); this.SaveMovieContextMenuItem.Text = "Save Movie"; this.SaveMovieContextMenuItem.Click += new System.EventHandler(this.SaveMovieMenuItem_Click); // // ContextSeparator_AfterMovie // this.ContextSeparator_AfterMovie.Name = "ContextSeparator_AfterMovie"; - this.ContextSeparator_AfterMovie.Size = new System.Drawing.Size(198, 6); + this.ContextSeparator_AfterMovie.Size = new System.Drawing.Size(213, 6); // // UndoSavestateContextMenuItem // this.UndoSavestateContextMenuItem.Image = global::BizHawk.Client.EmuHawk.Properties.Resources.undo; this.UndoSavestateContextMenuItem.Name = "UndoSavestateContextMenuItem"; - this.UndoSavestateContextMenuItem.Size = new System.Drawing.Size(201, 22); + this.UndoSavestateContextMenuItem.Size = new System.Drawing.Size(216, 22); this.UndoSavestateContextMenuItem.Text = "Undo Savestate"; this.UndoSavestateContextMenuItem.Click += new System.EventHandler(this.UndoSavestateContextMenuItem_Click); // // ContextSeparator_AfterUndo // this.ContextSeparator_AfterUndo.Name = "ContextSeparator_AfterUndo"; - this.ContextSeparator_AfterUndo.Size = new System.Drawing.Size(198, 6); + this.ContextSeparator_AfterUndo.Size = new System.Drawing.Size(213, 6); // // ConfigContextMenuItem // @@ -3300,14 +3354,14 @@ this.toolStripMenuItem66, this.toolStripMenuItem67}); this.ConfigContextMenuItem.Name = "ConfigContextMenuItem"; - this.ConfigContextMenuItem.Size = new System.Drawing.Size(201, 22); + this.ConfigContextMenuItem.Size = new System.Drawing.Size(216, 22); this.ConfigContextMenuItem.Text = "Config"; // // toolStripMenuItem6 // this.toolStripMenuItem6.Image = global::BizHawk.Client.EmuHawk.Properties.Resources.GameController; this.toolStripMenuItem6.Name = "toolStripMenuItem6"; - this.toolStripMenuItem6.Size = new System.Drawing.Size(157, 22); + this.toolStripMenuItem6.Size = new System.Drawing.Size(159, 22); this.toolStripMenuItem6.Text = "&Controllers..."; this.toolStripMenuItem6.Click += new System.EventHandler(this.ControllersMenuItem_Click); // @@ -3315,7 +3369,7 @@ // this.toolStripMenuItem7.Image = global::BizHawk.Client.EmuHawk.Properties.Resources.HotKeys; this.toolStripMenuItem7.Name = "toolStripMenuItem7"; - this.toolStripMenuItem7.Size = new System.Drawing.Size(157, 22); + this.toolStripMenuItem7.Size = new System.Drawing.Size(159, 22); this.toolStripMenuItem7.Text = "&Hotkeys..."; this.toolStripMenuItem7.Click += new System.EventHandler(this.HotkeysMenuItem_Click); // @@ -3323,7 +3377,7 @@ // this.toolStripMenuItem8.Image = ((System.Drawing.Image)(resources.GetObject("toolStripMenuItem8.Image"))); this.toolStripMenuItem8.Name = "toolStripMenuItem8"; - this.toolStripMenuItem8.Size = new System.Drawing.Size(157, 22); + this.toolStripMenuItem8.Size = new System.Drawing.Size(159, 22); this.toolStripMenuItem8.Text = "Display..."; this.toolStripMenuItem8.Click += new System.EventHandler(this.DisplayConfigMenuItem_Click); // @@ -3331,7 +3385,7 @@ // this.toolStripMenuItem9.Image = global::BizHawk.Client.EmuHawk.Properties.Resources.AudioHS; this.toolStripMenuItem9.Name = "toolStripMenuItem9"; - this.toolStripMenuItem9.Size = new System.Drawing.Size(157, 22); + this.toolStripMenuItem9.Size = new System.Drawing.Size(159, 22); this.toolStripMenuItem9.Text = "&Sound..."; this.toolStripMenuItem9.Click += new System.EventHandler(this.SoundMenuItem_Click); // @@ -3339,7 +3393,7 @@ // this.toolStripMenuItem10.Image = global::BizHawk.Client.EmuHawk.Properties.Resources.CopyFolderHS; this.toolStripMenuItem10.Name = "toolStripMenuItem10"; - this.toolStripMenuItem10.Size = new System.Drawing.Size(157, 22); + this.toolStripMenuItem10.Size = new System.Drawing.Size(159, 22); this.toolStripMenuItem10.Text = "Paths..."; this.toolStripMenuItem10.Click += new System.EventHandler(this.PathsMenuItem_Click); // @@ -3347,7 +3401,7 @@ // this.toolStripMenuItem11.Image = ((System.Drawing.Image)(resources.GetObject("toolStripMenuItem11.Image"))); this.toolStripMenuItem11.Name = "toolStripMenuItem11"; - this.toolStripMenuItem11.Size = new System.Drawing.Size(157, 22); + this.toolStripMenuItem11.Size = new System.Drawing.Size(159, 22); this.toolStripMenuItem11.Text = "&Firmwares..."; this.toolStripMenuItem11.Click += new System.EventHandler(this.FirmwaresMenuItem_Click); // @@ -3355,7 +3409,7 @@ // this.toolStripMenuItem12.Image = global::BizHawk.Client.EmuHawk.Properties.Resources.MessageConfig; this.toolStripMenuItem12.Name = "toolStripMenuItem12"; - this.toolStripMenuItem12.Size = new System.Drawing.Size(157, 22); + this.toolStripMenuItem12.Size = new System.Drawing.Size(159, 22); this.toolStripMenuItem12.Text = "&Messages..."; this.toolStripMenuItem12.Click += new System.EventHandler(this.MessagesMenuItem_Click); // @@ -3363,35 +3417,35 @@ // this.toolStripMenuItem13.Image = global::BizHawk.Client.EmuHawk.Properties.Resources.Lightning; this.toolStripMenuItem13.Name = "toolStripMenuItem13"; - this.toolStripMenuItem13.Size = new System.Drawing.Size(157, 22); + this.toolStripMenuItem13.Size = new System.Drawing.Size(159, 22); this.toolStripMenuItem13.Text = "&Autofire..."; // // toolStripMenuItem14 // this.toolStripMenuItem14.Image = global::BizHawk.Client.EmuHawk.Properties.Resources.Previous; this.toolStripMenuItem14.Name = "toolStripMenuItem14"; - this.toolStripMenuItem14.Size = new System.Drawing.Size(157, 22); + this.toolStripMenuItem14.Size = new System.Drawing.Size(159, 22); this.toolStripMenuItem14.Text = "&Rewind..."; this.toolStripMenuItem14.Click += new System.EventHandler(this.RewindOptionsMenuItem_Click); // // toolStripMenuItem15 // this.toolStripMenuItem15.Name = "toolStripMenuItem15"; - this.toolStripMenuItem15.Size = new System.Drawing.Size(157, 22); + this.toolStripMenuItem15.Size = new System.Drawing.Size(159, 22); this.toolStripMenuItem15.Text = "File Extensions..."; this.toolStripMenuItem15.Click += new System.EventHandler(this.FileExtensionsMenuItem_Click); // // customizeToolStripMenuItem // this.customizeToolStripMenuItem.Name = "customizeToolStripMenuItem"; - this.customizeToolStripMenuItem.Size = new System.Drawing.Size(157, 22); + this.customizeToolStripMenuItem.Size = new System.Drawing.Size(159, 22); this.customizeToolStripMenuItem.Text = "Customize..."; this.customizeToolStripMenuItem.Click += new System.EventHandler(this.CustomizeMenuItem_Click); // // toolStripSeparator30 // this.toolStripSeparator30.Name = "toolStripSeparator30"; - this.toolStripSeparator30.Size = new System.Drawing.Size(154, 6); + this.toolStripSeparator30.Size = new System.Drawing.Size(156, 6); // // SavestateTypeContextSubMenu // @@ -3400,7 +3454,7 @@ this.SavestateBinaryContextMenuItem, this.SavestateTextContextMenuItem}); this.SavestateTypeContextSubMenu.Name = "SavestateTypeContextSubMenu"; - this.SavestateTypeContextSubMenu.Size = new System.Drawing.Size(157, 22); + this.SavestateTypeContextSubMenu.Size = new System.Drawing.Size(159, 22); this.SavestateTypeContextSubMenu.Text = "Savestate Type"; this.SavestateTypeContextSubMenu.DropDownOpened += new System.EventHandler(this.SavestateTypeContextSubMenu_DropDownOpened); // @@ -3425,34 +3479,34 @@ this.GBInSGBContextMenuItem, this.NesInQuickNESContextMenuItem}); this.CoreSelectionContextSubMenu.Name = "CoreSelectionContextSubMenu"; - this.CoreSelectionContextSubMenu.Size = new System.Drawing.Size(157, 22); + this.CoreSelectionContextSubMenu.Size = new System.Drawing.Size(159, 22); this.CoreSelectionContextSubMenu.Text = "Core Selection"; this.CoreSelectionContextSubMenu.DropDownOpened += new System.EventHandler(this.CoreSelectionContextSubMenu_DropDownOpened); // // GBInSGBContextMenuItem // this.GBInSGBContextMenuItem.Name = "GBInSGBContextMenuItem"; - this.GBInSGBContextMenuItem.Size = new System.Drawing.Size(152, 22); + this.GBInSGBContextMenuItem.Size = new System.Drawing.Size(163, 22); this.GBInSGBContextMenuItem.Text = "GB in SGB"; this.GBInSGBContextMenuItem.Click += new System.EventHandler(this.GBInSGBMenuItem_Click); // // NesInQuickNESContextMenuItem // this.NesInQuickNESContextMenuItem.Name = "NesInQuickNESContextMenuItem"; - this.NesInQuickNESContextMenuItem.Size = new System.Drawing.Size(152, 22); + this.NesInQuickNESContextMenuItem.Size = new System.Drawing.Size(163, 22); this.NesInQuickNESContextMenuItem.Text = "NES in QuickNES"; this.NesInQuickNESContextMenuItem.Click += new System.EventHandler(this.NesInQuickNESMenuItem_Click); // // toolStripSeparator37 // this.toolStripSeparator37.Name = "toolStripSeparator37"; - this.toolStripSeparator37.Size = new System.Drawing.Size(154, 6); + this.toolStripSeparator37.Size = new System.Drawing.Size(156, 6); // // toolStripMenuItem66 // this.toolStripMenuItem66.Image = global::BizHawk.Client.EmuHawk.Properties.Resources.Save; this.toolStripMenuItem66.Name = "toolStripMenuItem66"; - this.toolStripMenuItem66.Size = new System.Drawing.Size(157, 22); + this.toolStripMenuItem66.Size = new System.Drawing.Size(159, 22); this.toolStripMenuItem66.Text = "Save Config"; this.toolStripMenuItem66.Click += new System.EventHandler(this.SaveConfigMenuItem_Click); // @@ -3460,7 +3514,7 @@ // this.toolStripMenuItem67.Image = global::BizHawk.Client.EmuHawk.Properties.Resources.LoadConfig; this.toolStripMenuItem67.Name = "toolStripMenuItem67"; - this.toolStripMenuItem67.Size = new System.Drawing.Size(157, 22); + this.toolStripMenuItem67.Size = new System.Drawing.Size(159, 22); this.toolStripMenuItem67.Text = "Load Config"; this.toolStripMenuItem67.Click += new System.EventHandler(this.LoadConfigMenuItem_Click); // @@ -3468,7 +3522,7 @@ // this.ScreenshotContextMenuItem.Image = global::BizHawk.Client.EmuHawk.Properties.Resources.camera; this.ScreenshotContextMenuItem.Name = "ScreenshotContextMenuItem"; - this.ScreenshotContextMenuItem.Size = new System.Drawing.Size(201, 22); + this.ScreenshotContextMenuItem.Size = new System.Drawing.Size(216, 22); this.ScreenshotContextMenuItem.Text = "Screenshot"; this.ScreenshotContextMenuItem.Click += new System.EventHandler(this.ScreenshotMenuItem_Click); // @@ -3476,35 +3530,34 @@ // this.CloseRomContextMenuItem.Image = global::BizHawk.Client.EmuHawk.Properties.Resources.Close; this.CloseRomContextMenuItem.Name = "CloseRomContextMenuItem"; - this.CloseRomContextMenuItem.Size = new System.Drawing.Size(201, 22); + this.CloseRomContextMenuItem.Size = new System.Drawing.Size(216, 22); this.CloseRomContextMenuItem.Text = "Close ROM"; this.CloseRomContextMenuItem.Click += new System.EventHandler(this.CloseRomMenuItem_Click); // // ClearSRAMContextMenuItem // this.ClearSRAMContextMenuItem.Name = "ClearSRAMContextMenuItem"; - this.ClearSRAMContextMenuItem.Size = new System.Drawing.Size(201, 22); + this.ClearSRAMContextMenuItem.Size = new System.Drawing.Size(216, 22); this.ClearSRAMContextMenuItem.Text = "Close and Clear SRAM"; this.ClearSRAMContextMenuItem.Click += new System.EventHandler(this.ClearSRAMContextMenuItem_Click); // // ShowMenuContextMenuSeparator // this.ShowMenuContextMenuSeparator.Name = "ShowMenuContextMenuSeparator"; - this.ShowMenuContextMenuSeparator.Size = new System.Drawing.Size(198, 6); + this.ShowMenuContextMenuSeparator.Size = new System.Drawing.Size(213, 6); // // ShowMenuContextMenuItem // this.ShowMenuContextMenuItem.Name = "ShowMenuContextMenuItem"; - this.ShowMenuContextMenuItem.Size = new System.Drawing.Size(201, 22); + this.ShowMenuContextMenuItem.Size = new System.Drawing.Size(216, 22); this.ShowMenuContextMenuItem.Text = "Show Menu"; this.ShowMenuContextMenuItem.Click += new System.EventHandler(this.ShowMenuContextMenuItem_Click); // - // PSXHashDiscsToolStripMenuItem + // timerMouseIdle // - this.PSXHashDiscsToolStripMenuItem.Name = "PSXHashDiscsToolStripMenuItem"; - this.PSXHashDiscsToolStripMenuItem.Size = new System.Drawing.Size(163, 22); - this.PSXHashDiscsToolStripMenuItem.Text = "&Hash Discs"; - this.PSXHashDiscsToolStripMenuItem.Click += new System.EventHandler(this.PSXHashDiscsToolStripMenuItem_Click); + this.timerMouseIdle.Enabled = true; + this.timerMouseIdle.Interval = 2000; + this.timerMouseIdle.Tick += new System.EventHandler(this.timerMouseIdle_Tick); // // MainForm // @@ -3522,6 +3575,7 @@ this.Shown += new System.EventHandler(this.MainForm_Shown); this.Enter += new System.EventHandler(this.MainForm_Enter); this.MouseClick += new System.Windows.Forms.MouseEventHandler(this.MainForm_MouseClick); + this.MouseMove += new System.Windows.Forms.MouseEventHandler(this.MainForm_MouseMove); this.Resize += new System.EventHandler(this.MainForm_Resize); this.MainformMenu.ResumeLayout(false); this.MainformMenu.PerformLayout(); @@ -3628,15 +3682,6 @@ private System.Windows.Forms.ToolStripSeparator toolStripMenuItem3; private System.Windows.Forms.ToolStripMenuItem MinimizeSkippingMenuItem; private System.Windows.Forms.ToolStripMenuItem NeverSkipMenuItem; - private System.Windows.Forms.ToolStripMenuItem Frameskip1MenuItem; - private System.Windows.Forms.ToolStripMenuItem Frameskip2MenuItem; - private System.Windows.Forms.ToolStripMenuItem Frameskip3MenuItem; - private System.Windows.Forms.ToolStripMenuItem Frameskip4MenuItem; - private System.Windows.Forms.ToolStripMenuItem Frameskip5MenuItem; - private System.Windows.Forms.ToolStripMenuItem Frameskip6MenuItem; - private System.Windows.Forms.ToolStripMenuItem Frameskip7MenuItem; - private System.Windows.Forms.ToolStripMenuItem Frameskip8MenuItem; - private System.Windows.Forms.ToolStripMenuItem Frameskip9MenuItem; private System.Windows.Forms.ToolStripSeparator toolStripMenuItem5; private System.Windows.Forms.ToolStripMenuItem Speed50MenuItem; private System.Windows.Forms.ToolStripMenuItem Speed75MenuItem; @@ -3913,6 +3958,21 @@ private System.Windows.Forms.ToolStripMenuItem AutoHawkMenuItem; private System.Windows.Forms.ToolStripMenuItem settingsToolStripMenuItem1; private System.Windows.Forms.ToolStripMenuItem PSXHashDiscsToolStripMenuItem; + private System.Windows.Forms.Timer timerMouseIdle; + private System.Windows.Forms.ToolStripMenuItem miUnthrottled; + private System.Windows.Forms.ToolStripMenuItem toolStripMenuItem17; + private System.Windows.Forms.ToolStripMenuItem Frameskip1MenuItem; + private System.Windows.Forms.ToolStripMenuItem Frameskip2MenuItem; + private System.Windows.Forms.ToolStripMenuItem Frameskip3MenuItem; + private System.Windows.Forms.ToolStripMenuItem Frameskip4MenuItem; + private System.Windows.Forms.ToolStripMenuItem Frameskip5MenuItem; + private System.Windows.Forms.ToolStripMenuItem Frameskip6MenuItem; + private System.Windows.Forms.ToolStripMenuItem Frameskip7MenuItem; + private System.Windows.Forms.ToolStripMenuItem Frameskip9MenuItem; + private System.Windows.Forms.ToolStripMenuItem Frameskip8MenuItem; + private System.Windows.Forms.ToolStripMenuItem Speed400MenuItem; + private System.Windows.Forms.ToolStripMenuItem BasicBotMenuItem; + private System.Windows.Forms.ToolStripMenuItem DisplayMessagesMenuItem; } } diff --git a/BizHawk.Client.EmuHawk/MainForm.Events.cs b/BizHawk.Client.EmuHawk/MainForm.Events.cs index 11997e997d..39adb03adf 100644 --- a/BizHawk.Client.EmuHawk/MainForm.Events.cs +++ b/BizHawk.Client.EmuHawk/MainForm.Events.cs @@ -576,7 +576,7 @@ namespace BizHawk.Client.EmuHawk { using (var bb = GlobalWin.DisplayManager.RenderOffscreen(Global.Emulator.VideoProvider(), Global.Config.Screenshot_CaptureOSD)) { - bb.Normalize(true); + bb.DiscardAlpha(); using (var img = bb.ToSysdrawingBitmap()) Clipboard.SetImage(img); } @@ -597,6 +597,11 @@ namespace BizHawk.Client.EmuHawk } } + public void CloseEmulator() + { + _exit = true; + } + #endregion #region Emulation Menu @@ -671,6 +676,8 @@ namespace BizHawk.Client.EmuHawk DisplayLogWindowMenuItem.Checked = Global.Config.ShowLogWindow; DisplayLagCounterMenuItem.Enabled = Global.Emulator.CanPollInput(); + + DisplayMessagesMenuItem.Checked = Global.Config.DisplayMessages; } private void WindowSizeSubMenu_DropDownOpened(object sender, EventArgs e) @@ -810,6 +817,8 @@ namespace BizHawk.Client.EmuHawk Speed100MenuItem.Image = (Global.Config.SpeedPercentAlternate == 100) ? Properties.Resources.FastForward : null; Speed150MenuItem.Checked = Global.Config.SpeedPercent == 150; Speed150MenuItem.Image = (Global.Config.SpeedPercentAlternate == 150) ? Properties.Resources.FastForward : null; + Speed400MenuItem.Checked = Global.Config.SpeedPercent == 400; + Speed400MenuItem.Image = (Global.Config.SpeedPercentAlternate == 400) ? Properties.Resources.FastForward : null; Speed200MenuItem.Checked = Global.Config.SpeedPercent == 200; Speed200MenuItem.Image = (Global.Config.SpeedPercentAlternate == 200) ? Properties.Resources.FastForward : null; Speed75MenuItem.Checked = Global.Config.SpeedPercent == 75; @@ -822,7 +831,10 @@ namespace BizHawk.Client.EmuHawk Speed100MenuItem.Enabled = Speed150MenuItem.Enabled = Speed200MenuItem.Enabled = + Speed400MenuItem.Enabled = Global.Config.ClockThrottle; + + miUnthrottled.Checked = _unthrottled; } private void KeyPriorityMenuItem_DropDownOpened(object sender, EventArgs e) @@ -965,7 +977,7 @@ namespace BizHawk.Client.EmuHawk } } - LimitFrameRateMessage(); + ThrottleMessage(); } private void AudioThrottleMenuItem_Click(object sender, EventArgs e) @@ -982,6 +994,8 @@ namespace BizHawk.Client.EmuHawk PresentationPanel.Resized = true; } } + + ThrottleMessage(); } private void VsyncThrottleMenuItem_Click(object sender, EventArgs e) @@ -999,7 +1013,13 @@ namespace BizHawk.Client.EmuHawk } } - VsyncMessage(); + if (!Global.Config.VSync) + { + Global.Config.VSync = true; + VsyncMessage(); + } + + ThrottleMessage(); } private void VsyncEnabledMenuItem_Click(object sender, EventArgs e) @@ -1009,6 +1029,8 @@ namespace BizHawk.Client.EmuHawk { PresentationPanel.Resized = true; } + + VsyncMessage(); } private void MinimizeSkippingMenuItem_Click(object sender, EventArgs e) @@ -1032,6 +1054,7 @@ namespace BizHawk.Client.EmuHawk private void Speed100MenuItem_Click(object sender, EventArgs e) { ClickSpeedItem(100); } private void Speed150MenuItem_Click(object sender, EventArgs e) { ClickSpeedItem(150); } private void Speed200MenuItem_Click(object sender, EventArgs e) { ClickSpeedItem(200); } + private void Speed400MenuItem_Click(object sender, EventArgs e) { ClickSpeedItem(400); } private void BothHkAndControllerMenuItem_Click(object sender, EventArgs e) { @@ -1099,6 +1122,12 @@ namespace BizHawk.Client.EmuHawk GlobalWin.OSD.AddMessage("Config file loaded"); } + private void miUnthrottled_Click(object sender, EventArgs e) + { + _unthrottled ^= true; + ThrottleMessage(); + } + #endregion #region Tools @@ -1129,6 +1158,13 @@ namespace BizHawk.Client.EmuHawk AutoHawkMenuItem.Enabled = GlobalWin.Tools.IsAvailable(); AutoHawkMenuItem.Visible = VersionInfo.DeveloperBuild; + + BasicBotMenuItem.Enabled = GlobalWin.Tools.IsAvailable(); + } + + private void AutoHawkMenuItem_Click(object sender, EventArgs e) + { + GlobalWin.Tools.Load(); } private void ToolBoxMenuItem_Click(object sender, EventArgs e) @@ -1195,6 +1231,18 @@ namespace BizHawk.Client.EmuHawk #region NES + private void quickNESToolStripMenuItem_Click(object sender, EventArgs e) + { + Global.Config.NES_InQuickNES = true; + FlagNeedsReboot(); + } + + private void nesHawkToolStripMenuItem_Click(object sender, EventArgs e) + { + Global.Config.NES_InQuickNES = false; + FlagNeedsReboot(); + } + private void NESSubMenu_DropDownOpened(object sender, EventArgs e) { FDSControlsMenuItem.Enabled = Global.Emulator.BoardName == "FDS"; @@ -1206,6 +1254,8 @@ namespace BizHawk.Client.EmuHawk && !Global.MovieSession.Movie.IsActive; barcodeReaderToolStripMenuItem.Enabled = ServiceInjector.IsAvailable(Global.Emulator.ServiceProvider, typeof(BarcodeEntry)); + + musicRipperToolStripMenuItem.Enabled = GlobalWin.Tools.IsAvailable(); } private void FdsControlsMenuItem_DropDownOpened(object sender, EventArgs e) @@ -1656,10 +1706,39 @@ namespace BizHawk.Client.EmuHawk GlobalWin.Tools.Load(); } + private void GBAmGBAMenuItem_Click(object sender, EventArgs e) + { + Global.Config.GBA_UsemGBA = true; + FlagNeedsReboot(); + } + + private void GBAVBANextMenuItem_Click(object sender, EventArgs e) + { + Global.Config.GBA_UsemGBA = false; + FlagNeedsReboot(); + } + + private void GBACoreSelectionSubMenu_DropDownOpened(object sender, EventArgs e) + { + GBAmGBAMenuItem.Checked = Global.Config.GBA_UsemGBA == true; + GBAVBANextMenuItem.Checked = Global.Config.GBA_UsemGBA == false; + } + + private void gBAWithMGBAToolStripMenuItem_Click(object sender, EventArgs e) + { + Global.Config.GBA_UsemGBA ^= true; + FlagNeedsReboot(); + } + #endregion #region PSX + private void PSXHashDiscsToolStripMenuItem_Click(object sender, EventArgs e) + { + new PSXHashDiscs().ShowDialog(); + } + private void PSXSubMenu_DropDownOpened(object sender, EventArgs e) { PSXControllerSettingsMenuItem.Enabled = !Global.MovieSession.Movie.IsActive; @@ -1667,7 +1746,7 @@ namespace BizHawk.Client.EmuHawk private void PSXControllerSettingsMenuItem_Click(object sender, EventArgs e) { - new PSXControllerConfig().ShowDialog(); + new PSXControllerConfigNew().ShowDialog(); } #endregion @@ -1942,6 +2021,10 @@ namespace BizHawk.Client.EmuHawk #region Apple II + private void settingsToolStripMenuItem1_Click_1(object sender, EventArgs e) + { + GenericCoreConfig.DoDialog(this, "Apple II Settings"); + } private void AppleSubMenu_DropDownOpened(object sender, EventArgs e) { @@ -2129,11 +2212,16 @@ namespace BizHawk.Client.EmuHawk private void DisplayConfigMenuItem_Click(object sender, EventArgs e) { - var result = new config.DisplayConfigLite().ShowDialog(); + var window = new config.DisplayConfigLite(); + var result = window.ShowDialog(); if (result == DialogResult.OK) { FrameBufferResized(); SynchChrome(); + if (window.NeedReset) + { + GlobalWin.OSD.AddMessage("Restart program for changed settings"); + } } } @@ -2363,13 +2451,26 @@ namespace BizHawk.Client.EmuHawk } } + private void timerMouseIdle_Tick(object sender, EventArgs e) + { + if (_inFullscreen && Global.Config.DispChrome_Fullscreen_AutohideMouse) + AutohideCursor(true); + } + private void MainForm_Enter(object sender, EventArgs e) { GlobalWin.DisplayManager.NeedsToPaint = true; + AutohideCursor(false); + } + + public void MainForm_MouseMove(object sender, MouseEventArgs e) + { + AutohideCursor(false); } public void MainForm_MouseClick(object sender, MouseEventArgs e) { + AutohideCursor(false); if (Global.Config.ShowContextMenu && e.Button == MouseButtons.Right) { MainFormContextMenu.Show( diff --git a/BizHawk.Client.EmuHawk/MainForm.Hotkey.cs b/BizHawk.Client.EmuHawk/MainForm.Hotkey.cs index 0a9baaca7d..6c0c1853d0 100644 --- a/BizHawk.Client.EmuHawk/MainForm.Hotkey.cs +++ b/BizHawk.Client.EmuHawk/MainForm.Hotkey.cs @@ -18,7 +18,7 @@ namespace BizHawk.Client.EmuHawk break; case "Toggle Throttle": _unthrottled ^= true; - GlobalWin.OSD.AddMessage("Unthrottled: " + _unthrottled); + ThrottleMessage(); break; case "Soft Reset": SoftReset(); diff --git a/BizHawk.Client.EmuHawk/MainForm.Movie.cs b/BizHawk.Client.EmuHawk/MainForm.Movie.cs index 8efdf4a4f3..5843066a6a 100644 --- a/BizHawk.Client.EmuHawk/MainForm.Movie.cs +++ b/BizHawk.Client.EmuHawk/MainForm.Movie.cs @@ -30,6 +30,9 @@ namespace BizHawk.Client.EmuHawk try { + var tasmovie = (movie as TasMovie); + if (tasmovie != null) + tasmovie.TasStateManager.MountWriteAccess(); Global.MovieSession.QueueNewMovie(movie, record, Global.Emulator); } catch (MoviePlatformMismatchException ex) @@ -82,6 +85,10 @@ namespace BizHawk.Client.EmuHawk } Global.Emulator.ResetCounters(); } + else if (Global.Emulator.HasSaveRam() && movie.StartsFromSaveRam) + { + Global.Emulator.AsSaveRam().StoreSaveRam(movie.SaveRam); + } Global.MovieSession.RunQueuedMovie(record); @@ -90,6 +97,12 @@ namespace BizHawk.Client.EmuHawk GlobalWin.Tools.Restart(); GlobalWin.DisplayManager.NeedsToPaint = true; + + if (Global.MovieSession.Movie.Hash != Global.Game.Hash) + { + GlobalWin.OSD.AddMessage("Warning: Movie hash does not match the ROM"); + } + return true; } diff --git a/BizHawk.Client.EmuHawk/MainForm.cs b/BizHawk.Client.EmuHawk/MainForm.cs index 6c49265c9b..e98228935a 100644 --- a/BizHawk.Client.EmuHawk/MainForm.cs +++ b/BizHawk.Client.EmuHawk/MainForm.cs @@ -211,6 +211,7 @@ namespace BizHawk.Client.EmuHawk Database.LoadDatabase(Path.Combine(PathManager.GetExeDirectoryAbsolute(), "gamedb", "gamedb.txt")); //TODO GL - a lot of disorganized wiring-up here + CGC.CGCBinPath = Path.Combine(PathManager.GetDllDirectory(), "cgc.exe"); PresentationPanel = new PresentationPanel(); GlobalWin.DisplayManager = new DisplayManager(PresentationPanel); Controls.Add(PresentationPanel); @@ -326,11 +327,14 @@ namespace BizHawk.Client.EmuHawk if (cmdMovie != null) { + _supressSyncSettingsWarning = true; // We dont' want to be nagged if we are attempting to automate if (Global.Game == null) { OpenRom(); } - else + + // If user picked a game, then do the commandline logic + if (!Global.Game.IsNullInstance) { var movie = MovieService.Get(cmdMovie); Global.MovieSession.ReadOnly = true; @@ -341,8 +345,33 @@ namespace BizHawk.Client.EmuHawk _autoDumpLength = movie.InputLogLength; } - StartNewMovie(movie, false); - Global.Config.RecentMovies.Add(cmdMovie); + // Copy pasta from drag & drop + string errorMsg; + string warningMsg; + if (MovieImport.IsValidMovieExtension(Path.GetExtension(cmdMovie))) + { + var imported = MovieImport.ImportFile(cmdMovie, out errorMsg, out warningMsg); + if (!string.IsNullOrEmpty(errorMsg)) + { + MessageBox.Show(errorMsg, "Conversion error", MessageBoxButtons.OK, MessageBoxIcon.Error); + } + else + { + // fix movie extension to something palatable for these purposes. + // for instance, something which doesnt clobber movies you already may have had. + // i'm evenly torn between this, and a file in %TEMP%, but since we dont really have a way to clean up this tempfile, i choose this: + StartNewMovie(imported, false); + } + + GlobalWin.OSD.AddMessage(warningMsg); + } + else + { + StartNewMovie(movie, false); + Global.Config.RecentMovies.Add(cmdMovie); + } + + _supressSyncSettingsWarning = false; } } else if (Global.Config.RecentMovies.AutoLoad && !Global.Config.RecentMovies.Empty) @@ -417,6 +446,8 @@ namespace BizHawk.Client.EmuHawk }; } + private bool _supressSyncSettingsWarning = false; + public void ProgramRunLoop() { CheckMessages(); @@ -815,6 +846,18 @@ namespace BizHawk.Client.EmuHawk } } + public byte[] CurrentFrameBuffer(bool captureOSD) + { + using (var bb = captureOSD ? CaptureOSD() : MakeScreenshotImage()) + { + using (var img = bb.ToSysdrawingBitmap()) + { + ImageConverter converter = new ImageConverter(); + return (byte[])converter.ConvertTo(img, typeof(byte[])); + } + } + } + public void TakeScreenshotToClipboard() { using (var bb = Global.Config.Screenshot_CaptureOSD ? CaptureOSD() : MakeScreenshotImage()) @@ -828,9 +871,27 @@ namespace BizHawk.Client.EmuHawk public void TakeScreenshot() { - TakeScreenshot( - String.Format(PathManager.ScreenshotPrefix(Global.Game) + ".{0:yyyy-MM-dd HH.mm.ss}.png", DateTime.Now) - ); + string fmt = "{0}.{1:yyyy-MM-dd HH.mm.ss}{2}.png"; + string prefix = PathManager.ScreenshotPrefix(Global.Game); + var ts = DateTime.Now; + + string fname_bare = string.Format(fmt, prefix, ts, ""); + string fname = string.Format(fmt, prefix, ts, " (0)"); + + //if this file already exists, + //1. move the original file to a numbered one (to keep a good filesystem sort ordering) + if (File.Exists(fname_bare)) + File.Move(fname_bare, fname); + else fname = fname_bare; + //2. create next one sequentially named + int seq = 0; + while (File.Exists(fname)) + { + var sequence = string.Format(" ({0})", seq++); + fname = string.Format(fmt, prefix, ts, sequence); + } + + TakeScreenshot(fname); } public void TakeScreenshot(string path) @@ -907,8 +968,6 @@ namespace BizHawk.Client.EmuHawk public void SynchChrome() { - //PANTS - if (_inFullscreen) { //TODO - maybe apply a hack tracked during fullscreen here to override it @@ -928,11 +987,12 @@ namespace BizHawk.Client.EmuHawk else if (Global.Config.DispChrome_FrameWindowed == 2) FormBorderStyle = System.Windows.Forms.FormBorderStyle.Sizable; } - } public void ToggleFullscreen(bool allowSuppress=false) { + AutohideCursor(false); + //prohibit this operation if the current controls include LMouse if (allowSuppress) { @@ -1020,6 +1080,28 @@ namespace BizHawk.Client.EmuHawk } } + public void Unthrottle() + { + _unthrottled = true; + } + + public void Throttle() + { + _unthrottled = false; + } + + void ThrottleMessage() + { + string ttype = ":(none)"; + if (Global.Config.SoundThrottle) { ttype = ":Sound"; } + if (Global.Config.VSyncThrottle) { ttype = string.Format(":Vsync{0}", Global.Config.VSync?"[ena]":"[dis]"); } + if (Global.Config.ClockThrottle) { ttype = ":Clock"; } + string xtype = _unthrottled ? "Unthrottled" : "Throttled"; + string msg = string.Format("{0}{1} ", xtype, ttype); + + GlobalWin.OSD.AddMessage(msg); + } + public void FrameSkipMessage() { GlobalWin.OSD.AddMessage("Frameskipping set to " + Global.Config.FrameSkip); @@ -1216,6 +1298,8 @@ namespace BizHawk.Client.EmuHawk private bool _wasPaused; private bool _didMenuPause; + private Cursor _blankCursor; + private bool _cursorHidden; private bool _inFullscreen; private Point _windowedLocation; @@ -1263,6 +1347,12 @@ namespace BizHawk.Client.EmuHawk str = str + string.Format("({0}x{1}) - ", size.Width, size.Height); } + //we need to display FPS somewhere, in this case + if (Global.Config.DispSpeedupFeatures == 0) + { + str = str + string.Format("({0} fps) -", _runloopLastFps); + } + if (Global.Emulator.IsNull()) { str = str + "BizHawk" + (VersionInfo.DeveloperBuild ? " (interim) " : string.Empty); @@ -1720,6 +1810,27 @@ namespace BizHawk.Client.EmuHawk } } + void AutohideCursor(bool hide) + { + if (hide && !_cursorHidden) + { + if (_blankCursor == null) + { + var ms = new System.IO.MemoryStream(BizHawk.Client.EmuHawk.Properties.Resources.BlankCursor); + _blankCursor = new Cursor(ms); + } + PresentationPanel.Control.Cursor = _blankCursor; + _cursorHidden = true; + } + else if (!hide && _cursorHidden) + { + PresentationPanel.Control.Cursor = Cursors.Default; + timerMouseIdle.Stop(); + timerMouseIdle.Start(); + _cursorHidden = false; + } + } + private static unsafe BitmapBuffer MakeScreenshotImage() { var bb = new BitmapBuffer(Global.Emulator.VideoProvider().BufferWidth, Global.Emulator.VideoProvider().BufferHeight, Global.Emulator.VideoProvider().GetVideoBuffer()); @@ -1786,9 +1897,12 @@ namespace BizHawk.Client.EmuHawk LoadState(ofd.FileName, Path.GetFileName(ofd.FileName)); } - private static void SaveSlotSelectedMessage() + private void SaveSlotSelectedMessage() { - GlobalWin.OSD.AddMessage("Slot " + Global.Config.SaveSlot + " selected."); + int slot = Global.Config.SaveSlot; + string emptypart = _stateSlots.HasSlot(slot) ? "" : " (empty)"; + string message = string.Format("Slot {0}{1} selected.", slot, emptypart); + GlobalWin.OSD.AddMessage(message); } private void Render() @@ -1797,7 +1911,7 @@ namespace BizHawk.Client.EmuHawk var video = Global.Emulator.VideoProvider(); //bool change = false; Size currVideoSize = new Size(video.BufferWidth,video.BufferHeight); - Size currVirtualSize = new Size(video.VirtualWidth,video.VirtualWidth); + Size currVirtualSize = new Size(video.VirtualWidth,video.VirtualHeight); if (currVideoSize != _lastVideoSize || currVirtualSize != _lastVirtualSize) { _lastVideoSize = currVideoSize; @@ -1851,10 +1965,10 @@ namespace BizHawk.Client.EmuHawk if (VersionInfo.DeveloperBuild) { return FormatFilter( - "Rom Files", "*.nes;*.fds;*.sms;*.gg;*.sg;*.pce;*.sgx;*.bin;*.smd;*.rom;*.a26;*.a78;*.lnx;*.m3u;*.cue;*.ccd;*.exe;*.gb;*.gbc;*.gba;*.gen;*.md;*.col;.int;*.smc;*.sfc;*.prg;*.d64;*.g64;*.crt;*.sgb;*.xml;*.z64;*.v64;*.n64;*.ws;*.wsc;*.dsk;*.do;*.po;%ARCH%", - "Music Files", "*.psf;*.sid;*.nsf", + "Rom Files", "*.nes;*.fds;*unf;*.sms;*.gg;*.sg;*.pce;*.sgx;*.bin;*.smd;*.rom;*.a26;*.a78;*.lnx;*.m3u;*.cue;*.ccd;*.exe;*.gb;*.gbc;*.gba;*.gen;*.md;*.col;.int;*.smc;*.sfc;*.prg;*.d64;*.g64;*.crt;*.sgb;*.xml;*.z64;*.v64;*.n64;*.ws;*.wsc;*.dsk;*.do;*.po;*.psf;*.minipsf;*.nsf;%ARCH%", + "Music Files", "*.psf;*.minipsf;*.sid;*.nsf", "Disc Images", "*.cue;*.ccd;*.m3u", - "NES", "*.nes;*.fds;*.nsf;%ARCH%", + "NES", "*.nes;*.fds;*.unf;*.nsf;%ARCH%", "Super NES", "*.smc;*.sfc;*.xml;%ARCH%", "Master System", "*.sms;*.gg;*.sg;%ARCH%", "PC Engine", "*.pce;*.sgx;*.cue;*.ccd;%ARCH%", @@ -1869,8 +1983,9 @@ namespace BizHawk.Client.EmuHawk "Gameboy Advance", "*.gba;%ARCH%", "Colecovision", "*.col;%ARCH%", "Intellivision (very experimental)", "*.int;*.bin;*.rom;%ARCH%", + "PlayStation", "*.cue;*.ccd;*.m3u", "PSX Executables (experimental)", "*.exe", - "PSF Playstation Sound File (not supported)", "*.psf", + "PSF Playstation Sound File", "*.psf;*.minipsf", "Commodore 64 (experimental)", "*.prg; *.d64, *.g64; *.crt;%ARCH%", "SID Commodore 64 Music File", "*.sid;%ARCH%", "Nintendo 64", "*.z64;*.v64;*.n64", @@ -1880,10 +1995,12 @@ namespace BizHawk.Client.EmuHawk } return FormatFilter( - "Rom Files", "*.nes;*.fds;*.sms;*.gg;*.sg;*.gb;*.gbc;*.gba;*.pce;*.sgx;*.bin;*.smd;*.gen;*.md;*.smc;*.sfc;*.a26;*.a78;*.lnx;*.col;*.rom;*.cue;*.ccd;*.sgb;*.z64;*.v64;*.n64;*.ws;*.wsc;*.xml;*.dsk;*.do;*.po;%ARCH%", + "Rom Files", "*.nes;*.fds;*.unf;*.sms;*.gg;*.sg;*.gb;*.gbc;*.gba;*.pce;*.sgx;*.bin;*.smd;*.gen;*.md;*.smc;*.sfc;*.a26;*.a78;*.lnx;*.col;*.rom;*.m3u;*.cue;*.ccd;*.sgb;*.z64;*.v64;*.n64;*.ws;*.wsc;*.xml;*.dsk;*.do;*.po;*.psf;*.minipsf;*.nsf;%ARCH%", "Disc Images", "*.cue;*.ccd;*.m3u", - "NES", "*.nes;*.fds;*.nsf;%ARCH%", + "NES", "*.nes;*.fds;*.unf;*.nsf;%ARCH%", "Super NES", "*.smc;*.sfc;*.xml;%ARCH%", + "PlayStation", "*.cue;*.ccd;*.m3u", + "PSF Playstation Sound File", "*.psf;*.minipsf", "Nintendo 64", "*.z64;*.v64;*.n64", "Gameboy", "*.gb;*.gbc;*.sgb;%ARCH%", "Gameboy Advance", "*.gba;%ARCH%", @@ -1938,7 +2055,7 @@ namespace BizHawk.Client.EmuHawk e.Settings = Global.Config.GetCoreSyncSettings(e.Core); // adelikat: only show this nag if the core actually has sync settings, not all cores do - if (e.Settings != null) + if (e.Settings != null && !_supressSyncSettingsWarning) { MessageBox.Show( "No sync settings found, using currently configured settings for this core.", @@ -1983,7 +2100,7 @@ namespace BizHawk.Client.EmuHawk { GlobalWin.OSD.AddMessage("Attempt to change sync-relevant settings while recording BLOCKED."); } - else if (settable.HasSyncSettings && settable.PutSyncSettings(o)) + else if (settable.HasSyncSettings && settable.PutSyncSettings(o)) { FlagNeedsReboot(); } @@ -2181,7 +2298,7 @@ namespace BizHawk.Client.EmuHawk public BitmapBuffer CaptureOSD() { var bb = GlobalWin.DisplayManager.RenderOffscreen(Global.Emulator.VideoProvider(), true); - bb.Normalize(true); + bb.DiscardAlpha(); return bb; } @@ -2517,7 +2634,7 @@ namespace BizHawk.Client.EmuHawk }); } - public void LoadState(string path, string userFriendlyStateName, bool fromLua = false) // Move to client.common + public void LoadState(string path, string userFriendlyStateName, bool fromLua = false, bool supressOSD = false) // Move to client.common { if (!Global.Emulator.HasSavestates()) { @@ -2540,7 +2657,11 @@ namespace BizHawk.Client.EmuHawk UpdateToolsAfter(fromLua); UpdateToolsLoadstate(); Global.AutoFireController.ClearStarts(); - GlobalWin.OSD.AddMessage("Loaded state: " + userFriendlyStateName); + + if (!supressOSD) + { + GlobalWin.OSD.AddMessage("Loaded state: " + userFriendlyStateName); + } if (GlobalWin.Tools.Has()) { @@ -2555,7 +2676,7 @@ namespace BizHawk.Client.EmuHawk Global.MovieSession.Movie.IsCountingRerecords = wasCountingRerecords; } - public void LoadQuickSave(string quickSlotName, bool fromLua = false) + public void LoadQuickSave(string quickSlotName, bool fromLua = false, bool supressOSD = false) { if (!Global.Emulator.HasSavestates()) { @@ -2566,10 +2687,11 @@ namespace BizHawk.Client.EmuHawk if (File.Exists(path) == false) { GlobalWin.OSD.AddMessage("Unable to load " + quickSlotName + ".State"); + return; } - LoadState(path, quickSlotName, fromLua); + LoadState(path, quickSlotName, fromLua, supressOSD); } public void SaveState(string path, string userFriendlyStateName, bool fromLua) @@ -2789,6 +2911,10 @@ namespace BizHawk.Client.EmuHawk } GlobalWin.OSD.FPS = fps_string; + + //need to refresh window caption in this case + if (Global.Config.DispSpeedupFeatures == 0) + SetWindowText(); } CaptureRewind(suppressCaptureRewind); @@ -2806,6 +2932,10 @@ namespace BizHawk.Client.EmuHawk coreskipaudio = IsTurboing && _currAviWriter == null; + //why not skip audio if the user doesnt want sound + if (!Global.Config.SoundEnabled) + coreskipaudio = true; + { bool render = !_throttle.skipnextframe || _currAviWriter != null; bool renderSound = !coreskipaudio; @@ -3734,6 +3864,16 @@ namespace BizHawk.Client.EmuHawk GlobalWin.Tools.Load(); } + private void BasicBotMenuItem_Click(object sender, EventArgs e) + { + GlobalWin.Tools.Load(); + } + + private void DisplayMessagesMenuItem_Click(object sender, EventArgs e) + { + Global.Config.DisplayMessages ^= true; + } + private void HelpSubMenu_DropDownOpened(object sender, EventArgs e) { FeaturesMenuItem.Visible = VersionInfo.DeveloperBuild; @@ -3750,55 +3890,7 @@ namespace BizHawk.Client.EmuHawk nesHawkToolStripMenuItem.Checked = Global.Config.NES_InQuickNES == false; } - private void quickNESToolStripMenuItem_Click(object sender, EventArgs e) - { - Global.Config.NES_InQuickNES = true; - FlagNeedsReboot(); - } - private void nesHawkToolStripMenuItem_Click(object sender, EventArgs e) - { - Global.Config.NES_InQuickNES = false; - FlagNeedsReboot(); - } - private void GBAmGBAMenuItem_Click(object sender, EventArgs e) - { - Global.Config.GBA_UsemGBA = true; - FlagNeedsReboot(); - } - - private void GBAVBANextMenuItem_Click(object sender, EventArgs e) - { - Global.Config.GBA_UsemGBA = false; - FlagNeedsReboot(); - } - - private void GBACoreSelectionSubMenu_DropDownOpened(object sender, EventArgs e) - { - GBAmGBAMenuItem.Checked = Global.Config.GBA_UsemGBA == true; - GBAVBANextMenuItem.Checked = Global.Config.GBA_UsemGBA == false; - } - - private void gBAWithMGBAToolStripMenuItem_Click(object sender, EventArgs e) - { - Global.Config.GBA_UsemGBA ^= true; - FlagNeedsReboot(); - } - - private void AutoHawkMenuItem_Click(object sender, EventArgs e) - { - GlobalWin.Tools.Load(); - } - - private void settingsToolStripMenuItem1_Click_1(object sender, EventArgs e) - { - GenericCoreConfig.DoDialog(this, "Apple II Settings"); - } - - private void PSXHashDiscsToolStripMenuItem_Click(object sender, EventArgs e) - { - new PSXHashDiscs().ShowDialog(); - } } } diff --git a/BizHawk.Client.EmuHawk/MainForm.resx b/BizHawk.Client.EmuHawk/MainForm.resx index 72fcfb4883..ac68a9029a 100644 --- a/BizHawk.Client.EmuHawk/MainForm.resx +++ b/BizHawk.Client.EmuHawk/MainForm.resx @@ -567,7 +567,10 @@ BBW3kfECg6SiSi9TP3UAAAAASUVORK5CYII= + + 399, 13 + - 89 + 65 \ No newline at end of file diff --git a/BizHawk.Client.EmuHawk/PresentationPanel.cs b/BizHawk.Client.EmuHawk/PresentationPanel.cs index 4b1f647288..98867f830f 100644 --- a/BizHawk.Client.EmuHawk/PresentationPanel.cs +++ b/BizHawk.Client.EmuHawk/PresentationPanel.cs @@ -34,6 +34,7 @@ namespace BizHawk.Client.EmuHawk //http://stackoverflow.com/questions/547172/pass-through-mouse-events-to-parent-control (HTTRANSPARENT) GraphicsControl.MouseDoubleClick += (o, e) => HandleFullscreenToggle(o, e); GraphicsControl.MouseClick += (o, e) => GlobalWin.MainForm.MainForm_MouseClick(o, e); + GraphicsControl.MouseMove += (o, e) => GlobalWin.MainForm.MainForm_MouseMove(o, e); } bool IsDisposed = false; @@ -57,7 +58,10 @@ namespace BizHawk.Client.EmuHawk { //allow suppression of the toggle.. but if shift is pressed, always do the toggle bool allowSuppress = Control.ModifierKeys != Keys.Shift; - GlobalWin.MainForm.ToggleFullscreen(allowSuppress); + if (Global.Config.DispChrome_AllowDoubleClickFullscreen || !allowSuppress) + { + GlobalWin.MainForm.ToggleFullscreen(allowSuppress); + } } } diff --git a/BizHawk.Client.EmuHawk/Properties/Resources.Designer.cs b/BizHawk.Client.EmuHawk/Properties/Resources.Designer.cs index eca6ee3edb..414d931392 100644 --- a/BizHawk.Client.EmuHawk/Properties/Resources.Designer.cs +++ b/BizHawk.Client.EmuHawk/Properties/Resources.Designer.cs @@ -1,7 +1,7 @@ //------------------------------------------------------------------------------ // // This code was generated by a tool. -// Runtime Version:4.0.30319.0 +// Runtime Version:4.0.30319.42000 // // Changes to this file may cause incorrect behavior and will be lost if // the code is regenerated. @@ -180,6 +180,16 @@ namespace BizHawk.Client.EmuHawk.Properties { } } + /// + /// Looks up a localized resource of type System.Byte[]. + /// + internal static byte[] BlankCursor { + get { + object obj = ResourceManager.GetObject("BlankCursor", resourceCulture); + return ((byte[])(obj)); + } + } + /// /// Looks up a localized resource of type System.Drawing.Bitmap. /// @@ -690,6 +700,36 @@ namespace BizHawk.Client.EmuHawk.Properties { } } + /// + /// Looks up a localized resource of type System.Drawing.Bitmap. + /// + internal static System.Drawing.Bitmap icon_anchor { + get { + object obj = ResourceManager.GetObject("icon_anchor", resourceCulture); + return ((System.Drawing.Bitmap)(obj)); + } + } + + /// + /// Looks up a localized resource of type System.Drawing.Bitmap. + /// + internal static System.Drawing.Bitmap icon_anchor_lag { + get { + object obj = ResourceManager.GetObject("icon_anchor_lag", resourceCulture); + return ((System.Drawing.Bitmap)(obj)); + } + } + + /// + /// Looks up a localized resource of type System.Drawing.Bitmap. + /// + internal static System.Drawing.Bitmap icon_marker { + get { + object obj = ResourceManager.GetObject("icon_marker", resourceCulture); + return ((System.Drawing.Bitmap)(obj)); + } + } + /// /// Looks up a localized resource of type System.Drawing.Bitmap. /// @@ -720,6 +760,16 @@ namespace BizHawk.Client.EmuHawk.Properties { } } + /// + /// Looks up a localized resource of type System.Drawing.Bitmap. + /// + internal static System.Drawing.Bitmap kitchensink { + get { + object obj = ResourceManager.GetObject("kitchensink", resourceCulture); + return ((System.Drawing.Bitmap)(obj)); + } + } + /// /// Looks up a localized resource of type System.Drawing.Bitmap. /// diff --git a/BizHawk.Client.EmuHawk/Properties/Resources.resx b/BizHawk.Client.EmuHawk/Properties/Resources.resx index 1694f47858..98ac8ea1e9 100644 --- a/BizHawk.Client.EmuHawk/Properties/Resources.resx +++ b/BizHawk.Client.EmuHawk/Properties/Resources.resx @@ -118,230 +118,902 @@ System.Resources.ResXResourceWriter, System.Windows.Forms, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b77a5c561934e089 - - ..\images\ControllerImages\C64Keyboard.png;System.Drawing.Bitmap, System.Drawing, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a + + ..\images\ControllerImages\GBController.png;System.Drawing.Bitmap, System.Drawing, Version=2.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a - - ..\images\checkbox.png;System.Drawing.Bitmap, System.Drawing, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a + + ..\images\tastudio\ts_h_piano_03_blue.png;System.Drawing.Bitmap, System.Drawing, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a - - ..\images\AudioHS.png;System.Drawing.Bitmap, System.Drawing, Version=2.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a + + ..\images\tastudio\ts_v_piano_13.png;System.Drawing.Bitmap, System.Drawing, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a - - ..\images\FastForward.png;System.Drawing.Bitmap, System.Drawing, Version=2.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a - - - ..\images\Delete.png;System.Drawing.Bitmap, System.Drawing, Version=2.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a - - - ..\images\console16x16.png;System.Drawing.Bitmap, System.Drawing, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a - - - ..\images\controllerimages\saturncontroller.jpg;System.Drawing.Bitmap, System.Drawing, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a - - - ..\images\Stop.png;System.Drawing.Bitmap, System.Drawing, Version=2.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a - - - ..\images\SaveAs.png;System.Drawing.Bitmap, System.Drawing, Version=2.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a - - - ..\images\tvIcon.png;System.Drawing.Bitmap, System.Drawing, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a - - - ..\images\Save.png;System.Drawing.Bitmap, System.Drawing, Version=2.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a - - - ..\images\textdoc.png;System.Drawing.Bitmap, System.Drawing, Version=2.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a - - - ..\images\ControllerImages\SMSController.png;System.Drawing.Bitmap, System.Drawing, Version=2.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a - - - ..\images\MoveRight.png;System.Drawing.Bitmap, System.Drawing, Version=2.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a - - - ..\images\Fullscreen.png;System.Drawing.Bitmap, System.Drawing, Version=2.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a - - - ..\images\poke.png;System.Drawing.Bitmap, System.Drawing, Version=2.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a - - - ..\images\ControllerImages\A78Joystick.png;System.Drawing.Bitmap, System.Drawing, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a - - - ..\images\Paste.png;System.Drawing.Bitmap, System.Drawing, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a - - - ..\images\NewFile.png;System.Drawing.Bitmap, System.Drawing, Version=2.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a - - - ..\images\MoveDown.png;System.Drawing.Bitmap, System.Drawing, Version=2.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a - - - ..\images\whiteTriUp.png;System.Drawing.Bitmap, System.Drawing, Version=2.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a - - - ..\images\TurboFastForward.png;System.Drawing.Bitmap, System.Drawing, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a - - - ..\images\whiteTriRight.png;System.Drawing.Bitmap, System.Drawing, Version=2.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a - - - ..\images\Bug.png;System.Drawing.Bitmap, System.Drawing, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a - - - ..\images\LoadConfig.png;System.Drawing.Bitmap, System.Drawing, Version=2.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a - - - ..\images\corphawk.jpg;System.Drawing.Bitmap, System.Drawing, Version=2.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a - - - ..\images\PrintPreviewHS.png;System.Drawing.Bitmap, System.Drawing, Version=2.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a - - - ..\images\AVI.png;System.Drawing.Bitmap, System.Drawing, Version=2.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a - - - ..\images\SNESControllerIcon.png;System.Drawing.Bitmap, System.Drawing, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a - - - ..\images\TruncateFromRW.png;System.Drawing.Bitmap, System.Drawing, Version=2.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a - - - ..\images\CutHS.png;System.Drawing.Bitmap, System.Drawing, Version=2.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a - - - ..\images\Lightning.png;System.Drawing.Bitmap, System.Drawing, Version=2.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a - - - ..\images\HotKeys.png;System.Drawing.Bitmap, System.Drawing, Version=2.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a - - - ..\images\InsertSeparator.png;System.Drawing.Bitmap, System.Drawing, Version=2.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a - - - ..\images\LightOn.png;System.Drawing.Bitmap, System.Drawing, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a - - - ..\images\MessageConfig.png;System.Drawing.Bitmap, System.Drawing, Version=2.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a - - - ..\images\CopyFolderHS.png;System.Drawing.Bitmap, System.Drawing, Version=2.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a - - - ..\images\Recent.png;System.Drawing.Bitmap, System.Drawing, Version=2.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a - - - ..\images\ControllerImages\N64.png;System.Drawing.Bitmap, System.Drawing, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a - - - ..\images\ControllerImages\colecovisioncontroller.png;System.Drawing.Bitmap, System.Drawing, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a - - - ..\images\Unfreeze.png;System.Drawing.Bitmap, System.Drawing, Version=2.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a - - - ..\images\BackMore.png;System.Drawing.Bitmap, System.Drawing, Version=2.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a - - - ..\images\logo.ico;System.Drawing.Icon, System.Drawing, Version=2.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a - - - ..\images\pcb.png;System.Drawing.Bitmap, System.Drawing, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a - - - ..\images\ControllerImages\SNES_Controller.png;System.Drawing.Bitmap, System.Drawing, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a - - - ..\images\LightOff.png;System.Drawing.Bitmap, System.Drawing, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a - - - ..\images\BlueUp.png;System.Drawing.Bitmap, System.Drawing, Version=2.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a - - - ..\images\addWatch.ico;System.Drawing.Bitmap, System.Drawing, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a - - - ..\images\calculator.png;System.Drawing.Bitmap, System.Drawing, Version=2.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a - - - ..\images\OpenFile.png;System.Drawing.Bitmap, System.Drawing, Version=2.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a - - - ..\images\ToolBox.png;System.Drawing.Bitmap, System.Drawing, Version=2.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a - - - ..\images\Debugger.png;System.Drawing.Bitmap, System.Drawing, Version=2.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a - - - ..\images\FindHS.png;System.Drawing.Bitmap, System.Drawing, Version=2.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a + + ..\images\tastudio\ts_h_piano_00_green_blue.png;System.Drawing.Bitmap, System.Drawing, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a ..\images\Scan.png;System.Drawing.Bitmap, System.Drawing, Version=2.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a - - ..\images\GameController.png;System.Drawing.Bitmap, System.Drawing, Version=2.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a + + ..\images\tastudio\ts_v_piano_02_green.png;System.Drawing.Bitmap, System.Drawing, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a - - ..\images\Blank.png;System.Drawing.Bitmap, System.Drawing, Version=2.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a + + ..\images\ControllerImages\A78Joystick.png;System.Drawing.Bitmap, System.Drawing, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a - - ..\images\cheat.png;System.Drawing.Bitmap, System.Drawing, Version=2.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a + + ..\images\tastudio\ts_v_piano_19_green_blue.png;System.Drawing.Bitmap, System.Drawing, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a - - ..\images\Refresh.bmp;System.Drawing.Bitmap, System.Drawing, Version=2.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a + + ..\images\tastudio\ts_v_piano_00_green.png;System.Drawing.Bitmap, System.Drawing, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a - - ..\images\whiteTriDown.png;System.Drawing.Bitmap, System.Drawing, Version=2.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a + + ..\images\dual.png;System.Drawing.Bitmap, System.Drawing, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a - - ..\images\undo.png;System.Drawing.Bitmap, System.Drawing, Version=2.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a + + ..\images\Play.png;System.Drawing.Bitmap, System.Drawing, Version=2.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a - - ..\images\whiteTriLeft.png;System.Drawing.Bitmap, System.Drawing, Version=2.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a + + ..\images\whiteTriRight.png;System.Drawing.Bitmap, System.Drawing, Version=2.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a - - ..\images\Help.png;System.Drawing.Bitmap, System.Drawing, Version=2.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a + + ..\images\FastForward.png;System.Drawing.Bitmap, System.Drawing, Version=2.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a - - ..\images\MoveUp.png;System.Drawing.Bitmap, System.Drawing, Version=2.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a + + ..\images\Close.png;System.Drawing.Bitmap, System.Drawing, Version=2.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a + + + ..\images\MoveDown.png;System.Drawing.Bitmap, System.Drawing, Version=2.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a + + + ..\images\ToolBox.png;System.Drawing.Bitmap, System.Drawing, Version=2.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a + + + ..\images\FindHS.png;System.Drawing.Bitmap, System.Drawing, Version=2.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a + + + ..\images\ControllerImages\SNES_Controller.png;System.Drawing.Bitmap, System.Drawing, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a + + + ..\images\Import.png;System.Drawing.Bitmap, System.Drawing, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a + + + ..\images\Bug.png;System.Drawing.Bitmap, System.Drawing, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a + + + ..\images\Circle.png;System.Drawing.Bitmap, System.Drawing, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a ..\images\ExclamationRed.png;System.Drawing.Bitmap, System.Drawing, Version=2.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a - - ..\images\pcejin1.bmp;System.Drawing.Bitmap, System.Drawing, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a + + ..\images\tastudio\ts_v_piano_11_green.png;System.Drawing.Bitmap, System.Drawing, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a - - ..\images\RetroQuestion.png;System.Drawing.Bitmap, System.Drawing, Version=2.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a + + ..\images\atari_controller.png;System.Drawing.Bitmap, System.Drawing, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a - - ..\images\camera.png;System.Drawing.Bitmap, System.Drawing, Version=2.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a + + ..\images\Delete.png;System.Drawing.Bitmap, System.Drawing, Version=2.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a - - ..\images\ControllerImages\PCEngineController.png;System.Drawing.Bitmap, System.Drawing, Version=2.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a + + ..\images\checkbox.png;System.Drawing.Bitmap, System.Drawing, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a - - ..\images\Freeze.png;System.Drawing.Bitmap, System.Drawing, Version=2.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a + + ..\images\tastudio\ts_h_piano_09_green.png;System.Drawing.Bitmap, System.Drawing, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a - - ..\images\WarningHS.png;System.Drawing.Bitmap, System.Drawing, Version=2.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a + + ..\images\tastudio\ts_v_piano_03_green_blue.png;System.Drawing.Bitmap, System.Drawing, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a - - ..\images\search.png;System.Drawing.Bitmap, System.Drawing, Version=2.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a + + ..\images\calculator.png;System.Drawing.Bitmap, System.Drawing, Version=2.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a + + + ..\images\emu7800.png;System.Drawing.Bitmap, System.Drawing, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a + + + ..\images\tastudio\ts_h_piano_13_green.png;System.Drawing.Bitmap, System.Drawing, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a + + + ..\images\MoveUp.png;System.Drawing.Bitmap, System.Drawing, Version=2.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a + + + ..\images\Paste.png;System.Drawing.Bitmap, System.Drawing, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a + + + ..\images\tastudio\ts_v_piano_09_green_blue.png;System.Drawing.Bitmap, System.Drawing, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a + + + ..\images\logo.ico;System.Drawing.Icon, System.Drawing, Version=2.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a + + + ..\images\MessageConfig.png;System.Drawing.Bitmap, System.Drawing, Version=2.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a + + + ..\images\tastudio\ts_h_piano_01_green_blue.png;System.Drawing.Bitmap, System.Drawing, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a + + + ..\images\Triangle.png;System.Drawing.Bitmap, System.Drawing, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a ..\images\NESControllerIcon.png;System.Drawing.Bitmap, System.Drawing, Version=2.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a + + ..\images\tastudio\ts_h_piano_11.png;System.Drawing.Bitmap, System.Drawing, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a + + + ..\images\tastudio\ts_v_piano_11_blue.png;System.Drawing.Bitmap, System.Drawing, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a + + + ..\images\tastudio\ts_h_piano_01.png;System.Drawing.Bitmap, System.Drawing, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a + + + ..\images\tastudio\ts_h_arrow_green.png;System.Drawing.Bitmap, System.Drawing, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a + + + ..\images\ForwardMore.png;System.Drawing.Bitmap, System.Drawing, Version=2.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a + + + ..\images\tastudio\ts_h_piano_15_blue.png;System.Drawing.Bitmap, System.Drawing, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a + + + ..\images\tastudio\ts_v_piano_07_green_blue.png;System.Drawing.Bitmap, System.Drawing, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a + + + ..\images\YellowDown.png;System.Drawing.Bitmap, System.Drawing, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a + + + ..\images\RecordHS.png;System.Drawing.Bitmap, System.Drawing, Version=2.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a + + + ..\images\tastudio\ts_h_piano_19_blue.png;System.Drawing.Bitmap, System.Drawing, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a + + + ..\images\tastudio\ts_h_piano_15_green.png;System.Drawing.Bitmap, System.Drawing, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a + + + ..\images\SNESControllerIcon.png;System.Drawing.Bitmap, System.Drawing, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a + + + ..\images\tastudio\ts_v_piano_18.png;System.Drawing.Bitmap, System.Drawing, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a + + + ..\images\Square.png;System.Drawing.Bitmap, System.Drawing, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a + + + ..\images\tastudio\ts_v_arrow_blue.png;System.Drawing.Bitmap, System.Drawing, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a + + + ..\images\tastudio\ts_h_piano_02.png;System.Drawing.Bitmap, System.Drawing, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a + + + ..\images\YellowRight.png;System.Drawing.Bitmap, System.Drawing, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a + + + ..\images\tastudio\ts_v_piano_19.png;System.Drawing.Bitmap, System.Drawing, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a + + + ..\images\tastudio\ts_v_piano_12_green.png;System.Drawing.Bitmap, System.Drawing, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a + + + ..\images\ControllerImages\PSX-Original-Controller.png;System.Drawing.Bitmap, System.Drawing, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a + + + ..\images\Translation.png;System.Drawing.Bitmap, System.Drawing, Version=2.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a + + + ..\images\tastudio\ts_h_piano_02_green_blue.png;System.Drawing.Bitmap, System.Drawing, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a + + + ..\images\tastudio\ts_v_arrow_green.png;System.Drawing.Bitmap, System.Drawing, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a + + + ..\images\tastudio\ts_v_piano_10_green_blue.png;System.Drawing.Bitmap, System.Drawing, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a + + + ..\images\Refresh.bmp;System.Drawing.Bitmap, System.Drawing, Version=2.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a + + + ..\images\tastudio\ts_v_piano_18_blue.png;System.Drawing.Bitmap, System.Drawing, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a + + + ..\images\tastudio\ts_v_piano_15_blue.png;System.Drawing.Bitmap, System.Drawing, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a + + + ..\images\monitor.png;System.Drawing.Bitmap, System.Drawing, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a + + + ..\images\tastudio\ts_h_piano_08_green.png;System.Drawing.Bitmap, System.Drawing, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a + + + ..\images\SaveAs.png;System.Drawing.Bitmap, System.Drawing, Version=2.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a + + + ..\images\tastudio\ts_v_piano_15_green.png;System.Drawing.Bitmap, System.Drawing, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a + + + ..\images\tastudio\ts_h_piano_11_blue.png;System.Drawing.Bitmap, System.Drawing, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a + + + ..\images\C64Symbol.png;System.Drawing.Bitmap, System.Drawing, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a + + + ..\images\BlueDown.png;System.Drawing.Bitmap, System.Drawing, Version=2.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a + + + ..\images\Previous.png;System.Drawing.Bitmap, System.Drawing, Version=2.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a + + + ..\images\tastudio\ts_v_piano_00_green_blue.png;System.Drawing.Bitmap, System.Drawing, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a + + + ..\images\reboot.png;System.Drawing.Bitmap, System.Drawing, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a + + + ..\images\tastudio\ts_h_piano_09_green_blue.png;System.Drawing.Bitmap, System.Drawing, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a + + + ..\images\ControllerImages\WonderSwanColor.png;System.Drawing.Bitmap, System.Drawing, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a + + + ..\images\tastudio\ts_h_arrow_blue.png;System.Drawing.Bitmap, System.Drawing, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a + + + ..\images\TurboFastForward.png;System.Drawing.Bitmap, System.Drawing, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a + + + ..\images\GenesisControllerIcon.png;System.Drawing.Bitmap, System.Drawing, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a + + + ..\images\GameController.png;System.Drawing.Bitmap, System.Drawing, Version=2.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a + + + ..\images\tastudio\ts_v_piano_10.png;System.Drawing.Bitmap, System.Drawing, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a + + + ..\images\yabause.png;System.Drawing.Bitmap, System.Drawing, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a + + + ..\images\watch.ico;System.Drawing.Bitmap, System.Drawing, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a + + + ..\images\ControllerImages\PCEngineController.png;System.Drawing.Bitmap, System.Drawing, Version=2.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a + + + ..\images\tastudio\ts_v_piano_11.png;System.Drawing.Bitmap, System.Drawing, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a + + + ..\images\ppsspp.png;System.Drawing.Bitmap, System.Drawing, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a + + + ..\images\tastudio\ts_v_piano_19_blue.png;System.Drawing.Bitmap, System.Drawing, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a + + + ..\images\tastudio\ts_v_piano_02_green_blue.png;System.Drawing.Bitmap, System.Drawing, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a + + + ..\images\tastudio\ts_v_piano_14_green_blue.png;System.Drawing.Bitmap, System.Drawing, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a + + + ..\images\Debugger.png;System.Drawing.Bitmap, System.Drawing, Version=2.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a + + + ..\images\noconnect_16x16.png;System.Drawing.Bitmap, System.Drawing, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a + + + ..\images\HotKeys.png;System.Drawing.Bitmap, System.Drawing, Version=2.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a + + + ..\images\tastudio\ts_v_piano_13_green.png;System.Drawing.Bitmap, System.Drawing, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a + + + ..\images\tastudio\ts_h_piano_10_green_blue.png;System.Drawing.Bitmap, System.Drawing, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a + + + ..\images\tastudio\ts_v_piano_08_green.png;System.Drawing.Bitmap, System.Drawing, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a + + + ..\images\tastudio\ts_v_piano_12.png;System.Drawing.Bitmap, System.Drawing, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a + + + ..\images\tastudio\ts_h_piano_12_green.png;System.Drawing.Bitmap, System.Drawing, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a + + + ..\images\BlueUp.png;System.Drawing.Bitmap, System.Drawing, Version=2.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a + + + ..\images\tastudio\ts_h_piano_16_blue.png;System.Drawing.Bitmap, System.Drawing, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a + + + ..\images\tastudio\ts_h_piano_11_green.png;System.Drawing.Bitmap, System.Drawing, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a + + + ..\images\Lightning.png;System.Drawing.Bitmap, System.Drawing, Version=2.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a + + + ..\images\tastudio\ts_v_piano_07.png;System.Drawing.Bitmap, System.Drawing, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a + + + ..\images\tastudio\ts_v_piano_18_green_blue.png;System.Drawing.Bitmap, System.Drawing, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a + + + ..\images\tastudio\ts_h_piano_04_blue.png;System.Drawing.Bitmap, System.Drawing, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a + + + ..\images\whiteTriLeft.png;System.Drawing.Bitmap, System.Drawing, Version=2.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a + + + ..\images\tastudio\ts_v_piano_16_green.png;System.Drawing.Bitmap, System.Drawing, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a + + + ..\images\tastudio\ts_h_piano_15.png;System.Drawing.Bitmap, System.Drawing, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a + + + ..\images\undo.png;System.Drawing.Bitmap, System.Drawing, Version=2.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a + + + ..\images\tastudio\ts_v_piano_07_green.png;System.Drawing.Bitmap, System.Drawing, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a + + + ..\images\tastudio\ts_v_piano_08_green_blue.png;System.Drawing.Bitmap, System.Drawing, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a + + + ..\images\whiteTriDown.png;System.Drawing.Bitmap, System.Drawing, Version=2.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a + + + ..\images\tastudio\ts_v_piano_13_green_blue.png;System.Drawing.Bitmap, System.Drawing, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a + + + ..\images\ControllerImages\psx_dualshock.png;System.Drawing.Bitmap, System.Drawing, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a + + + ..\images\tastudio\ts_h_piano_05.png;System.Drawing.Bitmap, System.Drawing, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a + + + ..\images\tastudio\ts_v_piano_04.png;System.Drawing.Bitmap, System.Drawing, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a + + + ..\images\tastudio\ts_h_piano_08_green_blue.png;System.Drawing.Bitmap, System.Drawing, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a + + + ..\images\tastudio\ts_h_piano_17_green_blue.png;System.Drawing.Bitmap, System.Drawing, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a + + + ..\images\console32x32.png;System.Drawing.Bitmap, System.Drawing, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a + + + ..\images\redo.png;System.Drawing.Bitmap, System.Drawing, Version=2.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a + + + ..\images\tastudio\ts_v_piano_05.png;System.Drawing.Bitmap, System.Drawing, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a + + + ..\images\tastudio\ts_h_piano_14_green.png;System.Drawing.Bitmap, System.Drawing, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a + + + ..\images\tastudio\ts_h_piano_00_green.png;System.Drawing.Bitmap, System.Drawing, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a + + + ..\images\tastudio\ts_v_piano_17_green.png;System.Drawing.Bitmap, System.Drawing, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a + + + ..\images\tastudio\ts_h_piano_06_green_blue.png;System.Drawing.Bitmap, System.Drawing, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a + + + ..\images\tastudio\ts_h_piano_12_blue.png;System.Drawing.Bitmap, System.Drawing, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a + + + ..\images\tastudio\ts_h_piano_12.png;System.Drawing.Bitmap, System.Drawing, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a + + + ..\images\user_blue.ico;System.Drawing.Icon, System.Drawing, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a + + + ..\images\tastudio\ts_h_piano_06.png;System.Drawing.Bitmap, System.Drawing, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a + + + ..\images\CopyFolderHS.png;System.Drawing.Bitmap, System.Drawing, Version=2.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a + + + ..\images\tastudio\ts_h_piano_09.png;System.Drawing.Bitmap, System.Drawing, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a + + + ..\images\tastudio\ts_h_piano_13.png;System.Drawing.Bitmap, System.Drawing, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a + + + ..\images\ReadOnly.png;System.Drawing.Bitmap, System.Drawing, Version=2.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a + + + ..\images\tastudio\ts_h_piano_07.png;System.Drawing.Bitmap, System.Drawing, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a + + + ..\images\tastudio\ts_v_piano_01_green.png;System.Drawing.Bitmap, System.Drawing, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a + + + ..\images\tastudio\ts_v_piano_14_green.png;System.Drawing.Bitmap, System.Drawing, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a + + + ..\images\connect_16x16.png;System.Drawing.Bitmap, System.Drawing, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a + + + ..\images\ControllerImages\N64.png;System.Drawing.Bitmap, System.Drawing, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a + + + ..\images\TruncateFromFile.png;System.Drawing.Bitmap, System.Drawing, Version=2.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a + + + ..\images\tastudio\ts_v_piano_08_blue.png;System.Drawing.Bitmap, System.Drawing, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a + + + ..\images\HomeBrew.png;System.Drawing.Bitmap, System.Drawing, Version=2.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a + + + ..\images\tastudio\ts_h_piano_13_green_blue.png;System.Drawing.Bitmap, System.Drawing, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a + + + ..\images\tastudio\ts_v_piano_15_green_blue.png;System.Drawing.Bitmap, System.Drawing, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a + + + ..\images\tastudio\ts_v_piano_09_blue.png;System.Drawing.Bitmap, System.Drawing, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a + + + ..\images\RetroQuestion.png;System.Drawing.Bitmap, System.Drawing, Version=2.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a + + + ..\images\BlankCursor.cur;System.Byte[], mscorlib, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b77a5c561934e089 + + + ..\images\tastudio\ts_v_piano_07_blue.png;System.Drawing.Bitmap, System.Drawing, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a + + + ..\images\tastudio\ts_h_piano_16_green.png;System.Drawing.Bitmap, System.Drawing, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a + + + ..\images\YellowUp.png;System.Drawing.Bitmap, System.Drawing, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a + + + ..\images\search.png;System.Drawing.Bitmap, System.Drawing, Version=2.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a + + + ..\images\tastudio\ts_v_piano_04_green_blue.png;System.Drawing.Bitmap, System.Drawing, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a + + + ..\images\meteor.png;System.Drawing.Bitmap, System.Drawing, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a + + + ..\images\tastudio\ts_h_piano_10.png;System.Drawing.Bitmap, System.Drawing, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a + + + ..\images\Lua.png;System.Drawing.Bitmap, System.Drawing, Version=2.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a + + + ..\images\tastudio\ts_v_piano_12_blue.png;System.Drawing.Bitmap, System.Drawing, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a + + + ..\images\OpenFile.png;System.Drawing.Bitmap, System.Drawing, Version=2.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a + + + ..\images\tastudio\ts_h_piano_17_green.png;System.Drawing.Bitmap, System.Drawing, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a + + + ..\images\tastudio\ts_h_piano_19_green_blue.png;System.Drawing.Bitmap, System.Drawing, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a + + + ..\images\tastudio\ts_v_piano_03_green.png;System.Drawing.Bitmap, System.Drawing, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a + + + ..\images\tastudio\ts_v_piano_09_green.png;System.Drawing.Bitmap, System.Drawing, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a + + + ..\images\HawkInLove.png;System.Drawing.Bitmap, System.Drawing, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a + + + ..\images\Cross.png;System.Drawing.Bitmap, System.Drawing, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a + + + ..\images\tastudio\ts_v_piano_13_blue.png;System.Drawing.Bitmap, System.Drawing, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a + + + ..\images\GreenCheck.png;System.Drawing.Bitmap, System.Drawing, Version=2.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a + + + ..\images\Cheats.ico;System.Drawing.Icon, System.Drawing, Version=2.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a + + + ..\images\Save.png;System.Drawing.Bitmap, System.Drawing, Version=2.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a + + + ..\images\tastudio\ts_h_piano_10_green.png;System.Drawing.Bitmap, System.Drawing, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a + + + ..\images\tastudio\ts_h_piano_06_green.png;System.Drawing.Bitmap, System.Drawing, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a + + + ..\images\tastudio\ts_h_piano_17.png;System.Drawing.Bitmap, System.Drawing, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a + + + ..\images\tastudio\ts_v_piano_06_green.png;System.Drawing.Bitmap, System.Drawing, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a + + + ..\images\TAStudio.png;System.Drawing.Bitmap, System.Drawing, Version=2.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a + + + ..\images\tastudio\ts_h_piano_08.png;System.Drawing.Bitmap, System.Drawing, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a + + + ..\images\LightOff.png;System.Drawing.Bitmap, System.Drawing, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a + + + ..\images\tastudio\ts_v_piano_16_blue.png;System.Drawing.Bitmap, System.Drawing, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a + + + ..\images\tastudio\ts_v_piano_05_green.png;System.Drawing.Bitmap, System.Drawing, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a + + + ..\images\tastudio\ts_h_piano_16_green_blue.png;System.Drawing.Bitmap, System.Drawing, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a + + + ..\images\Fullscreen.png;System.Drawing.Bitmap, System.Drawing, Version=2.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a + + + ..\images\tastudio\ts_h_piano_03_green_blue.png;System.Drawing.Bitmap, System.Drawing, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a + + + ..\images\AutoSearch.png;System.Drawing.Bitmap, System.Drawing, Version=2.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a + + + ..\images\snes9x.png;System.Drawing.Bitmap, System.Drawing, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a + + + ..\images\Unfreeze.png;System.Drawing.Bitmap, System.Drawing, Version=2.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a + + + ..\images\gba-icon.png;System.Drawing.Bitmap, System.Drawing, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a + + + ..\images\YellowLeft.png;System.Drawing.Bitmap, System.Drawing, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a + + + ..\images\tastudio\ts_v_piano_01.png;System.Drawing.Bitmap, System.Drawing, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a + + + ..\images\MoveLeft.png;System.Drawing.Bitmap, System.Drawing, Version=2.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a + + + ..\images\tastudio\ts_v_piano_11_green_blue.png;System.Drawing.Bitmap, System.Drawing, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a + + + ..\images\tastudio\ts_h_piano_14_green_blue.png;System.Drawing.Bitmap, System.Drawing, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a + + + ..\images\ControllerImages\C64Keyboard.png;System.Drawing.Bitmap, System.Drawing, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a + + + ..\images\PrintPreviewHS.png;System.Drawing.Bitmap, System.Drawing, Version=2.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a + + + ..\images\tastudio\ts_h_piano_04_green.png;System.Drawing.Bitmap, System.Drawing, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a + + + ..\images\ControllerImages\C64Joystick.png;System.Drawing.Bitmap, System.Drawing, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a + + + ..\images\tastudio\ts_v_piano_04_blue.png;System.Drawing.Bitmap, System.Drawing, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a + + + ..\images\tastudio\ts_h_piano_05_blue.png;System.Drawing.Bitmap, System.Drawing, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a + + + ..\images\tastudio\ts_v_piano_01_green_blue.png;System.Drawing.Bitmap, System.Drawing, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a + + + ..\images\tastudio\ts_v_piano_06.png;System.Drawing.Bitmap, System.Drawing, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a + + + ..\images\ControllerImages\GENController.png;System.Drawing.Bitmap, System.Drawing, Version=2.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a + + + ..\images\MoveRight.png;System.Drawing.Bitmap, System.Drawing, Version=2.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a + + + ..\images\tastudio\ts_h_piano_01_blue.png;System.Drawing.Bitmap, System.Drawing, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a + + + ..\images\QuickNes.png;System.Drawing.Bitmap, System.Drawing, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a + + + ..\images\Erase.png;System.Drawing.Bitmap, System.Drawing, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a + + + ..\images\tastudio\ts_h_piano_07_green.png;System.Drawing.Bitmap, System.Drawing, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a + + + ..\images\tastudio\ts_h_piano_14.png;System.Drawing.Bitmap, System.Drawing, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a + + + ..\images\gambatte.png;System.Drawing.Bitmap, System.Drawing, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a + + + ..\images\tastudio\ts_h_piano_04.png;System.Drawing.Bitmap, System.Drawing, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a + + + ..\images\tastudio\ts_v_piano_06_green_blue.png;System.Drawing.Bitmap, System.Drawing, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a + + + ..\images\tastudio\ts_v_piano_12_green_blue.png;System.Drawing.Bitmap, System.Drawing, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a + + + ..\images\tastudio\ts_v_piano_09.png;System.Drawing.Bitmap, System.Drawing, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a + + + ..\images\ControllerImages\Lynx.png;System.Drawing.Bitmap, System.Drawing, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a + + + ..\images\pencil.png;System.Drawing.Bitmap, System.Drawing, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a + + + ..\images\tastudio\ts_v_piano_16_green_blue.png;System.Drawing.Bitmap, System.Drawing, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a + + + ..\images\Hack.png;System.Drawing.Bitmap, System.Drawing, Version=2.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a + + + ..\images\tastudio\ts_h_piano_02_green.png;System.Drawing.Bitmap, System.Drawing, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a + + + ..\images\tastudio\ts_v_piano_14_blue.png;System.Drawing.Bitmap, System.Drawing, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a + + + ..\images\tastudio\ts_h_piano_19_green.png;System.Drawing.Bitmap, System.Drawing, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a + ..\images\Both.png;System.Drawing.Bitmap, System.Drawing, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a + + ..\images\LightOn.png;System.Drawing.Bitmap, System.Drawing, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a + + + ..\images\Duplicate.png;System.Drawing.Bitmap, System.Drawing, Version=2.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a + + + ..\images\tastudio\ts_v_piano_06_blue.png;System.Drawing.Bitmap, System.Drawing, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a + + + ..\images\LoadConfig.png;System.Drawing.Bitmap, System.Drawing, Version=2.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a + + + ..\images\add.png;System.Drawing.Bitmap, System.Drawing, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a + + + ..\images\genplus.png;System.Drawing.Bitmap, System.Drawing, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a + + + ..\images\poke.png;System.Drawing.Bitmap, System.Drawing, Version=2.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a + + + ..\images\tastudio\ts_h_piano_07_green_blue.png;System.Drawing.Bitmap, System.Drawing, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a + + + ..\images\tastudio\ts_h_piano_05_green.png;System.Drawing.Bitmap, System.Drawing, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a + + + ..\images\tastudio\ts_h_piano_18_green_blue.png;System.Drawing.Bitmap, System.Drawing, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a + + + ..\images\AudioHS.png;System.Drawing.Bitmap, System.Drawing, Version=2.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a + + + ..\images\ControllerImages\TI83Calculator.png;System.Drawing.Bitmap, System.Drawing, Version=2.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a + + + ..\images\thumbsdown.png;System.Drawing.Bitmap, System.Drawing, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a + + + ..\images\tastudio\ts_v_piano_10_blue.png;System.Drawing.Bitmap, System.Drawing, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a + + + ..\images\ControllerImages\GBA_Controller.png;System.Drawing.Bitmap, System.Drawing, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a + + + ..\images\tastudio\ts_v_piano_15.png;System.Drawing.Bitmap, System.Drawing, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a + + + ..\images\tastudio\ts_h_piano_11_green_blue.png;System.Drawing.Bitmap, System.Drawing, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a + + + ..\images\tastudio\ts_h_piano_17_blue.png;System.Drawing.Bitmap, System.Drawing, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a + + + ..\images\alt_about_image.png;System.Drawing.Bitmap, System.Drawing, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a + + + ..\images\tastudio\ts_h_piano_09_blue.png;System.Drawing.Bitmap, System.Drawing, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a + + + ..\images\bsnes.png;System.Drawing.Bitmap, System.Drawing, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a + + + ..\images\controllerimages\saturncontroller.jpg;System.Drawing.Bitmap, System.Drawing, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a + + + ..\images\InsertSeparator.png;System.Drawing.Bitmap, System.Drawing, Version=2.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a + + + ..\images\tastudio\ts_v_piano_04_green.png;System.Drawing.Bitmap, System.Drawing, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a + + + ..\images\Back.png;System.Drawing.Bitmap, System.Drawing, Version=2.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a + + + ..\images\Recent.png;System.Drawing.Bitmap, System.Drawing, Version=2.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a + + + ..\images\ControllerImages\SMSController.png;System.Drawing.Bitmap, System.Drawing, Version=2.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a + + + ..\images\tvIcon.png;System.Drawing.Bitmap, System.Drawing, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a + + + ..\images\tastudio\ts_v_piano_19_green.png;System.Drawing.Bitmap, System.Drawing, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a + + + ..\images\tastudio\ts_v_piano_16.png;System.Drawing.Bitmap, System.Drawing, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a + + + ..\images\tastudio\ts_v_piano_05_green_blue.png;System.Drawing.Bitmap, System.Drawing, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a + + + ..\images\tastudio\ts_v_piano_17_green_blue.png;System.Drawing.Bitmap, System.Drawing, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a + + + ..\images\ControllerImages\TI83_Controller.png;System.Drawing.Bitmap, System.Drawing, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a + + + ..\images\tastudio\ts_v_piano_01_blue.png;System.Drawing.Bitmap, System.Drawing, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a + + + ..\images\tastudio\ts_v_piano_17.png;System.Drawing.Bitmap, System.Drawing, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a + ..\images\SaveConfig.png;System.Drawing.Bitmap, System.Drawing, Version=2.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a - - ..\images\Refresh.png;System.Drawing.Bitmap, System.Drawing, Version=2.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a + + ..\images\tastudio\ts_h_piano_03_green.png;System.Drawing.Bitmap, System.Drawing, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a + + + ..\images\tastudio\ts_v_piano_03_blue.png;System.Drawing.Bitmap, System.Drawing, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a + + + ..\images\Pause.png;System.Drawing.Bitmap, System.Drawing, Version=2.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a + + + ..\images\BackMore.png;System.Drawing.Bitmap, System.Drawing, Version=2.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a + + + ..\images\pcb.png;System.Drawing.Bitmap, System.Drawing, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a + + + ..\images\tastudio\ts_h_piano_18_green.png;System.Drawing.Bitmap, System.Drawing, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a + + + ..\images\tastudio\ts_h_piano_04_green_blue.png;System.Drawing.Bitmap, System.Drawing, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a + + + ..\images\tastudio\ts_h_piano_13_blue.png;System.Drawing.Bitmap, System.Drawing, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a + + + ..\images\ControllerImages\IntVController.png;System.Drawing.Bitmap, System.Drawing, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a + + + ..\images\tastudio\ts_h_piano_18_blue.png;System.Drawing.Bitmap, System.Drawing, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a + + + ..\images\AVI.png;System.Drawing.Bitmap, System.Drawing, Version=2.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a + + + ..\images\corphawk.jpg;System.Drawing.Bitmap, System.Drawing, Version=2.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a + + + ..\images\user_blue_small.png;System.Drawing.Bitmap, System.Drawing, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a + + + ..\images\tastudio\ts_v_piano_02.png;System.Drawing.Bitmap, System.Drawing, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a + + + ..\images\Stop.png;System.Drawing.Bitmap, System.Drawing, Version=2.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a + + + ..\images\pcejin1.bmp;System.Drawing.Bitmap, System.Drawing, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a + + + ..\images\tastudio\ts_v_piano_03.png;System.Drawing.Bitmap, System.Drawing, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a + + + ..\images\sms-icon.png;System.Drawing.Bitmap, System.Drawing, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a + + + ..\images\textdoc.png;System.Drawing.Bitmap, System.Drawing, Version=2.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a + + + ..\images\tastudio\ts_v_piano_00_blue.png;System.Drawing.Bitmap, System.Drawing, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a + + + ..\images\camera.png;System.Drawing.Bitmap, System.Drawing, Version=2.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a + + + ..\images\addWatch.ico;System.Drawing.Bitmap, System.Drawing, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a + + + ..\images\tastudio\ts_v_piano_05_blue.png;System.Drawing.Bitmap, System.Drawing, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a + + + ..\images\ControllerImages\colecovisioncontroller.png;System.Drawing.Bitmap, System.Drawing, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a + + + ..\images\tastudio\ts_h_piano_18.png;System.Drawing.Bitmap, System.Drawing, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a + + + ..\images\tastudio\ts_h_piano_00.png;System.Drawing.Bitmap, System.Drawing, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a + + + ..\images\tastudio\ts_h_piano_01_green.png;System.Drawing.Bitmap, System.Drawing, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a + + + ..\images\tastudio\ts_h_piano_19.png;System.Drawing.Bitmap, System.Drawing, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a + + + ..\images\tastudio\ts_h_piano_03.png;System.Drawing.Bitmap, System.Drawing, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a + + + ..\images\Forward.png;System.Drawing.Bitmap, System.Drawing, Version=2.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a + + + ..\images\console16x16.png;System.Drawing.Bitmap, System.Drawing, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a + + + ..\images\tastudio\ts_v_piano_14.png;System.Drawing.Bitmap, System.Drawing, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a + + + ..\images\Blank.png;System.Drawing.Bitmap, System.Drawing, Version=2.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a + + + ..\images\tastudio\ts_h_piano_10_blue.png;System.Drawing.Bitmap, System.Drawing, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a + + + ..\images\ControllerImages\NES_Controller.png;System.Drawing.Bitmap, System.Drawing, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a + + + ..\images\cheat.png;System.Drawing.Bitmap, System.Drawing, Version=2.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a + + + ..\images\tastudio\ts_h_piano_15_green_blue.png;System.Drawing.Bitmap, System.Drawing, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a + + + ..\images\CorpHawkSmall.png;System.Drawing.Bitmap, System.Drawing, Version=2.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a + + + ..\images\tastudio\ts_h_piano_14_blue.png;System.Drawing.Bitmap, System.Drawing, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a + + + ..\images\tastudio\ts_h_arrow_green_blue.png;System.Drawing.Bitmap, System.Drawing, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a + + + ..\images\tastudio\ts_v_piano_18_green.png;System.Drawing.Bitmap, System.Drawing, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a + + + ..\images\tastudio\ts_v_piano_17_blue.png;System.Drawing.Bitmap, System.Drawing, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a + + + ..\images\tastudio\ts_h_piano_06_blue.png;System.Drawing.Bitmap, System.Drawing, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a + + + ..\images\restart.png;System.Drawing.Bitmap, System.Drawing, Version=2.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a + + + ..\images\tastudio\ts_h_piano_16.png;System.Drawing.Bitmap, System.Drawing, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a + + + ..\images\tastudio\ts_v_piano_10_green.png;System.Drawing.Bitmap, System.Drawing, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a + + + ..\images\WarningHS.png;System.Drawing.Bitmap, System.Drawing, Version=2.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a @@ -771,727 +1443,70 @@ AFNvdW5kIEZvcmdlIDIuMDtTb25pYyBGb3VuZHJ5IFNvdW5kIEZvcmdlIDUuMAAL - - ..\images\BlueDown.png;System.Drawing.Bitmap, System.Drawing, Version=2.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a - - - ..\images\reboot.png;System.Drawing.Bitmap, System.Drawing, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a - - - ..\images\console32x32.png;System.Drawing.Bitmap, System.Drawing, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a - - - ..\images\ControllerImages\GBController.png;System.Drawing.Bitmap, System.Drawing, Version=2.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a - - - ..\images\Previous.png;System.Drawing.Bitmap, System.Drawing, Version=2.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a - - - ..\images\HomeBrew.png;System.Drawing.Bitmap, System.Drawing, Version=2.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a - - - ..\images\Hack.png;System.Drawing.Bitmap, System.Drawing, Version=2.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a - - - ..\images\RecordHS.png;System.Drawing.Bitmap, System.Drawing, Version=2.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a - - - ..\images\Back.png;System.Drawing.Bitmap, System.Drawing, Version=2.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a - - - ..\images\gba-icon.png;System.Drawing.Bitmap, System.Drawing, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a - - - ..\images\GreenCheck.png;System.Drawing.Bitmap, System.Drawing, Version=2.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a - - - ..\images\AutoSearch.png;System.Drawing.Bitmap, System.Drawing, Version=2.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a - - - ..\images\Play.png;System.Drawing.Bitmap, System.Drawing, Version=2.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a - - - ..\images\Cheats.ico;System.Drawing.Icon, System.Drawing, Version=2.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a - - - ..\images\redo.png;System.Drawing.Bitmap, System.Drawing, Version=2.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a - - - ..\images\Pause.png;System.Drawing.Bitmap, System.Drawing, Version=2.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a - - - ..\images\Close.png;System.Drawing.Bitmap, System.Drawing, Version=2.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a - - - ..\images\TruncateFromFile.png;System.Drawing.Bitmap, System.Drawing, Version=2.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a - - - ..\images\MoveLeft.png;System.Drawing.Bitmap, System.Drawing, Version=2.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a - - - ..\images\Translation.png;System.Drawing.Bitmap, System.Drawing, Version=2.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a - - - ..\images\restart.png;System.Drawing.Bitmap, System.Drawing, Version=2.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a - - - ..\images\CorpHawkSmall.png;System.Drawing.Bitmap, System.Drawing, Version=2.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a - - - ..\images\Duplicate.png;System.Drawing.Bitmap, System.Drawing, Version=2.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a - - - ..\images\ControllerImages\C64Joystick.png;System.Drawing.Bitmap, System.Drawing, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a - - - ..\images\ControllerImages\GBA_Controller.png;System.Drawing.Bitmap, System.Drawing, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a - - - ..\images\Import.png;System.Drawing.Bitmap, System.Drawing, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a - - - ..\images\pencil.png;System.Drawing.Bitmap, System.Drawing, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a - - - ..\images\Forward.png;System.Drawing.Bitmap, System.Drawing, Version=2.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a - - - ..\images\ControllerImages\IntVController.png;System.Drawing.Bitmap, System.Drawing, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a - - - ..\images\C64Symbol.png;System.Drawing.Bitmap, System.Drawing, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a - - - ..\images\ControllerImages\TI83Calculator.png;System.Drawing.Bitmap, System.Drawing, Version=2.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a - - - ..\images\TAStudio.png;System.Drawing.Bitmap, System.Drawing, Version=2.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a - - - ..\images\ControllerImages\GENController.png;System.Drawing.Bitmap, System.Drawing, Version=2.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a - - - ..\images\atari_controller.png;System.Drawing.Bitmap, System.Drawing, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a - - - ..\images\ForwardMore.png;System.Drawing.Bitmap, System.Drawing, Version=2.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a - - - ..\images\ReadOnly.png;System.Drawing.Bitmap, System.Drawing, Version=2.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a - - - ..\images\ControllerImages\TI83_Controller.png;System.Drawing.Bitmap, System.Drawing, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a - - - ..\images\ControllerImages\NES_Controller.png;System.Drawing.Bitmap, System.Drawing, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a - - - ..\images\Lua.png;System.Drawing.Bitmap, System.Drawing, Version=2.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a - - - ..\images\GenesisControllerIcon.png;System.Drawing.Bitmap, System.Drawing, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a - - - ..\images\watch.ico;System.Drawing.Bitmap, System.Drawing, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a - - - ..\images\Erase.png;System.Drawing.Bitmap, System.Drawing, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a - - - ..\images\sms-icon.png;System.Drawing.Bitmap, System.Drawing, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a - - - ..\images\bsnes.png;System.Drawing.Bitmap, System.Drawing, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a - - - ..\images\emu7800.png;System.Drawing.Bitmap, System.Drawing, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a - - - ..\images\gambatte.png;System.Drawing.Bitmap, System.Drawing, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a - - - ..\images\genplus.png;System.Drawing.Bitmap, System.Drawing, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a - - - ..\images\meteor.png;System.Drawing.Bitmap, System.Drawing, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a - - - ..\images\ppsspp.png;System.Drawing.Bitmap, System.Drawing, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a - - - ..\images\QuickNes.png;System.Drawing.Bitmap, System.Drawing, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a - - - ..\images\yabause.png;System.Drawing.Bitmap, System.Drawing, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a - - - ..\images\monitor.png;System.Drawing.Bitmap, System.Drawing, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a - - - ..\images\dual.png;System.Drawing.Bitmap, System.Drawing, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a - - - ..\images\ControllerImages\WonderSwanColor.png;System.Drawing.Bitmap, System.Drawing, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a - - - ..\images\alt_about_image.png;System.Drawing.Bitmap, System.Drawing, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a - - - ..\images\thumbsdown.png;System.Drawing.Bitmap, System.Drawing, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a - - - ..\images\YellowDown.png;System.Drawing.Bitmap, System.Drawing, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a - - - ..\images\YellowLeft.png;System.Drawing.Bitmap, System.Drawing, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a - - - ..\images\YellowRight.png;System.Drawing.Bitmap, System.Drawing, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a - - - ..\images\YellowUp.png;System.Drawing.Bitmap, System.Drawing, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a - - - ..\images\snes9x.png;System.Drawing.Bitmap, System.Drawing, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a - - - ..\images\connect_16x16.png;System.Drawing.Bitmap, System.Drawing, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a - - - ..\images\noconnect_16x16.png;System.Drawing.Bitmap, System.Drawing, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a - - - ..\images\tastudio\ts_h_arrow_blue.png;System.Drawing.Bitmap, System.Drawing, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a - - - ..\images\tastudio\ts_h_arrow_green.png;System.Drawing.Bitmap, System.Drawing, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a - - - ..\images\tastudio\ts_h_arrow_green_blue.png;System.Drawing.Bitmap, System.Drawing, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a - - - ..\images\tastudio\ts_h_piano_00.png;System.Drawing.Bitmap, System.Drawing, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a - ..\images\tastudio\ts_h_piano_00_blue.png;System.Drawing.Bitmap, System.Drawing, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a - - ..\images\tastudio\ts_h_piano_00_green.png;System.Drawing.Bitmap, System.Drawing, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a - - - ..\images\tastudio\ts_h_piano_00_green_blue.png;System.Drawing.Bitmap, System.Drawing, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a - - - ..\images\tastudio\ts_h_piano_01.png;System.Drawing.Bitmap, System.Drawing, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a - - - ..\images\tastudio\ts_h_piano_01_blue.png;System.Drawing.Bitmap, System.Drawing, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a - - - ..\images\tastudio\ts_h_piano_01_green.png;System.Drawing.Bitmap, System.Drawing, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a - - - ..\images\tastudio\ts_h_piano_01_green_blue.png;System.Drawing.Bitmap, System.Drawing, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a - - - ..\images\tastudio\ts_h_piano_02.png;System.Drawing.Bitmap, System.Drawing, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a - - - ..\images\tastudio\ts_h_piano_02_blue.png;System.Drawing.Bitmap, System.Drawing, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a - - - ..\images\tastudio\ts_h_piano_02_green.png;System.Drawing.Bitmap, System.Drawing, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a - - - ..\images\tastudio\ts_h_piano_02_green_blue.png;System.Drawing.Bitmap, System.Drawing, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a - - - ..\images\tastudio\ts_h_piano_03.png;System.Drawing.Bitmap, System.Drawing, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a - - - ..\images\tastudio\ts_h_piano_03_blue.png;System.Drawing.Bitmap, System.Drawing, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a - - - ..\images\tastudio\ts_h_piano_03_green.png;System.Drawing.Bitmap, System.Drawing, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a - - - ..\images\tastudio\ts_h_piano_03_green_blue.png;System.Drawing.Bitmap, System.Drawing, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a - - - ..\images\tastudio\ts_h_piano_04.png;System.Drawing.Bitmap, System.Drawing, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a - - - ..\images\tastudio\ts_h_piano_04_blue.png;System.Drawing.Bitmap, System.Drawing, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a - - - ..\images\tastudio\ts_h_piano_04_green.png;System.Drawing.Bitmap, System.Drawing, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a - - - ..\images\tastudio\ts_h_piano_04_green_blue.png;System.Drawing.Bitmap, System.Drawing, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a - - - ..\images\tastudio\ts_h_piano_05.png;System.Drawing.Bitmap, System.Drawing, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a - - - ..\images\tastudio\ts_h_piano_05_blue.png;System.Drawing.Bitmap, System.Drawing, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a - - - ..\images\tastudio\ts_h_piano_05_green.png;System.Drawing.Bitmap, System.Drawing, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a - - - ..\images\tastudio\ts_h_piano_05_green_blue.png;System.Drawing.Bitmap, System.Drawing, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a - - - ..\images\tastudio\ts_h_piano_06.png;System.Drawing.Bitmap, System.Drawing, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a - - - ..\images\tastudio\ts_h_piano_06_blue.png;System.Drawing.Bitmap, System.Drawing, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a - - - ..\images\tastudio\ts_h_piano_06_green.png;System.Drawing.Bitmap, System.Drawing, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a - - - ..\images\tastudio\ts_h_piano_06_green_blue.png;System.Drawing.Bitmap, System.Drawing, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a - - - ..\images\tastudio\ts_h_piano_07.png;System.Drawing.Bitmap, System.Drawing, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a - - - ..\images\tastudio\ts_h_piano_07_blue.png;System.Drawing.Bitmap, System.Drawing, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a - - - ..\images\tastudio\ts_h_piano_07_green.png;System.Drawing.Bitmap, System.Drawing, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a - - - ..\images\tastudio\ts_h_piano_07_green_blue.png;System.Drawing.Bitmap, System.Drawing, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a - - - ..\images\tastudio\ts_h_piano_08.png;System.Drawing.Bitmap, System.Drawing, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a - - - ..\images\tastudio\ts_h_piano_08_blue.png;System.Drawing.Bitmap, System.Drawing, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a - - - ..\images\tastudio\ts_h_piano_08_green.png;System.Drawing.Bitmap, System.Drawing, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a - - - ..\images\tastudio\ts_h_piano_08_green_blue.png;System.Drawing.Bitmap, System.Drawing, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a - - - ..\images\tastudio\ts_h_piano_09.png;System.Drawing.Bitmap, System.Drawing, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a - - - ..\images\tastudio\ts_h_piano_09_blue.png;System.Drawing.Bitmap, System.Drawing, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a - - - ..\images\tastudio\ts_h_piano_09_green.png;System.Drawing.Bitmap, System.Drawing, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a - - - ..\images\tastudio\ts_h_piano_09_green_blue.png;System.Drawing.Bitmap, System.Drawing, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a - - - ..\images\tastudio\ts_h_piano_10.png;System.Drawing.Bitmap, System.Drawing, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a - - - ..\images\tastudio\ts_h_piano_10_blue.png;System.Drawing.Bitmap, System.Drawing, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a - - - ..\images\tastudio\ts_h_piano_10_green.png;System.Drawing.Bitmap, System.Drawing, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a - - - ..\images\tastudio\ts_h_piano_10_green_blue.png;System.Drawing.Bitmap, System.Drawing, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a - - - ..\images\tastudio\ts_h_piano_11.png;System.Drawing.Bitmap, System.Drawing, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a - - - ..\images\tastudio\ts_h_piano_11_blue.png;System.Drawing.Bitmap, System.Drawing, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a - - - ..\images\tastudio\ts_h_piano_11_green.png;System.Drawing.Bitmap, System.Drawing, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a - - - ..\images\tastudio\ts_h_piano_11_green_blue.png;System.Drawing.Bitmap, System.Drawing, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a - - - ..\images\tastudio\ts_h_piano_12.png;System.Drawing.Bitmap, System.Drawing, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a - - - ..\images\tastudio\ts_h_piano_12_blue.png;System.Drawing.Bitmap, System.Drawing, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a - - - ..\images\tastudio\ts_h_piano_12_green.png;System.Drawing.Bitmap, System.Drawing, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a - - - ..\images\tastudio\ts_h_piano_12_green_blue.png;System.Drawing.Bitmap, System.Drawing, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a - - - ..\images\tastudio\ts_h_piano_13.png;System.Drawing.Bitmap, System.Drawing, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a - - - ..\images\tastudio\ts_h_piano_13_blue.png;System.Drawing.Bitmap, System.Drawing, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a - - - ..\images\tastudio\ts_h_piano_13_green.png;System.Drawing.Bitmap, System.Drawing, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a - - - ..\images\tastudio\ts_h_piano_13_green_blue.png;System.Drawing.Bitmap, System.Drawing, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a - - - ..\images\tastudio\ts_h_piano_14.png;System.Drawing.Bitmap, System.Drawing, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a - - - ..\images\tastudio\ts_h_piano_14_blue.png;System.Drawing.Bitmap, System.Drawing, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a - - - ..\images\tastudio\ts_h_piano_14_green.png;System.Drawing.Bitmap, System.Drawing, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a - - - ..\images\tastudio\ts_h_piano_14_green_blue.png;System.Drawing.Bitmap, System.Drawing, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a - - - ..\images\tastudio\ts_h_piano_15.png;System.Drawing.Bitmap, System.Drawing, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a - - - ..\images\tastudio\ts_h_piano_15_blue.png;System.Drawing.Bitmap, System.Drawing, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a - - - ..\images\tastudio\ts_h_piano_15_green.png;System.Drawing.Bitmap, System.Drawing, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a - - - ..\images\tastudio\ts_h_piano_15_green_blue.png;System.Drawing.Bitmap, System.Drawing, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a - - - ..\images\tastudio\ts_h_piano_16.png;System.Drawing.Bitmap, System.Drawing, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a - - - ..\images\tastudio\ts_h_piano_16_blue.png;System.Drawing.Bitmap, System.Drawing, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a - - - ..\images\tastudio\ts_h_piano_16_green.png;System.Drawing.Bitmap, System.Drawing, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a - - - ..\images\tastudio\ts_h_piano_16_green_blue.png;System.Drawing.Bitmap, System.Drawing, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a - - - ..\images\tastudio\ts_h_piano_17.png;System.Drawing.Bitmap, System.Drawing, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a - - - ..\images\tastudio\ts_h_piano_17_blue.png;System.Drawing.Bitmap, System.Drawing, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a - - - ..\images\tastudio\ts_h_piano_17_green.png;System.Drawing.Bitmap, System.Drawing, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a - - - ..\images\tastudio\ts_h_piano_17_green_blue.png;System.Drawing.Bitmap, System.Drawing, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a - - - ..\images\tastudio\ts_h_piano_18.png;System.Drawing.Bitmap, System.Drawing, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a - - - ..\images\tastudio\ts_h_piano_18_blue.png;System.Drawing.Bitmap, System.Drawing, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a - - - ..\images\tastudio\ts_h_piano_18_green.png;System.Drawing.Bitmap, System.Drawing, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a - - - ..\images\tastudio\ts_h_piano_18_green_blue.png;System.Drawing.Bitmap, System.Drawing, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a - - - ..\images\tastudio\ts_h_piano_19.png;System.Drawing.Bitmap, System.Drawing, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a - - - ..\images\tastudio\ts_h_piano_19_blue.png;System.Drawing.Bitmap, System.Drawing, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a - - - ..\images\tastudio\ts_h_piano_19_green.png;System.Drawing.Bitmap, System.Drawing, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a - - - ..\images\tastudio\ts_h_piano_19_green_blue.png;System.Drawing.Bitmap, System.Drawing, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a - - - ..\images\tastudio\ts_v_arrow_blue.png;System.Drawing.Bitmap, System.Drawing, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a - - - ..\images\tastudio\ts_v_arrow_green.png;System.Drawing.Bitmap, System.Drawing, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a - ..\images\tastudio\ts_v_arrow_green_blue.png;System.Drawing.Bitmap, System.Drawing, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a + + ..\images\tastudio\ts_h_piano_07_blue.png;System.Drawing.Bitmap, System.Drawing, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a + + + ..\images\tastudio\ts_h_piano_12_green_blue.png;System.Drawing.Bitmap, System.Drawing, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a + + + ..\images\tastudio\ts_h_piano_08_blue.png;System.Drawing.Bitmap, System.Drawing, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a + + + ..\images\NewFile.png;System.Drawing.Bitmap, System.Drawing, Version=2.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a + ..\images\tastudio\ts_v_piano_00.png;System.Drawing.Bitmap, System.Drawing, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a - - ..\images\tastudio\ts_v_piano_00_blue.png;System.Drawing.Bitmap, System.Drawing, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a - - - ..\images\tastudio\ts_v_piano_00_green.png;System.Drawing.Bitmap, System.Drawing, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a - - - ..\images\tastudio\ts_v_piano_00_green_blue.png;System.Drawing.Bitmap, System.Drawing, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a - - - ..\images\tastudio\ts_v_piano_01.png;System.Drawing.Bitmap, System.Drawing, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a - - - ..\images\tastudio\ts_v_piano_01_blue.png;System.Drawing.Bitmap, System.Drawing, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a - - - ..\images\tastudio\ts_v_piano_01_green.png;System.Drawing.Bitmap, System.Drawing, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a - - - ..\images\tastudio\ts_v_piano_01_green_blue.png;System.Drawing.Bitmap, System.Drawing, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a - - - ..\images\tastudio\ts_v_piano_02.png;System.Drawing.Bitmap, System.Drawing, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a - ..\images\tastudio\ts_v_piano_02_blue.png;System.Drawing.Bitmap, System.Drawing, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a - - ..\images\tastudio\ts_v_piano_02_green.png;System.Drawing.Bitmap, System.Drawing, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a + + ..\images\Freeze.png;System.Drawing.Bitmap, System.Drawing, Version=2.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a - - ..\images\tastudio\ts_v_piano_02_green_blue.png;System.Drawing.Bitmap, System.Drawing, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a + + ..\images\tastudio\ts_h_piano_05_green_blue.png;System.Drawing.Bitmap, System.Drawing, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a - - ..\images\tastudio\ts_v_piano_03.png;System.Drawing.Bitmap, System.Drawing, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a - - - ..\images\tastudio\ts_v_piano_03_blue.png;System.Drawing.Bitmap, System.Drawing, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a - - - ..\images\tastudio\ts_v_piano_03_green.png;System.Drawing.Bitmap, System.Drawing, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a - - - ..\images\tastudio\ts_v_piano_03_green_blue.png;System.Drawing.Bitmap, System.Drawing, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a - - - ..\images\tastudio\ts_v_piano_04.png;System.Drawing.Bitmap, System.Drawing, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a - - - ..\images\tastudio\ts_v_piano_04_blue.png;System.Drawing.Bitmap, System.Drawing, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a - - - ..\images\tastudio\ts_v_piano_04_green.png;System.Drawing.Bitmap, System.Drawing, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a - - - ..\images\tastudio\ts_v_piano_04_green_blue.png;System.Drawing.Bitmap, System.Drawing, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a - - - ..\images\tastudio\ts_v_piano_05.png;System.Drawing.Bitmap, System.Drawing, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a - - - ..\images\tastudio\ts_v_piano_05_blue.png;System.Drawing.Bitmap, System.Drawing, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a - - - ..\images\tastudio\ts_v_piano_05_green.png;System.Drawing.Bitmap, System.Drawing, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a - - - ..\images\tastudio\ts_v_piano_05_green_blue.png;System.Drawing.Bitmap, System.Drawing, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a - - - ..\images\tastudio\ts_v_piano_06.png;System.Drawing.Bitmap, System.Drawing, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a - - - ..\images\tastudio\ts_v_piano_06_blue.png;System.Drawing.Bitmap, System.Drawing, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a - - - ..\images\tastudio\ts_v_piano_06_green.png;System.Drawing.Bitmap, System.Drawing, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a - - - ..\images\tastudio\ts_v_piano_06_green_blue.png;System.Drawing.Bitmap, System.Drawing, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a - - - ..\images\tastudio\ts_v_piano_07.png;System.Drawing.Bitmap, System.Drawing, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a - - - ..\images\tastudio\ts_v_piano_07_blue.png;System.Drawing.Bitmap, System.Drawing, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a - - - ..\images\tastudio\ts_v_piano_07_green.png;System.Drawing.Bitmap, System.Drawing, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a - - - ..\images\tastudio\ts_v_piano_07_green_blue.png;System.Drawing.Bitmap, System.Drawing, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a - - - ..\images\tastudio\ts_v_piano_08.png;System.Drawing.Bitmap, System.Drawing, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a - - - ..\images\tastudio\ts_v_piano_08_blue.png;System.Drawing.Bitmap, System.Drawing, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a - - - ..\images\tastudio\ts_v_piano_08_green.png;System.Drawing.Bitmap, System.Drawing, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a - - - ..\images\tastudio\ts_v_piano_08_green_blue.png;System.Drawing.Bitmap, System.Drawing, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a - - - ..\images\tastudio\ts_v_piano_09.png;System.Drawing.Bitmap, System.Drawing, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a - - - ..\images\tastudio\ts_v_piano_09_blue.png;System.Drawing.Bitmap, System.Drawing, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a - - - ..\images\tastudio\ts_v_piano_09_green.png;System.Drawing.Bitmap, System.Drawing, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a - - - ..\images\tastudio\ts_v_piano_09_green_blue.png;System.Drawing.Bitmap, System.Drawing, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a - - - ..\images\tastudio\ts_v_piano_10.png;System.Drawing.Bitmap, System.Drawing, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a - - - ..\images\tastudio\ts_v_piano_10_blue.png;System.Drawing.Bitmap, System.Drawing, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a - - - ..\images\tastudio\ts_v_piano_10_green.png;System.Drawing.Bitmap, System.Drawing, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a - - - ..\images\tastudio\ts_v_piano_10_green_blue.png;System.Drawing.Bitmap, System.Drawing, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a - - - ..\images\tastudio\ts_v_piano_11.png;System.Drawing.Bitmap, System.Drawing, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a - - - ..\images\tastudio\ts_v_piano_11_blue.png;System.Drawing.Bitmap, System.Drawing, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a - - - ..\images\tastudio\ts_v_piano_11_green.png;System.Drawing.Bitmap, System.Drawing, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a - - - ..\images\tastudio\ts_v_piano_11_green_blue.png;System.Drawing.Bitmap, System.Drawing, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a - - - ..\images\tastudio\ts_v_piano_12.png;System.Drawing.Bitmap, System.Drawing, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a - - - ..\images\tastudio\ts_v_piano_12_blue.png;System.Drawing.Bitmap, System.Drawing, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a - - - ..\images\tastudio\ts_v_piano_12_green.png;System.Drawing.Bitmap, System.Drawing, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a - - - ..\images\tastudio\ts_v_piano_12_green_blue.png;System.Drawing.Bitmap, System.Drawing, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a - - - ..\images\tastudio\ts_v_piano_13.png;System.Drawing.Bitmap, System.Drawing, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a - - - ..\images\tastudio\ts_v_piano_13_blue.png;System.Drawing.Bitmap, System.Drawing, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a - - - ..\images\tastudio\ts_v_piano_13_green.png;System.Drawing.Bitmap, System.Drawing, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a - - - ..\images\tastudio\ts_v_piano_13_green_blue.png;System.Drawing.Bitmap, System.Drawing, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a - - - ..\images\tastudio\ts_v_piano_14.png;System.Drawing.Bitmap, System.Drawing, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a - - - ..\images\tastudio\ts_v_piano_14_blue.png;System.Drawing.Bitmap, System.Drawing, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a - - - ..\images\tastudio\ts_v_piano_14_green.png;System.Drawing.Bitmap, System.Drawing, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a - - - ..\images\tastudio\ts_v_piano_14_green_blue.png;System.Drawing.Bitmap, System.Drawing, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a - - - ..\images\tastudio\ts_v_piano_15.png;System.Drawing.Bitmap, System.Drawing, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a - - - ..\images\tastudio\ts_v_piano_15_blue.png;System.Drawing.Bitmap, System.Drawing, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a - - - ..\images\tastudio\ts_v_piano_15_green.png;System.Drawing.Bitmap, System.Drawing, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a - - - ..\images\tastudio\ts_v_piano_15_green_blue.png;System.Drawing.Bitmap, System.Drawing, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a - - - ..\images\tastudio\ts_v_piano_16.png;System.Drawing.Bitmap, System.Drawing, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a - - - ..\images\tastudio\ts_v_piano_16_blue.png;System.Drawing.Bitmap, System.Drawing, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a - - - ..\images\tastudio\ts_v_piano_16_green.png;System.Drawing.Bitmap, System.Drawing, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a - - - ..\images\tastudio\ts_v_piano_16_green_blue.png;System.Drawing.Bitmap, System.Drawing, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a - - - ..\images\tastudio\ts_v_piano_17.png;System.Drawing.Bitmap, System.Drawing, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a - - - ..\images\tastudio\ts_v_piano_17_blue.png;System.Drawing.Bitmap, System.Drawing, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a - - - ..\images\tastudio\ts_v_piano_17_green.png;System.Drawing.Bitmap, System.Drawing, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a - - - ..\images\tastudio\ts_v_piano_17_green_blue.png;System.Drawing.Bitmap, System.Drawing, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a - - - ..\images\tastudio\ts_v_piano_18.png;System.Drawing.Bitmap, System.Drawing, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a - - - ..\images\tastudio\ts_v_piano_18_blue.png;System.Drawing.Bitmap, System.Drawing, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a - - - ..\images\tastudio\ts_v_piano_18_green.png;System.Drawing.Bitmap, System.Drawing, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a - - - ..\images\tastudio\ts_v_piano_18_green_blue.png;System.Drawing.Bitmap, System.Drawing, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a - - - ..\images\tastudio\ts_v_piano_19.png;System.Drawing.Bitmap, System.Drawing, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a - - - ..\images\tastudio\ts_v_piano_19_blue.png;System.Drawing.Bitmap, System.Drawing, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a - - - ..\images\tastudio\ts_v_piano_19_green.png;System.Drawing.Bitmap, System.Drawing, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a - - - ..\images\tastudio\ts_v_piano_19_green_blue.png;System.Drawing.Bitmap, System.Drawing, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a - - - ..\images\user_blue.ico;System.Drawing.Icon, System.Drawing, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a - - - ..\images\user_blue_small.png;System.Drawing.Bitmap, System.Drawing, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a - - - ..\images\ControllerImages\Lynx.png;System.Drawing.Bitmap, System.Drawing, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a - - - ..\images\ControllerImages\psx_dualshock.png;System.Drawing.Bitmap, System.Drawing, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a - - - ..\images\add.png;System.Drawing.Bitmap, System.Drawing, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a - - - ..\images\Circle.png;System.Drawing.Bitmap, System.Drawing, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a - - - ..\images\Cross.png;System.Drawing.Bitmap, System.Drawing, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a - - - ..\images\Square.png;System.Drawing.Bitmap, System.Drawing, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a - - - ..\images\Triangle.png;System.Drawing.Bitmap, System.Drawing, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a - - - ..\images\ControllerImages\PSX-Original-Controller.png;System.Drawing.Bitmap, System.Drawing, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a - - - ..\images\HawkInLove.png;System.Drawing.Bitmap, System.Drawing, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a + + ..\images\Refresh.png;System.Drawing.Bitmap, System.Drawing, Version=2.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a ..\images\ControllerImages\AppleIIKeyboard.png;System.Drawing.Bitmap, System.Drawing, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a + + ..\images\tastudio\ts_v_piano_08.png;System.Drawing.Bitmap, System.Drawing, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a + + + ..\images\tastudio\ts_h_piano_02_blue.png;System.Drawing.Bitmap, System.Drawing, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a + + + ..\images\CutHS.png;System.Drawing.Bitmap, System.Drawing, Version=2.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a + + + ..\images\TruncateFromRW.png;System.Drawing.Bitmap, System.Drawing, Version=2.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a + + + ..\images\Help.png;System.Drawing.Bitmap, System.Drawing, Version=2.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a + + + ..\images\whiteTriUp.png;System.Drawing.Bitmap, System.Drawing, Version=2.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a + + + ..\images\kitchensink.png;System.Drawing.Bitmap, System.Drawing, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a + + + ..\images\tastudio\icon_anchor_lag.png;System.Drawing.Bitmap, System.Drawing, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a + + + ..\images\tastudio\icon_marker.png;System.Drawing.Bitmap, System.Drawing, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a + + + ..\images\tastudio\icon_anchor.png;System.Drawing.Bitmap, System.Drawing, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a + \ No newline at end of file diff --git a/BizHawk.Client.EmuHawk/Throttle.cs b/BizHawk.Client.EmuHawk/Throttle.cs index 485ddcb330..e09dda2b99 100644 --- a/BizHawk.Client.EmuHawk/Throttle.cs +++ b/BizHawk.Client.EmuHawk/Throttle.cs @@ -49,6 +49,41 @@ namespace BizHawk.Client.EmuHawk public void Step(bool allowSleep, int forceFrameSkip) { + //TODO - figure out what allowSleep is supposed to be used for + //TODO - figure out what forceFrameSkip is supposed to be used for + + bool extraThrottle = false; + + //if we're paused, none of this should happen. just clean out our state and dont skip + //notably, if we're frame-advancing, we should be paused. + if (signal_paused && !signal_continuousframeAdvancing) + { + //Console.WriteLine("THE THING: {0} {1}", signal_paused ,signal_continuousframeAdvancing); + skipnextframe = false; + framesskipped = 0; + framestoskip = 0; + return; + } + + //heres some ideas for how to begin cleaning this up + ////at this point, its assumed that we're running. + ////this could be a free run, an unthrottled run, or a 'continuous frame advance' (aka continuous) run + ////free run: affected by frameskips and throttles + ////unthrottled run: affected by frameskips only + ////continuous run: affected by frameskips and throttles + ////so continuous and free are the same? + + //bool continuous_run = signal_continuousframeAdvancing; + //bool unthrottled_run = signal_unthrottle; + //bool free_run = !continuous_run && !unthrottled_run; + + //bool do_throttle, do_skip; + //if (continuous_run || free_run) + // do_throttle = do_skip = true; + //else if (unthrottled_run) + // do_skip = true; + //else throw new InvalidOperationException(); + int skipRate = (forceFrameSkip < 0) ? cfg_frameskiprate : forceFrameSkip; int ffSkipRate = (forceFrameSkip < 0) ? 3 : forceFrameSkip; @@ -58,12 +93,22 @@ namespace BizHawk.Client.EmuHawk framestoskip = 0; // otherwise switches to lower frameskip rates will lag behind } - if (!skipnextframe || forceFrameSkip == 0 || signal_frameAdvance || (signal_continuousframeAdvancing && !signal_unthrottle)) + if (!skipnextframe || forceFrameSkip == 0 || (signal_continuousframeAdvancing && !signal_unthrottle)) { framesskipped = 0; - if (framestoskip > 0) - skipnextframe = true; + if (signal_continuousframeAdvancing) + { + //dont ever skip frames when continuous frame advancing. it's meant for precision work. + //but we DO need to throttle + if(Global.Config.ClockThrottle) + extraThrottle = true; + } + else + { + if (framestoskip > 0) + skipnextframe = true; + } } else { @@ -72,11 +117,9 @@ namespace BizHawk.Client.EmuHawk if (framestoskip < 1) skipnextframe = false; else - skipnextframe = true; + skipnextframe = true; framesskipped++; - - //NDS_SkipNextFrame(); } if (signal_unthrottle) @@ -89,14 +132,14 @@ namespace BizHawk.Client.EmuHawk if (framestoskip < 1) framestoskip += ffSkipRate; } - else if ((signal_paused || /*autoframeskipenab && frameskiprate ||*/ cfg_frameLimit || signal_overrideSecondaryThrottle) && allowSleep) + else if ((extraThrottle || signal_paused || /*autoframeskipenab && frameskiprate ||*/ cfg_frameLimit || signal_overrideSecondaryThrottle) && allowSleep) { SpeedThrottle(signal_paused); } if (cfg_autoframeskipenab && cfg_frameskiprate != 0) { - if (!signal_frameAdvance && !signal_continuousframeAdvancing) + if (!signal_continuousframeAdvancing) { AutoFrameSkip_NextFrame(); if (framestoskip < 1) @@ -108,21 +151,6 @@ namespace BizHawk.Client.EmuHawk if (framestoskip < 1) framestoskip += skipRate; } - - if (signal_frameAdvance && allowSleep) - { - //this logic has been replaced by some logic in steprunloop_core. - //really, it should be moved back here somehow later. - - //frameAdvance = false; - //emu_halt(); - //SPU_Pause(1); - } - //if (execute && emu_paused && !frameAdvance) - //{ - // // safety net against running out of control in case this ever happens. - // Unpause(); Pause(); - //} } static ulong GetCurTime() diff --git a/BizHawk.Client.EmuHawk/config/DisplayConfigLite.Designer.cs b/BizHawk.Client.EmuHawk/config/DisplayConfigLite.Designer.cs index 3487933d7a..e289e4bcd2 100644 --- a/BizHawk.Client.EmuHawk/config/DisplayConfigLite.Designer.cs +++ b/BizHawk.Client.EmuHawk/config/DisplayConfigLite.Designer.cs @@ -60,6 +60,9 @@ this.label5 = new System.Windows.Forms.Label(); this.tabControl1 = new System.Windows.Forms.TabControl(); this.tpAR = new System.Windows.Forms.TabPage(); + this.label11 = new System.Windows.Forms.Label(); + this.label10 = new System.Windows.Forms.Label(); + this.nudPrescale = new System.Windows.Forms.NumericUpDown(); this.tpDispMethod = new System.Windows.Forms.TabPage(); this.label6 = new System.Windows.Forms.Label(); this.groupBox3 = new System.Windows.Forms.GroupBox(); @@ -68,10 +71,16 @@ this.label7 = new System.Windows.Forms.Label(); this.rbGDIPlus = new System.Windows.Forms.RadioButton(); this.tpMisc = new System.Windows.Forms.TabPage(); + this.groupBox5 = new System.Windows.Forms.GroupBox(); + this.rbDisplayAbsoluteZero = new System.Windows.Forms.RadioButton(); + this.rbDisplayMinimal = new System.Windows.Forms.RadioButton(); + this.rbDisplayFull = new System.Windows.Forms.RadioButton(); this.tabPage1 = new System.Windows.Forms.TabPage(); + this.cbAllowDoubleclickFullscreen = new System.Windows.Forms.CheckBox(); this.groupBox4 = new System.Windows.Forms.GroupBox(); + this.cbFSAutohideMouse = new System.Windows.Forms.CheckBox(); this.label1 = new System.Windows.Forms.Label(); - this.checkFullscreenHacks = new System.Windows.Forms.CheckBox(); + this.cbFullscreenHacks = new System.Windows.Forms.CheckBox(); this.cbStatusBarFullscreen = new System.Windows.Forms.CheckBox(); this.cbMenuFullscreen = new System.Windows.Forms.CheckBox(); this.groupBox2 = new System.Windows.Forms.GroupBox(); @@ -81,23 +90,22 @@ this.cbMenuWindowed = new System.Windows.Forms.CheckBox(); this.trackbarFrameSizeWindowed = new BizHawk.Client.EmuHawk.TransparentTrackBar(); this.cbCaptionWindowed = new System.Windows.Forms.CheckBox(); - this.nudPrescale = new System.Windows.Forms.NumericUpDown(); - this.label10 = new System.Windows.Forms.Label(); - this.label11 = new System.Windows.Forms.Label(); + this.linkLabel1 = new System.Windows.Forms.LinkLabel(); this.groupBox1.SuspendLayout(); ((System.ComponentModel.ISupportInitialize)(this.tbScanlineIntensity)).BeginInit(); this.grpFinalFilter.SuspendLayout(); this.grpARSelection.SuspendLayout(); this.tabControl1.SuspendLayout(); this.tpAR.SuspendLayout(); + ((System.ComponentModel.ISupportInitialize)(this.nudPrescale)).BeginInit(); this.tpDispMethod.SuspendLayout(); this.groupBox3.SuspendLayout(); this.tpMisc.SuspendLayout(); + this.groupBox5.SuspendLayout(); this.tabPage1.SuspendLayout(); this.groupBox4.SuspendLayout(); this.groupBox2.SuspendLayout(); ((System.ComponentModel.ISupportInitialize)(this.trackbarFrameSizeWindowed)).BeginInit(); - ((System.ComponentModel.ISupportInitialize)(this.nudPrescale)).BeginInit(); this.SuspendLayout(); // // btnCancel @@ -376,17 +384,17 @@ // // label2 // - this.label2.Location = new System.Drawing.Point(4, 28); + this.label2.Location = new System.Drawing.Point(3, 125); this.label2.Name = "label2"; - this.label2.Size = new System.Drawing.Size(398, 45); + this.label2.Size = new System.Drawing.Size(398, 27); this.label2.TabIndex = 17; - this.label2.Text = "Some people think the whitenoise is a great idea, and some people don\'t. Enabling" + - " this displays an Oxoo instead."; + this.label2.Text = "Some people think the white noise is a great idea, and some people don\'t. Disabli" + + "ng this displays black instead."; // // checkSnowyNullEmulator // this.checkSnowyNullEmulator.AutoSize = true; - this.checkSnowyNullEmulator.Location = new System.Drawing.Point(3, 3); + this.checkSnowyNullEmulator.Location = new System.Drawing.Point(3, 105); this.checkSnowyNullEmulator.Name = "checkSnowyNullEmulator"; this.checkSnowyNullEmulator.Size = new System.Drawing.Size(159, 17); this.checkSnowyNullEmulator.TabIndex = 16; @@ -446,6 +454,46 @@ this.tpAR.TabIndex = 0; this.tpAR.Text = "Scaling & Filtering"; this.tpAR.UseVisualStyleBackColor = true; + // + // label11 + // + this.label11.AutoSize = true; + this.label11.Location = new System.Drawing.Point(307, 117); + this.label11.Name = "label11"; + this.label11.Size = new System.Drawing.Size(14, 13); + this.label11.TabIndex = 16; + this.label11.Text = "X"; + // + // label10 + // + this.label10.AutoSize = true; + this.label10.Location = new System.Drawing.Point(208, 116); + this.label10.Name = "label10"; + this.label10.Size = new System.Drawing.Size(51, 13); + this.label10.TabIndex = 15; + this.label10.Text = "Prescale:"; + // + // nudPrescale + // + this.nudPrescale.Location = new System.Drawing.Point(260, 113); + this.nudPrescale.Maximum = new decimal(new int[] { + 16, + 0, + 0, + 0}); + this.nudPrescale.Minimum = new decimal(new int[] { + 1, + 0, + 0, + 0}); + this.nudPrescale.Name = "nudPrescale"; + this.nudPrescale.Size = new System.Drawing.Size(45, 20); + this.nudPrescale.TabIndex = 14; + this.nudPrescale.Value = new decimal(new int[] { + 1, + 0, + 0, + 0}); // // tpDispMethod // @@ -482,17 +530,17 @@ // // label8 // - this.label8.Location = new System.Drawing.Point(24, 30); + this.label8.Location = new System.Drawing.Point(21, 30); this.label8.Name = "label8"; this.label8.Size = new System.Drawing.Size(359, 47); this.label8.TabIndex = 20; - this.label8.Text = " • Not working yet\r\n • Best compatibility\r\n • No support for custom shaders\r\n"; + this.label8.Text = " • Best compatibility\r\n • May have trouble with OpenGL-based cores (Saturn,N64)\r\n" + + ""; // // rbD3D9 // this.rbD3D9.AutoSize = true; this.rbD3D9.Checked = true; - this.rbD3D9.Enabled = false; this.rbD3D9.Location = new System.Drawing.Point(6, 10); this.rbD3D9.Name = "rbD3D9"; this.rbD3D9.Size = new System.Drawing.Size(73, 17); @@ -507,8 +555,8 @@ this.label7.Name = "label7"; this.label7.Size = new System.Drawing.Size(359, 47); this.label7.TabIndex = 18; - this.label7.Text = " • Mainly for compatibility purposes\r\n • Missing some features\r\n • Works better o" + - "ver Remote Desktop, etc.\r\n"; + this.label7.Text = " • Slow; Mainly for compatibility purposes\r\n • Missing many features\r\n • Works be" + + "tter over Remote Desktop, etc.\r\n"; // // rbGDIPlus // @@ -524,6 +572,7 @@ // // tpMisc // + this.tpMisc.Controls.Add(this.groupBox5); this.tpMisc.Controls.Add(this.label2); this.tpMisc.Controls.Add(this.checkSnowyNullEmulator); this.tpMisc.Location = new System.Drawing.Point(4, 22); @@ -533,8 +582,55 @@ this.tpMisc.Text = "Misc"; this.tpMisc.UseVisualStyleBackColor = true; // + // groupBox5 + // + this.groupBox5.Controls.Add(this.rbDisplayAbsoluteZero); + this.groupBox5.Controls.Add(this.rbDisplayMinimal); + this.groupBox5.Controls.Add(this.rbDisplayFull); + this.groupBox5.Location = new System.Drawing.Point(3, 3); + this.groupBox5.Name = "groupBox5"; + this.groupBox5.Size = new System.Drawing.Size(371, 96); + this.groupBox5.TabIndex = 20; + this.groupBox5.TabStop = false; + this.groupBox5.Text = "Display Features (for speeding up replays)"; + // + // rbDisplayAbsoluteZero + // + this.rbDisplayAbsoluteZero.AutoSize = true; + this.rbDisplayAbsoluteZero.Location = new System.Drawing.Point(7, 66); + this.rbDisplayAbsoluteZero.Name = "rbDisplayAbsoluteZero"; + this.rbDisplayAbsoluteZero.Size = new System.Drawing.Size(174, 17); + this.rbDisplayAbsoluteZero.TabIndex = 2; + this.rbDisplayAbsoluteZero.TabStop = true; + this.rbDisplayAbsoluteZero.Text = "Absolute Zero - Display Nothing"; + this.rbDisplayAbsoluteZero.UseVisualStyleBackColor = true; + // + // rbDisplayMinimal + // + this.rbDisplayMinimal.AutoSize = true; + this.rbDisplayMinimal.Enabled = false; + this.rbDisplayMinimal.Location = new System.Drawing.Point(7, 43); + this.rbDisplayMinimal.Name = "rbDisplayMinimal"; + this.rbDisplayMinimal.Size = new System.Drawing.Size(185, 17); + this.rbDisplayMinimal.TabIndex = 1; + this.rbDisplayMinimal.TabStop = true; + this.rbDisplayMinimal.Text = "Minimal - Display HUD Only (TBD)"; + this.rbDisplayMinimal.UseVisualStyleBackColor = true; + // + // rbDisplayFull + // + this.rbDisplayFull.AutoSize = true; + this.rbDisplayFull.Location = new System.Drawing.Point(7, 20); + this.rbDisplayFull.Name = "rbDisplayFull"; + this.rbDisplayFull.Size = new System.Drawing.Size(137, 17); + this.rbDisplayFull.TabIndex = 0; + this.rbDisplayFull.TabStop = true; + this.rbDisplayFull.Text = "Full - Display Everything"; + this.rbDisplayFull.UseVisualStyleBackColor = true; + // // tabPage1 // + this.tabPage1.Controls.Add(this.cbAllowDoubleclickFullscreen); this.tabPage1.Controls.Add(this.groupBox4); this.tabPage1.Controls.Add(this.groupBox2); this.tabPage1.Location = new System.Drawing.Point(4, 22); @@ -545,19 +641,40 @@ this.tabPage1.Text = "Window"; this.tabPage1.UseVisualStyleBackColor = true; // + // cbAllowDoubleclickFullscreen + // + this.cbAllowDoubleclickFullscreen.AutoSize = true; + this.cbAllowDoubleclickFullscreen.Location = new System.Drawing.Point(12, 223); + this.cbAllowDoubleclickFullscreen.Name = "cbAllowDoubleclickFullscreen"; + this.cbAllowDoubleclickFullscreen.Size = new System.Drawing.Size(347, 17); + this.cbAllowDoubleclickFullscreen.TabIndex = 27; + this.cbAllowDoubleclickFullscreen.Text = "Allow Double-Click Fullscreen (hold shift to force fullscreen to toggle)"; + this.cbAllowDoubleclickFullscreen.UseVisualStyleBackColor = true; + // // groupBox4 // + this.groupBox4.Controls.Add(this.cbFSAutohideMouse); this.groupBox4.Controls.Add(this.label1); - this.groupBox4.Controls.Add(this.checkFullscreenHacks); + this.groupBox4.Controls.Add(this.cbFullscreenHacks); this.groupBox4.Controls.Add(this.cbStatusBarFullscreen); this.groupBox4.Controls.Add(this.cbMenuFullscreen); this.groupBox4.Location = new System.Drawing.Point(143, 6); this.groupBox4.Name = "groupBox4"; - this.groupBox4.Size = new System.Drawing.Size(266, 212); + this.groupBox4.Size = new System.Drawing.Size(266, 211); this.groupBox4.TabIndex = 27; this.groupBox4.TabStop = false; this.groupBox4.Text = "Fullscreen"; // + // cbFSAutohideMouse + // + this.cbFSAutohideMouse.AutoSize = true; + this.cbFSAutohideMouse.Location = new System.Drawing.Point(87, 19); + this.cbFSAutohideMouse.Name = "cbFSAutohideMouse"; + this.cbFSAutohideMouse.Size = new System.Drawing.Size(141, 17); + this.cbFSAutohideMouse.TabIndex = 28; + this.cbFSAutohideMouse.Text = "Auto-Hide Mouse Cursor"; + this.cbFSAutohideMouse.UseVisualStyleBackColor = true; + // // label1 // this.label1.Location = new System.Drawing.Point(7, 88); @@ -566,15 +683,15 @@ this.label1.TabIndex = 27; this.label1.Text = resources.GetString("label1.Text"); // - // checkFullscreenHacks + // cbFullscreenHacks // - this.checkFullscreenHacks.AutoSize = true; - this.checkFullscreenHacks.Location = new System.Drawing.Point(6, 65); - this.checkFullscreenHacks.Name = "checkFullscreenHacks"; - this.checkFullscreenHacks.Size = new System.Drawing.Size(191, 17); - this.checkFullscreenHacks.TabIndex = 26; - this.checkFullscreenHacks.Text = "Enable Windows Fullscreen Hacks"; - this.checkFullscreenHacks.UseVisualStyleBackColor = true; + this.cbFullscreenHacks.AutoSize = true; + this.cbFullscreenHacks.Location = new System.Drawing.Point(6, 65); + this.cbFullscreenHacks.Name = "cbFullscreenHacks"; + this.cbFullscreenHacks.Size = new System.Drawing.Size(191, 17); + this.cbFullscreenHacks.TabIndex = 26; + this.cbFullscreenHacks.Text = "Enable Windows Fullscreen Hacks"; + this.cbFullscreenHacks.UseVisualStyleBackColor = true; // // cbStatusBarFullscreen // @@ -606,7 +723,7 @@ this.groupBox2.Controls.Add(this.cbCaptionWindowed); this.groupBox2.Location = new System.Drawing.Point(6, 6); this.groupBox2.Name = "groupBox2"; - this.groupBox2.Size = new System.Drawing.Size(131, 212); + this.groupBox2.Size = new System.Drawing.Size(131, 211); this.groupBox2.TabIndex = 26; this.groupBox2.TabStop = false; this.groupBox2.Text = "Windowed"; @@ -670,45 +787,16 @@ this.cbCaptionWindowed.Text = "Caption"; this.cbCaptionWindowed.UseVisualStyleBackColor = true; // - // nudPrescale + // linkLabel1 // - this.nudPrescale.Location = new System.Drawing.Point(260, 113); - this.nudPrescale.Maximum = new decimal(new int[] { - 16, - 0, - 0, - 0}); - this.nudPrescale.Minimum = new decimal(new int[] { - 1, - 0, - 0, - 0}); - this.nudPrescale.Name = "nudPrescale"; - this.nudPrescale.Size = new System.Drawing.Size(45, 20); - this.nudPrescale.TabIndex = 14; - this.nudPrescale.Value = new decimal(new int[] { - 1, - 0, - 0, - 0}); - // - // label10 - // - this.label10.AutoSize = true; - this.label10.Location = new System.Drawing.Point(208, 116); - this.label10.Name = "label10"; - this.label10.Size = new System.Drawing.Size(51, 13); - this.label10.TabIndex = 15; - this.label10.Text = "Prescale:"; - // - // label11 - // - this.label11.AutoSize = true; - this.label11.Location = new System.Drawing.Point(307, 117); - this.label11.Name = "label11"; - this.label11.Size = new System.Drawing.Size(14, 13); - this.label11.TabIndex = 16; - this.label11.Text = "X"; + this.linkLabel1.AutoSize = true; + this.linkLabel1.Location = new System.Drawing.Point(12, 404); + this.linkLabel1.Name = "linkLabel1"; + this.linkLabel1.Size = new System.Drawing.Size(79, 13); + this.linkLabel1.TabIndex = 18; + this.linkLabel1.TabStop = true; + this.linkLabel1.Text = "Documentation"; + this.linkLabel1.LinkClicked += new System.Windows.Forms.LinkLabelLinkClickedEventHandler(this.linkLabel1_LinkClicked); // // DisplayConfigLite // @@ -717,6 +805,7 @@ this.AutoScaleMode = System.Windows.Forms.AutoScaleMode.Font; this.CancelButton = this.btnCancel; this.ClientSize = new System.Drawing.Size(451, 439); + this.Controls.Add(this.linkLabel1); this.Controls.Add(this.tabControl1); this.Controls.Add(this.btnCancel); this.Controls.Add(this.btnOk); @@ -734,19 +823,23 @@ this.tabControl1.ResumeLayout(false); this.tpAR.ResumeLayout(false); this.tpAR.PerformLayout(); + ((System.ComponentModel.ISupportInitialize)(this.nudPrescale)).EndInit(); this.tpDispMethod.ResumeLayout(false); this.groupBox3.ResumeLayout(false); this.groupBox3.PerformLayout(); this.tpMisc.ResumeLayout(false); this.tpMisc.PerformLayout(); + this.groupBox5.ResumeLayout(false); + this.groupBox5.PerformLayout(); this.tabPage1.ResumeLayout(false); + this.tabPage1.PerformLayout(); this.groupBox4.ResumeLayout(false); this.groupBox4.PerformLayout(); this.groupBox2.ResumeLayout(false); this.groupBox2.PerformLayout(); ((System.ComponentModel.ISupportInitialize)(this.trackbarFrameSizeWindowed)).EndInit(); - ((System.ComponentModel.ISupportInitialize)(this.nudPrescale)).EndInit(); this.ResumeLayout(false); + this.PerformLayout(); } @@ -803,9 +896,16 @@ private System.Windows.Forms.GroupBox groupBox2; private System.Windows.Forms.Label lblFrameTypeWindowed; private System.Windows.Forms.Label label1; - private System.Windows.Forms.CheckBox checkFullscreenHacks; + private System.Windows.Forms.CheckBox cbFullscreenHacks; private System.Windows.Forms.Label label11; private System.Windows.Forms.Label label10; private System.Windows.Forms.NumericUpDown nudPrescale; + private System.Windows.Forms.CheckBox cbFSAutohideMouse; + private System.Windows.Forms.GroupBox groupBox5; + private System.Windows.Forms.RadioButton rbDisplayAbsoluteZero; + private System.Windows.Forms.RadioButton rbDisplayMinimal; + private System.Windows.Forms.RadioButton rbDisplayFull; + private System.Windows.Forms.CheckBox cbAllowDoubleclickFullscreen; + private System.Windows.Forms.LinkLabel linkLabel1; } } \ No newline at end of file diff --git a/BizHawk.Client.EmuHawk/config/DisplayConfigLite.cs b/BizHawk.Client.EmuHawk/config/DisplayConfigLite.cs index 1c53ba3858..82e5093426 100644 --- a/BizHawk.Client.EmuHawk/config/DisplayConfigLite.cs +++ b/BizHawk.Client.EmuHawk/config/DisplayConfigLite.cs @@ -14,7 +14,10 @@ namespace BizHawk.Client.EmuHawk.config { public partial class DisplayConfigLite : Form { + public bool NeedReset; + string PathSelection; + public DisplayConfigLite() { InitializeComponent(); @@ -34,7 +37,11 @@ namespace BizHawk.Client.EmuHawk.config tbScanlineIntensity.Value = Global.Config.TargetScanlineFilterIntensity; checkLetterbox.Checked = Global.Config.DispFixAspectRatio; checkPadInteger.Checked = Global.Config.DispFixScaleInteger; - checkFullscreenHacks.Checked = Global.Config.DispFullscreenHacks; + cbFullscreenHacks.Checked = Global.Config.DispFullscreenHacks; + + if (Global.Config.DispSpeedupFeatures == 2) rbDisplayFull.Checked = true; + if (Global.Config.DispSpeedupFeatures == 1) rbDisplayMinimal.Checked = true; + if (Global.Config.DispSpeedupFeatures == 0) rbDisplayAbsoluteZero.Checked = true; rbOpenGL.Checked = Global.Config.DispMethod == Config.EDispMethod.OpenGL; rbGDIPlus.Checked = Global.Config.DispMethod == Config.EDispMethod.GdiPlus; @@ -46,8 +53,11 @@ namespace BizHawk.Client.EmuHawk.config cbStatusBarFullscreen.Checked = Global.Config.DispChrome_StatusBarFullscreen; cbMenuFullscreen.Checked = Global.Config.DispChrome_MenuFullscreen; trackbarFrameSizeWindowed.Value = Global.Config.DispChrome_FrameWindowed; + cbFSAutohideMouse.Checked = Global.Config.DispChrome_Fullscreen_AutohideMouse; SyncTrackbar(); + cbAllowDoubleclickFullscreen.Checked = Global.Config.DispChrome_AllowDoubleClickFullscreen; + nudPrescale.Value = Global.Config.DispPrescale; // null emulator config hack @@ -96,7 +106,7 @@ namespace BizHawk.Client.EmuHawk.config Global.Config.TargetScanlineFilterIntensity = tbScanlineIntensity.Value; Global.Config.DispFixAspectRatio = checkLetterbox.Checked; Global.Config.DispFixScaleInteger = checkPadInteger.Checked; - Global.Config.DispFullscreenHacks = checkFullscreenHacks.Checked; + Global.Config.DispFullscreenHacks = cbFullscreenHacks.Checked; Global.Config.DispChrome_StatusBarWindowed = cbStatusBarWindowed.Checked; Global.Config.DispChrome_CaptionWindowed = cbCaptionWindowed.Checked; @@ -104,6 +114,12 @@ namespace BizHawk.Client.EmuHawk.config Global.Config.DispChrome_StatusBarFullscreen = cbStatusBarFullscreen.Checked; Global.Config.DispChrome_MenuFullscreen = cbMenuFullscreen.Checked; Global.Config.DispChrome_FrameWindowed = trackbarFrameSizeWindowed.Value; + Global.Config.DispChrome_Fullscreen_AutohideMouse = cbFSAutohideMouse.Checked; + Global.Config.DispChrome_AllowDoubleClickFullscreen = cbAllowDoubleclickFullscreen.Checked; + + if (rbDisplayFull.Checked) Global.Config.DispSpeedupFeatures = 2; + if (rbDisplayMinimal.Checked) Global.Config.DispSpeedupFeatures = 1; + if (rbDisplayAbsoluteZero.Checked) Global.Config.DispSpeedupFeatures = 0; // HACK:: null emulator's settings don't persist to config normally { @@ -129,6 +145,7 @@ namespace BizHawk.Client.EmuHawk.config int.TryParse(txtCustomARWidth.Text, out Global.Config.DispCustomUserARWidth); int.TryParse(txtCustomARHeight.Text, out Global.Config.DispCustomUserARHeight); + var oldDisplayMethod = Global.Config.DispMethod; if(rbOpenGL.Checked) Global.Config.DispMethod = Config.EDispMethod.OpenGL; if(rbGDIPlus.Checked) @@ -136,6 +153,9 @@ namespace BizHawk.Client.EmuHawk.config if(rbD3D9.Checked) Global.Config.DispMethod = Config.EDispMethod.SlimDX9; + if (oldDisplayMethod != Global.Config.DispMethod) + NeedReset = true; + Global.Config.DispUserFilterPath = PathSelection; GlobalWin.DisplayManager.RefreshUserShader(); @@ -210,5 +230,10 @@ namespace BizHawk.Client.EmuHawk.config lblFrameTypeWindowed.Text = "Thick"; } + private void linkLabel1_LinkClicked(object sender, LinkLabelLinkClickedEventArgs e) + { + System.Diagnostics.Process.Start("http://tasvideos.org/Bizhawk/DisplayConfig.html"); + } + } } diff --git a/BizHawk.Client.EmuHawk/config/GuiOptions.Designer.cs b/BizHawk.Client.EmuHawk/config/GuiOptions.Designer.cs index 0be33d4de3..c56750665e 100644 --- a/BizHawk.Client.EmuHawk/config/GuiOptions.Designer.cs +++ b/BizHawk.Client.EmuHawk/config/GuiOptions.Designer.cs @@ -47,6 +47,7 @@ this.StartPausedCheckbox = new System.Windows.Forms.CheckBox(); this.PauseWhenMenuActivatedCheckbox = new System.Windows.Forms.CheckBox(); this.tabPage3 = new System.Windows.Forms.TabPage(); + this.LuaDuringTurboCheckbox = new System.Windows.Forms.CheckBox(); this.label12 = new System.Windows.Forms.Label(); this.label13 = new System.Windows.Forms.Label(); this.FrameAdvSkipLagCheckbox = new System.Windows.Forms.CheckBox(); @@ -56,10 +57,11 @@ this.label4 = new System.Windows.Forms.Label(); this.LogWindowAsConsoleCheckbox = new System.Windows.Forms.CheckBox(); this.toolTip1 = new System.Windows.Forms.ToolTip(this.components); - this.LuaDuringTurboCheckbox = new System.Windows.Forms.CheckBox(); + this.groupBox1 = new System.Windows.Forms.GroupBox(); this.tabControl1.SuspendLayout(); this.tabPage1.SuspendLayout(); this.tabPage3.SuspendLayout(); + this.groupBox1.SuspendLayout(); this.SuspendLayout(); // // OkBtn @@ -100,10 +102,7 @@ // // tabPage1 // - this.tabPage1.Controls.Add(this.StartFullScreenCheckbox); - this.tabPage1.Controls.Add(this.label14); - this.tabPage1.Controls.Add(this.label3); - this.tabPage1.Controls.Add(this.SingleInstanceModeCheckbox); + this.tabPage1.Controls.Add(this.groupBox1); this.tabPage1.Controls.Add(this.NeverAskSaveCheckbox); this.tabPage1.Controls.Add(this.label2); this.tabPage1.Controls.Add(this.AcceptBackgroundInputCheckbox); @@ -111,7 +110,6 @@ this.tabPage1.Controls.Add(this.RunInBackgroundCheckbox); this.tabPage1.Controls.Add(this.SaveWindowPositionCheckbox); this.tabPage1.Controls.Add(this.EnableContextMenuCheckbox); - this.tabPage1.Controls.Add(this.StartPausedCheckbox); this.tabPage1.Controls.Add(this.PauseWhenMenuActivatedCheckbox); this.tabPage1.Location = new System.Drawing.Point(4, 22); this.tabPage1.Name = "tabPage1"; @@ -124,7 +122,7 @@ // StartFullScreenCheckbox // this.StartFullScreenCheckbox.AutoSize = true; - this.StartFullScreenCheckbox.Location = new System.Drawing.Point(98, 63); + this.StartFullScreenCheckbox.Location = new System.Drawing.Point(6, 42); this.StartFullScreenCheckbox.Name = "StartFullScreenCheckbox"; this.StartFullScreenCheckbox.Size = new System.Drawing.Size(110, 17); this.StartFullScreenCheckbox.TabIndex = 3; @@ -134,25 +132,25 @@ // label14 // this.label14.AutoSize = true; - this.label14.Location = new System.Drawing.Point(26, 246); + this.label14.Location = new System.Drawing.Point(26, 99); this.label14.Name = "label14"; - this.label14.Size = new System.Drawing.Size(303, 13); + this.label14.Size = new System.Drawing.Size(306, 13); this.label14.TabIndex = 12; - this.label14.Text = "Note: Requires closing and reopening EmuHawk to take effect"; + this.label14.Text = "Note: Requires closing and reopening EmuHawk to take effect."; // // label3 // this.label3.AutoSize = true; - this.label3.Location = new System.Drawing.Point(26, 232); + this.label3.Location = new System.Drawing.Point(26, 85); this.label3.Name = "label3"; - this.label3.Size = new System.Drawing.Size(272, 13); + this.label3.Size = new System.Drawing.Size(275, 13); this.label3.TabIndex = 11; - this.label3.Text = "Enable to force only one instance of EmuHawk at a time"; + this.label3.Text = "Enable to force only one instance of EmuHawk at a time."; // // SingleInstanceModeCheckbox // this.SingleInstanceModeCheckbox.AutoSize = true; - this.SingleInstanceModeCheckbox.Location = new System.Drawing.Point(6, 212); + this.SingleInstanceModeCheckbox.Location = new System.Drawing.Point(6, 65); this.SingleInstanceModeCheckbox.Name = "SingleInstanceModeCheckbox"; this.SingleInstanceModeCheckbox.Size = new System.Drawing.Size(127, 17); this.SingleInstanceModeCheckbox.TabIndex = 10; @@ -162,7 +160,7 @@ // NeverAskSaveCheckbox // this.NeverAskSaveCheckbox.AutoSize = true; - this.NeverAskSaveCheckbox.Location = new System.Drawing.Point(6, 109); + this.NeverAskSaveCheckbox.Location = new System.Drawing.Point(6, 72); this.NeverAskSaveCheckbox.Name = "NeverAskSaveCheckbox"; this.NeverAskSaveCheckbox.Size = new System.Drawing.Size(184, 17); this.NeverAskSaveCheckbox.TabIndex = 5; @@ -172,7 +170,7 @@ // label2 // this.label2.AutoSize = true; - this.label2.Location = new System.Drawing.Point(26, 192); + this.label2.Location = new System.Drawing.Point(26, 155); this.label2.Name = "label2"; this.label2.Size = new System.Drawing.Size(349, 13); this.label2.TabIndex = 9; @@ -181,7 +179,7 @@ // AcceptBackgroundInputCheckbox // this.AcceptBackgroundInputCheckbox.AutoSize = true; - this.AcceptBackgroundInputCheckbox.Location = new System.Drawing.Point(6, 172); + this.AcceptBackgroundInputCheckbox.Location = new System.Drawing.Point(6, 135); this.AcceptBackgroundInputCheckbox.Name = "AcceptBackgroundInputCheckbox"; this.AcceptBackgroundInputCheckbox.Size = new System.Drawing.Size(146, 17); this.AcceptBackgroundInputCheckbox.TabIndex = 8; @@ -191,7 +189,7 @@ // label1 // this.label1.AutoSize = true; - this.label1.Location = new System.Drawing.Point(26, 152); + this.label1.Location = new System.Drawing.Point(26, 115); this.label1.Name = "label1"; this.label1.Size = new System.Drawing.Size(315, 13); this.label1.TabIndex = 7; @@ -200,7 +198,7 @@ // RunInBackgroundCheckbox // this.RunInBackgroundCheckbox.AutoSize = true; - this.RunInBackgroundCheckbox.Location = new System.Drawing.Point(6, 132); + this.RunInBackgroundCheckbox.Location = new System.Drawing.Point(6, 95); this.RunInBackgroundCheckbox.Name = "RunInBackgroundCheckbox"; this.RunInBackgroundCheckbox.Size = new System.Drawing.Size(117, 17); this.RunInBackgroundCheckbox.TabIndex = 6; @@ -210,7 +208,7 @@ // SaveWindowPositionCheckbox // this.SaveWindowPositionCheckbox.AutoSize = true; - this.SaveWindowPositionCheckbox.Location = new System.Drawing.Point(6, 86); + this.SaveWindowPositionCheckbox.Location = new System.Drawing.Point(6, 49); this.SaveWindowPositionCheckbox.Name = "SaveWindowPositionCheckbox"; this.SaveWindowPositionCheckbox.Size = new System.Drawing.Size(133, 17); this.SaveWindowPositionCheckbox.TabIndex = 4; @@ -220,7 +218,7 @@ // EnableContextMenuCheckbox // this.EnableContextMenuCheckbox.AutoSize = true; - this.EnableContextMenuCheckbox.Location = new System.Drawing.Point(6, 40); + this.EnableContextMenuCheckbox.Location = new System.Drawing.Point(6, 26); this.EnableContextMenuCheckbox.Name = "EnableContextMenuCheckbox"; this.EnableContextMenuCheckbox.Size = new System.Drawing.Size(128, 17); this.EnableContextMenuCheckbox.TabIndex = 1; @@ -230,7 +228,7 @@ // StartPausedCheckbox // this.StartPausedCheckbox.AutoSize = true; - this.StartPausedCheckbox.Location = new System.Drawing.Point(6, 63); + this.StartPausedCheckbox.Location = new System.Drawing.Point(6, 19); this.StartPausedCheckbox.Name = "StartPausedCheckbox"; this.StartPausedCheckbox.Size = new System.Drawing.Size(86, 17); this.StartPausedCheckbox.TabIndex = 2; @@ -240,7 +238,7 @@ // PauseWhenMenuActivatedCheckbox // this.PauseWhenMenuActivatedCheckbox.AutoSize = true; - this.PauseWhenMenuActivatedCheckbox.Location = new System.Drawing.Point(6, 17); + this.PauseWhenMenuActivatedCheckbox.Location = new System.Drawing.Point(6, 3); this.PauseWhenMenuActivatedCheckbox.Name = "PauseWhenMenuActivatedCheckbox"; this.PauseWhenMenuActivatedCheckbox.Size = new System.Drawing.Size(161, 17); this.PauseWhenMenuActivatedCheckbox.TabIndex = 0; @@ -265,6 +263,16 @@ this.tabPage3.Text = "Advanced"; this.tabPage3.UseVisualStyleBackColor = true; // + // LuaDuringTurboCheckbox + // + this.LuaDuringTurboCheckbox.AutoSize = true; + this.LuaDuringTurboCheckbox.Location = new System.Drawing.Point(6, 174); + this.LuaDuringTurboCheckbox.Name = "LuaDuringTurboCheckbox"; + this.LuaDuringTurboCheckbox.Size = new System.Drawing.Size(166, 17); + this.LuaDuringTurboCheckbox.TabIndex = 15; + this.LuaDuringTurboCheckbox.Text = "Run lua scripts when turboing"; + this.LuaDuringTurboCheckbox.UseVisualStyleBackColor = true; + // // label12 // this.label12.AutoSize = true; @@ -296,7 +304,7 @@ // label9 // this.label9.AutoSize = true; - this.label9.Location = new System.Drawing.Point(24, 90); + this.label9.Location = new System.Drawing.Point(24, 94); this.label9.Name = "label9"; this.label9.Size = new System.Drawing.Size(99, 13); this.label9.TabIndex = 11; @@ -305,7 +313,7 @@ // label10 // this.label10.AutoSize = true; - this.label10.Location = new System.Drawing.Point(24, 77); + this.label10.Location = new System.Drawing.Point(24, 81); this.label10.Name = "label10"; this.label10.Size = new System.Drawing.Size(277, 13); this.label10.TabIndex = 10; @@ -340,15 +348,19 @@ this.LogWindowAsConsoleCheckbox.Text = "Create the log window as a console window"; this.LogWindowAsConsoleCheckbox.UseVisualStyleBackColor = true; // - // LuaDuringTurboCheckbox + // groupBox1 // - this.LuaDuringTurboCheckbox.AutoSize = true; - this.LuaDuringTurboCheckbox.Location = new System.Drawing.Point(6, 180); - this.LuaDuringTurboCheckbox.Name = "LuaDuringTurboCheckbox"; - this.LuaDuringTurboCheckbox.Size = new System.Drawing.Size(166, 17); - this.LuaDuringTurboCheckbox.TabIndex = 15; - this.LuaDuringTurboCheckbox.Text = "Run lua scripts when turboing"; - this.LuaDuringTurboCheckbox.UseVisualStyleBackColor = true; + this.groupBox1.Controls.Add(this.StartPausedCheckbox); + this.groupBox1.Controls.Add(this.label14); + this.groupBox1.Controls.Add(this.StartFullScreenCheckbox); + this.groupBox1.Controls.Add(this.label3); + this.groupBox1.Controls.Add(this.SingleInstanceModeCheckbox); + this.groupBox1.Location = new System.Drawing.Point(6, 177); + this.groupBox1.Name = "groupBox1"; + this.groupBox1.Size = new System.Drawing.Size(369, 140); + this.groupBox1.TabIndex = 13; + this.groupBox1.TabStop = false; + this.groupBox1.Text = "Startup Options"; // // EmuHawkOptions // @@ -370,6 +382,8 @@ this.tabPage1.PerformLayout(); this.tabPage3.ResumeLayout(false); this.tabPage3.PerformLayout(); + this.groupBox1.ResumeLayout(false); + this.groupBox1.PerformLayout(); this.ResumeLayout(false); } @@ -404,5 +418,6 @@ private System.Windows.Forms.Label label14; private System.Windows.Forms.CheckBox StartFullScreenCheckbox; private System.Windows.Forms.CheckBox LuaDuringTurboCheckbox; + private System.Windows.Forms.GroupBox groupBox1; } } \ No newline at end of file diff --git a/BizHawk.Client.EmuHawk/config/HotkeyConfig.Designer.cs b/BizHawk.Client.EmuHawk/config/HotkeyConfig.Designer.cs index 50d070ece9..2126a32530 100644 --- a/BizHawk.Client.EmuHawk/config/HotkeyConfig.Designer.cs +++ b/BizHawk.Client.EmuHawk/config/HotkeyConfig.Designer.cs @@ -36,13 +36,19 @@ this.tabPage1 = new System.Windows.Forms.TabPage(); this.IDB_CANCEL = new System.Windows.Forms.Button(); this.IDB_SAVE = new System.Windows.Forms.Button(); - this.RestoreDefaults = new System.Windows.Forms.Button(); this.SearchBox = new System.Windows.Forms.TextBox(); this.label1 = new System.Windows.Forms.Label(); this.label2 = new System.Windows.Forms.Label(); this.label3 = new System.Windows.Forms.Label(); this.toolTip1 = new System.Windows.Forms.ToolTip(this.components); + this.MiscButton = new BizHawk.Client.EmuHawk.MenuButton(); + this.clearBtnContextMenu = new System.Windows.Forms.ContextMenuStrip(this.components); + this.clearAllToolStripMenuItem = new System.Windows.Forms.ToolStripMenuItem(); + this.clearCurrentTabToolStripMenuItem = new System.Windows.Forms.ToolStripMenuItem(); + this.restoreDefaultsToolStripMenuItem = new System.Windows.Forms.ToolStripMenuItem(); + this.toolStripSeparator1 = new System.Windows.Forms.ToolStripSeparator(); this.HotkeyTabControl.SuspendLayout(); + this.clearBtnContextMenu.SuspendLayout(); this.SuspendLayout(); // // label38 @@ -59,7 +65,7 @@ // this.AutoTabCheckBox.Anchor = ((System.Windows.Forms.AnchorStyles)((System.Windows.Forms.AnchorStyles.Bottom | System.Windows.Forms.AnchorStyles.Right))); this.AutoTabCheckBox.AutoSize = true; - this.AutoTabCheckBox.Location = new System.Drawing.Point(453, 440); + this.AutoTabCheckBox.Location = new System.Drawing.Point(432, 440); this.AutoTabCheckBox.Name = "AutoTabCheckBox"; this.AutoTabCheckBox.Size = new System.Drawing.Size(70, 17); this.AutoTabCheckBox.TabIndex = 101; @@ -115,19 +121,6 @@ this.IDB_SAVE.UseVisualStyleBackColor = true; this.IDB_SAVE.Click += new System.EventHandler(this.IDB_SAVE_Click); // - // RestoreDefaults - // - this.RestoreDefaults.Anchor = ((System.Windows.Forms.AnchorStyles)((System.Windows.Forms.AnchorStyles.Bottom | System.Windows.Forms.AnchorStyles.Right))); - this.RestoreDefaults.Location = new System.Drawing.Point(529, 436); - this.RestoreDefaults.Name = "RestoreDefaults"; - this.RestoreDefaults.Size = new System.Drawing.Size(60, 22); - this.RestoreDefaults.TabIndex = 105; - this.RestoreDefaults.TabStop = false; - this.RestoreDefaults.Text = "&Defaults"; - this.toolTip1.SetToolTip(this.RestoreDefaults, "Reses _all_ bindings to default."); - this.RestoreDefaults.UseVisualStyleBackColor = true; - this.RestoreDefaults.Click += new System.EventHandler(this.RestoreDefaults_Click); - // // SearchBox // this.SearchBox.Anchor = ((System.Windows.Forms.AnchorStyles)(((System.Windows.Forms.AnchorStyles.Top | System.Windows.Forms.AnchorStyles.Left) @@ -168,17 +161,63 @@ this.label3.TabIndex = 109; this.label3.Text = "Tips:"; // + // MiscButton + // + this.MiscButton.Location = new System.Drawing.Point(526, 436); + this.MiscButton.Menu = this.clearBtnContextMenu; + this.MiscButton.Name = "MiscButton"; + this.MiscButton.Size = new System.Drawing.Size(60, 22); + this.MiscButton.TabIndex = 110; + this.MiscButton.Text = "Misc..."; + this.MiscButton.UseVisualStyleBackColor = true; + // + // clearBtnContextMenu + // + this.clearBtnContextMenu.Items.AddRange(new System.Windows.Forms.ToolStripItem[] { + this.restoreDefaultsToolStripMenuItem, + this.toolStripSeparator1, + this.clearAllToolStripMenuItem, + this.clearCurrentTabToolStripMenuItem}); + this.clearBtnContextMenu.Name = "clearBtnContextMenu"; + this.clearBtnContextMenu.Size = new System.Drawing.Size(168, 76); + // + // clearAllToolStripMenuItem + // + this.clearAllToolStripMenuItem.Name = "clearAllToolStripMenuItem"; + this.clearAllToolStripMenuItem.Size = new System.Drawing.Size(167, 22); + this.clearAllToolStripMenuItem.Text = "Clear All"; + this.clearAllToolStripMenuItem.Click += new System.EventHandler(this.clearAllToolStripMenuItem_Click); + // + // clearCurrentTabToolStripMenuItem + // + this.clearCurrentTabToolStripMenuItem.Name = "clearCurrentTabToolStripMenuItem"; + this.clearCurrentTabToolStripMenuItem.Size = new System.Drawing.Size(167, 22); + this.clearCurrentTabToolStripMenuItem.Text = "Clear Current Tab"; + this.clearCurrentTabToolStripMenuItem.Click += new System.EventHandler(this.clearCurrentTabToolStripMenuItem_Click); + // + // restoreDefaultsToolStripMenuItem + // + this.restoreDefaultsToolStripMenuItem.Name = "restoreDefaultsToolStripMenuItem"; + this.restoreDefaultsToolStripMenuItem.Size = new System.Drawing.Size(167, 22); + this.restoreDefaultsToolStripMenuItem.Text = "Restore Defaults"; + this.restoreDefaultsToolStripMenuItem.Click += new System.EventHandler(this.restoreDefaultsToolStripMenuItem_Click); + // + // toolStripSeparator1 + // + this.toolStripSeparator1.Name = "toolStripSeparator1"; + this.toolStripSeparator1.Size = new System.Drawing.Size(164, 6); + // // HotkeyConfig // this.AutoScaleDimensions = new System.Drawing.SizeF(6F, 13F); this.AutoScaleMode = System.Windows.Forms.AutoScaleMode.Font; this.CancelButton = this.IDB_CANCEL; this.ClientSize = new System.Drawing.Size(753, 463); + this.Controls.Add(this.MiscButton); this.Controls.Add(this.label3); this.Controls.Add(this.label2); this.Controls.Add(this.label1); this.Controls.Add(this.SearchBox); - this.Controls.Add(this.RestoreDefaults); this.Controls.Add(this.IDB_SAVE); this.Controls.Add(this.IDB_CANCEL); this.Controls.Add(this.HotkeyTabControl); @@ -190,6 +229,7 @@ this.Text = "Configure Hotkeys"; this.Load += new System.EventHandler(this.NewHotkeyWindow_Load); this.HotkeyTabControl.ResumeLayout(false); + this.clearBtnContextMenu.ResumeLayout(false); this.ResumeLayout(false); this.PerformLayout(); @@ -203,11 +243,16 @@ private System.Windows.Forms.TabPage tabPage1; private System.Windows.Forms.Button IDB_CANCEL; private System.Windows.Forms.Button IDB_SAVE; - private System.Windows.Forms.Button RestoreDefaults; private System.Windows.Forms.TextBox SearchBox; private System.Windows.Forms.Label label1; private System.Windows.Forms.Label label2; private System.Windows.Forms.Label label3; private System.Windows.Forms.ToolTip toolTip1; + private MenuButton MiscButton; + private System.Windows.Forms.ContextMenuStrip clearBtnContextMenu; + private System.Windows.Forms.ToolStripMenuItem clearAllToolStripMenuItem; + private System.Windows.Forms.ToolStripMenuItem clearCurrentTabToolStripMenuItem; + private System.Windows.Forms.ToolStripMenuItem restoreDefaultsToolStripMenuItem; + private System.Windows.Forms.ToolStripSeparator toolStripSeparator1; } } \ No newline at end of file diff --git a/BizHawk.Client.EmuHawk/config/HotkeyConfig.cs b/BizHawk.Client.EmuHawk/config/HotkeyConfig.cs index 3bfdb37dd5..e40e5be15b 100644 --- a/BizHawk.Client.EmuHawk/config/HotkeyConfig.cs +++ b/BizHawk.Client.EmuHawk/config/HotkeyConfig.cs @@ -61,11 +61,6 @@ namespace BizHawk.Client.EmuHawk Close(); } - private void RestoreDefaults_Click(object sender, EventArgs e) - { - Defaults(); - } - private void AutoTabCheckBox_CheckedChanged(object sender, EventArgs e) { SetAutoTab(); @@ -166,6 +161,24 @@ namespace BizHawk.Client.EmuHawk } } + private void ClearAll(bool currentTabOnly) + { + if (currentTabOnly) + { + foreach (var w in InputWidgets) + { + w.Clear(); + } + } + else + { + foreach (var w in HotkeyTabControl.SelectedTab.Controls.OfType()) + { + w.Clear(); + } + } + } + private void SetAutoTab() { foreach (var w in InputWidgets) @@ -197,7 +210,7 @@ namespace BizHawk.Client.EmuHawk if (!e.Control && !e.Alt && !e.Shift && (e.KeyCode == Keys.Enter || e.KeyCode == Keys.Tab)) { - var b = Global.Config.HotkeyBindings.FirstOrDefault(x => x.DisplayName == SearchBox.Text); + var b = Global.Config.HotkeyBindings.FirstOrDefault(x => string.Compare(x.DisplayName,SearchBox.Text,true)==0); //Found if (b != null) @@ -206,6 +219,7 @@ namespace BizHawk.Client.EmuHawk if (w != null) { HotkeyTabControl.SelectTab((w.Parent as TabPage)); + Input.Instance.BindUnpress(e.KeyCode); w.Focus(); } } @@ -213,5 +227,20 @@ namespace BizHawk.Client.EmuHawk e.Handled = true; } } + + private void clearAllToolStripMenuItem_Click(object sender, EventArgs e) + { + ClearAll(true); + } + + private void clearCurrentTabToolStripMenuItem_Click(object sender, EventArgs e) + { + ClearAll(false); + } + + private void restoreDefaultsToolStripMenuItem_Click(object sender, EventArgs e) + { + Defaults(); + } } } diff --git a/BizHawk.Client.EmuHawk/config/HotkeyConfig.resx b/BizHawk.Client.EmuHawk/config/HotkeyConfig.resx index 4ce32598ee..62c9bc5870 100644 --- a/BizHawk.Client.EmuHawk/config/HotkeyConfig.resx +++ b/BizHawk.Client.EmuHawk/config/HotkeyConfig.resx @@ -120,6 +120,9 @@ 17, 17 + + 114, 17 + diff --git a/BizHawk.Client.EmuHawk/config/MessageConfig.Designer.cs b/BizHawk.Client.EmuHawk/config/MessageConfig.Designer.cs index 325b3a135b..5fa06ff7af 100644 --- a/BizHawk.Client.EmuHawk/config/MessageConfig.Designer.cs +++ b/BizHawk.Client.EmuHawk/config/MessageConfig.Designer.cs @@ -80,6 +80,8 @@ this.LInputColorDialog = new System.Windows.Forms.ColorDialog(); this.MovieInputColorDialog = new System.Windows.Forms.ColorDialog(); this.StackMessagesCheckbox = new System.Windows.Forms.CheckBox(); + this.WatchesRadio = new System.Windows.Forms.RadioButton(); + this.WatchesLabel = new System.Windows.Forms.Label(); this.MessageTypeBox.SuspendLayout(); this.groupBox2.SuspendLayout(); ((System.ComponentModel.ISupportInitialize)(this.XNumeric)).BeginInit(); @@ -90,7 +92,7 @@ // OK // this.OK.Anchor = ((System.Windows.Forms.AnchorStyles)((System.Windows.Forms.AnchorStyles.Bottom | System.Windows.Forms.AnchorStyles.Right))); - this.OK.Location = new System.Drawing.Point(418, 434); + this.OK.Location = new System.Drawing.Point(348, 441); this.OK.Name = "OK"; this.OK.Size = new System.Drawing.Size(75, 23); this.OK.TabIndex = 1; @@ -100,6 +102,8 @@ // // MessageTypeBox // + this.MessageTypeBox.Controls.Add(this.WatchesLabel); + this.MessageTypeBox.Controls.Add(this.WatchesRadio); this.MessageTypeBox.Controls.Add(this.AutoholdLabel); this.MessageTypeBox.Controls.Add(this.AutoholdRadio); this.MessageTypeBox.Controls.Add(this.MultitrackLabel); @@ -118,7 +122,7 @@ this.MessageTypeBox.Controls.Add(this.FPSRadio); this.MessageTypeBox.Location = new System.Drawing.Point(12, 12); this.MessageTypeBox.Name = "MessageTypeBox"; - this.MessageTypeBox.Size = new System.Drawing.Size(177, 216); + this.MessageTypeBox.Size = new System.Drawing.Size(177, 234); this.MessageTypeBox.TabIndex = 2; this.MessageTypeBox.TabStop = false; this.MessageTypeBox.Text = "Message Type"; @@ -127,7 +131,7 @@ // this.AutoholdLabel.Anchor = ((System.Windows.Forms.AnchorStyles)((System.Windows.Forms.AnchorStyles.Top | System.Windows.Forms.AnchorStyles.Right))); this.AutoholdLabel.AutoSize = true; - this.AutoholdLabel.Location = new System.Drawing.Point(126, 188); + this.AutoholdLabel.Location = new System.Drawing.Point(126, 209); this.AutoholdLabel.Name = "AutoholdLabel"; this.AutoholdLabel.Size = new System.Drawing.Size(49, 13); this.AutoholdLabel.TabIndex = 15; @@ -136,7 +140,7 @@ // AutoholdRadio // this.AutoholdRadio.AutoSize = true; - this.AutoholdRadio.Location = new System.Drawing.Point(6, 186); + this.AutoholdRadio.Location = new System.Drawing.Point(6, 210); this.AutoholdRadio.Name = "AutoholdRadio"; this.AutoholdRadio.Size = new System.Drawing.Size(67, 17); this.AutoholdRadio.TabIndex = 14; @@ -149,7 +153,7 @@ // this.MultitrackLabel.Anchor = ((System.Windows.Forms.AnchorStyles)((System.Windows.Forms.AnchorStyles.Top | System.Windows.Forms.AnchorStyles.Right))); this.MultitrackLabel.AutoSize = true; - this.MultitrackLabel.Location = new System.Drawing.Point(126, 164); + this.MultitrackLabel.Location = new System.Drawing.Point(126, 185); this.MultitrackLabel.Name = "MultitrackLabel"; this.MultitrackLabel.Size = new System.Drawing.Size(49, 13); this.MultitrackLabel.TabIndex = 13; @@ -158,7 +162,7 @@ // MultitrackRadio // this.MultitrackRadio.AutoSize = true; - this.MultitrackRadio.Location = new System.Drawing.Point(6, 162); + this.MultitrackRadio.Location = new System.Drawing.Point(6, 186); this.MultitrackRadio.Name = "MultitrackRadio"; this.MultitrackRadio.Size = new System.Drawing.Size(71, 17); this.MultitrackRadio.TabIndex = 12; @@ -171,7 +175,7 @@ // this.RerecLabel.Anchor = ((System.Windows.Forms.AnchorStyles)((System.Windows.Forms.AnchorStyles.Top | System.Windows.Forms.AnchorStyles.Right))); this.RerecLabel.AutoSize = true; - this.RerecLabel.Location = new System.Drawing.Point(126, 140); + this.RerecLabel.Location = new System.Drawing.Point(126, 161); this.RerecLabel.Name = "RerecLabel"; this.RerecLabel.Size = new System.Drawing.Size(49, 13); this.RerecLabel.TabIndex = 11; @@ -180,7 +184,7 @@ // RerecordsRadio // this.RerecordsRadio.AutoSize = true; - this.RerecordsRadio.Location = new System.Drawing.Point(6, 138); + this.RerecordsRadio.Location = new System.Drawing.Point(6, 162); this.RerecordsRadio.Name = "RerecordsRadio"; this.RerecordsRadio.Size = new System.Drawing.Size(74, 17); this.RerecordsRadio.TabIndex = 10; @@ -192,7 +196,7 @@ // this.MessLabel.Anchor = ((System.Windows.Forms.AnchorStyles)((System.Windows.Forms.AnchorStyles.Top | System.Windows.Forms.AnchorStyles.Right))); this.MessLabel.AutoSize = true; - this.MessLabel.Location = new System.Drawing.Point(126, 116); + this.MessLabel.Location = new System.Drawing.Point(126, 137); this.MessLabel.Name = "MessLabel"; this.MessLabel.Size = new System.Drawing.Size(49, 13); this.MessLabel.TabIndex = 9; @@ -241,7 +245,7 @@ // MessagesRadio // this.MessagesRadio.AutoSize = true; - this.MessagesRadio.Location = new System.Drawing.Point(6, 114); + this.MessagesRadio.Location = new System.Drawing.Point(6, 138); this.MessagesRadio.Name = "MessagesRadio"; this.MessagesRadio.Size = new System.Drawing.Size(73, 17); this.MessagesRadio.TabIndex = 4; @@ -313,9 +317,9 @@ this.groupBox2.Controls.Add(this.label4); this.groupBox2.Controls.Add(this.label3); this.groupBox2.Controls.Add(this.ColorText); - this.groupBox2.Location = new System.Drawing.Point(12, 234); + this.groupBox2.Location = new System.Drawing.Point(12, 251); this.groupBox2.Name = "groupBox2"; - this.groupBox2.Size = new System.Drawing.Size(177, 223); + this.groupBox2.Size = new System.Drawing.Size(177, 210); this.groupBox2.TabIndex = 4; this.groupBox2.TabStop = false; this.groupBox2.Text = "Message Colors"; @@ -323,7 +327,7 @@ // label12 // this.label12.AutoSize = true; - this.label12.Location = new System.Drawing.Point(1, 170); + this.label12.Location = new System.Drawing.Point(1, 161); this.label12.Name = "label12"; this.label12.Size = new System.Drawing.Size(63, 13); this.label12.TabIndex = 24; @@ -332,7 +336,7 @@ // MovieInputText // this.MovieInputText.CharacterCasing = System.Windows.Forms.CharacterCasing.Upper; - this.MovieInputText.Location = new System.Drawing.Point(45, 187); + this.MovieInputText.Location = new System.Drawing.Point(45, 178); this.MovieInputText.MaxLength = 8; this.MovieInputText.Name = "MovieInputText"; this.MovieInputText.ReadOnly = true; @@ -351,7 +355,7 @@ // MovieInputColor // this.MovieInputColor.BorderStyle = System.Windows.Forms.BorderStyle.Fixed3D; - this.MovieInputColor.Location = new System.Drawing.Point(4, 187); + this.MovieInputColor.Location = new System.Drawing.Point(4, 178); this.MovieInputColor.Name = "MovieInputColor"; this.MovieInputColor.Size = new System.Drawing.Size(20, 20); this.MovieInputColor.TabIndex = 9; @@ -360,7 +364,7 @@ // LInputColorPanel // this.LInputColorPanel.BorderStyle = System.Windows.Forms.BorderStyle.Fixed3D; - this.LInputColorPanel.Location = new System.Drawing.Point(6, 139); + this.LInputColorPanel.Location = new System.Drawing.Point(6, 130); this.LInputColorPanel.Name = "LInputColorPanel"; this.LInputColorPanel.Size = new System.Drawing.Size(20, 20); this.LInputColorPanel.TabIndex = 7; @@ -369,7 +373,7 @@ // AlertColorPanel // this.AlertColorPanel.BorderStyle = System.Windows.Forms.BorderStyle.Fixed3D; - this.AlertColorPanel.Location = new System.Drawing.Point(6, 90); + this.AlertColorPanel.Location = new System.Drawing.Point(6, 81); this.AlertColorPanel.Name = "AlertColorPanel"; this.AlertColorPanel.Size = new System.Drawing.Size(20, 20); this.AlertColorPanel.TabIndex = 7; @@ -378,7 +382,7 @@ // ColorPanel // this.ColorPanel.BorderStyle = System.Windows.Forms.BorderStyle.Fixed3D; - this.ColorPanel.Location = new System.Drawing.Point(6, 43); + this.ColorPanel.Location = new System.Drawing.Point(6, 34); this.ColorPanel.Name = "ColorPanel"; this.ColorPanel.Size = new System.Drawing.Size(20, 20); this.ColorPanel.TabIndex = 7; @@ -387,7 +391,7 @@ // label7 // this.label7.AutoSize = true; - this.label7.Location = new System.Drawing.Point(1, 120); + this.label7.Location = new System.Drawing.Point(1, 111); this.label7.Name = "label7"; this.label7.Size = new System.Drawing.Size(86, 13); this.label7.TabIndex = 18; @@ -396,7 +400,7 @@ // label8 // this.label8.AutoSize = true; - this.label8.Location = new System.Drawing.Point(28, 142); + this.label8.Location = new System.Drawing.Point(28, 133); this.label8.Name = "label8"; this.label8.Size = new System.Drawing.Size(18, 13); this.label8.TabIndex = 17; @@ -405,7 +409,7 @@ // LInputText // this.LInputText.CharacterCasing = System.Windows.Forms.CharacterCasing.Upper; - this.LInputText.Location = new System.Drawing.Point(45, 139); + this.LInputText.Location = new System.Drawing.Point(45, 130); this.LInputText.MaxLength = 8; this.LInputText.Name = "LInputText"; this.LInputText.ReadOnly = true; @@ -415,7 +419,7 @@ // label6 // this.label6.AutoSize = true; - this.label6.Location = new System.Drawing.Point(1, 71); + this.label6.Location = new System.Drawing.Point(1, 62); this.label6.Name = "label6"; this.label6.Size = new System.Drawing.Size(78, 13); this.label6.TabIndex = 13; @@ -424,7 +428,7 @@ // label5 // this.label5.AutoSize = true; - this.label5.Location = new System.Drawing.Point(28, 93); + this.label5.Location = new System.Drawing.Point(28, 84); this.label5.Name = "label5"; this.label5.Size = new System.Drawing.Size(18, 13); this.label5.TabIndex = 12; @@ -433,7 +437,7 @@ // AlertColorText // this.AlertColorText.CharacterCasing = System.Windows.Forms.CharacterCasing.Upper; - this.AlertColorText.Location = new System.Drawing.Point(45, 90); + this.AlertColorText.Location = new System.Drawing.Point(45, 81); this.AlertColorText.MaxLength = 8; this.AlertColorText.Name = "AlertColorText"; this.AlertColorText.ReadOnly = true; @@ -443,7 +447,7 @@ // label4 // this.label4.AutoSize = true; - this.label4.Location = new System.Drawing.Point(6, 27); + this.label4.Location = new System.Drawing.Point(6, 18); this.label4.Name = "label4"; this.label4.Size = new System.Drawing.Size(80, 13); this.label4.TabIndex = 8; @@ -452,7 +456,7 @@ // label3 // this.label3.AutoSize = true; - this.label3.Location = new System.Drawing.Point(28, 46); + this.label3.Location = new System.Drawing.Point(28, 37); this.label3.Name = "label3"; this.label3.Size = new System.Drawing.Size(18, 13); this.label3.TabIndex = 7; @@ -461,7 +465,7 @@ // ColorText // this.ColorText.CharacterCasing = System.Windows.Forms.CharacterCasing.Upper; - this.ColorText.Location = new System.Drawing.Point(45, 43); + this.ColorText.Location = new System.Drawing.Point(45, 34); this.ColorText.MaxLength = 8; this.ColorText.Name = "ColorText"; this.ColorText.ReadOnly = true; @@ -476,7 +480,7 @@ // this.Cancel.Anchor = ((System.Windows.Forms.AnchorStyles)((System.Windows.Forms.AnchorStyles.Bottom | System.Windows.Forms.AnchorStyles.Right))); this.Cancel.DialogResult = System.Windows.Forms.DialogResult.Cancel; - this.Cancel.Location = new System.Drawing.Point(499, 434); + this.Cancel.Location = new System.Drawing.Point(429, 441); this.Cancel.Name = "Cancel"; this.Cancel.Size = new System.Drawing.Size(75, 23); this.Cancel.TabIndex = 5; @@ -487,7 +491,7 @@ // ResetDefaultsButton // this.ResetDefaultsButton.Anchor = ((System.Windows.Forms.AnchorStyles)((System.Windows.Forms.AnchorStyles.Bottom | System.Windows.Forms.AnchorStyles.Left))); - this.ResetDefaultsButton.Location = new System.Drawing.Point(195, 434); + this.ResetDefaultsButton.Location = new System.Drawing.Point(195, 441); this.ResetDefaultsButton.Name = "ResetDefaultsButton"; this.ResetDefaultsButton.Size = new System.Drawing.Size(96, 23); this.ResetDefaultsButton.TabIndex = 6; @@ -656,13 +660,33 @@ this.StackMessagesCheckbox.Text = "Stack Messages"; this.StackMessagesCheckbox.UseVisualStyleBackColor = true; // + // WatchesRadio + // + this.WatchesRadio.AutoSize = true; + this.WatchesRadio.Location = new System.Drawing.Point(6, 114); + this.WatchesRadio.Name = "WatchesRadio"; + this.WatchesRadio.Size = new System.Drawing.Size(68, 17); + this.WatchesRadio.TabIndex = 16; + this.WatchesRadio.Text = "Watches"; + this.WatchesRadio.UseVisualStyleBackColor = true; + // + // WatchesLabel + // + this.WatchesLabel.Anchor = ((System.Windows.Forms.AnchorStyles)((System.Windows.Forms.AnchorStyles.Top | System.Windows.Forms.AnchorStyles.Right))); + this.WatchesLabel.AutoSize = true; + this.WatchesLabel.Location = new System.Drawing.Point(126, 116); + this.WatchesLabel.Name = "WatchesLabel"; + this.WatchesLabel.Size = new System.Drawing.Size(49, 13); + this.WatchesLabel.TabIndex = 17; + this.WatchesLabel.Text = "255, 255"; + // // MessageConfig // this.AcceptButton = this.OK; this.AutoScaleDimensions = new System.Drawing.SizeF(6F, 13F); this.AutoScaleMode = System.Windows.Forms.AutoScaleMode.Font; this.CancelButton = this.Cancel; - this.ClientSize = new System.Drawing.Size(612, 469); + this.ClientSize = new System.Drawing.Size(512, 469); this.Controls.Add(this.StackMessagesCheckbox); this.Controls.Add(this.ResetDefaultsButton); this.Controls.Add(this.Cancel); @@ -744,5 +768,7 @@ private System.Windows.Forms.CheckBox StackMessagesCheckbox; private System.Windows.Forms.Label AutoholdLabel; private System.Windows.Forms.RadioButton AutoholdRadio; + private System.Windows.Forms.Label WatchesLabel; + private System.Windows.Forms.RadioButton WatchesRadio; } } \ No newline at end of file diff --git a/BizHawk.Client.EmuHawk/config/MessageConfig.cs b/BizHawk.Client.EmuHawk/config/MessageConfig.cs index c1055a895c..fcd9aae0c3 100644 --- a/BizHawk.Client.EmuHawk/config/MessageConfig.cs +++ b/BizHawk.Client.EmuHawk/config/MessageConfig.cs @@ -16,6 +16,8 @@ namespace BizHawk.Client.EmuHawk private int _dispLagy = Global.Config.DispLagy; private int _dispInpx = Global.Config.DispInpx; private int _dispInpy = Global.Config.DispInpy; + private int _dispWatchesx = Global.Config.DispRamWatchx; + private int _dispWatchesy = Global.Config.DispRamWatchy; private int _lastInputColor = Global.Config.LastInputColor; private int _dispRecx = Global.Config.DispRecx; private int _dispRecy = Global.Config.DispRecy; @@ -34,6 +36,7 @@ namespace BizHawk.Client.EmuHawk private int _dispFrameanchor = Global.Config.DispFrameanchor; private int _dispLaganchor = Global.Config.DispLaganchor; private int _dispInputanchor = Global.Config.DispInpanchor; + private int _dispWatchesanchor = Global.Config.DispWatchesanchor; private int _dispRecanchor = Global.Config.DispRecanchor; private int _dispMultiAnchor = Global.Config.DispMultianchor; private int _dispMessageAnchor = Global.Config.DispMessageanchor; @@ -142,6 +145,14 @@ namespace BizHawk.Client.EmuHawk _py = _dispInpy; SetAnchorRadio(_dispInputanchor); } + else if (WatchesRadio.Checked) + { + XNumeric.Value = _dispWatchesx; + XNumeric.Value = _dispWatchesy; + _px = _dispWatchesx; + _py = _dispWatchesy; + SetAnchorRadio(_dispWatchesanchor); + } else if (MessagesRadio.Checked) { XNumeric.Value = _dispMessagex; @@ -191,6 +202,8 @@ namespace BizHawk.Client.EmuHawk Global.Config.DispLagy = _dispLagy; Global.Config.DispInpx = _dispInpx; Global.Config.DispInpy = _dispInpy; + Global.Config.DispRamWatchx = _dispWatchesx; + Global.Config.DispRamWatchy = _dispWatchesy; Global.Config.DispRecx = _dispRecx; Global.Config.DispRecy = _dispRecy; Global.Config.DispMultix = _dispMultix; @@ -368,6 +381,11 @@ namespace BizHawk.Client.EmuHawk _dispInpx = _px; _dispInpy = _py; } + else if (WatchesRadio.Checked) + { + _dispWatchesx = _px; + _dispWatchesy = _py; + } else if (RerecordsRadio.Checked) { _dispRecx = _px; @@ -393,6 +411,7 @@ namespace BizHawk.Client.EmuHawk FCLabel.Text = _dispFrameCx + ", " + _dispFrameCy; LagLabel.Text = _dispLagx + ", " + _dispLagy; InpLabel.Text = _dispInpx + ", " + _dispInpy; + WatchesLabel.Text = _dispWatchesx + ", " + _dispWatchesy; RerecLabel.Text = _dispRecx + ", " + _dispRecy; MultitrackLabel.Text = _dispMultix + ", " + _dispMultiy; MessLabel.Text = _dispMessagex + ", " + _dispMessagey; @@ -493,6 +512,10 @@ namespace BizHawk.Client.EmuHawk { _dispInputanchor = value; } + else if (WatchesRadio.Checked) + { + _dispWatchesanchor = value; + } else if (MessagesRadio.Checked) { _dispMessageAnchor = value; diff --git a/BizHawk.Client.EmuHawk/config/NES/NESGraphicsConfig.cs b/BizHawk.Client.EmuHawk/config/NES/NESGraphicsConfig.cs index bfc9d097ac..ae0fd61962 100644 --- a/BizHawk.Client.EmuHawk/config/NES/NESGraphicsConfig.cs +++ b/BizHawk.Client.EmuHawk/config/NES/NESGraphicsConfig.cs @@ -89,7 +89,7 @@ namespace BizHawk.Client.EmuHawk pictureBoxPalette.Image = bmp; } - private int[,] ResolvePalette(bool showmsg = false) + private byte[,] ResolvePalette(bool showmsg = false) { if (AutoLoadPalette.Checked) // checkbox checked: try to load palette from file { @@ -111,7 +111,7 @@ namespace BizHawk.Client.EmuHawk else // no filename: interpret this as "reset to default" { if (showmsg) GlobalWin.OSD.AddMessage("Standard Palette set"); - return (int[,])Palettes.QuickNESPalette.Clone(); + return (byte[,])Palettes.QuickNESPalette.Clone(); } } else // checkbox unchecked: we're reusing whatever palette was set diff --git a/BizHawk.Client.EmuHawk/config/NES/NESSyncSettingsForm.Designer.cs b/BizHawk.Client.EmuHawk/config/NES/NESSyncSettingsForm.Designer.cs index 14e90ca467..3df9cfbbd9 100644 --- a/BizHawk.Client.EmuHawk/config/NES/NESSyncSettingsForm.Designer.cs +++ b/BizHawk.Client.EmuHawk/config/NES/NESSyncSettingsForm.Designer.cs @@ -31,19 +31,20 @@ this.OkBtn = new System.Windows.Forms.Button(); this.CancelBtn = new System.Windows.Forms.Button(); this.dataGridView1 = new System.Windows.Forms.DataGridView(); - this.comboBox1 = new System.Windows.Forms.ComboBox(); + this.RegionComboBox = new System.Windows.Forms.ComboBox(); this.HelpBtn = new System.Windows.Forms.Button(); this.label2 = new System.Windows.Forms.Label(); - this.groupBox1 = new System.Windows.Forms.GroupBox(); + this.BoardPropertiesGroupBox = new System.Windows.Forms.GroupBox(); this.label1 = new System.Windows.Forms.Label(); + this.InfoLabel = new System.Windows.Forms.Label(); ((System.ComponentModel.ISupportInitialize)(this.dataGridView1)).BeginInit(); - this.groupBox1.SuspendLayout(); + this.BoardPropertiesGroupBox.SuspendLayout(); this.SuspendLayout(); // // OkBtn // this.OkBtn.Anchor = ((System.Windows.Forms.AnchorStyles)((System.Windows.Forms.AnchorStyles.Bottom | System.Windows.Forms.AnchorStyles.Right))); - this.OkBtn.Location = new System.Drawing.Point(221, 341); + this.OkBtn.Location = new System.Drawing.Point(221, 354); this.OkBtn.Name = "OkBtn"; this.OkBtn.Size = new System.Drawing.Size(67, 23); this.OkBtn.TabIndex = 0; @@ -55,7 +56,7 @@ // this.CancelBtn.Anchor = ((System.Windows.Forms.AnchorStyles)((System.Windows.Forms.AnchorStyles.Bottom | System.Windows.Forms.AnchorStyles.Right))); this.CancelBtn.DialogResult = System.Windows.Forms.DialogResult.Cancel; - this.CancelBtn.Location = new System.Drawing.Point(294, 341); + this.CancelBtn.Location = new System.Drawing.Point(294, 354); this.CancelBtn.Name = "CancelBtn"; this.CancelBtn.Size = new System.Drawing.Size(67, 23); this.CancelBtn.TabIndex = 1; @@ -75,23 +76,23 @@ this.dataGridView1.Size = new System.Drawing.Size(333, 203); this.dataGridView1.TabIndex = 9; // - // comboBox1 + // RegionComboBox // - this.comboBox1.DropDownStyle = System.Windows.Forms.ComboBoxStyle.DropDownList; - this.comboBox1.FormattingEnabled = true; - this.comboBox1.Location = new System.Drawing.Point(12, 26); - this.comboBox1.Name = "comboBox1"; - this.comboBox1.Size = new System.Drawing.Size(235, 21); - this.comboBox1.TabIndex = 11; + this.RegionComboBox.DropDownStyle = System.Windows.Forms.ComboBoxStyle.DropDownList; + this.RegionComboBox.FormattingEnabled = true; + this.RegionComboBox.Location = new System.Drawing.Point(12, 26); + this.RegionComboBox.Name = "RegionComboBox"; + this.RegionComboBox.Size = new System.Drawing.Size(124, 21); + this.RegionComboBox.TabIndex = 11; // // HelpBtn // this.HelpBtn.Anchor = ((System.Windows.Forms.AnchorStyles)((System.Windows.Forms.AnchorStyles.Bottom | System.Windows.Forms.AnchorStyles.Left))); - this.HelpBtn.Location = new System.Drawing.Point(12, 67); + this.HelpBtn.Image = global::BizHawk.Client.EmuHawk.Properties.Resources.Help; + this.HelpBtn.Location = new System.Drawing.Point(12, 87); this.HelpBtn.Name = "HelpBtn"; this.HelpBtn.Size = new System.Drawing.Size(23, 23); this.HelpBtn.TabIndex = 10; - this.HelpBtn.Text = "?"; this.HelpBtn.UseVisualStyleBackColor = true; this.HelpBtn.Click += new System.EventHandler(this.HelpBtn_Click); // @@ -104,49 +105,60 @@ this.label2.TabIndex = 12; this.label2.Text = "Region Override:"; // - // groupBox1 + // BoardPropertiesGroupBox // - this.groupBox1.Anchor = ((System.Windows.Forms.AnchorStyles)((((System.Windows.Forms.AnchorStyles.Top | System.Windows.Forms.AnchorStyles.Bottom) + this.BoardPropertiesGroupBox.Anchor = ((System.Windows.Forms.AnchorStyles)((((System.Windows.Forms.AnchorStyles.Top | System.Windows.Forms.AnchorStyles.Bottom) | System.Windows.Forms.AnchorStyles.Left) | System.Windows.Forms.AnchorStyles.Right))); - this.groupBox1.Controls.Add(this.dataGridView1); - this.groupBox1.Location = new System.Drawing.Point(12, 96); - this.groupBox1.Name = "groupBox1"; - this.groupBox1.Size = new System.Drawing.Size(349, 228); - this.groupBox1.TabIndex = 13; - this.groupBox1.TabStop = false; - this.groupBox1.Text = "Board Properties"; + this.BoardPropertiesGroupBox.Controls.Add(this.dataGridView1); + this.BoardPropertiesGroupBox.Location = new System.Drawing.Point(12, 113); + this.BoardPropertiesGroupBox.Name = "BoardPropertiesGroupBox"; + this.BoardPropertiesGroupBox.Size = new System.Drawing.Size(349, 228); + this.BoardPropertiesGroupBox.TabIndex = 13; + this.BoardPropertiesGroupBox.TabStop = false; + this.BoardPropertiesGroupBox.Text = "Custom Board Properties"; // // label1 // this.label1.AutoSize = true; - this.label1.Location = new System.Drawing.Point(12, 50); + this.label1.Location = new System.Drawing.Point(12, 53); this.label1.Name = "label1"; this.label1.Size = new System.Drawing.Size(362, 13); this.label1.TabIndex = 14; this.label1.Text = "Region Override will be ignored when playing Famicom Disk System games."; // + // InfoLabel + // + this.InfoLabel.AutoSize = true; + this.InfoLabel.Location = new System.Drawing.Point(40, 92); + this.InfoLabel.Name = "InfoLabel"; + this.InfoLabel.Size = new System.Drawing.Size(213, 13); + this.InfoLabel.TabIndex = 15; + this.InfoLabel.Text = "The current board has no custom properties"; + // // NESSyncSettingsForm // this.AcceptButton = this.OkBtn; this.AutoScaleDimensions = new System.Drawing.SizeF(6F, 13F); this.AutoScaleMode = System.Windows.Forms.AutoScaleMode.Font; this.CancelButton = this.CancelBtn; - this.ClientSize = new System.Drawing.Size(373, 376); + this.ClientSize = new System.Drawing.Size(373, 389); + this.Controls.Add(this.InfoLabel); this.Controls.Add(this.label1); - this.Controls.Add(this.groupBox1); + this.Controls.Add(this.BoardPropertiesGroupBox); this.Controls.Add(this.label2); - this.Controls.Add(this.comboBox1); + this.Controls.Add(this.RegionComboBox); this.Controls.Add(this.HelpBtn); this.Controls.Add(this.CancelBtn); this.Controls.Add(this.OkBtn); this.MinimumSize = new System.Drawing.Size(210, 150); this.Name = "NESSyncSettingsForm"; this.ShowIcon = false; - this.Text = "NES Movie Settings"; + this.StartPosition = System.Windows.Forms.FormStartPosition.CenterParent; + this.Text = "NES Advanced Settings"; this.Load += new System.EventHandler(this.NESSyncSettingsForm_Load); ((System.ComponentModel.ISupportInitialize)(this.dataGridView1)).EndInit(); - this.groupBox1.ResumeLayout(false); + this.BoardPropertiesGroupBox.ResumeLayout(false); this.ResumeLayout(false); this.PerformLayout(); @@ -157,10 +169,11 @@ private System.Windows.Forms.Button OkBtn; private System.Windows.Forms.Button CancelBtn; private System.Windows.Forms.DataGridView dataGridView1; - private System.Windows.Forms.ComboBox comboBox1; + private System.Windows.Forms.ComboBox RegionComboBox; private System.Windows.Forms.Button HelpBtn; private System.Windows.Forms.Label label2; - private System.Windows.Forms.GroupBox groupBox1; private System.Windows.Forms.Label label1; + internal System.Windows.Forms.GroupBox BoardPropertiesGroupBox; + private System.Windows.Forms.Label InfoLabel; } } \ No newline at end of file diff --git a/BizHawk.Client.EmuHawk/config/NES/NESSyncSettingsForm.cs b/BizHawk.Client.EmuHawk/config/NES/NESSyncSettingsForm.cs index d1c44add32..d0d85e7318 100644 --- a/BizHawk.Client.EmuHawk/config/NES/NESSyncSettingsForm.cs +++ b/BizHawk.Client.EmuHawk/config/NES/NESSyncSettingsForm.cs @@ -19,13 +19,26 @@ namespace BizHawk.Client.EmuHawk public NESSyncSettingsForm() { InitializeComponent(); - SyncSettings = ((NES)Global.Emulator).GetSyncSettings(); - DTDB = new DataTableDictionaryBind(SyncSettings.BoardProperties); - dataGridView1.DataSource = DTDB.Table; - comboBox1.DropDownStyle = ComboBoxStyle.DropDownList; - comboBox1.Items.AddRange(Enum.GetNames(typeof(NES.NESSyncSettings.Region))); - comboBox1.SelectedItem = Enum.GetName(typeof(NES.NESSyncSettings.Region), SyncSettings.RegionOverride); + SyncSettings = ((NES)Global.Emulator).GetSyncSettings(); + + if ((Global.Emulator as NES).HasMapperProperties) + { + + DTDB = new DataTableDictionaryBind(SyncSettings.BoardProperties); + dataGridView1.DataSource = DTDB.Table; + InfoLabel.Visible = false; + } + else + { + BoardPropertiesGroupBox.Enabled = false; + dataGridView1.DataSource = null; + dataGridView1.Enabled = false; + InfoLabel.Visible = true; + } + + RegionComboBox.Items.AddRange(Enum.GetNames(typeof(NES.NESSyncSettings.Region))); + RegionComboBox.SelectedItem = Enum.GetName(typeof(NES.NESSyncSettings.Region), SyncSettings.RegionOverride); } private void CancelBtn_Click(object sender, EventArgs e) @@ -41,9 +54,9 @@ namespace BizHawk.Client.EmuHawk SyncSettings.RegionOverride = (NES.NESSyncSettings.Region) Enum.Parse( typeof(NES.NESSyncSettings.Region), - (string)comboBox1.SelectedItem); + (string)RegionComboBox.SelectedItem); - bool changed = DTDB.WasModified || + bool changed = (DTDB != null && DTDB.WasModified) || old != SyncSettings.RegionOverride; DialogResult = DialogResult.OK; @@ -55,7 +68,12 @@ namespace BizHawk.Client.EmuHawk private void HelpBtn_Click(object sender, EventArgs e) { - MessageBox.Show(this, "Board Properties are special per-mapper system settings. They are only useful to advanced users creating Tool Assisted Superplays. No support will be provided if you break something with them.", "Help"); + MessageBox.Show( + this, + "Board Properties are special per-mapper system settings. They are only useful to advanced users creating Tool Assisted Superplays. No support will be provided if you break something with them.", + "Help", + MessageBoxButtons.OK, + MessageBoxIcon.Information); } private void NESSyncSettingsForm_Load(object sender, EventArgs e) diff --git a/BizHawk.Client.EmuHawk/config/NES/NesControllerSettings.cs b/BizHawk.Client.EmuHawk/config/NES/NesControllerSettings.cs index c6d641bbeb..94e7d82c6b 100644 --- a/BizHawk.Client.EmuHawk/config/NES/NesControllerSettings.cs +++ b/BizHawk.Client.EmuHawk/config/NES/NesControllerSettings.cs @@ -58,8 +58,6 @@ namespace BizHawk.Client.EmuHawk SyncSettings.Controls = ctrls; - SyncSettings.Controls = ctrls; - if (changed) { GlobalWin.MainForm.PutCoreSyncSettings(SyncSettings); diff --git a/BizHawk.Client.EmuHawk/config/PSX/PSXControllerConfig.Designer.cs b/BizHawk.Client.EmuHawk/config/PSX/PSXControllerConfig.Designer.cs deleted file mode 100644 index 53b63184be..0000000000 --- a/BizHawk.Client.EmuHawk/config/PSX/PSXControllerConfig.Designer.cs +++ /dev/null @@ -1,82 +0,0 @@ -namespace BizHawk.Client.EmuHawk -{ - partial class PSXControllerConfig - { - /// - /// Required designer variable. - /// - private System.ComponentModel.IContainer components = null; - - /// - /// Clean up any resources being used. - /// - /// true if managed resources should be disposed; otherwise, false. - protected override void Dispose(bool disposing) - { - if (disposing && (components != null)) - { - components.Dispose(); - } - base.Dispose(disposing); - } - - #region Windows Form Designer generated code - - /// - /// Required method for Designer support - do not modify - /// the contents of this method with the code editor. - /// - private void InitializeComponent() - { - System.ComponentModel.ComponentResourceManager resources = new System.ComponentModel.ComponentResourceManager(typeof(PSXControllerConfig)); - this.CancelBtn = new System.Windows.Forms.Button(); - this.OkBtn = new System.Windows.Forms.Button(); - this.SuspendLayout(); - // - // CancelBtn - // - this.CancelBtn.Anchor = ((System.Windows.Forms.AnchorStyles)((System.Windows.Forms.AnchorStyles.Bottom | System.Windows.Forms.AnchorStyles.Right))); - this.CancelBtn.DialogResult = System.Windows.Forms.DialogResult.Cancel; - this.CancelBtn.Location = new System.Drawing.Point(294, 227); - this.CancelBtn.Name = "CancelBtn"; - this.CancelBtn.Size = new System.Drawing.Size(60, 23); - this.CancelBtn.TabIndex = 5; - this.CancelBtn.Text = "&Cancel"; - this.CancelBtn.UseVisualStyleBackColor = true; - this.CancelBtn.Click += new System.EventHandler(this.CancelBtn_Click); - // - // OkBtn - // - this.OkBtn.Anchor = ((System.Windows.Forms.AnchorStyles)((System.Windows.Forms.AnchorStyles.Bottom | System.Windows.Forms.AnchorStyles.Right))); - this.OkBtn.Location = new System.Drawing.Point(228, 227); - this.OkBtn.Name = "OkBtn"; - this.OkBtn.Size = new System.Drawing.Size(60, 23); - this.OkBtn.TabIndex = 4; - this.OkBtn.Text = "&Ok"; - this.OkBtn.UseVisualStyleBackColor = true; - this.OkBtn.Click += new System.EventHandler(this.OkBtn_Click); - // - // PSXControllerConfig - // - this.AcceptButton = this.OkBtn; - this.AutoScaleDimensions = new System.Drawing.SizeF(6F, 13F); - this.AutoScaleMode = System.Windows.Forms.AutoScaleMode.Font; - this.CancelButton = this.CancelBtn; - this.ClientSize = new System.Drawing.Size(366, 262); - this.Controls.Add(this.CancelBtn); - this.Controls.Add(this.OkBtn); - this.Icon = ((System.Drawing.Icon)(resources.GetObject("$this.Icon"))); - this.Name = "PSXControllerConfig"; - this.StartPosition = System.Windows.Forms.FormStartPosition.CenterParent; - this.Text = "Controller Settings"; - this.Load += new System.EventHandler(this.PSXControllerConfig_Load); - this.ResumeLayout(false); - - } - - #endregion - - private System.Windows.Forms.Button CancelBtn; - private System.Windows.Forms.Button OkBtn; - } -} \ No newline at end of file diff --git a/BizHawk.Client.EmuHawk/config/PSX/PSXControllerConfig.cs b/BizHawk.Client.EmuHawk/config/PSX/PSXControllerConfig.cs deleted file mode 100644 index 9fa2a81b9f..0000000000 --- a/BizHawk.Client.EmuHawk/config/PSX/PSXControllerConfig.cs +++ /dev/null @@ -1,93 +0,0 @@ -using System; -using System.Collections.Generic; -using System.ComponentModel; -using System.Data; -using System.Drawing; -using System.Linq; -using System.Text; -using System.Windows.Forms; - -using BizHawk.Common; -using BizHawk.Emulation.Cores.Sony.PSX; -using BizHawk.Client.Common; -using BizHawk.Client.EmuHawk.WinFormExtensions; -using BizHawk.Common.ReflectionExtensions; - -namespace BizHawk.Client.EmuHawk -{ - public partial class PSXControllerConfig : Form - { - public PSXControllerConfig() - { - InitializeComponent(); - } - - private void PSXControllerConfig_Load(object sender, EventArgs e) - { - var psxSettings = ((Octoshock)Global.Emulator).GetSyncSettings(); - for (int i = 0; i < psxSettings.Controllers.Length; i++) - { - Controls.Add(new Label - { - Text = "Controller " + (i + 1), - Location = new Point(15, 19 + (i * 25)), - Width = 85 - }); - Controls.Add(new CheckBox - { - Text = "Connected", - Name = "Controller" + i, - Location = new Point(105, 15 + (i * 25)), - Checked = psxSettings.Controllers[i].IsConnected, - Width = 90 - }); - - var dropdown = new ComboBox - { - Name = "Controller" + i, - DropDownStyle = ComboBoxStyle.DropDownList, - Location = new Point(200, 15 + (i * 25)) - }; - - dropdown.PopulateFromEnum(psxSettings.Controllers[i].Type); - - Controls.Add(dropdown); - } - } - - private void OkBtn_Click(object sender, EventArgs e) - { - var psxSettings = ((Octoshock)Global.Emulator).GetSyncSettings(); - - Controls - .OfType() - .OrderBy(c => c.Name) - .ToList() - .ForEach(c => - { - var index = int.Parse(c.Name.Replace("Controller", "")); - psxSettings.Controllers[index].IsConnected = c.Checked; - }); - - Controls - .OfType() - .OrderBy(c => c.Name) - .ToList() - .ForEach(c => - { - var index = int.Parse(c.Name.Replace("Controller", "")); - psxSettings.Controllers[index].Type = c.SelectedItem.ToString().GetEnumFromDescription(); - }); - - GlobalWin.MainForm.PutCoreSyncSettings(psxSettings); - DialogResult = DialogResult.OK; - Close(); - } - - private void CancelBtn_Click(object sender, EventArgs e) - { - DialogResult = DialogResult.Cancel; - Close(); - } - } -} diff --git a/BizHawk.Client.EmuHawk/config/PSX/PSXControllerConfigNew.Designer.cs b/BizHawk.Client.EmuHawk/config/PSX/PSXControllerConfigNew.Designer.cs new file mode 100644 index 0000000000..2082194199 --- /dev/null +++ b/BizHawk.Client.EmuHawk/config/PSX/PSXControllerConfigNew.Designer.cs @@ -0,0 +1,494 @@ +namespace BizHawk.Client.EmuHawk +{ + partial class PSXControllerConfigNew + { + /// + /// Required designer variable. + /// + private System.ComponentModel.IContainer components = null; + + /// + /// Clean up any resources being used. + /// + /// true if managed resources should be disposed; otherwise, false. + protected override void Dispose(bool disposing) + { + if (disposing && (components != null)) + { + components.Dispose(); + } + base.Dispose(disposing); + } + + #region Windows Form Designer generated code + + /// + /// Required method for Designer support - do not modify + /// the contents of this method with the code editor. + /// + private void InitializeComponent() + { + System.ComponentModel.ComponentResourceManager resources = new System.ComponentModel.ComponentResourceManager(typeof(PSXControllerConfigNew)); + this.cbMultitap_1 = new System.Windows.Forms.CheckBox(); + this.groupBox1 = new System.Windows.Forms.GroupBox(); + this.lbl_p_1_4 = new System.Windows.Forms.Label(); + this.lbl_p_1_3 = new System.Windows.Forms.Label(); + this.lbl_p_1_2 = new System.Windows.Forms.Label(); + this.lbl_p_1_1 = new System.Windows.Forms.Label(); + this.lbl_1_4 = new System.Windows.Forms.Label(); + this.lbl_1_3 = new System.Windows.Forms.Label(); + this.lbl_1_2 = new System.Windows.Forms.Label(); + this.lbl_1_1 = new System.Windows.Forms.Label(); + this.combo_1_4 = new System.Windows.Forms.ComboBox(); + this.combo_1_3 = new System.Windows.Forms.ComboBox(); + this.combo_1_2 = new System.Windows.Forms.ComboBox(); + this.combo_1_1 = new System.Windows.Forms.ComboBox(); + this.cbMemcard_1 = new System.Windows.Forms.CheckBox(); + this.btnOK = new System.Windows.Forms.Button(); + this.btnCancel = new System.Windows.Forms.Button(); + this.groupBox2 = new System.Windows.Forms.GroupBox(); + this.lbl_p_2_4 = new System.Windows.Forms.Label(); + this.lbl_p_2_3 = new System.Windows.Forms.Label(); + this.lbl_p_2_2 = new System.Windows.Forms.Label(); + this.lbl_p_2_1 = new System.Windows.Forms.Label(); + this.lbl_2_4 = new System.Windows.Forms.Label(); + this.lbl_2_3 = new System.Windows.Forms.Label(); + this.lbl_2_2 = new System.Windows.Forms.Label(); + this.lbl_2_1 = new System.Windows.Forms.Label(); + this.combo_2_4 = new System.Windows.Forms.ComboBox(); + this.combo_2_3 = new System.Windows.Forms.ComboBox(); + this.combo_2_2 = new System.Windows.Forms.ComboBox(); + this.combo_2_1 = new System.Windows.Forms.ComboBox(); + this.cbMemcard_2 = new System.Windows.Forms.CheckBox(); + this.cbMultitap_2 = new System.Windows.Forms.CheckBox(); + this.label1 = new System.Windows.Forms.Label(); + this.groupBox1.SuspendLayout(); + this.groupBox2.SuspendLayout(); + this.SuspendLayout(); + // + // cbMultitap_1 + // + this.cbMultitap_1.AutoSize = true; + this.cbMultitap_1.Enabled = false; + this.cbMultitap_1.Location = new System.Drawing.Point(18, 43); + this.cbMultitap_1.Name = "cbMultitap_1"; + this.cbMultitap_1.Size = new System.Drawing.Size(63, 17); + this.cbMultitap_1.TabIndex = 0; + this.cbMultitap_1.Text = "Multitap"; + this.cbMultitap_1.UseVisualStyleBackColor = true; + this.cbMultitap_1.CheckedChanged += new System.EventHandler(this.cb_changed); + // + // groupBox1 + // + this.groupBox1.Controls.Add(this.lbl_p_1_4); + this.groupBox1.Controls.Add(this.lbl_p_1_3); + this.groupBox1.Controls.Add(this.lbl_p_1_2); + this.groupBox1.Controls.Add(this.lbl_p_1_1); + this.groupBox1.Controls.Add(this.lbl_1_4); + this.groupBox1.Controls.Add(this.lbl_1_3); + this.groupBox1.Controls.Add(this.lbl_1_2); + this.groupBox1.Controls.Add(this.lbl_1_1); + this.groupBox1.Controls.Add(this.combo_1_4); + this.groupBox1.Controls.Add(this.combo_1_3); + this.groupBox1.Controls.Add(this.combo_1_2); + this.groupBox1.Controls.Add(this.combo_1_1); + this.groupBox1.Controls.Add(this.cbMemcard_1); + this.groupBox1.Controls.Add(this.cbMultitap_1); + this.groupBox1.Location = new System.Drawing.Point(12, 12); + this.groupBox1.Name = "groupBox1"; + this.groupBox1.Size = new System.Drawing.Size(273, 136); + this.groupBox1.TabIndex = 1; + this.groupBox1.TabStop = false; + this.groupBox1.Text = "Port 1"; + // + // lbl_p_1_4 + // + this.lbl_p_1_4.AutoSize = true; + this.lbl_p_1_4.Location = new System.Drawing.Point(241, 105); + this.lbl_p_1_4.Name = "lbl_p_1_4"; + this.lbl_p_1_4.Size = new System.Drawing.Size(20, 13); + this.lbl_p_1_4.TabIndex = 12; + this.lbl_p_1_4.Text = "P1"; + this.lbl_p_1_4.TextAlign = System.Drawing.ContentAlignment.MiddleRight; + // + // lbl_p_1_3 + // + this.lbl_p_1_3.AutoSize = true; + this.lbl_p_1_3.Location = new System.Drawing.Point(241, 78); + this.lbl_p_1_3.Name = "lbl_p_1_3"; + this.lbl_p_1_3.Size = new System.Drawing.Size(20, 13); + this.lbl_p_1_3.TabIndex = 11; + this.lbl_p_1_3.Text = "P1"; + this.lbl_p_1_3.TextAlign = System.Drawing.ContentAlignment.MiddleRight; + // + // lbl_p_1_2 + // + this.lbl_p_1_2.AutoSize = true; + this.lbl_p_1_2.Location = new System.Drawing.Point(241, 50); + this.lbl_p_1_2.Name = "lbl_p_1_2"; + this.lbl_p_1_2.Size = new System.Drawing.Size(20, 13); + this.lbl_p_1_2.TabIndex = 10; + this.lbl_p_1_2.Text = "P1"; + this.lbl_p_1_2.TextAlign = System.Drawing.ContentAlignment.MiddleRight; + // + // lbl_p_1_1 + // + this.lbl_p_1_1.AutoSize = true; + this.lbl_p_1_1.Location = new System.Drawing.Point(241, 24); + this.lbl_p_1_1.Name = "lbl_p_1_1"; + this.lbl_p_1_1.Size = new System.Drawing.Size(20, 13); + this.lbl_p_1_1.TabIndex = 9; + this.lbl_p_1_1.Text = "P1"; + this.lbl_p_1_1.TextAlign = System.Drawing.ContentAlignment.MiddleRight; + // + // lbl_1_4 + // + this.lbl_1_4.AutoSize = true; + this.lbl_1_4.Location = new System.Drawing.Point(94, 105); + this.lbl_1_4.Name = "lbl_1_4"; + this.lbl_1_4.Size = new System.Drawing.Size(15, 13); + this.lbl_1_4.TabIndex = 8; + this.lbl_1_4.Text = "D"; + this.lbl_1_4.TextAlign = System.Drawing.ContentAlignment.MiddleRight; + // + // lbl_1_3 + // + this.lbl_1_3.AutoSize = true; + this.lbl_1_3.Location = new System.Drawing.Point(94, 78); + this.lbl_1_3.Name = "lbl_1_3"; + this.lbl_1_3.Size = new System.Drawing.Size(14, 13); + this.lbl_1_3.TabIndex = 7; + this.lbl_1_3.Text = "C"; + this.lbl_1_3.TextAlign = System.Drawing.ContentAlignment.MiddleRight; + // + // lbl_1_2 + // + this.lbl_1_2.AutoSize = true; + this.lbl_1_2.Location = new System.Drawing.Point(94, 51); + this.lbl_1_2.Name = "lbl_1_2"; + this.lbl_1_2.Size = new System.Drawing.Size(14, 13); + this.lbl_1_2.TabIndex = 6; + this.lbl_1_2.Text = "B"; + this.lbl_1_2.TextAlign = System.Drawing.ContentAlignment.MiddleRight; + // + // lbl_1_1 + // + this.lbl_1_1.AutoSize = true; + this.lbl_1_1.Location = new System.Drawing.Point(94, 24); + this.lbl_1_1.Name = "lbl_1_1"; + this.lbl_1_1.Size = new System.Drawing.Size(14, 13); + this.lbl_1_1.TabIndex = 2; + this.lbl_1_1.Text = "A"; + this.lbl_1_1.TextAlign = System.Drawing.ContentAlignment.MiddleRight; + // + // combo_1_4 + // + this.combo_1_4.DropDownStyle = System.Windows.Forms.ComboBoxStyle.DropDownList; + this.combo_1_4.FormattingEnabled = true; + this.combo_1_4.Location = new System.Drawing.Point(114, 102); + this.combo_1_4.Name = "combo_1_4"; + this.combo_1_4.Size = new System.Drawing.Size(121, 21); + this.combo_1_4.TabIndex = 5; + this.combo_1_4.SelectedIndexChanged += new System.EventHandler(this.combo_SelectedIndexChanged); + // + // combo_1_3 + // + this.combo_1_3.DropDownStyle = System.Windows.Forms.ComboBoxStyle.DropDownList; + this.combo_1_3.FormattingEnabled = true; + this.combo_1_3.Location = new System.Drawing.Point(114, 75); + this.combo_1_3.Name = "combo_1_3"; + this.combo_1_3.Size = new System.Drawing.Size(121, 21); + this.combo_1_3.TabIndex = 4; + this.combo_1_3.SelectedIndexChanged += new System.EventHandler(this.combo_SelectedIndexChanged); + // + // combo_1_2 + // + this.combo_1_2.DropDownStyle = System.Windows.Forms.ComboBoxStyle.DropDownList; + this.combo_1_2.FormattingEnabled = true; + this.combo_1_2.Location = new System.Drawing.Point(114, 48); + this.combo_1_2.Name = "combo_1_2"; + this.combo_1_2.Size = new System.Drawing.Size(121, 21); + this.combo_1_2.TabIndex = 3; + this.combo_1_2.SelectedIndexChanged += new System.EventHandler(this.combo_SelectedIndexChanged); + // + // combo_1_1 + // + this.combo_1_1.DropDownStyle = System.Windows.Forms.ComboBoxStyle.DropDownList; + this.combo_1_1.FormattingEnabled = true; + this.combo_1_1.Location = new System.Drawing.Point(114, 21); + this.combo_1_1.Name = "combo_1_1"; + this.combo_1_1.Size = new System.Drawing.Size(121, 21); + this.combo_1_1.TabIndex = 2; + this.combo_1_1.SelectedIndexChanged += new System.EventHandler(this.combo_SelectedIndexChanged); + // + // cbMemcard_1 + // + this.cbMemcard_1.AutoSize = true; + this.cbMemcard_1.Location = new System.Drawing.Point(18, 21); + this.cbMemcard_1.Name = "cbMemcard_1"; + this.cbMemcard_1.Size = new System.Drawing.Size(70, 17); + this.cbMemcard_1.TabIndex = 1; + this.cbMemcard_1.Text = "Memcard"; + this.cbMemcard_1.UseVisualStyleBackColor = true; + this.cbMemcard_1.CheckedChanged += new System.EventHandler(this.cb_changed); + // + // btnOK + // + this.btnOK.DialogResult = System.Windows.Forms.DialogResult.OK; + this.btnOK.Location = new System.Drawing.Point(408, 163); + this.btnOK.Name = "btnOK"; + this.btnOK.Size = new System.Drawing.Size(75, 23); + this.btnOK.TabIndex = 2; + this.btnOK.Text = "OK"; + this.btnOK.UseVisualStyleBackColor = true; + this.btnOK.Click += new System.EventHandler(this.btnOK_Click); + // + // btnCancel + // + this.btnCancel.DialogResult = System.Windows.Forms.DialogResult.Cancel; + this.btnCancel.Location = new System.Drawing.Point(489, 163); + this.btnCancel.Name = "btnCancel"; + this.btnCancel.Size = new System.Drawing.Size(75, 23); + this.btnCancel.TabIndex = 3; + this.btnCancel.Text = "Cancel"; + this.btnCancel.UseVisualStyleBackColor = true; + // + // groupBox2 + // + this.groupBox2.Controls.Add(this.lbl_p_2_4); + this.groupBox2.Controls.Add(this.lbl_p_2_3); + this.groupBox2.Controls.Add(this.lbl_p_2_2); + this.groupBox2.Controls.Add(this.lbl_p_2_1); + this.groupBox2.Controls.Add(this.lbl_2_4); + this.groupBox2.Controls.Add(this.lbl_2_3); + this.groupBox2.Controls.Add(this.lbl_2_2); + this.groupBox2.Controls.Add(this.lbl_2_1); + this.groupBox2.Controls.Add(this.combo_2_4); + this.groupBox2.Controls.Add(this.combo_2_3); + this.groupBox2.Controls.Add(this.combo_2_2); + this.groupBox2.Controls.Add(this.combo_2_1); + this.groupBox2.Controls.Add(this.cbMemcard_2); + this.groupBox2.Controls.Add(this.cbMultitap_2); + this.groupBox2.Location = new System.Drawing.Point(291, 12); + this.groupBox2.Name = "groupBox2"; + this.groupBox2.Size = new System.Drawing.Size(273, 136); + this.groupBox2.TabIndex = 13; + this.groupBox2.TabStop = false; + this.groupBox2.Text = "Port 2"; + // + // lbl_p_2_4 + // + this.lbl_p_2_4.AutoSize = true; + this.lbl_p_2_4.Location = new System.Drawing.Point(241, 105); + this.lbl_p_2_4.Name = "lbl_p_2_4"; + this.lbl_p_2_4.Size = new System.Drawing.Size(20, 13); + this.lbl_p_2_4.TabIndex = 12; + this.lbl_p_2_4.Text = "P1"; + this.lbl_p_2_4.TextAlign = System.Drawing.ContentAlignment.MiddleRight; + // + // lbl_p_2_3 + // + this.lbl_p_2_3.AutoSize = true; + this.lbl_p_2_3.Location = new System.Drawing.Point(241, 78); + this.lbl_p_2_3.Name = "lbl_p_2_3"; + this.lbl_p_2_3.Size = new System.Drawing.Size(20, 13); + this.lbl_p_2_3.TabIndex = 11; + this.lbl_p_2_3.Text = "P1"; + this.lbl_p_2_3.TextAlign = System.Drawing.ContentAlignment.MiddleRight; + // + // lbl_p_2_2 + // + this.lbl_p_2_2.AutoSize = true; + this.lbl_p_2_2.Location = new System.Drawing.Point(241, 50); + this.lbl_p_2_2.Name = "lbl_p_2_2"; + this.lbl_p_2_2.Size = new System.Drawing.Size(20, 13); + this.lbl_p_2_2.TabIndex = 10; + this.lbl_p_2_2.Text = "P1"; + this.lbl_p_2_2.TextAlign = System.Drawing.ContentAlignment.MiddleRight; + // + // lbl_p_2_1 + // + this.lbl_p_2_1.AutoSize = true; + this.lbl_p_2_1.Location = new System.Drawing.Point(241, 24); + this.lbl_p_2_1.Name = "lbl_p_2_1"; + this.lbl_p_2_1.Size = new System.Drawing.Size(20, 13); + this.lbl_p_2_1.TabIndex = 9; + this.lbl_p_2_1.Text = "P1"; + this.lbl_p_2_1.TextAlign = System.Drawing.ContentAlignment.MiddleRight; + // + // lbl_2_4 + // + this.lbl_2_4.AutoSize = true; + this.lbl_2_4.Location = new System.Drawing.Point(94, 105); + this.lbl_2_4.Name = "lbl_2_4"; + this.lbl_2_4.Size = new System.Drawing.Size(15, 13); + this.lbl_2_4.TabIndex = 8; + this.lbl_2_4.Text = "D"; + this.lbl_2_4.TextAlign = System.Drawing.ContentAlignment.MiddleRight; + // + // lbl_2_3 + // + this.lbl_2_3.AutoSize = true; + this.lbl_2_3.Location = new System.Drawing.Point(94, 78); + this.lbl_2_3.Name = "lbl_2_3"; + this.lbl_2_3.Size = new System.Drawing.Size(14, 13); + this.lbl_2_3.TabIndex = 7; + this.lbl_2_3.Text = "C"; + this.lbl_2_3.TextAlign = System.Drawing.ContentAlignment.MiddleRight; + // + // lbl_2_2 + // + this.lbl_2_2.AutoSize = true; + this.lbl_2_2.Location = new System.Drawing.Point(94, 51); + this.lbl_2_2.Name = "lbl_2_2"; + this.lbl_2_2.Size = new System.Drawing.Size(14, 13); + this.lbl_2_2.TabIndex = 6; + this.lbl_2_2.Text = "B"; + this.lbl_2_2.TextAlign = System.Drawing.ContentAlignment.MiddleRight; + // + // lbl_2_1 + // + this.lbl_2_1.AutoSize = true; + this.lbl_2_1.Location = new System.Drawing.Point(94, 24); + this.lbl_2_1.Name = "lbl_2_1"; + this.lbl_2_1.Size = new System.Drawing.Size(14, 13); + this.lbl_2_1.TabIndex = 2; + this.lbl_2_1.Text = "A"; + this.lbl_2_1.TextAlign = System.Drawing.ContentAlignment.MiddleRight; + // + // combo_2_4 + // + this.combo_2_4.DropDownStyle = System.Windows.Forms.ComboBoxStyle.DropDownList; + this.combo_2_4.FormattingEnabled = true; + this.combo_2_4.Location = new System.Drawing.Point(114, 102); + this.combo_2_4.Name = "combo_2_4"; + this.combo_2_4.Size = new System.Drawing.Size(121, 21); + this.combo_2_4.TabIndex = 5; + this.combo_2_4.SelectedIndexChanged += new System.EventHandler(this.combo_SelectedIndexChanged); + // + // combo_2_3 + // + this.combo_2_3.DropDownStyle = System.Windows.Forms.ComboBoxStyle.DropDownList; + this.combo_2_3.FormattingEnabled = true; + this.combo_2_3.Location = new System.Drawing.Point(114, 75); + this.combo_2_3.Name = "combo_2_3"; + this.combo_2_3.Size = new System.Drawing.Size(121, 21); + this.combo_2_3.TabIndex = 4; + this.combo_2_3.SelectedIndexChanged += new System.EventHandler(this.combo_SelectedIndexChanged); + // + // combo_2_2 + // + this.combo_2_2.DropDownStyle = System.Windows.Forms.ComboBoxStyle.DropDownList; + this.combo_2_2.FormattingEnabled = true; + this.combo_2_2.Location = new System.Drawing.Point(114, 48); + this.combo_2_2.Name = "combo_2_2"; + this.combo_2_2.Size = new System.Drawing.Size(121, 21); + this.combo_2_2.TabIndex = 3; + this.combo_2_2.SelectedIndexChanged += new System.EventHandler(this.combo_SelectedIndexChanged); + // + // combo_2_1 + // + this.combo_2_1.DropDownStyle = System.Windows.Forms.ComboBoxStyle.DropDownList; + this.combo_2_1.FormattingEnabled = true; + this.combo_2_1.Location = new System.Drawing.Point(114, 21); + this.combo_2_1.Name = "combo_2_1"; + this.combo_2_1.Size = new System.Drawing.Size(121, 21); + this.combo_2_1.TabIndex = 2; + this.combo_2_1.SelectedIndexChanged += new System.EventHandler(this.combo_SelectedIndexChanged); + // + // cbMemcard_2 + // + this.cbMemcard_2.AutoSize = true; + this.cbMemcard_2.Location = new System.Drawing.Point(18, 21); + this.cbMemcard_2.Name = "cbMemcard_2"; + this.cbMemcard_2.Size = new System.Drawing.Size(70, 17); + this.cbMemcard_2.TabIndex = 1; + this.cbMemcard_2.Text = "Memcard"; + this.cbMemcard_2.UseVisualStyleBackColor = true; + this.cbMemcard_2.CheckedChanged += new System.EventHandler(this.cb_changed); + // + // cbMultitap_2 + // + this.cbMultitap_2.AutoSize = true; + this.cbMultitap_2.Enabled = false; + this.cbMultitap_2.Location = new System.Drawing.Point(18, 43); + this.cbMultitap_2.Name = "cbMultitap_2"; + this.cbMultitap_2.Size = new System.Drawing.Size(63, 17); + this.cbMultitap_2.TabIndex = 0; + this.cbMultitap_2.Text = "Multitap"; + this.cbMultitap_2.UseVisualStyleBackColor = true; + this.cbMultitap_2.CheckedChanged += new System.EventHandler(this.cb_changed); + // + // label1 + // + this.label1.AutoSize = true; + this.label1.Location = new System.Drawing.Point(13, 172); + this.label1.Name = "label1"; + this.label1.Size = new System.Drawing.Size(177, 13); + this.label1.TabIndex = 14; + this.label1.Text = "Sorry, multitap not supported just yet"; + // + // PSXControllerConfigNew + // + this.AutoScaleDimensions = new System.Drawing.SizeF(6F, 13F); + this.AutoScaleMode = System.Windows.Forms.AutoScaleMode.Font; + this.CancelButton = this.btnCancel; + this.ClientSize = new System.Drawing.Size(586, 201); + this.Controls.Add(this.label1); + this.Controls.Add(this.groupBox2); + this.Controls.Add(this.btnCancel); + this.Controls.Add(this.btnOK); + this.Controls.Add(this.groupBox1); + this.FormBorderStyle = System.Windows.Forms.FormBorderStyle.FixedDialog; + this.Icon = ((System.Drawing.Icon)(resources.GetObject("$this.Icon"))); + this.MaximizeBox = false; + this.MinimizeBox = false; + this.Name = "PSXControllerConfigNew"; + this.Text = "Controller / Memcard Configuration"; + this.Load += new System.EventHandler(this.PSXControllerConfigNew_Load); + this.groupBox1.ResumeLayout(false); + this.groupBox1.PerformLayout(); + this.groupBox2.ResumeLayout(false); + this.groupBox2.PerformLayout(); + this.ResumeLayout(false); + this.PerformLayout(); + + } + + #endregion + + private System.Windows.Forms.CheckBox cbMultitap_1; + private System.Windows.Forms.GroupBox groupBox1; + private System.Windows.Forms.Label lbl_p_1_4; + private System.Windows.Forms.Label lbl_p_1_3; + private System.Windows.Forms.Label lbl_p_1_2; + private System.Windows.Forms.Label lbl_p_1_1; + private System.Windows.Forms.Label lbl_1_4; + private System.Windows.Forms.Label lbl_1_3; + private System.Windows.Forms.Label lbl_1_2; + private System.Windows.Forms.Label lbl_1_1; + private System.Windows.Forms.ComboBox combo_1_4; + private System.Windows.Forms.ComboBox combo_1_3; + private System.Windows.Forms.ComboBox combo_1_2; + private System.Windows.Forms.ComboBox combo_1_1; + private System.Windows.Forms.CheckBox cbMemcard_1; + private System.Windows.Forms.Button btnOK; + private System.Windows.Forms.Button btnCancel; + private System.Windows.Forms.GroupBox groupBox2; + private System.Windows.Forms.Label lbl_p_2_4; + private System.Windows.Forms.Label lbl_p_2_3; + private System.Windows.Forms.Label lbl_p_2_2; + private System.Windows.Forms.Label lbl_p_2_1; + private System.Windows.Forms.Label lbl_2_4; + private System.Windows.Forms.Label lbl_2_3; + private System.Windows.Forms.Label lbl_2_2; + private System.Windows.Forms.Label lbl_2_1; + private System.Windows.Forms.ComboBox combo_2_4; + private System.Windows.Forms.ComboBox combo_2_3; + private System.Windows.Forms.ComboBox combo_2_2; + private System.Windows.Forms.ComboBox combo_2_1; + private System.Windows.Forms.CheckBox cbMemcard_2; + private System.Windows.Forms.CheckBox cbMultitap_2; + private System.Windows.Forms.Label label1; + } +} \ No newline at end of file diff --git a/BizHawk.Client.EmuHawk/config/PSX/PSXControllerConfigNew.cs b/BizHawk.Client.EmuHawk/config/PSX/PSXControllerConfigNew.cs new file mode 100644 index 0000000000..0c4ab7d700 --- /dev/null +++ b/BizHawk.Client.EmuHawk/config/PSX/PSXControllerConfigNew.cs @@ -0,0 +1,148 @@ +using System; +using System.Collections.Generic; +using System.ComponentModel; +using System.Data; +using System.Drawing; +using System.Linq; +using System.Text; +using System.Windows.Forms; + +using BizHawk.Common; +using BizHawk.Emulation.Cores.Sony.PSX; +using BizHawk.Client.Common; +using BizHawk.Client.EmuHawk.WinFormExtensions; +using BizHawk.Common.ReflectionExtensions; + +namespace BizHawk.Client.EmuHawk +{ + public partial class PSXControllerConfigNew : Form + { + public PSXControllerConfigNew() + { + InitializeComponent(); + } + + private void PSXControllerConfigNew_Load(object sender, EventArgs e) + { + //populate combo boxes + foreach(var combo in new[]{combo_1_1,combo_1_2,combo_1_3,combo_1_4,combo_2_1,combo_2_2,combo_2_3,combo_2_4}) + { + combo.Items.Add("-Nothing-"); + combo.Items.Add("Gamepad"); + combo.Items.Add("Dual Shock"); + combo.Items.Add("Dual Analog"); + combo.SelectedIndex = 0; + } + + var psxSettings = ((Octoshock)Global.Emulator).GetSyncSettings(); + GuiFromUserConfig(psxSettings.FIOConfig); + + RefreshLabels(); + } + + void GuiFromUserConfig(OctoshockFIOConfigUser user) + { + cbMemcard_1.Checked = user.Memcards[0]; + cbMemcard_2.Checked = user.Memcards[1]; + cbMultitap_1.Checked = user.Multitaps[0]; + cbMultitap_2.Checked = user.Multitaps[1]; + + var combos = new[] { combo_1_1, combo_1_2, combo_1_3, combo_1_4, combo_2_1, combo_2_2, combo_2_3, combo_2_4 }; + for (int i = 0; i < 8; i++) + { + var combo = combos[i]; + if (user.Devices8[i] == OctoshockDll.ePeripheralType.None) combo.SelectedIndex = 0; + if (user.Devices8[i] == OctoshockDll.ePeripheralType.DualAnalog) combo.SelectedIndex = 1; + if (user.Devices8[i] == OctoshockDll.ePeripheralType.DualShock) combo.SelectedIndex = 2; + } + } + + OctoshockFIOConfigUser UserConfigFromGui() + { + OctoshockFIOConfigUser uc = new OctoshockFIOConfigUser(); + + uc.Memcards[0] = cbMemcard_1.Checked; + uc.Memcards[1] = cbMemcard_2.Checked; + + uc.Multitaps[0] = cbMultitap_1.Checked; + uc.Multitaps[1] = cbMultitap_2.Checked; + + var combos = new[] { combo_1_1, combo_1_2, combo_1_3, combo_1_4, combo_2_1, combo_2_2, combo_2_3, combo_2_4 }; + for (int i = 0; i < 8; i++) + { + var combo = combos[i]; + if (combo.SelectedIndex == 0) uc.Devices8[i] = OctoshockDll.ePeripheralType.None; + if (combo.SelectedIndex == 1) uc.Devices8[i] = OctoshockDll.ePeripheralType.DualAnalog; + if (combo.SelectedIndex == 2) uc.Devices8[i] = OctoshockDll.ePeripheralType.DualShock; + } + + return uc; + } + + void RefreshLabels() + { + var uc = UserConfigFromGui(); + + bool b1 = uc.Multitaps[0]; + lbl_1_1.Visible = b1; + lbl_1_2.Visible = b1; + lbl_1_3.Visible = b1; + lbl_1_4.Visible = b1; + combo_1_2.Enabled = b1; + combo_1_3.Enabled = b1; + combo_1_4.Enabled = b1; + lbl_p_1_2.Visible = b1; + lbl_p_1_3.Visible = b1; + lbl_p_1_4.Visible = b1; + + bool b2 = uc.Multitaps[1]; + lbl_2_1.Visible = b2; + lbl_2_2.Visible = b2; + lbl_2_3.Visible = b2; + lbl_2_4.Visible = b2; + combo_2_2.Enabled = b2; + combo_2_3.Enabled = b2; + combo_2_4.Enabled = b2; + lbl_p_2_2.Visible = b2; + lbl_p_2_3.Visible = b2; + lbl_p_2_4.Visible = b2; + + var LC = uc.ToLogical(); + + var p_labels = new[] { lbl_p_1_1,lbl_p_1_2,lbl_p_1_3,lbl_p_1_4,lbl_p_2_1,lbl_p_2_2,lbl_p_2_3,lbl_p_2_4}; + for (int i = 0; i < 8; i++) + { + var lbl = p_labels[i]; + if (LC.PlayerAssignments[i] == -1) + lbl.Visible = false; + else + { + lbl.Text = "P" + LC.PlayerAssignments[i]; + lbl.Visible = true; + } + } + } + + private void cb_changed(object sender, EventArgs e) + { + RefreshLabels(); + } + + private void combo_SelectedIndexChanged(object sender, EventArgs e) + { + RefreshLabels(); + } + + private void btnOK_Click(object sender, EventArgs e) + { + var psxSettings = ((Octoshock)Global.Emulator).GetSyncSettings(); + + psxSettings.FIOConfig = UserConfigFromGui(); + GlobalWin.MainForm.PutCoreSyncSettings(psxSettings); + + DialogResult = DialogResult.OK; + + Close(); + } + } +} diff --git a/BizHawk.Client.EmuHawk/config/PSX/PSXControllerConfig.resx b/BizHawk.Client.EmuHawk/config/PSX/PSXControllerConfigNew.resx similarity index 100% rename from BizHawk.Client.EmuHawk/config/PSX/PSXControllerConfig.resx rename to BizHawk.Client.EmuHawk/config/PSX/PSXControllerConfigNew.resx diff --git a/BizHawk.Client.EmuHawk/config/PSX/PSXOptions.Designer.cs b/BizHawk.Client.EmuHawk/config/PSX/PSXOptions.Designer.cs index caeb103991..c4ea108b5c 100644 --- a/BizHawk.Client.EmuHawk/config/PSX/PSXOptions.Designer.cs +++ b/BizHawk.Client.EmuHawk/config/PSX/PSXOptions.Designer.cs @@ -33,6 +33,7 @@ this.btnCancel = new System.Windows.Forms.Button(); this.btnOk = new System.Windows.Forms.Button(); this.groupBox1 = new System.Windows.Forms.GroupBox(); + this.linkLabel1 = new System.Windows.Forms.LinkLabel(); this.lblTweakedMednafen = new System.Windows.Forms.Label(); this.rbTweakedMednafenMode = new System.Windows.Forms.RadioButton(); this.label3 = new System.Windows.Forms.Label(); @@ -43,31 +44,42 @@ this.lblPixelPro = new System.Windows.Forms.Label(); this.rbPixelPro = new System.Windows.Forms.RadioButton(); this.groupBox2 = new System.Windows.Forms.GroupBox(); + this.groupBox3 = new System.Windows.Forms.GroupBox(); + this.rbClipNone = new System.Windows.Forms.RadioButton(); + this.rbClipToFramebuffer = new System.Windows.Forms.RadioButton(); + this.rbClipBasic = new System.Windows.Forms.RadioButton(); this.lblPAL = new System.Windows.Forms.Label(); this.PAL_LastLineNumeric = new System.Windows.Forms.NumericUpDown(); this.PAL_FirstLineNumeric = new System.Windows.Forms.NumericUpDown(); this.lblNTSC = new System.Windows.Forms.Label(); this.btnAreaFull = new System.Windows.Forms.Button(); - this.checkClipHorizontal = new System.Windows.Forms.CheckBox(); this.label4 = new System.Windows.Forms.Label(); this.label1 = new System.Windows.Forms.Label(); this.NTSC_LastLineNumeric = new System.Windows.Forms.NumericUpDown(); this.NTSC_FirstLineNumeric = new System.Windows.Forms.NumericUpDown(); - this.linkLabel1 = new System.Windows.Forms.LinkLabel(); this.toolTip1 = new System.Windows.Forms.ToolTip(this.components); + this.rbWeave = new System.Windows.Forms.RadioButton(); + this.rbBobOffset = new System.Windows.Forms.RadioButton(); + this.rbBob = new System.Windows.Forms.RadioButton(); + this.groupBox4 = new System.Windows.Forms.GroupBox(); + this.groupBox5 = new System.Windows.Forms.GroupBox(); + this.cbLEC = new System.Windows.Forms.CheckBox(); this.groupBox1.SuspendLayout(); this.groupBox2.SuspendLayout(); + this.groupBox3.SuspendLayout(); ((System.ComponentModel.ISupportInitialize)(this.PAL_LastLineNumeric)).BeginInit(); ((System.ComponentModel.ISupportInitialize)(this.PAL_FirstLineNumeric)).BeginInit(); ((System.ComponentModel.ISupportInitialize)(this.NTSC_LastLineNumeric)).BeginInit(); ((System.ComponentModel.ISupportInitialize)(this.NTSC_FirstLineNumeric)).BeginInit(); + this.groupBox4.SuspendLayout(); + this.groupBox5.SuspendLayout(); this.SuspendLayout(); // // btnCancel // this.btnCancel.Anchor = ((System.Windows.Forms.AnchorStyles)((System.Windows.Forms.AnchorStyles.Bottom | System.Windows.Forms.AnchorStyles.Right))); this.btnCancel.DialogResult = System.Windows.Forms.DialogResult.Cancel; - this.btnCancel.Location = new System.Drawing.Point(622, 262); + this.btnCancel.Location = new System.Drawing.Point(622, 370); this.btnCancel.Name = "btnCancel"; this.btnCancel.Size = new System.Drawing.Size(75, 23); this.btnCancel.TabIndex = 3; @@ -77,7 +89,7 @@ // btnOk // this.btnOk.Anchor = ((System.Windows.Forms.AnchorStyles)((System.Windows.Forms.AnchorStyles.Bottom | System.Windows.Forms.AnchorStyles.Right))); - this.btnOk.Location = new System.Drawing.Point(541, 262); + this.btnOk.Location = new System.Drawing.Point(541, 370); this.btnOk.Name = "btnOk"; this.btnOk.Size = new System.Drawing.Size(75, 23); this.btnOk.TabIndex = 2; @@ -99,14 +111,25 @@ this.groupBox1.Controls.Add(this.rbPixelPro); this.groupBox1.Location = new System.Drawing.Point(12, 7); this.groupBox1.Name = "groupBox1"; - this.groupBox1.Size = new System.Drawing.Size(474, 278); + this.groupBox1.Size = new System.Drawing.Size(474, 293); this.groupBox1.TabIndex = 6; this.groupBox1.TabStop = false; this.groupBox1.Text = "Resolution Management"; // + // linkLabel1 + // + this.linkLabel1.AutoSize = true; + this.linkLabel1.Location = new System.Drawing.Point(326, 254); + this.linkLabel1.Name = "linkLabel1"; + this.linkLabel1.Size = new System.Drawing.Size(53, 13); + this.linkLabel1.TabIndex = 29; + this.linkLabel1.TabStop = true; + this.linkLabel1.Text = "About Me"; + this.linkLabel1.LinkClicked += new System.Windows.Forms.LinkLabelLinkClickedEventHandler(this.linkLabel1_LinkClicked); + // // lblTweakedMednafen // - this.lblTweakedMednafen.Location = new System.Drawing.Point(255, 132); + this.lblTweakedMednafen.Location = new System.Drawing.Point(249, 134); this.lblTweakedMednafen.Name = "lblTweakedMednafen"; this.lblTweakedMednafen.Size = new System.Drawing.Size(213, 93); this.lblTweakedMednafen.TabIndex = 28; @@ -115,7 +138,7 @@ // rbTweakedMednafenMode // this.rbTweakedMednafenMode.AutoSize = true; - this.rbTweakedMednafenMode.Location = new System.Drawing.Point(246, 116); + this.rbTweakedMednafenMode.Location = new System.Drawing.Point(246, 118); this.rbTweakedMednafenMode.Name = "rbTweakedMednafenMode"; this.rbTweakedMednafenMode.Size = new System.Drawing.Size(193, 17); this.rbTweakedMednafenMode.TabIndex = 27; @@ -125,13 +148,13 @@ // // label3 // - this.label3.Location = new System.Drawing.Point(246, 39); + this.label3.Location = new System.Drawing.Point(249, 35); this.label3.Name = "label3"; this.label3.Size = new System.Drawing.Size(213, 82); this.label3.TabIndex = 26; this.label3.Text = "Displays all content unmodified\r\n • Window size will constantly change\r\n • Aspect" + " ratio is usually wrong\r\n • Recommended for hacking\r\n • Ideal for segmented AV d" + - "umping\r\n"; + "umping\r\n • Ideal for screen shots\r\n\r\n"; // // rbDebugMode // @@ -147,7 +170,7 @@ // btnNiceDisplayConfig // this.btnNiceDisplayConfig.AutoSize = true; - this.btnNiceDisplayConfig.Location = new System.Drawing.Point(146, 238); + this.btnNiceDisplayConfig.Location = new System.Drawing.Point(145, 244); this.btnNiceDisplayConfig.Name = "btnNiceDisplayConfig"; this.btnNiceDisplayConfig.Size = new System.Drawing.Size(173, 23); this.btnNiceDisplayConfig.TabIndex = 24; @@ -157,7 +180,7 @@ // // lblMednafen // - this.lblMednafen.Location = new System.Drawing.Point(6, 132); + this.lblMednafen.Location = new System.Drawing.Point(6, 134); this.lblMednafen.Name = "lblMednafen"; this.lblMednafen.Size = new System.Drawing.Size(213, 93); this.lblMednafen.TabIndex = 23; @@ -166,7 +189,7 @@ // rbMednafenMode // this.rbMednafenMode.AutoSize = true; - this.rbMednafenMode.Location = new System.Drawing.Point(6, 116); + this.rbMednafenMode.Location = new System.Drawing.Point(6, 118); this.rbMednafenMode.Name = "rbMednafenMode"; this.rbMednafenMode.Size = new System.Drawing.Size(145, 17); this.rbMednafenMode.TabIndex = 22; @@ -197,27 +220,80 @@ // this.groupBox2.Anchor = ((System.Windows.Forms.AnchorStyles)(((System.Windows.Forms.AnchorStyles.Top | System.Windows.Forms.AnchorStyles.Left) | System.Windows.Forms.AnchorStyles.Right))); + this.groupBox2.Controls.Add(this.groupBox3); this.groupBox2.Controls.Add(this.lblPAL); this.groupBox2.Controls.Add(this.PAL_LastLineNumeric); this.groupBox2.Controls.Add(this.PAL_FirstLineNumeric); this.groupBox2.Controls.Add(this.lblNTSC); this.groupBox2.Controls.Add(this.btnAreaFull); - this.groupBox2.Controls.Add(this.checkClipHorizontal); this.groupBox2.Controls.Add(this.label4); this.groupBox2.Controls.Add(this.label1); this.groupBox2.Controls.Add(this.NTSC_LastLineNumeric); this.groupBox2.Controls.Add(this.NTSC_FirstLineNumeric); this.groupBox2.Location = new System.Drawing.Point(492, 7); this.groupBox2.Name = "groupBox2"; - this.groupBox2.Size = new System.Drawing.Size(212, 160); + this.groupBox2.Size = new System.Drawing.Size(212, 239); this.groupBox2.TabIndex = 31; this.groupBox2.TabStop = false; this.groupBox2.Text = "Drawing Area"; // + // groupBox3 + // + this.groupBox3.Controls.Add(this.rbClipNone); + this.groupBox3.Controls.Add(this.rbClipToFramebuffer); + this.groupBox3.Controls.Add(this.rbClipBasic); + this.groupBox3.Location = new System.Drawing.Point(7, 131); + this.groupBox3.Name = "groupBox3"; + this.groupBox3.Size = new System.Drawing.Size(197, 88); + this.groupBox3.TabIndex = 46; + this.groupBox3.TabStop = false; + this.groupBox3.Text = "Horizontal Overscan Clipping"; + // + // rbClipNone + // + this.rbClipNone.AutoSize = true; + this.rbClipNone.Location = new System.Drawing.Point(6, 19); + this.rbClipNone.Name = "rbClipNone"; + this.rbClipNone.Size = new System.Drawing.Size(51, 17); + this.rbClipNone.TabIndex = 48; + this.rbClipNone.TabStop = true; + this.rbClipNone.Text = "None"; + this.toolTip1.SetToolTip(this.rbClipNone, resources.GetString("rbClipNone.ToolTip")); + this.rbClipNone.UseVisualStyleBackColor = true; + this.rbClipNone.CheckedChanged += new System.EventHandler(this.rbClipNone_CheckedChanged); + // + // rbClipToFramebuffer + // + this.rbClipToFramebuffer.AutoSize = true; + this.rbClipToFramebuffer.Location = new System.Drawing.Point(6, 65); + this.rbClipToFramebuffer.Name = "rbClipToFramebuffer"; + this.rbClipToFramebuffer.Size = new System.Drawing.Size(117, 17); + this.rbClipToFramebuffer.TabIndex = 47; + this.rbClipToFramebuffer.TabStop = true; + this.rbClipToFramebuffer.Text = "Clip To Framebuffer"; + this.toolTip1.SetToolTip(this.rbClipToFramebuffer, "Subverts mednafen\'s internal video display field emulation to show only the game\'" + + "s framebuffer.\r\nHorizontal letterbox bars may be re-added in Mednafen-style reso" + + "lution modes to maintain correct AR."); + this.rbClipToFramebuffer.UseVisualStyleBackColor = true; + this.rbClipToFramebuffer.CheckedChanged += new System.EventHandler(this.rbClipToFramebuffer_CheckedChanged); + // + // rbClipBasic + // + this.rbClipBasic.AutoSize = true; + this.rbClipBasic.Location = new System.Drawing.Point(6, 42); + this.rbClipBasic.Name = "rbClipBasic"; + this.rbClipBasic.Size = new System.Drawing.Size(91, 17); + this.rbClipBasic.TabIndex = 46; + this.rbClipBasic.TabStop = true; + this.rbClipBasic.Text = "Basic Clipping"; + this.toolTip1.SetToolTip(this.rbClipBasic, "A mednafen option -- appears to be 5.5% horizontally"); + this.rbClipBasic.UseVisualStyleBackColor = true; + this.rbClipBasic.CheckedChanged += new System.EventHandler(this.rbClipHorizontal_CheckedChanged); + // // lblPAL // this.lblPAL.AutoSize = true; - this.lblPAL.Location = new System.Drawing.Point(131, 22); + this.lblPAL.Location = new System.Drawing.Point(131, 17); this.lblPAL.Name = "lblPAL"; this.lblPAL.Size = new System.Drawing.Size(27, 13); this.lblPAL.TabIndex = 44; @@ -225,7 +301,7 @@ // // PAL_LastLineNumeric // - this.PAL_LastLineNumeric.Location = new System.Drawing.Point(124, 67); + this.PAL_LastLineNumeric.Location = new System.Drawing.Point(124, 62); this.PAL_LastLineNumeric.Maximum = new decimal(new int[] { 287, 0, @@ -243,7 +319,7 @@ // // PAL_FirstLineNumeric // - this.PAL_FirstLineNumeric.Location = new System.Drawing.Point(124, 41); + this.PAL_FirstLineNumeric.Location = new System.Drawing.Point(124, 36); this.PAL_FirstLineNumeric.Maximum = new decimal(new int[] { 287, 0, @@ -257,7 +333,7 @@ // lblNTSC // this.lblNTSC.AutoSize = true; - this.lblNTSC.Location = new System.Drawing.Point(62, 22); + this.lblNTSC.Location = new System.Drawing.Point(62, 17); this.lblNTSC.Name = "lblNTSC"; this.lblNTSC.Size = new System.Drawing.Size(36, 13); this.lblNTSC.TabIndex = 41; @@ -265,30 +341,18 @@ // // btnAreaFull // - this.btnAreaFull.Location = new System.Drawing.Point(6, 98); + this.btnAreaFull.Location = new System.Drawing.Point(8, 94); this.btnAreaFull.Name = "btnAreaFull"; - this.btnAreaFull.Size = new System.Drawing.Size(136, 23); + this.btnAreaFull.Size = new System.Drawing.Size(163, 23); this.btnAreaFull.TabIndex = 40; this.btnAreaFull.Text = "Full [0,239] and [0,287]"; this.btnAreaFull.UseVisualStyleBackColor = true; this.btnAreaFull.Click += new System.EventHandler(this.btnAreaFull_Click); // - // checkClipHorizontal - // - this.checkClipHorizontal.AutoSize = true; - this.checkClipHorizontal.Location = new System.Drawing.Point(7, 127); - this.checkClipHorizontal.Name = "checkClipHorizontal"; - this.checkClipHorizontal.Size = new System.Drawing.Size(142, 17); - this.checkClipHorizontal.TabIndex = 30; - this.checkClipHorizontal.Text = "Clip Horizontal Overscan"; - this.toolTip1.SetToolTip(this.checkClipHorizontal, "A mednafen option -- appears to be 5.5% horizontally"); - this.checkClipHorizontal.UseVisualStyleBackColor = true; - this.checkClipHorizontal.CheckedChanged += new System.EventHandler(this.checkClipHorizontal_CheckedChanged); - // // label4 // this.label4.AutoSize = true; - this.label4.Location = new System.Drawing.Point(4, 69); + this.label4.Location = new System.Drawing.Point(4, 64); this.label4.Name = "label4"; this.label4.Size = new System.Drawing.Size(49, 13); this.label4.TabIndex = 24; @@ -297,7 +361,7 @@ // label1 // this.label1.AutoSize = true; - this.label1.Location = new System.Drawing.Point(5, 43); + this.label1.Location = new System.Drawing.Point(5, 38); this.label1.Name = "label1"; this.label1.Size = new System.Drawing.Size(48, 13); this.label1.TabIndex = 23; @@ -305,7 +369,7 @@ // // NTSC_LastLineNumeric // - this.NTSC_LastLineNumeric.Location = new System.Drawing.Point(59, 67); + this.NTSC_LastLineNumeric.Location = new System.Drawing.Point(59, 62); this.NTSC_LastLineNumeric.Maximum = new decimal(new int[] { 239, 0, @@ -323,7 +387,7 @@ // // NTSC_FirstLineNumeric // - this.NTSC_FirstLineNumeric.Location = new System.Drawing.Point(59, 41); + this.NTSC_FirstLineNumeric.Location = new System.Drawing.Point(59, 36); this.NTSC_FirstLineNumeric.Maximum = new decimal(new int[] { 239, 0, @@ -334,16 +398,76 @@ this.NTSC_FirstLineNumeric.TabIndex = 21; this.NTSC_FirstLineNumeric.ValueChanged += new System.EventHandler(this.DrawingArea_ValueChanged); // - // linkLabel1 + // rbWeave // - this.linkLabel1.AutoSize = true; - this.linkLabel1.Location = new System.Drawing.Point(327, 248); - this.linkLabel1.Name = "linkLabel1"; - this.linkLabel1.Size = new System.Drawing.Size(53, 13); - this.linkLabel1.TabIndex = 29; - this.linkLabel1.TabStop = true; - this.linkLabel1.Text = "About Me"; - this.linkLabel1.LinkClicked += new System.Windows.Forms.LinkLabelLinkClickedEventHandler(this.linkLabel1_LinkClicked); + this.rbWeave.AutoSize = true; + this.rbWeave.Location = new System.Drawing.Point(6, 19); + this.rbWeave.Name = "rbWeave"; + this.rbWeave.Size = new System.Drawing.Size(60, 17); + this.rbWeave.TabIndex = 48; + this.rbWeave.TabStop = true; + this.rbWeave.Text = "Weave"; + this.toolTip1.SetToolTip(this.rbWeave, "Good for low-motion video"); + this.rbWeave.UseVisualStyleBackColor = true; + // + // rbBobOffset + // + this.rbBobOffset.AutoSize = true; + this.rbBobOffset.Location = new System.Drawing.Point(122, 19); + this.rbBobOffset.Name = "rbBobOffset"; + this.rbBobOffset.Size = new System.Drawing.Size(75, 17); + this.rbBobOffset.TabIndex = 47; + this.rbBobOffset.TabStop = true; + this.rbBobOffset.Text = "Bob Offset"; + this.toolTip1.SetToolTip(this.rbBobOffset, "Good for high-motion video, but is a bit flickery; reduces the subjective vertica" + + "l resolution."); + this.rbBobOffset.UseVisualStyleBackColor = true; + // + // rbBob + // + this.rbBob.AutoSize = true; + this.rbBob.Location = new System.Drawing.Point(72, 19); + this.rbBob.Name = "rbBob"; + this.rbBob.Size = new System.Drawing.Size(44, 17); + this.rbBob.TabIndex = 46; + this.rbBob.TabStop = true; + this.rbBob.Text = "Bob"; + this.toolTip1.SetToolTip(this.rbBob, "Good for causing a headache. All glory to Bob."); + this.rbBob.UseVisualStyleBackColor = true; + // + // groupBox4 + // + this.groupBox4.Controls.Add(this.rbWeave); + this.groupBox4.Controls.Add(this.rbBobOffset); + this.groupBox4.Controls.Add(this.rbBob); + this.groupBox4.Location = new System.Drawing.Point(492, 251); + this.groupBox4.Name = "groupBox4"; + this.groupBox4.Size = new System.Drawing.Size(212, 49); + this.groupBox4.TabIndex = 50; + this.groupBox4.TabStop = false; + this.groupBox4.Text = "Deinterlacing"; + // + // groupBox5 + // + this.groupBox5.Anchor = ((System.Windows.Forms.AnchorStyles)(((System.Windows.Forms.AnchorStyles.Top | System.Windows.Forms.AnchorStyles.Left) + | System.Windows.Forms.AnchorStyles.Right))); + this.groupBox5.Controls.Add(this.cbLEC); + this.groupBox5.Location = new System.Drawing.Point(12, 306); + this.groupBox5.Name = "groupBox5"; + this.groupBox5.Size = new System.Drawing.Size(299, 85); + this.groupBox5.TabIndex = 47; + this.groupBox5.TabStop = false; + this.groupBox5.Text = "Emulation"; + // + // cbLEC + // + this.cbLEC.AutoSize = true; + this.cbLEC.Location = new System.Drawing.Point(9, 19); + this.cbLEC.Name = "cbLEC"; + this.cbLEC.Size = new System.Drawing.Size(222, 30); + this.cbLEC.TabIndex = 0; + this.cbLEC.Text = "Emulate Sector Error Correction\r\n(usually unneeded; breaks some patches)"; + this.cbLEC.UseVisualStyleBackColor = true; // // PSXOptions // @@ -351,7 +475,9 @@ this.AutoScaleDimensions = new System.Drawing.SizeF(6F, 13F); this.AutoScaleMode = System.Windows.Forms.AutoScaleMode.Font; this.CancelButton = this.btnCancel; - this.ClientSize = new System.Drawing.Size(713, 297); + this.ClientSize = new System.Drawing.Size(713, 405); + this.Controls.Add(this.groupBox5); + this.Controls.Add(this.groupBox4); this.Controls.Add(this.groupBox2); this.Controls.Add(this.groupBox1); this.Controls.Add(this.btnCancel); @@ -365,10 +491,16 @@ this.groupBox1.PerformLayout(); this.groupBox2.ResumeLayout(false); this.groupBox2.PerformLayout(); + this.groupBox3.ResumeLayout(false); + this.groupBox3.PerformLayout(); ((System.ComponentModel.ISupportInitialize)(this.PAL_LastLineNumeric)).EndInit(); ((System.ComponentModel.ISupportInitialize)(this.PAL_FirstLineNumeric)).EndInit(); ((System.ComponentModel.ISupportInitialize)(this.NTSC_LastLineNumeric)).EndInit(); ((System.ComponentModel.ISupportInitialize)(this.NTSC_FirstLineNumeric)).EndInit(); + this.groupBox4.ResumeLayout(false); + this.groupBox4.PerformLayout(); + this.groupBox5.ResumeLayout(false); + this.groupBox5.PerformLayout(); this.ResumeLayout(false); } @@ -393,12 +525,21 @@ private System.Windows.Forms.NumericUpDown PAL_FirstLineNumeric; private System.Windows.Forms.Label lblNTSC; private System.Windows.Forms.Button btnAreaFull; - private System.Windows.Forms.CheckBox checkClipHorizontal; private System.Windows.Forms.Label label4; private System.Windows.Forms.Label label1; private System.Windows.Forms.NumericUpDown NTSC_LastLineNumeric; private System.Windows.Forms.NumericUpDown NTSC_FirstLineNumeric; private System.Windows.Forms.LinkLabel linkLabel1; private System.Windows.Forms.ToolTip toolTip1; + private System.Windows.Forms.GroupBox groupBox3; + private System.Windows.Forms.RadioButton rbClipNone; + private System.Windows.Forms.RadioButton rbClipToFramebuffer; + private System.Windows.Forms.RadioButton rbClipBasic; + private System.Windows.Forms.GroupBox groupBox4; + private System.Windows.Forms.RadioButton rbWeave; + private System.Windows.Forms.RadioButton rbBobOffset; + private System.Windows.Forms.RadioButton rbBob; + private System.Windows.Forms.GroupBox groupBox5; + private System.Windows.Forms.CheckBox cbLEC; } } \ No newline at end of file diff --git a/BizHawk.Client.EmuHawk/config/PSX/PSXOptions.cs b/BizHawk.Client.EmuHawk/config/PSX/PSXOptions.cs index 799edf3319..fea6e3a3b9 100644 --- a/BizHawk.Client.EmuHawk/config/PSX/PSXOptions.cs +++ b/BizHawk.Client.EmuHawk/config/PSX/PSXOptions.cs @@ -17,10 +17,11 @@ namespace BizHawk.Client.EmuHawk //backups of the labels for string replacing string lblPixelPro_text, lblMednafen_text, lblTweakedMednafen_text; - public PSXOptions(Octoshock.Settings settings, OctoshockDll.eVidStandard vidStandard, Size currentVideoSize) + public PSXOptions(Octoshock.Settings settings, Octoshock.SyncSettings syncSettings, OctoshockDll.eVidStandard vidStandard, Size currentVideoSize) { InitializeComponent(); _settings = settings; + _syncSettings = syncSettings; _previewVideoStandard = vidStandard; _previewVideoSize = currentVideoSize; @@ -36,7 +37,15 @@ namespace BizHawk.Client.EmuHawk rbDebugMode.Checked = _settings.ResolutionMode == Octoshock.eResolutionMode.Debug; rbMednafenMode.Checked = _settings.ResolutionMode == Octoshock.eResolutionMode.Mednafen; rbTweakedMednafenMode.Checked = _settings.ResolutionMode == Octoshock.eResolutionMode.TweakedMednafen; - checkClipHorizontal.Checked = _settings.ClipHorizontalOverscan; + rbClipNone.Checked = _settings.HorizontalClipping == Octoshock.eHorizontalClipping.None; + rbClipBasic.Checked = _settings.HorizontalClipping == Octoshock.eHorizontalClipping.Basic; + rbClipToFramebuffer.Checked = _settings.HorizontalClipping == Octoshock.eHorizontalClipping.Framebuffer; + + cbLEC.Checked = _syncSettings.EnableLEC; + + rbWeave.Checked = _settings.DeinterlaceMode == Octoshock.eDeinterlaceMode.Weave; + rbBob.Checked = _settings.DeinterlaceMode == Octoshock.eDeinterlaceMode.Bob; + rbBobOffset.Checked = _settings.DeinterlaceMode == Octoshock.eDeinterlaceMode.BobOffset; NTSC_FirstLineNumeric.Value = _settings.ScanlineStart_NTSC; NTSC_LastLineNumeric.Value = _settings.ScanlineEnd_NTSC; @@ -47,6 +56,7 @@ namespace BizHawk.Client.EmuHawk Size _previewVideoSize; OctoshockDll.eVidStandard _previewVideoStandard; Octoshock.Settings _settings; + Octoshock.SyncSettings _syncSettings; bool _dispSettingsSet = false; private void btnNiceDisplayConfig_Click(object sender, EventArgs e) @@ -62,25 +72,33 @@ namespace BizHawk.Client.EmuHawk var ss = psx.GetSyncSettings(); var vid = psx.SystemVidStandard; var size = psx.CurrentVideoSize; - var dlg = new PSXOptions(s,vid,size); + var dlg = new PSXOptions(s,ss,vid,size); var result = dlg.ShowDialog(owner); return result; } - void SyncGuiToTheseSettings(Octoshock.Settings settings) + void SyncSettingsFromGui(Octoshock.Settings settings, Octoshock.SyncSettings syncSettings) { if (rbPixelPro.Checked) settings.ResolutionMode = Octoshock.eResolutionMode.PixelPro; if (rbDebugMode.Checked) settings.ResolutionMode = Octoshock.eResolutionMode.Debug; if (rbMednafenMode.Checked) settings.ResolutionMode = Octoshock.eResolutionMode.Mednafen; if (rbTweakedMednafenMode.Checked) settings.ResolutionMode = Octoshock.eResolutionMode.TweakedMednafen; - settings.ClipHorizontalOverscan = checkClipHorizontal.Checked; + if (rbClipNone.Checked) settings.HorizontalClipping = Octoshock.eHorizontalClipping.None; + if (rbClipBasic.Checked) settings.HorizontalClipping = Octoshock.eHorizontalClipping.Basic; + if (rbClipToFramebuffer.Checked) settings.HorizontalClipping = Octoshock.eHorizontalClipping.Framebuffer; + + if(rbWeave.Checked) _settings.DeinterlaceMode = Octoshock.eDeinterlaceMode.Weave; + if(rbBob.Checked) _settings.DeinterlaceMode = Octoshock.eDeinterlaceMode.Bob; + if(rbBobOffset.Checked) _settings.DeinterlaceMode = Octoshock.eDeinterlaceMode.BobOffset; settings.ScanlineStart_NTSC = (int)NTSC_FirstLineNumeric.Value; settings.ScanlineEnd_NTSC = (int)NTSC_LastLineNumeric.Value; settings.ScanlineStart_PAL = (int)PAL_FirstLineNumeric.Value; settings.ScanlineEnd_PAL = (int)PAL_LastLineNumeric.Value; + + syncSettings.EnableLEC = cbLEC.Checked; } private void btnOk_Click(object sender, EventArgs e) @@ -93,9 +111,10 @@ namespace BizHawk.Client.EmuHawk Global.Config.DispFinalFilter = 1; //bilinear, I hope } - SyncGuiToTheseSettings(_settings); + SyncSettingsFromGui(_settings, _syncSettings); _settings.Validate(); GlobalWin.MainForm.PutCoreSettings(_settings); + GlobalWin.MainForm.PutCoreSyncSettings(_syncSettings); DialogResult = DialogResult.OK; Close(); @@ -113,7 +132,8 @@ namespace BizHawk.Client.EmuHawk void SyncLabels() { var temp = _settings.Clone(); - SyncGuiToTheseSettings(temp); + var syncTemp = _syncSettings.Clone(); + SyncSettingsFromGui(temp, syncTemp); _settings.Validate(); //actually, I think this is irrelevant. But it's nice in case we want to do some kind of a more detailed simulation later @@ -121,16 +141,16 @@ namespace BizHawk.Client.EmuHawk int h = _previewVideoSize.Height; temp.ResolutionMode = Octoshock.eResolutionMode.PixelPro; - var size = Octoshock.CalculateResolution(_previewVideoStandard, temp, w, h); - lblPixelPro.Text = lblPixelPro_text.Replace("800x480", string.Format("{0}x{1}", size.Width, size.Height)); ; + var ri = Octoshock.CalculateResolution(_previewVideoStandard, temp, w, h); + lblPixelPro.Text = lblPixelPro_text.Replace("800x480", string.Format("{0}x{1}", ri.Resolution.Width, ri.Resolution.Height)); ; temp.ResolutionMode = Octoshock.eResolutionMode.Mednafen; - size = Octoshock.CalculateResolution(_previewVideoStandard, temp, w, h); - lblMednafen.Text = lblMednafen_text.Replace("320x240", string.Format("{0}x{1}", size.Width, size.Height)); + ri = Octoshock.CalculateResolution(_previewVideoStandard, temp, w, h); + lblMednafen.Text = lblMednafen_text.Replace("320x240", string.Format("{0}x{1}", ri.Resolution.Width, ri.Resolution.Height)); temp.ResolutionMode = Octoshock.eResolutionMode.TweakedMednafen; - size = Octoshock.CalculateResolution(_previewVideoStandard, temp, w, h); - lblTweakedMednafen.Text = lblTweakedMednafen_text.Replace("400x300", string.Format("{0}x{1}", size.Width, size.Height)); + ri = Octoshock.CalculateResolution(_previewVideoStandard, temp, w, h); + lblTweakedMednafen.Text = lblTweakedMednafen_text.Replace("400x300", string.Format("{0}x{1}", ri.Resolution.Width, ri.Resolution.Height)); } private void DrawingArea_ValueChanged(object sender, EventArgs e) @@ -138,7 +158,18 @@ namespace BizHawk.Client.EmuHawk SyncLabels(); } - private void checkClipHorizontal_CheckedChanged(object sender, EventArgs e) + + private void rbClipHorizontal_CheckedChanged(object sender, EventArgs e) + { + SyncLabels(); + } + + private void rbClipToFramebuffer_CheckedChanged(object sender, EventArgs e) + { + SyncLabels(); + } + + private void rbClipNone_CheckedChanged(object sender, EventArgs e) { SyncLabels(); } @@ -157,5 +188,7 @@ But: 1. we think we improved on it a tiny bit with the tweaked mode And: 2. It's not suitable for detailed scrutinizing of graphics "); } + + } } diff --git a/BizHawk.Client.EmuHawk/config/PSX/PSXOptions.resx b/BizHawk.Client.EmuHawk/config/PSX/PSXOptions.resx index b4b149e1e2..a35b28cc1e 100644 --- a/BizHawk.Client.EmuHawk/config/PSX/PSXOptions.resx +++ b/BizHawk.Client.EmuHawk/config/PSX/PSXOptions.resx @@ -146,4 +146,9 @@ fit gracefully in a 800x480 window. 17, 17 + + Mednafen adds quite a bit overscan to closely emulate minor quirks of the psx's display output. +Using this option may result in objectionable levels of black bars, but will fix some rare quirks in games. + + \ No newline at end of file diff --git a/BizHawk.Client.EmuHawk/images/BlankCursor.cur b/BizHawk.Client.EmuHawk/images/BlankCursor.cur new file mode 100644 index 0000000000..34ecb1ed43 Binary files /dev/null and b/BizHawk.Client.EmuHawk/images/BlankCursor.cur differ diff --git a/BizHawk.Client.EmuHawk/images/basicbot.ico b/BizHawk.Client.EmuHawk/images/basicbot.ico new file mode 100644 index 0000000000..77e1c4c48b Binary files /dev/null and b/BizHawk.Client.EmuHawk/images/basicbot.ico differ diff --git a/BizHawk.Client.EmuHawk/images/kitchensink.png b/BizHawk.Client.EmuHawk/images/kitchensink.png new file mode 100644 index 0000000000..b5453eb3f2 Binary files /dev/null and b/BizHawk.Client.EmuHawk/images/kitchensink.png differ diff --git a/BizHawk.Client.EmuHawk/images/tastudio/icon_anchor.png b/BizHawk.Client.EmuHawk/images/tastudio/icon_anchor.png new file mode 100644 index 0000000000..e0151ac14d Binary files /dev/null and b/BizHawk.Client.EmuHawk/images/tastudio/icon_anchor.png differ diff --git a/BizHawk.Client.EmuHawk/images/tastudio/icon_anchor_lag.png b/BizHawk.Client.EmuHawk/images/tastudio/icon_anchor_lag.png new file mode 100644 index 0000000000..a1f32b6139 Binary files /dev/null and b/BizHawk.Client.EmuHawk/images/tastudio/icon_anchor_lag.png differ diff --git a/BizHawk.Client.EmuHawk/images/tastudio/icon_marker.png b/BizHawk.Client.EmuHawk/images/tastudio/icon_marker.png new file mode 100644 index 0000000000..8ddcb829ab Binary files /dev/null and b/BizHawk.Client.EmuHawk/images/tastudio/icon_marker.png differ diff --git a/BizHawk.Client.EmuHawk/movie/PlayMovie.cs b/BizHawk.Client.EmuHawk/movie/PlayMovie.cs index 64b15abcab..83e7d91f46 100644 --- a/BizHawk.Client.EmuHawk/movie/PlayMovie.cs +++ b/BizHawk.Client.EmuHawk/movie/PlayMovie.cs @@ -87,26 +87,27 @@ namespace BizHawk.Client.EmuHawk return null; } - var index = IsDuplicateOf(filename); - if (!index.HasValue) + //System.Diagnostics.Stopwatch watch = new System.Diagnostics.Stopwatch(); watch.Start(); + var movie = PreLoadMovieFile(file, force); + if (movie == null) { - //System.Diagnostics.Stopwatch watch = new System.Diagnostics.Stopwatch(); watch.Start(); - var movie = PreLoadMovieFile(file, force); - if (movie == null) - { - return null; - } - //watch.Stop(); Console.WriteLine("[{0}] {1}",watch.ElapsedMilliseconds,Path.GetFileName(filename)); - - lock (_movieList) - { - _movieList.Add(movie); - index = _movieList.Count - 1; - } - - _sortReverse = false; - _sortedCol = string.Empty; + return null; } + //watch.Stop(); Console.WriteLine("[{0}] {1}",watch.ElapsedMilliseconds,Path.GetFileName(filename)); + + int? index; + lock (_movieList) + { + //need to check IsDuplicateOf within the lock + index = IsDuplicateOf(filename); + if (index.HasValue) return index; + + _movieList.Add(movie); + index = _movieList.Count - 1; + } + + _sortReverse = false; + _sortedCol = string.Empty; return index; } diff --git a/BizHawk.Client.EmuHawk/movie/RecordMovie.Designer.cs b/BizHawk.Client.EmuHawk/movie/RecordMovie.Designer.cs index e0413de2a3..9670da9382 100644 --- a/BizHawk.Client.EmuHawk/movie/RecordMovie.Designer.cs +++ b/BizHawk.Client.EmuHawk/movie/RecordMovie.Designer.cs @@ -95,7 +95,8 @@ this.StartFromCombo.FormattingEnabled = true; this.StartFromCombo.Items.AddRange(new object[] { "Power-On", - "Now"}); + "Now", + "SaveRam"}); this.StartFromCombo.Location = new System.Drawing.Point(83, 65); this.StartFromCombo.MaxDropDownItems = 32; this.StartFromCombo.Name = "StartFromCombo"; diff --git a/BizHawk.Client.EmuHawk/movie/RecordMovie.cs b/BizHawk.Client.EmuHawk/movie/RecordMovie.cs index c89e28428c..fb8fdfc849 100644 --- a/BizHawk.Client.EmuHawk/movie/RecordMovie.cs +++ b/BizHawk.Client.EmuHawk/movie/RecordMovie.cs @@ -28,6 +28,15 @@ namespace BizHawk.Client.EmuHawk .First(i => i.ToString() .ToLower() == "now")); } + + if (!Global.Emulator.HasSaveRam()) + { + StartFromCombo.Items.Remove( + StartFromCombo.Items + .OfType() + .First(i => i.ToString() + .ToLower() == "saveram")); + } } private string MakePath() @@ -84,6 +93,7 @@ namespace BizHawk.Client.EmuHawk var core = Global.Emulator.AsStatable(); movieToRecord.StartsFromSavestate = true; + movieToRecord.StartsFromSaveRam = false; if (core.BinarySaveStatesPreferred) { @@ -104,11 +114,17 @@ namespace BizHawk.Client.EmuHawk movieToRecord.SavestateFramebuffer = new int[0]; if (movieToRecord.SavestateFramebuffer != null) { - movieToRecord.SavestateFramebuffer = (int[])Global.Emulator.VideoProvider().GetVideoBuffer().Clone(); } } } + else if (StartFromCombo.SelectedItem.ToString() == "SaveRam" && Global.Emulator.HasSaveRam()) + { + var core = Global.Emulator.AsSaveRam(); + movieToRecord.StartsFromSavestate = false; + movieToRecord.StartsFromSaveRam = true; + movieToRecord.SaveRam = core.CloneSaveRam(); + } movieToRecord.PopulateWithDefaultHeaderValues(AuthorBox.Text); movieToRecord.Save(); diff --git a/BizHawk.Client.EmuHawk/tools/BasicBot/BasicBot.Designer.cs b/BizHawk.Client.EmuHawk/tools/BasicBot/BasicBot.Designer.cs new file mode 100644 index 0000000000..38e49ef4c6 --- /dev/null +++ b/BizHawk.Client.EmuHawk/tools/BasicBot/BasicBot.Designer.cs @@ -0,0 +1,924 @@ +namespace BizHawk.Client.EmuHawk +{ + partial class BasicBot + { + /// + /// Required designer variable. + /// + private System.ComponentModel.IContainer components = null; + + /// + /// Clean up any resources being used. + /// + /// true if managed resources should be disposed; otherwise, false. + protected override void Dispose(bool disposing) + { + if (disposing && (components != null)) + { + components.Dispose(); + } + base.Dispose(disposing); + } + + #region Windows Form Designer generated code + + /// + /// Required method for Designer support - do not modify + /// the contents of this method with the code editor. + /// + private void InitializeComponent() + { + this.components = new System.ComponentModel.Container(); + System.ComponentModel.ComponentResourceManager resources = new System.ComponentModel.ComponentResourceManager(typeof(BasicBot)); + this.BotMenu = new MenuStripEx(); + this.FileSubMenu = new System.Windows.Forms.ToolStripMenuItem(); + this.NewMenuItem = new System.Windows.Forms.ToolStripMenuItem(); + this.OpenMenuItem = new System.Windows.Forms.ToolStripMenuItem(); + this.SaveMenuItem = new System.Windows.Forms.ToolStripMenuItem(); + this.SaveAsMenuItem = new System.Windows.Forms.ToolStripMenuItem(); + this.RecentSubMenu = new System.Windows.Forms.ToolStripMenuItem(); + this.toolStripSeparator2 = new System.Windows.Forms.ToolStripSeparator(); + this.toolStripSeparator1 = new System.Windows.Forms.ToolStripSeparator(); + this.ExitMenuItem = new System.Windows.Forms.ToolStripMenuItem(); + this.OptionsSubMenu = new System.Windows.Forms.ToolStripMenuItem(); + this.MemoryDomainsMenuItem = new System.Windows.Forms.ToolStripMenuItem(); + this.toolStripSeparator3 = new System.Windows.Forms.ToolStripSeparator(); + this.DataSizeMenuItem = new System.Windows.Forms.ToolStripMenuItem(); + this._1ByteMenuItem = new System.Windows.Forms.ToolStripMenuItem(); + this._2ByteMenuItem = new System.Windows.Forms.ToolStripMenuItem(); + this._4ByteMenuItem = new System.Windows.Forms.ToolStripMenuItem(); + this.BigEndianMenuItem = new System.Windows.Forms.ToolStripMenuItem(); + this.toolStripSeparator4 = new System.Windows.Forms.ToolStripSeparator(); + this.TurboWhileBottingMenuItem = new System.Windows.Forms.ToolStripMenuItem(); + this.RunBtn = new System.Windows.Forms.Button(); + this.BotStatusStrip = new System.Windows.Forms.StatusStrip(); + this.BotStatusButton = new System.Windows.Forms.ToolStripStatusLabel(); + this.MessageLabel = new System.Windows.Forms.ToolStripStatusLabel(); + this.ControlsBox = new System.Windows.Forms.GroupBox(); + this.ControlProbabilityPanel = new System.Windows.Forms.Panel(); + this.BestGroupBox = new System.Windows.Forms.GroupBox(); + this.PlayBestButton = new System.Windows.Forms.Button(); + this.ClearBestButton = new System.Windows.Forms.Button(); + this.BestAttemptNumberLabel = new System.Windows.Forms.Label(); + this.label17 = new System.Windows.Forms.Label(); + this.panel1 = new System.Windows.Forms.Panel(); + this.BestAttemptLogLabel = new System.Windows.Forms.Label(); + this.BestTieBreak3Box = new System.Windows.Forms.TextBox(); + this.BestTieBreak2Box = new System.Windows.Forms.TextBox(); + this.BestTieBreak1Box = new System.Windows.Forms.TextBox(); + this.BestMaximizeBox = new System.Windows.Forms.TextBox(); + this.label16 = new System.Windows.Forms.Label(); + this.label15 = new System.Windows.Forms.Label(); + this.label14 = new System.Windows.Forms.Label(); + this.label13 = new System.Windows.Forms.Label(); + this.label1 = new System.Windows.Forms.Label(); + this.label2 = new System.Windows.Forms.Label(); + this.AttemptsLabel = new System.Windows.Forms.Label(); + this.FramesLabel = new System.Windows.Forms.Label(); + this.GoalGroupBox = new System.Windows.Forms.GroupBox(); + this.label12 = new System.Windows.Forms.Label(); + this.label11 = new System.Windows.Forms.Label(); + this.label10 = new System.Windows.Forms.Label(); + this.label9 = new System.Windows.Forms.Label(); + this.label7 = new System.Windows.Forms.Label(); + this.label6 = new System.Windows.Forms.Label(); + this.TieBreaker1Box = new BizHawk.Client.EmuHawk.HexTextBox(); + this.TieBreaker2Box = new BizHawk.Client.EmuHawk.HexTextBox(); + this.TieBreaker3Box = new BizHawk.Client.EmuHawk.HexTextBox(); + this.label5 = new System.Windows.Forms.Label(); + this.MaximizeAddressBox = new BizHawk.Client.EmuHawk.HexTextBox(); + this.maximizeLabeltext = new System.Windows.Forms.Label(); + this.label4 = new System.Windows.Forms.Label(); + this.FrameLengthNumeric = new System.Windows.Forms.NumericUpDown(); + this.label3 = new System.Windows.Forms.Label(); + this.StopBtn = new System.Windows.Forms.Button(); + this.label8 = new System.Windows.Forms.Label(); + this.StartFromSlotBox = new System.Windows.Forms.ComboBox(); + this.ControlGroupBox = new System.Windows.Forms.GroupBox(); + this.panel2 = new System.Windows.Forms.Panel(); + this.StatsContextMenu = new System.Windows.Forms.ContextMenuStrip(this.components); + this.ClearStatsContextMenuItem = new System.Windows.Forms.ToolStripMenuItem(); + this.BotMenu.SuspendLayout(); + this.BotStatusStrip.SuspendLayout(); + this.ControlsBox.SuspendLayout(); + this.BestGroupBox.SuspendLayout(); + this.panel1.SuspendLayout(); + this.GoalGroupBox.SuspendLayout(); + ((System.ComponentModel.ISupportInitialize)(this.FrameLengthNumeric)).BeginInit(); + this.ControlGroupBox.SuspendLayout(); + this.panel2.SuspendLayout(); + this.StatsContextMenu.SuspendLayout(); + this.SuspendLayout(); + // + // BotMenu + // + this.BotMenu.ClickThrough = true; + this.BotMenu.Items.AddRange(new System.Windows.Forms.ToolStripItem[] { + this.FileSubMenu, + this.OptionsSubMenu}); + this.BotMenu.Location = new System.Drawing.Point(0, 0); + this.BotMenu.Name = "BotMenu"; + this.BotMenu.Size = new System.Drawing.Size(587, 24); + this.BotMenu.TabIndex = 0; + this.BotMenu.Text = "menuStrip1"; + // + // FileSubMenu + // + this.FileSubMenu.DropDownItems.AddRange(new System.Windows.Forms.ToolStripItem[] { + this.NewMenuItem, + this.OpenMenuItem, + this.SaveMenuItem, + this.SaveAsMenuItem, + this.RecentSubMenu, + this.toolStripSeparator1, + this.ExitMenuItem}); + this.FileSubMenu.Name = "FileSubMenu"; + this.FileSubMenu.Size = new System.Drawing.Size(37, 20); + this.FileSubMenu.Text = "&File"; + this.FileSubMenu.DropDownOpened += new System.EventHandler(this.FileSubMenu_DropDownOpened); + // + // NewMenuItem + // + this.NewMenuItem.Image = global::BizHawk.Client.EmuHawk.Properties.Resources.NewFile; + this.NewMenuItem.Name = "NewMenuItem"; + this.NewMenuItem.ShortcutKeys = ((System.Windows.Forms.Keys)((System.Windows.Forms.Keys.Control | System.Windows.Forms.Keys.N))); + this.NewMenuItem.Size = new System.Drawing.Size(195, 22); + this.NewMenuItem.Text = "&New"; + this.NewMenuItem.Click += new System.EventHandler(this.NewMenuItem_Click); + // + // OpenMenuItem + // + this.OpenMenuItem.Image = global::BizHawk.Client.EmuHawk.Properties.Resources.OpenFile; + this.OpenMenuItem.Name = "OpenMenuItem"; + this.OpenMenuItem.ShortcutKeys = ((System.Windows.Forms.Keys)((System.Windows.Forms.Keys.Control | System.Windows.Forms.Keys.O))); + this.OpenMenuItem.Size = new System.Drawing.Size(195, 22); + this.OpenMenuItem.Text = "&Open..."; + this.OpenMenuItem.Click += new System.EventHandler(this.OpenMenuItem_Click); + // + // SaveMenuItem + // + this.SaveMenuItem.Image = global::BizHawk.Client.EmuHawk.Properties.Resources.SaveAs; + this.SaveMenuItem.Name = "SaveMenuItem"; + this.SaveMenuItem.ShortcutKeys = ((System.Windows.Forms.Keys)((System.Windows.Forms.Keys.Control | System.Windows.Forms.Keys.S))); + this.SaveMenuItem.Size = new System.Drawing.Size(195, 22); + this.SaveMenuItem.Text = "&Save"; + this.SaveMenuItem.Click += new System.EventHandler(this.SaveMenuItem_Click); + // + // SaveAsMenuItem + // + this.SaveAsMenuItem.Name = "SaveAsMenuItem"; + this.SaveAsMenuItem.ShortcutKeys = ((System.Windows.Forms.Keys)(((System.Windows.Forms.Keys.Control | System.Windows.Forms.Keys.Shift) + | System.Windows.Forms.Keys.S))); + this.SaveAsMenuItem.Size = new System.Drawing.Size(195, 22); + this.SaveAsMenuItem.Text = "Save &As..."; + this.SaveAsMenuItem.Click += new System.EventHandler(this.SaveAsMenuItem_Click); + // + // RecentSubMenu + // + this.RecentSubMenu.DropDownItems.AddRange(new System.Windows.Forms.ToolStripItem[] { + this.toolStripSeparator2}); + this.RecentSubMenu.Image = global::BizHawk.Client.EmuHawk.Properties.Resources.Recent; + this.RecentSubMenu.Name = "RecentSubMenu"; + this.RecentSubMenu.Size = new System.Drawing.Size(195, 22); + this.RecentSubMenu.Text = "Recent"; + this.RecentSubMenu.DropDownOpened += new System.EventHandler(this.RecentSubMenu_DropDownOpened); + // + // toolStripSeparator2 + // + this.toolStripSeparator2.Name = "toolStripSeparator2"; + this.toolStripSeparator2.Size = new System.Drawing.Size(57, 6); + // + // toolStripSeparator1 + // + this.toolStripSeparator1.Name = "toolStripSeparator1"; + this.toolStripSeparator1.Size = new System.Drawing.Size(192, 6); + // + // ExitMenuItem + // + this.ExitMenuItem.Name = "ExitMenuItem"; + this.ExitMenuItem.ShortcutKeyDisplayString = "Alt+F4"; + this.ExitMenuItem.Size = new System.Drawing.Size(195, 22); + this.ExitMenuItem.Text = "E&xit"; + this.ExitMenuItem.Click += new System.EventHandler(this.ExitMenuItem_Click); + // + // OptionsSubMenu + // + this.OptionsSubMenu.DropDownItems.AddRange(new System.Windows.Forms.ToolStripItem[] { + this.MemoryDomainsMenuItem, + this.DataSizeMenuItem, + this.BigEndianMenuItem, + this.toolStripSeparator4, + this.TurboWhileBottingMenuItem}); + this.OptionsSubMenu.Name = "OptionsSubMenu"; + this.OptionsSubMenu.Size = new System.Drawing.Size(61, 20); + this.OptionsSubMenu.Text = "&Options"; + this.OptionsSubMenu.DropDownOpened += new System.EventHandler(this.OptionsSubMenu_DropDownOpened); + // + // MemoryDomainsMenuItem + // + this.MemoryDomainsMenuItem.DropDownItems.AddRange(new System.Windows.Forms.ToolStripItem[] { + this.toolStripSeparator3}); + this.MemoryDomainsMenuItem.Name = "MemoryDomainsMenuItem"; + this.MemoryDomainsMenuItem.Size = new System.Drawing.Size(181, 22); + this.MemoryDomainsMenuItem.Text = "Memory Domains"; + this.MemoryDomainsMenuItem.DropDownOpened += new System.EventHandler(this.MemoryDomainsMenuItem_DropDownOpened); + // + // toolStripSeparator3 + // + this.toolStripSeparator3.Name = "toolStripSeparator3"; + this.toolStripSeparator3.Size = new System.Drawing.Size(57, 6); + // + // DataSizeMenuItem + // + this.DataSizeMenuItem.DropDownItems.AddRange(new System.Windows.Forms.ToolStripItem[] { + this._1ByteMenuItem, + this._2ByteMenuItem, + this._4ByteMenuItem}); + this.DataSizeMenuItem.Name = "DataSizeMenuItem"; + this.DataSizeMenuItem.Size = new System.Drawing.Size(181, 22); + this.DataSizeMenuItem.Text = "Data Size"; + this.DataSizeMenuItem.DropDownOpened += new System.EventHandler(this.DataSizeMenuItem_DropDownOpened); + // + // _1ByteMenuItem + // + this._1ByteMenuItem.Name = "_1ByteMenuItem"; + this._1ByteMenuItem.Size = new System.Drawing.Size(152, 22); + this._1ByteMenuItem.Text = "1 Byte"; + this._1ByteMenuItem.Click += new System.EventHandler(this._1ByteMenuItem_Click); + // + // _2ByteMenuItem + // + this._2ByteMenuItem.Name = "_2ByteMenuItem"; + this._2ByteMenuItem.Size = new System.Drawing.Size(152, 22); + this._2ByteMenuItem.Text = "2 Bytes"; + this._2ByteMenuItem.Click += new System.EventHandler(this._2ByteMenuItem_Click); + // + // _4ByteMenuItem + // + this._4ByteMenuItem.Name = "_4ByteMenuItem"; + this._4ByteMenuItem.Size = new System.Drawing.Size(152, 22); + this._4ByteMenuItem.Text = "4 Bytes"; + this._4ByteMenuItem.Click += new System.EventHandler(this._4ByteMenuItem_Click); + // + // BigEndianMenuItem + // + this.BigEndianMenuItem.Name = "BigEndianMenuItem"; + this.BigEndianMenuItem.Size = new System.Drawing.Size(181, 22); + this.BigEndianMenuItem.Text = "Big Endian"; + this.BigEndianMenuItem.Click += new System.EventHandler(this.BigEndianMenuItem_Click); + // + // toolStripSeparator4 + // + this.toolStripSeparator4.Name = "toolStripSeparator4"; + this.toolStripSeparator4.Size = new System.Drawing.Size(178, 6); + // + // TurboWhileBottingMenuItem + // + this.TurboWhileBottingMenuItem.Name = "TurboWhileBottingMenuItem"; + this.TurboWhileBottingMenuItem.Size = new System.Drawing.Size(181, 22); + this.TurboWhileBottingMenuItem.Text = "Turbo While Botting"; + this.TurboWhileBottingMenuItem.Click += new System.EventHandler(this.TurboWhileBottingMenuItem_Click); + // + // RunBtn + // + this.RunBtn.Image = global::BizHawk.Client.EmuHawk.Properties.Resources.Play; + this.RunBtn.ImageAlign = System.Drawing.ContentAlignment.MiddleLeft; + this.RunBtn.Location = new System.Drawing.Point(6, 56); + this.RunBtn.Name = "RunBtn"; + this.RunBtn.Size = new System.Drawing.Size(75, 23); + this.RunBtn.TabIndex = 2001; + this.RunBtn.Text = "&Run"; + this.RunBtn.UseVisualStyleBackColor = true; + this.RunBtn.Click += new System.EventHandler(this.RunBtn_Click); + // + // BotStatusStrip + // + this.BotStatusStrip.Items.AddRange(new System.Windows.Forms.ToolStripItem[] { + this.BotStatusButton, + this.MessageLabel}); + this.BotStatusStrip.Location = new System.Drawing.Point(0, 565); + this.BotStatusStrip.Name = "BotStatusStrip"; + this.BotStatusStrip.Size = new System.Drawing.Size(587, 22); + this.BotStatusStrip.TabIndex = 2; + this.BotStatusStrip.Text = "statusStrip1"; + // + // BotStatusButton + // + this.BotStatusButton.DisplayStyle = System.Windows.Forms.ToolStripItemDisplayStyle.Image; + this.BotStatusButton.Image = ((System.Drawing.Image)(resources.GetObject("BotStatusButton.Image"))); + this.BotStatusButton.ImageTransparentColor = System.Drawing.Color.Magenta; + this.BotStatusButton.Name = "BotStatusButton"; + this.BotStatusButton.RightToLeftAutoMirrorImage = true; + this.BotStatusButton.Size = new System.Drawing.Size(16, 17); + this.BotStatusButton.Text = " "; + this.BotStatusButton.ToolTipText = " "; + // + // MessageLabel + // + this.MessageLabel.Name = "MessageLabel"; + this.MessageLabel.Size = new System.Drawing.Size(109, 17); + this.MessageLabel.Text = " "; + // + // ControlsBox + // + this.ControlsBox.Anchor = ((System.Windows.Forms.AnchorStyles)((((System.Windows.Forms.AnchorStyles.Top | System.Windows.Forms.AnchorStyles.Bottom) + | System.Windows.Forms.AnchorStyles.Left) + | System.Windows.Forms.AnchorStyles.Right))); + this.ControlsBox.Controls.Add(this.ControlProbabilityPanel); + this.ControlsBox.Location = new System.Drawing.Point(12, 183); + this.ControlsBox.Name = "ControlsBox"; + this.ControlsBox.Size = new System.Drawing.Size(312, 369); + this.ControlsBox.TabIndex = 3; + this.ControlsBox.TabStop = false; + this.ControlsBox.Text = "Controls"; + // + // ControlProbabilityPanel + // + this.ControlProbabilityPanel.Anchor = ((System.Windows.Forms.AnchorStyles)((((System.Windows.Forms.AnchorStyles.Top | System.Windows.Forms.AnchorStyles.Bottom) + | System.Windows.Forms.AnchorStyles.Left) + | System.Windows.Forms.AnchorStyles.Right))); + this.ControlProbabilityPanel.AutoScroll = true; + this.ControlProbabilityPanel.Location = new System.Drawing.Point(6, 19); + this.ControlProbabilityPanel.Name = "ControlProbabilityPanel"; + this.ControlProbabilityPanel.Size = new System.Drawing.Size(299, 344); + this.ControlProbabilityPanel.TabIndex = 0; + // + // BestGroupBox + // + this.BestGroupBox.Anchor = ((System.Windows.Forms.AnchorStyles)(((System.Windows.Forms.AnchorStyles.Top | System.Windows.Forms.AnchorStyles.Bottom) + | System.Windows.Forms.AnchorStyles.Right))); + this.BestGroupBox.Controls.Add(this.PlayBestButton); + this.BestGroupBox.Controls.Add(this.ClearBestButton); + this.BestGroupBox.Controls.Add(this.BestAttemptNumberLabel); + this.BestGroupBox.Controls.Add(this.label17); + this.BestGroupBox.Controls.Add(this.panel1); + this.BestGroupBox.Controls.Add(this.BestTieBreak3Box); + this.BestGroupBox.Controls.Add(this.BestTieBreak2Box); + this.BestGroupBox.Controls.Add(this.BestTieBreak1Box); + this.BestGroupBox.Controls.Add(this.BestMaximizeBox); + this.BestGroupBox.Controls.Add(this.label16); + this.BestGroupBox.Controls.Add(this.label15); + this.BestGroupBox.Controls.Add(this.label14); + this.BestGroupBox.Controls.Add(this.label13); + this.BestGroupBox.Location = new System.Drawing.Point(330, 183); + this.BestGroupBox.Name = "BestGroupBox"; + this.BestGroupBox.Size = new System.Drawing.Size(245, 369); + this.BestGroupBox.TabIndex = 4; + this.BestGroupBox.TabStop = false; + this.BestGroupBox.Text = "Best"; + // + // PlayBestButton + // + this.PlayBestButton.Enabled = false; + this.PlayBestButton.Image = global::BizHawk.Client.EmuHawk.Properties.Resources.Play; + this.PlayBestButton.ImageAlign = System.Drawing.ContentAlignment.MiddleLeft; + this.PlayBestButton.Location = new System.Drawing.Point(12, 46); + this.PlayBestButton.Name = "PlayBestButton"; + this.PlayBestButton.Size = new System.Drawing.Size(75, 23); + this.PlayBestButton.TabIndex = 2004; + this.PlayBestButton.Text = "&Play"; + this.PlayBestButton.UseVisualStyleBackColor = true; + this.PlayBestButton.Click += new System.EventHandler(this.PlayBestButton_Click); + // + // ClearBestButton + // + this.ClearBestButton.Enabled = false; + this.ClearBestButton.Image = global::BizHawk.Client.EmuHawk.Properties.Resources.Close; + this.ClearBestButton.ImageAlign = System.Drawing.ContentAlignment.MiddleLeft; + this.ClearBestButton.Location = new System.Drawing.Point(12, 70); + this.ClearBestButton.Name = "ClearBestButton"; + this.ClearBestButton.Size = new System.Drawing.Size(75, 23); + this.ClearBestButton.TabIndex = 2003; + this.ClearBestButton.Text = "&Clear"; + this.ClearBestButton.UseVisualStyleBackColor = true; + this.ClearBestButton.Click += new System.EventHandler(this.ClearBestButton_Click); + // + // BestAttemptNumberLabel + // + this.BestAttemptNumberLabel.AutoSize = true; + this.BestAttemptNumberLabel.Location = new System.Drawing.Point(59, 20); + this.BestAttemptNumberLabel.Name = "BestAttemptNumberLabel"; + this.BestAttemptNumberLabel.Size = new System.Drawing.Size(13, 13); + this.BestAttemptNumberLabel.TabIndex = 23; + this.BestAttemptNumberLabel.Text = "0"; + // + // label17 + // + this.label17.AutoSize = true; + this.label17.Location = new System.Drawing.Point(17, 20); + this.label17.Name = "label17"; + this.label17.Size = new System.Drawing.Size(46, 13); + this.label17.TabIndex = 22; + this.label17.Text = "Attempt:"; + // + // panel1 + // + this.panel1.Anchor = ((System.Windows.Forms.AnchorStyles)((((System.Windows.Forms.AnchorStyles.Top | System.Windows.Forms.AnchorStyles.Bottom) + | System.Windows.Forms.AnchorStyles.Left) + | System.Windows.Forms.AnchorStyles.Right))); + this.panel1.AutoScroll = true; + this.panel1.BorderStyle = System.Windows.Forms.BorderStyle.Fixed3D; + this.panel1.Controls.Add(this.BestAttemptLogLabel); + this.panel1.Location = new System.Drawing.Point(12, 112); + this.panel1.Name = "panel1"; + this.panel1.Size = new System.Drawing.Size(227, 251); + this.panel1.TabIndex = 21; + // + // BestAttemptLogLabel + // + this.BestAttemptLogLabel.AutoSize = true; + this.BestAttemptLogLabel.Location = new System.Drawing.Point(8, 8); + this.BestAttemptLogLabel.Name = "BestAttemptLogLabel"; + this.BestAttemptLogLabel.Size = new System.Drawing.Size(130, 13); + this.BestAttemptLogLabel.TabIndex = 0; + this.BestAttemptLogLabel.Text = " "; + // + // BestTieBreak3Box + // + this.BestTieBreak3Box.Anchor = ((System.Windows.Forms.AnchorStyles)((System.Windows.Forms.AnchorStyles.Top | System.Windows.Forms.AnchorStyles.Right))); + this.BestTieBreak3Box.Location = new System.Drawing.Point(178, 73); + this.BestTieBreak3Box.Name = "BestTieBreak3Box"; + this.BestTieBreak3Box.ReadOnly = true; + this.BestTieBreak3Box.Size = new System.Drawing.Size(58, 20); + this.BestTieBreak3Box.TabIndex = 20; + this.BestTieBreak3Box.TabStop = false; + // + // BestTieBreak2Box + // + this.BestTieBreak2Box.Anchor = ((System.Windows.Forms.AnchorStyles)((System.Windows.Forms.AnchorStyles.Top | System.Windows.Forms.AnchorStyles.Right))); + this.BestTieBreak2Box.Location = new System.Drawing.Point(178, 53); + this.BestTieBreak2Box.Name = "BestTieBreak2Box"; + this.BestTieBreak2Box.ReadOnly = true; + this.BestTieBreak2Box.Size = new System.Drawing.Size(58, 20); + this.BestTieBreak2Box.TabIndex = 19; + this.BestTieBreak2Box.TabStop = false; + // + // BestTieBreak1Box + // + this.BestTieBreak1Box.Anchor = ((System.Windows.Forms.AnchorStyles)((System.Windows.Forms.AnchorStyles.Top | System.Windows.Forms.AnchorStyles.Right))); + this.BestTieBreak1Box.Location = new System.Drawing.Point(178, 33); + this.BestTieBreak1Box.Name = "BestTieBreak1Box"; + this.BestTieBreak1Box.ReadOnly = true; + this.BestTieBreak1Box.Size = new System.Drawing.Size(58, 20); + this.BestTieBreak1Box.TabIndex = 18; + this.BestTieBreak1Box.TabStop = false; + // + // BestMaximizeBox + // + this.BestMaximizeBox.Anchor = ((System.Windows.Forms.AnchorStyles)((System.Windows.Forms.AnchorStyles.Top | System.Windows.Forms.AnchorStyles.Right))); + this.BestMaximizeBox.Location = new System.Drawing.Point(178, 13); + this.BestMaximizeBox.Name = "BestMaximizeBox"; + this.BestMaximizeBox.ReadOnly = true; + this.BestMaximizeBox.Size = new System.Drawing.Size(58, 20); + this.BestMaximizeBox.TabIndex = 17; + this.BestMaximizeBox.TabStop = false; + // + // label16 + // + this.label16.Anchor = ((System.Windows.Forms.AnchorStyles)((System.Windows.Forms.AnchorStyles.Top | System.Windows.Forms.AnchorStyles.Right))); + this.label16.AutoSize = true; + this.label16.Location = new System.Drawing.Point(111, 76); + this.label16.Name = "label16"; + this.label16.Size = new System.Drawing.Size(61, 13); + this.label16.TabIndex = 16; + this.label16.Text = "Tiebreak 3:"; + // + // label15 + // + this.label15.Anchor = ((System.Windows.Forms.AnchorStyles)((System.Windows.Forms.AnchorStyles.Top | System.Windows.Forms.AnchorStyles.Right))); + this.label15.AutoSize = true; + this.label15.Location = new System.Drawing.Point(111, 56); + this.label15.Name = "label15"; + this.label15.Size = new System.Drawing.Size(61, 13); + this.label15.TabIndex = 15; + this.label15.Text = "Tiebreak 2:"; + // + // label14 + // + this.label14.Anchor = ((System.Windows.Forms.AnchorStyles)((System.Windows.Forms.AnchorStyles.Top | System.Windows.Forms.AnchorStyles.Right))); + this.label14.AutoSize = true; + this.label14.Location = new System.Drawing.Point(111, 36); + this.label14.Name = "label14"; + this.label14.Size = new System.Drawing.Size(61, 13); + this.label14.TabIndex = 6; + this.label14.Text = "Tiebreak 1:"; + // + // label13 + // + this.label13.Anchor = ((System.Windows.Forms.AnchorStyles)((System.Windows.Forms.AnchorStyles.Top | System.Windows.Forms.AnchorStyles.Right))); + this.label13.AutoSize = true; + this.label13.Location = new System.Drawing.Point(119, 16); + this.label13.Name = "label13"; + this.label13.Size = new System.Drawing.Size(53, 13); + this.label13.TabIndex = 0; + this.label13.Text = "Maximize:"; + // + // label1 + // + this.label1.AutoSize = true; + this.label1.Location = new System.Drawing.Point(3, 2); + this.label1.Name = "label1"; + this.label1.Size = new System.Drawing.Size(51, 13); + this.label1.TabIndex = 5; + this.label1.Text = "Attempts:"; + // + // label2 + // + this.label2.AutoSize = true; + this.label2.Location = new System.Drawing.Point(10, 17); + this.label2.Name = "label2"; + this.label2.Size = new System.Drawing.Size(44, 13); + this.label2.TabIndex = 6; + this.label2.Text = "Frames:"; + // + // AttemptsLabel + // + this.AttemptsLabel.AutoSize = true; + this.AttemptsLabel.Location = new System.Drawing.Point(61, 2); + this.AttemptsLabel.Name = "AttemptsLabel"; + this.AttemptsLabel.Size = new System.Drawing.Size(13, 13); + this.AttemptsLabel.TabIndex = 7; + this.AttemptsLabel.Text = "0"; + // + // FramesLabel + // + this.FramesLabel.AutoSize = true; + this.FramesLabel.Location = new System.Drawing.Point(61, 17); + this.FramesLabel.Name = "FramesLabel"; + this.FramesLabel.Size = new System.Drawing.Size(13, 13); + this.FramesLabel.TabIndex = 8; + this.FramesLabel.Text = "0"; + // + // GoalGroupBox + // + this.GoalGroupBox.Anchor = ((System.Windows.Forms.AnchorStyles)(((System.Windows.Forms.AnchorStyles.Top | System.Windows.Forms.AnchorStyles.Left) + | System.Windows.Forms.AnchorStyles.Right))); + this.GoalGroupBox.Controls.Add(this.label12); + this.GoalGroupBox.Controls.Add(this.label11); + this.GoalGroupBox.Controls.Add(this.label10); + this.GoalGroupBox.Controls.Add(this.label9); + this.GoalGroupBox.Controls.Add(this.label7); + this.GoalGroupBox.Controls.Add(this.label6); + this.GoalGroupBox.Controls.Add(this.TieBreaker1Box); + this.GoalGroupBox.Controls.Add(this.TieBreaker2Box); + this.GoalGroupBox.Controls.Add(this.TieBreaker3Box); + this.GoalGroupBox.Controls.Add(this.label5); + this.GoalGroupBox.Controls.Add(this.MaximizeAddressBox); + this.GoalGroupBox.Controls.Add(this.maximizeLabeltext); + this.GoalGroupBox.Controls.Add(this.label4); + this.GoalGroupBox.Controls.Add(this.FrameLengthNumeric); + this.GoalGroupBox.Controls.Add(this.label3); + this.GoalGroupBox.Location = new System.Drawing.Point(12, 27); + this.GoalGroupBox.Name = "GoalGroupBox"; + this.GoalGroupBox.Size = new System.Drawing.Size(312, 150); + this.GoalGroupBox.TabIndex = 9; + this.GoalGroupBox.TabStop = false; + this.GoalGroupBox.Text = "Goal"; + // + // label12 + // + this.label12.AutoSize = true; + this.label12.Location = new System.Drawing.Point(108, 124); + this.label12.Name = "label12"; + this.label12.Size = new System.Drawing.Size(59, 13); + this.label12.TabIndex = 14; + this.label12.Text = "Address 0x"; + // + // label11 + // + this.label11.AutoSize = true; + this.label11.Location = new System.Drawing.Point(108, 102); + this.label11.Name = "label11"; + this.label11.Size = new System.Drawing.Size(59, 13); + this.label11.TabIndex = 13; + this.label11.Text = "Address 0x"; + // + // label10 + // + this.label10.AutoSize = true; + this.label10.Location = new System.Drawing.Point(108, 79); + this.label10.Name = "label10"; + this.label10.Size = new System.Drawing.Size(59, 13); + this.label10.TabIndex = 12; + this.label10.Text = "Address 0x"; + // + // label9 + // + this.label9.AutoSize = true; + this.label9.Location = new System.Drawing.Point(108, 56); + this.label9.Name = "label9"; + this.label9.Size = new System.Drawing.Size(59, 13); + this.label9.TabIndex = 11; + this.label9.Text = "Address 0x"; + // + // label7 + // + this.label7.AutoSize = true; + this.label7.Location = new System.Drawing.Point(42, 124); + this.label7.Name = "label7"; + this.label7.Size = new System.Drawing.Size(61, 13); + this.label7.TabIndex = 10; + this.label7.Text = "Tiebreak 3:"; + // + // label6 + // + this.label6.AutoSize = true; + this.label6.Location = new System.Drawing.Point(42, 102); + this.label6.Name = "label6"; + this.label6.Size = new System.Drawing.Size(61, 13); + this.label6.TabIndex = 9; + this.label6.Text = "Tiebreak 2:"; + // + // TieBreaker1Box + // + this.TieBreaker1Box.Anchor = ((System.Windows.Forms.AnchorStyles)(((System.Windows.Forms.AnchorStyles.Top | System.Windows.Forms.AnchorStyles.Left) + | System.Windows.Forms.AnchorStyles.Right))); + this.TieBreaker1Box.CharacterCasing = System.Windows.Forms.CharacterCasing.Upper; + this.TieBreaker1Box.Location = new System.Drawing.Point(167, 75); + this.TieBreaker1Box.Name = "TieBreaker1Box"; + this.TieBreaker1Box.Nullable = true; + this.TieBreaker1Box.Size = new System.Drawing.Size(95, 20); + this.TieBreaker1Box.TabIndex = 1002; + // + // TieBreaker2Box + // + this.TieBreaker2Box.Anchor = ((System.Windows.Forms.AnchorStyles)(((System.Windows.Forms.AnchorStyles.Top | System.Windows.Forms.AnchorStyles.Left) + | System.Windows.Forms.AnchorStyles.Right))); + this.TieBreaker2Box.CharacterCasing = System.Windows.Forms.CharacterCasing.Upper; + this.TieBreaker2Box.Location = new System.Drawing.Point(167, 98); + this.TieBreaker2Box.Name = "TieBreaker2Box"; + this.TieBreaker2Box.Nullable = true; + this.TieBreaker2Box.Size = new System.Drawing.Size(95, 20); + this.TieBreaker2Box.TabIndex = 1003; + // + // TieBreaker3Box + // + this.TieBreaker3Box.Anchor = ((System.Windows.Forms.AnchorStyles)(((System.Windows.Forms.AnchorStyles.Top | System.Windows.Forms.AnchorStyles.Left) + | System.Windows.Forms.AnchorStyles.Right))); + this.TieBreaker3Box.CharacterCasing = System.Windows.Forms.CharacterCasing.Upper; + this.TieBreaker3Box.Location = new System.Drawing.Point(167, 120); + this.TieBreaker3Box.Name = "TieBreaker3Box"; + this.TieBreaker3Box.Nullable = true; + this.TieBreaker3Box.Size = new System.Drawing.Size(95, 20); + this.TieBreaker3Box.TabIndex = 1004; + // + // label5 + // + this.label5.AutoSize = true; + this.label5.Location = new System.Drawing.Point(42, 79); + this.label5.Name = "label5"; + this.label5.Size = new System.Drawing.Size(61, 13); + this.label5.TabIndex = 5; + this.label5.Text = "Tiebreak 1:"; + // + // MaximizeAddressBox + // + this.MaximizeAddressBox.Anchor = ((System.Windows.Forms.AnchorStyles)(((System.Windows.Forms.AnchorStyles.Top | System.Windows.Forms.AnchorStyles.Left) + | System.Windows.Forms.AnchorStyles.Right))); + this.MaximizeAddressBox.CharacterCasing = System.Windows.Forms.CharacterCasing.Upper; + this.MaximizeAddressBox.Location = new System.Drawing.Point(167, 52); + this.MaximizeAddressBox.Name = "MaximizeAddressBox"; + this.MaximizeAddressBox.Nullable = true; + this.MaximizeAddressBox.Size = new System.Drawing.Size(95, 20); + this.MaximizeAddressBox.TabIndex = 1001; + this.MaximizeAddressBox.TextChanged += new System.EventHandler(this.FrameLengthNumeric_ValueChanged); + // + // maximizeLabeltext + // + this.maximizeLabeltext.AutoSize = true; + this.maximizeLabeltext.Location = new System.Drawing.Point(50, 56); + this.maximizeLabeltext.Name = "maximizeLabeltext"; + this.maximizeLabeltext.Size = new System.Drawing.Size(53, 13); + this.maximizeLabeltext.TabIndex = 3; + this.maximizeLabeltext.Text = "Maximize:"; + // + // label4 + // + this.label4.AutoSize = true; + this.label4.Location = new System.Drawing.Point(113, 29); + this.label4.Name = "label4"; + this.label4.Size = new System.Drawing.Size(38, 13); + this.label4.TabIndex = 2; + this.label4.Text = "frames"; + // + // FrameLengthNumeric + // + this.FrameLengthNumeric.Location = new System.Drawing.Point(60, 25); + this.FrameLengthNumeric.Maximum = new decimal(new int[] { + 999, + 0, + 0, + 0}); + this.FrameLengthNumeric.Name = "FrameLengthNumeric"; + this.FrameLengthNumeric.Size = new System.Drawing.Size(46, 20); + this.FrameLengthNumeric.TabIndex = 1000; + this.FrameLengthNumeric.Value = new decimal(new int[] { + 100, + 0, + 0, + 0}); + this.FrameLengthNumeric.ValueChanged += new System.EventHandler(this.FrameLengthNumeric_ValueChanged); + // + // label3 + // + this.label3.AutoSize = true; + this.label3.Location = new System.Drawing.Point(7, 29); + this.label3.Name = "label3"; + this.label3.Size = new System.Drawing.Size(50, 13); + this.label3.TabIndex = 0; + this.label3.Text = "End after"; + // + // StopBtn + // + this.StopBtn.Image = global::BizHawk.Client.EmuHawk.Properties.Resources.Stop; + this.StopBtn.ImageAlign = System.Drawing.ContentAlignment.MiddleLeft; + this.StopBtn.Location = new System.Drawing.Point(6, 56); + this.StopBtn.Name = "StopBtn"; + this.StopBtn.Size = new System.Drawing.Size(75, 23); + this.StopBtn.TabIndex = 2002; + this.StopBtn.Text = "&Stop"; + this.StopBtn.UseVisualStyleBackColor = true; + this.StopBtn.Visible = false; + this.StopBtn.Click += new System.EventHandler(this.StopBtn_Click); + // + // label8 + // + this.label8.AutoSize = true; + this.label8.Location = new System.Drawing.Point(7, 29); + this.label8.Name = "label8"; + this.label8.Size = new System.Drawing.Size(58, 13); + this.label8.TabIndex = 11; + this.label8.Text = "Start From:"; + // + // StartFromSlotBox + // + this.StartFromSlotBox.DropDownStyle = System.Windows.Forms.ComboBoxStyle.DropDownList; + this.StartFromSlotBox.FormattingEnabled = true; + this.StartFromSlotBox.Items.AddRange(new object[] { + "Slot 0", + "Slot 1", + "Slot 2", + "Slot 3", + "Slot 4", + "Slot 5", + "Slot 6", + "Slot 7", + "Slot 8", + "Slot 9"}); + this.StartFromSlotBox.Location = new System.Drawing.Point(71, 25); + this.StartFromSlotBox.Name = "StartFromSlotBox"; + this.StartFromSlotBox.Size = new System.Drawing.Size(75, 21); + this.StartFromSlotBox.TabIndex = 2000; + // + // ControlGroupBox + // + this.ControlGroupBox.Anchor = ((System.Windows.Forms.AnchorStyles)((System.Windows.Forms.AnchorStyles.Top | System.Windows.Forms.AnchorStyles.Right))); + this.ControlGroupBox.Controls.Add(this.panel2); + this.ControlGroupBox.Controls.Add(this.StopBtn); + this.ControlGroupBox.Controls.Add(this.RunBtn); + this.ControlGroupBox.Controls.Add(this.StartFromSlotBox); + this.ControlGroupBox.Controls.Add(this.label8); + this.ControlGroupBox.Location = new System.Drawing.Point(329, 27); + this.ControlGroupBox.Name = "ControlGroupBox"; + this.ControlGroupBox.Size = new System.Drawing.Size(245, 150); + this.ControlGroupBox.TabIndex = 2004; + this.ControlGroupBox.TabStop = false; + this.ControlGroupBox.Text = "Control"; + // + // panel2 + // + this.panel2.ContextMenuStrip = this.StatsContextMenu; + this.panel2.Controls.Add(this.label1); + this.panel2.Controls.Add(this.label2); + this.panel2.Controls.Add(this.FramesLabel); + this.panel2.Controls.Add(this.AttemptsLabel); + this.panel2.Location = new System.Drawing.Point(6, 85); + this.panel2.Name = "panel2"; + this.panel2.Size = new System.Drawing.Size(140, 33); + this.panel2.TabIndex = 2003; + // + // StatsContextMenu + // + this.StatsContextMenu.Items.AddRange(new System.Windows.Forms.ToolStripItem[] { + this.ClearStatsContextMenuItem}); + this.StatsContextMenu.Name = "StatsContextMenu"; + this.StatsContextMenu.Size = new System.Drawing.Size(102, 26); + // + // ClearStatsContextMenuItem + // + this.ClearStatsContextMenuItem.Name = "ClearStatsContextMenuItem"; + this.ClearStatsContextMenuItem.Size = new System.Drawing.Size(101, 22); + this.ClearStatsContextMenuItem.Text = "&Clear"; + this.ClearStatsContextMenuItem.Click += new System.EventHandler(this.ClearStatsContextMenuItem_Click); + // + // BasicBot + // + this.AutoScaleDimensions = new System.Drawing.SizeF(6F, 13F); + this.AutoScaleMode = System.Windows.Forms.AutoScaleMode.Font; + this.ClientSize = new System.Drawing.Size(587, 587); + this.Controls.Add(this.ControlGroupBox); + this.Controls.Add(this.GoalGroupBox); + this.Controls.Add(this.BestGroupBox); + this.Controls.Add(this.ControlsBox); + this.Controls.Add(this.BotStatusStrip); + this.Controls.Add(this.BotMenu); + this.Icon = ((System.Drawing.Icon)(resources.GetObject("$this.Icon"))); + this.MainMenuStrip = this.BotMenu; + this.Name = "BasicBot"; + this.StartPosition = System.Windows.Forms.FormStartPosition.CenterParent; + this.Text = "Basic Bot"; + this.Load += new System.EventHandler(this.BasicBot_Load); + this.BotMenu.ResumeLayout(false); + this.BotMenu.PerformLayout(); + this.BotStatusStrip.ResumeLayout(false); + this.BotStatusStrip.PerformLayout(); + this.ControlsBox.ResumeLayout(false); + this.BestGroupBox.ResumeLayout(false); + this.BestGroupBox.PerformLayout(); + this.panel1.ResumeLayout(false); + this.panel1.PerformLayout(); + this.GoalGroupBox.ResumeLayout(false); + this.GoalGroupBox.PerformLayout(); + ((System.ComponentModel.ISupportInitialize)(this.FrameLengthNumeric)).EndInit(); + this.ControlGroupBox.ResumeLayout(false); + this.ControlGroupBox.PerformLayout(); + this.panel2.ResumeLayout(false); + this.panel2.PerformLayout(); + this.StatsContextMenu.ResumeLayout(false); + this.ResumeLayout(false); + this.PerformLayout(); + + } + + #endregion + + private MenuStripEx BotMenu; + private System.Windows.Forms.ToolStripMenuItem FileSubMenu; + private System.Windows.Forms.ToolStripMenuItem ExitMenuItem; + private System.Windows.Forms.Button RunBtn; + private System.Windows.Forms.ToolStripMenuItem OpenMenuItem; + private System.Windows.Forms.ToolStripMenuItem SaveMenuItem; + private System.Windows.Forms.ToolStripMenuItem RecentSubMenu; + private System.Windows.Forms.ToolStripSeparator toolStripSeparator1; + private System.Windows.Forms.StatusStrip BotStatusStrip; + private System.Windows.Forms.GroupBox ControlsBox; + private System.Windows.Forms.Panel ControlProbabilityPanel; + private System.Windows.Forms.GroupBox BestGroupBox; + private System.Windows.Forms.Label label1; + private System.Windows.Forms.Label label2; + private System.Windows.Forms.Label AttemptsLabel; + private System.Windows.Forms.Label FramesLabel; + private System.Windows.Forms.ToolStripMenuItem OptionsSubMenu; + private System.Windows.Forms.GroupBox GoalGroupBox; + private System.Windows.Forms.Label label7; + private System.Windows.Forms.Label label6; + private HexTextBox TieBreaker1Box; + private HexTextBox TieBreaker2Box; + private HexTextBox TieBreaker3Box; + private System.Windows.Forms.Label label5; + private HexTextBox MaximizeAddressBox; + private System.Windows.Forms.Label maximizeLabeltext; + private System.Windows.Forms.Label label4; + private System.Windows.Forms.NumericUpDown FrameLengthNumeric; + private System.Windows.Forms.Label label3; + private System.Windows.Forms.Button StopBtn; + private System.Windows.Forms.Label label8; + private System.Windows.Forms.ComboBox StartFromSlotBox; + private System.Windows.Forms.Label label12; + private System.Windows.Forms.Label label11; + private System.Windows.Forms.Label label10; + private System.Windows.Forms.Label label9; + private System.Windows.Forms.TextBox BestTieBreak3Box; + private System.Windows.Forms.TextBox BestTieBreak2Box; + private System.Windows.Forms.TextBox BestTieBreak1Box; + private System.Windows.Forms.TextBox BestMaximizeBox; + private System.Windows.Forms.Label label16; + private System.Windows.Forms.Label label15; + private System.Windows.Forms.Label label14; + private System.Windows.Forms.Label label13; + private System.Windows.Forms.Panel panel1; + private System.Windows.Forms.Label BestAttemptNumberLabel; + private System.Windows.Forms.Label label17; + private System.Windows.Forms.Label BestAttemptLogLabel; + private System.Windows.Forms.Button ClearBestButton; + private System.Windows.Forms.ToolStripMenuItem SaveAsMenuItem; + private System.Windows.Forms.ToolStripSeparator toolStripSeparator2; + private System.Windows.Forms.ToolStripMenuItem NewMenuItem; + private System.Windows.Forms.Button PlayBestButton; + private System.Windows.Forms.ToolStripStatusLabel MessageLabel; + private System.Windows.Forms.GroupBox ControlGroupBox; + private System.Windows.Forms.ToolStripMenuItem TurboWhileBottingMenuItem; + private System.Windows.Forms.ToolStripMenuItem MemoryDomainsMenuItem; + private System.Windows.Forms.ToolStripSeparator toolStripSeparator3; + private System.Windows.Forms.Panel panel2; + private System.Windows.Forms.ContextMenuStrip StatsContextMenu; + private System.Windows.Forms.ToolStripMenuItem ClearStatsContextMenuItem; + private System.Windows.Forms.ToolStripStatusLabel BotStatusButton; + private System.Windows.Forms.ToolStripMenuItem BigEndianMenuItem; + private System.Windows.Forms.ToolStripSeparator toolStripSeparator4; + private System.Windows.Forms.ToolStripMenuItem DataSizeMenuItem; + private System.Windows.Forms.ToolStripMenuItem _1ByteMenuItem; + private System.Windows.Forms.ToolStripMenuItem _2ByteMenuItem; + private System.Windows.Forms.ToolStripMenuItem _4ByteMenuItem; + } +} \ No newline at end of file diff --git a/BizHawk.Client.EmuHawk/tools/BasicBot/BasicBot.cs b/BizHawk.Client.EmuHawk/tools/BasicBot/BasicBot.cs new file mode 100644 index 0000000000..f4a114be87 --- /dev/null +++ b/BizHawk.Client.EmuHawk/tools/BasicBot/BasicBot.cs @@ -0,0 +1,1004 @@ +using System; +using System.Collections.Generic; +using System.Drawing; +using System.IO; +using System.Linq; +using System.Text; +using System.Windows.Forms; +using BizHawk.Client.EmuHawk.ToolExtensions; + +using BizHawk.Emulation.Common; +using BizHawk.Client.Common; + +namespace BizHawk.Client.EmuHawk +{ + public partial class BasicBot : Form , IToolFormAutoConfig + { + private const string DialogTitle = "Basic Bot"; + + private string _currentFileName = string.Empty; + + private string CurrentFileName + { + get { return _currentFileName; } + set + { + _currentFileName = value; + + if (!string.IsNullOrWhiteSpace(_currentFileName)) + { + Text = DialogTitle + " - " + Path.GetFileNameWithoutExtension(_currentFileName); + } + else + { + Text = DialogTitle; + } + } + + } + + private bool _isBotting = false; + private long _attempts = 1; + private long _frames = 0; + private int _targetFrame = 0; + private bool _oldCountingSetting = false; + private BotAttempt _currentBotAttempt = null; + private BotAttempt _bestBotAttempt = null; + private bool _replayMode = false; + private int _startFrame = 0; + private string _lastRom = string.Empty; + + private bool _dontUpdateValues = false; + + private MemoryDomain _currentDomain; + private bool _bigEndian; + private int _dataSize; + + private Dictionary _cachedControlProbabilities; + private ILogEntryGenerator _logGenerator; + + #region Services and Settings + + [RequiredService] + private IEmulator Emulator { get; set; } + + // Unused, due to the use of MainForm to loadstate, but this needs to be kept here in order to establish an IStatable dependency + [RequiredService] + private IStatable StatableCore { get; set; } + + [RequiredService] + private IMemoryDomains MemoryDomains { get; set; } + + [ConfigPersist] + public BasicBotSettings Settings { get; set; } + + public class BasicBotSettings + { + public BasicBotSettings() + { + RecentBotFiles = new RecentFiles(); + TurboWhenBotting = true; + } + + public RecentFiles RecentBotFiles { get; set; } + public bool TurboWhenBotting { get; set; } + } + + #endregion + + #region Initialize + + public BasicBot() + { + InitializeComponent(); + Text = DialogTitle; + Settings = new BasicBotSettings(); + } + + private void BasicBot_Load(object sender, EventArgs e) + { + + } + + #endregion + + #region UI Bindings + + private Dictionary ControlProbabilities + { + get + { + return ControlProbabilityPanel.Controls + .OfType() + .ToDictionary(tkey => tkey.ButtonName, tvalue => tvalue.Probability); + } + } + + private string SelectedSlot + { + get + { + char num = StartFromSlotBox.SelectedItem + .ToString() + .Last(); + + return "QuickSave" + num; + } + } + + private long Attempts + { + get { return _attempts; } + set + { + _attempts = value; + AttemptsLabel.Text = _attempts.ToString(); + } + } + + private long Frames + { + get { return _frames; } + set + { + _frames = value; + FramesLabel.Text = _frames.ToString(); + } + } + + private int FrameLength + { + get { return (int)FrameLengthNumeric.Value; } + set { FrameLengthNumeric.Value = value; } + } + + public int MaximizeAddress + { + get + { + int? addr = MaximizeAddressBox.ToRawInt(); + if (addr.HasValue) + { + return addr.Value; + } + + return 0; + } + + set + { + MaximizeAddressBox.SetFromRawInt(value); + } + } + + public int MaximizeValue + { + get + { + int? addr = MaximizeAddressBox.ToRawInt(); + if (addr.HasValue) + { + return GetRamvalue(addr.Value); + } + + return 0; + } + } + + public int TieBreaker1Address + { + get + { + int? addr = TieBreaker1Box.ToRawInt(); + if (addr.HasValue) + { + return addr.Value; + } + + return 0; + } + + set + { + TieBreaker1Box.SetFromRawInt(value); + } + } + + public int TieBreaker1Value + { + get + { + int? addr = TieBreaker1Box.ToRawInt(); + if (addr.HasValue) + { + return GetRamvalue(addr.Value); + } + + return 0; + } + } + + public int TieBreaker2Address + { + get + { + int? addr = TieBreaker2Box.ToRawInt(); + if (addr.HasValue) + { + return addr.Value; + } + + return 0; + } + + set + { + TieBreaker2Box.SetFromRawInt(value); + } + } + + public int TieBreaker2Value + { + get + { + int? addr = TieBreaker2Box.ToRawInt(); + if (addr.HasValue) + { + return GetRamvalue(addr.Value); + } + + return 0; + } + } + + public int TieBreaker3Address + { + get + { + int? addr = TieBreaker3Box.ToRawInt(); + if (addr.HasValue) + { + return addr.Value; + } + + return 0; + } + + set + { + TieBreaker3Box.SetFromRawInt(value); + } + } + + public int TieBreaker3Value + { + get + { + int? addr = TieBreaker3Box.ToRawInt(); + if (addr.HasValue) + { + return GetRamvalue(addr.Value); + } + + return 0; + } + } + + public string FromSlot + { + get + { + return StartFromSlotBox.SelectedItem != null + ? StartFromSlotBox.SelectedItem.ToString() + : string.Empty; + } + + set + { + var item = StartFromSlotBox.Items. + OfType() + .FirstOrDefault(o => o.ToString() == value); + + if (item != null) + { + StartFromSlotBox.SelectedItem = item; + } + else + { + StartFromSlotBox.SelectedItem = null; + } + } + } + + #endregion + + #region IToolForm Implementation + + public bool UpdateBefore { get { return true; } } + + public void UpdateValues() + { + Update(fast: false); + } + + public void FastUpdate() + { + Update(fast: true); + } + + public void Restart() + { + if (_currentDomain == null || + MemoryDomains.Contains(_currentDomain)) + { + _currentDomain = MemoryDomains.MainMemory; + _bigEndian = _currentDomain.EndianType == MemoryDomain.Endian.Big; + _dataSize = 1; + } + + if (_isBotting) + { + StopBot(); + } + else if (_replayMode) + { + FinishReplay(); + } + + + if (_lastRom != GlobalWin.MainForm.CurrentlyOpenRom) + { + _lastRom = GlobalWin.MainForm.CurrentlyOpenRom; + SetupControlsAndProperties(); + } + } + + public bool AskSaveChanges() + { + return true; + } + + #endregion + + #region Control Events + + #region FileMenu + + private void FileSubMenu_DropDownOpened(object sender, EventArgs e) + { + SaveMenuItem.Enabled = !string.IsNullOrWhiteSpace(CurrentFileName); + } + + private void RecentSubMenu_DropDownOpened(object sender, EventArgs e) + { + RecentSubMenu.DropDownItems.Clear(); + RecentSubMenu.DropDownItems.AddRange( + Settings.RecentBotFiles.RecentMenu(LoadFileFromRecent, true)); + } + + private void NewMenuItem_Click(object sender, EventArgs e) + { + CurrentFileName = string.Empty; + _bestBotAttempt = null; + + ControlProbabilityPanel.Controls + .OfType() + .ToList() + .ForEach(cp => cp.Probability = 0); + + FrameLength = 0; + MaximizeAddress = 0; + TieBreaker1Address = 0; + TieBreaker2Address = 0; + TieBreaker3Address = 0; + StartFromSlotBox.SelectedIndex = 0; + + UpdateBestAttempt(); + } + + private void OpenMenuItem_Click(object sender, EventArgs e) + { + var file = ToolHelpers.OpenFileDialog( + CurrentFileName, + PathManager.GetRomsPath(Global.Game.System), // TODO: bot path + "Bot files", + "bot" + ); + + if (file != null) + { + LoadBotFile(file.FullName); + } + } + + private void SaveMenuItem_Click(object sender, EventArgs e) + { + if (!string.IsNullOrWhiteSpace(CurrentFileName)) + { + SaveBotFile(CurrentFileName); + } + } + + private void SaveAsMenuItem_Click(object sender, EventArgs e) + { + var file = ToolHelpers.SaveFileDialog( + CurrentFileName, + PathManager.GetRomsPath(Global.Game.System), // TODO: bot path + "Bot files", + "bot" + ); + + if (file != null) + { + SaveBotFile(file.FullName); + _currentFileName = file.FullName; + } + } + + private void ExitMenuItem_Click(object sender, EventArgs e) + { + Close(); + } + + #endregion + + #region Options Menu + + private void OptionsSubMenu_DropDownOpened(object sender, EventArgs e) + { + TurboWhileBottingMenuItem.Checked = Settings.TurboWhenBotting; + BigEndianMenuItem.Checked = _bigEndian; + } + + private void MemoryDomainsMenuItem_DropDownOpened(object sender, EventArgs e) + { + MemoryDomainsMenuItem.DropDownItems.Clear(); + MemoryDomainsMenuItem.DropDownItems.AddRange( + MemoryDomains.MenuItems(SetMemoryDomain, _currentDomain.Name) + .ToArray()); + } + + private void BigEndianMenuItem_Click(object sender, EventArgs e) + { + _bigEndian ^= true; + } + + private void DataSizeMenuItem_DropDownOpened(object sender, EventArgs e) + { + _1ByteMenuItem.Checked = _dataSize == 1; + _2ByteMenuItem.Checked = _dataSize == 2; + _4ByteMenuItem.Checked = _dataSize == 4; + } + + private void _1ByteMenuItem_Click(object sender, EventArgs e) + { + _dataSize = 1; + } + + private void _2ByteMenuItem_Click(object sender, EventArgs e) + { + _dataSize = 2; + } + + private void _4ByteMenuItem_Click(object sender, EventArgs e) + { + _dataSize = 4; + } + + private void TurboWhileBottingMenuItem_Click(object sender, EventArgs e) + { + Settings.TurboWhenBotting ^= true; + } + + #endregion + + private void RunBtn_Click(object sender, EventArgs e) + { + StartBot(); + } + + private void StopBtn_Click(object sender, EventArgs e) + { + StopBot(); + } + + private void ClearBestButton_Click(object sender, EventArgs e) + { + _bestBotAttempt = null; + UpdateBestAttempt(); + } + + private void PlayBestButton_Click(object sender, EventArgs e) + { + StopBot(); + _replayMode = true; + _dontUpdateValues = true; + GlobalWin.MainForm.LoadQuickSave(SelectedSlot, false, true); // Triggers an UpdateValues call + _dontUpdateValues = false; + _startFrame = Emulator.Frame; + SetNormalSpeed(); + UpdateBotStatusIcon(); + MessageLabel.Text = "Replaying"; + GlobalWin.MainForm.UnpauseEmulator(); + } + + private void FrameLengthNumeric_ValueChanged(object sender, EventArgs e) + { + AssessRunButtonStatus(); + } + + private void ClearStatsContextMenuItem_Click(object sender, EventArgs e) + { + Attempts = 0; + Frames = 0; + } + + #endregion + + #region Classes + + private class BotAttempt + { + public BotAttempt() + { + Log = new List(); + } + + public long Attempt { get; set; } + public int Maximize { get; set; } + public int TieBreak1 { get; set; } + public int TieBreak2 { get; set; } + public int TieBreak3 { get; set; } + public List Log { get; set; } + } + + private class BotData + { + public BotAttempt Best { get; set; } + public Dictionary ControlProbabilities { get; set; } + public int Maximize { get; set; } + public int TieBreaker1 { get; set; } + public int TieBreaker2 { get; set; } + public int TieBreaker3 { get; set; } + public int FrameLength { get; set; } + public string FromSlot { get; set; } + public long Attempts { get; set; } + public long Frames { get; set; } + + public string MemoryDomain { get; set; } + public bool BigEndian { get; set; } + public int DataSize { get; set; } + } + + #endregion + + #region File Handling + + private void LoadFileFromRecent(string path) + { + var result = LoadBotFile(path); + if (!result) + { + Settings.RecentBotFiles.HandleLoadError(path); + } + } + + private bool LoadBotFile(string path) + { + var file = new FileInfo(path); + if (!file.Exists) + { + return false; + } + + var json = File.ReadAllText(path); + var botData = (BotData)ConfigService.LoadWithType(json); + + _bestBotAttempt = botData.Best; + + + var probabilityControls = ControlProbabilityPanel.Controls + .OfType() + .ToList(); + + foreach (var kvp in botData.ControlProbabilities) + { + var control = probabilityControls.Single(c => c.ButtonName == kvp.Key); + control.Probability = kvp.Value; + } + + MaximizeAddress = botData.Maximize; + TieBreaker1Address = botData.TieBreaker1; + TieBreaker2Address = botData.TieBreaker2; + TieBreaker3Address = botData.TieBreaker3; + FrameLength = botData.FrameLength; + FromSlot = botData.FromSlot; + Attempts = botData.Attempts; + Frames = botData.Frames; + + _currentDomain = !string.IsNullOrWhiteSpace(botData.MemoryDomain) + ? MemoryDomains[botData.MemoryDomain] + : MemoryDomains.MainMemory; + + _bigEndian = botData.BigEndian; + _dataSize = botData.DataSize > 0 ? botData.DataSize : 1; + + UpdateBestAttempt(); + + if (_bestBotAttempt != null) + { + PlayBestButton.Enabled = true; + } + + CurrentFileName = path; + Settings.RecentBotFiles.Add(CurrentFileName); + MessageLabel.Text = Path.GetFileNameWithoutExtension(path) + " loaded"; + + return true; + } + + private void SaveBotFile(string path) + { + var data = new BotData + { + Best = _bestBotAttempt, + ControlProbabilities = ControlProbabilities, + Maximize = MaximizeAddress, + TieBreaker1 = TieBreaker1Address, + TieBreaker2 = TieBreaker2Address, + TieBreaker3 = TieBreaker3Address, + FromSlot = FromSlot, + FrameLength = FrameLength, + Attempts = Attempts, + Frames = Frames, + MemoryDomain = _currentDomain.Name, + BigEndian = _bigEndian, + DataSize = _dataSize + }; + + var json = ConfigService.SaveWithType(data); + + File.WriteAllText(path, json); + CurrentFileName = path; + Settings.RecentBotFiles.Add(CurrentFileName); + MessageLabel.Text = Path.GetFileName(CurrentFileName) + " saved"; + } + + #endregion + + private void SetupControlsAndProperties() + { + MaximizeAddressBox.SetHexProperties(MemoryDomains.MainMemory.Size); + TieBreaker1Box.SetHexProperties(MemoryDomains.MainMemory.Size); + TieBreaker2Box.SetHexProperties(MemoryDomains.MainMemory.Size); + TieBreaker3Box.SetHexProperties(MemoryDomains.MainMemory.Size); + + StartFromSlotBox.SelectedIndex = 0; + + int starty = 0; + int accumulatedy = 0; + int lineHeight = 30; + int marginLeft = 15; + int count = 0; + + ControlProbabilityPanel.Controls.Clear(); + + foreach (var button in Emulator.ControllerDefinition.BoolButtons) + { + var control = new BotControlsRow + { + ButtonName = button, + Probability = 0.0, + Location = new Point(marginLeft, starty + accumulatedy), + TabIndex = count + 1, + ProbabilityChangedCallback = AssessRunButtonStatus + }; + + ControlProbabilityPanel.Controls.Add(control); + accumulatedy += lineHeight; + count++; + } + + if (Settings.RecentBotFiles.AutoLoad) + { + LoadFileFromRecent(Settings.RecentBotFiles.MostRecent); + } + + UpdateBotStatusIcon(); + } + + private void SetMemoryDomain(string name) + { + _currentDomain = MemoryDomains[name]; + _bigEndian = MemoryDomains[name].EndianType == MemoryDomain.Endian.Big; + } + + private int GetRamvalue(int addr) + { + int val; + switch (_dataSize) + { + default: + case 1: + val = _currentDomain.PeekByte(addr); + break; + case 2: + val = _currentDomain.PeekWord(addr, _bigEndian); + break; + case 4: + val = (int)_currentDomain.PeekDWord(addr, _bigEndian); + break; + } + + return val; + } + + private void Update(bool fast) + { + if (_dontUpdateValues) + { + return; + } + + if (_replayMode) + { + int index = Emulator.Frame - _startFrame; + + if (index < _bestBotAttempt.Log.Count) + { + var logEntry = _bestBotAttempt.Log[index]; + var lg = Global.MovieSession.MovieControllerInstance(); + lg.SetControllersAsMnemonic(logEntry); + + foreach (var button in lg.Type.BoolButtons) + { + // TODO: make an input adapter specifically for the bot? + Global.LuaAndAdaptor.SetButton(button, lg.IsPressed(button)); + } + } + else + { + FinishReplay(); + } + } + else if (_isBotting) + { + if (Global.Emulator.Frame >= _targetFrame) + { + Attempts++; + Frames += FrameLength; + + _currentBotAttempt.Maximize = MaximizeValue; + _currentBotAttempt.TieBreak1 = TieBreaker1Value; + _currentBotAttempt.TieBreak2 = TieBreaker2Value; + _currentBotAttempt.TieBreak3 = TieBreaker3Value; + PlayBestButton.Enabled = true; + + if (_bestBotAttempt == null || IsBetter(_bestBotAttempt, _currentBotAttempt)) + { + _bestBotAttempt = _currentBotAttempt; + UpdateBestAttempt(); + } + + _currentBotAttempt = new BotAttempt { Attempt = Attempts }; + GlobalWin.MainForm.LoadQuickSave(SelectedSlot, false, true); + } + + PressButtons(); + } + } + + private void FinishReplay() + { + GlobalWin.MainForm.PauseEmulator(); + _startFrame = 0; + _replayMode = false; + UpdateBotStatusIcon(); + MessageLabel.Text = "Replay stopped"; + } + + private bool IsBetter(BotAttempt best, BotAttempt current) + { + if (current.Maximize > best.Maximize) + { + return true; + } + else if (current.Maximize == best.Maximize) + { + if (current.TieBreak1 > best.TieBreak1) + { + return true; + } + else if (current.TieBreak1 == best.TieBreak1) + { + if (current.TieBreak2 > best.TieBreak2) + { + return true; + } + else if (current.TieBreak2 == best.TieBreak2) + { + if (current.TieBreak3 > current.TieBreak3) + { + return true; + } + } + } + } + + return false; + } + + private void UpdateBestAttempt() + { + if (_bestBotAttempt != null) + { + + + ClearBestButton.Enabled = true; + BestAttemptNumberLabel.Text = _bestBotAttempt.Attempt.ToString(); + BestMaximizeBox.Text = _bestBotAttempt.Maximize.ToString(); + BestTieBreak1Box.Text = _bestBotAttempt.TieBreak1.ToString(); + BestTieBreak2Box.Text = _bestBotAttempt.TieBreak2.ToString(); + BestTieBreak3Box.Text = _bestBotAttempt.TieBreak3.ToString(); + + var sb = new StringBuilder(); + foreach (var logEntry in _bestBotAttempt.Log) + { + sb.AppendLine(logEntry); + } + BestAttemptLogLabel.Text = sb.ToString(); + PlayBestButton.Enabled = true; + } + else + { + ClearBestButton.Enabled = false; + BestAttemptNumberLabel.Text = string.Empty; + BestMaximizeBox.Text = string.Empty; + BestTieBreak1Box.Text = string.Empty; + BestTieBreak2Box.Text = string.Empty; + BestTieBreak3Box.Text = string.Empty; + BestAttemptLogLabel.Text = string.Empty; + PlayBestButton.Enabled = false; + } + } + + private void PressButtons() + { + var rand = new Random((int)DateTime.Now.Ticks); + + var buttonLog = new Dictionary(); + + foreach (var button in Emulator.ControllerDefinition.BoolButtons) + { + double probability = _cachedControlProbabilities[button]; + bool pressed = !(rand.Next(100) < probability); + + buttonLog.Add(button, pressed); + Global.ClickyVirtualPadController.SetBool(button, pressed); + } + + _currentBotAttempt.Log.Add(_logGenerator.GenerateLogEntry()); + } + + private void StartBot() + { + if (!CanStart()) + { + MessageBox.Show("Unable to run with current settings"); + return; + } + + _isBotting = true; + ControlsBox.Enabled = false; + StartFromSlotBox.Enabled = false; + RunBtn.Visible = false; + StopBtn.Visible = true; + GoalGroupBox.Enabled = false; + _currentBotAttempt = new BotAttempt { Attempt = Attempts }; + + if (Global.MovieSession.Movie.IsRecording) + { + _oldCountingSetting = Global.MovieSession.Movie.IsCountingRerecords; + Global.MovieSession.Movie.IsCountingRerecords = false; + } + + _dontUpdateValues = true; + GlobalWin.MainForm.LoadQuickSave(SelectedSlot, false, true); // Triggers an UpdateValues call + _dontUpdateValues = false; + + _targetFrame = Global.Emulator.Frame + (int)FrameLengthNumeric.Value; + + GlobalWin.MainForm.UnpauseEmulator(); + if (Settings.TurboWhenBotting) + { + SetMaxSpeed(); + } + + UpdateBotStatusIcon(); + MessageLabel.Text = "Running..."; + _cachedControlProbabilities = ControlProbabilities; + _logGenerator = Global.MovieSession.LogGeneratorInstance(); + _logGenerator.SetSource(Global.ClickyVirtualPadController); + } + + private bool CanStart() + { + if (!ControlProbabilities.Any(cp => cp.Value > 0)) + { + return false; + } + + if (!MaximizeAddressBox.ToRawInt().HasValue) + { + return false; + } + + if (FrameLengthNumeric.Value == 0) + { + return false; + } + + return true; + } + + private void StopBot() + { + RunBtn.Visible = true; + StopBtn.Visible = false; + _isBotting = false; + _targetFrame = 0; + ControlsBox.Enabled = true; + StartFromSlotBox.Enabled = true; + _targetFrame = 0; + _currentBotAttempt = null; + GoalGroupBox.Enabled = true; + + if (Global.MovieSession.Movie.IsRecording) + { + Global.MovieSession.Movie.IsCountingRerecords = _oldCountingSetting; + } + + GlobalWin.MainForm.PauseEmulator(); + SetNormalSpeed(); + UpdateBotStatusIcon(); + MessageLabel.Text = "Bot stopped"; + } + + private void UpdateBotStatusIcon() + { + if (_replayMode) + { + BotStatusButton.Image = Properties.Resources.Play; + BotStatusButton.ToolTipText = "Replaying best result"; + } + else if (_isBotting) + { + BotStatusButton.Image = Properties.Resources.RecordHS; + BotStatusButton.ToolTipText = "Botting in progress"; + } + else + { + BotStatusButton.Image = Properties.Resources.Pause; + BotStatusButton.ToolTipText = "Bot is currently not running"; + } + } + + private void SetMaxSpeed() + { + GlobalWin.MainForm.Unthrottle(); + } + + private void SetNormalSpeed() + { + GlobalWin.MainForm.Throttle(); + } + + private void AssessRunButtonStatus() + { + RunBtn.Enabled = + FrameLength > 0 + && !string.IsNullOrWhiteSpace(MaximizeAddressBox.Text) + && ControlProbabilities.Any(kvp => kvp.Value > 0); + } + } +} diff --git a/BizHawk.Client.EmuHawk/tools/BasicBot/BasicBot.resx b/BizHawk.Client.EmuHawk/tools/BasicBot/BasicBot.resx new file mode 100644 index 0000000000..055af9da97 --- /dev/null +++ b/BizHawk.Client.EmuHawk/tools/BasicBot/BasicBot.resx @@ -0,0 +1,272 @@ + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + text/microsoft-resx + + + 2.0 + + + System.Resources.ResXResourceReader, System.Windows.Forms, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b77a5c561934e089 + + + System.Resources.ResXResourceWriter, System.Windows.Forms, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b77a5c561934e089 + + + 17, 17 + + + 119, 17 + + + + + iVBORw0KGgoAAAANSUhEUgAAABAAAAAQCAYAAAAf8/9hAAAAAXNSR0IArs4c6QAAAARnQU1BAACxjwv8 + YQUAAAAJcEhZcwAADsMAAA7DAcdvqGQAAAIDSURBVDhPpZLrS5NhGMb3j4SWh0oRQVExD4gonkDpg4hG + YKxG6WBogkMZKgPNCEVJFBGdGETEvgwyO9DJE5syZw3PIlPEE9pgBCLZ5XvdMB8Ew8gXbl54nuf63dd9 + 0OGSnwCahxbPRNPAPMw9Xpg6ZmF46kZZ0xSKzJPIrhpDWsVnpBhGkKx3nAX8Pv7z1zg8OoY/cITdn4fw + bf/C0kYAN3Ma/w3gWfZL5kzTKBxjWyK2DftwI9tyMYCZKXbNHaD91bLYJrDXsYbrWfUKwJrPE9M2M1Oc + VzOOpHI7Jr376Hi9ogHqFIANO0/MmmmbmSmm9a8ze+I4MrNWAdjtoJgWcx+PSzg166yZZ8xM8XvXDix9 + c4jIqFYAjoriBV9AhEPv1mH/sonogha0afbZMMZz+yreTGyhpusHwtNNCsA5U1zS4BLxzJIfg299qO32 + Ir7UJtZfftyATqeT+8o2D8JSjQrAJblrncYL7ZJ2+bfaFnC/1S1NjL3diRat7qrO7wLRP3HjWsojBeCo + mDEo5mNjuweFGvjWg2EBhCbpkW78htSHHwRyNdmgAFzPEee2iFkzayy2OLXzT4gr6UdUnlXrullsxxQ+ + kx0g8BTA3aZlButjSTyjODq/WcQcW/B/Je4OQhLvKQDnzN1mp0nnkvAhR8VuMzNrpm1mpjgkoVwB/v8D + TgDQASA1MVpwzwAAAABJRU5ErkJggg== + + + + 248, 17 + + + + AAABAAEAMDAAAAEAGACoHAAAFgAAACgAAAAwAAAAYAAAAAEAGAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAA + AAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAA + AAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAA + AAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAXD70AAAAA + AAAkHO0AAAAXD70XD70kHO0kHO0kHO0kHO0kHO0kHO0kHO0XD70XD70kHO0kHO0kHO0kHO0kHO0kHO0k + HO0XD70XD70AAAAkHO0AAAAAAAAXD70AAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAA + AAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAA + AAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAA + AAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAB3t8oAAAAAAAB3t8oAAABfqsBf + qsB3t8p3t8p3t8p3t8p3t8pfqsBfqsAAAAAAAABfqsBfqsB3t8p3t8p3t8p3t8p3t8pfqsBfqsAAAAB3 + t8oAAAAAAAB3t8oAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAA + AAAAAABfqsB3t8p3t8pfqsAAAABfqsB3t8p3t8p3t8p3t8p3t8p3t8p3t8pfqsAAAAAAAABfqsB3t8p3 + t8p3t8p3t8p3t8p3t8p3t8pfqsAAAABfqsB3t8p3t8pfqsAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAA + AAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAA + AAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAA + AAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAA + AAAAAAAAAAAAAABfqsB3t8p3t8p3t8p3t8p3t8p3t8p3t8p3t8p3t8p3t8p3t8p3t8p3t8p3t8p3t8p3 + t8pfqsAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAA + AAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAA + AAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAA + AAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAA + AAAAAABfqsB3t8p3t8p3t8p3t8p3t8p3t8p3t8p3t8p3t8p3t8p3t8p3t8pfqsAAAAAAAAAAAAAAAAAA + AAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAA + AAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAA + AAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAA + AAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAA + AABfqsB3t8p3t8pfqsBfqsB3t8p3t8pfqsAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAA + AAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAA + AAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAB3t8p3t8pfqsAAAAAAAABfqsB3t8p3t8oAAAAAAAAAAAAA + AAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAA + AAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAABfqsB3t8pfqsAA + AAAAAABfqsB3t8pfqsAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAA + AAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAA + AAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAA + AAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAA + AAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAABfqsBfqsBfqsBfqsAAAAAA + AAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAA + AAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAA + AAAAAAAAAABfqsB3t8p3t8pfqsAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAA + AAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAA + AAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAB3t8p3t8p3t8p3t8oAAAAAAAAAAAAAAAAAAAAA + AAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAA + AAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAA + AAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAA + AAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAXD70X + D70kHO0kHO0XD70AAAAsLCx/f38sLCwsLCwsLCwsLCwsLCwsLCwAAAAXD70kHO0kHO0XD70XD70AAAAA + AAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAA + AAAAAAAAAAAAAAAAAAAAAAAAAAAXD70kHO0kHO0kHO0kHO0AAAB/f39/f39/f38sLCwkHO0sLCwkHO0s + LCwAAAAkHO0kHO0kHO0kHO0XD70AAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAA + AAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAYIScYIScYIScYIScYIScYIScYIScAAAAXD70kHO0kHO0kHO0A + AAAsLCx/f38sLCwsLCwsLCwsLCwsLCwsLCwAAAAkHO0kHO0kHO0XD70AAAAYIScYIScYIScYIScYIScY + IScYIScAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAYIScYIScYIScYIScY + IScYIScAAAAAAAAAAAAXD70kHO0XD70AAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAXD70kHO0X + D70AAAAAAAAAAAAYIScYIScYIScYIScYIScYIScAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAA + AAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAB3t8p3 + t8p3t8p3t8oAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAA + AAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAXD70AAAAAAAAAAAAAAAAAAAAA + AAAAAAAAAAAAAAAAAAAAAAAAAABfqsB3t8p3t8pfqsAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAA + AAAAAAAAAAAkHO0AAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAA + AAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAA + AAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAA + AAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAXD70XD70AAAAAAAAAAABfqsB3t8p3t8p3t8p3t8p3t8p3 + t8p3t8p3t8p3t8p3t8p3t8p3t8p3t8p3t8p3t8p3t8p3t8p3t8p3t8p3t8pfqsAAAAAAAAAAAAAXD70X + D70AAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAkHO0kHO0AAAAA + AABfqsB3t8p3t8p3t8p3t8p3t8p3t8p3t8p3t8p3t8p3t8p3t8p3t8p3t8p3t8p3t8p3t8p3t8p3t8p3 + t8p3t8p3t8p3t8pfqsAAAAAAAAAXD70kHO0AAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAA + AAAAAAAAAAAAAAAXD70kHO0XD70AAAAAAABfqsBfqsB3t8p3t8p3t8p3t8p3t8p3t8p3t8p3t8p3t8p3 + t8p3t8p3t8p3t8p3t8p3t8p3t8p3t8p3t8p3t8p3t8pfqsBfqsAAAAAAAAAXD70kHO0XD70AAAAAAAAA + AAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAkHO0kHO0AAAB3t8oAAAAAAAAAAAAAAAAA + AAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAA + AAAAAAB3t8oAAAAkHO0kHO0AAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAXD70k + HO0kHO0AAABfqsAAAABfqsBfqsB3t8p3t8p3t8p3t8p3t8p3t8p3t8p3t8p3t8p3t8p3t8p3t8p3t8p3 + t8p3t8p3t8p3t8p3t8p3t8p3t8pfqsBfqsAAAABfqsAAAAAkHO0kHO0XD70AAAAAAAAAAAAAAAAAAAAA + AAAAAAAAAAAAAAAAAAAAAAAAAAAkHO0kHO0XD70AAAAAAAAAAABfqsB3t8p3t8p3t8p3t8p3t8p3t8p3 + t8p3t8pfqsBfqsBfqsBfqsBfqsBfqsB3t8p3t8p3t8p3t8p3t8p3t8p3t8p3t8pfqsAAAAAAAAAAAAAX + D70kHO0kHO0AAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAXD70kHO0AAABfqsB3t8pf + qsAAAAAAAAB3t8p3t8p3t8p3t8p3t8p3t8pfqsAAAAAAAAAAAAAAAAAAAAAAAABfqsB3t8p3t8p3t8p3 + t8p3t8p3t8oAAAAAAABfqsB3t8pfqsAAAAAkHO0XD70AAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAA + AAAAAAAAAAAAAAAAAABfqsB3t8p3t8p3t8pfqsAAAABfqsB3t8p3t8p3t8p3t8pfqsBfqsAAAABfqsB3 + t8p3t8pfqsAAAABfqsBfqsB3t8p3t8p3t8p3t8pfqsAAAABfqsB3t8p3t8p3t8pfqsAAAAAAAAAAAAAA + AAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAA + AAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAA + AAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAA + AAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAABfqsB3t8p3t8pfqsAAAAAA + AAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAA + AAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAA + AAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAA + AAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAA + AAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAABfqsB3t8p3t8p3t8p3t8pfqsAAAAAAAAAAAAAAAAAA + AAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAA + AAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAA + AAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAA + AAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAA + AAAAAAAYIScYIScYIScYIScYIScYIScYIScYIScYIScYIScYIScYIScYIScYIScAAAAAAAAAAAAAAAAA + AAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAA + AAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAYIScQGzAVAIgVAIgQGzAYIScYIScYIScYIScQGzAV + AIgVAIgQGzAYIScAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAA + AAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAYIScVAIgk + HO0kHO0VAIgYIScYIScYIScYIScVAIgkHO0kHO0VAIgYIScAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAA + AAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAA + AAAAAAAAAAAAAAAAAAAAAAAYIScVAIgkHO1EOu8VAIgYIScYIScYIScYIScVAIgkHO1EOu8VAIgYIScA + AAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAA + AAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAYIScQGzAVAIgVAIgQGzAYIScY + IScYIScYIScQGzAVAIgVAIgQGzAYIScAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAA + AAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAA + AAAAAAAYIScYIScYIScYIScYIScYIScYIScYIScYIScYIScYIScYIScYIScYIScAAAAAAAAAAAAAAAAA + AAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAA + AAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAA + AAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAA + AAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAA + AAAAAAAAAAAAAAAkHO0kHO0AAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAA + AAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAA + AAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAABEOu9EOu8AAAAAAAAAAAAAAAAAAAAAAAAA + AAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAA + AAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAA + AAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAA + AAAAAAAAAAAAAAAAAAD/AAAAAP8AAP8AAAAA/wAA/wAAAAD/AAD/AAAAAP8AAP8AAAAA/wAA/4AAAAH/ + AAD//AAAP/8AAP/+AAB//wAA//8AAP//AAD//4AB//8AAP//4Af//wAA///gB///AAD//+AH//8AAP// + 8A///wAA///4H///AAD///gf//8AAP//+B///wAA//gAAB//AAD/+AAAH/8AAP4AAAAAfwAA/AAAAAA/ + AAD8AAAAAD8AAP4HCBDgfwAA/x/4H/j/AAD/GAAAGP8AAP4QAAAIfwAA/gAAAAB/AAD8AAAAAD8AAPwA + AAAAPwAA+AAAAAAfAAD4AAAAAB8AAPgAAAAAHwAA/AAAAAA/AAD/AAAAAP8AAP//+B///wAA///4H/// + AAD///AP//8AAP//gAH//wAA//8AAP//AAD//wAA//8AAP//AAD//wAA//8AAP//AAD//wAA//8AAP// + AAD//wAA//+AAf//AAD///w///8AAP///D///wAA///+f///AAA= + + + \ No newline at end of file diff --git a/BizHawk.Client.EmuHawk/tools/BasicBot/BotControlsRow.Designer.cs b/BizHawk.Client.EmuHawk/tools/BasicBot/BotControlsRow.Designer.cs new file mode 100644 index 0000000000..81655e6afe --- /dev/null +++ b/BizHawk.Client.EmuHawk/tools/BasicBot/BotControlsRow.Designer.cs @@ -0,0 +1,96 @@ +namespace BizHawk.Client.EmuHawk +{ + partial class BotControlsRow + { + /// + /// Required designer variable. + /// + private System.ComponentModel.IContainer components = null; + + /// + /// Clean up any resources being used. + /// + /// true if managed resources should be disposed; otherwise, false. + protected override void Dispose(bool disposing) + { + if (disposing && (components != null)) + { + components.Dispose(); + } + base.Dispose(disposing); + } + + #region Component Designer generated code + + /// + /// Required method for Designer support - do not modify + /// the contents of this method with the code editor. + /// + private void InitializeComponent() + { + this.ButtonNameLabel = new System.Windows.Forms.Label(); + this.ProbabilityUpDown = new System.Windows.Forms.NumericUpDown(); + this.ProbabilitySlider = new System.Windows.Forms.TrackBar(); + ((System.ComponentModel.ISupportInitialize)(this.ProbabilityUpDown)).BeginInit(); + ((System.ComponentModel.ISupportInitialize)(this.ProbabilitySlider)).BeginInit(); + this.SuspendLayout(); + // + // ButtonNameLabel + // + this.ButtonNameLabel.AutoSize = true; + this.ButtonNameLabel.Location = new System.Drawing.Point(3, 0); + this.ButtonNameLabel.Name = "ButtonNameLabel"; + this.ButtonNameLabel.Size = new System.Drawing.Size(35, 13); + this.ButtonNameLabel.TabIndex = 0; + this.ButtonNameLabel.Text = "label1"; + // + // ProbabilityUpDown + // + this.ProbabilityUpDown.DecimalPlaces = 1; + this.ProbabilityUpDown.Increment = new decimal(new int[] { + 1, + 0, + 0, + 65536}); + this.ProbabilityUpDown.Location = new System.Drawing.Point(92, 0); + this.ProbabilityUpDown.Name = "ProbabilityUpDown"; + this.ProbabilityUpDown.Size = new System.Drawing.Size(49, 20); + this.ProbabilityUpDown.TabIndex = 1; + this.ProbabilityUpDown.ValueChanged += new System.EventHandler(this.ProbabilityUpDown_ValueChanged); + // + // ProbabilitySlider + // + this.ProbabilitySlider.Anchor = ((System.Windows.Forms.AnchorStyles)(((System.Windows.Forms.AnchorStyles.Top | System.Windows.Forms.AnchorStyles.Left) + | System.Windows.Forms.AnchorStyles.Right))); + this.ProbabilitySlider.Location = new System.Drawing.Point(147, -2); + this.ProbabilitySlider.Maximum = 100; + this.ProbabilitySlider.Name = "ProbabilitySlider"; + this.ProbabilitySlider.Size = new System.Drawing.Size(111, 45); + this.ProbabilitySlider.TabIndex = 2; + this.ProbabilitySlider.TickFrequency = 25; + this.ProbabilitySlider.ValueChanged += new System.EventHandler(this.ProbabilitySlider_ValueChanged); + // + // BotControlsRow + // + this.AutoScaleDimensions = new System.Drawing.SizeF(6F, 13F); + this.AutoScaleMode = System.Windows.Forms.AutoScaleMode.Font; + this.Controls.Add(this.ProbabilitySlider); + this.Controls.Add(this.ProbabilityUpDown); + this.Controls.Add(this.ButtonNameLabel); + this.Name = "BotControlsRow"; + this.Size = new System.Drawing.Size(258, 29); + this.Load += new System.EventHandler(this.BotControlsRow_Load); + ((System.ComponentModel.ISupportInitialize)(this.ProbabilityUpDown)).EndInit(); + ((System.ComponentModel.ISupportInitialize)(this.ProbabilitySlider)).EndInit(); + this.ResumeLayout(false); + this.PerformLayout(); + + } + + #endregion + + private System.Windows.Forms.Label ButtonNameLabel; + private System.Windows.Forms.NumericUpDown ProbabilityUpDown; + private System.Windows.Forms.TrackBar ProbabilitySlider; + } +} diff --git a/BizHawk.Client.EmuHawk/tools/BasicBot/BotControlsRow.cs b/BizHawk.Client.EmuHawk/tools/BasicBot/BotControlsRow.cs new file mode 100644 index 0000000000..6996b96f9f --- /dev/null +++ b/BizHawk.Client.EmuHawk/tools/BasicBot/BotControlsRow.cs @@ -0,0 +1,58 @@ +using System; +using System.Windows.Forms; + +namespace BizHawk.Client.EmuHawk +{ + public partial class BotControlsRow : UserControl + { + private bool _programmaticallyChangingValues; + + public BotControlsRow() + { + InitializeComponent(); + } + + public Action ProbabilityChangedCallback { get; set; } + + public string ButtonName + { + get { return ButtonNameLabel.Text; } + set { ButtonNameLabel.Text = value; } + } + + public double Probability + { + get { return (double)ProbabilityUpDown.Value; } + set { ProbabilityUpDown.Value = (decimal)value; } + } + + private void BotControlsRow_Load(object sender, EventArgs e) + { + + } + + private void ProbabilityUpDown_ValueChanged(object sender, EventArgs e) + { + _programmaticallyChangingValues = true; + ProbabilitySlider.Value = (int)ProbabilityUpDown.Value; + ChangedCallback(); + _programmaticallyChangingValues = false; + } + + private void ProbabilitySlider_ValueChanged(object sender, EventArgs e) + { + _programmaticallyChangingValues = true; + ProbabilityUpDown.Value = ProbabilitySlider.Value; + ChangedCallback(); + _programmaticallyChangingValues = false; + } + + private void ChangedCallback() + { + if (ProbabilityChangedCallback != null) + { + ProbabilityChangedCallback(); + } + } + } +} diff --git a/BizHawk.Client.EmuHawk/tools/BasicBot/BotControlsRow.resx b/BizHawk.Client.EmuHawk/tools/BasicBot/BotControlsRow.resx new file mode 100644 index 0000000000..1af7de150c --- /dev/null +++ b/BizHawk.Client.EmuHawk/tools/BasicBot/BotControlsRow.resx @@ -0,0 +1,120 @@ + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + text/microsoft-resx + + + 2.0 + + + System.Resources.ResXResourceReader, System.Windows.Forms, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b77a5c561934e089 + + + System.Resources.ResXResourceWriter, System.Windows.Forms, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b77a5c561934e089 + + \ No newline at end of file diff --git a/BizHawk.Client.EmuHawk/tools/Cheats/Cheats.cs b/BizHawk.Client.EmuHawk/tools/Cheats/Cheats.cs index 5103fa18c2..c83f47b1ba 100644 --- a/BizHawk.Client.EmuHawk/tools/Cheats/Cheats.cs +++ b/BizHawk.Client.EmuHawk/tools/Cheats/Cheats.cs @@ -139,7 +139,12 @@ namespace BizHawk.Client.EmuHawk private static bool SaveAs() { - var file = ToolHelpers.GetCheatSaveFileFromUser(Global.CheatList.CurrentFileName); + var file = ToolHelpers.SaveFileDialog( + Global.CheatList.CurrentFileName, + PathManager.GetCheatsPath(Global.Game), + "Cheat Files", + "cht"); + return file != null && Global.CheatList.SaveFile(file.FullName); } @@ -178,17 +183,22 @@ namespace BizHawk.Client.EmuHawk private void EditCheat() { - Global.CheatList.Remove(CheatEditor.OriginalCheat); - AddCheat(); + Global.CheatList.Exchange(CheatEditor.OriginalCheat, CheatEditor.Cheat); + UpdateDialog(); + UpdateMessageLabel(); } public void SaveConfigSettings() { SaveColumnInfo(); - Settings.Wndx = Location.X; - Settings.Wndy = Location.Y; - Settings.Width = Right - Left; - Settings.Height = Bottom - Top; + + if (WindowState == FormWindowState.Normal) + { + Settings.Wndx = Location.X; + Settings.Wndy = Location.Y; + Settings.Width = Right - Left; + Settings.Height = Bottom - Top; + } } private void LoadConfigSettings() @@ -379,7 +389,13 @@ namespace BizHawk.Client.EmuHawk private void OpenMenuItem_Click(object sender, EventArgs e) { var append = sender == AppendMenuItem; - LoadFile(ToolHelpers.GetCheatFileFromUser(Global.CheatList.CurrentFileName), append); + var file = ToolHelpers.OpenFileDialog( + Global.CheatList.CurrentFileName, + PathManager.GetCheatsPath(Global.Game), + "Cheat Files", + "cht"); + + LoadFile(file, append); } private void SaveMenuItem_Click(object sender, EventArgs e) @@ -522,6 +538,7 @@ namespace BizHawk.Client.EmuHawk private void ToggleMenuItem_Click(object sender, EventArgs e) { SelectedCheats.ToList().ForEach(x => x.Toggle()); + CheatListView.Refresh(); } private void DisableAllCheatsMenuItem_Click(object sender, EventArgs e) diff --git a/BizHawk.Client.EmuHawk/tools/Debugger/AddBreakpointDialog.Designer.cs b/BizHawk.Client.EmuHawk/tools/Debugger/AddBreakpointDialog.Designer.cs index c7b88092b9..b6c93e725d 100644 --- a/BizHawk.Client.EmuHawk/tools/Debugger/AddBreakpointDialog.Designer.cs +++ b/BizHawk.Client.EmuHawk/tools/Debugger/AddBreakpointDialog.Designer.cs @@ -29,27 +29,28 @@ private void InitializeComponent() { this.components = new System.ComponentModel.Container(); - this.AddButton = new System.Windows.Forms.Button(); + this.AddBtn = new System.Windows.Forms.Button(); this.BreakpointTypeGroupbox = new System.Windows.Forms.GroupBox(); this.ExecuteRadio = new System.Windows.Forms.RadioButton(); this.WriteRadio = new System.Windows.Forms.RadioButton(); this.ReadRadio = new System.Windows.Forms.RadioButton(); - this.AddressBox = new BizHawk.Client.EmuHawk.HexTextBox(); this.label1 = new System.Windows.Forms.Label(); this.toolTip1 = new System.Windows.Forms.ToolTip(this.components); + this.CancelBtn = new System.Windows.Forms.Button(); + this.AddressBox = new BizHawk.Client.EmuHawk.HexTextBox(); this.BreakpointTypeGroupbox.SuspendLayout(); this.SuspendLayout(); // - // AddButton + // AddBtn // - this.AddButton.Anchor = ((System.Windows.Forms.AnchorStyles)((System.Windows.Forms.AnchorStyles.Bottom | System.Windows.Forms.AnchorStyles.Right))); - this.AddButton.Location = new System.Drawing.Point(152, 92); - this.AddButton.Name = "AddButton"; - this.AddButton.Size = new System.Drawing.Size(60, 23); - this.AddButton.TabIndex = 100; - this.AddButton.Text = "&Add"; - this.AddButton.UseVisualStyleBackColor = true; - this.AddButton.Click += new System.EventHandler(this.AddButton_Click); + this.AddBtn.Anchor = ((System.Windows.Forms.AnchorStyles)((System.Windows.Forms.AnchorStyles.Bottom | System.Windows.Forms.AnchorStyles.Right))); + this.AddBtn.Location = new System.Drawing.Point(152, 92); + this.AddBtn.Name = "AddBtn"; + this.AddBtn.Size = new System.Drawing.Size(60, 23); + this.AddBtn.TabIndex = 100; + this.AddBtn.Text = "&Add"; + this.AddBtn.UseVisualStyleBackColor = true; + this.AddBtn.Click += new System.EventHandler(this.AddButton_Click); // // BreakpointTypeGroupbox // @@ -94,6 +95,26 @@ this.ReadRadio.Text = "Read"; this.ReadRadio.UseVisualStyleBackColor = true; // + // label1 + // + this.label1.AutoSize = true; + this.label1.Location = new System.Drawing.Point(12, 9); + this.label1.Name = "label1"; + this.label1.Size = new System.Drawing.Size(59, 13); + this.label1.TabIndex = 3; + this.label1.Text = "Address 0x"; + // + // CancelBtn + // + this.CancelBtn.Anchor = ((System.Windows.Forms.AnchorStyles)((System.Windows.Forms.AnchorStyles.Bottom | System.Windows.Forms.AnchorStyles.Right))); + this.CancelBtn.Location = new System.Drawing.Point(83, 92); + this.CancelBtn.Name = "CancelBtn"; + this.CancelBtn.Size = new System.Drawing.Size(60, 23); + this.CancelBtn.TabIndex = 101; + this.CancelBtn.Text = "&Cancel"; + this.CancelBtn.UseVisualStyleBackColor = true; + this.CancelBtn.Click += new System.EventHandler(this.CancelBtn_Click); + // // AddressBox // this.AddressBox.CharacterCasing = System.Windows.Forms.CharacterCasing.Upper; @@ -104,24 +125,18 @@ this.AddressBox.TabIndex = 1; this.AddressBox.Text = "0"; // - // label1 - // - this.label1.AutoSize = true; - this.label1.Location = new System.Drawing.Point(12, 9); - this.label1.Name = "label1"; - this.label1.Size = new System.Drawing.Size(59, 13); - this.label1.TabIndex = 3; - this.label1.Text = "Address 0x"; - // // AddBreakpointDialog // + this.AcceptButton = this.AddBtn; this.AutoScaleDimensions = new System.Drawing.SizeF(6F, 13F); this.AutoScaleMode = System.Windows.Forms.AutoScaleMode.Font; + this.CancelButton = this.CancelBtn; this.ClientSize = new System.Drawing.Size(224, 123); + this.Controls.Add(this.CancelBtn); this.Controls.Add(this.label1); this.Controls.Add(this.AddressBox); this.Controls.Add(this.BreakpointTypeGroupbox); - this.Controls.Add(this.AddButton); + this.Controls.Add(this.AddBtn); this.FormBorderStyle = System.Windows.Forms.FormBorderStyle.FixedSingle; this.MaximizeBox = false; this.MinimizeBox = false; @@ -139,7 +154,7 @@ #endregion - private System.Windows.Forms.Button AddButton; + private System.Windows.Forms.Button AddBtn; private System.Windows.Forms.GroupBox BreakpointTypeGroupbox; private System.Windows.Forms.RadioButton ExecuteRadio; private System.Windows.Forms.RadioButton WriteRadio; @@ -147,5 +162,6 @@ private HexTextBox AddressBox; private System.Windows.Forms.Label label1; private System.Windows.Forms.ToolTip toolTip1; + private System.Windows.Forms.Button CancelBtn; } } \ No newline at end of file diff --git a/BizHawk.Client.EmuHawk/tools/Debugger/AddBreakpointDialog.cs b/BizHawk.Client.EmuHawk/tools/Debugger/AddBreakpointDialog.cs index d14da0c99d..0b18de4cda 100644 --- a/BizHawk.Client.EmuHawk/tools/Debugger/AddBreakpointDialog.cs +++ b/BizHawk.Client.EmuHawk/tools/Debugger/AddBreakpointDialog.cs @@ -13,9 +13,42 @@ namespace BizHawk.Client.EmuHawk { public partial class AddBreakpointDialog : Form { - public AddBreakpointDialog() + public AddBreakpointDialog(BreakpointOperation op) { InitializeComponent(); + Operation = op; + } + + public AddBreakpointDialog(BreakpointOperation op, uint address, MemoryCallbackType type):this(op) + { + Address = address; + BreakType = type; + } + + private BreakpointOperation _operation; + + private BreakpointOperation Operation + { + get + { + return _operation; + } + set + { + switch (value) + { + case BreakpointOperation.Add: + Text = "Add Breakpoint"; + break; + case BreakpointOperation.Duplicate: + Text = "Duplicate Breakpoint"; + break; + case BreakpointOperation.Edit: + Text = "Edit Breakpoint"; + break; + } + _operation = value; + } } public void DisableExecuteOption() @@ -29,7 +62,7 @@ namespace BizHawk.Client.EmuHawk } - public MemoryCallbackType BreakType + public MemoryCallbackType BreakType { get { @@ -50,11 +83,29 @@ namespace BizHawk.Client.EmuHawk return MemoryCallbackType.Read; } + + set + { + ReadRadio.Checked = WriteRadio.Checked = ExecuteRadio.Checked = false; + switch (value) + { + case MemoryCallbackType.Read: + ReadRadio.Checked = true; + break; + case MemoryCallbackType.Write: + WriteRadio.Checked = true; + break; + case MemoryCallbackType.Execute: + ExecuteRadio.Checked = true; + break; + } + } } public uint Address { get { return (uint)AddressBox.ToRawInt().Value; } + set { AddressBox.SetFromLong(value); } } public long MaxAddressSize @@ -63,7 +114,6 @@ namespace BizHawk.Client.EmuHawk { return AddressBox.GetMax(); } - set { AddressBox.SetHexProperties(value); @@ -76,9 +126,21 @@ namespace BizHawk.Client.EmuHawk Close(); } + private void CancelBtn_Click(object sender, EventArgs e) + { + DialogResult = DialogResult.Cancel; + Close(); + } + private void AddBreakpointDialog_Load(object sender, EventArgs e) { } + + public enum BreakpointOperation + { + Add, Edit, Duplicate + } + } } diff --git a/BizHawk.Client.EmuHawk/tools/Debugger/Breakpoint.cs b/BizHawk.Client.EmuHawk/tools/Debugger/Breakpoint.cs index f993cd0cc4..e704cf470b 100644 --- a/BizHawk.Client.EmuHawk/tools/Debugger/Breakpoint.cs +++ b/BizHawk.Client.EmuHawk/tools/Debugger/Breakpoint.cs @@ -160,5 +160,14 @@ namespace BizHawk.Client.EmuHawk { _core.MemoryCallbacks.Remove(Callback); } + + public void ResetCallback() + { + if (Active) + { + RemoveCallback(); + AddCallback(); + } + } } } diff --git a/BizHawk.Client.EmuHawk/tools/Debugger/BreakpointControl.Designer.cs b/BizHawk.Client.EmuHawk/tools/Debugger/BreakpointControl.Designer.cs index aebf906517..1ebc95fae6 100644 --- a/BizHawk.Client.EmuHawk/tools/Debugger/BreakpointControl.Designer.cs +++ b/BizHawk.Client.EmuHawk/tools/Debugger/BreakpointControl.Designer.cs @@ -32,12 +32,14 @@ this.AddBreakpointButton = new System.Windows.Forms.Button(); this.BreakpointStatsLabel = new System.Windows.Forms.Label(); this.toolTip1 = new System.Windows.Forms.ToolTip(this.components); + this.ToggleButton = new System.Windows.Forms.Button(); + this.RemoveBreakpointButton = new System.Windows.Forms.Button(); + this.DuplicateBreakpointButton = new System.Windows.Forms.Button(); + this.EditBreakpointButton = new System.Windows.Forms.Button(); this.BreakpointView = new BizHawk.Client.EmuHawk.VirtualListView(); this.columnHeader1 = ((System.Windows.Forms.ColumnHeader)(new System.Windows.Forms.ColumnHeader())); this.columnHeader2 = ((System.Windows.Forms.ColumnHeader)(new System.Windows.Forms.ColumnHeader())); this.columnHeader3 = ((System.Windows.Forms.ColumnHeader)(new System.Windows.Forms.ColumnHeader())); - this.ToggleButton = new System.Windows.Forms.Button(); - this.RemoveBreakpointButton = new System.Windows.Forms.Button(); this.SuspendLayout(); // // AddBreakpointButton @@ -61,6 +63,55 @@ this.BreakpointStatsLabel.TabIndex = 8; this.BreakpointStatsLabel.Text = "label1"; // + // ToggleButton + // + this.ToggleButton.Anchor = ((System.Windows.Forms.AnchorStyles)((System.Windows.Forms.AnchorStyles.Bottom | System.Windows.Forms.AnchorStyles.Right))); + this.ToggleButton.Image = global::BizHawk.Client.EmuHawk.Properties.Resources.Refresh; + this.ToggleButton.Location = new System.Drawing.Point(138, 387); + this.ToggleButton.Name = "ToggleButton"; + this.ToggleButton.Size = new System.Drawing.Size(23, 23); + this.ToggleButton.TabIndex = 9; + this.toolTip1.SetToolTip(this.ToggleButton, "Toggle the selected breakpoints"); + this.ToggleButton.UseVisualStyleBackColor = true; + this.ToggleButton.Click += new System.EventHandler(this.ToggleButton_Click); + // + // RemoveBreakpointButton + // + this.RemoveBreakpointButton.Anchor = ((System.Windows.Forms.AnchorStyles)((System.Windows.Forms.AnchorStyles.Bottom | System.Windows.Forms.AnchorStyles.Right))); + this.RemoveBreakpointButton.Image = global::BizHawk.Client.EmuHawk.Properties.Resources.Delete; + this.RemoveBreakpointButton.Location = new System.Drawing.Point(167, 387); + this.RemoveBreakpointButton.Name = "RemoveBreakpointButton"; + this.RemoveBreakpointButton.Size = new System.Drawing.Size(23, 23); + this.RemoveBreakpointButton.TabIndex = 7; + this.toolTip1.SetToolTip(this.RemoveBreakpointButton, "Remove selected breakpoints"); + this.RemoveBreakpointButton.UseVisualStyleBackColor = true; + this.RemoveBreakpointButton.Click += new System.EventHandler(this.RemoveBreakpointButton_Click); + // + // DuplicateBreakpointButton + // + this.DuplicateBreakpointButton.Anchor = ((System.Windows.Forms.AnchorStyles)((System.Windows.Forms.AnchorStyles.Bottom | System.Windows.Forms.AnchorStyles.Right))); + this.DuplicateBreakpointButton.Image = global::BizHawk.Client.EmuHawk.Properties.Resources.Duplicate; + this.DuplicateBreakpointButton.Location = new System.Drawing.Point(109, 387); + this.DuplicateBreakpointButton.Name = "DuplicateBreakpointButton"; + this.DuplicateBreakpointButton.Size = new System.Drawing.Size(23, 23); + this.DuplicateBreakpointButton.TabIndex = 10; + this.toolTip1.SetToolTip(this.DuplicateBreakpointButton, "Duplicate the selected breakpoint"); + this.DuplicateBreakpointButton.UseVisualStyleBackColor = true; + this.DuplicateBreakpointButton.Click += new System.EventHandler(this.DuplicateBreakpointButton_Click); + // + // EditBreakpointButton + // + this.EditBreakpointButton.Anchor = ((System.Windows.Forms.AnchorStyles)((System.Windows.Forms.AnchorStyles.Bottom | System.Windows.Forms.AnchorStyles.Right))); + this.EditBreakpointButton.BackgroundImage = global::BizHawk.Client.EmuHawk.Properties.Resources.pencil; + this.EditBreakpointButton.BackgroundImageLayout = System.Windows.Forms.ImageLayout.None; + this.EditBreakpointButton.Location = new System.Drawing.Point(80, 387); + this.EditBreakpointButton.Name = "EditBreakpointButton"; + this.EditBreakpointButton.Size = new System.Drawing.Size(23, 23); + this.EditBreakpointButton.TabIndex = 11; + this.toolTip1.SetToolTip(this.EditBreakpointButton, "Edit the selected breakpoint"); + this.EditBreakpointButton.UseVisualStyleBackColor = true; + this.EditBreakpointButton.Click += new System.EventHandler(this.EditBreakpointButton_Click); + // // BreakpointView // this.BreakpointView.Anchor = ((System.Windows.Forms.AnchorStyles)((((System.Windows.Forms.AnchorStyles.Top | System.Windows.Forms.AnchorStyles.Bottom) @@ -106,33 +157,11 @@ this.columnHeader3.Text = "Name"; this.columnHeader3.Width = 80; // - // ToggleButton - // - this.ToggleButton.Anchor = ((System.Windows.Forms.AnchorStyles)((System.Windows.Forms.AnchorStyles.Bottom | System.Windows.Forms.AnchorStyles.Right))); - this.ToggleButton.Image = global::BizHawk.Client.EmuHawk.Properties.Resources.Refresh; - this.ToggleButton.Location = new System.Drawing.Point(138, 387); - this.ToggleButton.Name = "ToggleButton"; - this.ToggleButton.Size = new System.Drawing.Size(23, 23); - this.ToggleButton.TabIndex = 9; - this.toolTip1.SetToolTip(this.ToggleButton, "Toggle the selected breakpoints"); - this.ToggleButton.UseVisualStyleBackColor = true; - this.ToggleButton.Click += new System.EventHandler(this.ToggleButton_Click); - // - // RemoveBreakpointButton - // - this.RemoveBreakpointButton.Anchor = ((System.Windows.Forms.AnchorStyles)((System.Windows.Forms.AnchorStyles.Bottom | System.Windows.Forms.AnchorStyles.Right))); - this.RemoveBreakpointButton.Image = global::BizHawk.Client.EmuHawk.Properties.Resources.Delete; - this.RemoveBreakpointButton.Location = new System.Drawing.Point(167, 387); - this.RemoveBreakpointButton.Name = "RemoveBreakpointButton"; - this.RemoveBreakpointButton.Size = new System.Drawing.Size(23, 23); - this.RemoveBreakpointButton.TabIndex = 7; - this.toolTip1.SetToolTip(this.RemoveBreakpointButton, "Remove selected breakpoints"); - this.RemoveBreakpointButton.UseVisualStyleBackColor = true; - this.RemoveBreakpointButton.Click += new System.EventHandler(this.RemoveBreakpointButton_Click); - // // BreakpointControl // this.AutoScaleMode = System.Windows.Forms.AutoScaleMode.Inherit; + this.Controls.Add(this.EditBreakpointButton); + this.Controls.Add(this.DuplicateBreakpointButton); this.Controls.Add(this.ToggleButton); this.Controls.Add(this.BreakpointStatsLabel); this.Controls.Add(this.RemoveBreakpointButton); @@ -157,5 +186,7 @@ private System.Windows.Forms.Label BreakpointStatsLabel; private System.Windows.Forms.ToolTip toolTip1; private System.Windows.Forms.Button ToggleButton; + private System.Windows.Forms.Button DuplicateBreakpointButton; + private System.Windows.Forms.Button EditBreakpointButton; } } diff --git a/BizHawk.Client.EmuHawk/tools/Debugger/BreakpointControl.cs b/BizHawk.Client.EmuHawk/tools/Debugger/BreakpointControl.cs index d0414c7e36..f08317eb36 100644 --- a/BizHawk.Client.EmuHawk/tools/Debugger/BreakpointControl.cs +++ b/BizHawk.Client.EmuHawk/tools/Debugger/BreakpointControl.cs @@ -154,16 +154,7 @@ namespace BizHawk.Client.EmuHawk.tools.Debugger private void AddBreakpointButton_Click(object sender, EventArgs e) { - var b = new AddBreakpointDialog - { - // TODO: don't use Global.Emulator! Pass in an IMemoryDomains implementation from the parent tool - MaxAddressSize = Global.Emulator.AsMemoryDomains().SystemBus.Size - 1 - }; - - if (!MCS.ExecuteCallbacksAvailable) - { - b.DisableExecuteOption(); - } + var b = CreateAddBreakpointDialog(BreakpointOperation.Add); if (b.ShowHawkDialog() == DialogResult.OK) { @@ -231,8 +222,12 @@ namespace BizHawk.Client.EmuHawk.tools.Debugger private void UpdateBreakpointRemoveButton() { ToggleButton.Enabled = - RemoveBreakpointButton.Enabled = - EditableItems.Any(); + RemoveBreakpointButton.Enabled = + EditableItems.Any(); + + DuplicateBreakpointButton.Enabled = + EditBreakpointButton.Enabled = + EditableItems.Count() == 1; } private void BreakpointView_SelectedIndexChanged(object sender, EventArgs e) @@ -282,5 +277,78 @@ namespace BizHawk.Client.EmuHawk.tools.Debugger BreakpointView.ItemCount = Breakpoints.Count; UpdateStatsLabel(); } + + private void DuplicateBreakpointButton_Click(object sender, EventArgs e) + { + var breakpoint = SelectedItems.FirstOrDefault(); + + if (breakpoint != null && !breakpoint.ReadOnly) + { + var b = CreateAddBreakpointDialog(BreakpointOperation.Duplicate, breakpoint.Type, breakpoint.Address); + + if (b.ShowHawkDialog() == DialogResult.OK) + { + Breakpoints.Add(new Breakpoint(Core, breakpoint.Callback, b.Address, b.BreakType, breakpoint.Active)); + } + } + + BreakpointView.ItemCount = Breakpoints.Count; + UpdateBreakpointRemoveButton(); + UpdateStatsLabel(); + } + + private void EditBreakpointButton_Click(object sender, EventArgs e) + { + var breakpoint = SelectedItems.FirstOrDefault(); + + if (breakpoint != null && !breakpoint.ReadOnly) + { + var b = CreateAddBreakpointDialog(BreakpointOperation.Edit, breakpoint.Type, breakpoint.Address); + + if (b.ShowHawkDialog() == DialogResult.OK) + { + breakpoint.Type = b.BreakType; + breakpoint.Address = b.Address; + breakpoint.ResetCallback(); + } + } + + BreakpointView.ItemCount = Breakpoints.Count; + UpdateBreakpointRemoveButton(); + UpdateStatsLabel(); + } + + private AddBreakpointDialog CreateAddBreakpointDialog(BreakpointOperation op, MemoryCallbackType? type = null, uint? address = null) + { + var operation = (AddBreakpointDialog.BreakpointOperation)op; + + var b = new AddBreakpointDialog(operation) + { + // TODO: don't use Global.Emulator! Pass in an IMemoryDomains implementation from the parent tool + MaxAddressSize = Global.Emulator.AsMemoryDomains().SystemBus.Size - 1 + }; + + if (type != null) + { + b.BreakType = (MemoryCallbackType)type; + } + + if (address != null) + { + b.Address = (uint)address; + } + + if (!MCS.ExecuteCallbacksAvailable) + { + b.DisableExecuteOption(); + } + + return b; + } + + public enum BreakpointOperation + { + Add, Edit, Duplicate + } } } diff --git a/BizHawk.Client.EmuHawk/tools/HexEditor/HexEditor.Designer.cs b/BizHawk.Client.EmuHawk/tools/HexEditor/HexEditor.Designer.cs index 7bec131d79..f26beffbd8 100644 --- a/BizHawk.Client.EmuHawk/tools/HexEditor/HexEditor.Designer.cs +++ b/BizHawk.Client.EmuHawk/tools/HexEditor/HexEditor.Designer.cs @@ -44,6 +44,7 @@ this.ExitMenuItem = new System.Windows.Forms.ToolStripMenuItem(); this.EditMenuItem = new System.Windows.Forms.ToolStripMenuItem(); this.CopyMenuItem = new System.Windows.Forms.ToolStripMenuItem(); + this.ExportMenuItem = new System.Windows.Forms.ToolStripMenuItem(); this.PasteMenuItem = new System.Windows.Forms.ToolStripMenuItem(); this.toolStripSeparator6 = new System.Windows.Forms.ToolStripSeparator(); this.FindMenuItem = new System.Windows.Forms.ToolStripMenuItem(); @@ -72,6 +73,7 @@ this.resetToDefaultToolStripMenuItem = new System.Windows.Forms.ToolStripMenuItem(); this.ViewerContextMenuStrip = new System.Windows.Forms.ContextMenuStrip(this.components); this.CopyContextItem = new System.Windows.Forms.ToolStripMenuItem(); + this.ExportContextItem = new System.Windows.Forms.ToolStripMenuItem(); this.PasteContextItem = new System.Windows.Forms.ToolStripMenuItem(); this.FreezeContextItem = new System.Windows.Forms.ToolStripMenuItem(); this.AddToRamWatchContextItem = new System.Windows.Forms.ToolStripMenuItem(); @@ -122,7 +124,7 @@ this.toolStripSeparator1, this.ExitMenuItem}); this.FileSubMenu.Name = "FileSubMenu"; - this.FileSubMenu.Size = new System.Drawing.Size(37, 20); + this.FileSubMenu.Size = new System.Drawing.Size(35, 20); this.FileSubMenu.Text = "&File"; this.FileSubMenu.DropDownOpened += new System.EventHandler(this.FileSubMenu_DropDownOpened); // @@ -131,7 +133,7 @@ this.SaveMenuItem.Image = global::BizHawk.Client.EmuHawk.Properties.Resources.SaveAs; this.SaveMenuItem.Name = "SaveMenuItem"; this.SaveMenuItem.ShortcutKeys = ((System.Windows.Forms.Keys)((System.Windows.Forms.Keys.Control | System.Windows.Forms.Keys.S))); - this.SaveMenuItem.Size = new System.Drawing.Size(229, 22); + this.SaveMenuItem.Size = new System.Drawing.Size(225, 22); this.SaveMenuItem.Text = "Save"; this.SaveMenuItem.Click += new System.EventHandler(this.SaveMenuItem_Click); // @@ -140,33 +142,33 @@ this.SaveAsBinaryMenuItem.Name = "SaveAsBinaryMenuItem"; this.SaveAsBinaryMenuItem.ShortcutKeys = ((System.Windows.Forms.Keys)(((System.Windows.Forms.Keys.Control | System.Windows.Forms.Keys.Shift) | System.Windows.Forms.Keys.S))); - this.SaveAsBinaryMenuItem.Size = new System.Drawing.Size(229, 22); + this.SaveAsBinaryMenuItem.Size = new System.Drawing.Size(225, 22); this.SaveAsBinaryMenuItem.Text = "Save as binary..."; this.SaveAsBinaryMenuItem.Click += new System.EventHandler(this.SaveAsBinaryMenuItem_Click); // // SaveAsTextMenuItem // this.SaveAsTextMenuItem.Name = "SaveAsTextMenuItem"; - this.SaveAsTextMenuItem.Size = new System.Drawing.Size(229, 22); + this.SaveAsTextMenuItem.Size = new System.Drawing.Size(225, 22); this.SaveAsTextMenuItem.Text = "Save as text..."; this.SaveAsTextMenuItem.Click += new System.EventHandler(this.SaveAsTextMenuItem_Click); // // toolStripSeparator4 // this.toolStripSeparator4.Name = "toolStripSeparator4"; - this.toolStripSeparator4.Size = new System.Drawing.Size(226, 6); + this.toolStripSeparator4.Size = new System.Drawing.Size(222, 6); // // LoadTableFileMenuItem // this.LoadTableFileMenuItem.Name = "LoadTableFileMenuItem"; - this.LoadTableFileMenuItem.Size = new System.Drawing.Size(229, 22); + this.LoadTableFileMenuItem.Size = new System.Drawing.Size(225, 22); this.LoadTableFileMenuItem.Text = "&Load .tbl file"; this.LoadTableFileMenuItem.Click += new System.EventHandler(this.LoadTableFileMenuItem_Click); // // CloseTableFileMenuItem // this.CloseTableFileMenuItem.Name = "CloseTableFileMenuItem"; - this.CloseTableFileMenuItem.Size = new System.Drawing.Size(229, 22); + this.CloseTableFileMenuItem.Size = new System.Drawing.Size(225, 22); this.CloseTableFileMenuItem.Text = "Close .tbl file"; this.CloseTableFileMenuItem.Click += new System.EventHandler(this.CloseTableFileMenuItem_Click); // @@ -175,26 +177,26 @@ this.RecentTablesSubMenu.DropDownItems.AddRange(new System.Windows.Forms.ToolStripItem[] { this.noneToolStripMenuItem}); this.RecentTablesSubMenu.Name = "RecentTablesSubMenu"; - this.RecentTablesSubMenu.Size = new System.Drawing.Size(229, 22); + this.RecentTablesSubMenu.Size = new System.Drawing.Size(225, 22); this.RecentTablesSubMenu.Text = "Recent"; this.RecentTablesSubMenu.DropDownOpened += new System.EventHandler(this.RecentTablesSubMenu_DropDownOpened); // // noneToolStripMenuItem // this.noneToolStripMenuItem.Name = "noneToolStripMenuItem"; - this.noneToolStripMenuItem.Size = new System.Drawing.Size(103, 22); + this.noneToolStripMenuItem.Size = new System.Drawing.Size(99, 22); this.noneToolStripMenuItem.Text = "None"; // // toolStripSeparator1 // this.toolStripSeparator1.Name = "toolStripSeparator1"; - this.toolStripSeparator1.Size = new System.Drawing.Size(226, 6); + this.toolStripSeparator1.Size = new System.Drawing.Size(222, 6); // // ExitMenuItem // this.ExitMenuItem.Name = "ExitMenuItem"; this.ExitMenuItem.ShortcutKeys = ((System.Windows.Forms.Keys)((System.Windows.Forms.Keys.Alt | System.Windows.Forms.Keys.F4))); - this.ExitMenuItem.Size = new System.Drawing.Size(229, 22); + this.ExitMenuItem.Size = new System.Drawing.Size(225, 22); this.ExitMenuItem.Text = "E&xit"; this.ExitMenuItem.Click += new System.EventHandler(this.ExitMenuItem_Click); // @@ -202,13 +204,14 @@ // this.EditMenuItem.DropDownItems.AddRange(new System.Windows.Forms.ToolStripItem[] { this.CopyMenuItem, + this.ExportMenuItem, this.PasteMenuItem, this.toolStripSeparator6, this.FindMenuItem, this.FindNextMenuItem, this.FindPrevMenuItem}); this.EditMenuItem.Name = "EditMenuItem"; - this.EditMenuItem.Size = new System.Drawing.Size(39, 20); + this.EditMenuItem.Size = new System.Drawing.Size(37, 20); this.EditMenuItem.Text = "&Edit"; this.EditMenuItem.DropDownOpened += new System.EventHandler(this.EditMenuItem_DropDownOpened); // @@ -217,29 +220,37 @@ this.CopyMenuItem.Image = global::BizHawk.Client.EmuHawk.Properties.Resources.Duplicate; this.CopyMenuItem.Name = "CopyMenuItem"; this.CopyMenuItem.ShortcutKeys = ((System.Windows.Forms.Keys)((System.Windows.Forms.Keys.Control | System.Windows.Forms.Keys.C))); - this.CopyMenuItem.Size = new System.Drawing.Size(146, 22); + this.CopyMenuItem.Size = new System.Drawing.Size(152, 22); this.CopyMenuItem.Text = "&Copy"; this.CopyMenuItem.Click += new System.EventHandler(this.CopyMenuItem_Click); // + // ExportMenuItem + // + this.ExportMenuItem.Name = "ExportMenuItem"; + this.ExportMenuItem.ShortcutKeys = ((System.Windows.Forms.Keys)((System.Windows.Forms.Keys.Control | System.Windows.Forms.Keys.E))); + this.ExportMenuItem.Size = new System.Drawing.Size(152, 22); + this.ExportMenuItem.Text = "&Export"; + this.ExportMenuItem.Click += new System.EventHandler(this.ExportMenuItem_Click); + // // PasteMenuItem // this.PasteMenuItem.Image = global::BizHawk.Client.EmuHawk.Properties.Resources.Paste; this.PasteMenuItem.Name = "PasteMenuItem"; this.PasteMenuItem.ShortcutKeys = ((System.Windows.Forms.Keys)((System.Windows.Forms.Keys.Control | System.Windows.Forms.Keys.V))); - this.PasteMenuItem.Size = new System.Drawing.Size(146, 22); + this.PasteMenuItem.Size = new System.Drawing.Size(152, 22); this.PasteMenuItem.Text = "&Paste"; this.PasteMenuItem.Click += new System.EventHandler(this.PasteMenuItem_Click); // // toolStripSeparator6 // this.toolStripSeparator6.Name = "toolStripSeparator6"; - this.toolStripSeparator6.Size = new System.Drawing.Size(143, 6); + this.toolStripSeparator6.Size = new System.Drawing.Size(149, 6); // // FindMenuItem // this.FindMenuItem.Name = "FindMenuItem"; this.FindMenuItem.ShortcutKeys = ((System.Windows.Forms.Keys)((System.Windows.Forms.Keys.Control | System.Windows.Forms.Keys.F))); - this.FindMenuItem.Size = new System.Drawing.Size(146, 22); + this.FindMenuItem.Size = new System.Drawing.Size(152, 22); this.FindMenuItem.Text = "&Find..."; this.FindMenuItem.Click += new System.EventHandler(this.FindMenuItem_Click); // @@ -247,7 +258,7 @@ // this.FindNextMenuItem.Name = "FindNextMenuItem"; this.FindNextMenuItem.ShortcutKeys = System.Windows.Forms.Keys.F3; - this.FindNextMenuItem.Size = new System.Drawing.Size(146, 22); + this.FindNextMenuItem.Size = new System.Drawing.Size(152, 22); this.FindNextMenuItem.Text = "Find Next"; this.FindNextMenuItem.Click += new System.EventHandler(this.FindNextMenuItem_Click); // @@ -255,7 +266,7 @@ // this.FindPrevMenuItem.Name = "FindPrevMenuItem"; this.FindPrevMenuItem.ShortcutKeys = System.Windows.Forms.Keys.F2; - this.FindPrevMenuItem.Size = new System.Drawing.Size(146, 22); + this.FindPrevMenuItem.Size = new System.Drawing.Size(152, 22); this.FindPrevMenuItem.Text = "Find Prev"; this.FindPrevMenuItem.Click += new System.EventHandler(this.FindPrevMenuItem_Click); // @@ -272,7 +283,7 @@ this.UnfreezeAllMenuItem, this.PokeAddressMenuItem}); this.OptionsSubMenu.Name = "OptionsSubMenu"; - this.OptionsSubMenu.Size = new System.Drawing.Size(61, 20); + this.OptionsSubMenu.Size = new System.Drawing.Size(56, 20); this.OptionsSubMenu.Text = "&Options"; this.OptionsSubMenu.DropDownOpened += new System.EventHandler(this.OptionsSubMenu_DropDownOpened); // @@ -281,7 +292,7 @@ this.MemoryDomainsMenuItem.DropDownItems.AddRange(new System.Windows.Forms.ToolStripItem[] { this.toolStripSeparator3}); this.MemoryDomainsMenuItem.Name = "MemoryDomainsMenuItem"; - this.MemoryDomainsMenuItem.Size = new System.Drawing.Size(219, 22); + this.MemoryDomainsMenuItem.Size = new System.Drawing.Size(206, 22); this.MemoryDomainsMenuItem.Text = "&Memory Domains"; this.MemoryDomainsMenuItem.DropDownOpened += new System.EventHandler(this.MemoryDomainsMenuItem_DropDownOpened); // @@ -297,47 +308,47 @@ this.DataSizeWordMenuItem, this.DataSizeDWordMenuItem}); this.DataSizeSubMenu.Name = "DataSizeSubMenu"; - this.DataSizeSubMenu.Size = new System.Drawing.Size(219, 22); + this.DataSizeSubMenu.Size = new System.Drawing.Size(206, 22); this.DataSizeSubMenu.Text = "Data Size"; // // DataSizeByteMenuItem // this.DataSizeByteMenuItem.Name = "DataSizeByteMenuItem"; - this.DataSizeByteMenuItem.Size = new System.Drawing.Size(106, 22); + this.DataSizeByteMenuItem.Size = new System.Drawing.Size(105, 22); this.DataSizeByteMenuItem.Text = "1 Byte"; this.DataSizeByteMenuItem.Click += new System.EventHandler(this.DataSizeByteMenuItem_Click); // // DataSizeWordMenuItem // this.DataSizeWordMenuItem.Name = "DataSizeWordMenuItem"; - this.DataSizeWordMenuItem.Size = new System.Drawing.Size(106, 22); + this.DataSizeWordMenuItem.Size = new System.Drawing.Size(105, 22); this.DataSizeWordMenuItem.Text = "2 Byte"; this.DataSizeWordMenuItem.Click += new System.EventHandler(this.DataSizeWordMenuItem_Click); // // DataSizeDWordMenuItem // this.DataSizeDWordMenuItem.Name = "DataSizeDWordMenuItem"; - this.DataSizeDWordMenuItem.Size = new System.Drawing.Size(106, 22); + this.DataSizeDWordMenuItem.Size = new System.Drawing.Size(105, 22); this.DataSizeDWordMenuItem.Text = "4 Byte"; this.DataSizeDWordMenuItem.Click += new System.EventHandler(this.DataSizeDWordMenuItem_Click); // // BigEndianMenuItem // this.BigEndianMenuItem.Name = "BigEndianMenuItem"; - this.BigEndianMenuItem.Size = new System.Drawing.Size(219, 22); + this.BigEndianMenuItem.Size = new System.Drawing.Size(206, 22); this.BigEndianMenuItem.Text = "Big Endian"; this.BigEndianMenuItem.Click += new System.EventHandler(this.BigEndianMenuItem_Click); // // toolStripSeparator2 // this.toolStripSeparator2.Name = "toolStripSeparator2"; - this.toolStripSeparator2.Size = new System.Drawing.Size(216, 6); + this.toolStripSeparator2.Size = new System.Drawing.Size(203, 6); // // GoToAddressMenuItem // this.GoToAddressMenuItem.Name = "GoToAddressMenuItem"; this.GoToAddressMenuItem.ShortcutKeys = ((System.Windows.Forms.Keys)((System.Windows.Forms.Keys.Control | System.Windows.Forms.Keys.G))); - this.GoToAddressMenuItem.Size = new System.Drawing.Size(219, 22); + this.GoToAddressMenuItem.Size = new System.Drawing.Size(206, 22); this.GoToAddressMenuItem.Text = "&Go to Address..."; this.GoToAddressMenuItem.Click += new System.EventHandler(this.GoToAddressMenuItem_Click); // @@ -346,7 +357,7 @@ this.AddToRamWatchMenuItem.Image = global::BizHawk.Client.EmuHawk.Properties.Resources.FindHS; this.AddToRamWatchMenuItem.Name = "AddToRamWatchMenuItem"; this.AddToRamWatchMenuItem.ShortcutKeyDisplayString = "Ctrl+W"; - this.AddToRamWatchMenuItem.Size = new System.Drawing.Size(219, 22); + this.AddToRamWatchMenuItem.Size = new System.Drawing.Size(206, 22); this.AddToRamWatchMenuItem.Text = "Add to Ram Watch"; this.AddToRamWatchMenuItem.Click += new System.EventHandler(this.AddToRamWatchMenuItem_Click); // @@ -355,7 +366,7 @@ this.FreezeAddressMenuItem.Image = global::BizHawk.Client.EmuHawk.Properties.Resources.Freeze; this.FreezeAddressMenuItem.Name = "FreezeAddressMenuItem"; this.FreezeAddressMenuItem.ShortcutKeyDisplayString = "Space"; - this.FreezeAddressMenuItem.Size = new System.Drawing.Size(219, 22); + this.FreezeAddressMenuItem.Size = new System.Drawing.Size(206, 22); this.FreezeAddressMenuItem.Text = "&Freeze Address"; this.FreezeAddressMenuItem.Click += new System.EventHandler(this.FreezeAddressMenuItem_Click); // @@ -364,7 +375,7 @@ this.UnfreezeAllMenuItem.Image = global::BizHawk.Client.EmuHawk.Properties.Resources.Unfreeze; this.UnfreezeAllMenuItem.Name = "UnfreezeAllMenuItem"; this.UnfreezeAllMenuItem.ShortcutKeys = ((System.Windows.Forms.Keys)((System.Windows.Forms.Keys.Shift | System.Windows.Forms.Keys.Delete))); - this.UnfreezeAllMenuItem.Size = new System.Drawing.Size(219, 22); + this.UnfreezeAllMenuItem.Size = new System.Drawing.Size(206, 22); this.UnfreezeAllMenuItem.Text = "Unfreeze All"; this.UnfreezeAllMenuItem.Click += new System.EventHandler(this.UnfreezeAllMenuItem_Click); // @@ -373,7 +384,7 @@ this.PokeAddressMenuItem.Image = global::BizHawk.Client.EmuHawk.Properties.Resources.poke; this.PokeAddressMenuItem.Name = "PokeAddressMenuItem"; this.PokeAddressMenuItem.ShortcutKeys = ((System.Windows.Forms.Keys)((System.Windows.Forms.Keys.Control | System.Windows.Forms.Keys.P))); - this.PokeAddressMenuItem.Size = new System.Drawing.Size(219, 22); + this.PokeAddressMenuItem.Size = new System.Drawing.Size(206, 22); this.PokeAddressMenuItem.Text = "&Poke Address"; this.PokeAddressMenuItem.Click += new System.EventHandler(this.PokeAddressMenuItem_Click); // @@ -382,7 +393,7 @@ this.SettingsSubMenu.DropDownItems.AddRange(new System.Windows.Forms.ToolStripItem[] { this.CustomColorsSubMenu}); this.SettingsSubMenu.Name = "SettingsSubMenu"; - this.SettingsSubMenu.Size = new System.Drawing.Size(61, 20); + this.SettingsSubMenu.Size = new System.Drawing.Size(58, 20); this.SettingsSubMenu.Text = "&Settings"; // // CustomColorsSubMenu @@ -392,25 +403,25 @@ this.toolStripSeparator8, this.ResetColorsToDefaultMenuItem}); this.CustomColorsSubMenu.Name = "CustomColorsSubMenu"; - this.CustomColorsSubMenu.Size = new System.Drawing.Size(153, 22); + this.CustomColorsSubMenu.Size = new System.Drawing.Size(143, 22); this.CustomColorsSubMenu.Text = "Custom Colors"; // // SetColorsMenuItem // this.SetColorsMenuItem.Name = "SetColorsMenuItem"; - this.SetColorsMenuItem.Size = new System.Drawing.Size(157, 22); + this.SetColorsMenuItem.Size = new System.Drawing.Size(153, 22); this.SetColorsMenuItem.Text = "Set Colors"; this.SetColorsMenuItem.Click += new System.EventHandler(this.SetColorsMenuItem_Click); // // toolStripSeparator8 // this.toolStripSeparator8.Name = "toolStripSeparator8"; - this.toolStripSeparator8.Size = new System.Drawing.Size(154, 6); + this.toolStripSeparator8.Size = new System.Drawing.Size(150, 6); // // ResetColorsToDefaultMenuItem // this.ResetColorsToDefaultMenuItem.Name = "ResetColorsToDefaultMenuItem"; - this.ResetColorsToDefaultMenuItem.Size = new System.Drawing.Size(157, 22); + this.ResetColorsToDefaultMenuItem.Size = new System.Drawing.Size(153, 22); this.ResetColorsToDefaultMenuItem.Text = "Reset to Default"; this.ResetColorsToDefaultMenuItem.Click += new System.EventHandler(this.ResetColorsToDefaultMenuItem_Click); // @@ -429,6 +440,7 @@ // this.ViewerContextMenuStrip.Items.AddRange(new System.Windows.Forms.ToolStripItem[] { this.CopyContextItem, + this.ExportContextItem, this.PasteContextItem, this.FreezeContextItem, this.AddToRamWatchContextItem, @@ -442,7 +454,7 @@ this.toolStripMenuItem1, this.viewN64MatrixToolStripMenuItem}); this.ViewerContextMenuStrip.Name = "ViewerContextMenuStrip"; - this.ViewerContextMenuStrip.Size = new System.Drawing.Size(220, 242); + this.ViewerContextMenuStrip.Size = new System.Drawing.Size(207, 264); this.ViewerContextMenuStrip.Opening += new System.ComponentModel.CancelEventHandler(this.ViewerContextMenuStrip_Opening); // // CopyContextItem @@ -450,16 +462,23 @@ this.CopyContextItem.Image = global::BizHawk.Client.EmuHawk.Properties.Resources.Duplicate; this.CopyContextItem.Name = "CopyContextItem"; this.CopyContextItem.ShortcutKeyDisplayString = "Ctrl+C"; - this.CopyContextItem.Size = new System.Drawing.Size(219, 22); + this.CopyContextItem.Size = new System.Drawing.Size(206, 22); this.CopyContextItem.Text = "&Copy"; this.CopyContextItem.Click += new System.EventHandler(this.CopyMenuItem_Click); // + // ExportContextItem + // + this.ExportContextItem.Name = "ExportContextItem"; + this.ExportContextItem.ShortcutKeys = ((System.Windows.Forms.Keys)((System.Windows.Forms.Keys.Control | System.Windows.Forms.Keys.E))); + this.ExportContextItem.Size = new System.Drawing.Size(206, 22); + this.ExportContextItem.Text = "&Export"; + // // PasteContextItem // this.PasteContextItem.Image = global::BizHawk.Client.EmuHawk.Properties.Resources.Paste; this.PasteContextItem.Name = "PasteContextItem"; this.PasteContextItem.ShortcutKeyDisplayString = "Ctrl+V"; - this.PasteContextItem.Size = new System.Drawing.Size(219, 22); + this.PasteContextItem.Size = new System.Drawing.Size(206, 22); this.PasteContextItem.Text = "&Paste"; this.PasteContextItem.Click += new System.EventHandler(this.PasteMenuItem_Click); // @@ -468,7 +487,7 @@ this.FreezeContextItem.Image = global::BizHawk.Client.EmuHawk.Properties.Resources.Freeze; this.FreezeContextItem.Name = "FreezeContextItem"; this.FreezeContextItem.ShortcutKeyDisplayString = "Space"; - this.FreezeContextItem.Size = new System.Drawing.Size(219, 22); + this.FreezeContextItem.Size = new System.Drawing.Size(206, 22); this.FreezeContextItem.Text = "&Freeze"; this.FreezeContextItem.Click += new System.EventHandler(this.FreezeAddressMenuItem_Click); // @@ -477,7 +496,7 @@ this.AddToRamWatchContextItem.Image = global::BizHawk.Client.EmuHawk.Properties.Resources.FindHS; this.AddToRamWatchContextItem.Name = "AddToRamWatchContextItem"; this.AddToRamWatchContextItem.ShortcutKeyDisplayString = "Ctrl+W"; - this.AddToRamWatchContextItem.Size = new System.Drawing.Size(219, 22); + this.AddToRamWatchContextItem.Size = new System.Drawing.Size(206, 22); this.AddToRamWatchContextItem.Text = "&Add to Ram Watch"; this.AddToRamWatchContextItem.Click += new System.EventHandler(this.AddToRamWatchMenuItem_Click); // @@ -486,7 +505,7 @@ this.UnfreezeAllContextItem.Image = global::BizHawk.Client.EmuHawk.Properties.Resources.Unfreeze; this.UnfreezeAllContextItem.Name = "UnfreezeAllContextItem"; this.UnfreezeAllContextItem.ShortcutKeyDisplayString = "Shift+Del"; - this.UnfreezeAllContextItem.Size = new System.Drawing.Size(219, 22); + this.UnfreezeAllContextItem.Size = new System.Drawing.Size(206, 22); this.UnfreezeAllContextItem.Text = "&Unfreeze All"; this.UnfreezeAllContextItem.Click += new System.EventHandler(this.UnfreezeAllMenuItem_Click); // @@ -495,20 +514,20 @@ this.PokeContextItem.Image = global::BizHawk.Client.EmuHawk.Properties.Resources.poke; this.PokeContextItem.Name = "PokeContextItem"; this.PokeContextItem.ShortcutKeyDisplayString = "Ctrl+P"; - this.PokeContextItem.Size = new System.Drawing.Size(219, 22); + this.PokeContextItem.Size = new System.Drawing.Size(206, 22); this.PokeContextItem.Text = "&Poke Address"; this.PokeContextItem.Click += new System.EventHandler(this.PokeAddressMenuItem_Click); // // ContextSeparator1 // this.ContextSeparator1.Name = "ContextSeparator1"; - this.ContextSeparator1.Size = new System.Drawing.Size(216, 6); + this.ContextSeparator1.Size = new System.Drawing.Size(203, 6); // // IncrementContextItem // this.IncrementContextItem.Name = "IncrementContextItem"; this.IncrementContextItem.ShortcutKeyDisplayString = "+"; - this.IncrementContextItem.Size = new System.Drawing.Size(219, 22); + this.IncrementContextItem.Size = new System.Drawing.Size(206, 22); this.IncrementContextItem.Text = "&Increment"; this.IncrementContextItem.Click += new System.EventHandler(this.IncrementContextItem_Click); // @@ -516,32 +535,32 @@ // this.DecrementContextItem.Name = "DecrementContextItem"; this.DecrementContextItem.ShortcutKeyDisplayString = "-"; - this.DecrementContextItem.Size = new System.Drawing.Size(219, 22); + this.DecrementContextItem.Size = new System.Drawing.Size(206, 22); this.DecrementContextItem.Text = "&Decrement"; this.DecrementContextItem.Click += new System.EventHandler(this.DecrementContextItem_Click); // // ContextSeparator2 // this.ContextSeparator2.Name = "ContextSeparator2"; - this.ContextSeparator2.Size = new System.Drawing.Size(216, 6); + this.ContextSeparator2.Size = new System.Drawing.Size(203, 6); // // GoToContextItem // this.GoToContextItem.Name = "GoToContextItem"; this.GoToContextItem.ShortcutKeyDisplayString = "Ctrl+G"; - this.GoToContextItem.Size = new System.Drawing.Size(219, 22); + this.GoToContextItem.Size = new System.Drawing.Size(206, 22); this.GoToContextItem.Text = "&Go to Address..."; this.GoToContextItem.Click += new System.EventHandler(this.GoToAddressMenuItem_Click); // // toolStripMenuItem1 // this.toolStripMenuItem1.Name = "toolStripMenuItem1"; - this.toolStripMenuItem1.Size = new System.Drawing.Size(216, 6); + this.toolStripMenuItem1.Size = new System.Drawing.Size(203, 6); // // viewN64MatrixToolStripMenuItem // this.viewN64MatrixToolStripMenuItem.Name = "viewN64MatrixToolStripMenuItem"; - this.viewN64MatrixToolStripMenuItem.Size = new System.Drawing.Size(219, 22); + this.viewN64MatrixToolStripMenuItem.Size = new System.Drawing.Size(206, 22); this.viewN64MatrixToolStripMenuItem.Text = "View N64 Matrix"; this.viewN64MatrixToolStripMenuItem.Click += new System.EventHandler(this.viewN64MatrixToolStripMenuItem_Click); // @@ -700,5 +719,7 @@ private System.Windows.Forms.ToolStripSeparator toolStripSeparator3; private System.Windows.Forms.ToolStripSeparator toolStripMenuItem1; private System.Windows.Forms.ToolStripMenuItem viewN64MatrixToolStripMenuItem; + private System.Windows.Forms.ToolStripMenuItem ExportContextItem; + private System.Windows.Forms.ToolStripMenuItem ExportMenuItem; } } \ No newline at end of file diff --git a/BizHawk.Client.EmuHawk/tools/HexEditor/HexEditor.cs b/BizHawk.Client.EmuHawk/tools/HexEditor/HexEditor.cs index 31720abe60..a14a84c7db 100644 --- a/BizHawk.Client.EmuHawk/tools/HexEditor/HexEditor.cs +++ b/BizHawk.Client.EmuHawk/tools/HexEditor/HexEditor.cs @@ -127,7 +127,7 @@ namespace BizHawk.Client.EmuHawk public void UpdateValues() { - AddressesLabel.Text = GenerateMemoryViewString(); + AddressesLabel.Text = GenerateMemoryViewString(true); AddressLabel.Text = GenerateAddressString(); } @@ -136,6 +136,8 @@ namespace BizHawk.Client.EmuHawk // Do nothing } + private string _lastRom = string.Empty; + public void Restart() { _rom = GetRomBytes(); @@ -157,8 +159,16 @@ namespace BizHawk.Client.EmuHawk BigEndian = _domain.EndianType == MemoryDomain.Endian.Big; _maxRow = _domain.Size / 2; - ResetScrollBar(); + // Don't reset scroll bar if restarting the same rom + if (_lastRom != GlobalWin.MainForm.CurrentlyOpenRom) + { + _lastRom = GlobalWin.MainForm.CurrentlyOpenRom; + ResetScrollBar(); + } + SetDataSize(DataSize); + SetHeader(); + UpdateValues(); AddressLabel.Text = GenerateAddressString(); } @@ -397,22 +407,6 @@ namespace BizHawk.Client.EmuHawk return (char)keycode; } - private static string GetSaveFileFromUser() - { - var sfd = new SaveFileDialog - { - Filter = "Text (*.txt)|*.txt|All Files|*.*", - RestoreDirectory = true - }; - - sfd.FileName = PathManager.FilesystemSafeName(Global.Game); - sfd.InitialDirectory = Path.GetDirectoryName(PathManager.MakeAbsolutePath(Global.Config.RecentRoms.MostRecent, null)); - - var result = sfd.ShowHawkDialog(); - - return result == DialogResult.OK ? sfd.FileName : string.Empty; - } - private static bool IsHexKeyCode(char key) { if (key >= '0' && key <= '9') // 0-9 @@ -492,7 +486,7 @@ namespace BizHawk.Client.EmuHawk return addrStr.ToString(); } - private string GenerateMemoryViewString() + private string GenerateMemoryViewString(bool forWindow) { var rowStr = new StringBuilder(); @@ -527,7 +521,11 @@ namespace BizHawk.Client.EmuHawk { if (_addr + k < _domain.Size) { - rowStr.Append(Remap(MakeByte(_addr + k))); + byte b = MakeByte(_addr + k); + char c = Remap(b); + rowStr.Append(c); + //winforms will be using these as escape codes for hotkeys + if (forWindow) if (c == '&') rowStr.Append('&'); } } @@ -544,14 +542,14 @@ namespace BizHawk.Client.EmuHawk : _domain.PeekByte(address); } - private int MakeValue(long address) + private int MakeValue(int dataSize, long address) { if (Global.CheatList.IsActive(_domain, address)) { return Global.CheatList.GetCheatValue(_domain, address, (Watch.WatchSize)DataSize ).Value; } - switch (DataSize) + switch (dataSize) { default: case 1: @@ -563,6 +561,11 @@ namespace BizHawk.Client.EmuHawk } } + private int MakeValue(long address) + { + return MakeValue(DataSize, address); + } + private void SetMemoryDomain(string name) { if (name == _romDomain.Name) @@ -592,6 +595,7 @@ namespace BizHawk.Client.EmuHawk } UpdateGroupBoxTitle(); + SetHeader(); UpdateValues(); } @@ -709,6 +713,7 @@ namespace BizHawk.Client.EmuHawk SetHeader(); UpdateGroupBoxTitle(); UpdateValues(); + _secondaryHighlightedAddresses.Clear(); } } @@ -806,7 +811,7 @@ namespace BizHawk.Client.EmuHawk { if (_domain.Name == "File on Disk") { - var extension = Path.GetExtension(GlobalWin.MainForm.CurrentlyOpenRom); + var extension = Path.GetExtension(RomName); return "Binary (*" + extension + ")|*" + extension + "|All Files|*.*"; } @@ -814,18 +819,82 @@ namespace BizHawk.Client.EmuHawk return "Binary (*.bin)|*.bin|All Files|*.*"; } + + private string RomDirectory + { + get + { + string path = Global.Config.RecentRoms.MostRecent; + + if (string.IsNullOrWhiteSpace(path)) + { + return path; + } + + if (path.Contains("|")) + { + path = path.Split('|').First(); + } + + return Path.GetDirectoryName(path); + } + } + + private string RomName + { + get + { + string path = Global.Config.RecentRoms.MostRecent; + + if (string.IsNullOrWhiteSpace(path)) + { + return path; + } + + if (path.Contains("|")) + { + path = path.Split('|').Last(); + } + + return Path.GetFileName(path); + } + } + private string GetBinarySaveFileFromUser() { var sfd = new SaveFileDialog { Filter = GetSaveFileFilter(), RestoreDirectory = true, - InitialDirectory = Path.GetDirectoryName(PathManager.MakeAbsolutePath(Global.Config.RecentRoms.MostRecent, null)) + InitialDirectory = RomDirectory }; if (_domain.Name == "File on Disk") { - sfd.FileName = Path.GetFileName(Global.Config.RecentRoms.MostRecent); + sfd.FileName = RomName; + } + else + { + sfd.FileName = PathManager.FilesystemSafeName(Global.Game); + } + + var result = sfd.ShowHawkDialog(); + + return result == DialogResult.OK ? sfd.FileName : string.Empty; + } + + private string GetSaveFileFromUser() + { + var sfd = new SaveFileDialog + { + Filter = "Text (*.txt)|*.txt|All Files|*.*", + RestoreDirectory = true, + InitialDirectory = RomDirectory + }; + + if (_domain.Name == "File on Disk") + { + sfd.FileName = Path.GetFileNameWithoutExtension(RomName) + ".txt"; } else { @@ -1269,36 +1338,85 @@ namespace BizHawk.Client.EmuHawk FindNextMenuItem.Enabled = !string.IsNullOrWhiteSpace(_findStr); } + string MakeCopyExportString(bool export) + { + //make room for an array with _secondaryHighlightedAddresses and optionally HighlightedAddress + long[] addresses = new long[_secondaryHighlightedAddresses.Count + (HighlightedAddress.HasValue ? 1 : 0)]; + + //if there was actually nothing to do, return + if (addresses.Length == 0) + return null; + + //fill the array with _secondaryHighlightedAddresses + for (int i = 0; i < _secondaryHighlightedAddresses.Count; i++) + addresses[i] = _secondaryHighlightedAddresses[i]; + //and add HighlightedAddress if present + if (HighlightedAddress.HasValue) + addresses[addresses.Length - 1] = HighlightedAddress.Value; + + //these need to be sorted. it's not just for HighlightedAddress, _secondaryHighlightedAddresses can even be jumbled + Array.Sort(addresses); + + //find the maximum length of the exported string + int maximumLength = addresses.Length * (export ? 3 : 2) + 8; + StringBuilder sb = new StringBuilder(maximumLength); + + //generate it differently for export (as you see it) or copy (raw bytes) + if (export) + for (int i = 0; i < addresses.Length; i++) + { + sb.Append(ValueString(addresses[i])); + if(i != addresses.Length-1) + sb.Append(' '); + } + else + { + for (int i = 0; i < addresses.Length; i++) + { + long start = addresses[i]; + long end = addresses[i] + DataSize -1 ; + for(long a = start;a<=end;a++) + sb.AppendFormat("{0:X2}", MakeValue(1,a)); + } + } + + return sb.ToString(); + } + + private void ExportMenuItem_Click(object sender, EventArgs e) + { + var value = MakeCopyExportString(true); + if (!string.IsNullOrEmpty(value)) + Clipboard.SetDataObject(value); + } + private void CopyMenuItem_Click(object sender, EventArgs e) { - var value = HighlightedAddress.HasValue ? ValueString(HighlightedAddress.Value) : string.Empty; - value = _secondaryHighlightedAddresses.Aggregate(value, (current, x) => current + ValueString(x)); - if (!string.IsNullOrWhiteSpace(value)) - { + var value = MakeCopyExportString(false); + if (!string.IsNullOrEmpty(value)) Clipboard.SetDataObject(value); - } } private void PasteMenuItem_Click(object sender, EventArgs e) { var data = Clipboard.GetDataObject(); - if (data != null && data.GetDataPresent(DataFormats.Text)) + if (data != null && !data.GetDataPresent(DataFormats.Text)) + return; + + var clipboardRaw = (string)data.GetData(DataFormats.Text); + var hex = clipboardRaw.OnlyHex(); + + var numBytes = hex.Length / 2; + for (var i = 0; i < numBytes; i++) { - var clipboardRaw = (string)data.GetData(DataFormats.Text); - var hex = clipboardRaw.OnlyHex(); - - var numBytes = hex.Length / 2; - for (var i = 0; i < numBytes; i++) - { - var value = int.Parse(hex.Substring(i * 2, 2), NumberStyles.HexNumber); - var address = _addressHighlighted + i; - _domain.PokeByte(address, (byte)value); - } - - UpdateValues(); + var value = int.Parse(hex.Substring(i * 2, 2), NumberStyles.HexNumber); + var address = _addressHighlighted + i; + _domain.PokeByte(address, (byte)value); } - } + + UpdateValues(); + } private void FindMenuItem_Click(object sender, EventArgs e) { @@ -2183,5 +2301,6 @@ namespace BizHawk.Client.EmuHawk MessageBox.Show(str); } + } } diff --git a/BizHawk.Client.EmuHawk/tools/InputPrompt.cs b/BizHawk.Client.EmuHawk/tools/InputPrompt.cs index 75f6357746..4193b501b5 100644 --- a/BizHawk.Client.EmuHawk/tools/InputPrompt.cs +++ b/BizHawk.Client.EmuHawk/tools/InputPrompt.cs @@ -84,7 +84,7 @@ namespace BizHawk.Client.EmuHawk return; } - if (!e.KeyChar.IsUnsigned()) + if (!e.KeyChar.IsSigned()) { e.Handled = true; } @@ -95,8 +95,8 @@ namespace BizHawk.Client.EmuHawk { return; } - - if (!e.KeyChar.IsSigned()) + + if (!e.KeyChar.IsUnsigned()) { e.Handled = true; } diff --git a/BizHawk.Client.EmuHawk/tools/Lua/Libraries/EmuLuaLibrary.Client.cs b/BizHawk.Client.EmuHawk/tools/Lua/Libraries/EmuLuaLibrary.Client.cs index ceb3afa697..73967db45e 100644 --- a/BizHawk.Client.EmuHawk/tools/Lua/Libraries/EmuLuaLibrary.Client.cs +++ b/BizHawk.Client.EmuHawk/tools/Lua/Libraries/EmuLuaLibrary.Client.cs @@ -36,6 +36,15 @@ namespace BizHawk.Client.EmuHawk public override string Name { get { return "client"; } } + [LuaMethodAttributes( + "exit", + "Closes the emulator" + )] + public void CloseEmulator() + { + GlobalWin.MainForm.CloseEmulator(); + } + [LuaMethodAttributes( "borderheight", "Gets the current height in pixels of the border around the emulator's drawing area" @@ -142,6 +151,16 @@ namespace BizHawk.Client.EmuHawk return Global.Config.TargetZoomFactor; } + [LuaMethodAttributes( + "SetGameExtraPadding", + "Sets the extra padding added to the 'emu' surface so that you can draw HUD elements in predictable placements" + )] + public static void SetGameExtraPadding(int left, int top, int right, int bottom) + { + GlobalWin.DisplayManager.GameExtraPadding = new System.Windows.Forms.Padding(left, top, right, bottom); + GlobalWin.MainForm.FrameBufferResized(); + } + [LuaMethodAttributes( "ispaused", "Returns true if emulator is paused, otherwise, false" diff --git a/BizHawk.Client.EmuHawk/tools/Lua/Libraries/EmuLuaLibrary.Forms.cs b/BizHawk.Client.EmuHawk/tools/Lua/Libraries/EmuLuaLibrary.Forms.cs index 0e3f72f859..1be505e439 100644 --- a/BizHawk.Client.EmuHawk/tools/Lua/Libraries/EmuLuaLibrary.Forms.cs +++ b/BizHawk.Client.EmuHawk/tools/Lua/Libraries/EmuLuaLibrary.Forms.cs @@ -381,7 +381,7 @@ namespace BizHawk.Client.EmuHawk "newform", "creates a new default dialog, if both width and height are specified it will create a dialog of the specified size. If title is specified it will be the caption of the dialog, else the dialog caption will be 'Lua Dialog'. The function will return an int representing the handle of the dialog created." )] - public int NewForm(int? width = null, int? height = null, string title = null) + public int NewForm(int? width = null, int? height = null, string title = null, LuaFunction onClose = null) { var form = new LuaWinform(); _luaForms.Add(form); @@ -391,10 +391,26 @@ namespace BizHawk.Client.EmuHawk } form.Text = title; - form.MaximizeBox = false; - form.FormBorderStyle = FormBorderStyle.FixedDialog; - form.Icon = SystemIcons.Application; + form.MaximizeBox = false; + form.FormBorderStyle = FormBorderStyle.FixedDialog; + form.Icon = SystemIcons.Application; form.Show(); + + form.FormClosed += (o, e) => + { + if (onClose != null) + { + try + { + onClose.Call(); + } + catch (Exception ex) + { + Log(ex.ToString()); + } + } + }; + return (int)form.Handle; } diff --git a/BizHawk.Client.EmuHawk/tools/Lua/Libraries/EmuLuaLibrary.Gui.cs b/BizHawk.Client.EmuHawk/tools/Lua/Libraries/EmuLuaLibrary.Gui.cs index f2619226b8..77197f4aac 100644 --- a/BizHawk.Client.EmuHawk/tools/Lua/Libraries/EmuLuaLibrary.Gui.cs +++ b/BizHawk.Client.EmuHawk/tools/Lua/Libraries/EmuLuaLibrary.Gui.cs @@ -116,6 +116,7 @@ namespace BizHawk.Client.EmuHawk { var g = _luaSurface == null ? Graphics.FromImage(_nullGraphicsBitmap) : _luaSurface.GetGraphics(); + //we don't like CoreComm, right? Someone should find a different way to do this then. var tx = Global.Emulator.CoreComm.ScreenLogicalOffsetX; var ty = Global.Emulator.CoreComm.ScreenLogicalOffsetY; if (tx != 0 || ty != 0) diff --git a/BizHawk.Client.EmuHawk/tools/Lua/Libraries/EmuLuaLibrary.Savestate.cs b/BizHawk.Client.EmuHawk/tools/Lua/Libraries/EmuLuaLibrary.Savestate.cs index f1aaec75a1..3256530e83 100644 --- a/BizHawk.Client.EmuHawk/tools/Lua/Libraries/EmuLuaLibrary.Savestate.cs +++ b/BizHawk.Client.EmuHawk/tools/Lua/Libraries/EmuLuaLibrary.Savestate.cs @@ -1,4 +1,5 @@ using System; +using System.Collections.Generic; using System.IO; using LuaInterface; diff --git a/BizHawk.Client.EmuHawk/tools/Lua/LuaFunctionsForm.cs b/BizHawk.Client.EmuHawk/tools/Lua/LuaFunctionsForm.cs index 552a514c07..f318f484de 100644 --- a/BizHawk.Client.EmuHawk/tools/Lua/LuaFunctionsForm.cs +++ b/BizHawk.Client.EmuHawk/tools/Lua/LuaFunctionsForm.cs @@ -22,7 +22,7 @@ namespace BizHawk.Client.EmuHawk if (!string.IsNullOrWhiteSpace(FilterBox.Text)) { _filteredList = FunctionList - .Where(f => (f.Library + "." + f.Name).Contains(FilterBox.Text)) + .Where(f => (f.Library + "." + f.Name).ToLowerInvariant().Contains(FilterBox.Text.ToLowerInvariant())) .ToList(); } else diff --git a/BizHawk.Client.EmuHawk/tools/MultiDiskBundler/MultiDiskBundler.Designer.cs b/BizHawk.Client.EmuHawk/tools/MultiDiskBundler/MultiDiskBundler.Designer.cs index 12f1b6fc9b..91334d6d2f 100644 --- a/BizHawk.Client.EmuHawk/tools/MultiDiskBundler/MultiDiskBundler.Designer.cs +++ b/BizHawk.Client.EmuHawk/tools/MultiDiskBundler/MultiDiskBundler.Designer.cs @@ -138,7 +138,8 @@ this.SystemDropDown.FormattingEnabled = true; this.SystemDropDown.Items.AddRange(new object[] { "GB", - "AppleII"}); + "AppleII", + "PSX"}); this.SystemDropDown.Location = new System.Drawing.Point(425, 75); this.SystemDropDown.Name = "SystemDropDown"; this.SystemDropDown.Size = new System.Drawing.Size(69, 21); diff --git a/BizHawk.Client.EmuHawk/tools/NES/NESMusicRipper.cs b/BizHawk.Client.EmuHawk/tools/NES/NESMusicRipper.cs index cf058b67da..de54555a79 100644 --- a/BizHawk.Client.EmuHawk/tools/NES/NESMusicRipper.cs +++ b/BizHawk.Client.EmuHawk/tools/NES/NESMusicRipper.cs @@ -18,7 +18,7 @@ namespace BizHawk.Client.EmuHawk public partial class NESMusicRipper : Form, IToolFormAutoConfig { [RequiredService] - private IEmulator _emu { get; set; } + private NES nes { get; set; } public NESMusicRipper() { @@ -436,7 +436,6 @@ namespace BizHawk.Client.EmuHawk //fpulse = fCPU/(16*(t+1)) (where fCPU is 1.789773 MHz for NTSC, 1.662607 MHz for PAL, and 1.773448 MHz for Dendy) //ftriangle = fCPU/(32*(tval + 1)) - var nes = _emu as NES; var apu = nes.apu; //evaluate the pitches @@ -485,8 +484,6 @@ namespace BizHawk.Client.EmuHawk private void btnControl_Click(object sender, EventArgs e) { - var nes = _emu as NES; - if(IsRunning) { SyncContents(); @@ -512,7 +509,6 @@ namespace BizHawk.Client.EmuHawk private void NESMusicRipper_FormClosed(object sender, FormClosedEventArgs e) { - var nes = _emu as NES; var apu = nes.apu; apu.DebugCallbackDivider = 0; apu.DebugCallbackTimer = 0; diff --git a/BizHawk.Client.EmuHawk/tools/PCE/PCECDL.cs b/BizHawk.Client.EmuHawk/tools/PCE/PCECDL.cs index 99d4fb2fe2..991c6e1950 100644 --- a/BizHawk.Client.EmuHawk/tools/PCE/PCECDL.cs +++ b/BizHawk.Client.EmuHawk/tools/PCE/PCECDL.cs @@ -165,7 +165,12 @@ namespace BizHawk.Client.EmuHawk var result = MessageBox.Show(this, "OK to load new CDL?", "Query", MessageBoxButtons.YesNo); if (result == DialogResult.Yes) { - var file = ToolHelpers.GetCdlFileFromUser(_currentFileName); + var file = ToolHelpers.OpenFileDialog( + _currentFileName, + PathManager.MakeAbsolutePath(Global.Config.PathEntries.LogPathFragment, null), + "Code Data Logger Files", + "cdl"); + if (file != null) { using (var fs = new FileStream(file.FullName, FileMode.Open, FileAccess.Read)) @@ -207,7 +212,12 @@ namespace BizHawk.Client.EmuHawk } else { - var file = ToolHelpers.GetCdlSaveFileFromUser(_currentFileName); + var file = ToolHelpers.SaveFileDialog( + _currentFileName, + PathManager.MakeAbsolutePath(Global.Config.PathEntries.LogPathFragment, null), + "Code Data Logger Files", + "cdl"); + if (file != null) { using (var fs = new FileStream(file.FullName, FileMode.Create, FileAccess.Write)) @@ -228,7 +238,12 @@ namespace BizHawk.Client.EmuHawk } else { - var file = ToolHelpers.GetCdlFileFromUser(_currentFileName); + var file = ToolHelpers.OpenFileDialog( + _currentFileName, + PathManager.MakeAbsolutePath(Global.Config.PathEntries.LogPathFragment, null), + "Code Data Logger Files", + "cdl"); + if (file != null) { using (var fs = new FileStream(file.FullName, FileMode.Open, FileAccess.Read)) diff --git a/BizHawk.Client.EmuHawk/tools/TAStudio/BookmarksBranchesBox.Designer.cs b/BizHawk.Client.EmuHawk/tools/TAStudio/BookmarksBranchesBox.Designer.cs index 31fc5c4393..8a9ec47707 100644 --- a/BizHawk.Client.EmuHawk/tools/TAStudio/BookmarksBranchesBox.Designer.cs +++ b/BizHawk.Client.EmuHawk/tools/TAStudio/BookmarksBranchesBox.Designer.cs @@ -28,7 +28,17 @@ /// private void InitializeComponent() { + this.components = new System.ComponentModel.Container(); this.BookmarksBranchesGroupBox = new System.Windows.Forms.GroupBox(); + this.BranchesContextMenu = new System.Windows.Forms.ContextMenuStrip(this.components); + this.LoadBranchContextMenuItem = new System.Windows.Forms.ToolStripMenuItem(); + this.toolStripSeparator1 = new System.Windows.Forms.ToolStripSeparator(); + this.UpdateBranchContextMenuItem = new System.Windows.Forms.ToolStripMenuItem(); + this.AddContextMenu = new System.Windows.Forms.ToolStripMenuItem(); + this.RemoveBranchContextMenuItem = new System.Windows.Forms.ToolStripMenuItem(); + this.BranchView = new BizHawk.Client.EmuHawk.InputRoll(); + this.BookmarksBranchesGroupBox.SuspendLayout(); + this.BranchesContextMenu.SuspendLayout(); this.SuspendLayout(); // // BookmarksBranchesGroupBox @@ -36,13 +46,92 @@ this.BookmarksBranchesGroupBox.Anchor = ((System.Windows.Forms.AnchorStyles)((((System.Windows.Forms.AnchorStyles.Top | System.Windows.Forms.AnchorStyles.Bottom) | System.Windows.Forms.AnchorStyles.Left) | System.Windows.Forms.AnchorStyles.Right))); + this.BookmarksBranchesGroupBox.Controls.Add(this.BranchView); this.BookmarksBranchesGroupBox.Location = new System.Drawing.Point(3, 0); this.BookmarksBranchesGroupBox.Name = "BookmarksBranchesGroupBox"; this.BookmarksBranchesGroupBox.Size = new System.Drawing.Size(198, 249); this.BookmarksBranchesGroupBox.TabIndex = 0; this.BookmarksBranchesGroupBox.TabStop = false; - this.BookmarksBranchesGroupBox.Text = "Bookmarks / Branches"; - this.BookmarksBranchesGroupBox.Enter += new System.EventHandler(this.BookmarksBranchesGroupBox_Enter); + this.BookmarksBranchesGroupBox.Text = "Branches"; + // + // BranchesContextMenu + // + this.BranchesContextMenu.Items.AddRange(new System.Windows.Forms.ToolStripItem[] { + this.LoadBranchContextMenuItem, + this.toolStripSeparator1, + this.UpdateBranchContextMenuItem, + this.AddContextMenu, + this.RemoveBranchContextMenuItem}); + this.BranchesContextMenu.Name = "BranchesContextMenu"; + this.BranchesContextMenu.Size = new System.Drawing.Size(118, 98); + this.BranchesContextMenu.Opening += new System.ComponentModel.CancelEventHandler(this.BranchesContextMenu_Opening); + // + // LoadBranchContextMenuItem + // + this.LoadBranchContextMenuItem.Image = global::BizHawk.Client.EmuHawk.Properties.Resources.Debugger; + this.LoadBranchContextMenuItem.Name = "LoadBranchContextMenuItem"; + this.LoadBranchContextMenuItem.Size = new System.Drawing.Size(117, 22); + this.LoadBranchContextMenuItem.Text = "Load"; + this.LoadBranchContextMenuItem.Click += new System.EventHandler(this.LoadBranchContextMenuItem_Click); + // + // toolStripSeparator1 + // + this.toolStripSeparator1.Name = "toolStripSeparator1"; + this.toolStripSeparator1.Size = new System.Drawing.Size(114, 6); + // + // UpdateBranchContextMenuItem + // + this.UpdateBranchContextMenuItem.Name = "UpdateBranchContextMenuItem"; + this.UpdateBranchContextMenuItem.Size = new System.Drawing.Size(117, 22); + this.UpdateBranchContextMenuItem.Text = "&Update"; + this.UpdateBranchContextMenuItem.Click += new System.EventHandler(this.UpdateBranchContextMenuItem_Click); + // + // AddContextMenu + // + this.AddContextMenu.Image = global::BizHawk.Client.EmuHawk.Properties.Resources.add; + this.AddContextMenu.Name = "AddContextMenu"; + this.AddContextMenu.Size = new System.Drawing.Size(117, 22); + this.AddContextMenu.Text = "Add"; + this.AddContextMenu.Click += new System.EventHandler(this.AddContextMenu_Click); + // + // RemoveBranchContextMenuItem + // + this.RemoveBranchContextMenuItem.Image = global::BizHawk.Client.EmuHawk.Properties.Resources.Delete; + this.RemoveBranchContextMenuItem.Name = "RemoveBranchContextMenuItem"; + this.RemoveBranchContextMenuItem.Size = new System.Drawing.Size(117, 22); + this.RemoveBranchContextMenuItem.Text = "Remove"; + this.RemoveBranchContextMenuItem.Click += new System.EventHandler(this.RemoveBranchContextMenuItem_Click); + // + // BranchView + // + this.BranchView.AllowColumnReorder = false; + this.BranchView.AllowColumnResize = false; + this.BranchView.AlwaysScroll = false; + this.BranchView.Anchor = ((System.Windows.Forms.AnchorStyles)((((System.Windows.Forms.AnchorStyles.Top | System.Windows.Forms.AnchorStyles.Bottom) + | System.Windows.Forms.AnchorStyles.Left) + | System.Windows.Forms.AnchorStyles.Right))); + this.BranchView.CellHeightPadding = 0; + this.BranchView.ContextMenuStrip = this.BranchesContextMenu; + this.BranchView.FullRowSelect = true; + this.BranchView.HideWasLagFrames = false; + this.BranchView.HorizontalOrientation = false; + this.BranchView.HoverInterval = 500; + this.BranchView.LagFramesToHide = 0; + this.BranchView.Location = new System.Drawing.Point(6, 19); + this.BranchView.MaxCharactersInHorizontal = 1; + this.BranchView.MultiSelect = false; + this.BranchView.Name = "BranchView"; + this.BranchView.RowCount = 0; + this.BranchView.ScrollSpeed = 13; + this.BranchView.Size = new System.Drawing.Size(186, 224); + this.BranchView.TabIndex = 0; + this.BranchView.CellHovered += new BizHawk.Client.EmuHawk.InputRoll.HoverEventHandler(this.BranchView_CellHovered); + this.BranchView.CellDropped += new BizHawk.Client.EmuHawk.InputRoll.CellDroppedEvent(this.BranchView_CellDropped); + this.BranchView.MouseDoubleClick += new System.Windows.Forms.MouseEventHandler(this.BranchView_MouseDoubleClick); + this.BranchView.MouseDown += new System.Windows.Forms.MouseEventHandler(this.BranchView_MouseDown); + this.BranchView.MouseLeave += new System.EventHandler(this.BranchView_MouseLeave); + this.BranchView.MouseMove += new System.Windows.Forms.MouseEventHandler(this.BranchView_MouseMove); + this.BranchView.MouseUp += new System.Windows.Forms.MouseEventHandler(this.BranchView_MouseUp); // // BookmarksBranchesBox // @@ -50,6 +139,8 @@ this.Controls.Add(this.BookmarksBranchesGroupBox); this.Name = "BookmarksBranchesBox"; this.Size = new System.Drawing.Size(204, 253); + this.BookmarksBranchesGroupBox.ResumeLayout(false); + this.BranchesContextMenu.ResumeLayout(false); this.ResumeLayout(false); } @@ -57,5 +148,12 @@ #endregion private System.Windows.Forms.GroupBox BookmarksBranchesGroupBox; + private InputRoll BranchView; + private System.Windows.Forms.ContextMenuStrip BranchesContextMenu; + private System.Windows.Forms.ToolStripMenuItem AddContextMenu; + private System.Windows.Forms.ToolStripMenuItem RemoveBranchContextMenuItem; + private System.Windows.Forms.ToolStripMenuItem LoadBranchContextMenuItem; + private System.Windows.Forms.ToolStripSeparator toolStripSeparator1; + private System.Windows.Forms.ToolStripMenuItem UpdateBranchContextMenuItem; } } diff --git a/BizHawk.Client.EmuHawk/tools/TAStudio/BookmarksBranchesBox.cs b/BizHawk.Client.EmuHawk/tools/TAStudio/BookmarksBranchesBox.cs index e1d94c7287..f7692ea626 100644 --- a/BizHawk.Client.EmuHawk/tools/TAStudio/BookmarksBranchesBox.cs +++ b/BizHawk.Client.EmuHawk/tools/TAStudio/BookmarksBranchesBox.cs @@ -6,19 +6,339 @@ using System.Data; using System.Linq; using System.Text; using System.Windows.Forms; +using System.Windows.Media; +using BizHawk.Emulation.Common; +using BizHawk.Client.Common; +using BizHawk.Common; namespace BizHawk.Client.EmuHawk { public partial class BookmarksBranchesBox : UserControl { + private const string BranchNumberColumnName = "BranchNumberColumn"; + private const string FrameColumnName = "FrameColumn"; + private const string TimeColumnName = "TimeColumn"; + + private readonly PlatformFrameRates FrameRates = new PlatformFrameRates(); + public TAStudio Tastudio { get; set; } + private TasMovie Movie { get { return Tastudio.CurrentTasMovie; } } + + private TasBranch GetBranch(int id) + { + return Tastudio.CurrentTasMovie.GetBranch(id); + } + public BookmarksBranchesBox() { InitializeComponent(); + + BranchView.AllColumns.AddRange(new InputRoll.RollColumn[] + { + new InputRoll.RollColumn + { + Name = BranchNumberColumnName, + Text = "#", + Width = 30 + }, + new InputRoll.RollColumn + { + Name = FrameColumnName, + Text = "Frame", + Width = 64 + }, + new InputRoll.RollColumn + { + Name = TimeColumnName, + Text = "TimeStamp", + Width = 90 + }, + }); + + BranchView.QueryItemText += QueryItemText; + BranchView.QueryItemBkColor += QueryItemBkColor; } - private void BookmarksBranchesGroupBox_Enter(object sender, EventArgs e) + public TasBranch SelectedBranch { + get + { + if (BranchView.AnyRowsSelected) + { + return GetBranch(BranchView.SelectedRows.First()); + } + return null; + } + } + + private int CurrentBranch = -1; + + private void QueryItemText(int index, InputRoll.RollColumn column, out string text, ref int offsetX, ref int offsetY) + { + text = string.Empty; + + if (index >= Movie.BranchCount) + { + return; + } + + switch (column.Name) + { + case BranchNumberColumnName: + text = index.ToString(); + break; + case FrameColumnName: + text = GetBranch(index).Frame.ToString(); + break; + case TimeColumnName: + text = GetBranch(index).TimeStamp.ToString(@"hh\:mm\:ss\.ff"); + break; + } + } + + private void QueryItemBkColor(int index, InputRoll.RollColumn column, ref Color color) + { + TasBranch branch = GetBranch(index); + if (branch != null) + { + var record = Tastudio.CurrentTasMovie[branch.Frame]; + if (index == CurrentBranch) + color = TAStudio.CurrentFrame_InputLog; // SystemColors.HotTrack; + else if (record.Lagged.HasValue) + { + if (record.Lagged.Value) + { + color = TAStudio.LagZone_InputLog; + } + else + { + color = TAStudio.GreenZone_InputLog; + } + } + } + + // Highlight the branch cell a little, if hovering over it + if (BranchView.CurrentCellIsDataCell && + BranchView.CurrentCell.Column.Name == BranchNumberColumnName && + column.Name == BranchNumberColumnName && + index == BranchView.CurrentCell.RowIndex) + { + color = Color.FromArgb((byte)(color.A - 24), (byte)(color.R - 24), (byte)(color.G - 24), (byte)(color.B - 24)); + } + } + + private void AddContextMenu_Click(object sender, EventArgs e) + { + Branch(); + } + + private void BranchView_MouseDoubleClick(object sender, MouseEventArgs e) + { + LoadSelectedBranch(); + } + + private void LoadBranchContextMenuItem_Click(object sender, EventArgs e) + { + LoadSelectedBranch(); + } + + private void LoadSelectedBranch() + { + if (SelectedBranch != null) + { + int index = BranchView.SelectedRows.First(); + //if (CurrentBranch == index) // if the current branch was edited, we should allow loading it. some day there might be a proper check + // return; + CurrentBranch = index; + LoadBranch(SelectedBranch); + BranchView.Refresh(); + } + } + + private void BranchesContextMenu_Opening(object sender, CancelEventArgs e) + { + UpdateBranchContextMenuItem.Enabled = + RemoveBranchContextMenuItem.Enabled = + LoadBranchContextMenuItem.Enabled = + SelectedBranch != null; + } + + private void RemoveBranchContextMenuItem_Click(object sender, EventArgs e) + { + if (SelectedBranch != null) + { + int index = BranchView.SelectedRows.First(); + if (index == CurrentBranch) + { + CurrentBranch = -1; + } + else if (index < CurrentBranch) + { + CurrentBranch--; + } + + Movie.RemoveBranch(SelectedBranch); + BranchView.RowCount = Movie.BranchCount; + + if (index == BranchView.SelectedRows.FirstOrDefault()) + { + BranchView.ClearSelectedRows(); + } + + BranchView.Refresh(); + Tastudio.RefreshDialog(); + } + } + + private void LoadBranch(TasBranch branch) + { + Tastudio.CurrentTasMovie.LoadBranch(branch); + GlobalWin.DisplayManager.NeedsToPaint = true; + var stateInfo = new KeyValuePair(branch.Frame, branch.CoreData); + Tastudio.LoadState(stateInfo); + QuickBmpFile.Copy(new BitmapBufferVideoProvider(branch.OSDFrameBuffer), Global.Emulator.VideoProvider()); + GlobalWin.MainForm.PauseEmulator(); + GlobalWin.MainForm.PauseOnFrame = null; + Tastudio.RefreshDialog(); + } + + public void UpdateValues() + { + BranchView.RowCount = Movie.BranchCount; + BranchView.Refresh(); + } + + public void Restart() + { + BranchView.DeselectAll(); + BranchView.RowCount = Movie.BranchCount; + BranchView.Refresh(); + } + + public void Branch() + { + TasBranch branch = CreateBranch(); + Movie.AddBranch(branch); + BranchView.RowCount = Movie.BranchCount; + CurrentBranch = Movie.BranchCount - 1; + BranchView.Refresh(); + Tastudio.RefreshDialog(); + } + + private TasBranch CreateBranch() + { + // TODO: don't use Global.Emulator + return new TasBranch + { + Frame = Global.Emulator.Frame, + CoreData = (byte[])((Global.Emulator as IStatable).SaveStateBinary().Clone()), + InputLog = Movie.InputLog.ToList(), + OSDFrameBuffer = GlobalWin.MainForm.CaptureOSD(), + LagLog = Movie.TasLagLog.Clone(), + ChangeLog = new TasMovieChangeLog(Movie), + TimeStamp = DateTime.Now, + Markers = Movie.Markers.DeepClone() + }; + } + + private void BranchView_CellHovered(object sender, InputRoll.CellEventArgs e) + { + if (e.NewCell != null && e.NewCell.RowIndex.HasValue && e.NewCell.Column != null && e.NewCell.RowIndex < Movie.BranchCount) + { + if (e.NewCell.Column.Name == BranchNumberColumnName) + { + ScreenShotPopUp(GetBranch(e.NewCell.RowIndex.Value), e.NewCell.RowIndex.Value); + } + else + { + CloseScreenShotPopUp(); + } + } + else + { + CloseScreenShotPopUp(); + } + } + + private void BranchView_MouseMove(object sender, MouseEventArgs e) + { + if (BranchView.CurrentCell == null || !BranchView.CurrentCell.RowIndex.HasValue || BranchView.CurrentCell.Column == null) + { + CloseScreenShotPopUp(); + } + else if (BranchView.CurrentCell.Column.Name == BranchNumberColumnName) + { + BranchView.Refresh(); + } + } + + private void CloseScreenShotPopUp() + { + Tastudio.ScreenshotControl.Visible = false; + } + + private void BranchView_MouseLeave(object sender, EventArgs e) + { + Tastudio.ScreenshotControl.Visible = false; + } + + private void ScreenShotPopUp(TasBranch branch, int index) + { + Point locationOnForm = this.FindForm().PointToClient( + this.Parent.PointToScreen(this.Location)); + + int x = locationOnForm.X - Tastudio.ScreenshotControl.Width; + int y = locationOnForm.Y + (BranchView.RowHeight * index); + + Tastudio.ScreenshotControl.Location = new Point(x, y); + + Tastudio.ScreenshotControl.Visible = true; + Tastudio.ScreenshotControl.Branch = branch; + Tastudio.ScreenshotControl.Refresh(); + } + + private void UpdateBranchContextMenuItem_Click(object sender, EventArgs e) + { + if (SelectedBranch != null) + { + UpdateBranch(SelectedBranch); + CurrentBranch = BranchView.SelectedRows.First(); + } + } + + private void UpdateBranch(TasBranch branch) + { + Movie.UpdateBranch(branch, CreateBranch()); + BranchView.Refresh(); + Tastudio.RefreshDialog(); + } + + private void BranchView_MouseDown(object sender, MouseEventArgs e) + { + if (e.Button == MouseButtons.Left) + { + if (BranchView.CurrentCell != null && BranchView.CurrentCell.IsDataCell + && BranchView.CurrentCell.Column.Name == BranchNumberColumnName) + { + BranchView.DragCurrentCell(); + } + } + } + + private void BranchView_MouseUp(object sender, MouseEventArgs e) + { + if (e.Button == MouseButtons.Left) + { + BranchView.ReleaseCurrentCell(); + } + } + + private void BranchView_CellDropped(object sender, InputRoll.CellEventArgs e) + { + if (e.NewCell != null && e.NewCell.IsDataCell && e.OldCell.RowIndex.Value < Movie.BranchCount) + { + Movie.SwapBranches(e.OldCell.RowIndex.Value, e.NewCell.RowIndex.Value); + } } } } diff --git a/BizHawk.Client.EmuHawk/tools/TAStudio/BookmarksBranchesBox.resx b/BizHawk.Client.EmuHawk/tools/TAStudio/BookmarksBranchesBox.resx index 29dcb1b3a3..82ceea8475 100644 --- a/BizHawk.Client.EmuHawk/tools/TAStudio/BookmarksBranchesBox.resx +++ b/BizHawk.Client.EmuHawk/tools/TAStudio/BookmarksBranchesBox.resx @@ -117,4 +117,7 @@ System.Resources.ResXResourceWriter, System.Windows.Forms, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b77a5c561934e089 + + 17, 17 + \ No newline at end of file diff --git a/BizHawk.Client.EmuHawk/tools/TAStudio/GreenzoneSettings.Designer.cs b/BizHawk.Client.EmuHawk/tools/TAStudio/GreenzoneSettings.Designer.cs index 8488b81e49..54fa987917 100644 --- a/BizHawk.Client.EmuHawk/tools/TAStudio/GreenzoneSettings.Designer.cs +++ b/BizHawk.Client.EmuHawk/tools/TAStudio/GreenzoneSettings.Designer.cs @@ -53,6 +53,8 @@ namespace BizHawk.Client.EmuHawk this.label8 = new System.Windows.Forms.Label(); this.label9 = new System.Windows.Forms.Label(); this.NumSaveStatesLabel = new System.Windows.Forms.Label(); + this.BranchStatesInTasproj = new System.Windows.Forms.CheckBox(); + this.EraseBranchStatesFirst = new System.Windows.Forms.CheckBox(); ((System.ComponentModel.ISupportInitialize)(this.MemCapacityNumeric)).BeginInit(); ((System.ComponentModel.ISupportInitialize)(this.DiskCapacityNumeric)).BeginInit(); ((System.ComponentModel.ISupportInitialize)(this.SaveCapacityNumeric)).BeginInit(); @@ -62,7 +64,7 @@ namespace BizHawk.Client.EmuHawk // this.CancelBtn.Anchor = ((System.Windows.Forms.AnchorStyles)((System.Windows.Forms.AnchorStyles.Bottom | System.Windows.Forms.AnchorStyles.Right))); this.CancelBtn.DialogResult = System.Windows.Forms.DialogResult.Cancel; - this.CancelBtn.Location = new System.Drawing.Point(216, 113); + this.CancelBtn.Location = new System.Drawing.Point(216, 163); this.CancelBtn.Name = "CancelBtn"; this.CancelBtn.Size = new System.Drawing.Size(60, 23); this.CancelBtn.TabIndex = 0; @@ -73,7 +75,7 @@ namespace BizHawk.Client.EmuHawk // OkBtn // this.OkBtn.Anchor = ((System.Windows.Forms.AnchorStyles)((System.Windows.Forms.AnchorStyles.Bottom | System.Windows.Forms.AnchorStyles.Right))); - this.OkBtn.Location = new System.Drawing.Point(150, 113); + this.OkBtn.Location = new System.Drawing.Point(150, 163); this.OkBtn.Name = "OkBtn"; this.OkBtn.Size = new System.Drawing.Size(60, 23); this.OkBtn.TabIndex = 1; @@ -116,7 +118,7 @@ namespace BizHawk.Client.EmuHawk // label2 // this.label2.AutoSize = true; - this.label2.Location = new System.Drawing.Point(12, 9); + this.label2.Location = new System.Drawing.Point(9, 9); this.label2.Name = "label2"; this.label2.Size = new System.Drawing.Size(88, 13); this.label2.TabIndex = 5; @@ -125,7 +127,7 @@ namespace BizHawk.Client.EmuHawk // label3 // this.label3.AutoSize = true; - this.label3.Location = new System.Drawing.Point(126, 9); + this.label3.Location = new System.Drawing.Point(147, 9); this.label3.Name = "label3"; this.label3.Size = new System.Drawing.Size(79, 13); this.label3.TabIndex = 6; @@ -134,7 +136,7 @@ namespace BizHawk.Client.EmuHawk // SavestateSizeLabel // this.SavestateSizeLabel.AutoSize = true; - this.SavestateSizeLabel.Location = new System.Drawing.Point(208, 9); + this.SavestateSizeLabel.Location = new System.Drawing.Point(229, 9); this.SavestateSizeLabel.Name = "SavestateSizeLabel"; this.SavestateSizeLabel.Size = new System.Drawing.Size(25, 13); this.SavestateSizeLabel.TabIndex = 7; @@ -188,7 +190,7 @@ namespace BizHawk.Client.EmuHawk // label6 // this.label6.AutoSize = true; - this.label6.Location = new System.Drawing.Point(12, 49); + this.label6.Location = new System.Drawing.Point(9, 49); this.label6.Name = "label6"; this.label6.Size = new System.Drawing.Size(72, 13); this.label6.TabIndex = 5; @@ -196,7 +198,7 @@ namespace BizHawk.Client.EmuHawk // // SaveCapacityNumeric // - this.SaveCapacityNumeric.Location = new System.Drawing.Point(158, 66); + this.SaveCapacityNumeric.Location = new System.Drawing.Point(150, 66); this.SaveCapacityNumeric.Maximum = new decimal(new int[] { 65536, 0, @@ -215,7 +217,7 @@ namespace BizHawk.Client.EmuHawk // label7 // this.label7.AutoSize = true; - this.label7.Location = new System.Drawing.Point(213, 69); + this.label7.Location = new System.Drawing.Point(205, 69); this.label7.Name = "label7"; this.label7.Size = new System.Drawing.Size(21, 13); this.label7.TabIndex = 4; @@ -224,7 +226,7 @@ namespace BizHawk.Client.EmuHawk // label8 // this.label8.AutoSize = true; - this.label8.Location = new System.Drawing.Point(158, 49); + this.label8.Location = new System.Drawing.Point(147, 49); this.label8.Name = "label8"; this.label8.Size = new System.Drawing.Size(112, 13); this.label8.TabIndex = 5; @@ -233,7 +235,7 @@ namespace BizHawk.Client.EmuHawk // label9 // this.label9.AutoSize = true; - this.label9.Location = new System.Drawing.Point(155, 89); + this.label9.Location = new System.Drawing.Point(147, 89); this.label9.Name = "label9"; this.label9.Size = new System.Drawing.Size(84, 13); this.label9.TabIndex = 8; @@ -242,19 +244,45 @@ namespace BizHawk.Client.EmuHawk // NumSaveStatesLabel // this.NumSaveStatesLabel.AutoSize = true; - this.NumSaveStatesLabel.Location = new System.Drawing.Point(242, 89); + this.NumSaveStatesLabel.Location = new System.Drawing.Point(234, 89); this.NumSaveStatesLabel.Name = "NumSaveStatesLabel"; this.NumSaveStatesLabel.Size = new System.Drawing.Size(25, 13); this.NumSaveStatesLabel.TabIndex = 9; this.NumSaveStatesLabel.Text = "1kb"; // + // BranchStatesInTasproj + // + this.BranchStatesInTasproj.AutoSize = true; + this.BranchStatesInTasproj.Location = new System.Drawing.Point(12, 115); + this.BranchStatesInTasproj.Name = "BranchStatesInTasproj"; + this.BranchStatesInTasproj.Size = new System.Drawing.Size(158, 17); + this.BranchStatesInTasproj.TabIndex = 10; + this.BranchStatesInTasproj.Text = "Put branch states to .tasproj"; + this.BranchStatesInTasproj.UseVisualStyleBackColor = true; + this.BranchStatesInTasproj.CheckedChanged += new System.EventHandler(this.BranchStatesInTasproj_CheckedChanged); + // + // EraseBranchStatesFirst + // + this.EraseBranchStatesFirst.AutoSize = true; + this.EraseBranchStatesFirst.Checked = true; + this.EraseBranchStatesFirst.CheckState = System.Windows.Forms.CheckState.Checked; + this.EraseBranchStatesFirst.Location = new System.Drawing.Point(12, 140); + this.EraseBranchStatesFirst.Name = "EraseBranchStatesFirst"; + this.EraseBranchStatesFirst.Size = new System.Drawing.Size(139, 17); + this.EraseBranchStatesFirst.TabIndex = 11; + this.EraseBranchStatesFirst.Text = "Erase branch states first"; + this.EraseBranchStatesFirst.UseVisualStyleBackColor = true; + this.EraseBranchStatesFirst.CheckedChanged += new System.EventHandler(this.EraseBranchStatesFIrst_CheckedChanged); + // // StateHistorySettingsForm // this.AcceptButton = this.OkBtn; this.AutoScaleDimensions = new System.Drawing.SizeF(6F, 13F); this.AutoScaleMode = System.Windows.Forms.AutoScaleMode.Font; this.CancelButton = this.CancelBtn; - this.ClientSize = new System.Drawing.Size(288, 148); + this.ClientSize = new System.Drawing.Size(288, 198); + this.Controls.Add(this.EraseBranchStatesFirst); + this.Controls.Add(this.BranchStatesInTasproj); this.Controls.Add(this.NumSaveStatesLabel); this.Controls.Add(this.NumStatesLabel); this.Controls.Add(this.label9); @@ -303,5 +331,7 @@ namespace BizHawk.Client.EmuHawk private Label label8; private Label label9; private Label NumSaveStatesLabel; + private CheckBox BranchStatesInTasproj; + private CheckBox EraseBranchStatesFirst; } } diff --git a/BizHawk.Client.EmuHawk/tools/TAStudio/GreenzoneSettings.cs b/BizHawk.Client.EmuHawk/tools/TAStudio/GreenzoneSettings.cs index 2bccac30a1..e60cc15c7c 100644 --- a/BizHawk.Client.EmuHawk/tools/TAStudio/GreenzoneSettings.cs +++ b/BizHawk.Client.EmuHawk/tools/TAStudio/GreenzoneSettings.cs @@ -34,21 +34,25 @@ namespace BizHawk.Client.EmuHawk else MemCapacityNumeric.Maximum = 1024; - MemCapacityNumeric.Value = Settings.Capacitymb == 0 ? 1 : Settings.Capacitymb < MemCapacityNumeric.Maximum ? + MemCapacityNumeric.Value = Settings.Capacitymb < MemCapacityNumeric.Maximum ? Settings.Capacitymb : MemCapacityNumeric.Maximum; - DiskCapacityNumeric.Value = Settings.DiskCapacitymb == 0 ? 1 : Settings.DiskCapacitymb < MemCapacityNumeric.Maximum ? + DiskCapacityNumeric.Value = Settings.DiskCapacitymb < MemCapacityNumeric.Maximum ? Settings.DiskCapacitymb : MemCapacityNumeric.Maximum; - SaveCapacityNumeric.Value = Settings.DiskSaveCapacitymb == 0 ? 1 : Settings.DiskSaveCapacitymb < MemCapacityNumeric.Maximum ? + SaveCapacityNumeric.Value = Settings.DiskSaveCapacitymb < MemCapacityNumeric.Maximum ? Settings.DiskSaveCapacitymb : MemCapacityNumeric.Maximum; SavestateSizeLabel.Text = Math.Round(_stateSizeMb, 2).ToString() + " mb"; CapacityNumeric_ValueChanged(null, null); SaveCapacityNumeric_ValueChanged(null, null); + BranchStatesInTasproj.Checked = Settings.BranchStatesInTasproj; + EraseBranchStatesFirst.Checked = Settings.EraseBranchStatesFirst; } private int MaxStatesInCapacity { - get { return (int)Math.Floor((MemCapacityNumeric.Value + DiskCapacityNumeric.Value) / _stateSizeMb); } + get { return (int)Math.Floor(MemCapacityNumeric.Value / _stateSizeMb) + + (int)Math.Floor(DiskCapacityNumeric.Value / _stateSizeMb); + } } private void OkBtn_Click(object sender, EventArgs e) @@ -77,5 +81,15 @@ namespace BizHawk.Client.EmuHawk { NumSaveStatesLabel.Text = ((int)Math.Floor(SaveCapacityNumeric.Value / _stateSizeMb)).ToString(); } + + private void BranchStatesInTasproj_CheckedChanged(object sender, EventArgs e) + { + Settings.BranchStatesInTasproj = BranchStatesInTasproj.Checked; + } + + private void EraseBranchStatesFIrst_CheckedChanged(object sender, EventArgs e) + { + Settings.EraseBranchStatesFirst = EraseBranchStatesFirst.Checked; + } } } diff --git a/BizHawk.Client.EmuHawk/tools/TAStudio/MarkerControl.Designer.cs b/BizHawk.Client.EmuHawk/tools/TAStudio/MarkerControl.Designer.cs index eee5491544..fd5f8e8518 100644 --- a/BizHawk.Client.EmuHawk/tools/TAStudio/MarkerControl.Designer.cs +++ b/BizHawk.Client.EmuHawk/tools/TAStudio/MarkerControl.Designer.cs @@ -28,66 +28,69 @@ /// private void InitializeComponent() { - this.AddBtn = new System.Windows.Forms.Button(); - this.RemoveBtn = new System.Windows.Forms.Button(); - this.MarkerView = new BizHawk.Client.EmuHawk.InputRoll(); - this.SuspendLayout(); - // - // AddBtn - // - this.AddBtn.Anchor = ((System.Windows.Forms.AnchorStyles)((System.Windows.Forms.AnchorStyles.Bottom | System.Windows.Forms.AnchorStyles.Right))); - this.AddBtn.Location = new System.Drawing.Point(157, 214); - this.AddBtn.Name = "AddBtn"; - this.AddBtn.Size = new System.Drawing.Size(44, 23); - this.AddBtn.TabIndex = 6; - this.AddBtn.Text = "Add"; - this.AddBtn.UseVisualStyleBackColor = true; - this.AddBtn.Click += new System.EventHandler(this.AddBtn_Click); - // - // RemoveBtn - // - this.RemoveBtn.Anchor = ((System.Windows.Forms.AnchorStyles)((System.Windows.Forms.AnchorStyles.Bottom | System.Windows.Forms.AnchorStyles.Left))); - this.RemoveBtn.Enabled = false; - this.RemoveBtn.Location = new System.Drawing.Point(3, 214); - this.RemoveBtn.Name = "RemoveBtn"; - this.RemoveBtn.Size = new System.Drawing.Size(58, 23); - this.RemoveBtn.TabIndex = 7; - this.RemoveBtn.Text = "Remove"; - this.RemoveBtn.UseVisualStyleBackColor = true; - this.RemoveBtn.Click += new System.EventHandler(this.RemoveBtn_Click); - // - // MarkerView - // - this.MarkerView.AllowColumnReorder = false; - this.MarkerView.AllowColumnResize = false; - this.MarkerView.Anchor = ((System.Windows.Forms.AnchorStyles)((((System.Windows.Forms.AnchorStyles.Top | System.Windows.Forms.AnchorStyles.Bottom) + this.AddBtn = new System.Windows.Forms.Button(); + this.RemoveBtn = new System.Windows.Forms.Button(); + this.MarkerView = new BizHawk.Client.EmuHawk.InputRoll(); + this.SuspendLayout(); + // + // AddBtn + // + this.AddBtn.Anchor = ((System.Windows.Forms.AnchorStyles)((System.Windows.Forms.AnchorStyles.Bottom | System.Windows.Forms.AnchorStyles.Right))); + this.AddBtn.Location = new System.Drawing.Point(154, 173); + this.AddBtn.Name = "AddBtn"; + this.AddBtn.Size = new System.Drawing.Size(44, 23); + this.AddBtn.TabIndex = 6; + this.AddBtn.Text = "Add"; + this.AddBtn.UseVisualStyleBackColor = true; + this.AddBtn.Click += new System.EventHandler(this.AddBtn_Click); + // + // RemoveBtn + // + this.RemoveBtn.Anchor = ((System.Windows.Forms.AnchorStyles)((System.Windows.Forms.AnchorStyles.Bottom | System.Windows.Forms.AnchorStyles.Left))); + this.RemoveBtn.Enabled = false; + this.RemoveBtn.Location = new System.Drawing.Point(3, 173); + this.RemoveBtn.Name = "RemoveBtn"; + this.RemoveBtn.Size = new System.Drawing.Size(58, 23); + this.RemoveBtn.TabIndex = 7; + this.RemoveBtn.Text = "Remove"; + this.RemoveBtn.UseVisualStyleBackColor = true; + this.RemoveBtn.Click += new System.EventHandler(this.RemoveBtn_Click); + // + // MarkerView + // + this.MarkerView.AllowColumnReorder = false; + this.MarkerView.AllowColumnResize = false; + this.MarkerView.AlwaysScroll = false; + this.MarkerView.Anchor = ((System.Windows.Forms.AnchorStyles)((((System.Windows.Forms.AnchorStyles.Top | System.Windows.Forms.AnchorStyles.Bottom) | System.Windows.Forms.AnchorStyles.Left) | System.Windows.Forms.AnchorStyles.Right))); - this.MarkerView.Font = new System.Drawing.Font("Courier New", 8.25F, System.Drawing.FontStyle.Regular, System.Drawing.GraphicsUnit.Point, ((byte)(0))); - this.MarkerView.FullRowSelect = true; - this.MarkerView.HorizontalOrientation = false; - this.MarkerView.LastVisibleRow = 9; - this.MarkerView.Location = new System.Drawing.Point(3, 0); - this.MarkerView.MaxCharactersInHorizontal = 1; - this.MarkerView.MultiSelect = false; - this.MarkerView.Name = "MarkerView"; - this.MarkerView.RowCount = 0; - this.MarkerView.Size = new System.Drawing.Size(198, 209); - this.MarkerView.TabIndex = 5; - this.MarkerView.TabStop = false; - this.MarkerView.SelectedIndexChanged += new System.EventHandler(this.MarkerView_SelectedIndexChanged); - this.MarkerView.MouseDoubleClick += new System.Windows.Forms.MouseEventHandler(this.MarkerView_MouseDoubleClick); - // - // MarkerControl - // - this.AutoScaleMode = System.Windows.Forms.AutoScaleMode.Inherit; - this.Controls.Add(this.RemoveBtn); - this.Controls.Add(this.AddBtn); - this.Controls.Add(this.MarkerView); - this.Name = "MarkerControl"; - this.Size = new System.Drawing.Size(204, 241); - this.Load += new System.EventHandler(this.MarkerControl_Load); - this.ResumeLayout(false); + this.MarkerView.CellHeightPadding = 0; + this.MarkerView.Font = new System.Drawing.Font("Courier New", 8.25F, System.Drawing.FontStyle.Regular, System.Drawing.GraphicsUnit.Point, ((byte)(0))); + this.MarkerView.FullRowSelect = true; + this.MarkerView.HideWasLagFrames = false; + this.MarkerView.HorizontalOrientation = false; + this.MarkerView.LagFramesToHide = 0; + this.MarkerView.Location = new System.Drawing.Point(3, 0); + this.MarkerView.MaxCharactersInHorizontal = 1; + this.MarkerView.MultiSelect = false; + this.MarkerView.Name = "MarkerView"; + this.MarkerView.RowCount = 0; + this.MarkerView.Size = new System.Drawing.Size(195, 168); + this.MarkerView.TabIndex = 5; + this.MarkerView.TabStop = false; + this.MarkerView.SelectedIndexChanged += new System.EventHandler(this.MarkerView_SelectedIndexChanged); + this.MarkerView.MouseDoubleClick += new System.Windows.Forms.MouseEventHandler(this.MarkerView_MouseDoubleClick); + // + // MarkerControl + // + this.AutoScaleMode = System.Windows.Forms.AutoScaleMode.Inherit; + this.Controls.Add(this.RemoveBtn); + this.Controls.Add(this.AddBtn); + this.Controls.Add(this.MarkerView); + this.Name = "MarkerControl"; + this.Size = new System.Drawing.Size(201, 200); + this.Load += new System.EventHandler(this.MarkerControl_Load); + this.ResumeLayout(false); } diff --git a/BizHawk.Client.EmuHawk/tools/TAStudio/MarkerControl.cs b/BizHawk.Client.EmuHawk/tools/TAStudio/MarkerControl.cs index c84475bab9..bb06bd652f 100644 --- a/BizHawk.Client.EmuHawk/tools/TAStudio/MarkerControl.cs +++ b/BizHawk.Client.EmuHawk/tools/TAStudio/MarkerControl.cs @@ -33,7 +33,7 @@ namespace BizHawk.Client.EmuHawk { Name = "LabelColumn", Text = "", - Width = 139 + Width = 125 } }); @@ -81,7 +81,7 @@ namespace BizHawk.Client.EmuHawk color = Color.White; } - private void MarkerView_QueryItemText(int index, InputRoll.RollColumn column, out string text) + private void MarkerView_QueryItemText(int index, InputRoll.RollColumn column, out string text, ref int offsetX, ref int offsetY) { text = ""; @@ -114,6 +114,12 @@ namespace BizHawk.Client.EmuHawk MarkerView.Refresh(); } + public void Restart() + { + MarkerView.DeselectAll(); + UpdateValues(); + } + private void MarkerView_SelectedIndexChanged(object sender, EventArgs e) { RemoveBtn.Enabled = MarkerView.SelectedRows.Any(i => i < Tastudio.CurrentTasMovie.Markers.Count); @@ -156,7 +162,7 @@ namespace BizHawk.Client.EmuHawk public void EditMarker() { - if (MarkerView.SelectedRows.Any()) + if (MarkerView.AnyRowsSelected) { var index = MarkerView.SelectedRows.First(); var marker = Tastudio.CurrentTasMovie.Markers[index]; @@ -179,7 +185,7 @@ namespace BizHawk.Client.EmuHawk public int SelectedMarkerFrame() { - if (MarkerView.SelectedRows.Any()) + if (MarkerView.AnyRowsSelected) { var index = MarkerView.SelectedRows.First(); var marker = Tastudio.CurrentTasMovie.Markers[index]; diff --git a/BizHawk.Client.EmuHawk/tools/TAStudio/PlaybackBox.Designer.cs b/BizHawk.Client.EmuHawk/tools/TAStudio/PlaybackBox.Designer.cs index d64348af48..6881638103 100644 --- a/BizHawk.Client.EmuHawk/tools/TAStudio/PlaybackBox.Designer.cs +++ b/BizHawk.Client.EmuHawk/tools/TAStudio/PlaybackBox.Designer.cs @@ -33,10 +33,10 @@ this.TurboSeekCheckbox = new System.Windows.Forms.CheckBox(); this.FollowCursorCheckbox = new System.Windows.Forms.CheckBox(); this.NextMarkerButton = new System.Windows.Forms.Button(); - this.PauseButton = new System.Windows.Forms.Button(); - this.PreviousMarkerButton = new System.Windows.Forms.Button(); this.FrameAdvanceButton = new BizHawk.Client.EmuHawk.RepeatButton(); + this.PauseButton = new System.Windows.Forms.Button(); this.RewindButton = new BizHawk.Client.EmuHawk.RepeatButton(); + this.PreviousMarkerButton = new System.Windows.Forms.Button(); this.PlaybackGroupBox.SuspendLayout(); this.SuspendLayout(); // @@ -55,7 +55,7 @@ this.PlaybackGroupBox.Controls.Add(this.PreviousMarkerButton); this.PlaybackGroupBox.Location = new System.Drawing.Point(3, 3); this.PlaybackGroupBox.Name = "PlaybackGroupBox"; - this.PlaybackGroupBox.Size = new System.Drawing.Size(198, 90); + this.PlaybackGroupBox.Size = new System.Drawing.Size(198, 81); this.PlaybackGroupBox.TabIndex = 0; this.PlaybackGroupBox.TabStop = false; this.PlaybackGroupBox.Text = "Playback"; @@ -63,7 +63,7 @@ // AutoRestoreCheckbox // this.AutoRestoreCheckbox.AutoSize = true; - this.AutoRestoreCheckbox.Location = new System.Drawing.Point(10, 69); + this.AutoRestoreCheckbox.Location = new System.Drawing.Point(10, 64); this.AutoRestoreCheckbox.Name = "AutoRestoreCheckbox"; this.AutoRestoreCheckbox.Size = new System.Drawing.Size(141, 17); this.AutoRestoreCheckbox.TabIndex = 8; @@ -74,7 +74,7 @@ // TurboSeekCheckbox // this.TurboSeekCheckbox.AutoSize = true; - this.TurboSeekCheckbox.Location = new System.Drawing.Point(103, 48); + this.TurboSeekCheckbox.Location = new System.Drawing.Point(103, 43); this.TurboSeekCheckbox.Name = "TurboSeekCheckbox"; this.TurboSeekCheckbox.Size = new System.Drawing.Size(80, 17); this.TurboSeekCheckbox.TabIndex = 6; @@ -85,7 +85,7 @@ // FollowCursorCheckbox // this.FollowCursorCheckbox.AutoSize = true; - this.FollowCursorCheckbox.Location = new System.Drawing.Point(10, 48); + this.FollowCursorCheckbox.Location = new System.Drawing.Point(10, 43); this.FollowCursorCheckbox.Name = "FollowCursorCheckbox"; this.FollowCursorCheckbox.Size = new System.Drawing.Size(89, 17); this.FollowCursorCheckbox.TabIndex = 5; @@ -95,7 +95,7 @@ // // NextMarkerButton // - this.NextMarkerButton.Location = new System.Drawing.Point(154, 19); + this.NextMarkerButton.Location = new System.Drawing.Point(154, 17); this.NextMarkerButton.Name = "NextMarkerButton"; this.NextMarkerButton.Size = new System.Drawing.Size(38, 23); this.NextMarkerButton.TabIndex = 4; @@ -103,30 +103,10 @@ this.NextMarkerButton.UseVisualStyleBackColor = true; this.NextMarkerButton.Click += new System.EventHandler(this.NextMarkerButton_Click); // - // PauseButton - // - this.PauseButton.Location = new System.Drawing.Point(80, 19); - this.PauseButton.Name = "PauseButton"; - this.PauseButton.Size = new System.Drawing.Size(38, 23); - this.PauseButton.TabIndex = 2; - this.PauseButton.Text = "| |"; - this.PauseButton.UseVisualStyleBackColor = true; - this.PauseButton.Click += new System.EventHandler(this.PauseButton_Click); - // - // PreviousMarkerButton - // - this.PreviousMarkerButton.Location = new System.Drawing.Point(6, 19); - this.PreviousMarkerButton.Name = "PreviousMarkerButton"; - this.PreviousMarkerButton.Size = new System.Drawing.Size(38, 23); - this.PreviousMarkerButton.TabIndex = 0; - this.PreviousMarkerButton.Text = "<<"; - this.PreviousMarkerButton.UseVisualStyleBackColor = true; - this.PreviousMarkerButton.Click += new System.EventHandler(this.PreviousMarkerButton_Click); - // // FrameAdvanceButton // this.FrameAdvanceButton.InitialDelay = 500; - this.FrameAdvanceButton.Location = new System.Drawing.Point(117, 19); + this.FrameAdvanceButton.Location = new System.Drawing.Point(117, 17); this.FrameAdvanceButton.Name = "FrameAdvanceButton"; this.FrameAdvanceButton.RepeatDelay = 50; this.FrameAdvanceButton.Size = new System.Drawing.Size(38, 23); @@ -135,10 +115,20 @@ this.FrameAdvanceButton.UseVisualStyleBackColor = true; this.FrameAdvanceButton.Click += new System.EventHandler(this.FrameAdvanceButton_Click); // + // PauseButton + // + this.PauseButton.Location = new System.Drawing.Point(80, 17); + this.PauseButton.Name = "PauseButton"; + this.PauseButton.Size = new System.Drawing.Size(38, 23); + this.PauseButton.TabIndex = 2; + this.PauseButton.Text = "| |"; + this.PauseButton.UseVisualStyleBackColor = true; + this.PauseButton.Click += new System.EventHandler(this.PauseButton_Click); + // // RewindButton // this.RewindButton.InitialDelay = 1000; - this.RewindButton.Location = new System.Drawing.Point(43, 19); + this.RewindButton.Location = new System.Drawing.Point(43, 17); this.RewindButton.Name = "RewindButton"; this.RewindButton.RepeatDelay = 100; this.RewindButton.Size = new System.Drawing.Size(38, 23); @@ -147,12 +137,22 @@ this.RewindButton.UseVisualStyleBackColor = true; this.RewindButton.Click += new System.EventHandler(this.RewindButton_Click); // + // PreviousMarkerButton + // + this.PreviousMarkerButton.Location = new System.Drawing.Point(6, 17); + this.PreviousMarkerButton.Name = "PreviousMarkerButton"; + this.PreviousMarkerButton.Size = new System.Drawing.Size(38, 23); + this.PreviousMarkerButton.TabIndex = 0; + this.PreviousMarkerButton.Text = "<<"; + this.PreviousMarkerButton.UseVisualStyleBackColor = true; + this.PreviousMarkerButton.Click += new System.EventHandler(this.PreviousMarkerButton_Click); + // // PlaybackBox // this.AutoScaleMode = System.Windows.Forms.AutoScaleMode.Inherit; this.Controls.Add(this.PlaybackGroupBox); this.Name = "PlaybackBox"; - this.Size = new System.Drawing.Size(204, 96); + this.Size = new System.Drawing.Size(204, 91); this.PlaybackGroupBox.ResumeLayout(false); this.PlaybackGroupBox.PerformLayout(); this.ResumeLayout(false); diff --git a/BizHawk.Client.EmuHawk/tools/TAStudio/ScreenshotPopupControl.Designer.cs b/BizHawk.Client.EmuHawk/tools/TAStudio/ScreenshotPopupControl.Designer.cs new file mode 100644 index 0000000000..39f6bfd220 --- /dev/null +++ b/BizHawk.Client.EmuHawk/tools/TAStudio/ScreenshotPopupControl.Designer.cs @@ -0,0 +1,46 @@ +namespace BizHawk.Client.EmuHawk +{ + partial class ScreenshotPopupControl + { + /// + /// Required designer variable. + /// + private System.ComponentModel.IContainer components = null; + + /// + /// Clean up any resources being used. + /// + /// true if managed resources should be disposed; otherwise, false. + protected override void Dispose(bool disposing) + { + if (disposing && (components != null)) + { + components.Dispose(); + } + base.Dispose(disposing); + } + + #region Component Designer generated code + + /// + /// Required method for Designer support - do not modify + /// the contents of this method with the code editor. + /// + private void InitializeComponent() + { + this.SuspendLayout(); + // + // ScreenshotPopupControl + // + this.AutoScaleDimensions = new System.Drawing.SizeF(6F, 13F); + this.AutoScaleMode = System.Windows.Forms.AutoScaleMode.Font; + this.Name = "ScreenshotPopupControl"; + this.Size = new System.Drawing.Size(237, 255); + this.Load += new System.EventHandler(this.ScreenshotPopupControl_Load); + this.ResumeLayout(false); + + } + + #endregion + } +} diff --git a/BizHawk.Client.EmuHawk/tools/TAStudio/ScreenshotPopupControl.cs b/BizHawk.Client.EmuHawk/tools/TAStudio/ScreenshotPopupControl.cs new file mode 100644 index 0000000000..b55226ca75 --- /dev/null +++ b/BizHawk.Client.EmuHawk/tools/TAStudio/ScreenshotPopupControl.cs @@ -0,0 +1,35 @@ +using System; +using System.Collections.Generic; +using System.Drawing; +using System.Linq; +using System.Windows.Forms; +using BizHawk.Client.Common; + +namespace BizHawk.Client.EmuHawk +{ + public partial class ScreenshotPopupControl : UserControl + { + public ScreenshotPopupControl() + { + SetStyle(ControlStyles.SupportsTransparentBackColor, true); + SetStyle(ControlStyles.Opaque, true); + this.BackColor = Color.Transparent; + + InitializeComponent(); + } + + public TasBranch Branch { get; set; } + + private void ScreenshotPopupControl_Load(object sender, EventArgs e) + { + + } + + protected override void OnPaint(PaintEventArgs e) + { + var bitmap = Branch.OSDFrameBuffer.ToSysdrawingBitmap(); + e.Graphics.DrawImage(bitmap, new Rectangle(0, 0, Width, Height)); + base.OnPaint(e); + } + } +} diff --git a/BizHawk.Client.EmuHawk/tools/TAStudio/ScreenshotPopupControl.resx b/BizHawk.Client.EmuHawk/tools/TAStudio/ScreenshotPopupControl.resx new file mode 100644 index 0000000000..1af7de150c --- /dev/null +++ b/BizHawk.Client.EmuHawk/tools/TAStudio/ScreenshotPopupControl.resx @@ -0,0 +1,120 @@ + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + text/microsoft-resx + + + 2.0 + + + System.Resources.ResXResourceReader, System.Windows.Forms, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b77a5c561934e089 + + + System.Resources.ResXResourceWriter, System.Windows.Forms, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b77a5c561934e089 + + \ No newline at end of file diff --git a/BizHawk.Client.EmuHawk/tools/TAStudio/TAStudio.Callbacks.cs b/BizHawk.Client.EmuHawk/tools/TAStudio/TAStudio.Callbacks.cs index 9c19767ea0..98353e28b4 100644 --- a/BizHawk.Client.EmuHawk/tools/TAStudio/TAStudio.Callbacks.cs +++ b/BizHawk.Client.EmuHawk/tools/TAStudio/TAStudio.Callbacks.cs @@ -7,6 +7,7 @@ namespace BizHawk.Client.EmuHawk { public partial class TAStudio { + // Everything here is currently for Lua public Func QueryItemBgColorCallback { get; set; } public Func QueryItemTextCallback { get; set; } public Func QueryItemIconCallback { get; set; } diff --git a/BizHawk.Client.EmuHawk/tools/TAStudio/TAStudio.Designer.cs b/BizHawk.Client.EmuHawk/tools/TAStudio/TAStudio.Designer.cs index e52390ab60..e19c86be24 100644 --- a/BizHawk.Client.EmuHawk/tools/TAStudio/TAStudio.Designer.cs +++ b/BizHawk.Client.EmuHawk/tools/TAStudio/TAStudio.Designer.cs @@ -35,6 +35,9 @@ namespace BizHawk.Client.EmuHawk this.TASMenu = new MenuStripEx(); this.FileSubMenu = new System.Windows.Forms.ToolStripMenuItem(); this.NewTASMenuItem = new System.Windows.Forms.ToolStripMenuItem(); + this.NewFromSubMenu = new System.Windows.Forms.ToolStripMenuItem(); + this.NewFromNowMenuItem = new System.Windows.Forms.ToolStripMenuItem(); + this.NewFromCurrentSaveRamMenuItem = new System.Windows.Forms.ToolStripMenuItem(); this.OpenTASMenuItem = new System.Windows.Forms.ToolStripMenuItem(); this.SaveTASMenuItem = new System.Windows.Forms.ToolStripMenuItem(); this.SaveAsTASMenuItem = new System.Windows.Forms.ToolStripMenuItem(); @@ -84,7 +87,6 @@ namespace BizHawk.Client.EmuHawk this.DrawInputByDraggingMenuItem = new System.Windows.Forms.ToolStripMenuItem(); this.applyPatternToPaintedInputToolStripMenuItem = new System.Windows.Forms.ToolStripMenuItem(); this.onlyOnAutoFireColumnsToolStripMenuItem = new System.Windows.Forms.ToolStripMenuItem(); - this.CombineConsecutiveRecordingsMenuItem = new System.Windows.Forms.ToolStripMenuItem(); this.UseInputKeysItem = new System.Windows.Forms.ToolStripMenuItem(); this.toolStripSeparator4 = new System.Windows.Forms.ToolStripSeparator(); this.BindMarkersToInputMenuItem = new System.Windows.Forms.ToolStripMenuItem(); @@ -119,6 +121,11 @@ namespace BizHawk.Client.EmuHawk this.HideLagFrames3 = new System.Windows.Forms.ToolStripMenuItem(); this.toolStripSeparator12 = new System.Windows.Forms.ToolStripSeparator(); this.hideWasLagFramesToolStripMenuItem = new System.Windows.Forms.ToolStripMenuItem(); + this.iconsToolStripMenuItem = new System.Windows.Forms.ToolStripMenuItem(); + this.denoteStatesWithIconsToolStripMenuItem = new System.Windows.Forms.ToolStripMenuItem(); + this.denoteStatesWithBGColorToolStripMenuItem = new System.Windows.Forms.ToolStripMenuItem(); + this.denoteMarkersWithIconsToolStripMenuItem = new System.Windows.Forms.ToolStripMenuItem(); + this.denoteMarkersWithBGColorToolStripMenuItem = new System.Windows.Forms.ToolStripMenuItem(); this.toolStripSeparator23 = new System.Windows.Forms.ToolStripSeparator(); this.followCursorToolStripMenuItem = new System.Windows.Forms.ToolStripMenuItem(); this.alwaysScrollToolStripMenuItem = new System.Windows.Forms.ToolStripMenuItem(); @@ -127,6 +134,8 @@ namespace BizHawk.Client.EmuHawk this.scrollToTopToolStripMenuItem = new System.Windows.Forms.ToolStripMenuItem(); this.scrollToBottomToolStripMenuItem = new System.Windows.Forms.ToolStripMenuItem(); this.scrollToCenterToolStripMenuItem = new System.Windows.Forms.ToolStripMenuItem(); + this.toolStripSeparator25 = new System.Windows.Forms.ToolStripSeparator(); + this.wheelScrollSpeedToolStripMenuItem = new System.Windows.Forms.ToolStripMenuItem(); this.ColumnsSubMenu = new System.Windows.Forms.ToolStripMenuItem(); this.toolStripSeparator19 = new System.Windows.Forms.ToolStripSeparator(); this.HelpSubMenu = new System.Windows.Forms.ToolStripMenuItem(); @@ -168,14 +177,27 @@ namespace BizHawk.Client.EmuHawk this.InsertNumFramesContextMenuItem = new System.Windows.Forms.ToolStripMenuItem(); this.toolStripSeparator18 = new System.Windows.Forms.ToolStripSeparator(); this.TruncateContextMenuItem = new System.Windows.Forms.ToolStripMenuItem(); + this.BranchContextMenuItem = new System.Windows.Forms.ToolStripMenuItem(); this.StartFromNowSeparator = new System.Windows.Forms.ToolStripSeparator(); this.StartNewProjectFromNowMenuItem = new System.Windows.Forms.ToolStripMenuItem(); + this.StartANewProjectFromSaveRamMenuItem = new System.Windows.Forms.ToolStripMenuItem(); this.groupBox1 = new System.Windows.Forms.GroupBox(); + this.BookMarkControl = new BizHawk.Client.EmuHawk.BookmarksBranchesBox(); + this.BranchesMarkersSplit = new System.Windows.Forms.SplitContainer(); + this.MainVertialSplit = new System.Windows.Forms.SplitContainer(); this.TASMenu.SuspendLayout(); this.TasStatusStrip.SuspendLayout(); this.MarkerContextMenu.SuspendLayout(); this.RightClickMenu.SuspendLayout(); this.groupBox1.SuspendLayout(); + ((System.ComponentModel.ISupportInitialize)(this.BranchesMarkersSplit)).BeginInit(); + this.BranchesMarkersSplit.Panel1.SuspendLayout(); + this.BranchesMarkersSplit.Panel2.SuspendLayout(); + this.BranchesMarkersSplit.SuspendLayout(); + ((System.ComponentModel.ISupportInitialize)(this.MainVertialSplit)).BeginInit(); + this.MainVertialSplit.Panel1.SuspendLayout(); + this.MainVertialSplit.Panel2.SuspendLayout(); + this.MainVertialSplit.SuspendLayout(); this.SuspendLayout(); // // TASMenu @@ -191,7 +213,7 @@ namespace BizHawk.Client.EmuHawk this.HelpSubMenu}); this.TASMenu.Location = new System.Drawing.Point(0, 0); this.TASMenu.Name = "TASMenu"; - this.TASMenu.Size = new System.Drawing.Size(506, 24); + this.TASMenu.Size = new System.Drawing.Size(509, 24); this.TASMenu.TabIndex = 0; this.TASMenu.Text = "menuStrip1"; // @@ -199,6 +221,7 @@ namespace BizHawk.Client.EmuHawk // this.FileSubMenu.DropDownItems.AddRange(new System.Windows.Forms.ToolStripItem[] { this.NewTASMenuItem, + this.NewFromSubMenu, this.OpenTASMenuItem, this.SaveTASMenuItem, this.SaveAsTASMenuItem, @@ -224,6 +247,30 @@ namespace BizHawk.Client.EmuHawk this.NewTASMenuItem.Text = "&New"; this.NewTASMenuItem.Click += new System.EventHandler(this.NewTasMenuItem_Click); // + // NewFromSubMenu + // + this.NewFromSubMenu.DropDownItems.AddRange(new System.Windows.Forms.ToolStripItem[] { + this.NewFromNowMenuItem, + this.NewFromCurrentSaveRamMenuItem}); + this.NewFromSubMenu.Name = "NewFromSubMenu"; + this.NewFromSubMenu.Size = new System.Drawing.Size(203, 22); + this.NewFromSubMenu.Text = "New From"; + this.NewFromSubMenu.DropDownOpened += new System.EventHandler(this.NewFromSubMenu_DropDownOpened); + // + // NewFromNowMenuItem + // + this.NewFromNowMenuItem.Name = "NewFromNowMenuItem"; + this.NewFromNowMenuItem.Size = new System.Drawing.Size(165, 22); + this.NewFromNowMenuItem.Text = "&Now"; + this.NewFromNowMenuItem.Click += new System.EventHandler(this.StartNewProjectFromNowMenuItem_Click); + // + // NewFromCurrentSaveRamMenuItem + // + this.NewFromCurrentSaveRamMenuItem.Name = "NewFromCurrentSaveRamMenuItem"; + this.NewFromCurrentSaveRamMenuItem.Size = new System.Drawing.Size(165, 22); + this.NewFromCurrentSaveRamMenuItem.Text = "&Current SaveRam"; + this.NewFromCurrentSaveRamMenuItem.Click += new System.EventHandler(this.StartANewProjectFromSaveRamMenuItem_Click); + // // OpenTASMenuItem // this.OpenTASMenuItem.Name = "OpenTASMenuItem"; @@ -564,7 +611,6 @@ namespace BizHawk.Client.EmuHawk this.DrawInputByDraggingMenuItem, this.applyPatternToPaintedInputToolStripMenuItem, this.onlyOnAutoFireColumnsToolStripMenuItem, - this.CombineConsecutiveRecordingsMenuItem, this.UseInputKeysItem, this.toolStripSeparator4, this.BindMarkersToInputMenuItem, @@ -584,31 +630,31 @@ namespace BizHawk.Client.EmuHawk // SetMaxUndoLevelsMenuItem // this.SetMaxUndoLevelsMenuItem.Name = "SetMaxUndoLevelsMenuItem"; - this.SetMaxUndoLevelsMenuItem.Size = new System.Drawing.Size(288, 22); + this.SetMaxUndoLevelsMenuItem.Size = new System.Drawing.Size(260, 22); this.SetMaxUndoLevelsMenuItem.Text = "Set max Undo Levels"; this.SetMaxUndoLevelsMenuItem.Click += new System.EventHandler(this.SetMaxUndoLevelsMenuItem_Click); // // toolStripSeparator9 // this.toolStripSeparator9.Name = "toolStripSeparator9"; - this.toolStripSeparator9.Size = new System.Drawing.Size(285, 6); + this.toolStripSeparator9.Size = new System.Drawing.Size(257, 6); // // AutoadjustInputMenuItem // this.AutoadjustInputMenuItem.CheckOnClick = true; this.AutoadjustInputMenuItem.Name = "AutoadjustInputMenuItem"; - this.AutoadjustInputMenuItem.Size = new System.Drawing.Size(288, 22); + this.AutoadjustInputMenuItem.Size = new System.Drawing.Size(260, 22); this.AutoadjustInputMenuItem.Text = "Auto-adjust Input according to Lag"; // // toolStripSeparator11 // this.toolStripSeparator11.Name = "toolStripSeparator11"; - this.toolStripSeparator11.Size = new System.Drawing.Size(285, 6); + this.toolStripSeparator11.Size = new System.Drawing.Size(257, 6); // // DrawInputByDraggingMenuItem // this.DrawInputByDraggingMenuItem.Name = "DrawInputByDraggingMenuItem"; - this.DrawInputByDraggingMenuItem.Size = new System.Drawing.Size(288, 22); + this.DrawInputByDraggingMenuItem.Size = new System.Drawing.Size(260, 22); this.DrawInputByDraggingMenuItem.Text = "Draw Input by dragging"; this.DrawInputByDraggingMenuItem.Click += new System.EventHandler(this.DrawInputByDraggingMenuItem_Click); // @@ -616,7 +662,7 @@ namespace BizHawk.Client.EmuHawk // this.applyPatternToPaintedInputToolStripMenuItem.CheckOnClick = true; this.applyPatternToPaintedInputToolStripMenuItem.Name = "applyPatternToPaintedInputToolStripMenuItem"; - this.applyPatternToPaintedInputToolStripMenuItem.Size = new System.Drawing.Size(288, 22); + this.applyPatternToPaintedInputToolStripMenuItem.Size = new System.Drawing.Size(260, 22); this.applyPatternToPaintedInputToolStripMenuItem.Text = "Apply Pattern to painted input"; this.applyPatternToPaintedInputToolStripMenuItem.CheckedChanged += new System.EventHandler(this.applyPatternToPaintedInputToolStripMenuItem_CheckedChanged); // @@ -627,27 +673,20 @@ namespace BizHawk.Client.EmuHawk this.onlyOnAutoFireColumnsToolStripMenuItem.CheckState = System.Windows.Forms.CheckState.Checked; this.onlyOnAutoFireColumnsToolStripMenuItem.Enabled = false; this.onlyOnAutoFireColumnsToolStripMenuItem.Name = "onlyOnAutoFireColumnsToolStripMenuItem"; - this.onlyOnAutoFireColumnsToolStripMenuItem.Size = new System.Drawing.Size(288, 22); + this.onlyOnAutoFireColumnsToolStripMenuItem.Size = new System.Drawing.Size(260, 22); this.onlyOnAutoFireColumnsToolStripMenuItem.Text = "Only on Auto-Fire columns"; // - // CombineConsecutiveRecordingsMenuItem - // - this.CombineConsecutiveRecordingsMenuItem.Enabled = false; - this.CombineConsecutiveRecordingsMenuItem.Name = "CombineConsecutiveRecordingsMenuItem"; - this.CombineConsecutiveRecordingsMenuItem.Size = new System.Drawing.Size(288, 22); - this.CombineConsecutiveRecordingsMenuItem.Text = "Combine consecutive Recordings/Draws"; - // // UseInputKeysItem // this.UseInputKeysItem.Enabled = false; this.UseInputKeysItem.Name = "UseInputKeysItem"; - this.UseInputKeysItem.Size = new System.Drawing.Size(288, 22); + this.UseInputKeysItem.Size = new System.Drawing.Size(260, 22); this.UseInputKeysItem.Text = "Use Input keys for Column Set"; // // toolStripSeparator4 // this.toolStripSeparator4.Name = "toolStripSeparator4"; - this.toolStripSeparator4.Size = new System.Drawing.Size(285, 6); + this.toolStripSeparator4.Size = new System.Drawing.Size(257, 6); // // BindMarkersToInputMenuItem // @@ -655,52 +694,52 @@ namespace BizHawk.Client.EmuHawk this.BindMarkersToInputMenuItem.CheckOnClick = true; this.BindMarkersToInputMenuItem.CheckState = System.Windows.Forms.CheckState.Checked; this.BindMarkersToInputMenuItem.Name = "BindMarkersToInputMenuItem"; - this.BindMarkersToInputMenuItem.Size = new System.Drawing.Size(288, 22); + this.BindMarkersToInputMenuItem.Size = new System.Drawing.Size(260, 22); this.BindMarkersToInputMenuItem.Text = "Bind Markers to Input"; this.BindMarkersToInputMenuItem.Click += new System.EventHandler(this.BindMarkersToInputMenuItem_Click); // // EmptyNewMarkerNotesMenuItem // this.EmptyNewMarkerNotesMenuItem.Name = "EmptyNewMarkerNotesMenuItem"; - this.EmptyNewMarkerNotesMenuItem.Size = new System.Drawing.Size(288, 22); + this.EmptyNewMarkerNotesMenuItem.Size = new System.Drawing.Size(260, 22); this.EmptyNewMarkerNotesMenuItem.Text = "Empty new Marker Notes"; this.EmptyNewMarkerNotesMenuItem.Click += new System.EventHandler(this.EmptyNewMarkerNotesMenuItem_Click); // // toolStripSeparator13 // this.toolStripSeparator13.Name = "toolStripSeparator13"; - this.toolStripSeparator13.Size = new System.Drawing.Size(285, 6); + this.toolStripSeparator13.Size = new System.Drawing.Size(257, 6); // // BranchesRestoreEntireMovieMenuItem // this.BranchesRestoreEntireMovieMenuItem.Enabled = false; this.BranchesRestoreEntireMovieMenuItem.Name = "BranchesRestoreEntireMovieMenuItem"; - this.BranchesRestoreEntireMovieMenuItem.Size = new System.Drawing.Size(288, 22); + this.BranchesRestoreEntireMovieMenuItem.Size = new System.Drawing.Size(260, 22); this.BranchesRestoreEntireMovieMenuItem.Text = "Branches restore entire Movie"; // // OsdInBranchScreenshotsMenuItem // this.OsdInBranchScreenshotsMenuItem.Enabled = false; this.OsdInBranchScreenshotsMenuItem.Name = "OsdInBranchScreenshotsMenuItem"; - this.OsdInBranchScreenshotsMenuItem.Size = new System.Drawing.Size(288, 22); + this.OsdInBranchScreenshotsMenuItem.Size = new System.Drawing.Size(260, 22); this.OsdInBranchScreenshotsMenuItem.Text = "OSD in Branch screenshots"; // // toolStripSeparator14 // this.toolStripSeparator14.Name = "toolStripSeparator14"; - this.toolStripSeparator14.Size = new System.Drawing.Size(285, 6); + this.toolStripSeparator14.Size = new System.Drawing.Size(257, 6); // // AutopauseAtEndOfMovieMenuItem // this.AutopauseAtEndOfMovieMenuItem.Name = "AutopauseAtEndOfMovieMenuItem"; - this.AutopauseAtEndOfMovieMenuItem.Size = new System.Drawing.Size(288, 22); + this.AutopauseAtEndOfMovieMenuItem.Size = new System.Drawing.Size(260, 22); this.AutopauseAtEndOfMovieMenuItem.Text = "Autopause at end of Movie"; this.AutopauseAtEndOfMovieMenuItem.Click += new System.EventHandler(this.AutopauseAtEndMenuItem_Click); // // sepToolStripMenuItem // this.sepToolStripMenuItem.Name = "sepToolStripMenuItem"; - this.sepToolStripMenuItem.Size = new System.Drawing.Size(285, 6); + this.sepToolStripMenuItem.Size = new System.Drawing.Size(257, 6); // // autoHoldFireToolStripMenuItem // @@ -713,7 +752,7 @@ namespace BizHawk.Client.EmuHawk this.setpToolStripMenuItem, this.setCustomsToolStripMenuItem}); this.autoHoldFireToolStripMenuItem.Name = "autoHoldFireToolStripMenuItem"; - this.autoHoldFireToolStripMenuItem.Size = new System.Drawing.Size(288, 22); + this.autoHoldFireToolStripMenuItem.Size = new System.Drawing.Size(260, 22); this.autoHoldFireToolStripMenuItem.Text = "Auto Hold/Fire"; // // keepSetPatternsToolStripMenuItem @@ -824,8 +863,11 @@ namespace BizHawk.Client.EmuHawk this.SettingsSubMenu.DropDownItems.AddRange(new System.Windows.Forms.ToolStripItem[] { this.RotateMenuItem, this.HideLagFramesSubMenu, + this.iconsToolStripMenuItem, this.toolStripSeparator23, - this.followCursorToolStripMenuItem}); + this.followCursorToolStripMenuItem, + this.toolStripSeparator25, + this.wheelScrollSpeedToolStripMenuItem}); this.SettingsSubMenu.Name = "SettingsSubMenu"; this.SettingsSubMenu.Size = new System.Drawing.Size(61, 20); this.SettingsSubMenu.Text = "&Settings"; @@ -834,7 +876,7 @@ namespace BizHawk.Client.EmuHawk // RotateMenuItem // this.RotateMenuItem.Name = "RotateMenuItem"; - this.RotateMenuItem.Size = new System.Drawing.Size(162, 22); + this.RotateMenuItem.Size = new System.Drawing.Size(183, 22); this.RotateMenuItem.Text = "Rotate"; this.RotateMenuItem.Click += new System.EventHandler(this.RotateMenuItem_Click); // @@ -848,7 +890,7 @@ namespace BizHawk.Client.EmuHawk this.toolStripSeparator12, this.hideWasLagFramesToolStripMenuItem}); this.HideLagFramesSubMenu.Name = "HideLagFramesSubMenu"; - this.HideLagFramesSubMenu.Size = new System.Drawing.Size(162, 22); + this.HideLagFramesSubMenu.Size = new System.Drawing.Size(183, 22); this.HideLagFramesSubMenu.Text = "Hide Lag Frames"; this.HideLagFramesSubMenu.DropDownOpened += new System.EventHandler(this.HideLagFramesSubMenu_DropDownOpened); // @@ -902,10 +944,54 @@ namespace BizHawk.Client.EmuHawk this.hideWasLagFramesToolStripMenuItem.Text = "Hide WasLag Frames"; this.hideWasLagFramesToolStripMenuItem.Click += new System.EventHandler(this.hideWasLagFramesToolStripMenuItem_Click); // + // iconsToolStripMenuItem + // + this.iconsToolStripMenuItem.DropDownItems.AddRange(new System.Windows.Forms.ToolStripItem[] { + this.denoteStatesWithIconsToolStripMenuItem, + this.denoteStatesWithBGColorToolStripMenuItem, + this.denoteMarkersWithIconsToolStripMenuItem, + this.denoteMarkersWithBGColorToolStripMenuItem}); + this.iconsToolStripMenuItem.Name = "iconsToolStripMenuItem"; + this.iconsToolStripMenuItem.Size = new System.Drawing.Size(183, 22); + this.iconsToolStripMenuItem.Text = "Icons"; + this.iconsToolStripMenuItem.DropDownOpened += new System.EventHandler(this.iconsToolStripMenuItem_DropDownOpened); + // + // denoteStatesWithIconsToolStripMenuItem + // + this.denoteStatesWithIconsToolStripMenuItem.CheckOnClick = true; + this.denoteStatesWithIconsToolStripMenuItem.Name = "denoteStatesWithIconsToolStripMenuItem"; + this.denoteStatesWithIconsToolStripMenuItem.Size = new System.Drawing.Size(235, 22); + this.denoteStatesWithIconsToolStripMenuItem.Text = "Denote States With Icons"; + this.denoteStatesWithIconsToolStripMenuItem.Click += new System.EventHandler(this.denoteStatesWithIconsToolStripMenuItem_Click); + // + // denoteStatesWithBGColorToolStripMenuItem + // + this.denoteStatesWithBGColorToolStripMenuItem.CheckOnClick = true; + this.denoteStatesWithBGColorToolStripMenuItem.Name = "denoteStatesWithBGColorToolStripMenuItem"; + this.denoteStatesWithBGColorToolStripMenuItem.Size = new System.Drawing.Size(235, 22); + this.denoteStatesWithBGColorToolStripMenuItem.Text = "Denote States With BG Color"; + this.denoteStatesWithBGColorToolStripMenuItem.Click += new System.EventHandler(this.denoteStatesWithBGColorToolStripMenuItem_Click); + // + // denoteMarkersWithIconsToolStripMenuItem + // + this.denoteMarkersWithIconsToolStripMenuItem.CheckOnClick = true; + this.denoteMarkersWithIconsToolStripMenuItem.Name = "denoteMarkersWithIconsToolStripMenuItem"; + this.denoteMarkersWithIconsToolStripMenuItem.Size = new System.Drawing.Size(235, 22); + this.denoteMarkersWithIconsToolStripMenuItem.Text = "Denote Markers With Icons"; + this.denoteMarkersWithIconsToolStripMenuItem.Click += new System.EventHandler(this.denoteMarkersWithIconsToolStripMenuItem_Click); + // + // denoteMarkersWithBGColorToolStripMenuItem + // + this.denoteMarkersWithBGColorToolStripMenuItem.CheckOnClick = true; + this.denoteMarkersWithBGColorToolStripMenuItem.Name = "denoteMarkersWithBGColorToolStripMenuItem"; + this.denoteMarkersWithBGColorToolStripMenuItem.Size = new System.Drawing.Size(235, 22); + this.denoteMarkersWithBGColorToolStripMenuItem.Text = "Denote Markers With BG Color"; + this.denoteMarkersWithBGColorToolStripMenuItem.Click += new System.EventHandler(this.denoteMarkersWithBGColorToolStripMenuItem_Click); + // // toolStripSeparator23 // this.toolStripSeparator23.Name = "toolStripSeparator23"; - this.toolStripSeparator23.Size = new System.Drawing.Size(159, 6); + this.toolStripSeparator23.Size = new System.Drawing.Size(180, 6); // // followCursorToolStripMenuItem // @@ -917,7 +1003,7 @@ namespace BizHawk.Client.EmuHawk this.scrollToBottomToolStripMenuItem, this.scrollToCenterToolStripMenuItem}); this.followCursorToolStripMenuItem.Name = "followCursorToolStripMenuItem"; - this.followCursorToolStripMenuItem.Size = new System.Drawing.Size(162, 22); + this.followCursorToolStripMenuItem.Size = new System.Drawing.Size(183, 22); this.followCursorToolStripMenuItem.Text = "Follow Cursor"; this.followCursorToolStripMenuItem.DropDownOpened += new System.EventHandler(this.followCursorToolStripMenuItem_DropDownOpened); // @@ -968,6 +1054,18 @@ namespace BizHawk.Client.EmuHawk this.scrollToCenterToolStripMenuItem.Text = "Scroll to Center"; this.scrollToCenterToolStripMenuItem.Click += new System.EventHandler(this.scrollToCenterToolStripMenuItem_Click); // + // toolStripSeparator25 + // + this.toolStripSeparator25.Name = "toolStripSeparator25"; + this.toolStripSeparator25.Size = new System.Drawing.Size(180, 6); + // + // wheelScrollSpeedToolStripMenuItem + // + this.wheelScrollSpeedToolStripMenuItem.Name = "wheelScrollSpeedToolStripMenuItem"; + this.wheelScrollSpeedToolStripMenuItem.Size = new System.Drawing.Size(183, 22); + this.wheelScrollSpeedToolStripMenuItem.Text = "Wheel Scroll Speed..."; + this.wheelScrollSpeedToolStripMenuItem.Click += new System.EventHandler(this.wheelScrollSpeedToolStripMenuItem_Click); + // // ColumnsSubMenu // this.ColumnsSubMenu.DropDownItems.AddRange(new System.Windows.Forms.ToolStripItem[] { @@ -995,19 +1093,19 @@ namespace BizHawk.Client.EmuHawk // this.EnableTooltipsMenuItem.Enabled = false; this.EnableTooltipsMenuItem.Name = "EnableTooltipsMenuItem"; - this.EnableTooltipsMenuItem.Size = new System.Drawing.Size(155, 22); + this.EnableTooltipsMenuItem.Size = new System.Drawing.Size(154, 22); this.EnableTooltipsMenuItem.Text = "&Enable Tooltips"; // // toolStripSeparator10 // this.toolStripSeparator10.Name = "toolStripSeparator10"; - this.toolStripSeparator10.Size = new System.Drawing.Size(152, 6); + this.toolStripSeparator10.Size = new System.Drawing.Size(151, 6); // // aboutToolStripMenuItem // this.aboutToolStripMenuItem.Enabled = false; this.aboutToolStripMenuItem.Name = "aboutToolStripMenuItem"; - this.aboutToolStripMenuItem.Size = new System.Drawing.Size(155, 22); + this.aboutToolStripMenuItem.Size = new System.Drawing.Size(154, 22); this.aboutToolStripMenuItem.Text = "&About"; // // TasView @@ -1018,23 +1116,30 @@ namespace BizHawk.Client.EmuHawk this.TasView.Anchor = ((System.Windows.Forms.AnchorStyles)((((System.Windows.Forms.AnchorStyles.Top | System.Windows.Forms.AnchorStyles.Bottom) | System.Windows.Forms.AnchorStyles.Left) | System.Windows.Forms.AnchorStyles.Right))); + this.TasView.CellHeightPadding = 0; + this.TasView.denoteMarkersWithBGColor = false; + this.TasView.denoteMarkersWithIcons = false; + this.TasView.denoteStatesWithBGColor = false; + this.TasView.denoteStatesWithIcons = false; this.TasView.Font = new System.Drawing.Font("Courier New", 8.25F, System.Drawing.FontStyle.Regular, System.Drawing.GraphicsUnit.Point, ((byte)(0))); this.TasView.FullRowSelect = true; this.TasView.HideWasLagFrames = false; this.TasView.HorizontalOrientation = false; this.TasView.LagFramesToHide = 0; - this.TasView.Location = new System.Drawing.Point(8, 27); + this.TasView.Location = new System.Drawing.Point(3, 0); this.TasView.MaxCharactersInHorizontal = 1; this.TasView.MultiSelect = false; this.TasView.Name = "TasView"; this.TasView.RowCount = 0; - this.TasView.Size = new System.Drawing.Size(288, 471); + this.TasView.ScrollSpeed = 1; + this.TasView.Size = new System.Drawing.Size(289, 528); this.TasView.TabIndex = 1; this.TasView.ColumnClick += new BizHawk.Client.EmuHawk.InputRoll.ColumnClickEventHandler(this.TasView_ColumnClick); this.TasView.ColumnRightClick += new BizHawk.Client.EmuHawk.InputRoll.ColumnClickEventHandler(this.TasView_ColumnRightClick); this.TasView.SelectedIndexChanged += new System.EventHandler(this.TasView_SelectedIndexChanged); this.TasView.RightMouseScrolled += new BizHawk.Client.EmuHawk.InputRoll.RightMouseScrollEventHandler(this.TasView_MouseWheel); this.TasView.ColumnReordered += new BizHawk.Client.EmuHawk.InputRoll.ColumnReorderedEventHandler(this.TasView_ColumnReordered); + this.TasView.CellDropped += new BizHawk.Client.EmuHawk.InputRoll.CellDroppedEvent(this.TasView_CellDropped); this.TasView.KeyDown += new System.Windows.Forms.KeyEventHandler(this.TasView_KeyDown); this.TasView.MouseDoubleClick += new System.Windows.Forms.MouseEventHandler(this.TasView_MouseDoubleClick); this.TasView.MouseDown += new System.Windows.Forms.MouseEventHandler(this.TasView_MouseDown); @@ -1051,16 +1156,16 @@ namespace BizHawk.Client.EmuHawk this.SavingProgressBar, this.toolStripStatusLabel2, this.SplicerStatusLabel}); - this.TasStatusStrip.Location = new System.Drawing.Point(0, 497); + this.TasStatusStrip.Location = new System.Drawing.Point(0, 554); this.TasStatusStrip.Name = "TasStatusStrip"; - this.TasStatusStrip.Size = new System.Drawing.Size(506, 22); + this.TasStatusStrip.Size = new System.Drawing.Size(509, 22); this.TasStatusStrip.TabIndex = 4; this.TasStatusStrip.Text = "statusStrip1"; // // MessageStatusLabel // this.MessageStatusLabel.Name = "MessageStatusLabel"; - this.MessageStatusLabel.Size = new System.Drawing.Size(105, 17); + this.MessageStatusLabel.Size = new System.Drawing.Size(104, 17); this.MessageStatusLabel.Text = "TAStudio engaged"; // // SavingProgressBar @@ -1071,7 +1176,7 @@ namespace BizHawk.Client.EmuHawk // toolStripStatusLabel2 // this.toolStripStatusLabel2.Name = "toolStripStatusLabel2"; - this.toolStripStatusLabel2.Size = new System.Drawing.Size(109, 17); + this.toolStripStatusLabel2.Size = new System.Drawing.Size(113, 17); this.toolStripStatusLabel2.Spring = true; // // SplicerStatusLabel @@ -1083,10 +1188,11 @@ namespace BizHawk.Client.EmuHawk // // TasPlaybackBox // - this.TasPlaybackBox.Anchor = ((System.Windows.Forms.AnchorStyles)((System.Windows.Forms.AnchorStyles.Top | System.Windows.Forms.AnchorStyles.Right))); - this.TasPlaybackBox.Location = new System.Drawing.Point(302, 25); + this.TasPlaybackBox.Anchor = ((System.Windows.Forms.AnchorStyles)(((System.Windows.Forms.AnchorStyles.Top | System.Windows.Forms.AnchorStyles.Left) + | System.Windows.Forms.AnchorStyles.Right))); + this.TasPlaybackBox.Location = new System.Drawing.Point(3, 4); this.TasPlaybackBox.Name = "TasPlaybackBox"; - this.TasPlaybackBox.Size = new System.Drawing.Size(204, 98); + this.TasPlaybackBox.Size = new System.Drawing.Size(204, 92); this.TasPlaybackBox.TabIndex = 5; this.TasPlaybackBox.Tastudio = null; // @@ -1099,7 +1205,7 @@ namespace BizHawk.Client.EmuHawk this.MarkerControl.Emulator = null; this.MarkerControl.Location = new System.Drawing.Point(2, 16); this.MarkerControl.Name = "MarkerControl"; - this.MarkerControl.Size = new System.Drawing.Size(198, 343); + this.MarkerControl.Size = new System.Drawing.Size(194, 235); this.MarkerControl.TabIndex = 6; this.MarkerControl.Tastudio = null; // @@ -1111,34 +1217,34 @@ namespace BizHawk.Client.EmuHawk this.AddMarkerContextMenuItem, this.RemoveMarkerContextMenuItem}); this.MarkerContextMenu.Name = "MarkerContextMenu"; - this.MarkerContextMenu.Size = new System.Drawing.Size(121, 92); + this.MarkerContextMenu.Size = new System.Drawing.Size(120, 92); this.MarkerContextMenu.Opening += new System.ComponentModel.CancelEventHandler(this.MarkerContextMenu_Opening); // // ScrollToMarkerToolStripMenuItem // this.ScrollToMarkerToolStripMenuItem.Name = "ScrollToMarkerToolStripMenuItem"; - this.ScrollToMarkerToolStripMenuItem.Size = new System.Drawing.Size(120, 22); + this.ScrollToMarkerToolStripMenuItem.Size = new System.Drawing.Size(119, 22); this.ScrollToMarkerToolStripMenuItem.Text = "Scroll To"; this.ScrollToMarkerToolStripMenuItem.Click += new System.EventHandler(this.ScrollToMarkerToolStripMenuItem_Click); // // EditMarkerContextMenuItem // this.EditMarkerContextMenuItem.Name = "EditMarkerContextMenuItem"; - this.EditMarkerContextMenuItem.Size = new System.Drawing.Size(120, 22); + this.EditMarkerContextMenuItem.Size = new System.Drawing.Size(119, 22); this.EditMarkerContextMenuItem.Text = "Edit"; this.EditMarkerContextMenuItem.Click += new System.EventHandler(this.EditMarkerContextMenuItem_Click); // // AddMarkerContextMenuItem // this.AddMarkerContextMenuItem.Name = "AddMarkerContextMenuItem"; - this.AddMarkerContextMenuItem.Size = new System.Drawing.Size(120, 22); + this.AddMarkerContextMenuItem.Size = new System.Drawing.Size(119, 22); this.AddMarkerContextMenuItem.Text = "Add"; this.AddMarkerContextMenuItem.Click += new System.EventHandler(this.AddMarkerContextMenuItem_Click); // // RemoveMarkerContextMenuItem // this.RemoveMarkerContextMenuItem.Name = "RemoveMarkerContextMenuItem"; - this.RemoveMarkerContextMenuItem.Size = new System.Drawing.Size(120, 22); + this.RemoveMarkerContextMenuItem.Size = new System.Drawing.Size(119, 22); this.RemoveMarkerContextMenuItem.Text = "Remove"; this.RemoveMarkerContextMenuItem.Click += new System.EventHandler(this.RemoveMarkerContextMenuItem_Click); // @@ -1166,10 +1272,12 @@ namespace BizHawk.Client.EmuHawk this.InsertNumFramesContextMenuItem, this.toolStripSeparator18, this.TruncateContextMenuItem, + this.BranchContextMenuItem, this.StartFromNowSeparator, - this.StartNewProjectFromNowMenuItem}); + this.StartNewProjectFromNowMenuItem, + this.StartANewProjectFromSaveRamMenuItem}); this.RightClickMenu.Name = "RightClickMenu"; - this.RightClickMenu.Size = new System.Drawing.Size(273, 414); + this.RightClickMenu.Size = new System.Drawing.Size(273, 458); this.RightClickMenu.Opened += new System.EventHandler(this.RightClickMenu_Opened); // // SetMarkersContextMenuItem @@ -1321,6 +1429,13 @@ namespace BizHawk.Client.EmuHawk this.TruncateContextMenuItem.Text = "Truncate Movie"; this.TruncateContextMenuItem.Click += new System.EventHandler(this.TruncateMenuItem_Click); // + // BranchContextMenuItem + // + this.BranchContextMenuItem.Name = "BranchContextMenuItem"; + this.BranchContextMenuItem.Size = new System.Drawing.Size(272, 22); + this.BranchContextMenuItem.Text = "&Branch"; + this.BranchContextMenuItem.Click += new System.EventHandler(this.BranchContextMenuItem_Click); + // // StartFromNowSeparator // this.StartFromNowSeparator.Name = "StartFromNowSeparator"; @@ -1330,36 +1445,96 @@ namespace BizHawk.Client.EmuHawk // this.StartNewProjectFromNowMenuItem.Name = "StartNewProjectFromNowMenuItem"; this.StartNewProjectFromNowMenuItem.Size = new System.Drawing.Size(272, 22); - this.StartNewProjectFromNowMenuItem.Text = "Start a new project from Here"; + this.StartNewProjectFromNowMenuItem.Text = "Start a new project from Now"; this.StartNewProjectFromNowMenuItem.Click += new System.EventHandler(this.StartNewProjectFromNowMenuItem_Click); // + // StartANewProjectFromSaveRamMenuItem + // + this.StartANewProjectFromSaveRamMenuItem.Name = "StartANewProjectFromSaveRamMenuItem"; + this.StartANewProjectFromSaveRamMenuItem.Size = new System.Drawing.Size(272, 22); + this.StartANewProjectFromSaveRamMenuItem.Text = "Start a new project from SaveRam"; + this.StartANewProjectFromSaveRamMenuItem.Click += new System.EventHandler(this.StartANewProjectFromSaveRamMenuItem_Click); + // // groupBox1 // - this.groupBox1.Anchor = ((System.Windows.Forms.AnchorStyles)(((System.Windows.Forms.AnchorStyles.Top | System.Windows.Forms.AnchorStyles.Bottom) + this.groupBox1.Anchor = ((System.Windows.Forms.AnchorStyles)((((System.Windows.Forms.AnchorStyles.Top | System.Windows.Forms.AnchorStyles.Bottom) + | System.Windows.Forms.AnchorStyles.Left) | System.Windows.Forms.AnchorStyles.Right))); this.groupBox1.Controls.Add(this.MarkerControl); - this.groupBox1.Location = new System.Drawing.Point(302, 129); + this.groupBox1.Location = new System.Drawing.Point(-2, 3); this.groupBox1.Name = "groupBox1"; - this.groupBox1.Size = new System.Drawing.Size(201, 365); + this.groupBox1.Size = new System.Drawing.Size(204, 257); this.groupBox1.TabIndex = 7; this.groupBox1.TabStop = false; this.groupBox1.Text = "Markers"; // + // BookMarkControl + // + this.BookMarkControl.Anchor = ((System.Windows.Forms.AnchorStyles)((((System.Windows.Forms.AnchorStyles.Top | System.Windows.Forms.AnchorStyles.Bottom) + | System.Windows.Forms.AnchorStyles.Left) + | System.Windows.Forms.AnchorStyles.Right))); + this.BookMarkControl.Location = new System.Drawing.Point(-2, 5); + this.BookMarkControl.Name = "BookMarkControl"; + this.BookMarkControl.Size = new System.Drawing.Size(204, 163); + this.BookMarkControl.TabIndex = 8; + this.BookMarkControl.Tastudio = null; + // + // BranchesMarkersSplit + // + this.BranchesMarkersSplit.Anchor = ((System.Windows.Forms.AnchorStyles)((((System.Windows.Forms.AnchorStyles.Top | System.Windows.Forms.AnchorStyles.Bottom) + | System.Windows.Forms.AnchorStyles.Left) + | System.Windows.Forms.AnchorStyles.Right))); + this.BranchesMarkersSplit.Location = new System.Drawing.Point(3, 89); + this.BranchesMarkersSplit.Name = "BranchesMarkersSplit"; + this.BranchesMarkersSplit.Orientation = System.Windows.Forms.Orientation.Horizontal; + // + // BranchesMarkersSplit.Panel1 + // + this.BranchesMarkersSplit.Panel1.Controls.Add(this.BookMarkControl); + // + // BranchesMarkersSplit.Panel2 + // + this.BranchesMarkersSplit.Panel2.Controls.Add(this.groupBox1); + this.BranchesMarkersSplit.Size = new System.Drawing.Size(204, 436); + this.BranchesMarkersSplit.SplitterDistance = 169; + this.BranchesMarkersSplit.TabIndex = 9; + this.BranchesMarkersSplit.SplitterMoved += new System.Windows.Forms.SplitterEventHandler(this.BranchesMarkersSplit_SplitterMoved); + // + // MainVertialSplit + // + this.MainVertialSplit.Anchor = ((System.Windows.Forms.AnchorStyles)((((System.Windows.Forms.AnchorStyles.Top | System.Windows.Forms.AnchorStyles.Bottom) + | System.Windows.Forms.AnchorStyles.Left) + | System.Windows.Forms.AnchorStyles.Right))); + this.MainVertialSplit.FixedPanel = System.Windows.Forms.FixedPanel.Panel2; + this.MainVertialSplit.Location = new System.Drawing.Point(2, 23); + this.MainVertialSplit.Name = "MainVertialSplit"; + // + // MainVertialSplit.Panel1 + // + this.MainVertialSplit.Panel1.Controls.Add(this.TasView); + // + // MainVertialSplit.Panel2 + // + this.MainVertialSplit.Panel2.Controls.Add(this.TasPlaybackBox); + this.MainVertialSplit.Panel2.Controls.Add(this.BranchesMarkersSplit); + this.MainVertialSplit.Size = new System.Drawing.Size(507, 528); + this.MainVertialSplit.SplitterDistance = 295; + this.MainVertialSplit.TabIndex = 10; + this.MainVertialSplit.SplitterMoved += new System.Windows.Forms.SplitterEventHandler(this.MainVertialSplit_SplitterMoved); + // // TAStudio // this.AllowDrop = true; this.AutoScaleDimensions = new System.Drawing.SizeF(6F, 13F); this.AutoScaleMode = System.Windows.Forms.AutoScaleMode.Font; - this.ClientSize = new System.Drawing.Size(506, 519); - this.Controls.Add(this.groupBox1); - this.Controls.Add(this.TasPlaybackBox); + this.ClientSize = new System.Drawing.Size(509, 576); + this.Controls.Add(this.MainVertialSplit); this.Controls.Add(this.TasStatusStrip); this.Controls.Add(this.TASMenu); - this.Controls.Add(this.TasView); this.Icon = ((System.Drawing.Icon)(resources.GetObject("$this.Icon"))); this.KeyPreview = true; this.MainMenuStrip = this.TASMenu; - this.MinimumSize = new System.Drawing.Size(437, 148); + this.MinimumSize = new System.Drawing.Size(200, 148); this.Name = "TAStudio"; this.StartPosition = System.Windows.Forms.FormStartPosition.CenterParent; this.Text = "TAStudio"; @@ -1376,6 +1551,14 @@ namespace BizHawk.Client.EmuHawk this.MarkerContextMenu.ResumeLayout(false); this.RightClickMenu.ResumeLayout(false); this.groupBox1.ResumeLayout(false); + this.BranchesMarkersSplit.Panel1.ResumeLayout(false); + this.BranchesMarkersSplit.Panel2.ResumeLayout(false); + ((System.ComponentModel.ISupportInitialize)(this.BranchesMarkersSplit)).EndInit(); + this.BranchesMarkersSplit.ResumeLayout(false); + this.MainVertialSplit.Panel1.ResumeLayout(false); + this.MainVertialSplit.Panel2.ResumeLayout(false); + ((System.ComponentModel.ISupportInitialize)(this.MainVertialSplit)).EndInit(); + this.MainVertialSplit.ResumeLayout(false); this.ResumeLayout(false); this.PerformLayout(); @@ -1429,7 +1612,6 @@ namespace BizHawk.Client.EmuHawk private System.Windows.Forms.ToolStripMenuItem AutoadjustInputMenuItem; private System.Windows.Forms.ToolStripSeparator toolStripSeparator11; private System.Windows.Forms.ToolStripMenuItem DrawInputByDraggingMenuItem; - private System.Windows.Forms.ToolStripMenuItem CombineConsecutiveRecordingsMenuItem; private System.Windows.Forms.ToolStripMenuItem UseInputKeysItem; private System.Windows.Forms.ToolStripMenuItem BindMarkersToInputMenuItem; private System.Windows.Forms.ToolStripMenuItem EmptyNewMarkerNotesMenuItem; @@ -1522,5 +1704,20 @@ namespace BizHawk.Client.EmuHawk private System.Windows.Forms.ToolStripMenuItem ScrollToMarkerToolStripMenuItem; private System.Windows.Forms.ToolStripMenuItem applyPatternToPaintedInputToolStripMenuItem; private System.Windows.Forms.ToolStripMenuItem onlyOnAutoFireColumnsToolStripMenuItem; + private BookmarksBranchesBox BookMarkControl; + private System.Windows.Forms.ToolStripMenuItem BranchContextMenuItem; + private System.Windows.Forms.ToolStripSeparator toolStripSeparator25; + private System.Windows.Forms.ToolStripMenuItem wheelScrollSpeedToolStripMenuItem; + private System.Windows.Forms.SplitContainer BranchesMarkersSplit; + private System.Windows.Forms.SplitContainer MainVertialSplit; + private System.Windows.Forms.ToolStripMenuItem StartANewProjectFromSaveRamMenuItem; + private System.Windows.Forms.ToolStripMenuItem iconsToolStripMenuItem; + private System.Windows.Forms.ToolStripMenuItem denoteStatesWithIconsToolStripMenuItem; + private System.Windows.Forms.ToolStripMenuItem denoteStatesWithBGColorToolStripMenuItem; + private System.Windows.Forms.ToolStripMenuItem denoteMarkersWithIconsToolStripMenuItem; + private System.Windows.Forms.ToolStripMenuItem denoteMarkersWithBGColorToolStripMenuItem; + private System.Windows.Forms.ToolStripMenuItem NewFromSubMenu; + private System.Windows.Forms.ToolStripMenuItem NewFromNowMenuItem; + private System.Windows.Forms.ToolStripMenuItem NewFromCurrentSaveRamMenuItem; } } \ No newline at end of file diff --git a/BizHawk.Client.EmuHawk/tools/TAStudio/TAStudio.IToolForm.cs b/BizHawk.Client.EmuHawk/tools/TAStudio/TAStudio.IToolForm.cs index cc8905c9f3..47f449623f 100644 --- a/BizHawk.Client.EmuHawk/tools/TAStudio/TAStudio.IToolForm.cs +++ b/BizHawk.Client.EmuHawk/tools/TAStudio/TAStudio.IToolForm.cs @@ -10,9 +10,13 @@ namespace BizHawk.Client.EmuHawk { [RequiredService] public IEmulator Emulator { get; private set; } + [RequiredService] public IStatable StatableEmulator { get; private set; } + [OptionalService] + public ISaveRam SaveRamEmulator { get; private set; } + private bool _hackyDontUpdate; private bool _initializing; // If true, will bypass restart logic, this is necessary since loading projects causes a movie to load which causes a rom to reload causing dialogs to restart @@ -35,15 +39,13 @@ namespace BizHawk.Client.EmuHawk if (AutoadjustInputMenuItem.Checked) refreshNeeded = AutoAdjustInput(); - if (TasPlaybackBox.FollowCursor) - SetVisibleIndex(); + MaybeFollowCursor(); if (TasView.IsPartiallyVisible(Global.Emulator.Frame) || TasView.IsPartiallyVisible(lastRefresh)) refreshNeeded = true; - if (refreshNeeded) - RefreshDialog(); - else if (TasView.RowCount != CurrentTasMovie.InputLogLength + 1) // Perhaps not the best place to put this. + RefreshDialog(refreshNeeded); + if (!refreshNeeded && TasView.RowCount != CurrentTasMovie.InputLogLength + 1) // Perhaps not the best place to put this. TasView.RowCount = CurrentTasMovie.InputLogLength + 1; } @@ -56,10 +58,7 @@ namespace BizHawk.Client.EmuHawk TasView.RowCount = CurrentTasMovie.InputLogLength + 1; - if (TasPlaybackBox.FollowCursor) - { - SetVisibleIndex(); - } + MaybeFollowCursor(); } public void Restart() diff --git a/BizHawk.Client.EmuHawk/tools/TAStudio/TAStudio.ListView.cs b/BizHawk.Client.EmuHawk/tools/TAStudio/TAStudio.ListView.cs index 3f0a3bf05f..aef3c4b631 100644 --- a/BizHawk.Client.EmuHawk/tools/TAStudio/TAStudio.ListView.cs +++ b/BizHawk.Client.EmuHawk/tools/TAStudio/TAStudio.ListView.cs @@ -37,7 +37,7 @@ namespace BizHawk.Client.EmuHawk private bool mouseButtonHeld { get - { // Need a left click + { return _rightClickFrame != -1 || _leftButtonHeld; } } @@ -66,14 +66,14 @@ namespace BizHawk.Client.EmuHawk public static Color CurrentFrame_InputLog = Color.FromArgb(0xB5E7F7); public static Color GreenZone_FrameCol = Color.FromArgb(0xDDFFDD); - public static Color GreenZone_Invalidated_FrameCol = Color.FromArgb(0xFFFFFF); - public static Color GreenZone_InputLog = Color.FromArgb(0xC4F7C8); - public static Color GreenZone_Invalidated_InputLog = Color.FromArgb(0xE0FBE0); + public static Color GreenZone_InputLog = Color.FromArgb(0xD2F9D3); + public static Color GreenZone_InputLog_Stated = Color.FromArgb(0xC4F7C8); + public static Color GreenZone_InputLog_Invalidated = Color.FromArgb(0xE0FBE0); public static Color LagZone_FrameCol = Color.FromArgb(0xFFDCDD); - public static Color LagZone_Invalidated_FrameCol = Color.FromArgb(0xFFE9E9); - public static Color LagZone_InputLog = Color.FromArgb(0xF0D0D2); - public static Color LagZone_Invalidated_InputLog = Color.FromArgb(0xF7E5E5); + public static Color LagZone_InputLog = Color.FromArgb(0xF4DADA); + public static Color LagZone_InputLog_Stated = Color.FromArgb(0xF0D0D2); + public static Color LagZone_InputLog_Invalidated = Color.FromArgb(0xF7E5E5); public static Color Marker_FrameCol = Color.FromArgb(0xF7FFC9); public static Color AnalogEdit_Col = Color.FromArgb(0x909070); // SuuperW: When editing an analog value, it will be a gray color. @@ -86,7 +86,18 @@ namespace BizHawk.Client.EmuHawk #region Query callbacks - private void TasView_QueryItemIcon(int index, InputRoll.RollColumn column, ref Bitmap bitmap) + private Bitmap ts_v_arrow_green_blue = Properties.Resources.ts_v_arrow_green_blue; + private Bitmap ts_h_arrow_green_blue = Properties.Resources.ts_h_arrow_green_blue; + private Bitmap ts_v_arrow_blue = Properties.Resources.ts_v_arrow_blue; + private Bitmap ts_h_arrow_blue = Properties.Resources.ts_h_arrow_blue; + private Bitmap ts_v_arrow_green = Properties.Resources.ts_v_arrow_green; + private Bitmap ts_h_arrow_green = Properties.Resources.ts_h_arrow_green; + + private Bitmap icon_marker = Properties.Resources.icon_marker; + private Bitmap icon_anchor_lag = Properties.Resources.icon_anchor_lag; + private Bitmap icon_anchor = Properties.Resources.icon_anchor; + + private void TasView_QueryItemIcon(int index, InputRoll.RollColumn column, ref Bitmap bitmap, ref int offsetX, ref int offsetY) { var overrideIcon = GetIconOverride(index, column); @@ -103,27 +114,43 @@ namespace BizHawk.Client.EmuHawk if (index == Emulator.Frame && index == GlobalWin.MainForm.PauseOnFrame) { bitmap = TasView.HorizontalOrientation ? - Properties.Resources.ts_v_arrow_green_blue : - Properties.Resources.ts_h_arrow_green_blue; + ts_v_arrow_green_blue : + ts_h_arrow_green_blue; } else if (index == Emulator.Frame) { bitmap = TasView.HorizontalOrientation ? - Properties.Resources.ts_v_arrow_blue : - Properties.Resources.ts_h_arrow_blue; + ts_v_arrow_blue : + ts_h_arrow_blue; } else if (index == GlobalWin.MainForm.PauseOnFrame) { bitmap = TasView.HorizontalOrientation ? - Properties.Resources.ts_v_arrow_green : - Properties.Resources.ts_h_arrow_green; + ts_v_arrow_green : + ts_h_arrow_green; + } + } + else if (columnName == FrameColumnName) + { + TasMovieRecord record = CurrentTasMovie[index]; + offsetX = -3; + offsetY = 1; + + if (CurrentTasMovie.Markers.IsMarker(index) && TasView.denoteMarkersWithIcons) + bitmap = icon_marker; + else if (record.HasState && TasView.denoteStatesWithIcons) + { + if (record.Lagged.HasValue && record.Lagged.Value) + bitmap = icon_anchor_lag; + else + bitmap = icon_anchor; } } } private void TasView_QueryItemBkColor(int index, InputRoll.RollColumn column, ref Color color) { - var overrideColor = GetColorOverride(index, column); + Color? overrideColor = GetColorOverride(index, column); if (overrideColor.HasValue) { @@ -132,25 +159,25 @@ namespace BizHawk.Client.EmuHawk } string columnName = column.Name; - + if (columnName == CursorColumnName) - { // For debugging purposes, let's visually show the state frames - if (VersionInfo.DeveloperBuild && CurrentTasMovie.TasStateManager.HasState(index)) - color = Color.FromArgb(0xEEEEEE); - else - color = Color.FromArgb(0xFEFFFF); - return; - } - + color = Color.FromArgb(0xFEFFFF); + if (columnName == FrameColumnName) { - if (Emulator.Frame != index && CurrentTasMovie.Markers.IsMarker(index)) + if (Emulator.Frame != index && CurrentTasMovie.Markers.IsMarker(index) && TasView.denoteMarkersWithBGColor) color = Marker_FrameCol; + else + color = Color.FromArgb(0x60FFFFFF); } else if (index == _floatEditRow && columnName == _floatEditColumn) { // SuuperW: Analog editing is indicated by a color change. color = AnalogEdit_Col; } + + int player = Global.Emulator.ControllerDefinition.PlayerNumber(columnName); + if (player != 0 && player % 2 == 0) + color = Color.FromArgb(0x0D000000); } private void TasView_QueryRowBkColor(int index, ref Color color) { @@ -162,15 +189,20 @@ namespace BizHawk.Client.EmuHawk } else if (record.Lagged.HasValue) { - color = record.Lagged.Value ? - LagZone_InputLog : - GreenZone_InputLog; + if (!CurrentTasMovie.TasStateManager.HasState(index) && TasView.denoteStatesWithBGColor) + color = record.Lagged.Value ? + LagZone_InputLog : + GreenZone_InputLog; + else + color = record.Lagged.Value ? + LagZone_InputLog_Stated : + GreenZone_InputLog_Stated; } else if (record.WasLagged.HasValue) { color = record.WasLagged.Value ? - LagZone_Invalidated_InputLog : - GreenZone_Invalidated_FrameCol; + LagZone_InputLog_Invalidated : + GreenZone_InputLog_Invalidated; } else { @@ -178,7 +210,7 @@ namespace BizHawk.Client.EmuHawk } } - private void TasView_QueryItemText(int index, InputRoll.RollColumn column, out string text) + private void TasView_QueryItemText(int index, InputRoll.RollColumn column, out string text, ref int offsetX, ref int offsetY) { var overrideText = GetTextOverride(index, column); if (overrideText != null) @@ -194,10 +226,15 @@ namespace BizHawk.Client.EmuHawk if (columnName == CursorColumnName) { - // Do nothing + int branchIndex = CurrentTasMovie.BranchIndexByFrame(index); + if (branchIndex != -1) + { + text = branchIndex.ToString(); + } } else if (columnName == FrameColumnName) { + offsetX = 7; text = (index).ToString().PadLeft(CurrentTasMovie.InputLogLength.ToString().Length, '0'); } else @@ -226,7 +263,7 @@ namespace BizHawk.Client.EmuHawk private void TasView_ColumnClick(object sender, InputRoll.ColumnClickEventArgs e) { - if (TasView.SelectedRows.Any()) + if (TasView.AnyRowsSelected) { var columnName = e.Column.Name; @@ -234,7 +271,6 @@ namespace BizHawk.Client.EmuHawk { CurrentTasMovie.Markers.Add(TasView.LastSelectedIndex.Value, ""); RefreshDialog(); - } else if (columnName != CursorColumnName) // TODO: what about float? { @@ -352,14 +388,22 @@ namespace BizHawk.Client.EmuHawk } else if (TasView.CurrentCell.Column.Name == FrameColumnName) { - _startFrameDrag = true; - _frameDragState = TasView.SelectedRows.Contains(frame); + if (Control.ModifierKeys == Keys.Alt && CurrentTasMovie.Markers.IsMarker(frame)) + { + // TODO + TasView.DragCurrentCell(); + } + else + { + _startFrameDrag = true; + _frameDragState = TasView.SelectedRows.Contains(frame); + } } else // User changed input { if (Global.MovieSession.MovieControllerAdapter.Type.BoolButtons.Contains(buttonName)) { - CurrentTasMovie.ChangeLog.BeginNewBatch("Paint Bool"); + CurrentTasMovie.ChangeLog.BeginNewBatch("Paint Bool " + buttonName + " from frame " + frame); CurrentTasMovie.ToggleBoolState(TasView.CurrentCell.RowIndex.Value, buttonName); _triggerAutoRestore = true; @@ -404,7 +448,7 @@ namespace BizHawk.Client.EmuHawk if (e.Clicks != 2) { - CurrentTasMovie.ChangeLog.BeginNewBatch("Paint Float"); + CurrentTasMovie.ChangeLog.BeginNewBatch("Paint Float " + buttonName + " from frame " + frame); _startFloatDrawColumn = buttonName; } else // Double-click enters float editing mode @@ -469,30 +513,49 @@ namespace BizHawk.Client.EmuHawk } } + private void ClearLeftMouseStates() + { + _startCursorDrag = false; + _startFrameDrag = false; + _startBoolDrawColumn = string.Empty; + _startFloatDrawColumn = string.Empty; + TasView.ReleaseCurrentCell(); + // Exit float editing if value was changed with cursor + if (_floatEditRow != -1 && _floatPaintState != CurrentTasMovie.GetFloatState(_floatEditRow, _floatEditColumn)) + { + _floatEditRow = -1; + RefreshDialog(); + } + _floatPaintState = 0; + _floatEditYPos = -1; + _leftButtonHeld = false; + + if (_floatEditRow == -1 && CurrentTasMovie.ChangeLog != null) + { + CurrentTasMovie.ChangeLog.EndBatch(); + } + } + private void TasView_MouseUp(object sender, MouseEventArgs e) { - if (e.Button == MouseButtons.Right && !TasView.IsPointingAtColumnHeader && !_supressContextMenu) + if (e.Button == MouseButtons.Right && !TasView.IsPointingAtColumnHeader && !_supressContextMenu && TasView.SelectedRows.Any()) { - RightClickMenu.Show(TasView, e.X, e.Y); + if (Global.MovieSession.Movie.FrameCount < TasView.SelectedRows.Max()) + { + // trying to be smart here + // if a loaded branch log is shorter than selection, keep selection until you attempt to call context menu + // you might need it when you load again the branch where this frame exists + TasView.DeselectAll(); + RefreshTasView(); + } + else + { + RightClickMenu.Show(TasView, e.X, e.Y); + } } else if (e.Button == MouseButtons.Left) { - _startCursorDrag = false; - _startFrameDrag = false; - _startBoolDrawColumn = string.Empty; - _startFloatDrawColumn = string.Empty; - // Exit float editing if value was changed with cursor - if (_floatEditRow != -1 && _floatPaintState != CurrentTasMovie.GetFloatState(_floatEditRow, _floatEditColumn)) - { - _floatEditRow = -1; - RefreshDialog(); - } - _floatPaintState = 0; - _floatEditYPos = -1; - _leftButtonHeld = false; - - if (_floatEditRow == -1) - CurrentTasMovie.ChangeLog.EndBatch(); + ClearLeftMouseStates(); } if (e.Button == System.Windows.Forms.MouseButtons.Right) @@ -556,6 +619,7 @@ namespace BizHawk.Client.EmuHawk } else { + ClearLeftMouseStates(); CallAddMarkerPopUp(TasView.CurrentCell.RowIndex.Value); } } @@ -571,7 +635,11 @@ namespace BizHawk.Client.EmuHawk e.NewCell == null || e.NewCell.RowIndex == null || e.NewCell.Column == null) { return; - } + } + + // skip rerecord counting on drawing entirely, mouse down is enough + // avoid introducing another global + bool wasCountingRerecords = Global.MovieSession.Movie.IsCountingRerecords; int startVal, endVal; int frame = e.NewCell.RowIndex.Value; @@ -639,7 +707,6 @@ namespace BizHawk.Client.EmuHawk { for (int i = startVal; i <= endVal; i++) CurrentTasMovie.SetFrame(i, _rightClickInput[(i - _rightClickFrame).Mod(_rightClickInput.Length)]); - JumpToGreenzone(); } } else @@ -680,16 +747,18 @@ namespace BizHawk.Client.EmuHawk CurrentTasMovie.SetFrame(frame + i, _rightClickInput[i]); _rightClickFrame = frame; } - - JumpToGreenzone(); } - } + JumpToGreenzone(); + } + // Left-click else if (TasView.IsPaintDown && e.NewCell.RowIndex.HasValue && !string.IsNullOrEmpty(_startBoolDrawColumn)) { + Global.MovieSession.Movie.IsCountingRerecords = false; + if (e.OldCell.RowIndex.HasValue && e.NewCell.RowIndex.HasValue) { - for (var i = startVal + 1; i <= endVal; i++) // SuuperW: <= so that it will edit the cell you are hovering over. (Inclusive) + for (int i = startVal; i <= endVal; i++) // Inclusive on both ends (drawing up or down) { bool setVal = _boolPaintState; if (_patternPaint && _boolPaintState) @@ -706,10 +775,12 @@ namespace BizHawk.Client.EmuHawk } else if (TasView.IsPaintDown && e.NewCell.RowIndex.HasValue && !string.IsNullOrEmpty(_startFloatDrawColumn)) - { + { + Global.MovieSession.Movie.IsCountingRerecords = false; + if (e.OldCell.RowIndex.HasValue && e.NewCell.RowIndex.HasValue) { - for (var i = startVal + 1; i <= endVal; i++) // SuuperW: <= so that it will edit the cell you are hovering over. (Inclusive) + for (int i = startVal; i <= endVal; i++) // Inclusive on both ends (drawing up or down) { float setVal = _floatPaintState; if (_patternPaint) @@ -725,9 +796,11 @@ namespace BizHawk.Client.EmuHawk } } - if (Settings.FollowCursor && mouseButtonHeld) + Global.MovieSession.Movie.IsCountingRerecords = wasCountingRerecords; + + if (mouseButtonHeld) { - SetVisibleIndex(TasView.CurrentCell.RowIndex.Value); // todo: limit scrolling speed + TasView.MakeIndexVisible(TasView.CurrentCell.RowIndex.Value); // todo: limit scrolling speed } RefreshTasView(); } diff --git a/BizHawk.Client.EmuHawk/tools/TAStudio/TAStudio.MenuItems.cs b/BizHawk.Client.EmuHawk/tools/TAStudio/TAStudio.MenuItems.cs index 8f2991d5d6..006ed6fbfe 100644 --- a/BizHawk.Client.EmuHawk/tools/TAStudio/TAStudio.MenuItems.cs +++ b/BizHawk.Client.EmuHawk/tools/TAStudio/TAStudio.MenuItems.cs @@ -57,10 +57,15 @@ namespace BizHawk.Client.EmuHawk var filename = CurrentTasMovie.Filename; if (string.IsNullOrWhiteSpace(filename) || filename == DefaultTasProjName()) { - filename = ""; + filename = string.Empty; } - var file = ToolHelpers.GetTasProjFileFromUser(filename); + var file = ToolHelpers.OpenFileDialog( + filename, + PathManager.MakeAbsolutePath(Global.Config.PathEntries.MoviesPathFragment, null), + "Tas Project Files", + "tasproj"); + if (file != null) { LoadFile(file); @@ -99,7 +104,12 @@ namespace BizHawk.Client.EmuHawk filename = SuggestedTasProjName(); } - var file = ToolHelpers.GetTasProjSaveFileFromUser(filename); + var file = ToolHelpers.SaveFileDialog( + filename, + PathManager.MakeAbsolutePath(Global.Config.PathEntries.MoviesPathFragment, null), + "Tas Project Files", + "tasproj"); + if (file != null) { CurrentTasMovie.Filename = file.FullName; @@ -123,7 +133,7 @@ namespace BizHawk.Client.EmuHawk if (TasView.LastSelectedIndex == CurrentTasMovie.InputLogLength) TasView.SelectRow(CurrentTasMovie.InputLogLength, false); - if (!TasView.SelectedRows.Any()) + if (!TasView.AnyRowsSelected) return; MovieZone macro = new MovieZone(CurrentTasMovie, TasView.FirstSelectedIndex.Value, @@ -132,7 +142,7 @@ namespace BizHawk.Client.EmuHawk } private void placeMacroAtSelectionToolStripMenuItem_Click(object sender, EventArgs e) { - if (!TasView.SelectedRows.Any()) + if (!TasView.AnyRowsSelected) return; MovieZone macro = MacroInputTool.LoadMacro(); @@ -207,7 +217,7 @@ namespace BizHawk.Client.EmuHawk DeleteFramesMenuItem.Enabled = CloneMenuItem.Enabled = TruncateMenuItem.Enabled = - TasView.SelectedRows.Any(); + TasView.AnyRowsSelected; ReselectClipboardMenuItem.Enabled = PasteMenuItem.Enabled = PasteInsertMenuItem.Enabled = @@ -235,7 +245,7 @@ namespace BizHawk.Client.EmuHawk private void SelectBetweenMarkersMenuItem_Click(object sender, EventArgs e) { - if (TasView.SelectedRows.Any()) + if (TasView.AnyRowsSelected) { var prevMarker = CurrentTasMovie.Markers.PreviousOrCurrent(TasView.LastSelectedIndex.Value); var nextMarker = CurrentTasMovie.Markers.Next(TasView.LastSelectedIndex.Value); @@ -265,7 +275,7 @@ namespace BizHawk.Client.EmuHawk private void CopyMenuItem_Click(object sender, EventArgs e) { - if (TasView.SelectedRows.Any()) + if (TasView.AnyRowsSelected) { _tasClipboard.Clear(); var list = TasView.SelectedRows.ToList(); @@ -348,7 +358,7 @@ namespace BizHawk.Client.EmuHawk private void CutMenuItem_Click(object sender, EventArgs e) { - if (TasView.SelectedRows.Any()) + if (TasView.AnyRowsSelected) { var wasPaused = GlobalWin.MainForm.EmulatorPaused; var needsToRollback = TasView.FirstSelectedIndex < Emulator.Frame; @@ -392,7 +402,7 @@ namespace BizHawk.Client.EmuHawk private void ClearMenuItem_Click(object sender, EventArgs e) { - if (TasView.SelectedRows.Any()) + if (TasView.AnyRowsSelected) { bool wasPaused = GlobalWin.MainForm.EmulatorPaused; bool needsToRollback = !(TasView.FirstSelectedIndex > Emulator.Frame); @@ -426,7 +436,7 @@ namespace BizHawk.Client.EmuHawk private void DeleteFramesMenuItem_Click(object sender, EventArgs e) { - if (TasView.SelectedRows.Any()) + if (TasView.AnyRowsSelected) { var wasPaused = GlobalWin.MainForm.EmulatorPaused; var needsToRollback = TasView.FirstSelectedIndex < Emulator.Frame; @@ -461,7 +471,7 @@ namespace BizHawk.Client.EmuHawk private void CloneMenuItem_Click(object sender, EventArgs e) { - if (TasView.SelectedRows.Any()) + if (TasView.AnyRowsSelected) { var wasPaused = GlobalWin.MainForm.EmulatorPaused; var framesToInsert = TasView.SelectedRows.ToList(); @@ -496,7 +506,7 @@ namespace BizHawk.Client.EmuHawk private void InsertFrameMenuItem_Click(object sender, EventArgs e) { var wasPaused = GlobalWin.MainForm.EmulatorPaused; - var insertionFrame = TasView.SelectedRows.Any() ? TasView.FirstSelectedIndex.Value : 0; + var insertionFrame = TasView.AnyRowsSelected ? TasView.FirstSelectedIndex.Value : 0; var needsToRollback = TasView.FirstSelectedIndex < Emulator.Frame; CurrentTasMovie.InsertEmptyFrame(insertionFrame); @@ -521,12 +531,12 @@ namespace BizHawk.Client.EmuHawk private void InsertNumFramesMenuItem_Click(object sender, EventArgs e) { - var wasPaused = GlobalWin.MainForm.EmulatorPaused; - var insertionFrame = TasView.SelectedRows.Any() ? TasView.FirstSelectedIndex.Value : 0; - var needsToRollback = TasView.FirstSelectedIndex < Emulator.Frame; + bool wasPaused = GlobalWin.MainForm.EmulatorPaused; + int insertionFrame = TasView.AnyRowsSelected ? TasView.FirstSelectedIndex.Value : 0; + bool needsToRollback = TasView.FirstSelectedIndex < Emulator.Frame; - var framesPrompt = new FramesPrompt(); - var result = framesPrompt.ShowDialog(); + FramesPrompt framesPrompt = new FramesPrompt(); + DialogResult result = framesPrompt.ShowDialog(); if (result == DialogResult.OK) { CurrentTasMovie.InsertEmptyFrame(insertionFrame, framesPrompt.Frames); @@ -552,7 +562,7 @@ namespace BizHawk.Client.EmuHawk private void TruncateMenuItem_Click(object sender, EventArgs e) { - if (TasView.SelectedRows.Any()) + if (TasView.AnyRowsSelected) { var rollbackFrame = TasView.LastSelectedIndex.Value; var needsToRollback = TasView.FirstSelectedIndex < Emulator.Frame; @@ -747,7 +757,8 @@ namespace BizHawk.Client.EmuHawk Owner = GlobalWin.MainForm, Location = this.ChildPointToScreen(TasView), Statable = this.StatableEmulator - }.Show(); + }.ShowDialog(); + CurrentTasMovie.TasStateManager.LimitStateCount(); UpdateChangesIndicator(); } @@ -801,10 +812,7 @@ namespace BizHawk.Client.EmuHawk private void HideLagFramesX_Click(object sender, EventArgs e) { TasView.LagFramesToHide = (int)(sender as ToolStripMenuItem).Tag; - if (TasPlaybackBox.FollowCursor) - { - SetVisibleIndex(); - } + MaybeFollowCursor(); RefreshDialog(); } @@ -815,31 +823,64 @@ namespace BizHawk.Client.EmuHawk private void alwaysScrollToolStripMenuItem_Click(object sender, EventArgs e) { - TasView.AlwaysScroll = alwaysScrollToolStripMenuItem.Checked; + TasView.AlwaysScroll = Settings.FollowCursorAlwaysScroll = alwaysScrollToolStripMenuItem.Checked; } private void scrollToViewToolStripMenuItem_Click(object sender, EventArgs e) { - TasView.ScrollMethod = "near"; + TasView.ScrollMethod = Settings.FollowCursorScrollMethod = "near"; } private void scrollToTopToolStripMenuItem_Click(object sender, EventArgs e) { - TasView.ScrollMethod = "top"; + TasView.ScrollMethod = Settings.FollowCursorScrollMethod = "top"; } private void scrollToBottomToolStripMenuItem_Click(object sender, EventArgs e) { - TasView.ScrollMethod = "bottom"; + TasView.ScrollMethod = Settings.FollowCursorScrollMethod = "bottom"; } private void scrollToCenterToolStripMenuItem_Click(object sender, EventArgs e) { - TasView.ScrollMethod = "center"; - } + TasView.ScrollMethod = Settings.FollowCursorScrollMethod = "center"; + } + + private void iconsToolStripMenuItem_DropDownOpened(object sender, EventArgs e) + { + denoteStatesWithIconsToolStripMenuItem.Checked = Settings.denoteStatesWithIcons; + denoteStatesWithBGColorToolStripMenuItem.Checked = Settings.denoteStatesWithBGColor; + denoteMarkersWithIconsToolStripMenuItem.Checked = Settings.denoteMarkersWithIcons; + denoteMarkersWithBGColorToolStripMenuItem.Checked = Settings.denoteMarkersWithBGColor; + } + + private void denoteStatesWithIconsToolStripMenuItem_Click(object sender, EventArgs e) + { + TasView.denoteStatesWithIcons = Settings.denoteStatesWithIcons = denoteStatesWithIconsToolStripMenuItem.Checked; + RefreshDialog(); + } + + private void denoteStatesWithBGColorToolStripMenuItem_Click(object sender, EventArgs e) + { + TasView.denoteStatesWithBGColor = Settings.denoteStatesWithBGColor = denoteStatesWithBGColorToolStripMenuItem.Checked; + RefreshDialog(); + } + + private void denoteMarkersWithIconsToolStripMenuItem_Click(object sender, EventArgs e) + { + TasView.denoteMarkersWithIcons = Settings.denoteMarkersWithIcons = denoteMarkersWithIconsToolStripMenuItem.Checked; + RefreshDialog(); + } + + private void denoteMarkersWithBGColorToolStripMenuItem_Click(object sender, EventArgs e) + { + TasView.denoteMarkersWithBGColor = Settings.denoteMarkersWithBGColor = denoteMarkersWithBGColorToolStripMenuItem.Checked; + RefreshDialog(); + } private void followCursorToolStripMenuItem_DropDownOpened(object sender, EventArgs e) { + alwaysScrollToolStripMenuItem.Checked = Settings.FollowCursorAlwaysScroll; scrollToViewToolStripMenuItem.Checked = false; scrollToTopToolStripMenuItem.Checked = false; scrollToBottomToolStripMenuItem.Checked = false; @@ -854,6 +895,20 @@ namespace BizHawk.Client.EmuHawk scrollToCenterToolStripMenuItem.Checked = true; } + private void wheelScrollSpeedToolStripMenuItem_Click(object sender, EventArgs e) + { + InputPrompt inputpromt = new InputPrompt(); + inputpromt.TextInputType = InputPrompt.InputType.Unsigned; + inputpromt.Message = "Frames per tick:"; + inputpromt.InitialValue = TasView.ScrollSpeed.ToString(); + if (inputpromt.ShowDialog() == System.Windows.Forms.DialogResult.OK) + { + TasView.ScrollSpeed = int.Parse(inputpromt.PromptText); + Settings.ScrollSpeed = TasView.ScrollSpeed; + } + + } + #endregion #region Columns @@ -969,16 +1024,23 @@ namespace BizHawk.Client.EmuHawk InsertFrameContextMenuItem.Enabled = InsertNumFramesContextMenuItem.Enabled = TruncateContextMenuItem.Enabled = - TasView.SelectedRows.Any(); + TasView.AnyRowsSelected; - StartFromNowSeparator.Visible = - StartNewProjectFromNowMenuItem.Visible = - TasView.SelectedRows.Count() == 1 && - !CurrentTasMovie.StartsFromSavestate; + + StartNewProjectFromNowMenuItem.Visible = + TasView.SelectedRows.Count() == 1 + && TasView.SelectedRows.Contains(Emulator.Frame) + && !CurrentTasMovie.StartsFromSaveRam; + StartANewProjectFromSaveRamMenuItem.Visible = + TasView.SelectedRows.Count() == 1 + && SaveRamEmulator != null + && !CurrentTasMovie.StartsFromSavestate; + + StartFromNowSeparator.Visible =StartNewProjectFromNowMenuItem.Visible || StartANewProjectFromSaveRamMenuItem.Visible; RemoveMarkersContextMenuItem.Enabled = CurrentTasMovie.Markers.Any(m => TasView.SelectedRows.Contains(m.Frame)); // Disable the option to remove markers if no markers are selected (FCEUX does this). - CancelSeekContextMenuItem.Enabled = GlobalWin.MainForm.PauseOnFrame.HasValue; + BranchContextMenuItem.Visible = TasView.CurrentCell.RowIndex == Emulator.Frame; } private void CancelSeekContextMenuItem_Click(object sender, EventArgs e) @@ -987,23 +1049,37 @@ namespace BizHawk.Client.EmuHawk RefreshTasView(); } + private void BranchContextMenuItem_Click(object sender, EventArgs e) + { + BookMarkControl.Branch(); + } + private void StartNewProjectFromNowMenuItem_Click(object sender, EventArgs e) { - if (TasView.SelectedRows.Count() == 1 && - !CurrentTasMovie.StartsFromSavestate) + if (AskSaveChanges()) { - if (AskSaveChanges()) - { - int index = TasView.SelectedRows.First(); - GoToFrame(index); + int index = Emulator.Frame; - TasMovie newProject = CurrentTasMovie.ConvertToSavestateAnchoredMovie( - index, - (byte[])StatableEmulator.SaveStateBinary().Clone()); + TasMovie newProject = CurrentTasMovie.ConvertToSavestateAnchoredMovie( + index, (byte[])StatableEmulator.SaveStateBinary().Clone()); - GlobalWin.MainForm.PauseEmulator(); - LoadFile(new FileInfo(newProject.Filename)); - } + GlobalWin.MainForm.PauseEmulator(); + LoadFile(new FileInfo(newProject.Filename)); + } + } + + private void StartANewProjectFromSaveRamMenuItem_Click(object sender, EventArgs e) + { + if (AskSaveChanges()) + { + int index = TasView.SelectedRows.First(); + GoToFrame(index); + + TasMovie newProject = CurrentTasMovie.ConvertToSaveRamAnchoredMovie( + SaveRamEmulator.CloneSaveRam()); + + GlobalWin.MainForm.PauseEmulator(); + LoadFile(new FileInfo(newProject.Filename)); } } diff --git a/BizHawk.Client.EmuHawk/tools/TAStudio/TAStudio.Navigation.cs b/BizHawk.Client.EmuHawk/tools/TAStudio/TAStudio.Navigation.cs index 4c2401bcad..ddeb65f5ce 100644 --- a/BizHawk.Client.EmuHawk/tools/TAStudio/TAStudio.Navigation.cs +++ b/BizHawk.Client.EmuHawk/tools/TAStudio/TAStudio.Navigation.cs @@ -37,12 +37,9 @@ namespace BizHawk.Client.EmuHawk // Get as close as we can then emulate there StartAtNearestFrameAndEmulate(frame); - if (TasPlaybackBox.FollowCursor) - { - SetVisibleIndex(frame); - } + MaybeFollowCursor(); - return; + //return; seriously? well, maybe it's for some insane speedup, but it skipped updating when putting playback to frame zero. } else // Emulate to a future frame { @@ -105,16 +102,21 @@ namespace BizHawk.Client.EmuHawk GoToFrame(marker.Frame); } + /// + /// Makes the given frame visible. If no frame is given, makes the current frame visible. + /// public void SetVisibleIndex(int? indexThatMustBeVisible = null) { if (!indexThatMustBeVisible.HasValue) - { - indexThatMustBeVisible = CurrentTasMovie.IsRecording - ? CurrentTasMovie.InputLogLength - : Emulator.Frame; - } + indexThatMustBeVisible = Emulator.Frame; TasView.ScrollToIndex(indexThatMustBeVisible.Value); } + + private void MaybeFollowCursor() + { + if (TasPlaybackBox.FollowCursor && !mouseButtonHeld) + SetVisibleIndex(); + } } } diff --git a/BizHawk.Client.EmuHawk/tools/TAStudio/TAStudio.cs b/BizHawk.Client.EmuHawk/tools/TAStudio/TAStudio.cs index bda1d00532..444af2c4fc 100644 --- a/BizHawk.Client.EmuHawk/tools/TAStudio/TAStudio.cs +++ b/BizHawk.Client.EmuHawk/tools/TAStudio/TAStudio.cs @@ -1,5 +1,6 @@ using System; using System.Collections.Generic; +using System.Drawing; using System.IO; using System.Linq; using System.Windows.Forms; @@ -36,6 +37,16 @@ namespace BizHawk.Client.EmuHawk private UndoHistoryForm undoForm; + public ScreenshotPopupControl ScreenshotControl = new ScreenshotPopupControl + { + Size = new Size(256, 240), + }; + + public string statesPath + { + get { return PathManager.MakeAbsolutePath(Global.Config.PathEntries["Global", "TAStudio states"].Path, null); } + } + [ConfigPersist] public TAStudioSettings Settings { get; set; } @@ -47,6 +58,14 @@ namespace BizHawk.Client.EmuHawk DrawInput = true; AutoPause = true; FollowCursor = true; + ScrollSpeed = 1; + FollowCursorAlwaysScroll = false; + FollowCursorScrollMethod = "near"; + // default to taseditor fashion + denoteStatesWithIcons = false; + denoteStatesWithBGColor = true; + denoteMarkersWithIcons = false; + denoteMarkersWithBGColor = true; } public RecentFiles RecentTas { get; set; } @@ -55,6 +74,17 @@ namespace BizHawk.Client.EmuHawk public bool AutoRestoreLastPosition { get; set; } public bool FollowCursor { get; set; } public bool EmptyMarkers { get; set; } + public int ScrollSpeed { get; set; } + public bool FollowCursorAlwaysScroll { get; set; } + public string FollowCursorScrollMethod { get; set; } + + public bool denoteStatesWithIcons { get; set; } + public bool denoteStatesWithBGColor { get; set; } + public bool denoteMarkersWithIcons { get; set; } + public bool denoteMarkersWithBGColor { get; set; } + + public int MainVerticalSplitDistance { get; set; } + public int BranchMarkerSplitDistance { get; set; } } public TasMovie CurrentTasMovie @@ -67,6 +97,27 @@ namespace BizHawk.Client.EmuHawk public TAStudio() { InitializeComponent(); + + if (Global.Emulator != null) + { + // Set the screenshot to "1x" resolution of the core + // cores like n64 and psx are going to still have sizes too big for the control, so cap them + int width = Global.Emulator.VideoProvider().BufferWidth; + int height = Global.Emulator.VideoProvider().BufferHeight; + if (width > 320) + { + double ratio = 320.0 / (double)width; + width = 320; + height = (int)((double)(height) * ratio); + } + + + ScreenshotControl.Size = new Size(width, height); + } + + ScreenshotControl.Visible = false; + Controls.Add(ScreenshotControl); + ScreenshotControl.BringToFront(); Settings = new TAStudioSettings(); // TODO: show this at all times or hide it when saving is done? @@ -77,13 +128,13 @@ namespace BizHawk.Client.EmuHawk WantsToControlStopMovie = true; TasPlaybackBox.Tastudio = this; MarkerControl.Tastudio = this; + BookMarkControl.Tastudio = this; MarkerControl.Emulator = this.Emulator; TasView.QueryItemText += TasView_QueryItemText; TasView.QueryItemBkColor += TasView_QueryItemBkColor; TasView.QueryRowBkColor += TasView_QueryRowBkColor; TasView.QueryItemIcon += TasView_QueryItemIcon; TasView.QueryFrameLag += TasView_QueryFrameLag; - TasView.InputPaintingMode = Settings.DrawInput; TasView.PointedCellChanged += TasView_PointedCellChanged; TasView.MultiSelect = true; TasView.MaxCharactersInHorizontal = 1; @@ -130,7 +181,7 @@ namespace BizHawk.Client.EmuHawk if (!InitializeOnLoad()) { Close(); - this.DialogResult = System.Windows.Forms.DialogResult.Cancel; + DialogResult = DialogResult.Cancel; return; } @@ -149,6 +200,45 @@ namespace BizHawk.Client.EmuHawk }; } + TasView.InputPaintingMode = Settings.DrawInput; + TasView.ScrollSpeed = Settings.ScrollSpeed; + TasView.AlwaysScroll = Settings.FollowCursorAlwaysScroll; + TasView.ScrollMethod = Settings.FollowCursorScrollMethod; + + TasView.denoteStatesWithIcons = Settings.denoteStatesWithIcons; + TasView.denoteStatesWithBGColor = Settings.denoteStatesWithBGColor; + TasView.denoteMarkersWithIcons = Settings.denoteMarkersWithIcons; + TasView.denoteMarkersWithBGColor = Settings.denoteMarkersWithBGColor; + + // Remembering Split container logic + int defaultMainSplitDistance = MainVertialSplit.SplitterDistance; + int defaultBranchMarkerSplitDistance = BranchesMarkersSplit.SplitterDistance; + + ToolStripMenuItem restoreDefaults = TASMenu.Items + .OfType() + .Single(t => t.Name == "SettingsSubMenu") + .DropDownItems + .OfType() + .Single(t => t.Text == "Restore &Defaults"); + + restoreDefaults.Click += (o, ev) => + { + MainVertialSplit.SplitterDistance = defaultMainSplitDistance; + BranchesMarkersSplit.SplitterDistance = defaultBranchMarkerSplitDistance; + }; + + if (Settings.MainVerticalSplitDistance > 0) + { + MainVertialSplit.SplitterDistance = Settings.MainVerticalSplitDistance; + } + + if (Settings.BranchMarkerSplitDistance > 0) + { + BranchesMarkersSplit.SplitterDistance = Settings.BranchMarkerSplitDistance; + } + + //////////////// + RefreshDialog(); _initialized = true; } @@ -241,6 +331,17 @@ namespace BizHawk.Client.EmuHawk AddColumn(kvp.Key, kvp.Value, 20 * kvp.Value.Length); } + var columnsToHide = TasView.AllColumns + .Where(c => c.Name == "Power" || c.Name == "Reset"); + + foreach (var column in columnsToHide) + { + column.Visible = false; + } + + TasView.AllColumns.ColumnsChanged(); + + // Patterns int bStart = 0; int fStart = 0; @@ -280,7 +381,7 @@ namespace BizHawk.Client.EmuHawk { Name = columnName, Text = columnText, - Width = columnWidth, + Width = columnWidth }; TasView.AllColumns.Add(column); @@ -323,29 +424,19 @@ namespace BizHawk.Client.EmuHawk return false; } - if (CurrentTasMovie == null) - { - Global.MovieSession.Movie = new TasMovie(false, _saveBackgroundWorker); - (Global.MovieSession.Movie as TasMovie).TasStateManager.InvalidateCallback = GreenzoneInvalidated; - } + TasMovie newMovie = new TasMovie(false, _saveBackgroundWorker); + newMovie.TasStateManager.InvalidateCallback = GreenzoneInvalidated; + newMovie.Filename = file.FullName; - CurrentTasMovie.Filename = file.FullName; - try - { - CurrentTasMovie.Load(); - } - catch - { - MessageBox.Show( - "Tastudio could not open the file. Due to the loading process, the emulator/Tastudio may be in a unspecified state depending on the error.", - "Tastudio", - MessageBoxButtons.OK); - return false; - } - Settings.RecentTas.Add(CurrentTasMovie.Filename); + Settings.RecentTas.Add(newMovie.Filename); - if (!HandleMovieLoadStuff()) + if (!HandleMovieLoadStuff(newMovie)) return false; + + // clear all selections + TasView.DeselectAll(); + BookMarkControl.Restart(); + MarkerControl.Restart(); RefreshDialog(); return true; @@ -356,7 +447,9 @@ namespace BizHawk.Client.EmuHawk if (AskSaveChanges()) { Global.MovieSession.Movie = new TasMovie(false, _saveBackgroundWorker); - (Global.MovieSession.Movie as TasMovie).TasStateManager.InvalidateCallback = GreenzoneInvalidated; + var stateManager = (Global.MovieSession.Movie as TasMovie).TasStateManager; + stateManager.MountWriteAccess(); + stateManager.InvalidateCallback = GreenzoneInvalidated; CurrentTasMovie.PropertyChanged += new PropertyChangedEventHandler(this.TasMovie_OnPropertyChanged); CurrentTasMovie.Filename = DefaultTasProjName(); // TODO don't do this, take over any mainform actions that can crash without a filename CurrentTasMovie.PopulateWithDefaultHeaderValues(); @@ -364,6 +457,10 @@ namespace BizHawk.Client.EmuHawk CurrentTasMovie.ClearChanges(); // Don't ask to save changes here. HandleMovieLoadStuff(); CurrentTasMovie.TasStateManager.Capture(); // Capture frame 0 always. + // clear all selections + TasView.DeselectAll(); + BookMarkControl.Restart(); + MarkerControl.Restart(); RefreshDialog(); } @@ -371,11 +468,16 @@ namespace BizHawk.Client.EmuHawk private bool HandleMovieLoadStuff(TasMovie movie = null) { - if (movie == null) - movie = CurrentTasMovie; WantsToControlStopMovie = false; - bool result = StartNewMovieWrapper(movie.InputLogLength == 0, movie); + bool result; + if (movie == null) + { + movie = CurrentTasMovie; + result = StartNewMovieWrapper(movie.InputLogLength == 0, movie); + } + else + result = StartNewMovieWrapper(false, movie); if (!result) return false; WantsToControlStopMovie = true; @@ -406,7 +508,7 @@ namespace BizHawk.Client.EmuHawk } private void DummyLoadMacro(string path) { - if (!TasView.SelectedRows.Any()) + if (!TasView.AnyRowsSelected) return; MovieZone loadZone = new MovieZone(path); @@ -445,8 +547,8 @@ namespace BizHawk.Client.EmuHawk Global.Config.MovieEndAction = _originalEndAction; GlobalWin.MainForm.SetMainformMovieInfo(); // Do not keep TAStudio's disk save states. - if (Directory.Exists(PathManager.MakeAbsolutePath(Global.Config.PathEntries["Global", "TAStudio states"].Path, null))) - Directory.Delete(PathManager.MakeAbsolutePath(Global.Config.PathEntries["Global", "TAStudio states"].Path, null), true); + //if (Directory.Exists(statesPath)) Directory.Delete(statesPath, true); + //TODO - do we need to dispose something here instead? } /// @@ -488,13 +590,17 @@ namespace BizHawk.Client.EmuHawk } } - public void RefreshDialog() + public void RefreshDialog(bool refreshTasView = true) { - RefreshTasView(); + if (refreshTasView) + RefreshTasView(); if (MarkerControl != null) MarkerControl.UpdateValues(); + if (BookMarkControl != null) + BookMarkControl.UpdateValues(); + if (undoForm != null && !undoForm.IsDisposed) undoForm.UpdateValues(); } @@ -557,7 +663,7 @@ namespace BizHawk.Client.EmuHawk } } - private void LoadState(KeyValuePair state) + public void LoadState(KeyValuePair state) { StatableEmulator.LoadStateBinary(new BinaryReader(new MemoryStream(state.Value.ToArray()))); @@ -740,7 +846,7 @@ namespace BizHawk.Client.EmuHawk EditMarkerContextMenuItem.Enabled = RemoveMarkerContextMenuItem.Enabled = ScrollToMarkerToolStripMenuItem.Enabled = - MarkerControl.MarkerInputRoll.SelectedRows.Any(); + MarkerControl.MarkerInputRoll.AnyRowsSelected; } private void ScrollToMarkerToolStripMenuItem_Click(object sender, EventArgs e) @@ -807,5 +913,40 @@ namespace BizHawk.Client.EmuHawk if (e.KeyCode == Keys.F) TasPlaybackBox.FollowCursor ^= true; } + + private void MainVertialSplit_SplitterMoved(object sender, SplitterEventArgs e) + { + Settings.MainVerticalSplitDistance = MainVertialSplit.SplitterDistance; + } + + private void BranchesMarkersSplit_SplitterMoved(object sender, SplitterEventArgs e) + { + Settings.BranchMarkerSplitDistance = BranchesMarkersSplit.SplitterDistance; + } + + private void TasView_CellDropped(object sender, InputRoll.CellEventArgs e) + { + if (e.NewCell != null && e.NewCell.RowIndex.HasValue && + !CurrentTasMovie.Markers.IsMarker(e.NewCell.RowIndex.Value)) + { + var currentMarker = CurrentTasMovie.Markers.Single(m => m.Frame == e.OldCell.RowIndex.Value); + int newFrame = e.NewCell.RowIndex.Value; + var newMarker = new TasMovieMarker(newFrame, currentMarker.Message); + CurrentTasMovie.Markers.Remove(currentMarker); + CurrentTasMovie.Markers.Add(newMarker); + RefreshDialog(); + } + } + + private void NewFromSubMenu_DropDownOpened(object sender, EventArgs e) + { + NewFromNowMenuItem.Enabled = + CurrentTasMovie.InputLogLength > 0 + && !CurrentTasMovie.StartsFromSaveRam; + + NewFromCurrentSaveRamMenuItem.Enabled = + CurrentTasMovie.InputLogLength > 0 + && SaveRamEmulator != null; + } } } diff --git a/BizHawk.Client.EmuHawk/tools/TAStudio/TAStudio.resx b/BizHawk.Client.EmuHawk/tools/TAStudio/TAStudio.resx index 01148f7104..e5d9c35620 100644 --- a/BizHawk.Client.EmuHawk/tools/TAStudio/TAStudio.resx +++ b/BizHawk.Client.EmuHawk/tools/TAStudio/TAStudio.resx @@ -123,62 +123,19 @@ - iVBORw0KGgoAAAANSUhEUgAAABAAAAAQCAYAAAAf8/9hAAAABGdBTUEAALGOfPtRkwAAACBjSFJNAACH - DwAAjA8AAP1SAACBQAAAfXkAAOmLAAA85QAAGcxzPIV3AAAKOWlDQ1BQaG90b3Nob3AgSUNDIHByb2Zp - bGUAAEjHnZZ3VFTXFofPvXd6oc0wAlKG3rvAANJ7k15FYZgZYCgDDjM0sSGiAhFFRJoiSFDEgNFQJFZE - sRAUVLAHJAgoMRhFVCxvRtaLrqy89/Ly++Osb+2z97n77L3PWhcAkqcvl5cGSwGQyhPwgzyc6RGRUXTs - AIABHmCAKQBMVka6X7B7CBDJy82FniFyAl8EAfB6WLwCcNPQM4BOB/+fpFnpfIHomAARm7M5GSwRF4g4 - JUuQLrbPipgalyxmGCVmvihBEcuJOWGRDT77LLKjmNmpPLaIxTmns1PZYu4V8bZMIUfEiK+ICzO5nCwR - 3xKxRoowlSviN+LYVA4zAwAUSWwXcFiJIjYRMYkfEuQi4uUA4EgJX3HcVyzgZAvEl3JJS8/hcxMSBXQd - li7d1NqaQffkZKVwBALDACYrmcln013SUtOZvBwAFu/8WTLi2tJFRbY0tba0NDQzMv2qUP91829K3NtF - ehn4uWcQrf+L7a/80hoAYMyJarPziy2uCoDOLQDI3fti0zgAgKSobx3Xv7oPTTwviQJBuo2xcVZWlhGX - wzISF/QP/U+Hv6GvvmckPu6P8tBdOfFMYYqALq4bKy0lTcinZ6QzWRy64Z+H+B8H/nUeBkGceA6fwxNF - hImmjMtLELWbx+YKuGk8Opf3n5r4D8P+pMW5FonS+BFQY4yA1HUqQH7tBygKESDR+8Vd/6NvvvgwIH55 - 4SqTi3P/7zf9Z8Gl4iWDm/A5ziUohM4S8jMX98TPEqABAUgCKpAHykAd6ABDYAasgC1wBG7AG/iDEBAJ - VgMWSASpgA+yQB7YBApBMdgJ9oBqUAcaQTNoBcdBJzgFzoNL4Bq4AW6D+2AUTIBnYBa8BgsQBGEhMkSB - 5CEVSBPSh8wgBmQPuUG+UBAUCcVCCRAPEkJ50GaoGCqDqqF6qBn6HjoJnYeuQIPQXWgMmoZ+h97BCEyC - qbASrAUbwwzYCfaBQ+BVcAK8Bs6FC+AdcCXcAB+FO+Dz8DX4NjwKP4PnEIAQERqiihgiDMQF8UeikHiE - j6xHipAKpAFpRbqRPuQmMorMIG9RGBQFRUcZomxRnqhQFAu1BrUeVYKqRh1GdaB6UTdRY6hZ1Ec0Ga2I - 1kfboL3QEegEdBa6EF2BbkK3oy+ib6Mn0K8xGAwNo42xwnhiIjFJmLWYEsw+TBvmHGYQM46Zw2Kx8lh9 - rB3WH8vECrCF2CrsUexZ7BB2AvsGR8Sp4Mxw7rgoHA+Xj6vAHcGdwQ3hJnELeCm8Jt4G749n43PwpfhG - fDf+On4Cv0CQJmgT7AghhCTCJkIloZVwkfCA8JJIJKoRrYmBRC5xI7GSeIx4mThGfEuSIemRXEjRJCFp - B+kQ6RzpLuklmUzWIjuSo8gC8g5yM/kC+RH5jQRFwkjCS4ItsUGiRqJDYkjiuSReUlPSSXK1ZK5kheQJ - yeuSM1J4KS0pFymm1HqpGqmTUiNSc9IUaVNpf+lU6RLpI9JXpKdksDJaMm4ybJkCmYMyF2TGKQhFneJC - YVE2UxopFykTVAxVm+pFTaIWU7+jDlBnZWVkl8mGyWbL1sielh2lITQtmhcthVZKO04bpr1borTEaQln - yfYlrUuGlszLLZVzlOPIFcm1yd2WeydPl3eTT5bfJd8p/1ABpaCnEKiQpbBf4aLCzFLqUtulrKVFS48v - vacIK+opBimuVTyo2K84p6Ss5KGUrlSldEFpRpmm7KicpFyufEZ5WoWiYq/CVSlXOavylC5Ld6Kn0Cvp - vfRZVUVVT1Whar3qgOqCmrZaqFq+WpvaQ3WCOkM9Xr1cvUd9VkNFw08jT6NF454mXpOhmai5V7NPc15L - Wytca6tWp9aUtpy2l3audov2Ax2yjoPOGp0GnVu6GF2GbrLuPt0berCehV6iXo3edX1Y31Kfq79Pf9AA - bWBtwDNoMBgxJBk6GWYathiOGdGMfI3yjTqNnhtrGEcZ7zLuM/5oYmGSYtJoct9UxtTbNN+02/R3Mz0z - llmN2S1zsrm7+QbzLvMXy/SXcZbtX3bHgmLhZ7HVosfig6WVJd+y1XLaSsMq1qrWaoRBZQQwShiXrdHW - ztYbrE9Zv7WxtBHYHLf5zdbQNtn2iO3Ucu3lnOWNy8ft1OyYdvV2o/Z0+1j7A/ajDqoOTIcGh8eO6o5s - xybHSSddpySno07PnU2c+c7tzvMuNi7rXM65Iq4erkWuA24ybqFu1W6P3NXcE9xb3Gc9LDzWepzzRHv6 - eO7yHPFS8mJ5NXvNelt5r/Pu9SH5BPtU+zz21fPl+3b7wX7efrv9HqzQXMFb0ekP/L38d/s/DNAOWBPw - YyAmMCCwJvBJkGlQXlBfMCU4JvhI8OsQ55DSkPuhOqHC0J4wybDosOaw+XDX8LLw0QjjiHUR1yIVIrmR - XVHYqLCopqi5lW4r96yciLaILoweXqW9KnvVldUKq1NWn46RjGHGnIhFx4bHHol9z/RnNjDn4rziauNm - WS6svaxnbEd2OXuaY8cp40zG28WXxU8l2CXsTphOdEisSJzhunCruS+SPJPqkuaT/ZMPJX9KCU9pS8Wl - xqae5Mnwknm9acpp2WmD6frphemja2zW7Fkzy/fhN2VAGasyugRU0c9Uv1BHuEU4lmmfWZP5Jiss60S2 - dDYvuz9HL2d7zmSue+63a1FrWWt78lTzNuWNrXNaV78eWh+3vmeD+oaCDRMbPTYe3kTYlLzpp3yT/LL8 - V5vDN3cXKBVsLBjf4rGlpVCikF84stV2a9021DbutoHt5turtn8sYhddLTYprih+X8IqufqN6TeV33za - Eb9joNSydP9OzE7ezuFdDrsOl0mX5ZaN7/bb3VFOLy8qf7UnZs+VimUVdXsJe4V7Ryt9K7uqNKp2Vr2v - Tqy+XeNc01arWLu9dn4fe9/Qfsf9rXVKdcV17w5wD9yp96jvaNBqqDiIOZh58EljWGPft4xvm5sUmoqb - PhziHRo9HHS4t9mqufmI4pHSFrhF2DJ9NProje9cv+tqNWytb6O1FR8Dx4THnn4f+/3wcZ/jPScYJ1p/ - 0Pyhtp3SXtQBdeR0zHYmdo52RXYNnvQ+2dNt293+o9GPh06pnqo5LXu69AzhTMGZT2dzz86dSz83cz7h - /HhPTM/9CxEXbvUG9g5c9Ll4+ZL7pQt9Tn1nL9tdPnXF5srJq4yrndcsr3X0W/S3/2TxU/uA5UDHdavr - XTesb3QPLh88M+QwdP6m681Lt7xuXbu94vbgcOjwnZHokdE77DtTd1PuvriXeW/h/sYH6AdFD6UeVjxS - fNTws+7PbaOWo6fHXMf6Hwc/vj/OGn/2S8Yv7ycKnpCfVEyqTDZPmU2dmnafvvF05dOJZ+nPFmYKf5X+ - tfa5zvMffnP8rX82YnbiBf/Fp99LXsq/PPRq2aueuYC5R69TXy/MF72Rf3P4LeNt37vwd5MLWe+x7ys/ - 6H7o/ujz8cGn1E+f/gUDmPP8usTo0wAAAAlwSFlzAAALDAAACwwBP0AiyAAAAk1JREFUOE+VkktvUlEU - hVsfsdHoREcOHJr4C/RPONHoXzBxoOlAJybOlAZtkdSa2piYNsjjFiiX8qY8ChYL+ECB2lKB8rq0k5bE - miiRbtc+6b2B6MTBR/ZZa+919j3tEBH9RbudHD6E63/2qAwctreT58BVRVnWl8vBbLEg7wNC/QPaMrwb - 4GT/jFa024mzQLe56c9GwjM7klXXlcw6ksyPSbLoKByc/lUq+TbQMwrODARAGAF3SxtexSMbf8vOCVp9 - ZyK+/euaW9TO+SfksOlprSjvoteAjU5rAYqSuFyvR1PR8EwvGJii8rcAoYFSb+d4gDAgNI/8jGTHOFUr - oT3410QAHuk4Am4Vi/KOzz2JGxfFcLMZI3wK5T7ZqaXEhcYbWU2PKJM2H7Ra8XE14AQO91dTpk4k9JLq - 9YgYHghoxcWZPa/bSCH/C2o0orPaBo1GbDQee9VJxF+zoYFPwtpGWgpN0/uMRWgcyiG1WsSkBhxFwG0E - 7AV8z2lrKyxuYvgBs2kLr4z1XcLj4SA2gD+nBhxB8p1sxtKZt4xR/otTDNdqS1oQw7ezx2/AfxVok1oA - mh+WSt7v/MKLLgOtr3tEQD+sseeyPyX0dqHdVAOGq9XQPazX/JyzH9itY+SQ9LSSnKV8fkHANWvsoYc/ - JYaZERHAPzicBw9AoZBf+BnwTZEN/4G2N4egZg1eDz05cIHntACmUgmeAtdhRsvlwH6x6Dr4+EESoO5B - 68JLo+eSOjMQwKDpGLgCJtDoBysgBXzQDOBifz8zcPh/aOgP7nYTiVA2JaoAAAAASUVORK5CYII= + iVBORw0KGgoAAAANSUhEUgAAABAAAAAQCAYAAAAf8/9hAAAABGdBTUEAALGPC/xhBQAAACBjSFJNAAB6 + JgAAgIQAAPoAAACA6AAAdTAAAOpgAAA6mAAAF3CculE8AAAACXBIWXMAAAsKAAALCgG/Q2ZTAAACTUlE + QVQ4T5WSS29SURSFWx+x0ehERw4cmvgL9E840ehfMHGg6UAnJs6UBm2R1JramJg2yOMWKJfypjwKFgv4 + QIHaUoHyurSTlsSaKJFu1z7pvYHoxMFH9llr73X2Pe0QEf1Fu50cPoTrf/aoDBy2t5PnwFVFWdaXy8Fs + sSDvA0L9A9oyvBvgZP+MVrTbibNAt7npz0bCMzuSVdeVzDqSzI9JsugoHJz+VSr5NtAzCs4MBEAYAXdL + G17FIxt/y84JWn1nIr7965pb1M75J+Sw6WmtKO+i14CNTmsBipK4XK9HU9HwTC8YmKLytwChgVJv53iA + MCA0j/yMZMc4VSuhPfjXRAAe6TgCbhWL8o7PPYkbF8VwsxkjfArlPtmppcSFxhtZTY8okzYftFrxcTXg + BA73V1OmTiT0kur1iBgeCGjFxZk9r9tIIf8LajSis9oGjUZsNB571UnEX7OhgU/C2kZaCk3T+4xFaBzK + IbVaxKQGHEXAbQTsBXzPaWsrLG5i+AGzaQuvjPVdwuPhIDaAP6cGHEHynWzG0pm3jFH+i1MM12pLWhDD + t7PHb8B/FWiTWgCaH5ZK3u/8wosuA62ve0RAP6yx57I/JfR2od1UA4ar1dA9rNf8nLMf2K1j5JD0tJKc + pXx+QcA1a+yhhz8lhpkREcA/OJwHD0ChkF/4GfBNkQ3/gbY3h6BmDV4PPTlwgee0AKZSCZ4C12FGy+XA + frHoOvj4QRKg7kHrwkuj55I6MxDAoOkYuAIm0OgHKyAFfNAM4GJ/PzNw+H9o6A/udhOJUDYlqgAAAABJ + RU5ErkJggg== diff --git a/BizHawk.Client.EmuHawk/tools/TAStudio/UndoHistoryForm.Designer.cs b/BizHawk.Client.EmuHawk/tools/TAStudio/UndoHistoryForm.Designer.cs index f4290b4d00..39fe8220b7 100644 --- a/BizHawk.Client.EmuHawk/tools/TAStudio/UndoHistoryForm.Designer.cs +++ b/BizHawk.Client.EmuHawk/tools/TAStudio/UndoHistoryForm.Designer.cs @@ -211,6 +211,7 @@ this.Controls.Add(this.UndoButton); this.Controls.Add(this.HistoryView); this.Name = "UndoHistoryForm"; + this.ShowIcon = false; this.Text = "Undo History"; this.RightClickMenu.ResumeLayout(false); ((System.ComponentModel.ISupportInitialize)(this.MaxStepsNum)).EndInit(); diff --git a/BizHawk.Client.EmuHawk/tools/TAStudio/UndoHistoryForm.cs b/BizHawk.Client.EmuHawk/tools/TAStudio/UndoHistoryForm.cs index 25c53a3887..b15d391224 100644 --- a/BizHawk.Client.EmuHawk/tools/TAStudio/UndoHistoryForm.cs +++ b/BizHawk.Client.EmuHawk/tools/TAStudio/UndoHistoryForm.cs @@ -49,13 +49,17 @@ namespace BizHawk.Client.EmuHawk color = Color.Red; } - private int _lastCount = -1; + private string _lastUndoAction = null; public void UpdateValues() { HistoryView.ItemCount = log.Names.Count; - if (AutoScrollCheck.Checked && _lastCount != HistoryView.ItemCount) - HistoryView.ensureVisible(HistoryView.ItemCount - 1); - _lastCount = HistoryView.ItemCount; + if (AutoScrollCheck.Checked && _lastUndoAction != log.NextUndoStepName) + { + HistoryView.ensureVisible(log.UndoIndex - 1); + HistoryView.clearSelection(); + HistoryView.SelectItem(log.UndoIndex - 1, true); + } + _lastUndoAction = log.NextUndoStepName; HistoryView.Refresh(); } diff --git a/BizHawk.Client.EmuHawk/tools/ToolHelpers.cs b/BizHawk.Client.EmuHawk/tools/ToolHelpers.cs index 681cc179b3..f312ff3b61 100644 --- a/BizHawk.Client.EmuHawk/tools/ToolHelpers.cs +++ b/BizHawk.Client.EmuHawk/tools/ToolHelpers.cs @@ -14,17 +14,22 @@ namespace BizHawk.Client.EmuHawk { public static class ToolHelpers { - public static FileInfo GetTasProjFileFromUser(string currentFile) + public static FileInfo OpenFileDialog(string currentFile, string path, string fileType, string fileExt) { - var ofd = new OpenFileDialog(); - if (!string.IsNullOrWhiteSpace(currentFile)) + if (!Directory.Exists(path)) { - ofd.FileName = Path.GetFileNameWithoutExtension(currentFile); + Directory.CreateDirectory(path); } - ofd.InitialDirectory = PathManager.MakeAbsolutePath(Global.Config.PathEntries.MoviesPathFragment, null); - ofd.Filter = "Tas Project Files (*.tasproj)|*.tasproj|All Files|*.*"; - ofd.RestoreDirectory = true; + var ofd = new OpenFileDialog + { + FileName = !string.IsNullOrWhiteSpace(currentFile) + ? Path.GetFileName(currentFile) + : PathManager.FilesystemSafeName(Global.Game) + "." + fileExt, + InitialDirectory = path, + Filter = string.Format("{0} (*.{1})|*.{1}|All Files|*.*", fileType, fileExt), + RestoreDirectory = true + }; var result = ofd.ShowHawkDialog(); if (result != DialogResult.OK) @@ -35,22 +40,23 @@ namespace BizHawk.Client.EmuHawk return new FileInfo(ofd.FileName); } - public static FileInfo GetTasProjSaveFileFromUser(string currentFile) + public static FileInfo SaveFileDialog(string currentFile, string path, string fileType, string fileExt) { - var sfd = new SaveFileDialog(); - if (!string.IsNullOrWhiteSpace(currentFile)) + if (!Directory.Exists(path)) { - sfd.FileName = Path.GetFileNameWithoutExtension(currentFile); - sfd.InitialDirectory = Path.GetDirectoryName(currentFile); - } - else - { - sfd.FileName = PathManager.FilesystemSafeName(Global.Game); - sfd.InitialDirectory = PathManager.MakeAbsolutePath(Global.Config.PathEntries.MoviesPathFragment, null); + Directory.CreateDirectory(path); } - sfd.Filter = "Tas Project Files (*.tasproj)|*.tasproj|All Files|*.*"; - sfd.RestoreDirectory = true; + var sfd = new SaveFileDialog + { + FileName = !string.IsNullOrWhiteSpace(currentFile) + ? Path.GetFileName(currentFile) + : PathManager.FilesystemSafeName(Global.Game) + "." + fileExt, + InitialDirectory = path, + Filter = string.Format("{0} (*.{1})|*.{1}|All Files|*.*", fileType, fileExt), + RestoreDirectory = true, + }; + var result = sfd.ShowHawkDialog(); if (result != DialogResult.OK) { @@ -62,136 +68,13 @@ namespace BizHawk.Client.EmuHawk public static FileInfo GetWatchFileFromUser(string currentFile) { - var ofd = new OpenFileDialog(); - if (!string.IsNullOrWhiteSpace(currentFile)) - { - ofd.FileName = Path.GetFileNameWithoutExtension(currentFile); - } - - ofd.InitialDirectory = PathManager.MakeAbsolutePath(Global.Config.PathEntries.WatchPathFragment, null); - ofd.Filter = "Watch Files (*.wch)|*.wch|All Files|*.*"; - ofd.RestoreDirectory = true; - - var result = ofd.ShowHawkDialog(); - if (result != DialogResult.OK) - { - return null; - } - - return new FileInfo(ofd.FileName); + return OpenFileDialog(currentFile, PathManager.MakeAbsolutePath(Global.Config.PathEntries.WatchPathFragment, null), "Watch Files", "wch"); } public static FileInfo GetWatchSaveFileFromUser(string currentFile) { - var sfd = new SaveFileDialog(); - if (!string.IsNullOrWhiteSpace(currentFile)) - { - sfd.FileName = Path.GetFileNameWithoutExtension(currentFile); - sfd.InitialDirectory = Path.GetDirectoryName(currentFile); - } - else - { - sfd.FileName = PathManager.FilesystemSafeName(Global.Game); - sfd.InitialDirectory = PathManager.MakeAbsolutePath(Global.Config.PathEntries.WatchPathFragment, null); - } - - sfd.Filter = "Watch Files (*.wch)|*.wch|All Files|*.*"; - sfd.RestoreDirectory = true; - var result = sfd.ShowHawkDialog(); - if (result != DialogResult.OK) - { - return null; - } - - return new FileInfo(sfd.FileName); - } - - public static FileInfo GetCheatFileFromUser(string currentFile) - { - var ofd = new OpenFileDialog(); - if (!string.IsNullOrWhiteSpace(currentFile)) - { - ofd.FileName = Path.GetFileNameWithoutExtension(currentFile); - } - - ofd.InitialDirectory = PathManager.GetCheatsPath(Global.Game); - ofd.Filter = "Cheat Files (*.cht)|*.cht|All Files|*.*"; - ofd.RestoreDirectory = true; - - var result = ofd.ShowHawkDialog(); - if (result != DialogResult.OK) - { - return null; - } - - return new FileInfo(ofd.FileName); - } - - public static FileInfo GetCheatSaveFileFromUser(string currentFile) - { - var sfd = new SaveFileDialog(); - if (!string.IsNullOrWhiteSpace(currentFile)) - { - sfd.FileName = Path.GetFileNameWithoutExtension(currentFile); - } - - sfd.InitialDirectory = PathManager.GetCheatsPath(Global.Game); - sfd.Filter = "Cheat Files (*.cht)|*.cht|All Files|*.*"; - sfd.RestoreDirectory = true; - var result = sfd.ShowHawkDialog(); - if (result != DialogResult.OK) - { - return null; - } - - return new FileInfo(sfd.FileName); - } - - public static FileInfo GetCdlFileFromUser(string currentFile) - { - var ofd = new OpenFileDialog - { - Filter = "Code Data Logger Files (*.cdl)|*.cdl|All Files|*.*", - InitialDirectory = PathManager.MakeAbsolutePath(Global.Config.PathEntries.LogPathFragment, null), - RestoreDirectory = true - }; - - if (!string.IsNullOrWhiteSpace(currentFile)) - { - ofd.FileName = Path.GetFileNameWithoutExtension(currentFile); - } - - var result = ofd.ShowHawkDialog(); - if (result != DialogResult.OK) - { - return null; - } - - return new FileInfo(ofd.FileName); - } - - public static FileInfo GetCdlSaveFileFromUser(string currentFile) - { - var sfd = new SaveFileDialog - { - Filter = "Code Data Logger Files (*.cdl)|*.cdl|All Files|*.*", - InitialDirectory = PathManager.MakeAbsolutePath(Global.Config.PathEntries.LogPathFragment, null), - RestoreDirectory = true - }; - - if (!string.IsNullOrWhiteSpace(currentFile)) - { - sfd.FileName = Path.GetFileNameWithoutExtension(currentFile); - } - - var result = sfd.ShowHawkDialog(); - if (result != DialogResult.OK) - { - return null; - } - - return new FileInfo(sfd.FileName); - } + return SaveFileDialog(currentFile, PathManager.MakeAbsolutePath(Global.Config.PathEntries.WatchPathFragment, null), "Watch Files", "wch"); + } public static void UpdateCheatRelatedTools(object sender, CheatCollection.CheatListEventArgs e) { diff --git a/BizHawk.Client.EmuHawk/tools/ToolManager.cs b/BizHawk.Client.EmuHawk/tools/ToolManager.cs index b76147809a..f0e5ffea74 100644 --- a/BizHawk.Client.EmuHawk/tools/ToolManager.cs +++ b/BizHawk.Client.EmuHawk/tools/ToolManager.cs @@ -204,10 +204,13 @@ namespace BizHawk.Client.EmuHawk form.FormClosing += (o, e) => { - settings.Wndx = form.Location.X; - settings.Wndy = form.Location.Y; - settings.Width = form.Right - form.Left; // why not form.Size.Width? - settings.Height = form.Bottom - form.Top; + if (form.WindowState == FormWindowState.Normal) + { + settings.Wndx = form.Location.X; + settings.Wndy = form.Location.Y; + settings.Width = form.Right - form.Left; // why not form.Size.Width? + settings.Height = form.Bottom - form.Top; + } }; dest[idx + 0].Click += (o, e) => @@ -835,7 +838,7 @@ namespace BizHawk.Client.EmuHawk { Load(); } - else if (Global.Emulator.SystemId == "GEN" && VersionInfo.DeveloperBuild) + else if (Global.Emulator.SystemId == "GEN") { Load(); } diff --git a/BizHawk.Client.EmuHawk/tools/VirtualPads/VirtualPad.cs b/BizHawk.Client.EmuHawk/tools/VirtualPads/VirtualPad.cs index 1f5b2f5b17..aa8238de3d 100644 --- a/BizHawk.Client.EmuHawk/tools/VirtualPads/VirtualPad.cs +++ b/BizHawk.Client.EmuHawk/tools/VirtualPads/VirtualPad.cs @@ -85,9 +85,9 @@ namespace BizHawk.Client.EmuHawk { Name = button.Name, Location = UIHelper.Scale(button.Location), - Size = UIHelper.Scale(new Size(button.MaxValue + 79, button.MaxValue + 9)), // TODO: don't use hardcoded values here, at least make them defaults in the AnalogStick object itself - RangeX = button.MaxValue, - RangeY = button.MaxValue // TODO ability to pass in a different Y max + Size = UIHelper.Scale(new Size(127 + 79, 127 + 9)), + RangeX = new float[] { button.MinValue, button.MidValue, button.MaxValue }, + RangeY = new float[] { button.MinValueSec, button.MidValueSec, button.MaxValueSec }, }); break; case PadSchema.PadInputType.TargetedPair: diff --git a/BizHawk.Client.EmuHawk/tools/VirtualPads/controls/VirtualPadAnalogStick.Designer.cs b/BizHawk.Client.EmuHawk/tools/VirtualPads/controls/VirtualPadAnalogStick.Designer.cs index 12da64bb8d..6245962f67 100644 --- a/BizHawk.Client.EmuHawk/tools/VirtualPads/controls/VirtualPadAnalogStick.Designer.cs +++ b/BizHawk.Client.EmuHawk/tools/VirtualPads/controls/VirtualPadAnalogStick.Designer.cs @@ -109,9 +109,9 @@ this.MaxLabel.AutoSize = true; this.MaxLabel.Location = new System.Drawing.Point(138, 72); this.MaxLabel.Name = "MaxLabel"; - this.MaxLabel.Size = new System.Drawing.Size(27, 13); + this.MaxLabel.Size = new System.Drawing.Size(47, 13); this.MaxLabel.TabIndex = 27; - this.MaxLabel.Text = "Max"; + this.MaxLabel.Text = "Range%"; // // MaxXNumeric // @@ -161,9 +161,8 @@ | System.Windows.Forms.AnchorStyles.Right))); this.AnalogStick.BackColor = System.Drawing.Color.Gray; this.AnalogStick.BorderStyle = System.Windows.Forms.BorderStyle.Fixed3D; + this.AnalogStick.ClearCallback = null; this.AnalogStick.Location = new System.Drawing.Point(3, 3); - this.AnalogStick.MaxX = 127; - this.AnalogStick.MaxY = 127; this.AnalogStick.Name = "AnalogStick"; this.AnalogStick.ReadOnly = false; this.AnalogStick.Size = new System.Drawing.Size(129, 129); diff --git a/BizHawk.Client.EmuHawk/tools/VirtualPads/controls/VirtualPadAnalogStick.cs b/BizHawk.Client.EmuHawk/tools/VirtualPads/controls/VirtualPadAnalogStick.cs index 8fd5038c05..edd6b6cd02 100644 --- a/BizHawk.Client.EmuHawk/tools/VirtualPads/controls/VirtualPadAnalogStick.cs +++ b/BizHawk.Client.EmuHawk/tools/VirtualPads/controls/VirtualPadAnalogStick.cs @@ -17,32 +17,33 @@ namespace BizHawk.Client.EmuHawk { InitializeComponent(); AnalogStick.ClearCallback = ClearCallback; - RangeX = 127; - RangeY = 127; } - public int RangeX { get; set; } - public int RangeY { get; set; } + public float[] RangeX = new float[] { -128f, 0.0f, 127f }; + public float[] RangeY = new float[] { -128f, 0.0f, 127f }; + private void VirtualPadAnalogStick_Load(object sender, EventArgs e) { AnalogStick.Name = Name; AnalogStick.XName = Name; AnalogStick.YName = Name.Replace("X", "Y"); // TODO: allow schema to dictate this but this is a convenient default - AnalogStick.MaxX = RangeX; - AnalogStick.MaxY = RangeY; + AnalogStick.SetRangeX(RangeX); + AnalogStick.SetRangeY(RangeY); - ManualX.Minimum = AnalogStick.MinX; - ManualX.Maximum = AnalogStick.MaxX; + ManualX.Minimum = (decimal)RangeX[0]; + ManualX.Maximum = (decimal)RangeX[2]; - ManualY.Minimum = AnalogStick.MinY; - ManualY.Maximum = AnalogStick.MaxY; + ManualY.Minimum = (decimal)RangeX[0]; + ManualY.Maximum = (decimal)RangeX[2]; - MaxXNumeric.Maximum = RangeX; - MaxXNumeric.Value = RangeX; + MaxXNumeric.Minimum = 1; + MaxXNumeric.Maximum = 100; + MaxXNumeric.Value = 100; - MaxYNumeric.Maximum = RangeY; - MaxYNumeric.Value = RangeY; // Note: these trigger change events that change the analog stick too + MaxYNumeric.Minimum = 1; + MaxYNumeric.Maximum = 100; + MaxYNumeric.Value = 100; // Note: these trigger change events that change the analog stick too } #region IVirtualPadControl Implementation @@ -233,8 +234,8 @@ namespace BizHawk.Client.EmuHawk { if (!_programmaticallyUpdatingNumerics) { - AnalogStick.MaxX = (int)MaxXNumeric.Value; - AnalogStick.MaxY = (int)MaxYNumeric.Value; + //blehh,... this damn feature + AnalogStick.SetUserRange((float)MaxXNumeric.Value, (float)MaxYNumeric.Value); } } } diff --git a/BizHawk.Client.EmuHawk/tools/VirtualPads/controls/components/AnalogSticklPanel.cs b/BizHawk.Client.EmuHawk/tools/VirtualPads/controls/components/AnalogSticklPanel.cs index 45d3a5cc88..77da016124 100644 --- a/BizHawk.Client.EmuHawk/tools/VirtualPads/controls/components/AnalogSticklPanel.cs +++ b/BizHawk.Client.EmuHawk/tools/VirtualPads/controls/components/AnalogSticklPanel.cs @@ -1,9 +1,11 @@ -using System.Drawing; +using System; +using System.Drawing; using System.Windows.Forms; using BizHawk.Client.Common; using BizHawk.Emulation.Common; -using System; + +//Just because this code was mostly rewritten, dont think it isnt still awful namespace BizHawk.Client.EmuHawk { @@ -48,31 +50,140 @@ namespace BizHawk.Client.EmuHawk private IController _previous = null; - public int MaxX + float UserRangePercentageX = 100, UserRangePercentageY = 100; + + public void SetUserRange(float rx, float ry) { - get { return _maxX; } - set - { - _maxX = value; - CheckMax(); - } + UserRangePercentageX = rx; + UserRangePercentageY = ry; + Rerange(); + Refresh(); } - public int MaxY + public void SetRangeX(float[] range) { - get { return _maxY; } - set - { - _maxY = value; - CheckMax(); - } + for (int i = 0; i < 3; i++) ActualRangeX[i] = range[i]; + Rerange(); } - private int _maxX = 127; - private int _maxY = 127; + public void SetRangeY(float[] range) + { + for (int i = 0; i < 3; i++) ActualRangeY[i] = range[i]; + Rerange(); + } - public int MinX { get { return 0 - MaxX - 1; } } - public int MinY { get { return 0 - MaxY - 1; } } + public float[] RangeX = new float[] { -128f, 0.0f, 127f }; + public float[] RangeY = new float[] { -128f, 0.0f, 127f }; + public float[] ActualRangeX = new float[] { -128f, 0.0f, 127f }; + public float[] ActualRangeY = new float[] { -128f, 0.0f, 127f }; + + float flipx = 1, flipy = 1; + + void Rerange() + { + //baseline: + //Array.Copy(ActualRangeX, RangeX, 3); + //Array.Copy(ActualRangeY, RangeY, 3); + + float rx = ActualRangeX[2] - ActualRangeX[0]; + float ry = ActualRangeY[2] - ActualRangeY[0]; + float midx = rx / 2 + ActualRangeX[0]; + float midy = ry / 2 + ActualRangeY[0]; + rx *= UserRangePercentageX / 100; + ry *= UserRangePercentageY / 100; + float minx = midx - rx / 2; + float maxx = minx + rx; + float miny = midy - ry / 2; + float maxy = miny + ry; + + if (minx > maxx) + { + float temp = minx; + minx = maxx; + maxx = temp; + flipx = -1; + } + + if (miny > maxy) + { + float temp = miny; + miny = maxy; + maxy = temp; + flipy = -1; + } + + //Range?[1] isn't really used + RangeX[0] = minx; + RangeX[2] = maxx; + RangeY[0] = miny; + RangeY[2] = maxy; + + Clamp(); + } + + //dont count on this working. it's never been tested. + //but it kind of must be, or else nothing here would work... + public float ScaleX = 0.5f; + public float ScaleY = 0.5f; + + int MinX { get { return (int)(RangeX[0]); } } + int MinY { get { return (int)(RangeY[0]); } } + int MaxX { get { return (int)(RangeX[2]); } } + int MaxY { get { return (int)(RangeY[2]); } } + int RangeSizeX { get { return (int)(MaxX - MinX + 1); } } + int RangeSizeY { get { return (int)(MaxY - MinY + 1); } } + + int PixelSizeX { get { return (int)(RangeSizeX * ScaleX); } } + int PixelSizeY { get { return (int)(RangeSizeY * ScaleY); } } + int PixelMinX { get { return (Size.Width - PixelSizeX) / 2; } } + int PixelMinY { get { return (Size.Height - PixelSizeY) / 2; } } + int PixelMidX { get { return PixelMinX + PixelSizeX / 2; } } + int PixelMidY { get { return PixelMinY + PixelSizeY / 2; } } + int PixelMaxX { get { return PixelMinX + PixelSizeX - 1; } } + int PixelMaxY { get { return PixelMinY + PixelSizeY - 1; } } + + private int RealToGfxX(int val) + { + int v = val; + if (flipx == -1) + v = (MaxX - val) + MinX; + v = (int)(((float)v - MinX) * ScaleX); + v += PixelMinX; + return v; + } + + private int RealToGfxY(int val) + { + int v = val; + if (flipy == -1) + v = (MaxY - val) + MinY; + v = (int)(((float)v - MinY) * ScaleY); + v += PixelMinY; + return v; + } + + private int GfxToRealX(int val) + { + val -= PixelMinX; + float v = ((float)val / ScaleX + MinX); + if (v < MinX) v = MinX; + if (v > MaxX) v = MaxX; + if (flipx == -1) + v = (MaxX - v) + MinX; + return (int)v; + } + + private int GfxToRealY(int val) + { + val -= PixelMinY; + float v; + v = ((float)val / ScaleY + MinY); + if (v < MinX) v = MinX; + if (v > MaxX) v = MaxX; + if(flipy == -1) + v = (MaxY - v) + MinY; + return (int)v; + } private readonly Brush WhiteBrush = Brushes.White; private readonly Brush GrayBrush = Brushes.LightGray; @@ -98,7 +209,7 @@ namespace BizHawk.Client.EmuHawk public AnalogStickPanel() { - Size = new Size(MaxX + 1, MaxY + 1); + Size = new Size(PixelSizeX + 1, PixelSizeY + 1); SetStyle(ControlStyles.AllPaintingInWmPaint, true); SetStyle(ControlStyles.UserPaint, true); SetStyle(ControlStyles.OptimizedDoubleBuffer, true); @@ -126,30 +237,6 @@ namespace BizHawk.Client.EmuHawk } } - private int RealToGfx(int val) - { - return (val + MaxX) / 2; - } - - private int GfxToReal(int val, bool isX) // isX is a hack - { - var max = isX ? MaxX : MaxY; - var min = isX ? MinX : MinY; - - var ret = (val * 2); - if (ret > max) - { - ret = max; - } - - if (ret < min) - { - ret = min; - } - - return ret; - } - private void SetAnalog() { var xn = HasValue ? X : (int?)null; @@ -160,35 +247,33 @@ namespace BizHawk.Client.EmuHawk Refresh(); } - private int MidX { get { return (int)((MaxX + 0.5) / 2); } } - private int MidY { get { return (int)((MaxY + 0.5) / 2); } } - private void AnalogControlPanel_Paint(object sender, PaintEventArgs e) { unchecked { // Background e.Graphics.Clear(Color.Black); - e.Graphics.FillRectangle(GrayBrush, 0, 0, MaxX, MaxY); - e.Graphics.FillEllipse(ReadOnly ? OffWhiteBrush : WhiteBrush, 0, 0, MaxX - 1, MaxY - 3); - e.Graphics.DrawEllipse(BlackPen, 0, 0, MaxX - 1, MaxY - 3); - e.Graphics.DrawLine(BlackPen, MidX, 0, MidX, MaxY); - e.Graphics.DrawLine(BlackPen, 0, MidY, MaxX, MidY); + + e.Graphics.FillRectangle(GrayBrush, PixelMinX, PixelMinY, PixelMaxX - PixelMinX, PixelMaxY- PixelMinY); + e.Graphics.FillEllipse(ReadOnly ? OffWhiteBrush : WhiteBrush, PixelMinX, PixelMinY, PixelMaxX - PixelMinX - 2, PixelMaxY - PixelMinY - 3); + e.Graphics.DrawEllipse(BlackPen, PixelMinX, PixelMinY, PixelMaxX - PixelMinX - 2, PixelMaxY - PixelMinY - 3); + e.Graphics.DrawLine(BlackPen, PixelMidX, 0, PixelMidX, PixelMaxY); + e.Graphics.DrawLine(BlackPen, 0, PixelMidY, PixelMaxX, PixelMidY); // Previous frame if (_previous != null) { var pX = (int)_previous.GetFloat(XName); var pY = (int)_previous.GetFloat(YName); - e.Graphics.DrawLine(GrayPen, MidX, MidY, RealToGfx(pX), MaxY - RealToGfx(pY)); - e.Graphics.DrawImage(GrayDot, RealToGfx(pX) - 3, MaxY - RealToGfx(pY) - 3); + e.Graphics.DrawLine(GrayPen, PixelMidX, PixelMidY, RealToGfxX(pX), RealToGfxY(pY)); + e.Graphics.DrawImage(GrayDot, RealToGfxX(pX) - 3, RealToGfxY(MaxY) - RealToGfxY(pY) - 3); } // Line if (HasValue) { - e.Graphics.DrawLine(BluePen, MidX, MidY, RealToGfx(X), MaxY - RealToGfx(Y)); - e.Graphics.DrawImage(ReadOnly ? GrayDot : Dot, RealToGfx(X) - 3, MaxY - RealToGfx(Y) - 3); + e.Graphics.DrawLine(BluePen, PixelMidX, PixelMidY, RealToGfxX(X), RealToGfxY(Y)); + e.Graphics.DrawImage(ReadOnly ? GrayDot : Dot, RealToGfxX(X) - 3, RealToGfxY(Y) - 3); } } } @@ -199,8 +284,9 @@ namespace BizHawk.Client.EmuHawk { if (e.Button == MouseButtons.Left) { - X = GfxToReal(e.X - MidX, true); - Y = GfxToReal(-(e.Y - MidY), false); + X = GfxToRealX(e.X); + Y = GfxToRealY(e.Y); + Clamp(); HasValue = true; SetAnalog(); } @@ -237,8 +323,9 @@ namespace BizHawk.Client.EmuHawk { if (e.Button == MouseButtons.Left) { - X = GfxToReal(e.X - MidX, true); - Y = GfxToReal(-(e.Y - MidY), false); + X = GfxToRealX(e.X); + Y = GfxToRealY(e.Y); + Clamp(); HasValue = true; } if (e.Button == MouseButtons.Right) @@ -282,12 +369,13 @@ namespace BizHawk.Client.EmuHawk { X = xval; Y = yval; + Clamp(); HasValue = true; Refresh(); } - private void CheckMax() + private void Clamp() { if (X > MaxX) { @@ -306,8 +394,6 @@ namespace BizHawk.Client.EmuHawk { Y = MinY; } - - Refresh(); } } } diff --git a/BizHawk.Client.EmuHawk/tools/VirtualPads/schema/N64Schema.cs b/BizHawk.Client.EmuHawk/tools/VirtualPads/schema/N64Schema.cs index 5bb42469b4..6afa6fb363 100644 --- a/BizHawk.Client.EmuHawk/tools/VirtualPads/schema/N64Schema.cs +++ b/BizHawk.Client.EmuHawk/tools/VirtualPads/schema/N64Schema.cs @@ -134,7 +134,12 @@ namespace BizHawk.Client.EmuHawk new PadSchema.ButtonScema { Name = "P" + controller + " X Axis", + MinValue = -128, + MidValue = 0, MaxValue = 127, + MinValueSec = 127, + MidValueSec = 0, + MaxValueSec = -128, DisplayName = "", Location = new Point(6, 14), Type = PadSchema.PadInputType.AnalogStick diff --git a/BizHawk.Client.EmuHawk/tools/VirtualPads/schema/PSXSchema.cs b/BizHawk.Client.EmuHawk/tools/VirtualPads/schema/PSXSchema.cs index e78fb8c1dd..71082ec872 100644 --- a/BizHawk.Client.EmuHawk/tools/VirtualPads/schema/PSXSchema.cs +++ b/BizHawk.Client.EmuHawk/tools/VirtualPads/schema/PSXSchema.cs @@ -14,19 +14,14 @@ namespace BizHawk.Client.EmuHawk var psx = ((Octoshock)Global.Emulator); var settings = (Octoshock.SyncSettings)psx.GetSyncSettings(); - for (int i = 0; i < settings.Controllers.Length; i++) + var fioConfig = settings.FIOConfig.ToLogical(); + for (int i = 0; i < 2; i++) { - if (settings.Controllers[i].IsConnected) - { - if (settings.Controllers[i].Type == Octoshock.ControllerSetting.ControllerType.Gamepad) - { - yield return GamePadController(i + 1); - } - else - { - yield return DualShockController(i + 1); - } - } + int pnum = i + 1; + if (fioConfig.DevicesPlayer[i] == OctoshockDll.ePeripheralType.DualAnalog || fioConfig.DevicesPlayer[i] == OctoshockDll.ePeripheralType.DualShock) + yield return DualShockController(pnum); + if (fioConfig.DevicesPlayer[i] == OctoshockDll.ePeripheralType.Pad) + yield return GamePadController(pnum); } yield return ConsoleButtons(psx); @@ -164,7 +159,12 @@ namespace BizHawk.Client.EmuHawk new PadSchema.ButtonScema { Name = "P" + controller + " LStick X", - MaxValue = 127, + MinValue = 0, + MidValue = 128, + MaxValue = 255, + MinValueSec = 0, + MidValueSec = 128, + MaxValueSec = 255, DisplayName = "", Location = new Point(3, 120), Type = PadSchema.PadInputType.AnalogStick @@ -172,7 +172,12 @@ namespace BizHawk.Client.EmuHawk new PadSchema.ButtonScema { Name = "P" + controller + " RStick X", - MaxValue = 127, + MinValue = 0, + MidValue = 128, + MaxValue = 255, + MinValueSec = 0, + MidValueSec = 128, + MaxValueSec = 255, DisplayName = "", Location = new Point(210, 120), Type = PadSchema.PadInputType.AnalogStick diff --git a/BizHawk.Client.EmuHawk/tools/VirtualPads/schema/PadSchema.cs b/BizHawk.Client.EmuHawk/tools/VirtualPads/schema/PadSchema.cs index 4e5e6c9d13..fca261cbc6 100644 --- a/BizHawk.Client.EmuHawk/tools/VirtualPads/schema/PadSchema.cs +++ b/BizHawk.Client.EmuHawk/tools/VirtualPads/schema/PadSchema.cs @@ -31,7 +31,11 @@ namespace BizHawk.Client.EmuHawk public Size TargetSize { get; set; } // Specifically for TargetedPair, specifies the screen size public string[] SecondaryNames { get; set; } // Any other buttons necessary to operate (such as the Y axis) public int MaxValue { get; set; } // For non-boolean values, specifies the maximum value the button allows + public int MidValue { get; set; } // For non-boolean values, specifies the mid (zero) value for the button public int MinValue { get; set; } // For non-boolean values, specifies the minimum value the button allows + public int MaxValueSec { get; set; } + public int MidValueSec { get; set; } + public int MinValueSec { get; set; } public object OwnerEmulator { get; set; } } } diff --git a/BizHawk.Client.EmuHawk/tools/Watch/RamSearch.cs b/BizHawk.Client.EmuHawk/tools/Watch/RamSearch.cs index 3a407529ec..7ee58c663b 100644 --- a/BizHawk.Client.EmuHawk/tools/Watch/RamSearch.cs +++ b/BizHawk.Client.EmuHawk/tools/Watch/RamSearch.cs @@ -313,10 +313,13 @@ namespace BizHawk.Client.EmuHawk { SaveColumnInfo(); - Settings.Wndx = Location.X; - Settings.Wndy = Location.Y; - Settings.Width = Right - Left; - Settings.Height = Bottom - Top; + if (WindowState == FormWindowState.Normal) + { + Settings.Wndx = Location.X; + Settings.Wndy = Location.Y; + Settings.Width = Right - Left; + Settings.Height = Bottom - Top; + } } public void NewSearch() diff --git a/BizHawk.Client.EmuHawk/tools/Watch/RamWatch.Designer.cs b/BizHawk.Client.EmuHawk/tools/Watch/RamWatch.Designer.cs index d57f63046d..d018a85109 100644 --- a/BizHawk.Client.EmuHawk/tools/Watch/RamWatch.Designer.cs +++ b/BizHawk.Client.EmuHawk/tools/Watch/RamWatch.Designer.cs @@ -40,6 +40,9 @@ this.FreezeContextMenuItem = new System.Windows.Forms.ToolStripMenuItem(); this.UnfreezeAllContextMenuItem = new System.Windows.Forms.ToolStripMenuItem(); this.ViewInHexEditorContextMenuItem = new System.Windows.Forms.ToolStripMenuItem(); + this.Separator4 = new System.Windows.Forms.ToolStripSeparator(); + this.ReadBreakpointContextMenuItem = new System.Windows.Forms.ToolStripMenuItem(); + this.WriteBreakpointContextMenuItem = new System.Windows.Forms.ToolStripMenuItem(); this.Separator6 = new System.Windows.Forms.ToolStripSeparator(); this.InsertSeperatorContextMenuItem = new System.Windows.Forms.ToolStripMenuItem(); this.MoveUpContextMenuItem = new System.Windows.Forms.ToolStripMenuItem(); @@ -113,9 +116,6 @@ this.DiffColumn = ((System.Windows.Forms.ColumnHeader)(new System.Windows.Forms.ColumnHeader())); this.DomainColumn = ((System.Windows.Forms.ColumnHeader)(new System.Windows.Forms.ColumnHeader())); this.NotesColumn = ((System.Windows.Forms.ColumnHeader)(new System.Windows.Forms.ColumnHeader())); - this.ReadBreakpointContextMenuItem = new System.Windows.Forms.ToolStripMenuItem(); - this.Separator4 = new System.Windows.Forms.ToolStripSeparator(); - this.WriteBreakpointContextMenuItem = new System.Windows.Forms.ToolStripMenuItem(); this.ListViewContextMenu.SuspendLayout(); this.statusStrip1.SuspendLayout(); this.toolStrip1.SuspendLayout(); @@ -159,7 +159,7 @@ this.MoveUpContextMenuItem, this.MoveDownContextMenuItem}); this.ListViewContextMenu.Name = "contextMenuStrip1"; - this.ListViewContextMenu.Size = new System.Drawing.Size(204, 280); + this.ListViewContextMenu.Size = new System.Drawing.Size(191, 280); this.ListViewContextMenu.Opening += new System.ComponentModel.CancelEventHandler(this.ListViewContextMenu_Opening); // // EditContextMenuItem @@ -167,7 +167,7 @@ this.EditContextMenuItem.Image = global::BizHawk.Client.EmuHawk.Properties.Resources.CutHS; this.EditContextMenuItem.Name = "EditContextMenuItem"; this.EditContextMenuItem.ShortcutKeyDisplayString = "Ctrl+E"; - this.EditContextMenuItem.Size = new System.Drawing.Size(203, 22); + this.EditContextMenuItem.Size = new System.Drawing.Size(190, 22); this.EditContextMenuItem.Text = "&Edit"; this.EditContextMenuItem.Click += new System.EventHandler(this.EditWatchMenuItem_Click); // @@ -176,7 +176,7 @@ this.RemoveContextMenuItem.Image = global::BizHawk.Client.EmuHawk.Properties.Resources.Delete; this.RemoveContextMenuItem.Name = "RemoveContextMenuItem"; this.RemoveContextMenuItem.ShortcutKeyDisplayString = "Ctrl+R"; - this.RemoveContextMenuItem.Size = new System.Drawing.Size(203, 22); + this.RemoveContextMenuItem.Size = new System.Drawing.Size(190, 22); this.RemoveContextMenuItem.Text = "&Remove"; this.RemoveContextMenuItem.Click += new System.EventHandler(this.RemoveWatchMenuItem_Click); // @@ -185,7 +185,7 @@ this.DuplicateContextMenuItem.Image = global::BizHawk.Client.EmuHawk.Properties.Resources.Duplicate; this.DuplicateContextMenuItem.Name = "DuplicateContextMenuItem"; this.DuplicateContextMenuItem.ShortcutKeyDisplayString = "Ctrl+D"; - this.DuplicateContextMenuItem.Size = new System.Drawing.Size(203, 22); + this.DuplicateContextMenuItem.Size = new System.Drawing.Size(190, 22); this.DuplicateContextMenuItem.Text = "&Duplicate"; this.DuplicateContextMenuItem.Click += new System.EventHandler(this.DuplicateWatchMenuItem_Click); // @@ -194,7 +194,7 @@ this.PokeContextMenuItem.Image = global::BizHawk.Client.EmuHawk.Properties.Resources.poke; this.PokeContextMenuItem.Name = "PokeContextMenuItem"; this.PokeContextMenuItem.ShortcutKeyDisplayString = "Ctrl+P"; - this.PokeContextMenuItem.Size = new System.Drawing.Size(203, 22); + this.PokeContextMenuItem.Size = new System.Drawing.Size(190, 22); this.PokeContextMenuItem.Text = "&Poke"; this.PokeContextMenuItem.Click += new System.EventHandler(this.PokeAddressMenuItem_Click); // @@ -203,7 +203,7 @@ this.FreezeContextMenuItem.Image = global::BizHawk.Client.EmuHawk.Properties.Resources.Freeze; this.FreezeContextMenuItem.Name = "FreezeContextMenuItem"; this.FreezeContextMenuItem.ShortcutKeyDisplayString = "Ctrl+F"; - this.FreezeContextMenuItem.Size = new System.Drawing.Size(203, 22); + this.FreezeContextMenuItem.Size = new System.Drawing.Size(190, 22); this.FreezeContextMenuItem.Text = "&Freeze"; this.FreezeContextMenuItem.Click += new System.EventHandler(this.FreezeAddressMenuItem_Click); // @@ -211,28 +211,47 @@ // this.UnfreezeAllContextMenuItem.Image = global::BizHawk.Client.EmuHawk.Properties.Resources.Unfreeze; this.UnfreezeAllContextMenuItem.Name = "UnfreezeAllContextMenuItem"; - this.UnfreezeAllContextMenuItem.Size = new System.Drawing.Size(203, 22); + this.UnfreezeAllContextMenuItem.Size = new System.Drawing.Size(190, 22); this.UnfreezeAllContextMenuItem.Text = "Unfreeze &All"; this.UnfreezeAllContextMenuItem.Click += new System.EventHandler(this.UnfreezeAllContextMenuItem_Click); // // ViewInHexEditorContextMenuItem // this.ViewInHexEditorContextMenuItem.Name = "ViewInHexEditorContextMenuItem"; - this.ViewInHexEditorContextMenuItem.Size = new System.Drawing.Size(203, 22); + this.ViewInHexEditorContextMenuItem.Size = new System.Drawing.Size(190, 22); this.ViewInHexEditorContextMenuItem.Text = "View in Hex Editor"; this.ViewInHexEditorContextMenuItem.Click += new System.EventHandler(this.ViewInHexEditorContextMenuItem_Click); // + // Separator4 + // + this.Separator4.Name = "Separator4"; + this.Separator4.Size = new System.Drawing.Size(187, 6); + // + // ReadBreakpointContextMenuItem + // + this.ReadBreakpointContextMenuItem.Name = "ReadBreakpointContextMenuItem"; + this.ReadBreakpointContextMenuItem.Size = new System.Drawing.Size(190, 22); + this.ReadBreakpointContextMenuItem.Text = "Set Read Breakpoint"; + this.ReadBreakpointContextMenuItem.Click += new System.EventHandler(this.ReadBreakpointContextMenuItem_Click); + // + // WriteBreakpointContextMenuItem + // + this.WriteBreakpointContextMenuItem.Name = "WriteBreakpointContextMenuItem"; + this.WriteBreakpointContextMenuItem.Size = new System.Drawing.Size(190, 22); + this.WriteBreakpointContextMenuItem.Text = "Set Write Breakpoint"; + this.WriteBreakpointContextMenuItem.Click += new System.EventHandler(this.WriteBreakpointContextMenuItem_Click); + // // Separator6 // this.Separator6.Name = "Separator6"; - this.Separator6.Size = new System.Drawing.Size(200, 6); + this.Separator6.Size = new System.Drawing.Size(187, 6); // // InsertSeperatorContextMenuItem // this.InsertSeperatorContextMenuItem.Image = global::BizHawk.Client.EmuHawk.Properties.Resources.InsertSeparator; this.InsertSeperatorContextMenuItem.Name = "InsertSeperatorContextMenuItem"; this.InsertSeperatorContextMenuItem.ShortcutKeyDisplayString = "Ctrl+I"; - this.InsertSeperatorContextMenuItem.Size = new System.Drawing.Size(203, 22); + this.InsertSeperatorContextMenuItem.Size = new System.Drawing.Size(190, 22); this.InsertSeperatorContextMenuItem.Text = "&Insert Separator"; this.InsertSeperatorContextMenuItem.Click += new System.EventHandler(this.InsertSeparatorMenuItem_Click); // @@ -241,7 +260,7 @@ this.MoveUpContextMenuItem.Image = global::BizHawk.Client.EmuHawk.Properties.Resources.MoveUp; this.MoveUpContextMenuItem.Name = "MoveUpContextMenuItem"; this.MoveUpContextMenuItem.ShortcutKeyDisplayString = "Ctrl+Up"; - this.MoveUpContextMenuItem.Size = new System.Drawing.Size(203, 22); + this.MoveUpContextMenuItem.Size = new System.Drawing.Size(190, 22); this.MoveUpContextMenuItem.Text = "Move &Up"; this.MoveUpContextMenuItem.Click += new System.EventHandler(this.MoveUpMenuItem_Click); // @@ -250,7 +269,7 @@ this.MoveDownContextMenuItem.Image = global::BizHawk.Client.EmuHawk.Properties.Resources.MoveDown; this.MoveDownContextMenuItem.Name = "MoveDownContextMenuItem"; this.MoveDownContextMenuItem.ShortcutKeyDisplayString = "Ctrl+Down"; - this.MoveDownContextMenuItem.Size = new System.Drawing.Size(203, 22); + this.MoveDownContextMenuItem.Size = new System.Drawing.Size(190, 22); this.MoveDownContextMenuItem.Text = "Move &Down"; this.MoveDownContextMenuItem.Click += new System.EventHandler(this.MoveDownMenuItem_Click); // @@ -496,7 +515,7 @@ this.toolStripSeparator1, this.ExitMenuItem}); this.FileSubMenu.Name = "FileSubMenu"; - this.FileSubMenu.Size = new System.Drawing.Size(42, 20); + this.FileSubMenu.Size = new System.Drawing.Size(40, 20); this.FileSubMenu.Text = "&Files"; this.FileSubMenu.DropDownOpened += new System.EventHandler(this.FileSubMenu_DropDownOpened); // @@ -505,7 +524,7 @@ this.NewListMenuItem.Image = global::BizHawk.Client.EmuHawk.Properties.Resources.NewFile; this.NewListMenuItem.Name = "NewListMenuItem"; this.NewListMenuItem.ShortcutKeys = ((System.Windows.Forms.Keys)((System.Windows.Forms.Keys.Control | System.Windows.Forms.Keys.N))); - this.NewListMenuItem.Size = new System.Drawing.Size(195, 22); + this.NewListMenuItem.Size = new System.Drawing.Size(193, 22); this.NewListMenuItem.Text = "&New List"; this.NewListMenuItem.Click += new System.EventHandler(this.NewListMenuItem_Click); // @@ -514,7 +533,7 @@ this.OpenMenuItem.Image = global::BizHawk.Client.EmuHawk.Properties.Resources.OpenFile; this.OpenMenuItem.Name = "OpenMenuItem"; this.OpenMenuItem.ShortcutKeys = ((System.Windows.Forms.Keys)((System.Windows.Forms.Keys.Control | System.Windows.Forms.Keys.O))); - this.OpenMenuItem.Size = new System.Drawing.Size(195, 22); + this.OpenMenuItem.Size = new System.Drawing.Size(193, 22); this.OpenMenuItem.Text = "&Open..."; this.OpenMenuItem.Click += new System.EventHandler(this.OpenMenuItem_Click); // @@ -523,7 +542,7 @@ this.SaveMenuItem.Image = global::BizHawk.Client.EmuHawk.Properties.Resources.SaveAs; this.SaveMenuItem.Name = "SaveMenuItem"; this.SaveMenuItem.ShortcutKeys = ((System.Windows.Forms.Keys)((System.Windows.Forms.Keys.Control | System.Windows.Forms.Keys.S))); - this.SaveMenuItem.Size = new System.Drawing.Size(195, 22); + this.SaveMenuItem.Size = new System.Drawing.Size(193, 22); this.SaveMenuItem.Text = "&Save"; this.SaveMenuItem.Click += new System.EventHandler(this.SaveMenuItem_Click); // @@ -532,14 +551,14 @@ this.SaveAsMenuItem.Name = "SaveAsMenuItem"; this.SaveAsMenuItem.ShortcutKeys = ((System.Windows.Forms.Keys)(((System.Windows.Forms.Keys.Control | System.Windows.Forms.Keys.Shift) | System.Windows.Forms.Keys.S))); - this.SaveAsMenuItem.Size = new System.Drawing.Size(195, 22); + this.SaveAsMenuItem.Size = new System.Drawing.Size(193, 22); this.SaveAsMenuItem.Text = "Save &As..."; this.SaveAsMenuItem.Click += new System.EventHandler(this.SaveAsMenuItem_Click); // // AppendMenuItem // this.AppendMenuItem.Name = "AppendMenuItem"; - this.AppendMenuItem.Size = new System.Drawing.Size(195, 22); + this.AppendMenuItem.Size = new System.Drawing.Size(193, 22); this.AppendMenuItem.Text = "A&ppend File..."; this.AppendMenuItem.Click += new System.EventHandler(this.OpenMenuItem_Click); // @@ -549,26 +568,26 @@ this.noneToolStripMenuItem}); this.RecentSubMenu.Image = global::BizHawk.Client.EmuHawk.Properties.Resources.Recent; this.RecentSubMenu.Name = "RecentSubMenu"; - this.RecentSubMenu.Size = new System.Drawing.Size(195, 22); + this.RecentSubMenu.Size = new System.Drawing.Size(193, 22); this.RecentSubMenu.Text = "Recent"; this.RecentSubMenu.DropDownOpened += new System.EventHandler(this.RecentSubMenu_DropDownOpened); // // noneToolStripMenuItem // this.noneToolStripMenuItem.Name = "noneToolStripMenuItem"; - this.noneToolStripMenuItem.Size = new System.Drawing.Size(103, 22); + this.noneToolStripMenuItem.Size = new System.Drawing.Size(99, 22); this.noneToolStripMenuItem.Text = "None"; // // toolStripSeparator1 // this.toolStripSeparator1.Name = "toolStripSeparator1"; - this.toolStripSeparator1.Size = new System.Drawing.Size(192, 6); + this.toolStripSeparator1.Size = new System.Drawing.Size(190, 6); // // ExitMenuItem // this.ExitMenuItem.Name = "ExitMenuItem"; this.ExitMenuItem.ShortcutKeys = ((System.Windows.Forms.Keys)((System.Windows.Forms.Keys.Alt | System.Windows.Forms.Keys.F4))); - this.ExitMenuItem.Size = new System.Drawing.Size(195, 22); + this.ExitMenuItem.Size = new System.Drawing.Size(193, 22); this.ExitMenuItem.Text = "&Close"; this.ExitMenuItem.Click += new System.EventHandler(this.ExitMenuItem_Click); // @@ -592,7 +611,7 @@ this.toolStripSeparator2, this.PauseMenuItem}); this.WatchesSubMenu.Name = "WatchesSubMenu"; - this.WatchesSubMenu.Size = new System.Drawing.Size(64, 20); + this.WatchesSubMenu.Size = new System.Drawing.Size(61, 20); this.WatchesSubMenu.Text = "&Watches"; this.WatchesSubMenu.DropDownOpened += new System.EventHandler(this.WatchesSubMenu_DropDownOpened); // @@ -601,7 +620,7 @@ this.MemoryDomainsSubMenu.DropDownItems.AddRange(new System.Windows.Forms.ToolStripItem[] { this.Separator2}); this.MemoryDomainsSubMenu.Name = "MemoryDomainsSubMenu"; - this.MemoryDomainsSubMenu.Size = new System.Drawing.Size(224, 22); + this.MemoryDomainsSubMenu.Size = new System.Drawing.Size(211, 22); this.MemoryDomainsSubMenu.Text = "Memory Domains"; this.MemoryDomainsSubMenu.DropDownOpened += new System.EventHandler(this.MemoryDomainsSubMenu_DropDownOpened); // @@ -613,14 +632,14 @@ // toolStripSeparator8 // this.toolStripSeparator8.Name = "toolStripSeparator8"; - this.toolStripSeparator8.Size = new System.Drawing.Size(221, 6); + this.toolStripSeparator8.Size = new System.Drawing.Size(208, 6); // // NewWatchMenuItem // this.NewWatchMenuItem.Image = global::BizHawk.Client.EmuHawk.Properties.Resources.FindHS; this.NewWatchMenuItem.Name = "NewWatchMenuItem"; this.NewWatchMenuItem.ShortcutKeys = ((System.Windows.Forms.Keys)((System.Windows.Forms.Keys.Control | System.Windows.Forms.Keys.W))); - this.NewWatchMenuItem.Size = new System.Drawing.Size(224, 22); + this.NewWatchMenuItem.Size = new System.Drawing.Size(211, 22); this.NewWatchMenuItem.Text = "&New Watch"; this.NewWatchMenuItem.Click += new System.EventHandler(this.NewWatchMenuItem_Click); // @@ -629,7 +648,7 @@ this.EditWatchMenuItem.Image = global::BizHawk.Client.EmuHawk.Properties.Resources.CutHS; this.EditWatchMenuItem.Name = "EditWatchMenuItem"; this.EditWatchMenuItem.ShortcutKeys = ((System.Windows.Forms.Keys)((System.Windows.Forms.Keys.Control | System.Windows.Forms.Keys.E))); - this.EditWatchMenuItem.Size = new System.Drawing.Size(224, 22); + this.EditWatchMenuItem.Size = new System.Drawing.Size(211, 22); this.EditWatchMenuItem.Text = "&Edit Watch"; this.EditWatchMenuItem.Click += new System.EventHandler(this.EditWatchMenuItem_Click); // @@ -638,7 +657,7 @@ this.RemoveWatchMenuItem.Image = global::BizHawk.Client.EmuHawk.Properties.Resources.Delete; this.RemoveWatchMenuItem.Name = "RemoveWatchMenuItem"; this.RemoveWatchMenuItem.ShortcutKeys = ((System.Windows.Forms.Keys)((System.Windows.Forms.Keys.Control | System.Windows.Forms.Keys.R))); - this.RemoveWatchMenuItem.Size = new System.Drawing.Size(224, 22); + this.RemoveWatchMenuItem.Size = new System.Drawing.Size(211, 22); this.RemoveWatchMenuItem.Text = "&Remove Watch"; this.RemoveWatchMenuItem.Click += new System.EventHandler(this.RemoveWatchMenuItem_Click); // @@ -647,7 +666,7 @@ this.DuplicateWatchMenuItem.Image = global::BizHawk.Client.EmuHawk.Properties.Resources.Duplicate; this.DuplicateWatchMenuItem.Name = "DuplicateWatchMenuItem"; this.DuplicateWatchMenuItem.ShortcutKeys = ((System.Windows.Forms.Keys)((System.Windows.Forms.Keys.Control | System.Windows.Forms.Keys.D))); - this.DuplicateWatchMenuItem.Size = new System.Drawing.Size(224, 22); + this.DuplicateWatchMenuItem.Size = new System.Drawing.Size(211, 22); this.DuplicateWatchMenuItem.Text = "&Duplicate Watch"; this.DuplicateWatchMenuItem.Click += new System.EventHandler(this.DuplicateWatchMenuItem_Click); // @@ -656,7 +675,7 @@ this.PokeAddressMenuItem.Image = global::BizHawk.Client.EmuHawk.Properties.Resources.poke; this.PokeAddressMenuItem.Name = "PokeAddressMenuItem"; this.PokeAddressMenuItem.ShortcutKeys = ((System.Windows.Forms.Keys)((System.Windows.Forms.Keys.Control | System.Windows.Forms.Keys.P))); - this.PokeAddressMenuItem.Size = new System.Drawing.Size(224, 22); + this.PokeAddressMenuItem.Size = new System.Drawing.Size(211, 22); this.PokeAddressMenuItem.Text = "Poke Address"; this.PokeAddressMenuItem.Click += new System.EventHandler(this.PokeAddressMenuItem_Click); // @@ -665,7 +684,7 @@ this.FreezeAddressMenuItem.Image = global::BizHawk.Client.EmuHawk.Properties.Resources.Freeze; this.FreezeAddressMenuItem.Name = "FreezeAddressMenuItem"; this.FreezeAddressMenuItem.ShortcutKeys = ((System.Windows.Forms.Keys)((System.Windows.Forms.Keys.Control | System.Windows.Forms.Keys.F))); - this.FreezeAddressMenuItem.Size = new System.Drawing.Size(224, 22); + this.FreezeAddressMenuItem.Size = new System.Drawing.Size(211, 22); this.FreezeAddressMenuItem.Text = "Freeze Address"; this.FreezeAddressMenuItem.Click += new System.EventHandler(this.FreezeAddressMenuItem_Click); // @@ -674,7 +693,7 @@ this.InsertSeparatorMenuItem.Image = global::BizHawk.Client.EmuHawk.Properties.Resources.InsertSeparator; this.InsertSeparatorMenuItem.Name = "InsertSeparatorMenuItem"; this.InsertSeparatorMenuItem.ShortcutKeys = ((System.Windows.Forms.Keys)((System.Windows.Forms.Keys.Control | System.Windows.Forms.Keys.I))); - this.InsertSeparatorMenuItem.Size = new System.Drawing.Size(224, 22); + this.InsertSeparatorMenuItem.Size = new System.Drawing.Size(211, 22); this.InsertSeparatorMenuItem.Text = "Insert Separator"; this.InsertSeparatorMenuItem.Click += new System.EventHandler(this.InsertSeparatorMenuItem_Click); // @@ -682,21 +701,21 @@ // this.ClearChangeCountsMenuItem.Name = "ClearChangeCountsMenuItem"; this.ClearChangeCountsMenuItem.ShortcutKeys = ((System.Windows.Forms.Keys)((System.Windows.Forms.Keys.Alt | System.Windows.Forms.Keys.C))); - this.ClearChangeCountsMenuItem.Size = new System.Drawing.Size(224, 22); + this.ClearChangeCountsMenuItem.Size = new System.Drawing.Size(211, 22); this.ClearChangeCountsMenuItem.Text = "&Clear Change Counts"; this.ClearChangeCountsMenuItem.Click += new System.EventHandler(this.ClearChangeCountsMenuItem_Click); // // toolStripSeparator3 // this.toolStripSeparator3.Name = "toolStripSeparator3"; - this.toolStripSeparator3.Size = new System.Drawing.Size(221, 6); + this.toolStripSeparator3.Size = new System.Drawing.Size(208, 6); // // MoveUpMenuItem // this.MoveUpMenuItem.Image = global::BizHawk.Client.EmuHawk.Properties.Resources.MoveUp; this.MoveUpMenuItem.Name = "MoveUpMenuItem"; this.MoveUpMenuItem.ShortcutKeys = ((System.Windows.Forms.Keys)((System.Windows.Forms.Keys.Control | System.Windows.Forms.Keys.Up))); - this.MoveUpMenuItem.Size = new System.Drawing.Size(224, 22); + this.MoveUpMenuItem.Size = new System.Drawing.Size(211, 22); this.MoveUpMenuItem.Text = "Move &Up"; this.MoveUpMenuItem.Click += new System.EventHandler(this.MoveUpMenuItem_Click); // @@ -705,7 +724,7 @@ this.MoveDownMenuItem.Image = global::BizHawk.Client.EmuHawk.Properties.Resources.MoveDown; this.MoveDownMenuItem.Name = "MoveDownMenuItem"; this.MoveDownMenuItem.ShortcutKeys = ((System.Windows.Forms.Keys)((System.Windows.Forms.Keys.Control | System.Windows.Forms.Keys.Down))); - this.MoveDownMenuItem.Size = new System.Drawing.Size(224, 22); + this.MoveDownMenuItem.Size = new System.Drawing.Size(211, 22); this.MoveDownMenuItem.Text = "Move &Down"; this.MoveDownMenuItem.Click += new System.EventHandler(this.MoveDownMenuItem_Click); // @@ -713,20 +732,20 @@ // this.SelectAllMenuItem.Name = "SelectAllMenuItem"; this.SelectAllMenuItem.ShortcutKeyDisplayString = "Ctrl+A"; - this.SelectAllMenuItem.Size = new System.Drawing.Size(224, 22); + this.SelectAllMenuItem.Size = new System.Drawing.Size(211, 22); this.SelectAllMenuItem.Text = "Select &All"; this.SelectAllMenuItem.Click += new System.EventHandler(this.SelectAllMenuItem_Click); // // toolStripSeparator2 // this.toolStripSeparator2.Name = "toolStripSeparator2"; - this.toolStripSeparator2.Size = new System.Drawing.Size(221, 6); + this.toolStripSeparator2.Size = new System.Drawing.Size(208, 6); // // PauseMenuItem // this.PauseMenuItem.Image = global::BizHawk.Client.EmuHawk.Properties.Resources.Pause; this.PauseMenuItem.Name = "PauseMenuItem"; - this.PauseMenuItem.Size = new System.Drawing.Size(224, 22); + this.PauseMenuItem.Size = new System.Drawing.Size(211, 22); this.PauseMenuItem.Text = "&Pause"; this.PauseMenuItem.Click += new System.EventHandler(this.PauseMenuItem_Click); // @@ -741,7 +760,7 @@ this.toolStripSeparator7, this.RestoreWindowSizeMenuItem}); this.OptionsSubMenu.Name = "OptionsSubMenu"; - this.OptionsSubMenu.Size = new System.Drawing.Size(61, 20); + this.OptionsSubMenu.Size = new System.Drawing.Size(56, 20); this.OptionsSubMenu.Text = "&Options"; this.OptionsSubMenu.DropDownOpened += new System.EventHandler(this.OptionsSubMenu_DropDownOpened); // @@ -752,68 +771,68 @@ this.LastChangeMenuItem, this.OriginalMenuItem}); this.DefinePreviousValueSubMenu.Name = "DefinePreviousValueSubMenu"; - this.DefinePreviousValueSubMenu.Size = new System.Drawing.Size(217, 22); + this.DefinePreviousValueSubMenu.Size = new System.Drawing.Size(206, 22); this.DefinePreviousValueSubMenu.Text = "Define Previous Value"; this.DefinePreviousValueSubMenu.DropDownOpened += new System.EventHandler(this.DefinePreviousValueSubMenu_DropDownOpened); // // PreviousFrameMenuItem // this.PreviousFrameMenuItem.Name = "PreviousFrameMenuItem"; - this.PreviousFrameMenuItem.Size = new System.Drawing.Size(155, 22); + this.PreviousFrameMenuItem.Size = new System.Drawing.Size(148, 22); this.PreviousFrameMenuItem.Text = "Previous Frame"; this.PreviousFrameMenuItem.Click += new System.EventHandler(this.PreviousFrameMenuItem_Click); // // LastChangeMenuItem // this.LastChangeMenuItem.Name = "LastChangeMenuItem"; - this.LastChangeMenuItem.Size = new System.Drawing.Size(155, 22); + this.LastChangeMenuItem.Size = new System.Drawing.Size(148, 22); this.LastChangeMenuItem.Text = "Last Change"; this.LastChangeMenuItem.Click += new System.EventHandler(this.LastChangeMenuItem_Click); // // OriginalMenuItem // this.OriginalMenuItem.Name = "OriginalMenuItem"; - this.OriginalMenuItem.Size = new System.Drawing.Size(155, 22); + this.OriginalMenuItem.Size = new System.Drawing.Size(148, 22); this.OriginalMenuItem.Text = "&Original"; this.OriginalMenuItem.Click += new System.EventHandler(this.OriginalMenuItem_Click); // // WatchesOnScreenMenuItem // this.WatchesOnScreenMenuItem.Name = "WatchesOnScreenMenuItem"; - this.WatchesOnScreenMenuItem.Size = new System.Drawing.Size(217, 22); + this.WatchesOnScreenMenuItem.Size = new System.Drawing.Size(206, 22); this.WatchesOnScreenMenuItem.Text = "Display Watches On Screen"; this.WatchesOnScreenMenuItem.Click += new System.EventHandler(this.WatchesOnScreenMenuItem_Click); // // SaveWindowPositionMenuItem // this.SaveWindowPositionMenuItem.Name = "SaveWindowPositionMenuItem"; - this.SaveWindowPositionMenuItem.Size = new System.Drawing.Size(217, 22); + this.SaveWindowPositionMenuItem.Size = new System.Drawing.Size(206, 22); this.SaveWindowPositionMenuItem.Text = "Save Window Position"; this.SaveWindowPositionMenuItem.Click += new System.EventHandler(this.SaveWindowPositionMenuItem_Click); // // AlwaysOnTopMenuItem // this.AlwaysOnTopMenuItem.Name = "AlwaysOnTopMenuItem"; - this.AlwaysOnTopMenuItem.Size = new System.Drawing.Size(217, 22); + this.AlwaysOnTopMenuItem.Size = new System.Drawing.Size(206, 22); this.AlwaysOnTopMenuItem.Text = "&Always On Top"; this.AlwaysOnTopMenuItem.Click += new System.EventHandler(this.AlwaysOnTopMenuItem_Click); // // FloatingWindowMenuItem // this.FloatingWindowMenuItem.Name = "FloatingWindowMenuItem"; - this.FloatingWindowMenuItem.Size = new System.Drawing.Size(217, 22); + this.FloatingWindowMenuItem.Size = new System.Drawing.Size(206, 22); this.FloatingWindowMenuItem.Text = "&Floating Window"; this.FloatingWindowMenuItem.Click += new System.EventHandler(this.FloatingWindowMenuItem_Click); // // toolStripSeparator7 // this.toolStripSeparator7.Name = "toolStripSeparator7"; - this.toolStripSeparator7.Size = new System.Drawing.Size(214, 6); + this.toolStripSeparator7.Size = new System.Drawing.Size(203, 6); // // RestoreWindowSizeMenuItem // this.RestoreWindowSizeMenuItem.Name = "RestoreWindowSizeMenuItem"; - this.RestoreWindowSizeMenuItem.Size = new System.Drawing.Size(217, 22); + this.RestoreWindowSizeMenuItem.Size = new System.Drawing.Size(206, 22); this.RestoreWindowSizeMenuItem.Text = "Restore Default Settings"; this.RestoreWindowSizeMenuItem.Click += new System.EventHandler(this.RestoreDefaultsMenuItem_Click); // @@ -850,6 +869,7 @@ this.WatchListView.View = System.Windows.Forms.View.Details; this.WatchListView.ColumnClick += new System.Windows.Forms.ColumnClickEventHandler(this.WatchListView_ColumnClick); this.WatchListView.SelectedIndexChanged += new System.EventHandler(this.WatchListView_SelectedIndexChanged); + this.WatchListView.VirtualItemsSelectionRangeChanged += new System.Windows.Forms.ListViewVirtualItemsSelectionRangeChangedEventHandler(this.WatchListView_VirtualItemsSelectionRangeChanged); this.WatchListView.DragDrop += new System.Windows.Forms.DragEventHandler(this.NewRamWatch_DragDrop); this.WatchListView.DragEnter += new System.Windows.Forms.DragEventHandler(this.NewRamWatch_DragEnter); this.WatchListView.KeyDown += new System.Windows.Forms.KeyEventHandler(this.WatchListView_KeyDown); @@ -900,25 +920,6 @@ this.NotesColumn.Text = "Notes"; this.NotesColumn.Width = 128; // - // ReadBreakpointContextMenuItem - // - this.ReadBreakpointContextMenuItem.Name = "ReadBreakpointContextMenuItem"; - this.ReadBreakpointContextMenuItem.Size = new System.Drawing.Size(203, 22); - this.ReadBreakpointContextMenuItem.Text = "Set Read Breakpoint"; - this.ReadBreakpointContextMenuItem.Click += new System.EventHandler(this.ReadBreakpointContextMenuItem_Click); - // - // Separator4 - // - this.Separator4.Name = "Separator4"; - this.Separator4.Size = new System.Drawing.Size(200, 6); - // - // WriteBreakpointContextMenuItem - // - this.WriteBreakpointContextMenuItem.Name = "WriteBreakpointContextMenuItem"; - this.WriteBreakpointContextMenuItem.Size = new System.Drawing.Size(203, 22); - this.WriteBreakpointContextMenuItem.Text = "Set Write Breakpoint"; - this.WriteBreakpointContextMenuItem.Click += new System.EventHandler(this.WriteBreakpointContextMenuItem_Click); - // // RamWatch // this.AutoScaleDimensions = new System.Drawing.SizeF(6F, 13F); diff --git a/BizHawk.Client.EmuHawk/tools/Watch/RamWatch.cs b/BizHawk.Client.EmuHawk/tools/Watch/RamWatch.cs index 29b874e936..e2bc2003c9 100644 --- a/BizHawk.Client.EmuHawk/tools/Watch/RamWatch.cs +++ b/BizHawk.Client.EmuHawk/tools/Watch/RamWatch.cs @@ -544,10 +544,14 @@ namespace BizHawk.Client.EmuHawk private void SaveConfigSettings() { SaveColumnInfo(); - Settings.Wndx = Location.X; - Settings.Wndy = Location.Y; - Settings.Width = Right - Left; - Settings.Height = Bottom - Top; + + if (WindowState == FormWindowState.Normal) + { + Settings.Wndx = Location.X; + Settings.Wndy = Location.Y; + Settings.Width = Right - Left; + Settings.Height = Bottom - Top; + } } private void SetMemoryDomain(string name) @@ -1053,11 +1057,13 @@ namespace BizHawk.Client.EmuHawk MoveDownContextMenuItem.Visible = indexes.Count > 0; - ReadBreakpointContextMenuItem.Enabled = - WriteBreakpointContextMenuItem.Enabled = - SelectedWatches.Any() && - _debuggable != null && - _debuggable.MemoryCallbacksAvailable(); + ReadBreakpointContextMenuItem.Visible = + WriteBreakpointContextMenuItem.Visible = + Separator6.Visible = + SelectedWatches.Any() && + _debuggable != null && + _debuggable.MemoryCallbacksAvailable() && + SelectedWatches.All(w => w.Domain.Name == (_memoryDomains != null ? _memoryDomains.SystemBus.Name : "")); PokeContextMenuItem.Enabled = FreezeContextMenuItem.Visible = @@ -1197,7 +1203,15 @@ namespace BizHawk.Client.EmuHawk } #endregion - #endregion + + + private void WatchListView_VirtualItemsSelectionRangeChanged(object sender, ListViewVirtualItemsSelectionRangeChangedEventArgs e) + { + PokeAddressToolBarItem.Enabled = + FreezeAddressToolBarItem.Enabled = + SelectedIndices.Any() && + SelectedWatches.All(w => w.Domain.CanPoke()); + } } } diff --git a/BizHawk.Client.MultiHawk/DisplayManager/DisplayManager.cs b/BizHawk.Client.MultiHawk/DisplayManager/DisplayManager.cs index 71a3e1de83..5c7719286b 100644 --- a/BizHawk.Client.MultiHawk/DisplayManager/DisplayManager.cs +++ b/BizHawk.Client.MultiHawk/DisplayManager/DisplayManager.cs @@ -146,8 +146,6 @@ namespace BizHawk.Client.MultiHawk if (Global.Config.DispFinalFilter == 1) finalFilter = BizHawk.Client.EmuHawk.Filters.FinalPresentation.eFilterOption.Bilinear; if (Global.Config.DispFinalFilter == 2) finalFilter = BizHawk.Client.EmuHawk.Filters.FinalPresentation.eFilterOption.Bicubic; - finalFilter = BizHawk.Client.EmuHawk.Filters.FinalPresentation.eFilterOption.None; - fPresent.FilterOption = finalFilter; //add final presentation @@ -401,11 +399,11 @@ TESTEROO: } //TEST (to be removed once we have an actual example of bring in a texture ID from opengl emu core): - if (!isGlTextureId) - { - videoBuffer = new int[1] { videoTexture.Id.ToInt32() }; - goto TESTEROO; - } + //if (!isGlTextureId) + //{ + // videoBuffer = new int[1] { videoTexture.Id.ToInt32() }; + // goto TESTEROO; + //} } //record the size of what we received, since lua and stuff is gonna want to draw onto it diff --git a/BizHawk.Client.MultiHawk/Mainform.cs b/BizHawk.Client.MultiHawk/Mainform.cs index f913a775f5..4483834a48 100644 --- a/BizHawk.Client.MultiHawk/Mainform.cs +++ b/BizHawk.Client.MultiHawk/Mainform.cs @@ -217,7 +217,7 @@ namespace BizHawk.Client.MultiHawk "Colecovision", "*.col;%ARCH%", "Intellivision (very experimental)", "*.int;*.bin;*.rom;%ARCH%", "PSX Executables (experimental)", "*.exe", - "PSF Playstation Sound File (not supported)", "*.psf", + "PSF Playstation Sound File", "*.psf;*.minipsf", "Commodore 64 (experimental)", "*.prg; *.d64, *.g64; *.crt;%ARCH%", "SID Commodore 64 Music File", "*.sid;%ARCH%", "Nintendo 64", "*.z64;*.v64;*.n64", diff --git a/BizHawk.Common/BizHawk.Common.csproj b/BizHawk.Common/BizHawk.Common.csproj index 4ad782d4de..8d66018499 100644 --- a/BizHawk.Common/BizHawk.Common.csproj +++ b/BizHawk.Common/BizHawk.Common.csproj @@ -67,6 +67,7 @@ + diff --git a/BizHawk.Common/Extensions/IOExtensions.cs b/BizHawk.Common/Extensions/IOExtensions.cs index ca14b3a570..d1a3f7d0b7 100644 --- a/BizHawk.Common/Extensions/IOExtensions.cs +++ b/BizHawk.Common/Extensions/IOExtensions.cs @@ -1,4 +1,5 @@ using System; +using System.Collections.Generic; using System.IO; using System.Text; @@ -27,14 +28,22 @@ namespace BizHawk.Common.IOExtensions public static string ReadStringFixedAscii(this BinaryReader r, int bytes) { var read = new byte[bytes]; - for (var b = 0; b < bytes; b++) - { - read[b] = r.ReadByte(); - } - + r.Read(read, 0, bytes); return Encoding.UTF8.GetString(read); } + public static string ReadStringUtf8NullTerminated(this BinaryReader br) + { + MemoryStream ms = new MemoryStream(); + for (; ; ) + { + var b = br.ReadByte(); + if (b == 0) + return System.Text.Encoding.UTF8.GetString(ms.ToArray()); + ms.WriteByte(b); + } + } + public static void CopyTo(this Stream src, Stream dest) { int size = (src.CanSeek) ? Math.Min((int)(src.Length - src.Position), 0x2000) : 0x2000; diff --git a/BizHawk.Common/Extensions/StringExtensions.cs b/BizHawk.Common/Extensions/StringExtensions.cs index 42559db846..8b4dc857ca 100644 --- a/BizHawk.Common/Extensions/StringExtensions.cs +++ b/BizHawk.Common/Extensions/StringExtensions.cs @@ -146,7 +146,7 @@ namespace BizHawk.Common.StringExtensions return true; } - return char.ToUpper(c) >= 'A' && char.ToUpper(c) <= 'F'; + return char.ToUpperInvariant(c) >= 'A' && char.ToUpperInvariant(c) <= 'F'; } /// @@ -303,7 +303,7 @@ namespace BizHawk.Common.StringExtensions return string.Empty; } - var output = new StringBuilder(); + var output = new StringBuilder(raw.Length); foreach (var chr in raw) { diff --git a/BizHawk.Common/NDBDatabase.cs b/BizHawk.Common/NDBDatabase.cs new file mode 100644 index 0000000000..744768ff69 --- /dev/null +++ b/BizHawk.Common/NDBDatabase.cs @@ -0,0 +1,199 @@ +using System; +using System.IO; +using System.Collections.Generic; +using System.Linq; + +namespace BizHawk.Common +{ + /// + /// Non-consecutive Disk Block Database + /// Opens a file and stores blocks in it. + /// Blocks can be differently sized than the basic block size. Wastage will occur. + /// TODO: Mount on memory as well? + /// + public class NDBDatabase : IDisposable + { + readonly int BlockSize; + readonly long BlockCount; + + Dictionary Items = new Dictionary(); + LinkedList FreeList = new LinkedList(); + long FreeWatermark; + FileStream Stream; + + class Block + { + public long Number; + } + + class Item + { + public LinkedList Blocks = new LinkedList(); + public long Size; + } + + Block AllocBlock() + { + if (FreeList.Count != 0) + { + var blocknode = FreeList.First; + FreeList.RemoveFirst(); + Consumed += BlockSize; + return blocknode.Value; + } + + if (FreeWatermark == BlockCount) + throw new OutOfMemoryException("NDBDatabase out of reserved space"); + + var b = new Block() { Number = FreeWatermark }; + FreeWatermark++; + Consumed += BlockSize; + + return b; + } + + long GetOffsetForBlock(Block b) + { + return b.Number * BlockSize; + } + + /// + /// Creates a new instance around a DeleteOnClose file of the provided path + /// + public NDBDatabase(string path, long size, int blocksize) + { + Capacity = size; + Consumed = 0; + BlockSize = blocksize; + BlockCount = size / BlockSize; + Directory.CreateDirectory(Path.GetDirectoryName(path)); + Stream = new FileStream(path, FileMode.Create, System.Security.AccessControl.FileSystemRights.FullControl, FileShare.None, 4 * 1024, FileOptions.DeleteOnClose); + } + + /// + /// Clears the state of the datastructure to its original condition + /// + public void Clear() + { + Consumed = 0; + Items.Clear(); + FreeList.Clear(); + FreeWatermark = 0; + } + + public void Dispose() + { + Stream.Dispose(); + } + + /// + /// Total reserved storage capacity. You may nto be able to fit that much data in here though (due to blockiness) + /// + public readonly long Capacity; + + /// + /// The amount of bytes of storage consumed. Not necessarily equal to the total amount of data stored (due to blockiness) + /// + public long Consumed { get; private set; } + + /// + /// The amount of bytes of storage available. Store operations <= Remain will always succeed + /// + public long Remain { get { return Capacity - Consumed; } } + + /// + /// Stores an item with the given key + /// + public void Store(string name, byte[] buf, int offset, int length) + { + if (Items.ContainsKey(name)) + throw new InvalidOperationException(string.Format("Can't add already existing key of name {0}", name)); + + if (length > Remain) + throw new OutOfMemoryException(string.Format("Insufficient storage reserved for {0} bytes", length)); + + long todo = length; + int src = offset; + Item item = new Item { Size = length }; + Items[name] = item; + while (todo > 0) + { + var b = AllocBlock(); + item.Blocks.AddLast(b); + + long tocopy = todo; + if (tocopy > BlockSize) + tocopy = BlockSize; + + Stream.Position = GetOffsetForBlock(b); + Stream.Write(buf, src, (int)tocopy); + + todo -= tocopy; + src += (int)tocopy; + } + } + + /// + /// Fetches an item with the given key + /// + public byte[] FetchAll(string name) + { + var buf = new byte[GetSize(name)]; + Fetch(name, buf, 0); + return buf; + } + + /// + /// Fetches an item with the given key + /// + public void Fetch(string name, byte[] buf, int offset) + { + Item item; + if (!Items.TryGetValue(name, out item)) + throw new KeyNotFoundException(); + + long todo = item.Size; + var curr = item.Blocks.First; + while (todo > 0) + { + long tocopy = todo; + if (tocopy > BlockSize) + tocopy = BlockSize; + Stream.Position = GetOffsetForBlock(curr.Value); + Stream.Read(buf, offset, (int)tocopy); + + todo -= tocopy; + offset += (int)tocopy; + + curr = curr.Next; + } + System.Diagnostics.Debug.Assert(curr == null); + } + + /// + /// Releases the item with the given key. + /// Removing a non-existent item is benign, I guess + /// + public void Release(string name) + { + Item item; + if (!Items.TryGetValue(name, out item)) + return; + Items.Remove(name); + var blocks = item.Blocks.ToArray(); + item.Blocks.Clear(); + foreach (var block in blocks) + FreeList.AddLast(block); + Consumed -= blocks.Length * BlockSize; + } + + /// + /// Gets the size of the item with the given key + /// + public long GetSize(string name) + { + return Items[name].Size; + } + } + +} \ No newline at end of file diff --git a/BizHawk.Emulation.Common/Base Implementations/ControllerDefinition.cs b/BizHawk.Emulation.Common/Base Implementations/ControllerDefinition.cs index e5d70240d2..f20ed1d22f 100644 --- a/BizHawk.Emulation.Common/Base Implementations/ControllerDefinition.cs +++ b/BizHawk.Emulation.Common/Base Implementations/ControllerDefinition.cs @@ -120,17 +120,20 @@ namespace BizHawk.Emulation.Common ret[i] = new List(); for (int i = 0; i < list.Count; i++) - { - int player = 0; - if (list[i].Length > 3 && list[i].StartsWith("P") && char.IsNumber(list[i][1])) - player = int.Parse(list[i][1].ToString()); - ret[player].Add(list[i]); - } + ret[PlayerNumber(list[i])].Add(list[i]); return ret; } } + public int PlayerNumber(string buttonName) + { + int player = 0; + if (buttonName.Length > 3 && buttonName.StartsWith("P") && char.IsNumber(buttonName[1])) + player = buttonName[1] - '0'; + return player; + } + // TODO: a more respectable logic here, and possibly per core implementation public virtual int PlayerCount { diff --git a/BizHawk.Emulation.Common/BizHawk.Emulation.Common.csproj b/BizHawk.Emulation.Common/BizHawk.Emulation.Common.csproj index a042c31897..dd74e4459f 100644 --- a/BizHawk.Emulation.Common/BizHawk.Emulation.Common.csproj +++ b/BizHawk.Emulation.Common/BizHawk.Emulation.Common.csproj @@ -84,6 +84,7 @@ + diff --git a/BizHawk.Emulation.Common/Database/Database.cs b/BizHawk.Emulation.Common/Database/Database.cs index 44f9035e4e..16d6b65e85 100644 --- a/BizHawk.Emulation.Common/Database/Database.cs +++ b/BizHawk.Emulation.Common/Database/Database.cs @@ -284,6 +284,7 @@ namespace BizHawk.Emulation.Common break; case ".PSF": + case ".MINIPSF": game.System = "PSX"; break; diff --git a/BizHawk.Emulation.Common/Extensions.cs b/BizHawk.Emulation.Common/Extensions.cs index 16387bc5b7..6ac14b6d79 100644 --- a/BizHawk.Emulation.Common/Extensions.cs +++ b/BizHawk.Emulation.Common/Extensions.cs @@ -200,6 +200,21 @@ namespace BizHawk.Emulation.Common.IEmulatorExtensions return true; } + public static bool HasRegions(this IEmulator core) + { + if (core == null) + { + return false; + } + + return core.ServiceProvider.HasService(); + } + + public static IRegionable AsRegionable(this IEmulator core) + { + return (IRegionable)core.ServiceProvider.GetService(); + } + // TODO: a better place for these public static bool IsImplemented(this MethodInfo info) { diff --git a/BizHawk.Emulation.Common/Interfaces/IRegionable.cs b/BizHawk.Emulation.Common/Interfaces/IRegionable.cs new file mode 100644 index 0000000000..6857cb1570 --- /dev/null +++ b/BizHawk.Emulation.Common/Interfaces/IRegionable.cs @@ -0,0 +1,7 @@ +namespace BizHawk.Emulation.Common +{ + public interface IRegionable : IEmulatorService + { + DisplayType Region { get; } + } +} diff --git a/BizHawk.Emulation.Cores/BizHawk.Emulation.Cores.csproj b/BizHawk.Emulation.Cores/BizHawk.Emulation.Cores.csproj index f4eb67bf9a..32e208be7d 100644 --- a/BizHawk.Emulation.Cores/BizHawk.Emulation.Cores.csproj +++ b/BizHawk.Emulation.Cores/BizHawk.Emulation.Cores.csproj @@ -478,11 +478,14 @@ + + + @@ -511,12 +514,15 @@ + + + @@ -529,7 +535,9 @@ + + @@ -541,7 +549,12 @@ + + + + + @@ -550,12 +563,14 @@ + + @@ -627,6 +642,18 @@ + + + + + + + + + + + + Code @@ -767,8 +794,12 @@ - + + Code + + + diff --git a/BizHawk.Emulation.Cores/Calculator/TI83.cs b/BizHawk.Emulation.Cores/Calculator/TI83.cs index c6686c01ac..cbb8197d24 100644 --- a/BizHawk.Emulation.Cores/Calculator/TI83.cs +++ b/BizHawk.Emulation.Cores/Calculator/TI83.cs @@ -19,7 +19,7 @@ namespace BizHawk.Emulation.Cores.Calculators isPorted: false, isReleased: true )] - [ServiceNotApplicable(typeof(ISaveRam))] + [ServiceNotApplicable(typeof(ISaveRam), typeof(IRegionable))] public partial class TI83 : IEmulator, IVideoProvider, IStatable, IDebuggable, IInputPollable, ISettable { [CoreConstructor("TI83")] diff --git a/BizHawk.Emulation.Cores/Computers/AppleII/AppleII.cs b/BizHawk.Emulation.Cores/Computers/AppleII/AppleII.cs index cad6c19f38..9f43877262 100644 --- a/BizHawk.Emulation.Cores/Computers/AppleII/AppleII.cs +++ b/BizHawk.Emulation.Cores/Computers/AppleII/AppleII.cs @@ -14,6 +14,7 @@ namespace BizHawk.Emulation.Cores.Computers.AppleII isPorted: true, isReleased: true )] + [ServiceNotApplicable(typeof(ISaveRam), typeof(IRegionable))] public partial class AppleII : IEmulator, IDriveLight { public AppleII(CoreComm comm, IEnumerable gameInfoSet, IEnumerable romSet, Settings settings) diff --git a/BizHawk.Emulation.Cores/Computers/Commodore64/C64.cs b/BizHawk.Emulation.Cores/Computers/Commodore64/C64.cs index c6588a1735..3d0028a017 100644 --- a/BizHawk.Emulation.Cores/Computers/Commodore64/C64.cs +++ b/BizHawk.Emulation.Cores/Computers/Commodore64/C64.cs @@ -20,7 +20,7 @@ namespace BizHawk.Emulation.Cores.Computers.Commodore64 isPorted: false, isReleased: false )] - [ServiceNotApplicable(typeof(ISettable<,>))] + [ServiceNotApplicable(typeof(IRegionable), typeof(ISettable<,>))] sealed public partial class C64 : IEmulator, IStatable, IInputPollable, IDriveLight, IDebuggable { // framework diff --git a/BizHawk.Emulation.Cores/Consoles/Atari/2600/Atari2600.Core.cs b/BizHawk.Emulation.Cores/Consoles/Atari/2600/Atari2600.Core.cs index 38c8b207bc..ea0a2112e4 100644 --- a/BizHawk.Emulation.Cores/Consoles/Atari/2600/Atari2600.Core.cs +++ b/BizHawk.Emulation.Cores/Consoles/Atari/2600/Atari2600.Core.cs @@ -320,11 +320,6 @@ namespace BizHawk.Emulation.Cores.Atari.Atari2600 private bool _pal; - public DisplayType DisplayType - { - get { return _pal ? DisplayType.PAL : Common.DisplayType.NTSC; } - } - private void HardReset() { Ram = new byte[128]; diff --git a/BizHawk.Emulation.Cores/Consoles/Atari/2600/Atari2600.cs b/BizHawk.Emulation.Cores/Consoles/Atari/2600/Atari2600.cs index 8d35f2a7d2..dfc50a3cd5 100644 --- a/BizHawk.Emulation.Cores/Consoles/Atari/2600/Atari2600.cs +++ b/BizHawk.Emulation.Cores/Consoles/Atari/2600/Atari2600.cs @@ -16,7 +16,7 @@ namespace BizHawk.Emulation.Cores.Atari.Atari2600 isReleased: true )] [ServiceNotApplicable(typeof(ISaveRam), typeof(IDriveLight))] - public partial class Atari2600 : IEmulator, IStatable, IDebuggable, IInputPollable, ISettable + public partial class Atari2600 : IEmulator, IStatable, IDebuggable, IInputPollable, IRegionable, ISettable { private readonly GameInfo _game; private int _frame; @@ -58,6 +58,11 @@ namespace BizHawk.Emulation.Cores.Atari.Atari2600 public IEmulatorServiceProvider ServiceProvider { get; private set; } + public DisplayType Region + { + get { return _pal ? DisplayType.PAL : Common.DisplayType.NTSC; } + } + public string SystemId { get { return "A26"; } } public string BoardName { get { return _mapper.GetType().Name; } } diff --git a/BizHawk.Emulation.Cores/Consoles/Atari/7800/Atari7800.cs b/BizHawk.Emulation.Cores/Consoles/Atari/7800/Atari7800.cs index f169effc48..b4276ca878 100644 --- a/BizHawk.Emulation.Cores/Consoles/Atari/7800/Atari7800.cs +++ b/BizHawk.Emulation.Cores/Consoles/Atari/7800/Atari7800.cs @@ -17,7 +17,7 @@ namespace BizHawk.Emulation.Cores.Atari.Atari7800 portedUrl: "http://emu7800.sourceforge.net/" )] [ServiceNotApplicable(typeof(ISettable<,>), typeof(IDriveLight))] - public partial class Atari7800 : IEmulator, ISaveRam, IDebuggable, IStatable, IInputPollable + public partial class Atari7800 : IEmulator, ISaveRam, IDebuggable, IStatable, IInputPollable, IRegionable { // TODO: // some things don't work when you try to plug in a 2600 game @@ -164,7 +164,7 @@ namespace BizHawk.Emulation.Cores.Atari.Atari7800 } private bool _pal; - public DisplayType DisplayType + public DisplayType Region { get { return _pal ? DisplayType.PAL : DisplayType.NTSC; } } diff --git a/BizHawk.Emulation.Cores/Consoles/Atari/lynx/Lynx.cs b/BizHawk.Emulation.Cores/Consoles/Atari/lynx/Lynx.cs index ab792b2607..ed1f62307b 100644 --- a/BizHawk.Emulation.Cores/Consoles/Atari/lynx/Lynx.cs +++ b/BizHawk.Emulation.Cores/Consoles/Atari/lynx/Lynx.cs @@ -12,7 +12,7 @@ using Newtonsoft.Json; namespace BizHawk.Emulation.Cores.Atari.Lynx { [CoreAttributes("Handy", "K. Wilkins", true, true, "mednafen 0-9-34-1", "http://mednafen.sourceforge.net/")] - [ServiceNotApplicable(typeof(ISettable<,>), typeof(IDriveLight))] + [ServiceNotApplicable(typeof(ISettable<,>), typeof(IDriveLight), typeof(IRegionable))] public partial class Lynx : IEmulator, IVideoProvider, ISyncSoundProvider, ISaveRam, IStatable, IInputPollable { IntPtr Core; diff --git a/BizHawk.Emulation.Cores/Consoles/Nintendo/GBA/MGBAHawk.cs b/BizHawk.Emulation.Cores/Consoles/Nintendo/GBA/MGBAHawk.cs index 20d9b2d8e6..50eff0e60f 100644 --- a/BizHawk.Emulation.Cores/Consoles/Nintendo/GBA/MGBAHawk.cs +++ b/BizHawk.Emulation.Cores/Consoles/Nintendo/GBA/MGBAHawk.cs @@ -10,7 +10,8 @@ using System.ComponentModel; namespace BizHawk.Emulation.Cores.Nintendo.GBA { - [CoreAttributes("mGBA", "endrift", true, false, "NOT DONE", "NOT DONE", false)] + [CoreAttributes("mGBA", "endrift", true, true, "NOT DONE", "NOT DONE", false)] + [ServiceNotApplicable(typeof(IDriveLight), typeof(IRegionable))] public class MGBAHawk : IEmulator, IVideoProvider, ISyncSoundProvider, IGBAGPUViewable, ISaveRam, IStatable, IInputPollable, ISettable { IntPtr core; @@ -164,6 +165,9 @@ namespace BizHawk.Emulation.Cores.Nintendo.GBA #region IMemoryDomains + unsafe byte PeekWRAM(IntPtr xwram, long addr) { return *(byte*)xwram.ToPointer();} + unsafe void PokeWRAM(IntPtr xwram, long addr, byte value) { *(byte*)xwram.ToPointer() = value; } + private MemoryDomainList CreateMemoryDomains(int romsize) { var s = new LibmGBA.MemoryAreas(); @@ -179,6 +183,32 @@ namespace BizHawk.Emulation.Cores.Nintendo.GBA mm.Add(MemoryDomain.FromIntPtr("OAM", 1024, l, s.oam, false, 4)); mm.Add(MemoryDomain.FromIntPtr("ROM", romsize, l, s.rom, false, 4)); + // special combined ram memory domain + { + var ew = mm[1]; + var iw = mm[0]; + MemoryDomain cr = new MemoryDomain("Combined WRAM", (256 + 32) * 1024, MemoryDomain.Endian.Little, + delegate(long addr) + { + if (addr < 0 || addr >= (256 + 32) * 1024) + throw new IndexOutOfRangeException(); + if (addr >= 256 * 1024) + return PeekWRAM(s.iwram,addr & 32767); + else + return PeekWRAM(s.wram, addr); + }, + delegate(long addr, byte val) + { + if (addr < 0 || addr >= (256 + 32) * 1024) + throw new IndexOutOfRangeException(); + if (addr >= 256 * 1024) + PokeWRAM(s.iwram, addr & 32767, val); + else + PokeWRAM(s.wram, addr, val); + }, 4); + mm.Add(cr); + } + _gpumem = new GBAGPUMemoryAreas { mmio = s.mmio, diff --git a/BizHawk.Emulation.Cores/Consoles/Nintendo/GBA/Meteor.cs b/BizHawk.Emulation.Cores/Consoles/Nintendo/GBA/Meteor.cs index da3079c09c..965192275e 100644 --- a/BizHawk.Emulation.Cores/Consoles/Nintendo/GBA/Meteor.cs +++ b/BizHawk.Emulation.Cores/Consoles/Nintendo/GBA/Meteor.cs @@ -15,7 +15,7 @@ namespace BizHawk.Emulation.Cores.Nintendo.GBA isReleased: false, singleInstance: true )] - [ServiceNotApplicable(typeof(IDriveLight))] + [ServiceNotApplicable(typeof(IDriveLight), typeof(IRegionable))] public partial class GBA : IEmulator, IVideoProvider, ISyncSoundProvider, IGBAGPUViewable, ISaveRam, IStatable, IInputPollable { [CoreConstructor("GBA")] diff --git a/BizHawk.Emulation.Cores/Consoles/Nintendo/GBA/VBANext.cs b/BizHawk.Emulation.Cores/Consoles/Nintendo/GBA/VBANext.cs index 8dc7473d4f..f529b4ffbc 100644 --- a/BizHawk.Emulation.Cores/Consoles/Nintendo/GBA/VBANext.cs +++ b/BizHawk.Emulation.Cores/Consoles/Nintendo/GBA/VBANext.cs @@ -14,7 +14,7 @@ using BizHawk.Common; namespace BizHawk.Emulation.Cores.Nintendo.GBA { [CoreAttributes("VBA-Next", "many authors", true, true, "cd508312a29ed8c29dacac1b11c2dce56c338a54", "https://github.com/libretro/vba-next")] - [ServiceNotApplicable(typeof(IDriveLight))] + [ServiceNotApplicable(typeof(IDriveLight), typeof(IRegionable))] public partial class VBANext : IEmulator, IVideoProvider, ISyncSoundProvider, IInputPollable, IGBAGPUViewable, ISaveRam, IStatable, IDebuggable, ISettable { diff --git a/BizHawk.Emulation.Cores/Consoles/Nintendo/Gameboy/Gambatte.ITraceable.cs b/BizHawk.Emulation.Cores/Consoles/Nintendo/Gameboy/Gambatte.ITraceable.cs index 73129071f7..20855e1988 100644 --- a/BizHawk.Emulation.Cores/Consoles/Nintendo/Gameboy/Gambatte.ITraceable.cs +++ b/BizHawk.Emulation.Cores/Consoles/Nintendo/Gameboy/Gambatte.ITraceable.cs @@ -13,12 +13,12 @@ namespace BizHawk.Emulation.Cores.Nintendo.Gameboy private void MakeTrace(IntPtr _s) { - int[] s = new int[13]; - System.Runtime.InteropServices.Marshal.Copy(_s, s, 0, 13); + int[] s = new int[14]; + System.Runtime.InteropServices.Marshal.Copy(_s, s, 0, 14); ushort unused; Tracer.Put(string.Format( - "{13} SP:{2:x2} A:{3:x2} B:{4:x2} C:{5:x2} D:{6:x2} E:{7:x2} F:{8:x2} H:{9:x2} L:{10:x2} {11} Cy:{0}", + "{13} SP:{2:x2} A:{3:x2} B:{4:x2} C:{5:x2} D:{6:x2} E:{7:x2} F:{8:x2} H:{9:x2} L:{10:x2} LY:{14:x2} {11} Cy:{0}", s[0], s[1] & 0xffff, s[2] & 0xffff, @@ -32,7 +32,8 @@ namespace BizHawk.Emulation.Cores.Nintendo.Gameboy s[10] & 0xff, s[11] != 0 ? "skip" : "", s[12] & 0xff, - Common.Components.Z80GB.NewDisassembler.Disassemble((ushort)s[1], (addr) => LibGambatte.gambatte_cpuread(GambatteState, addr), out unused).PadRight(30) + Common.Components.Z80GB.NewDisassembler.Disassemble((ushort)s[1], (addr) => LibGambatte.gambatte_cpuread(GambatteState, addr), out unused).PadRight(30), + s[13] & 0xff )); } } diff --git a/BizHawk.Emulation.Cores/Consoles/Nintendo/Gameboy/Gambatte.cs b/BizHawk.Emulation.Cores/Consoles/Nintendo/Gameboy/Gambatte.cs index f96685a4b2..5389945b1c 100644 --- a/BizHawk.Emulation.Cores/Consoles/Nintendo/Gameboy/Gambatte.cs +++ b/BizHawk.Emulation.Cores/Consoles/Nintendo/Gameboy/Gambatte.cs @@ -22,7 +22,7 @@ namespace BizHawk.Emulation.Cores.Nintendo.Gameboy portedVersion: "SVN 344", portedUrl: "http://gambatte.sourceforge.net/" )] - [ServiceNotApplicable(typeof(IDriveLight))] + [ServiceNotApplicable(typeof(IDriveLight), typeof(IDriveLight))] public partial class Gameboy : IEmulator, IVideoProvider, ISyncSoundProvider, ISaveRam, IStatable, IInputPollable, IDebuggable, ISettable { diff --git a/BizHawk.Emulation.Cores/Consoles/Nintendo/N64/N64.cs b/BizHawk.Emulation.Cores/Consoles/Nintendo/N64/N64.cs index 699ab94258..f68e6926f0 100644 --- a/BizHawk.Emulation.Cores/Consoles/Nintendo/N64/N64.cs +++ b/BizHawk.Emulation.Cores/Consoles/Nintendo/N64/N64.cs @@ -20,7 +20,7 @@ namespace BizHawk.Emulation.Cores.Nintendo.N64 singleInstance: true )] [ServiceNotApplicable(typeof(IDriveLight))] - public partial class N64 : IEmulator, ISaveRam, IDebuggable, IStatable, IInputPollable, IDisassemblable, + public partial class N64 : IEmulator, ISaveRam, IDebuggable, IStatable, IInputPollable, IDisassemblable, IRegionable, ISettable { private readonly N64Input _inputProvider; @@ -104,7 +104,7 @@ namespace BizHawk.Emulation.Cores.Nintendo.N64 _display_type = DisplayType.NTSC; break; } - switch (DisplayType) + switch (Region) { case DisplayType.NTSC: comm.VsyncNum = 60000; @@ -245,7 +245,7 @@ namespace BizHawk.Emulation.Cores.Nintendo.N64 public CoreComm CoreComm { get; private set; } - public DisplayType DisplayType { get { return _display_type; } } + public DisplayType Region { get { return _display_type; } } public ISoundProvider SoundProvider { get { return null; } } diff --git a/BizHawk.Emulation.Cores/Consoles/Nintendo/NES/Boards/AVE-NINA.cs b/BizHawk.Emulation.Cores/Consoles/Nintendo/NES/Boards/AVE-NINA.cs index cb1bc0befe..074d7182c2 100644 --- a/BizHawk.Emulation.Cores/Consoles/Nintendo/NES/Boards/AVE-NINA.cs +++ b/BizHawk.Emulation.Cores/Consoles/Nintendo/NES/Boards/AVE-NINA.cs @@ -12,7 +12,6 @@ namespace BizHawk.Emulation.Cores.Nintendo.NES //state IntBuffer chr_banks_4k = new IntBuffer(2); int prg_bank_32k; - public override void Dispose() { base.Dispose(); @@ -99,7 +98,7 @@ namespace BizHawk.Emulation.Cores.Nintendo.NES //configuration int prg_bank_mask_32k, chr_bank_mask_8k; bool mirror_control_enabled; - + bool isMapper79 = false; //state int chr_bank_8k, prg_bank_32k; @@ -108,6 +107,7 @@ namespace BizHawk.Emulation.Cores.Nintendo.NES base.SyncState(ser); ser.Sync("chr_bank_8k", ref chr_bank_8k); ser.Sync("prg_bank_32k", ref prg_bank_32k); + ser.Sync("isMapper79", ref isMapper79); } public override bool Configure(NES.EDetectionOrigin origin) @@ -115,7 +115,8 @@ namespace BizHawk.Emulation.Cores.Nintendo.NES //configure switch (Cart.board_type) { - case "MAPPER079": + case "MAPPER079": // Puzzle (Unl) + isMapper79 = true; AssertPrg(32, 64); AssertChr(32, 64); break; case "TXC-74*138/175": // untested @@ -139,7 +140,6 @@ namespace BizHawk.Emulation.Cores.Nintendo.NES chr_bank_mask_8k = Cart.chr_size / 8 - 1; SetMirrorType(Cart.pad_h, Cart.pad_v); - prg_bank_32k = 0; return true; @@ -163,9 +163,29 @@ namespace BizHawk.Emulation.Cores.Nintendo.NES } } + public override void WritePRG(int addr, byte value) + { + if (isMapper79) + { + chr_bank_8k = (value & 7) | ((value >> 3) & 0x8); + } + else + { + base.WritePRG(addr, value); + } + } + public override byte ReadPRG(int addr) { addr |= (prg_bank_32k << 15); + + // Some HES games are coming in with only 16 kb of PRG + // Othello, and Sidewinder for instance + if (ROM.Length < 0x8000) + { + addr &= 0x3FFF; + } + return ROM[addr]; } diff --git a/BizHawk.Emulation.Cores/Consoles/Nintendo/NES/Boards/BANDAI_74_161_02_74.cs b/BizHawk.Emulation.Cores/Consoles/Nintendo/NES/Boards/BANDAI_74_161_02_74.cs index 634f6fe5e5..d6dbc7266a 100644 --- a/BizHawk.Emulation.Cores/Consoles/Nintendo/NES/Boards/BANDAI_74_161_02_74.cs +++ b/BizHawk.Emulation.Cores/Consoles/Nintendo/NES/Boards/BANDAI_74_161_02_74.cs @@ -2,107 +2,9 @@ namespace BizHawk.Emulation.Cores.Nintendo.NES { + // http://wiki.nesdev.com/w/index.php/INES_Mapper_096 public sealed class BANDAI_74_161_02_74 : NES.NESBoardBase { - /* - Here are Disch's original notes: - ======================== - = Mapper 096 = - ======================== - - - Example Games: - -------------------------- - Oeka Kids - Anpanman no Hiragana Daisuki - Oeka Kids - Anpanman to Oekaki Shiyou!! - - - Notes: - --------------------------- - These games use the Oeka Kids tablet -- so you'll need to add support for that if you really want to test - these. - - These games use 32k of CHR-RAM, which is swappable in a very unique fashion. Be sure to read the CHR Setup - section in detail. - - - Registers: - --------------------------- - I'm unsure whether or not this mapper suffers from bus conflicts. Use caution! - - - $8000-FFFF: [.... .CPP] - C = CHR Block select (see CHR Setup) - P = PRG Page select (32k @ $8000) - - - - CHR Setup: - --------------------------- - - This mapper is tricky!!! - - Firstly, this mapper divides the 32k CHR-RAM into two 16k blocks (above 'C' bit selects which block is used). - The selected pages (including the fixed page) are taken from only the currently selected 16k block. - - $0000 $0400 $0800 $0C00 $1000 $1400 $1800 $1C00 - +-------------------------------+-------------------------------+ - | **See below** | { 3 } | - +-------------------------------+-------------------------------+ - - - But that's the easy part. This mapper does a very, very cool trick which watches the PPU address lines to - effectively "split" the nametable into 4 smaller sections -- thereby assigning a different CHR-RAM page to - each section. This allows **every single tile in the NT** to have a unique tile graphic! - - Long story short: - - A nametable spans from $2000-$23BF ($23C0-$23FF are the attribute table). - The mapper breaks the NT up like so: - - $2000-20FF = use CHR page 0 - $2100-21FF = use CHR page 1 - $2200-22FF = use CHR page 2 - $2300-23BF = use CHR page 3 - - the other nametables at $2400, $2800, $2C00 are broken up in the same fashion. - - - - - Long story long: - - PPU Address lines are modified as the PPU fetches tiles, and also when the game manually changes the PPU - address (via the second write to $2006 --- or by the increment after read/writing $2007). The mapper - monitors every change to the PPU Address lines, and when it lies within a certain range, it swaps the - appropriate CHR page in. - - It will only swap CHR when the address falls between $2000-2FFF (or mirrored regions like $6000-6FFF, - $A000-AFFF, $E000-EFFF). $3xxx will not trigger a swap. - - When in that range, it checks to make sure the address is not attribute tables ((Addr AND $03FF) < $03C0). - Note I'm not 100% sure if the mapper really does this or not. It's very possible that attribute fetches will - also swap CHR... this would not really disrupt anything other than making the game be more careful about its - PPU writes. - - When all that checks out, bits 8 and 9 (Addr AND $0300) select the 4k CHR page to swap in to $0000. - - - Note that the mapper does not distinguish between PPU driven line changes and game driven line changes. - This means that games can manually swap the CHR page by doing specific writes to $2006: - - - LDA #$20 - STA $2006 - STA $2006 ; Addr set to $20xx -- CHR page 0 selected - - LDA #$21 - STA $2006 - STA $2006 ; Addr set to $21xx -- CHR page 1 selected - - And in fact, games would HAVE to do that to select CHR, since that's the only way to fill CHR RAM with the - desired data. So make sure your emu supports this. - */ int chr_block; int chr_pos = 0; int prg_bank_mask_32k; diff --git a/BizHawk.Emulation.Cores/Consoles/Nintendo/NES/Boards/Bonza.cs b/BizHawk.Emulation.Cores/Consoles/Nintendo/NES/Boards/Bonza.cs new file mode 100644 index 0000000000..671c58224b --- /dev/null +++ b/BizHawk.Emulation.Cores/Consoles/Nintendo/NES/Boards/Bonza.cs @@ -0,0 +1,64 @@ +using BizHawk.Common; + +namespace BizHawk.Emulation.Cores.Nintendo.NES +{ + // Bonza (R) + // Magic Jewelry 2 (Unl) + public class Bonza : NES.NESBoardBase + { + private int _chrReg; + private int _prgReg; + + public override bool Configure(NES.EDetectionOrigin origin) + { + switch (Cart.board_type) + { + case "MAPPER216": + break; + default: + return false; + } + + return true; + } + + public override void SyncState(Serializer ser) + { + base.SyncState(ser); + ser.Sync("chrReg", ref _chrReg); + ser.Sync("prgReg", ref _prgReg); + } + + public override void WritePRG(int addr, byte value) + { + _prgReg = addr & 1; + _chrReg = (addr >> 1) & 7; + } + + public override byte ReadEXP(int addr) + { + if (addr == 0x1000) + { + return 0; + } + + return base.ReadEXP(addr); + } + + public override byte ReadPRG(int addr) + { + return ROM[(_prgReg * 0x8000) + (addr & 0x7FFF)]; + } + + public override byte ReadPPU(int addr) + { + // Magic Jewelry has no VROM and does not write chr regs + if (addr < 0x2000 && VROM != null) + { + return VROM[(_chrReg * 2000) + (addr & 0x1FFF)]; + } + + return base.ReadPPU(addr); + } + } +} diff --git a/BizHawk.Emulation.Cores/Consoles/Nintendo/NES/Boards/FFE/Mapper006.cs b/BizHawk.Emulation.Cores/Consoles/Nintendo/NES/Boards/FFE/Mapper006.cs new file mode 100644 index 0000000000..5bf1548cf8 --- /dev/null +++ b/BizHawk.Emulation.Cores/Consoles/Nintendo/NES/Boards/FFE/Mapper006.cs @@ -0,0 +1,152 @@ +using BizHawk.Common; + +namespace BizHawk.Emulation.Cores.Nintendo.NES +{ + public class Mapper006 : NES.NESBoardBase + { + private int _reg; + + private bool _irqEnable; + private bool _irqPending; + private int _irqCount; + private const int IRQDESTINATION = 0x10000; + + private int _prgMask16k; + + public override bool Configure(NES.EDetectionOrigin origin) + { + switch (Cart.board_type) + { + case "MAPPER006": + Cart.vram_size = 32; + break; + default: + return false; + } + + SetMirrorType(Cart.pad_h, Cart.pad_v); + _prgMask16k = Cart.prg_size / 16 - 1; + + return true; + } + + public override void SyncState(Serializer ser) + { + base.SyncState(ser); + ser.Sync("reg", ref _reg); + + ser.Sync("irqEnable", ref _irqEnable); + ser.Sync("irqPending", ref _irqPending); + ser.Sync("irqCount", ref _irqCount); + } + + public override void WriteEXP(int addr, byte value) + { + // Mirroring + if (addr == 0x2FE || addr == 0x2FF) + { + int mirr = ((addr << 1) & 2) | ((value >> 4) & 1); + switch (mirr) + { + case 0: + SetMirrorType(EMirrorType.OneScreenA); + break; + case 1: + SetMirrorType(EMirrorType.OneScreenB); + break; + case 2: + SetMirrorType(EMirrorType.Vertical); + break; + case 3: + SetMirrorType(EMirrorType.Horizontal); + break; + } + } + + // IRQ + else if (addr >= 0x500 && addr <= 0x503) + { + switch (addr) + { + case 0x501: + _irqEnable = false; + break; + case 0x502: + _irqCount &= 0xFF00; + _irqCount |= value; + break; + case 0x503: + _irqCount &= 0x00FF; + _irqCount |= value << 8; + _irqEnable = true; + break; + + } + + SyncIRQ(); + } + } + + public override void WritePRG(int addr, byte value) + { + _reg = value; + } + + public override byte ReadPRG(int addr) + { + int bank = addr < 0x4000 + ? (_reg >> 2) & 0x3F + : 7; + bank &= _prgMask16k; + + return ROM[(bank * 0x4000) + (addr & 0x3FFF)]; + } + + public override byte ReadPPU(int addr) + { + if (addr < 0x2000) + { + return VRAM[((_reg & 3) * 0x2000) + (addr & 0x1FFF)]; + } + + return base.ReadPPU(addr); + } + + public override void WritePPU(int addr, byte value) + { + if (addr < 0x2000) + { + VRAM[((_reg & 3) * 0x2000) + (addr & 0x1FFF)] = value; + } + else + { + base.WritePPU(addr, value); + } + } + + public override void ClockCPU() + { + if (_irqEnable) + { + ClockIRQ(); + } + } + + private void ClockIRQ() + { + _irqCount++; + if (_irqCount >= IRQDESTINATION) + { + _irqEnable = false; + _irqPending = true; + } + + SyncIRQ(); + } + + private void SyncIRQ() + { + SyncIRQ(_irqPending); + } + } +} diff --git a/BizHawk.Emulation.Cores/Consoles/Nintendo/NES/Boards/FFE/Mapper017.cs b/BizHawk.Emulation.Cores/Consoles/Nintendo/NES/Boards/FFE/Mapper017.cs new file mode 100644 index 0000000000..5cf8366e46 --- /dev/null +++ b/BizHawk.Emulation.Cores/Consoles/Nintendo/NES/Boards/FFE/Mapper017.cs @@ -0,0 +1,177 @@ +using BizHawk.Common; +using BizHawk.Common.NumberExtensions; + +namespace BizHawk.Emulation.Cores.Nintendo.NES +{ + public class Mapper017 : NES.NESBoardBase + { + private ByteBuffer prg_regs_8k = new ByteBuffer(4); + private ByteBuffer chr_regs_1k = new ByteBuffer(8); + + private int prg_mask_8k; + private int chr_mask_1k; + + private bool irq_enable; + private bool irq_pending; + private int irq_count; + private const int IRQ_DESTINATION = 0x10000; + + public override bool Configure(NES.EDetectionOrigin origin) + { + switch (Cart.board_type) + { + case "MAPPER017": + break; + default: + return false; + } + + prg_mask_8k = Cart.prg_size / 8 - 1; + chr_mask_1k = Cart.chr_size / 1 - 1; + + //Initial State + prg_regs_8k[0] = 0x00; + prg_regs_8k[1] = 0x01; + prg_regs_8k[2] = 0xFE; + prg_regs_8k[3] = 0xFF; + + SetMirrorType(Cart.pad_h, Cart.pad_v); + + return true; + } + + public override void WriteEXP(int addr, byte value) + { + switch (addr & 0x7FF) + { + //Mirroring: + case 0x2FE: + case 0x2FF: + int mirroring = ((addr << 1) & 2) | ((value >> 4) & 1); + switch (mirroring) + { + case 0: SetMirrorType(EMirrorType.OneScreenA); break; + case 1: SetMirrorType(EMirrorType.OneScreenB); break; + case 2: SetMirrorType(EMirrorType.Vertical); break; + case 3: SetMirrorType(EMirrorType.Horizontal); break; + } + break; + + //IRQ + case 0x501: + irq_enable = value.Bit(0); + irq_pending = false; + irq_count = 0; + SyncIRQ(); + break; + case 0x502: + irq_count &= 0xFF00; + irq_count |= value; + break; + case 0x503: + irq_count &= 0x00FF; + irq_count |= value << 8; + irq_enable = true; + irq_pending = false; + SyncIRQ(); + break; + + //PRG + case 0x504: + case 0x505: + case 0x506: + case 0x507: + prg_regs_8k[addr & 3] = value; + break; + + //CHR + case 0x510: + case 0x511: + case 0x512: + case 0x513: + case 0x514: + case 0x515: + case 0x516: + case 0x517: + chr_regs_1k[addr & 7] = value; + break; + } + } + + public override void Dispose() + { + base.Dispose(); + prg_regs_8k.Dispose(); + chr_regs_1k.Dispose(); + } + + public override void SyncState(Serializer ser) + { + base.SyncState(ser); + + ser.Sync("prg_regs_8k", ref prg_regs_8k); + ser.Sync("chr_regs_1k", ref chr_regs_1k); + + ser.Sync("irq_enable", ref irq_enable); + ser.Sync("irq_pending", ref irq_pending); + ser.Sync("irq_count", ref irq_count); + } + + public override byte ReadPRG(int addr) + { + int bank_8k = prg_regs_8k[addr >> 13]; + bank_8k &= prg_mask_8k; + int offset = addr & 0x1FFF; + return ROM[bank_8k << 13 | offset]; + } + + public override void WritePPU(int addr, byte value) + { + if (addr < 0x2000 && VRAM != null) + { + VRAM[addr] = value; + } + base.WritePPU(addr, value); + } + + public override byte ReadPPU(int addr) + { + if (addr < 0x2000) + { + if (VRAM != null) return VRAM[addr]; + + int bank_1k = chr_regs_1k[addr >> 10]; + bank_1k &= chr_mask_1k; + int offset = addr & 0x3FF; + return VROM[bank_1k << 10 | offset]; + } + return base.ReadPPU(addr); + } + + public override void ClockCPU() + { + if (irq_enable) + { + ClockIRQ(); + } + } + + private void ClockIRQ() + { + irq_count++; + if (irq_count >= IRQ_DESTINATION) + { + irq_enable = false; + irq_pending = true; + } + + SyncIRQ(); + } + + private void SyncIRQ() + { + SyncIRQ(irq_pending); + } + + } +} diff --git a/BizHawk.Emulation.Cores/Consoles/Nintendo/NES/Boards/IC_74x377.cs b/BizHawk.Emulation.Cores/Consoles/Nintendo/NES/Boards/IC_74x377.cs index 95cc3ece34..f4d7cb5bf3 100644 --- a/BizHawk.Emulation.Cores/Consoles/Nintendo/NES/Boards/IC_74x377.cs +++ b/BizHawk.Emulation.Cores/Consoles/Nintendo/NES/Boards/IC_74x377.cs @@ -25,7 +25,9 @@ namespace BizHawk.Emulation.Cores.Nintendo.NES { case "MAPPER011": break; - + case "MAPPER011_HACKY": + bus_conflict = false; + break; case "Discrete_74x377-FLEX": break; case "COLORDREAMS-74*377": diff --git a/BizHawk.Emulation.Cores/Consoles/Nintendo/NES/Boards/MMC3_family/MMC3.cs b/BizHawk.Emulation.Cores/Consoles/Nintendo/NES/Boards/MMC3_family/MMC3.cs index 60f49efc50..77265305e9 100644 --- a/BizHawk.Emulation.Cores/Consoles/Nintendo/NES/Boards/MMC3_family/MMC3.cs +++ b/BizHawk.Emulation.Cores/Consoles/Nintendo/NES/Boards/MMC3_family/MMC3.cs @@ -52,7 +52,7 @@ namespace BizHawk.Emulation.Cores.Nintendo.NES } bool oldIrqType; - public void Dispose() + public virtual void Dispose() { regs.Dispose(); chr_regs_1k.Dispose(); @@ -84,7 +84,7 @@ namespace BizHawk.Emulation.Cores.Nintendo.NES Sync(); } - public void Sync() + public virtual void Sync() { SyncIRQ(); if (prg_mode) diff --git a/BizHawk.Emulation.Cores/Consoles/Nintendo/NES/Boards/MMC3_family/Mapper191.cs b/BizHawk.Emulation.Cores/Consoles/Nintendo/NES/Boards/MMC3_family/Mapper191.cs index 2d8d0f5ea8..9ac5a9b8b0 100644 --- a/BizHawk.Emulation.Cores/Consoles/Nintendo/NES/Boards/MMC3_family/Mapper191.cs +++ b/BizHawk.Emulation.Cores/Consoles/Nintendo/NES/Boards/MMC3_family/Mapper191.cs @@ -21,9 +21,9 @@ namespace BizHawk.Emulation.Cores.Nintendo.NES BaseSetup(); //theres a possibly bogus Q Boy rom using this mapper but I have no idea what emulator its supposed to boot in, for proof - throw new InvalidOperationException("THIS MAPPER ISNT TESTED! WHAT GAME USES IT? PLEASE REPORT!"); + //throw new InvalidOperationException("THIS MAPPER ISNT TESTED! WHAT GAME USES IT? PLEASE REPORT!"); - //return true; + return true; } public override byte ReadPPU(int addr) diff --git a/BizHawk.Emulation.Cores/Consoles/Nintendo/NES/Boards/MMC3_family/Mapper197.cs b/BizHawk.Emulation.Cores/Consoles/Nintendo/NES/Boards/MMC3_family/Mapper197.cs index 24cb792223..1adfda1ca9 100644 --- a/BizHawk.Emulation.Cores/Consoles/Nintendo/NES/Boards/MMC3_family/Mapper197.cs +++ b/BizHawk.Emulation.Cores/Consoles/Nintendo/NES/Boards/MMC3_family/Mapper197.cs @@ -1,4 +1,6 @@ -namespace BizHawk.Emulation.Cores.Nintendo.NES +using BizHawk.Common; + +namespace BizHawk.Emulation.Cores.Nintendo.NES { public sealed class Mapper197 : MMC3Board_Base { @@ -12,8 +14,66 @@ default: return false; } - BaseSetup(); + int num_prg_banks = Cart.prg_size / 8; + prg_mask = num_prg_banks - 1; + + int num_chr_banks = (Cart.chr_size); + chr_mask = num_chr_banks - 1; + + mmc3 = new Mapper197_MMC3(this, num_prg_banks); + SetMirrorType(EMirrorType.Vertical); return true; } } + + public class Mapper197_MMC3 : MMC3 + { + //This board has 512k CHR ROM, so the ByteBuffer in the base class deosn't suffice. + public IntBuffer chr_regs_1k_512 = new IntBuffer(8); + + public Mapper197_MMC3(NES.NESBoardBase board, int num_prg_banks) : base(board, num_prg_banks) + { + + } + + public override void Sync() + { + base.Sync(); + int chr_left = regs[0] << 1; + int chr_right_upper = regs[2] << 1; + int chr_right_lower = regs[3] << 1; + + for (var i = 0; i < 4; i++) + { + chr_regs_1k_512[i] = chr_left | i; + } + + for (var i = 0; i < 2; i++) + { + chr_regs_1k_512[4 | i] = chr_right_upper | i; + chr_regs_1k_512[6 | i] = chr_right_lower | i; + } + + } + + public override void SyncState(Serializer ser) + { + base.SyncState(ser); + ser.Sync("chr_regs_1k_512", ref chr_regs_1k_512); + } + + public override void Dispose() + { + base.Dispose(); + chr_regs_1k_512.Dispose(); + } + + public override int Get_CHRBank_1K(int addr) + { + int bank_1k = addr >> 10; + bank_1k = chr_regs_1k_512[bank_1k]; + return bank_1k; + } + + } } diff --git a/BizHawk.Emulation.Cores/Consoles/Nintendo/NES/Boards/MMC3_family/Mapper245.cs b/BizHawk.Emulation.Cores/Consoles/Nintendo/NES/Boards/MMC3_family/Mapper245.cs index c93e626cbc..33e628414e 100644 --- a/BizHawk.Emulation.Cores/Consoles/Nintendo/NES/Boards/MMC3_family/Mapper245.cs +++ b/BizHawk.Emulation.Cores/Consoles/Nintendo/NES/Boards/MMC3_family/Mapper245.cs @@ -14,6 +14,7 @@ namespace BizHawk.Emulation.Cores.Nintendo.NES switch (Cart.board_type) { case "MAPPER245": + AssertVram(8); break; default: return false; diff --git a/BizHawk.Emulation.Cores/Consoles/Nintendo/NES/Boards/MMC3_family/TQROM.cs b/BizHawk.Emulation.Cores/Consoles/Nintendo/NES/Boards/MMC3_family/TQROM.cs index 6b37020305..52d5fc1c46 100644 --- a/BizHawk.Emulation.Cores/Consoles/Nintendo/NES/Boards/MMC3_family/TQROM.cs +++ b/BizHawk.Emulation.Cores/Consoles/Nintendo/NES/Boards/MMC3_family/TQROM.cs @@ -9,7 +9,10 @@ namespace BizHawk.Emulation.Cores.Nintendo.NES //analyze board type switch (Cart.board_type) { - case "NES-TQROM": //high speed and pinbot + case "MAPPER119": + Cart.vram_size = 8; Cart.wram_size = 0; // Junk ROMs get these wrong + break; + case "NES-TQROM": // High Speed and Pin Bot AssertPrg(128); AssertChr(64); AssertVram(8); AssertWram(0); break; default: diff --git a/BizHawk.Emulation.Cores/Consoles/Nintendo/NES/Boards/MMC3_family/TxROM.cs b/BizHawk.Emulation.Cores/Consoles/Nintendo/NES/Boards/MMC3_family/TxROM.cs index dc9321fa83..b6fefb3402 100644 --- a/BizHawk.Emulation.Cores/Consoles/Nintendo/NES/Boards/MMC3_family/TxROM.cs +++ b/BizHawk.Emulation.Cores/Consoles/Nintendo/NES/Boards/MMC3_family/TxROM.cs @@ -75,11 +75,14 @@ namespace BizHawk.Emulation.Cores.Nintendo.NES case "NES-TLROM": //mega man 3 case "KONAMI-TLROM": //Super C case "HVC-TLROM": //8 eyes (J) - case "UNIF_NES-TLROM": // Gaiapolis (obviously a clone board, but which one?) case "ACCLAIM-TLROM": + AssertPrg(128, 256, 512); AssertChr(64, 128, 256); AssertVram(0); AssertWram(0); AssertBattery(false); break; + case "UNIF_NES-TLROM": // Gaiapolis (obviously a clone board, but which one?) + //zero edited this. does it still work? + break; case "HVC-TL1ROM": // untested case "NES-TL1ROM": //Double dragon 2 AssertPrg(128); AssertChr(128); AssertVram(0); AssertWram(0); diff --git a/BizHawk.Emulation.Cores/Consoles/Nintendo/NES/Boards/Mapper034.cs b/BizHawk.Emulation.Cores/Consoles/Nintendo/NES/Boards/Mapper034.cs new file mode 100644 index 0000000000..34436b66cd --- /dev/null +++ b/BizHawk.Emulation.Cores/Consoles/Nintendo/NES/Boards/Mapper034.cs @@ -0,0 +1,79 @@ +using System; +using System.Collections.Generic; +using System.Linq; +using System.Text; + +namespace BizHawk.Emulation.Cores.Nintendo.NES +{ + public sealed class Mapper034 : NES.NESBoardBase + { + // zombie board that tries to handle both bxrom and ave-nina at once + + //configuration + int prg_bank_mask_32k, chr_bank_mask_4k; + + //state + int[] chr = new int[2]; + int prg; + + + public override bool Configure(NES.EDetectionOrigin origin) + { + switch (Cart.board_type) + { + case "MAPPER034": // 3-D Battles of World Runner, The (U) [b5].nes + // TODO: No idea what to assert here + break; + default: + return false; + } + + Cart.wram_size = 8; + prg_bank_mask_32k = Cart.prg_size / 32 - 1; + chr_bank_mask_4k = Cart.chr_size / 4 - 1; + + SetMirrorType(Cart.pad_h, Cart.pad_v); + chr[1] = 1; + + return true; + } + + public override byte ReadPPU(int addr) + { + if (addr < 0x2000) + return (VROM ?? VRAM)[addr & 0xfff | chr[addr >> 12] << 12]; + else + return base.ReadPPU(addr); + } + + public override byte ReadPRG(int addr) + { + return ROM[addr | prg << 15]; + } + + public override void WritePRG(int addr, byte value) + { + prg = value & prg_bank_mask_32k; + } + + public override void WriteWRAM(int addr, byte value) + { + switch (addr) + { + case 0x1ffd: + prg = value & prg_bank_mask_32k; + break; + case 0x1ffe: + chr[0] = value & chr_bank_mask_4k; + break; + case 0x1fff: + chr[1] = value & chr_bank_mask_4k; + break; + default: + // on NINA, the regs sit on top of WRAM + base.WriteWRAM(addr, value); + break; + } + } + } +} diff --git a/BizHawk.Emulation.Cores/Consoles/Nintendo/NES/Boards/Mapper036.cs b/BizHawk.Emulation.Cores/Consoles/Nintendo/NES/Boards/Mapper036.cs index 8db043a06d..3514bf1618 100644 --- a/BizHawk.Emulation.Cores/Consoles/Nintendo/NES/Boards/Mapper036.cs +++ b/BizHawk.Emulation.Cores/Consoles/Nintendo/NES/Boards/Mapper036.cs @@ -18,7 +18,8 @@ namespace BizHawk.Emulation.Cores.Nintendo.NES switch (Cart.board_type) { case "MAPPER036": - AssertVram(0); AssertWram(0); + AssertVram(0); + Cart.wram_size = 0; // AssertWram(0); // GoodNES good dump of Strike Wolf specifies 8kb of wram break; default: return false; diff --git a/BizHawk.Emulation.Cores/Consoles/Nintendo/NES/Boards/Mapper045.cs b/BizHawk.Emulation.Cores/Consoles/Nintendo/NES/Boards/Mapper045.cs index e4e0a0efa1..84ec00b0e7 100644 --- a/BizHawk.Emulation.Cores/Consoles/Nintendo/NES/Boards/Mapper045.cs +++ b/BizHawk.Emulation.Cores/Consoles/Nintendo/NES/Boards/Mapper045.cs @@ -18,6 +18,7 @@ namespace BizHawk.Emulation.Cores.Nintendo.NES switch (Cart.board_type) { case "MAPPER045": + case "UNIF_BMC-SuperHIK8in1": break; default: return false; diff --git a/BizHawk.Emulation.Cores/Consoles/Nintendo/NES/Boards/Mapper051.cs b/BizHawk.Emulation.Cores/Consoles/Nintendo/NES/Boards/Mapper051.cs new file mode 100644 index 0000000000..4a9fe864eb --- /dev/null +++ b/BizHawk.Emulation.Cores/Consoles/Nintendo/NES/Boards/Mapper051.cs @@ -0,0 +1,119 @@ +using BizHawk.Common; + +namespace BizHawk.Emulation.Cores.Nintendo.NES +{ + public sealed class Mapper051 : NES.NESBoardBase + { + private int _bank; + private int _mode = 2; + + public override bool Configure(NES.EDetectionOrigin origin) + { + switch (Cart.board_type) + { + case "MAPPER051": + break; + default: + return false; + } + + SetMirrorType(Cart.pad_h, Cart.pad_v); + return true; + } + + public override void NESSoftReset() + { + _bank = 0; + _mode = 2; + base.NESSoftReset(); + } + + public override void SyncState(Serializer ser) + { + base.SyncState(ser); + ser.Sync("bank", ref _bank); + ser.Sync("mode", ref _mode); + } + + public override byte ReadWRAM(int addr) + { + int prgBank8k; + if ((_mode & 0x02) > 0) + { + prgBank8k = ((_bank & 7) << 2) | 0x23; + } + else + { + prgBank8k = ((_bank & 4) << 2) | 0x2F; + } + + return ROM[(prgBank8k * 0x2000) + addr]; + } + + public override byte ReadPRG(int addr) + { + int prgBank16k_8; + int prgBank16k_C; + + int prgBank; + + if ((_mode & 0x02) > 0) + { + prgBank16k_8 = (_bank << 1) | 0; + prgBank16k_C = (_bank << 1) | 1; + + prgBank = _bank << 1; + } + else + { + prgBank16k_8 = (_bank << 1) | (_mode >> 4); + prgBank16k_C = ((_bank & 0xC) << 1) | 7; + } + + if (addr < 0x4000) + { + return ROM[(prgBank16k_8 * 0x4000) + (addr & 0x3FFF)]; + } + else + { + return ROM[(prgBank16k_C * 0x4000) + (addr & 0x3FFF)]; + } + } + + public override void WriteWRAM(int addr, byte value) + { + if (addr < 0x2000) + { + _mode = value & 0x012; + SyncMirroring(); + } + else + { + base.WriteWRAM(addr, value); + } + } + + public override void WritePRG(int addr, byte value) + { + _bank = value & 0x0F; + if ((addr & 0x4000) > 0) + { + _mode = (_mode & 0x02) | (value & 0x10); + } + + SyncMirroring(); + } + + private void SyncMirroring() + { + if (_mode == 0x12) + { + SetMirrorType(EMirrorType.Horizontal); + } + else + { + SetMirrorType(EMirrorType.Vertical); + } + } + } +} diff --git a/BizHawk.Emulation.Cores/Consoles/Nintendo/NES/Boards/Mapper053.cs b/BizHawk.Emulation.Cores/Consoles/Nintendo/NES/Boards/Mapper053.cs new file mode 100644 index 0000000000..6abfd9e928 --- /dev/null +++ b/BizHawk.Emulation.Cores/Consoles/Nintendo/NES/Boards/Mapper053.cs @@ -0,0 +1,162 @@ +using BizHawk.Common; +using BizHawk.Common.NumberExtensions; + +namespace BizHawk.Emulation.Cores.Nintendo.NES +{ + // Supervision 16-in-1 [p1].nes + public sealed class Mapper053 : NES.NESBoardBase + { + private byte _reg0; + private byte _reg1; + + private bool Prg16kMode { get { return _reg0.Bit(4); } } + + public override bool Configure(NES.EDetectionOrigin origin) + { + switch (Cart.board_type) + { + case "MAPPER053": + break; + default: + return false; + } + + SetMirrorType(Cart.pad_h, Cart.pad_v); + + return true; + } + + public override void SyncState(Serializer ser) + { + base.SyncState(ser); + ser.Sync("reg0", ref _reg0); + ser.Sync("reg1", ref _reg1); + } + + private void SetMirroring() + { + bool mir = _reg0.Bit(5); + SetMirrorType(mir ? EMirrorType.Horizontal : EMirrorType.Vertical); + } + + public override void WriteWRAM(int addr, byte value) + { + if (!_reg0.Bit(4)) + { + _reg0 = value; + SetMirroring(); + } + else + { + base.WriteWRAM(addr, value); + } + } + + public override void WritePRG(int addr, byte value) + { + _reg1 = value; + } + + public override byte ReadPRG(int addr) + { + if (Prg16kMode) + { + // First 32kb of PRG is for the intro game picker, 2 is to offset that + int bank = addr < 0x4000 + ? (((_reg0 & 0xF) << 3) | (_reg1 & 7)) + 2 + : (((_reg0 & 0xF) << 3) | 7) + 2; + + return ROM[(bank * 0x4000) + (addr & 0x3FFF)]; + } + + return base.ReadPRG(addr); + } + + public override byte ReadWRAM(int addr) + { + // First 32kb of PRG is for the intro game picker, 4 is to offset that + int bank = (((_reg0 & 0xF) << 4) | 0xF) + 4; + return ROM[(bank * 0x2000) + (addr & 0x1FFF)]; + } + } + + // Supervision 16-in-1 [U][p1][!].unf + // Same as Mapper 53, except the 32kb PRG chip is at the end of the ROM space instead of the beginning + // These could have been combined to reduce some code, but at the cost of being more convoluted + public sealed class UNIF_BMC_Supervision16in1 : NES.NESBoardBase + { + private byte _reg0; + private byte _reg1; + + private bool Prg16kMode { get { return _reg0.Bit(4); } } + + public override bool Configure(NES.EDetectionOrigin origin) + { + switch (Cart.board_type) + { + case "UNIF_BMC-Supervision16in1": + break; + default: + return false; + } + + SetMirrorType(Cart.pad_h, Cart.pad_v); + + return true; + } + + public override void SyncState(Serializer ser) + { + base.SyncState(ser); + ser.Sync("reg0", ref _reg0); + ser.Sync("reg1", ref _reg1); + } + + private void SetMirroring() + { + bool mir = _reg0.Bit(5); + SetMirrorType(mir ? EMirrorType.Horizontal : EMirrorType.Vertical); + } + + public override void WriteWRAM(int addr, byte value) + { + if (!_reg0.Bit(4)) + { + _reg0 = value; + SetMirroring(); + } + else + { + base.WriteWRAM(addr, value); + } + } + + public override void WritePRG(int addr, byte value) + { + _reg1 = value; + } + + public override byte ReadPRG(int addr) + { + if (Prg16kMode) + { + // First 32kb of PRG is for the intro game picker, 2 is to offset that + int bank = addr < 0x4000 + ? (((_reg0 & 0xF) << 3) | (_reg1 & 7)) + : (((_reg0 & 0xF) << 3) | 7); + + return ROM[(bank * 0x4000) + (addr & 0x3FFF)]; + } + + // Intro screen on the last 512kb chip + return ROM[0x200000 + addr]; + } + + public override byte ReadWRAM(int addr) + { + // First 32kb of PRG is for the intro game picker, 4 is to offset that + int bank = (((_reg0 & 0xF) << 4) | 0xF); + return ROM[(bank * 0x2000) + (addr & 0x1FFF)]; + } + } +} diff --git a/BizHawk.Emulation.Cores/Consoles/Nintendo/NES/Boards/Mapper090.cs b/BizHawk.Emulation.Cores/Consoles/Nintendo/NES/Boards/Mapper090.cs index a557c8d3c9..8b6050f4ff 100644 --- a/BizHawk.Emulation.Cores/Consoles/Nintendo/NES/Boards/Mapper090.cs +++ b/BizHawk.Emulation.Cores/Consoles/Nintendo/NES/Boards/Mapper090.cs @@ -6,149 +6,450 @@ namespace BizHawk.Emulation.Cores.Nintendo.NES { public sealed class Mapper090 : NES.NESBoardBase { - ByteBuffer prg_banks = new ByteBuffer(4); - IntBuffer chr_banks = new IntBuffer(8); - int prg_bank_mask_8k; - int prg_bank_mask_16k; - int prg_bank_mask_32k; + ByteBuffer prg_regs = new ByteBuffer(4); + IntBuffer chr_regs = new IntBuffer(8); + IntBuffer nt_regs = new IntBuffer(4); + IntBuffer prg_banks = new IntBuffer(4); + IntBuffer chr_banks = new IntBuffer(8); + IntBuffer chr_latches = new IntBuffer(2); + + ByteBuffer ram_bytes = new ByteBuffer(5); + + [MapperProp] + public bool dipswitch_0; + [MapperProp] + public bool dipswitch_1; + + int prg_bank_mask_8k; int chr_bank_mask_1k; - int chr_bank_mask_2k; - int chr_bank_mask_4k; - int chr_bank_mask_8k; byte prg_mode_select = 0; byte chr_mode_select = 0; bool sram_prg = false; - + + int ram_bank; + + bool mapper_090 = false; + bool mapper_209 = false; + bool mapper_211 = false; + + bool nt_advanced_control = false; + bool nt_ram_disable = false; + + bool nt_ram_select = false; + + + bool mirror_chr = false; + bool chr_block_mode = true; + int chr_block = 0; + int prg_block = 0; + + int multiplicator = 0; + int multiplicand = 0; + int multiplication_result = 0; + + bool irq_enable = false; + bool irq_pending = false; + + bool irq_count_down = false; + bool irq_count_up = false; + int irq_prescaler_size; + byte irq_source = 0; + + byte prescaler; + byte irq_counter; + byte xor_reg; + + int a12_old; + public override bool Configure(NES.EDetectionOrigin origin) { switch (Cart.board_type) { case "MAPPER090": + case "UNIF_UNL-TEK90": + mapper_090 = true; + nt_advanced_control = false; break; case "MAPPER209": - //TODO: Set some flag for 209 mirroring + mapper_209 = true; + break; + case "MAPPER211": + nt_advanced_control = true; + mapper_211 = true; break; default: return false; } prg_bank_mask_8k = Cart.prg_size / 8 - 1; - prg_bank_mask_16k = Cart.prg_size / 16 - 1; - prg_bank_mask_32k = Cart.prg_size / 32 - 1; + chr_bank_mask_1k = Cart.chr_size - 1; - chr_bank_mask_1k = Cart.chr_size / 1 - 1; - chr_bank_mask_2k = Cart.chr_size / 2 - 1; - chr_bank_mask_4k = Cart.chr_size / 4 - 1; - chr_bank_mask_8k = Cart.chr_size / 8 - 1; + InitValues(); return true; } + public override void NESSoftReset() + { + InitValues(); + + base.NESSoftReset(); + } + + private void InitValues() + { + for (int i = 0; i < 4; i++) + { + prg_regs[i] = 0xFF; + nt_regs[i] = 0; + } + for (int i = 0; i < 8; i++) + { + chr_regs[i] = 0xFFFF; + } + + chr_latches[0] = 0; + chr_latches[1] = 4; + + AutoMapperProps.Apply(this); + + Sync(); + } + public override void SyncState(Serializer ser) { + base.SyncState(ser); + + ser.Sync("prg_regs", ref prg_regs); + ser.Sync("chr_regs", ref chr_regs); + ser.Sync("chr_latches", ref chr_latches); + ser.Sync("nt_regs", ref nt_regs); + ser.Sync("prg_banks", ref prg_banks); ser.Sync("chr_banks", ref chr_banks); + ser.Sync("ram_bytes", ref ram_bytes); + + ser.Sync("dipswitch_0", ref dipswitch_0); + ser.Sync("dipswitch_1", ref dipswitch_1); + + ser.Sync("prg_bank_mask_8k", ref prg_bank_mask_8k); + ser.Sync("chr_bank_mask_1k", ref chr_bank_mask_1k); + ser.Sync("prg_mode_select", ref prg_mode_select); - ser.Sync("chr_mode_select", ref prg_mode_select); + ser.Sync("chr_mode_select", ref chr_mode_select); ser.Sync("sram_prg", ref sram_prg); - base.SyncState(ser); + ser.Sync("ram_bank", ref ram_bank); + + ser.Sync("mapper_090", ref mapper_090); + ser.Sync("mapper_209", ref mapper_209); + ser.Sync("mapper_211", ref mapper_211); + + ser.Sync("nt_advanced_control", ref nt_advanced_control); + ser.Sync("nt_ram_disable", ref nt_ram_disable); + ser.Sync("nt_ram_select", ref nt_ram_select); + + ser.Sync("mirror_chr", ref mirror_chr); + ser.Sync("chr_block_mode", ref chr_block_mode); + ser.Sync("chr_block", ref chr_block); + ser.Sync("prg_block", ref prg_block); + + ser.Sync("multiplicator", ref multiplicator); + ser.Sync("multiplicand", ref multiplicand); + ser.Sync("multiplication_result", ref multiplication_result); + + ser.Sync("irq_enable", ref irq_enable); + ser.Sync("irq_pending", ref irq_pending); + ser.Sync("irq_count_down", ref irq_count_down); + ser.Sync("irq_count_up", ref irq_count_up); + ser.Sync("irq_prescaler_size", ref irq_prescaler_size); + ser.Sync("irq_source", ref irq_source); + ser.Sync("prescaler", ref prescaler); + ser.Sync("irq_counter", ref irq_counter); + ser.Sync("xor_reg", ref xor_reg); + ser.Sync("a12_old", ref a12_old); + + Sync(); + } + + public override void Dispose() + { + prg_regs.Dispose(); + chr_regs.Dispose(); + chr_latches.Dispose(); + nt_regs.Dispose(); + prg_banks.Dispose(); + chr_banks.Dispose(); + ram_bytes.Dispose(); + base.Dispose(); + } + + private void Sync() + { + SyncIRQ(); + SyncPRGBanks(); + SyncCHRBanks(); + SyncNametables(); + } + + private void SetBank(IntBuffer target, byte offset, byte size, int value) + { + value &= ~(size - 1); + for (int i = 0; i < size; i++) + { + int index = i + offset; + target[index] = value; + value++; + } + } + + private byte BitRev6(int value) + { + int newvalue = 0; + + newvalue |= (value & 0x20) >> 5; + newvalue |= (value & 0x10) >> 3; + newvalue |= (value & 0x08) >> 1; + newvalue |= (value & 0x04) << 1; + newvalue |= (value & 0x02) << 3; + newvalue |= (value & 0x01) << 5; + + return (byte)newvalue; + } + + private void SyncPRGBanks() + { + int bankmode = prg_block << 6; + + switch(prg_mode_select) + { + case 0: + SetBank(prg_banks, 0, 4, ( bankmode | (prg_bank_mask_8k & 0x3F) )); + ram_bank = bankmode | (((prg_regs[3] << 2) + 3) & 0x3F); + break; + case 1: + SetBank(prg_banks, 0, 2, ( bankmode | (prg_regs[1] & 0x1F) )); + SetBank(prg_banks, 2, 2, ( bankmode | (prg_bank_mask_8k & 0x3F) )); + ram_bank = bankmode | (((prg_regs[3] << 1) + 1) & 0x3F); + break; + case 2: + SetBank(prg_banks, 0, 1, ( bankmode | prg_regs[0] )); + SetBank(prg_banks, 1, 1, ( bankmode | prg_regs[1] )); + SetBank(prg_banks, 2, 1, ( bankmode | prg_regs[2] )); + SetBank(prg_banks, 3, 1, ( bankmode | (prg_bank_mask_8k & 0x3F) )); + ram_bank = bankmode | prg_regs[3]; + break; + case 3: + SetBank(prg_banks, 0, 1, ( bankmode | BitRev6(prg_regs[0]) )); + SetBank(prg_banks, 1, 1, ( bankmode | BitRev6(prg_regs[1]) )); + SetBank(prg_banks, 2, 1, ( bankmode | BitRev6(prg_regs[2]) )); + SetBank(prg_banks, 3, 1, ( bankmode | (prg_bank_mask_8k & 0x3F) )); + ram_bank = bankmode | BitRev6(prg_regs[3]); + break; + case 4: + SetBank(prg_banks, 0, 4, ( bankmode | (prg_regs[3] & 0x3F) )); + ram_bank = bankmode | (((prg_regs[3] << 2) + 3) & 0x3F); + break; + case 5: + SetBank(prg_banks, 0, 2, ( bankmode | (prg_regs[1] & 0x1F) )); + SetBank(prg_banks, 2, 2, ( bankmode | (prg_regs[3] & 0x1F) )); + ram_bank = bankmode | (((prg_regs[3] << 1) + 1) & 0x3F); + break; + case 6: + SetBank(prg_banks, 0, 1, ( bankmode | prg_regs[0] )); + SetBank(prg_banks, 1, 1, ( bankmode | prg_regs[1] )); + SetBank(prg_banks, 2, 1, ( bankmode | prg_regs[2] )); + SetBank(prg_banks, 3, 1, ( bankmode | prg_regs[3] )); + ram_bank = bankmode | prg_regs[3]; + break; + case 7: + SetBank(prg_banks, 0, 1, ( bankmode | BitRev6(prg_regs[0]) )); + SetBank(prg_banks, 1, 1, ( bankmode | BitRev6(prg_regs[1]) )); + SetBank(prg_banks, 2, 1, ( bankmode | BitRev6(prg_regs[2]) )); + SetBank(prg_banks, 3, 1, ( bankmode | BitRev6(prg_regs[3]) )); + ram_bank = bankmode | BitRev6(prg_regs[3]); + break; + } + } + + private void SyncCHRBanks() + { + int mask = 0xFFFF; + int block = 0; + + if (chr_block_mode) + { + mask = 0xFF >> (chr_mode_select ^ 3); + block = chr_block << (chr_mode_select + 5); + } + + int mirror_chr_9002 = mirror_chr ? 0 : 2; + int mirror_chr_9003 = mirror_chr ? 1 : 3; + + switch (chr_mode_select) + { + case 0: + SetBank(chr_banks, 0, 8, ((chr_regs[0] & mask) | block) << 3); + break; + case 1: + var reg_0 = mapper_090 ? chr_regs[0] : chr_regs[chr_latches[0]]; + var reg_1 = mapper_090 ? chr_regs[4] : chr_regs[chr_latches[1]]; + + SetBank(chr_banks, 0, 4, ((reg_0 & mask) | block) << 2); + SetBank(chr_banks, 4, 4, ((reg_1 & mask) | block) << 2); + break; + case 2: + SetBank(chr_banks, 0, 2, ((chr_regs[0] & mask) | block) << 1); + SetBank(chr_banks, 2, 2, ((chr_regs[mirror_chr_9002] & mask) | block) << 1); + SetBank(chr_banks, 4, 2, ((chr_regs[4] & mask) | block) << 1); + SetBank(chr_banks, 6, 2, ((chr_regs[6] & mask) | block) << 1); + break; + case 3: + SetBank(chr_banks, 0, 1, (chr_regs[0] & mask) | block); + SetBank(chr_banks, 1, 1, (chr_regs[1] & mask) | block); + SetBank(chr_banks, 2, 1, (chr_regs[mirror_chr_9002] & mask) | block); + SetBank(chr_banks, 3, 1, (chr_regs[mirror_chr_9003] & mask) | block); + SetBank(chr_banks, 4, 1, (chr_regs[4] & mask) | block); + SetBank(chr_banks, 5, 1, (chr_regs[5] & mask) | block); + SetBank(chr_banks, 6, 1, (chr_regs[6] & mask) | block); + SetBank(chr_banks, 7, 1, (chr_regs[7] & mask) | block); + break; + } + } + + private void SyncNametables() + { + if (nt_advanced_control) + { + int[] m = new int[4]; + for (var i = 0; i < 4; i++) + { + m[i] = nt_regs[i] & 0x01; + } + SetMirroring(m[0], m[1], m[2], m[3]); + } } public override void WritePRG(int addr, byte value) { - switch (addr) + switch (addr & 0x7007) { - case 0x0000: - case 0x0004: - prg_banks[0] = (byte)(value & 0x7F); - break; + case 0x0000: //0x8000: PRG ROM select case 0x0001: - case 0x0005: - prg_banks[1] = (byte)(value & 0x7F); - break; case 0x0002: - case 0x0006: - prg_banks[2] = (byte)(value & 0x7F); - break; case 0x0003: + case 0x0004: + case 0x0005: + case 0x0006: case 0x0007: - prg_banks[3] = (byte)(value & 0x7F); + prg_regs[addr & 3] = (byte)(value & 0x3F); + SyncPRGBanks(); break; - case 0x1000: - chr_banks[0] &= 0xff00; - chr_banks[0] |= value; - break; + case 0x1000: //0x9000: CHR ROM lower 8 bits select case 0x1001: - chr_banks[1] &= 0xff00; - chr_banks[1] |= value; - break; case 0x1002: - chr_banks[2] &= 0xff00; - chr_banks[2] |= value; - break; case 0x1003: - chr_banks[3] &= 0xff00; - chr_banks[3] |= value; - break; case 0x1004: - chr_banks[4] &= 0xff00; - chr_banks[4] |= value; - break; case 0x1005: - chr_banks[5] &= 0xff00; - chr_banks[5] |= value; - break; case 0x1006: - chr_banks[6] &= 0xff00; - chr_banks[6] |= value; - break; case 0x1007: - chr_banks[7] &= 0xff00; - chr_banks[7] |= value; + chr_regs[addr & 7] &= 0xff00; + chr_regs[addr & 7] |= value; + SyncCHRBanks(); break; - case 0x2000: - chr_banks[0] &= 0x00ff; - chr_banks[0] |= (value << 8); - break; + case 0x2000: //0xA000: CHR ROM upper 8 bits select case 0x2001: - chr_banks[1] &= 0x00ff; - chr_banks[1] |= (value << 8); - break; case 0x2002: - chr_banks[2] &= 0x00ff; - chr_banks[2] |= (value << 8); - break; case 0x2003: - chr_banks[3] &= 0x00ff; - chr_banks[3] |= (value << 8); - break; case 0x2004: - chr_banks[4] &= 0x00ff; - chr_banks[4] |= (value << 8); - break; case 0x2005: - chr_banks[5] &= 0x00ff; - chr_banks[5] |= (value << 8); - break; case 0x2006: - chr_banks[6] &= 0x00ff; - chr_banks[6] |= (value << 8); - break; case 0x2007: - chr_banks[7] &= 0x00ff; - chr_banks[7] |= (value << 8); + chr_regs[addr & 7] &= 0x00ff; + chr_regs[addr & 7] |= (value << 8); + SyncCHRBanks(); break; - case 0x5000: + case 0x3000: //0xB000 Nametable Regs + case 0x3001: + case 0x3002: + case 0x3003: + nt_regs[addr & 3] &= 0xff00; + nt_regs[addr & 3] |= value; + SyncNametables(); + break; + + case 0x3004: + case 0x3005: + case 0x3006: + case 0x3007: + nt_regs[addr & 3] &= 0x00ff; + nt_regs[addr & 3] |= (value << 8); + SyncNametables(); + break; + + case 0x4000: //0xC000 IRQ operation + if (value.Bit(0)) + { + goto case 0x4003; + } + else + { + goto case 0x4002; + } + case 0x4001: //IRQ control + irq_count_down = value.Bit(7); + irq_count_up = value.Bit(6); + //Bit 3 enables IRQ prescaler adjusting at 0xC007. + irq_prescaler_size = value.Bit(2) ? 8 : 256; + + //TODO: Mode 4 (CPU reads) not implemented. No game actually seems to use it, however. + irq_source = (byte)(value & 0x03); + break; + case 0x4002: //IRQ acknowledge and disable + irq_pending = false; + irq_enable = false; + SyncIRQ(); + break; + case 0x4003: //IRQ enable + irq_enable = true; + SyncIRQ(); + break; + case 0x4004: //Prescaler + prescaler = (byte)(value ^ xor_reg); + break; + case 0x4005: //IRQ_Counter + irq_counter = (byte)(value ^ xor_reg); + break; + case 0x4006: //XOR Reg + xor_reg = value; + break; + case 0x4007: //IRQ prescaler adjust + //Poorly understood, and no game actually appears to use it. + //We therefore forego emulating it. + break; + + case 0x5000: //0xD000 Mapper Banking Control and Mirroring + case 0x5004: + //Only Mapper 209 can set this. It is always clear for Mapper 90 and always set for Mapper 211 + if (mapper_209) + { + nt_advanced_control = value.Bit(5); + } + nt_ram_disable = value.Bit(6); prg_mode_select = (byte)(value & 0x07); chr_mode_select = (byte)((value >> 3) & 0x03); sram_prg = value.Bit(7); + + SyncPRGBanks(); + SyncCHRBanks(); + SyncNametables(); break; - case 0x5001: //TODO: mapper 90 flag + case 0x5001: //0xD001: Mirroring + case 0x5005: switch (value & 0x3) { case 0: @@ -165,208 +466,217 @@ namespace BizHawk.Emulation.Cores.Nintendo.NES break; } break; + case 0x5002: + case 0x5006: + nt_ram_select = value.Bit(7); + SyncNametables(); + break; + case 0x5003: + case 0x5007: + mirror_chr = value.Bit(7); + chr_block_mode = !value.Bit(5); + chr_block = ((value & 0x18) >> 2) | (value & 0x1); + prg_block = (value & 0x06) >> 1; + SyncPRGBanks(); + SyncCHRBanks(); + break; } } - private byte BitRev7(byte value) //adelikat: Bit reverses a 7 bit register, ugly but gets the job done - { - byte newvalue = 0; - newvalue |= (byte)((value & 0x01) << 6); - newvalue |= (byte)(((value >> 1) & 0x01) << 5); - newvalue |= (byte)(((value >> 2) & 0x01) << 4); - newvalue |= (byte)(value & 0x08); - newvalue |= (byte)(((value >> 4) & 0x01 ) << 2); - newvalue |= (byte)(((value >> 5) & 0x01) << 1); - newvalue |= (byte)((value >> 6) & 0x01); - - return newvalue; - } - public override byte ReadPRG(int addr) { - int bank = 0; - switch (prg_mode_select) - { - case 0: - bank = 0xFF & prg_bank_mask_32k; - return ROM[(bank * 0x8000) + (addr & 0x7FFF)]; - case 1: - if (addr < 0x4000) - { - bank = prg_banks[0] & prg_bank_mask_16k; - } - else - { - bank = 0xFF & prg_bank_mask_16k; - - } - return ROM[(bank * 0x4000) + (addr & 0x3FFF)]; - case 2: - case 3: - if (addr < 0x2000) - { - bank = BitRev7(prg_banks[0]) & prg_bank_mask_8k; - } - else if (addr < 0x4000) - { - bank = BitRev7(prg_banks[1]) & prg_bank_mask_8k; - } - else if (addr < 0x6000) - { - bank = BitRev7(prg_banks[2]) & prg_bank_mask_8k; - } - else - { - bank = 0xFF & prg_bank_mask_8k; - } - return ROM[(bank * 0x2000) + (addr & 0x1FFF)]; - case 4: - bank = prg_banks[3] & prg_bank_mask_32k; - return ROM[(bank * 0x8000) + (addr & 0x7FFF)]; - case 5: - if (addr < 0x4000) - { - bank = prg_banks[0] & prg_bank_mask_16k; - } - else - { - bank = prg_banks[1] & prg_bank_mask_16k; - - } - return ROM[(bank * 0x4000) + (addr & 0x3FFF)]; - case 6: - case 7: - if (addr < 0x2000) - { - bank = BitRev7(prg_banks[0]) & prg_bank_mask_8k; - } - else if (addr < 0x4000) - { - bank = BitRev7(prg_banks[1]) & prg_bank_mask_8k; - } - else if (addr < 0x6000) - { - bank = BitRev7(prg_banks[2]) & prg_bank_mask_8k; - } - else - { - bank = BitRev7(prg_banks[3]) & prg_bank_mask_8k; - } - return ROM[(bank * 0x2000) + (addr & 0x1FFF)]; - } - - bank = prg_banks[0]; + int offset = addr & 0x1FFF; + int bank = prg_banks[addr >> 13]; bank &= prg_bank_mask_8k; - return ROM[(bank * 0x2000) + (addr & 0x1FFF)]; + return ROM[bank << 13 | offset]; } public override byte ReadWRAM(int addr) { - if (sram_prg) + return sram_prg ? ROM[ram_bank << 13 | addr & 0x1FFF] : base.ReadWRAM(addr); + } + + public override byte ReadEXP(int addr) + { + switch (addr & 0x1807) { - int bank = 0; - switch (prg_mode_select) + case 0x1000: + int value = dipswitch_0 ? 0x80 : 0x00; + value = dipswitch_1 ? value | 0x40 : value; + return (byte)(value | (NES.DB & 0x3F)); + case 0x1800: + return (byte)multiplication_result; + case 0x1801: + return (byte)(multiplication_result >> 8); + case 0x1803: + case 0x1804: + case 0x1805: + case 0x1806: + case 0x1807: + return ram_bytes[addr - 0x1803]; + default: + return base.ReadEXP(addr); + } + } + + public override void WriteEXP(int addr, byte value) + { + switch (addr) + { + case 0x1800: + multiplicator = value; + multiplication_result = multiplicator * multiplicand; + break; + case 0x1801: + multiplicand = value; + multiplication_result = multiplicator * multiplicand; + break; + case 0x1803: //It's not known if 0x1804 - 0x1807 are actually RAM. For safety, we'll assume it is. + case 0x1804: + case 0x1805: + case 0x1806: + case 0x1807: + ram_bytes[addr - 0x1803] = value; + break; + } + } + + public override void ClockCPU() + { + if (irq_source == 0) + { + ClockIRQ(); + } + } + + public void ClockIRQ() + { + int mask = irq_prescaler_size - 1; + + if (irq_count_up && !irq_count_down) + { + prescaler++; + if((prescaler & mask) == 0) { - case 0: - case 4: - bank = (prg_banks[3] << 2) + 3; - break; - case 1: - case 5: - bank = (prg_banks[3] << 1) + 3; - break; - case 2: - - case 6: - bank = prg_banks[3]; - break; - case 3: - case 7: - bank = BitRev7(prg_banks[3]); - break; + irq_counter++; + if(irq_counter == 0) + { + irq_pending = irq_enable; + } } - return ROM[(bank * 0x2000) + (addr + 0x1FFF)]; + } + + if (irq_count_down && !irq_count_up) + { + prescaler--; + if((prescaler & mask) == mask) + { + irq_counter--; + if (irq_counter == 0xFF) + { + irq_pending = irq_enable; + } + } + } + + SyncIRQ(); + } + + public void SyncIRQ() + { + SyncIRQ(irq_pending); + } + + public override void AddressPPU(int addr) + { + int a12 = (addr >> 12) & 1; + bool rising_edge = (a12 == 1 && a12_old == 0); + + if (rising_edge && irq_source == 1) + { + ClockIRQ(); + } + + a12_old = a12; + } + + public override byte PeekPPU(int addr) + { + if (addr < 0x2000) //Read CHR + { + int bank = chr_banks[addr >> 10]; + bank &= chr_bank_mask_1k; + int offset = addr & 0x3FF; + + return VROM[bank << 10 | offset]; + } + + if (nt_advanced_control) //Read from Nametables + { + addr -= 0x2000; + int nt = nt_regs[addr >> 10]; + int offset = addr & 0x3FF; + + if (!nt_ram_disable) + { + if(nt.Bit(7) == nt_ram_select) + { + return nt.Bit(0) ? NES.CIRAM[0x400 | offset] : NES.CIRAM[offset]; + } + } + + return VROM[nt << 10 | offset]; } else { - return base.ReadWRAM(addr); + return base.PeekPPU(addr); } } public override byte ReadPPU(int addr) { - if (addr < 0x2000) + if (irq_source == 2) { - int bank = 0; - switch (chr_mode_select) + ClockIRQ(); //No game ever should use this. + } + + if (addr < 0x2000) //Read CHR + { + int bank = chr_banks[addr >> 10]; + bank &= chr_bank_mask_1k; + int offset = addr & 0x3FF; + + //Super Strange MMC2 logic + int side = addr >> 12; + int tile = addr & 0xFF8; + + switch (tile) { - default: - case 0: - bank = chr_banks[0] & chr_bank_mask_8k; - return VROM[(bank * 0x2000) + (addr & 0x1FFF)]; - case 1: - if (addr < 0x1000) - { - bank = chr_banks[0] & chr_bank_mask_4k; - } - else - { - bank = chr_banks[4] & chr_bank_mask_4k; - } - return VROM[(bank * 0x1000) + (addr & 0x0FFF)]; - case 2: - if (addr < 0x800) - { - bank = chr_banks[0] & chr_bank_mask_2k; - } - else if (addr < 0x1000) - { - bank = chr_banks[2] & chr_bank_mask_2k; - } - else if (addr < 0x1800) - { - bank = chr_banks[4] & chr_bank_mask_2k; - } - else - { - bank = chr_banks[6] & chr_bank_mask_2k; - } - return VROM[(bank * 0x0800) + (addr & 0x07FF)]; - case 3: - if (addr < 0x0400) - { - bank = chr_banks[0] & chr_bank_mask_1k; - } - else if (addr < 0x0800) - { - bank = chr_banks[1] & chr_bank_mask_1k; - } - else if (addr < 0x0C00) - { - bank = chr_banks[2] & chr_bank_mask_1k; - } - else if (addr < 0x1000) - { - bank = chr_banks[3] & chr_bank_mask_1k; - } - else if (addr < 0x1400) - { - bank = chr_banks[4] & chr_bank_mask_1k; - } - else if (addr < 0x1800) - { - bank = chr_banks[5] & chr_bank_mask_1k; - } - else if (addr < 0x1C00) - { - bank = chr_banks[6] & chr_bank_mask_1k; - } - else - { - bank = chr_banks[7] & chr_bank_mask_1k; - } - return VROM[(bank * 0x0400) + (addr & 0x03FF)]; + case 0xFD8: + case 0xFE8: + chr_latches[side] = (addr >> 4) & ((side << 2) | 0x2); + SyncCHRBanks(); + break; } + + return VROM[bank << 10 | offset]; + } + + if (nt_advanced_control) //Read from Nametables + { + addr -= 0x2000; + int nt = nt_regs[addr >> 10]; + int offset = addr & 0x3FF; + + if (!nt_ram_disable) + { + if(nt.Bit(7) == nt_ram_select) + { + return nt.Bit(0) ? NES.CIRAM[0x400 | offset] : NES.CIRAM[offset]; + } + } + + return VROM[nt << 10 | offset]; } else { diff --git a/BizHawk.Emulation.Cores/Consoles/Nintendo/NES/Boards/Mapper091.cs b/BizHawk.Emulation.Cores/Consoles/Nintendo/NES/Boards/Mapper091.cs index 985672c21f..8a882247be 100644 --- a/BizHawk.Emulation.Cores/Consoles/Nintendo/NES/Boards/Mapper091.cs +++ b/BizHawk.Emulation.Cores/Consoles/Nintendo/NES/Boards/Mapper091.cs @@ -24,14 +24,22 @@ namespace BizHawk.Emulation.Cores.Nintendo.NES return false; } - chr_bank_mask_2k = Cart.chr_size / 2 - 1; + int chrSize = Cart.chr_size; + if (chrSize > 256) // Hack to support some bad dumps + { + chrSize = 512; + } + + chr_bank_mask_2k = chrSize / 2 - 1; prg_bank_mask_8k = Cart.prg_size / 8 - 1; prg_regs_8k[3] = 0xFF; prg_regs_8k[2] = 0xFE; mmc3 = new MMC3(this, 0x7FFFFFFF); - + + SetMirrorType(Cart.pad_h, Cart.pad_v); + return true; } diff --git a/BizHawk.Emulation.Cores/Consoles/Nintendo/NES/Boards/Mapper136.cs b/BizHawk.Emulation.Cores/Consoles/Nintendo/NES/Boards/Mapper136.cs new file mode 100644 index 0000000000..c7408848c8 --- /dev/null +++ b/BizHawk.Emulation.Cores/Consoles/Nintendo/NES/Boards/Mapper136.cs @@ -0,0 +1,75 @@ +using BizHawk.Common; + +namespace BizHawk.Emulation.Cores.Nintendo.NES +{ + // Mei Loi Siu Ji (Metal Fighter) (Sachen) [!] + public sealed class Mapper136 : NES.NESBoardBase + { + private int _chrBankMask_8k; + private int _chrRegister; + + public override bool Configure(NES.EDetectionOrigin origin) + { + //configure + switch (Cart.board_type) + { + case "MAPPER136": + break; + default: + return false; + } + + _chrBankMask_8k = Cart.chr_size / 8 - 1; + return true; + } + + public override void WriteEXP(int addr, byte value) + { + if ((addr & 0x103) == 0x102) + { + _chrRegister = value + 3; + } + else + { + base.WriteEXP(addr, value); + } + } + + public override void WritePRG(int addr, byte value) + { + if ((addr & 0x103) == 0x102) + { + _chrRegister = value + 3; + } + } + + public override byte ReadEXP(int addr) + { + if (addr == 0x100) + { + return (byte)((_chrRegister & 0x3F) | (NES.DB & 0xC0)); + } + else + { + return base.ReadEXP(addr); + } + } + + public override byte ReadPPU(int addr) + { + if (addr < 0x2000) + { + int bank = _chrRegister & _chrBankMask_8k; + return VROM[(bank * 0x2000) + (addr & 0x1FFF)]; + } + + return base.ReadPPU(addr); + } + + public override void SyncState(Serializer ser) + { + base.SyncState(ser); + ser.Sync("chrRegister", ref _chrRegister); + } + } +} diff --git a/BizHawk.Emulation.Cores/Consoles/Nintendo/NES/Boards/Mapper147.cs b/BizHawk.Emulation.Cores/Consoles/Nintendo/NES/Boards/Mapper147.cs new file mode 100644 index 0000000000..a99ed953a2 --- /dev/null +++ b/BizHawk.Emulation.Cores/Consoles/Nintendo/NES/Boards/Mapper147.cs @@ -0,0 +1,77 @@ +using BizHawk.Common; + +namespace BizHawk.Emulation.Cores.Nintendo.NES +{ + // Challenge of the Dragon (Sachen) [!] + // Chinese KungFu (Sachen-JAP) [!] + public sealed class Mapper147 : NES.NESBoardBase + { + private int _chrBankMask_8k; + private int _prgBankMask_32k; + + private int _chrRegister; + + public override bool Configure(NES.EDetectionOrigin origin) + { + //configure + switch (Cart.board_type) + { + case "MAPPER147": + case "UNIF_UNL-TC-U01-1.5M": + break; + default: + return false; + } + + _chrBankMask_8k = Cart.chr_size / 8 - 1; + _prgBankMask_32k = Cart.prg_size / 32 - 1; + + return true; + } + + public override void WriteEXP(int addr, byte value) + { + if ((addr & 0x103) == 0x102) + { + _chrRegister = value; + } + else + { + base.WriteEXP(addr, value); + } + } + + public override void WritePRG(int addr, byte value) + { + if ((addr & 0x103) == 0x102) + { + _chrRegister = value; + } + } + + public override byte ReadPPU(int addr) + { + if (addr < 0x2000) + { + int bank = _chrRegister >> 3 & 0x0F; + bank &= _chrBankMask_8k; + return VROM[(bank * 0x2000) + (addr & 0x1FFF)]; + } + + return base.ReadPPU(addr); + } + + public override byte ReadPRG(int addr) + { + int bank = ((_chrRegister & 0x80) >> 6) | ((_chrRegister >> 2) & 1); + bank &= _prgBankMask_32k; + return ROM[(bank * 0x8000) + (addr & 0x7FFF)]; + } + + public override void SyncState(Serializer ser) + { + base.SyncState(ser); + ser.Sync("chrRegister", ref _chrRegister); + } + } +} diff --git a/BizHawk.Emulation.Cores/Consoles/Nintendo/NES/Boards/Mapper164.cs b/BizHawk.Emulation.Cores/Consoles/Nintendo/NES/Boards/Mapper164.cs index 7d79d1c943..ed6f380762 100644 --- a/BizHawk.Emulation.Cores/Consoles/Nintendo/NES/Boards/Mapper164.cs +++ b/BizHawk.Emulation.Cores/Consoles/Nintendo/NES/Boards/Mapper164.cs @@ -4,42 +4,12 @@ namespace BizHawk.Emulation.Cores.Nintendo.NES { public sealed class Mapper164 : NES.NESBoardBase { - /* - * Here are Disch's original notes: - ======================== - = Mapper 164 = - ======================== - - Example Game: - -------------------------- - Final Fantasy V - - - - Registers: - --------------------------- - - Range,Mask: $5000-FFFF, $F300 - - $5000, $D000: PRG reg (32k @ $8000) - - $6000-7FFF may have SRAM (not sure) - - - On Reset - --------------------------- - Reg seems to contain $FF on powerup/reset - - - Notes: - --------------------------- - - Swapping is really simple -- the thing that is funky is the register range/mask. $5000 and $D000 will access - the register, however $5100, $5200, etc will not. - */ + // http://wiki.nesdev.com/w/index.php/INES_Mapper_164 - int prg_bank; - int prg_bank_mask_32k; + private int _prgHigh; + private int _prgLow; + + private int prg_bank_mask_32k; public override bool Configure(NES.EDetectionOrigin origin) { @@ -50,7 +20,8 @@ namespace BizHawk.Emulation.Cores.Nintendo.NES default: return false; } - prg_bank = 0xFF; + + _prgLow = 0xFF; prg_bank_mask_32k = Cart.prg_size / 32 - 1; SetMirrorType(Cart.pad_h, Cart.pad_v); return true; @@ -58,32 +29,35 @@ namespace BizHawk.Emulation.Cores.Nintendo.NES public override void WriteEXP(int addr, byte value) { - addr = (addr + 0x4000) & 0xF300; - if (addr == 0x5000 || addr == 0xD000) - prg_bank = value; - } - - public override void WritePRG(int addr, byte value) - { - addr = (addr + 0x8000) & 0xF300; - if (addr == 0x5000 || addr == 0xD000) - prg_bank = value; + addr = (addr + 0x4000) & 0x7300; + switch (addr) + { + case 0x5000: + _prgLow = value; + break; + case 0x5100: + _prgHigh = value; + break; + } } public override byte ReadPRG(int addr) { - return ROM[addr + ((prg_bank & prg_bank_mask_32k) * 0x8000)]; + int bank = (_prgHigh << 4) | (_prgLow & 0xF); + bank &= prg_bank_mask_32k; + return ROM[(bank * 0x8000) + (addr & 0x7FFF)]; } public override void SyncState(Serializer ser) { base.SyncState(ser); - ser.Sync("prg", ref prg_bank); + ser.Sync("prgHigh", ref _prgHigh); + ser.Sync("prgLow", ref _prgLow); } public override void NESSoftReset() { - prg_bank = 0xFF; + _prgHigh = 0xFF; base.NESSoftReset(); } } diff --git a/BizHawk.Emulation.Cores/Consoles/Nintendo/NES/Boards/Mapper168.cs b/BizHawk.Emulation.Cores/Consoles/Nintendo/NES/Boards/Mapper168.cs index 4e0aaa109c..71fbb2ee36 100644 --- a/BizHawk.Emulation.Cores/Consoles/Nintendo/NES/Boards/Mapper168.cs +++ b/BizHawk.Emulation.Cores/Consoles/Nintendo/NES/Boards/Mapper168.cs @@ -27,7 +27,7 @@ namespace BizHawk.Emulation.Cores.Nintendo.NES AssertPrg(64); Cart.chr_size = 0; //AssertChr(0); //shitty dumps Cart.vram_size = 64; //AssertVram(64); //shitty dumps - AssertWram(0); + Cart.wram_size = 0; //AssertWram(0); // shitty dumps //AssertBattery(true); // battery is handled directly SetMirrorType(Cart.pad_h, Cart.pad_v); return true; diff --git a/BizHawk.Emulation.Cores/Consoles/Nintendo/NES/Boards/Mapper202.cs b/BizHawk.Emulation.Cores/Consoles/Nintendo/NES/Boards/Mapper202.cs new file mode 100644 index 0000000000..392fbe4e62 --- /dev/null +++ b/BizHawk.Emulation.Cores/Consoles/Nintendo/NES/Boards/Mapper202.cs @@ -0,0 +1,61 @@ +using BizHawk.Common; +using BizHawk.Common.NumberExtensions; + +namespace BizHawk.Emulation.Cores.Nintendo.NES +{ + // 150-in-1 + // http://wiki.nesdev.com/w/index.php/INES_Mapper_202 + public class Mapper202 : NES.NESBoardBase + { + private int _reg; + private bool _isprg32KMode; + + public override bool Configure(NES.EDetectionOrigin origin) + { + switch (Cart.board_type) + { + case "MAPPER202": + break; + default: + return false; + } + + return true; + } + + public override void SyncState(Serializer ser) + { + base.SyncState(ser); + ser.Sync("reg", ref _reg); + ser.Sync("isPrg32kMode", ref _isprg32KMode); + } + + public override void WritePRG(int addr, byte value) + { + _reg = (addr >> 1) & 7; + _isprg32KMode = addr.Bit(0) && addr.Bit(3); + + SetMirrorType(addr.Bit(0) ? EMirrorType.Horizontal : EMirrorType.Vertical); + } + + public override byte ReadPRG(int addr) + { + if (_isprg32KMode) + { + return ROM[((_reg >> 1) * 0x8000) + (addr & 0x7FFF)]; + } + + return ROM[(_reg * 0x4000) + (addr & 0x3FFF)]; + } + + public override byte ReadPPU(int addr) + { + if (addr < 0x2000) + { + return VROM[(_reg * 0x2000) + (addr & 0x1FFF)]; + } + + return base.ReadPPU(addr); + } + } +} diff --git a/BizHawk.Emulation.Cores/Consoles/Nintendo/NES/Boards/Mapper204.cs b/BizHawk.Emulation.Cores/Consoles/Nintendo/NES/Boards/Mapper204.cs new file mode 100644 index 0000000000..44c348d0b8 --- /dev/null +++ b/BizHawk.Emulation.Cores/Consoles/Nintendo/NES/Boards/Mapper204.cs @@ -0,0 +1,61 @@ +using BizHawk.Common; +using BizHawk.Common.NumberExtensions; + +namespace BizHawk.Emulation.Cores.Nintendo.NES +{ + // 64-in-1 + // http://wiki.nesdev.com/w/index.php/INES_Mapper_204 + public class Mapper204 : NES.NESBoardBase + { + private int _reg1, _reg2; + + public override bool Configure(NES.EDetectionOrigin origin) + { + switch (Cart.board_type) + { + case "MAPPER204": + break; + default: + return false; + } + + return true; + } + + public override void SyncState(Serializer ser) + { + base.SyncState(ser); + ser.Sync("reg1", ref _reg1); + ser.Sync("reg2", ref _reg2); + } + + public override void WritePRG(int addr, byte value) + { + _reg1 = addr & 0x6; + _reg2 = _reg1 + ((_reg1 == 0x6) ? 0 : (addr & 1)); + _reg1 = _reg1 + ((_reg1 == 0x6) ? 1 : (addr & 1)); + + SetMirrorType(addr.Bit(0) ? EMirrorType.Vertical : EMirrorType.Horizontal); + } + + public override byte ReadPRG(int addr) + { + if (addr < 0x4000) + { + return ROM[(_reg2 * 0x4000) + (addr & 0x3FFF)]; + } + + return ROM[(_reg1 * 0x4000) + (addr & 0x3FFF)]; + } + + public override byte ReadPPU(int addr) + { + if (addr < 0x2000) + { + return VROM[(_reg2 * 0x2000) + (addr & 0x1FFF)]; + } + + return base.ReadPPU(addr); + } + } +} diff --git a/BizHawk.Emulation.Cores/Consoles/Nintendo/NES/Boards/Mapper212.cs b/BizHawk.Emulation.Cores/Consoles/Nintendo/NES/Boards/Mapper212.cs new file mode 100644 index 0000000000..1560412862 --- /dev/null +++ b/BizHawk.Emulation.Cores/Consoles/Nintendo/NES/Boards/Mapper212.cs @@ -0,0 +1,80 @@ +using BizHawk.Common; +using BizHawk.Common.NumberExtensions; + +namespace BizHawk.Emulation.Cores.Nintendo.NES +{ + // 1997-in-1 + // 999999-in-1 + // 1000000-in-1 + // http://wiki.nesdev.com/w/index.php/INES_Mapper_212 + public class Mapper212 : NES.NESBoardBase + { + private int _reg; + + public override bool Configure(NES.EDetectionOrigin origin) + { + switch (Cart.board_type) + { + case "MAPPER212": + break; + default: + return false; + } + + SetMirrorType(Cart.pad_h, Cart.pad_v); + + _reg = 65535; + + return true; + } + + public override void SyncState(Serializer ser) + { + base.SyncState(ser); + ser.Sync("_reg", ref _reg); + } + + public override void WritePRG(int addr, byte value) + { + addr += 0x8000; + + _reg = addr; + SetMirrorType(addr.Bit(3) ? EMirrorType.Horizontal : EMirrorType.Vertical); + } + + public override byte ReadPRG(int addr) + { + addr += 0x8000; + byte ret; + + if ((_reg & 0x4000) > 0) + { + int bank = (_reg >> 1) & 3; + ret = ROM[(bank * 0x8000) + (addr & 0x7FFF)]; + } + else + { + int bank = _reg & 7; + ret = ROM[(bank * 0x4000) + (addr & 0x3FFF)]; + } + + if ((addr & 0xE010) == 0x6000) + { + ret |= 0x80; + } + + return ret; + } + + public override byte ReadPPU(int addr) + { + if (addr < 0x2000) + { + int bank = _reg & 7; + return VROM[(bank * 0x2000) + (addr & 0x1FFF)]; + } + + return base.ReadPPU(addr); + } + } +} diff --git a/BizHawk.Emulation.Cores/Consoles/Nintendo/NES/Boards/Mapper213.cs b/BizHawk.Emulation.Cores/Consoles/Nintendo/NES/Boards/Mapper213.cs new file mode 100644 index 0000000000..4315b308f1 --- /dev/null +++ b/BizHawk.Emulation.Cores/Consoles/Nintendo/NES/Boards/Mapper213.cs @@ -0,0 +1,60 @@ +using BizHawk.Common; +using BizHawk.Common.NumberExtensions; + +namespace BizHawk.Emulation.Cores.Nintendo.NES +{ + // 9999999-in-1 [p2] + // http://wiki.nesdev.com/w/index.php/INES_Mapper_213 + public class Mapper213 : NES.NESBoardBase + { + private int _reg; + + public override bool Configure(NES.EDetectionOrigin origin) + { + switch (Cart.board_type) + { + case "MAPPER213": + break; + default: + return false; + } + + SetMirrorType(Cart.pad_h, Cart.pad_v); + + _reg = 65535; + + return true; + } + + public override void SyncState(Serializer ser) + { + base.SyncState(ser); + ser.Sync("_reg", ref _reg); + } + + public override void WritePRG(int addr, byte value) + { + addr += 0x8000; + + _reg = addr; + SetMirrorType(addr.Bit(3) ? EMirrorType.Vertical : EMirrorType.Horizontal); + } + + public override byte ReadPRG(int addr) + { + int bank = (_reg >> 1) & 3; + return ROM[(bank * 0x8000) + (addr & 0x7FFF)]; + } + + public override byte ReadPPU(int addr) + { + if (addr < 0x2000) + { + int bank = (_reg >> 3) & 7; + return VROM[(bank * 0x2000) + (addr & 0x1FFF)]; + } + + return base.ReadPPU(addr); + } + } +} diff --git a/BizHawk.Emulation.Cores/Consoles/Nintendo/NES/Boards/Mapper214.cs b/BizHawk.Emulation.Cores/Consoles/Nintendo/NES/Boards/Mapper214.cs new file mode 100644 index 0000000000..04552df6a8 --- /dev/null +++ b/BizHawk.Emulation.Cores/Consoles/Nintendo/NES/Boards/Mapper214.cs @@ -0,0 +1,53 @@ +using BizHawk.Common; + +namespace BizHawk.Emulation.Cores.Nintendo.NES +{ + // Super Gun 20-in-1 + // http://wiki.nesdev.com/w/index.php/INES_Mapper_214 + public class Mapper214 : NES.NESBoardBase + { + private int _chrReg, _prgReg; + + public override bool Configure(NES.EDetectionOrigin origin) + { + switch (Cart.board_type) + { + case "MAPPER214": + break; + default: + return false; + } + + SetMirrorType(EMirrorType.Vertical); + + return true; + } + + public override void SyncState(Serializer ser) + { + base.SyncState(ser); + ser.Sync("chrReg", ref _chrReg); + } + + public override void WritePRG(int addr, byte value) + { + _chrReg = addr & 3; + _prgReg = (addr >> 2) & 3; + } + + public override byte ReadPRG(int addr) + { + return ROM[(_prgReg * 0x4000) + (addr & 0x3FFF)]; + } + + public override byte ReadPPU(int addr) + { + if (addr < 0x2000) + { + return VROM[(_chrReg * 0x2000) + (addr & 0x1FFF)]; + } + + return base.ReadPPU(addr); + } + } +} diff --git a/BizHawk.Emulation.Cores/Consoles/Nintendo/NES/Boards/Mapper225.cs b/BizHawk.Emulation.Cores/Consoles/Nintendo/NES/Boards/Mapper225.cs index decdb9f908..09c5cc47e5 100644 --- a/BizHawk.Emulation.Cores/Consoles/Nintendo/NES/Boards/Mapper225.cs +++ b/BizHawk.Emulation.Cores/Consoles/Nintendo/NES/Boards/Mapper225.cs @@ -3,56 +3,9 @@ using BizHawk.Common.NumberExtensions; namespace BizHawk.Emulation.Cores.Nintendo.NES { + // http://wiki.nesdev.com/w/index.php/INES_Mapper_225 public sealed class Mapper225 : NES.NESBoardBase { - /* - Here are Disch's original notes: - ======================== - = Mapper 225 = - ======================== - - Example Games: - -------------------------- - 52 Games - 58-in-1 - 64-in-1 - - - Registers: - --------------------------- - - $5800-5803: [.... RRRR] RAM (readable/writable) - (16 bits of RAM -- 4 bits in each of the 4 regs) - $5804-5FFF: mirrors $5800-5803 - - $8000-FFFF: A~[.HMO PPPP PPCC CCCC] - H = High bit (acts as bit 7 for PRG and CHR regs) - M = Mirroring (0=Vert, 1=Horz) - O = PRG Mode - P = PRG Reg - C = CHR Reg - - - CHR Setup: - --------------------------- - - $0000 $0400 $0800 $0C00 $1000 $1400 $1800 $1C00 - +---------------------------------------------------------------+ - CHR Mode 0: | $8000 | - +---------------------------------------------------------------+ - - - PRG Setup: - --------------------------- - - $8000 $A000 $C000 $E000 - +-------------------------------+ - PRG Mode 0: | <$8000> | - +-------------------------------+ - PRG Mode 1: | $8000 | $8000 | - +---------------+---------------+ - */ - bool prg_mode = false; int chr_reg; int prg_reg; @@ -64,6 +17,7 @@ namespace BizHawk.Emulation.Cores.Nintendo.NES switch (Cart.board_type) { case "MAPPER225": + case "MAPPER255": // Duplicate of 225 accoring to: http://problemkaputt.de/everynes.htm break; default: return false; diff --git a/BizHawk.Emulation.Cores/Consoles/Nintendo/NES/Boards/Mapper226.cs b/BizHawk.Emulation.Cores/Consoles/Nintendo/NES/Boards/Mapper226.cs index bfffd5dbaa..d3f4920343 100644 --- a/BizHawk.Emulation.Cores/Consoles/Nintendo/NES/Boards/Mapper226.cs +++ b/BizHawk.Emulation.Cores/Consoles/Nintendo/NES/Boards/Mapper226.cs @@ -48,17 +48,25 @@ namespace BizHawk.Emulation.Cores.Nintendo.NES public int prg_page; public bool prg_mode; + private int prg_mask_32k; + private int prg_mask_16k; + public override bool Configure(NES.EDetectionOrigin origin) { switch (Cart.board_type) { case "MAPPER226": + case "UNIF_BMC-42in1ResetSwitch": break; default: return false; } prg_page = 0; prg_mode = false; + + prg_mask_32k = Cart.prg_size / 32 - 1; + prg_mask_16k = Cart.prg_size / 16 - 1; + return true; } @@ -98,11 +106,11 @@ namespace BizHawk.Emulation.Cores.Nintendo.NES { if (prg_mode == false) { - return ROM[((prg_page >> 1) * 0x8000) + addr]; + return ROM[( ((prg_page >> 1) & prg_mask_32k) * 0x8000) + (addr & 0x07FFF)]; } else { - return ROM[(prg_page * 0x4000) + (addr & 0x03FFF)]; + return ROM[((prg_page & prg_mask_16k) * 0x4000) + (addr & 0x03FFF)]; } } } diff --git a/BizHawk.Emulation.Cores/Consoles/Nintendo/NES/Boards/Mapper235.cs b/BizHawk.Emulation.Cores/Consoles/Nintendo/NES/Boards/Mapper235.cs new file mode 100644 index 0000000000..e112589e36 --- /dev/null +++ b/BizHawk.Emulation.Cores/Consoles/Nintendo/NES/Boards/Mapper235.cs @@ -0,0 +1,87 @@ +using BizHawk.Common; + +namespace BizHawk.Emulation.Cores.Nintendo.NES +{ + public sealed class Mapper235 : NES.NESBoardBase + { + private int _reg; + + private int _prg16BankMask; + private int _prg32BankMask; + + public override bool Configure(NES.EDetectionOrigin origin) + { + switch (Cart.board_type) + { + case "MAPPER235": + break; + default: + return false; + } + + _prg16BankMask = Cart.prg_size / 16 - 1; + _prg32BankMask = Cart.prg_size / 32 - 1; + + SetMirrorType(Cart.pad_h, Cart.pad_v); + return true; + } + + public override void SyncState(Serializer ser) + { + base.SyncState(ser); + ser.Sync("reg", ref _reg); + } + + public override byte ReadPRG(int addr) + { + if ((_reg & 0x800) > 0) + { + int bank; + if (addr < 0x4000) + { + bank = ((_reg & 0x300) >> 3) | ((_reg & 0x1F) << 1) | ((_reg >> 12) & 1); + + } + else + { + bank = ((_reg & 0x300) >> 3) | ((_reg & 0x1F) << 1) | ((_reg >> 12) & 1); + + } + + return ROM[((bank & _prg16BankMask) * 0x4000) + (addr & 0x3FFF)]; + } + else + { + int bank = ((_reg & 0x300) >> 4) | (_reg & 0x1F); + return ROM[((bank & _prg32BankMask) * 0x8000) + (addr & 0x7FFF)]; + } + } + + public override void WritePRG(int addr, byte value) + { + _reg = addr; + SyncMirroring(); + } + + private void SyncMirroring() + { + if ((_reg & 0x400) > 0) + { + SetMirrorType(EMirrorType.Horizontal); + } + else + { + int type = ((_reg >> 13) & 1) ^ 1; + + if (type == 0) + { + SetMirrorType(EMirrorType.Horizontal); + } + else + { + SetMirrorType(EMirrorType.Vertical); + } + } + } + } +} diff --git a/BizHawk.Emulation.Cores/Consoles/Nintendo/NES/Boards/Mapper241.cs b/BizHawk.Emulation.Cores/Consoles/Nintendo/NES/Boards/Mapper241.cs index fec3b57995..4823b5245c 100644 --- a/BizHawk.Emulation.Cores/Consoles/Nintendo/NES/Boards/Mapper241.cs +++ b/BizHawk.Emulation.Cores/Consoles/Nintendo/NES/Boards/Mapper241.cs @@ -37,16 +37,6 @@ namespace BizHawk.Emulation.Cores.Nintendo.NES return 0x50; } - public override void WritePPU(int addr, byte value) - { - base.WritePPU(addr, value); - } - - public override byte ReadPPU(int addr) - { - return base.ReadPPU(addr); - } - public override void WritePRG(int addr, byte value) { prg_banks_32k[0] = value; diff --git a/BizHawk.Emulation.Cores/Consoles/Nintendo/NES/Boards/Mapper243.cs b/BizHawk.Emulation.Cores/Consoles/Nintendo/NES/Boards/Mapper243.cs index 169cfc06c3..ae4e84026e 100644 --- a/BizHawk.Emulation.Cores/Consoles/Nintendo/NES/Boards/Mapper243.cs +++ b/BizHawk.Emulation.Cores/Consoles/Nintendo/NES/Boards/Mapper243.cs @@ -4,52 +4,7 @@ namespace BizHawk.Emulation.Cores.Nintendo.NES { public sealed class Mapper243 : NES.NESBoardBase { - /* - Here are Disch's original notes: - ======================== - = Mapper 243 = - ======================== - - - Example Games: - -------------------------- - Honey - Poker III 5-in-1 - - - Registers: - --------------------------- - - Range,Mask: $4020-4FFF, $4101 - - $4100: [.... .AAA] Address for use with $4101 - - $4101: Data port - R:2 -> [.... ...H] High bit of CHR reg - R:4 -> [.... ...L] Low bit of CHR reg - R:5 -> [.... .PPP] PRG reg (32k @ $8000) - R:6 -> [.... ..DD] Middle bits of CHR reg - R:7 -> [.... .MM.] Mirroring - %00 = Horz - %01 = Vert - %10 = See below - %11 = 1ScB - - - Mirroring: - --------------------------- - - Mirroing mode %10 is not quite 1ScB: - - [ NTA ][ NTB ] - [ NTB ][ NTB ] - - - CHR Setup: - --------------------------- - - 8k CHR page @ $0000 is selected by the given 4 bit CHR page number ('HDDL') - */ + // http://wiki.nesdev.com/w/index.php/INES_Mapper_243 int reg_addr; ByteBuffer regs = new ByteBuffer(8); @@ -60,7 +15,7 @@ namespace BizHawk.Emulation.Cores.Nintendo.NES switch (Cart.board_type) { case "MAPPER243": - case "UNIF_UNL-Sachen-74LS374N": // seems to have some problems + case "UNIF_UNL-Sachen-74LS374N": break; default: return false; @@ -126,7 +81,8 @@ namespace BizHawk.Emulation.Cores.Nintendo.NES { if (addr < 0x2000) { - int chr_bank = regs[4] | (regs[6] << 1) | (regs[2] << 3); + int chr_bank = regs[4] << 2 | (regs[6]) | (regs[2] << 3); + return VROM[((chr_bank & chr_bank_mask_8k) * 0x2000) + addr]; } else diff --git a/BizHawk.Emulation.Cores/Consoles/Nintendo/NES/Boards/Mapper244.cs b/BizHawk.Emulation.Cores/Consoles/Nintendo/NES/Boards/Mapper244.cs new file mode 100644 index 0000000000..f8a15ec954 --- /dev/null +++ b/BizHawk.Emulation.Cores/Consoles/Nintendo/NES/Boards/Mapper244.cs @@ -0,0 +1,78 @@ +using System.Collections.Generic; +using BizHawk.Common; + +namespace BizHawk.Emulation.Cores.Nintendo.NES +{ + public class Mapper244 : NES.NESBoardBase + { + public override bool Configure(NES.EDetectionOrigin origin) + { + switch (Cart.board_type) + { + case "MAPPER244": + break; + default: + return false; + } + + return true; + } + + private List> prg_perm = new List> + { + new List { 0, 1, 2, 3, }, + new List { 3, 2, 1, 0, }, + new List { 0, 2, 1, 3, }, + new List { 3, 1, 2, 0, }, + }; + + private List> chr_perm = new List> + { + new List { 0, 1, 2, 3, 4, 5, 6, 7, }, + new List { 0, 2, 1, 3, 4, 6, 5, 7, }, + new List { 0, 1, 4, 5, 2, 3, 6, 7, }, + new List { 0, 4, 1, 5, 2, 6, 3, 7, }, + new List { 0, 4, 2, 6, 1, 5, 3, 7, }, + new List { 0, 2, 4, 6, 1, 3, 5, 7, }, + new List { 7, 6, 5, 4, 3, 2, 1, 0, }, + new List { 7, 6, 5, 4, 3, 2, 1, 0, } + }; + + private int _chrRegister = 0; + private int _prgRegister = 0; + + public override void SyncState(Serializer ser) + { + base.SyncState(ser); + ser.Sync("chrRegister", ref _chrRegister); + ser.Sync("prgRegister", ref _prgRegister); + } + + public override byte ReadPPU(int addr) + { + if (addr < 0x2000) + { + return VROM[(_chrRegister * 0x2000) + (addr & 0x1FFF)]; + } + + return base.ReadPPU(addr); + } + + public override byte ReadPRG(int addr) + { + return ROM[(_prgRegister * 0x8000) + (addr & 0x7FFF)]; + } + + public override void WritePRG(int addr, byte value) + { + if ((value & 0x08) > 0) + { + _chrRegister = chr_perm[(value >> 4) & 7][value & 7]; + } + else + { + _prgRegister = prg_perm[(value >> 4) & 3][value & 3]; + } + } + } +} diff --git a/BizHawk.Emulation.Cores/Consoles/Nintendo/NES/Boards/Mapper60.cs b/BizHawk.Emulation.Cores/Consoles/Nintendo/NES/Boards/Mapper60.cs index 0c74bff6cc..9ef990ac4c 100644 --- a/BizHawk.Emulation.Cores/Consoles/Nintendo/NES/Boards/Mapper60.cs +++ b/BizHawk.Emulation.Cores/Consoles/Nintendo/NES/Boards/Mapper60.cs @@ -1,32 +1,20 @@ using BizHawk.Common; +using BizHawk.Common.NumberExtensions; namespace BizHawk.Emulation.Cores.Nintendo.NES { public sealed class Mapper60 : NES.NESBoardBase { - /* - Here are Disch's original notes: - ======================== - = Mapper 060 = - ======================== + // http://wiki.nesdev.com/w/index.php/INES_Mapper_060 - Example Game: - -------------------------- - Reset Based 4-in-1 + private int _reg; + private bool IsPrg16Mode { get { return _reg.Bit(7); } } + [MapperProp] + public int Mapper60_DipSwitch; - Notes: - --------------------------- - This mapper is very, very unique. + private const int DipSwitchMask = 3; - It's a multicart that consists of four NROM games, each with 16k PRG (put at $8000 and $C000) and 8k CHR. - The current block that is selected is determined by an internal register that can only be incremented by a - soft reset! - - I would assume the register is 2 bits wide? Don't know for sure. - */ - - int reg = 0; public override bool Configure(NES.EDetectionOrigin origin) { switch (Cart.board_type) @@ -37,39 +25,53 @@ namespace BizHawk.Emulation.Cores.Nintendo.NES return false; } + AutoMapperProps.Apply(this); + return true; } public override void SyncState(Serializer ser) { - ser.Sync("reg", ref reg); base.SyncState(ser); + ser.Sync("_reg", ref _reg); } - public override void NESSoftReset() + public override void WritePRG(int addr, byte value) { - if (reg >= 3) - { - reg = 0; - } - else - { - reg++; - } + _reg = addr; + + int mirr = ((_reg & 8) >> 3) ^ 1; + + SetMirrorType(mirr > 0 ? EMirrorType.Vertical : EMirrorType.Horizontal); } public override byte ReadPRG(int addr) { - addr &= 0x3FFF; - return ROM[addr + (reg * 0x4000)]; + if ((_reg & 0x100) > 0) + { + return (byte)(Mapper60_DipSwitch & DipSwitchMask); + } + + if (IsPrg16Mode) + { + int bank = (_reg >> 4) & 7; + return ROM[(bank * 0x4000) + (addr & 0x3FFF)]; + } + else + { + int bank = (_reg >> 5) & 3; + return ROM[(bank * 0x8000) + (addr & 0x7FFF)]; + } } public override byte ReadPPU(int addr) { if (addr < 0x2000) { - return VROM[(reg * 0x2000) + addr]; + + return VROM[((_reg & 7) * 0x2000) + (addr & 0x1FFF)]; } + return base.ReadPPU(addr); } } diff --git a/BizHawk.Emulation.Cores/Consoles/Nintendo/NES/Boards/NES-EVENT.cs b/BizHawk.Emulation.Cores/Consoles/Nintendo/NES/Boards/NES-EVENT.cs index 4a6a294043..fb17de069a 100644 --- a/BizHawk.Emulation.Cores/Consoles/Nintendo/NES/Boards/NES-EVENT.cs +++ b/BizHawk.Emulation.Cores/Consoles/Nintendo/NES/Boards/NES-EVENT.cs @@ -1,4 +1,117 @@ -using BizHawk.Common; +#region Disch's Notes +/* + * Here are Disch's original notes: + ======================== + = Mapper 105 = + ======================== + + aka + -------------------------- + NES-EVENT + + + Example Game: + -------------------------- + Nintendo World Championships 1990 + + + Notes: + --------------------------- + This mapper is an MMC1 with crazy wiring and a huge 30-bit CPU cycle driven IRQ counter. Registers are all + internal and not directly accessable -- and the latch must be written to 1 bit at a time -- just like on a + normal MMC1. For details on how regs are written to, see mapper 001. + + This mapper has 8k CHR-RAM, and it is not swappable. + + + Registers: + --------------------------- + + Note that like a normal MMC1, registers are internal and not accessed directly. + + + $8000-9FFF: [.... PSMM] Same as MMC1 (but CHR mode bit isn't used) + + $A000-BFFF: [...I OAA.] + I = IRQ control / initialization toggle + O = PRG Mode/Chip select + A = PRG Reg 'A' + + $C000-DFFF: [.... ....] Unused + + $E000-FFFF: [...W BBBB] + W = WRAM disable (same as MMC1) + B = PRG Reg 'B' + + + + Powerup / Reset / Initialization: + --------------------------- + + On powerup and reset, the first 32k of PRG (from the first PRG chip) is selected at $8000 *no matter what*. + PRG cannot be swapped until the mapper has been "initialized" by setting the 'I' bit to 0, then to '1'. This + toggling will "unlock" PRG swapping on the mapper. + + Note 'I' also controls the IRQ counter (see below) + + + PRG Setup: + --------------------------- + + There are 2 PRG chips, each 128k. The 'O' bit selects between the chips, and also determines which PRG Reg + is used to select the page. + + O=0: Use first PRG chip (first 128k), use 'A' PRG Reg, 32k swap + O=1: Use second PRG chip (second 128k), use 'B' PRG Reg, MMC1 style swap + + In addition, if the mapper has not been "unlocked", the first 32k of the first chip is always selected + regardless (as if $A000 contained $00). + + Modes as listed below: + + $8000 $A000 $C000 $E000 + +-------------------------------+ + Uninitialized: | { 0 } | <-- use first 128k + +-------------------------------+ + O=0: | $A000 | <-- use first 128k + +-------------------------------+ + O=1, P=0: | <$E000> | <-- use second 128k + +-------------------------------+ + O=1, P=1, S=0: | { 0 } | $E000 | <-- use second 128k + +---------------+---------------+ + O=1, P=1, S=1: | $E000 | {$07} | <-- use second 128k + +---------------+---------------+ + + + + + IRQ Counter: + --------------------------- + + The 'I' bit in $A000 controls the IRQ counter. When cleared, the IRQ counter counts up every cycle. When + set, the IRQ counter is reset to 0 and stays there (does not count), and the pending IRQ is acknowledged. + + The cart has 4 dipswitches which control how high the counter must reach for an IRQ to be generated. + + The IRQ counter is 30 bits wide.. when it reaches the following value, an IRQ is fired: + + [1D CBAx xxxx xxxx xxxx xxxx xxxx xxxx] + ^ ^^^ + | ||| + either 0 or 1, depending on the corresponding dipswitch. + + So if all dipswitches are open (use '0' above), the counter must reach $20000000. + If all dipswitches are closed (use '1' above), the counter must reach $3E000000. + etc + + In the official tournament, 'C' was closed, and the others were open, so the counter had to reach $2800000. + */ +#endregion + +using System.Collections.Generic; +using System.Linq; + +using BizHawk.Common; using BizHawk.Common.NumberExtensions; namespace BizHawk.Emulation.Cores.Nintendo.NES @@ -14,13 +127,69 @@ namespace BizHawk.Emulation.Cores.Nintendo.NES //state MMC1.MMC1_SerialController scnt; - bool slot_mode, prg_mode; - bool irq_control; - int prg_a,prg_b; + bool c000_swappable, prg_32k_mode; + bool irq_enable; + int prg_a, prg_b; int init_sequence; bool chip_select; bool wram_disable; + int irq_count; + int irq_destination; + bool irq_pending; + + [MapperProp] + public bool Dipswitch1 = false; + + [MapperProp] + public bool Dipswitch2 = true; + + [MapperProp] + public bool Dipswitch3 = false; + + [MapperProp] + public bool Dipswitch4 = false; + + private List Switches + { + get + { + return new List + { + { Dipswitch1 }, + { Dipswitch2 }, + { Dipswitch3 }, + { Dipswitch4 } + }; + } + } + + public int IrqDestination + { + get + { + SyncIRQDestination(); + return irq_destination; + } + } + + private void SyncIRQDestination() + { + //0b001D_CBAx_xxxx_xxxx_xxxx_xxxx_xxxx_xxxx + + int val = 0; + for (int i = 0; i < Switches.Count; i++) + { + val <<= 1; + if (Switches[i]) + { + val |= 1; + } + } + + irq_destination = 0x20000000 | (val << 25); + } + public override void Dispose() { base.Dispose(); @@ -30,17 +199,19 @@ namespace BizHawk.Emulation.Cores.Nintendo.NES public override void SyncState(Serializer ser) { base.SyncState(ser); - + scnt.SyncState(ser); - ser.Sync("slot_mode", ref slot_mode); - ser.Sync("prg_mode", ref prg_mode); - ser.Sync("irq_control", ref irq_control); + ser.Sync("c000_swappable", ref c000_swappable); + ser.Sync("prg_16k_mode", ref prg_32k_mode); + ser.Sync("irq_enable", ref irq_enable); + ser.Sync("irq_pending", ref irq_pending); + ser.Sync("irq_count", ref irq_count); ser.Sync("prg_a", ref prg_a); ser.Sync("prg_b", ref prg_b); ser.Sync("init_sequence", ref init_sequence); ser.Sync("chip_select", ref chip_select); ser.Sync("wram_disable", ref wram_disable); - + ser.Sync("prg_banks_16k", ref prg_banks_16k); if (ser.IsReader) Sync(); } @@ -58,6 +229,7 @@ namespace BizHawk.Emulation.Cores.Nintendo.NES } prg_bank_mask_16k = Cart.prg_size / 16 - 1; + init_sequence = 0; SetMirrorType(EMirrorType.Vertical); @@ -65,55 +237,57 @@ namespace BizHawk.Emulation.Cores.Nintendo.NES scnt.WriteRegister = SerialWriteRegister; scnt.Reset = SerialReset; - Sync(); + InitValues(); return true; } void SerialReset() { - prg_mode = true; - slot_mode = true; + prg_32k_mode = true; + c000_swappable = true; } void Sync() { + SyncIRQDestination(); + SyncIRQ(); + if (init_sequence != 2) { - //"use first 128k" + // prg banks locked to first 32k of first 128k chip prg_banks_16k[0] = 0; prg_banks_16k[1] = 1; } else { - if (chip_select == false) + if (!chip_select) { - //"use first 128k" - prg_banks_16k[0] = prg_a*2; - prg_banks_16k[1] = prg_a*2 + 1; + //use prg banks in first 128k as indicated by prg_a reg + prg_banks_16k[0] = prg_a * 2; + prg_banks_16k[1] = prg_a * 2 + 1; } else { - if (prg_mode == false) + if (!prg_32k_mode) { - //"use second 128k" - prg_banks_16k[0] = (prg_b>>1) + 8; - prg_banks_16k[1] = (prg_b>>1) + 8; + //use prg banks in second 128k (add 8*16k as offset) in 32k mode, as determined by prg_b reg + prg_banks_16k[0] = ((prg_b & ~1) & 7) + 8; + prg_banks_16k[1] = ((prg_b & ~1) & 7) + 9; } else { - //((these arent tested, i think...)) - if (slot_mode == false) + //((these arent tested, i think...)) + //"use second 128k" + if (!c000_swappable) { - //"use second 128k" prg_banks_16k[0] = 8; prg_banks_16k[1] = prg_b + 8; } else { - //"use second 128k" prg_banks_16k[0] = prg_b + 8; - prg_banks_16k[1] = 8 + 7; + prg_banks_16k[1] = 15; //last bank of second 128k } } } @@ -140,18 +314,30 @@ namespace BizHawk.Emulation.Cores.Nintendo.NES case 2: SetMirrorType(EMirrorType.Vertical); break; case 3: SetMirrorType(EMirrorType.Horizontal); break; } - slot_mode = value.Bit(2); - prg_mode = value.Bit(3); + c000_swappable = value.Bit(2); + prg_32k_mode = value.Bit(3); Sync(); break; case 1: //A000-BFFF { - bool last_irq_control = irq_control; - irq_control = value.Bit(4); - if (init_sequence == 0) - if (irq_control == false) init_sequence = 1; else { } - else if (init_sequence == 1) - if (irq_control == true) init_sequence = 2; + irq_enable = !value.Bit(4); + + //Acknowledge IRQ + if (!irq_enable) + { + irq_count = 0; + irq_pending = false; + } + + if (init_sequence == 0 && irq_enable) + { + init_sequence = 1; + } + else if (init_sequence == 1 && !irq_enable) + { + init_sequence = 2; + } + chip_select = value.Bit(3); prg_a = (value >> 1) & 3; Sync(); @@ -170,6 +356,36 @@ namespace BizHawk.Emulation.Cores.Nintendo.NES //board.NES.LogLine("mapping.. prg_mode={0}, prg_slot{1}, prg={2}", prg_mode, prg_slot, prg); } + public override void WriteWRAM(int addr, byte value) + { + if (!wram_disable) + { + base.WriteWRAM(addr, value); + } + } + + public override byte ReadWRAM(int addr) + { + return wram_disable ? NES.DB : base.ReadWRAM(addr); + } + + public override void NESSoftReset() + { + InitValues(); + base.NESSoftReset(); + } + + private void InitValues() + { + AutoMapperProps.Apply(this); + + irq_enable = false; + init_sequence = 0; + irq_count = 0; + + Sync(); + } + public override void WritePRG(int addr, byte value) { scnt.Write(addr, value); @@ -185,7 +401,29 @@ namespace BizHawk.Emulation.Cores.Nintendo.NES return ROM[addr]; } + public override void ClockCPU() + { + if (irq_enable) + { + ClockIRQ(); + } + } + private void ClockIRQ() + { + irq_count++; + if (irq_count >= irq_destination) + { + irq_enable = false; + irq_pending = true; + } + SyncIRQ(); + } + + private void SyncIRQ() + { + SyncIRQ(irq_pending); + } } } \ No newline at end of file diff --git a/BizHawk.Emulation.Cores/Consoles/Nintendo/NES/Boards/NROM.cs b/BizHawk.Emulation.Cores/Consoles/Nintendo/NES/Boards/NROM.cs index 225af70d33..bb15b521b4 100644 --- a/BizHawk.Emulation.Cores/Consoles/Nintendo/NES/Boards/NROM.cs +++ b/BizHawk.Emulation.Cores/Consoles/Nintendo/NES/Boards/NROM.cs @@ -18,9 +18,7 @@ namespace BizHawk.Emulation.Cores.Nintendo.NES switch (Cart.board_type) { case "MAPPER000": - case "MAPPER219": //adelikat: a version of 3D-Block tries to use this ROM, but plays fine as NROM and 219 is undocumented by Disch break; - case "BANDAI-NROM-128": case "BANDAI-NROM-256": case "HVC-HROM": //Donkey Kong Jr. (J) diff --git a/BizHawk.Emulation.Cores/Consoles/Nintendo/NES/Boards/Namcot1xx/Mapper154.cs b/BizHawk.Emulation.Cores/Consoles/Nintendo/NES/Boards/Namcot1xx/Mapper154.cs index c11fa8517a..516fda5db3 100644 --- a/BizHawk.Emulation.Cores/Consoles/Nintendo/NES/Boards/Namcot1xx/Mapper154.cs +++ b/BizHawk.Emulation.Cores/Consoles/Nintendo/NES/Boards/Namcot1xx/Mapper154.cs @@ -3,21 +3,7 @@ using BizHawk.Common.NumberExtensions; namespace BizHawk.Emulation.Cores.Nintendo.NES { - /* - Example Games: - -------------------------- - Devil Man - - Similar to Mapper 88 except for mirroring - - $8000-$FFFF: [.Mxx xxxx] - x = See mapper 206 documentation - M = Mirroring - 0 = 1ScA - 1 = 1ScB - */ - - + // http://wiki.nesdev.com/w/index.php/INES_Mapper_154 public sealed class Mapper154 : Namcot108Board_Base { //configuration diff --git a/BizHawk.Emulation.Cores/Consoles/Nintendo/NES/Boards/NanJing.cs b/BizHawk.Emulation.Cores/Consoles/Nintendo/NES/Boards/NanJing.cs index 0c9473a54e..b07562f9da 100644 --- a/BizHawk.Emulation.Cores/Consoles/Nintendo/NES/Boards/NanJing.cs +++ b/BizHawk.Emulation.Cores/Consoles/Nintendo/NES/Boards/NanJing.cs @@ -2,6 +2,7 @@ namespace BizHawk.Emulation.Cores.Nintendo.NES { + // http://wiki.nesdev.com/w/index.php/INES_Mapper_163 public sealed class NanJing : NES.NESBoardBase { /* diff --git a/BizHawk.Emulation.Cores/Consoles/Nintendo/NES/Boards/SachenSimple.cs b/BizHawk.Emulation.Cores/Consoles/Nintendo/NES/Boards/SachenSimple.cs index c9331dee07..d9c28661c4 100644 --- a/BizHawk.Emulation.Cores/Consoles/Nintendo/NES/Boards/SachenSimple.cs +++ b/BizHawk.Emulation.Cores/Consoles/Nintendo/NES/Boards/SachenSimple.cs @@ -28,6 +28,7 @@ namespace BizHawk.Emulation.Cores.Nintendo.NES ExpWrite = SA0161M_Write; break; case "MAPPER145": + case "UNIF_UNL-SA-72007": ExpWrite = SA72007_Write; break; case "MAPPER133": diff --git a/BizHawk.Emulation.Cores/Consoles/Nintendo/NES/Boards/SxROM.cs b/BizHawk.Emulation.Cores/Consoles/Nintendo/NES/Boards/SxROM.cs index d2315e3658..80a651deab 100644 --- a/BizHawk.Emulation.Cores/Consoles/Nintendo/NES/Boards/SxROM.cs +++ b/BizHawk.Emulation.Cores/Consoles/Nintendo/NES/Boards/SxROM.cs @@ -358,8 +358,10 @@ namespace BizHawk.Emulation.Cores.Nintendo.NES case "NES-SH1ROM": //airwolf AssertPrg(32); AssertChr(128); AssertVram(0); AssertWram(0); break; - case "HVC-SIROM": //Igo: Kyuu Roban Taikyoku - AssertPrg(32); AssertChr(16); AssertVram(0); AssertWram(8); + case "HVC-SIROM": + // NTF2 System Cart (U) + // bootod classifies Igo: Kyuu Roban Taikyoku as HVC-SIROM-02 with 16kb Chr online, but has this board name in the xml + AssertPrg(32); AssertChr(16, 64); AssertVram(0); AssertWram(8); break; case "HVC-SJROM": //zombie hunter (wram is missing), artelius. AssertPrg(128); AssertChr(32); AssertVram(0); AssertWram(0, 8); @@ -397,8 +399,13 @@ namespace BizHawk.Emulation.Cores.Nintendo.NES case "HVC-SMROM": //Hokkaidou Rensa Satsujin: Okhotsu ni Shoyu AssertPrg(256); AssertChr(0); AssertVram(8); AssertWram(0); break; + case "HVC-SNROM": // Morita Kazuo no Shougi (J) + AssertPrg(128, 256); AssertChr(8); AssertVram(0); AssertWram(8); + break; + case "HVC-SNROM-03": // Dragon Quest III + AssertPrg(128, 256); AssertChr(0); AssertVram(8); AssertWram(8); + break; case "NES-SNROM": //dragon warrior 2 - case "HVC-SNROM": case "VIRGIN-SNROM": case "NES-SNWEPROM": // final fantasy 2 (proto) AssertPrg(128, 256); AssertChr(0); AssertVram(8); AssertWram(8); diff --git a/BizHawk.Emulation.Cores/Consoles/Nintendo/NES/Boards/Taito_TC0190FMC.cs b/BizHawk.Emulation.Cores/Consoles/Nintendo/NES/Boards/Taito_TC0190FMC.cs index a18e69b7e1..eb0da2a162 100644 --- a/BizHawk.Emulation.Cores/Consoles/Nintendo/NES/Boards/Taito_TC0190FMC.cs +++ b/BizHawk.Emulation.Cores/Consoles/Nintendo/NES/Boards/Taito_TC0190FMC.cs @@ -2,6 +2,9 @@ namespace BizHawk.Emulation.Cores.Nintendo.NES { + // http://wiki.nesdev.com/w/index.php/INES_Mapper_033 + // http://wiki.nesdev.com/w/index.php/INES_Mapper_048 + //AKA mapper 033 //Akira @@ -96,6 +99,10 @@ namespace BizHawk.Emulation.Cores.Nintendo.NES AssertPrg(128, 256); AssertChr(128, 256); AssertWram(0); AssertVram(0); pal16 = false; break; + case "MAPPER048": // TODO: Disch docs say that mapper 48 is a TC0690 which is a superset of TC0190FMC + pal16 = true; + mmc3 = new MMC3Variant(this); + break; case "TAITO-TC0190FMC+PAL16R4": //this is the same as the base TAITO-TC0190FMC, with an added PAL16R4ACN which is a "programmable TTL device", presumably just the IRQ and mirroring AssertPrg(128, 256); AssertChr(256); AssertWram(0); AssertVram(0); diff --git a/BizHawk.Emulation.Cores/Consoles/Nintendo/NES/Boards/UNIF/UNIF-DREAMTECH01.cs b/BizHawk.Emulation.Cores/Consoles/Nintendo/NES/Boards/UNIF/UNIF-DREAMTECH01.cs new file mode 100644 index 0000000000..bf642a252c --- /dev/null +++ b/BizHawk.Emulation.Cores/Consoles/Nintendo/NES/Boards/UNIF/UNIF-DREAMTECH01.cs @@ -0,0 +1,43 @@ +using BizHawk.Common; + +namespace BizHawk.Emulation.Cores.Nintendo.NES +{ + public class UNIF_DREAMTECH01 : NES.NESBoardBase + { + // Korean Igo (Unl) [U][!] + private int reg; + + public override bool Configure(NES.EDetectionOrigin origin) + { + switch (Cart.board_type) + { + case "UNIF_DREAMTECH01": + break; + default: + return false; + } + + return true; + } + + public override void SyncState(Serializer ser) + { + ser.Sync("reg", ref reg); + base.SyncState(ser); + } + + public override void WriteEXP(int addr, byte value) + { + if (addr == 0x1020) + { + reg = value & 0x07; + } + } + + public override byte ReadPRG(int addr) + { + int bank = addr < 0x4000 ? reg : 8; + return ROM[(bank << 14) + (addr & 0x3FFF)]; + } + } +} diff --git a/BizHawk.Emulation.Cores/Consoles/Nintendo/NES/Boards/UNIF/UNIF_BMC-190in1.cs b/BizHawk.Emulation.Cores/Consoles/Nintendo/NES/Boards/UNIF/UNIF_BMC-190in1.cs new file mode 100644 index 0000000000..81f22b44bb --- /dev/null +++ b/BizHawk.Emulation.Cores/Consoles/Nintendo/NES/Boards/UNIF/UNIF_BMC-190in1.cs @@ -0,0 +1,51 @@ +using BizHawk.Common; +using BizHawk.Common.NumberExtensions; + +namespace BizHawk.Emulation.Cores.Nintendo.NES +{ + public class UNIF_BMC_190in1 : NES.NESBoardBase + { + private int _reg; + + public override bool Configure(NES.EDetectionOrigin origin) + { + switch (Cart.board_type) + { + case "UNIF_BMC-190in1": + break; + default: + return false; + } + + return true; + } + + public override void SyncState(Serializer ser) + { + base.SyncState(ser); + ser.Sync("reg", ref _reg); + + } + + public override void WritePRG(int addr, byte value) + { + _reg = (addr >> 2) & 7; + SetMirrorType(addr.Bit(0) ? EMirrorType.Horizontal : EMirrorType.Vertical); + } + + public override byte ReadPPU(int addr) + { + if (addr < 0x2000) + { + return VROM[(_reg * 0x2000) + (addr & 0x1FFF)]; + } + + return base.ReadPPU(addr); + } + + public override byte ReadPRG(int addr) + { + return ROM[(_reg * 0x4000) + (addr & 0x3FFF)]; + } + } +} diff --git a/BizHawk.Emulation.Cores/Consoles/Nintendo/NES/Boards/UNIF/UNIF_BMC-8157.cs b/BizHawk.Emulation.Cores/Consoles/Nintendo/NES/Boards/UNIF/UNIF_BMC-8157.cs new file mode 100644 index 0000000000..7b32ea5c39 --- /dev/null +++ b/BizHawk.Emulation.Cores/Consoles/Nintendo/NES/Boards/UNIF/UNIF_BMC-8157.cs @@ -0,0 +1,64 @@ +using BizHawk.Common; + +namespace BizHawk.Emulation.Cores.Nintendo.NES +{ + // 4-in-1 1993 (CK-001) [U][!].unf + public class UNIF_BMC_8157 : NES.NESBoardBase + { + [MapperProp] + public bool _4in1Mode; + + private int _cmdreg; + + private int _prgMask16k; + + public override bool Configure(NES.EDetectionOrigin origin) + { + switch (Cart.board_type) + { + case "UNIF_BMC-8157": + break; + default: + return false; + } + + _prgMask16k = Cart.prg_size / 16 - 1; + + AutoMapperProps.Apply(this); + + return true; + } + + public override void SyncState(Serializer ser) + { + base.SyncState(ser); + ser.Sync("cmdreg", ref _cmdreg); + ser.Sync("4in1Mode", ref _4in1Mode); + } + + public override void WritePRG(int addr, byte value) + { + _cmdreg = addr; + int mir = ((_cmdreg & 2) >> 1) ^ 1; + SetMirrorType(mir == 1 ? EMirrorType.Vertical : EMirrorType.Horizontal); + } + + public override byte ReadPRG(int addr) + { + if (_4in1Mode) + { + if (((_cmdreg & 0x100) > 0) && Cart.prg_size < 1024) + { + addr = (addr & 0xFFF0) + (1); + } + } + + int basei = ((_cmdreg & 0x060) | ((_cmdreg & 0x100) >> 1)) >> 2; + int bank = (_cmdreg & 0x01C) >> 2; + int lbank = ((_cmdreg & 0x200) > 0) ? 7 : (((_cmdreg & 0x80) > 0) ? bank : 0); + + int final = basei | (addr < 0x4000 ? bank : lbank); + return ROM[((final & _prgMask16k) * 0x4000) + (addr & 0x3FFF)]; + } + } +} diff --git a/BizHawk.Emulation.Cores/Consoles/Nintendo/NES/Boards/UNIF/UNIF_BMC-A65AS.cs b/BizHawk.Emulation.Cores/Consoles/Nintendo/NES/Boards/UNIF/UNIF_BMC-A65AS.cs new file mode 100644 index 0000000000..f6423166f4 --- /dev/null +++ b/BizHawk.Emulation.Cores/Consoles/Nintendo/NES/Boards/UNIF/UNIF_BMC-A65AS.cs @@ -0,0 +1,83 @@ +using BizHawk.Common; +using BizHawk.Common.NumberExtensions; + +namespace BizHawk.Emulation.Cores.Nintendo.NES +{ + public class UNIF_BMC_A65AS : NES.NESBoardBase + { + private int _prgReg; + private bool _isPrg32kMode; + + private int prgMask16k; + private int prgMask32k; + + public override bool Configure(NES.EDetectionOrigin origin) + { + switch (Cart.board_type) + { + case "UNIF_BMC-A65AS": + break; + default: + return false; + } + + prgMask16k = Cart.prg_size / 16 - 1; + prgMask32k = Cart.prg_size / 32 - 1; + + return true; + } + + public override void SyncState(Serializer ser) + { + base.SyncState(ser); + ser.Sync("prgReg", ref _prgReg); + ser.Sync("isPrg32kMode", ref _isPrg32kMode); + } + + public override void WritePRG(int addr, byte value) + { + _isPrg32kMode = value.Bit(6); + _prgReg = value; + + // From FCEUX: + // actually, there is two cart in one... First have extra mirroring + // mode (one screen) and 32K bankswitching, second one have only + // 16 bankswitching mode and normal mirroring... But there is no any + // correlations between modes and they can be used in one mapper code. + if (value.Bit(7)) + { + SetMirrorType(value.Bit(5) ? EMirrorType.OneScreenB : EMirrorType.OneScreenA); + } + else + { + SetMirrorType(value.Bit(3) ? EMirrorType.Horizontal : EMirrorType.Vertical); + } + } + + public override byte ReadPRG(int addr) + { + if (_isPrg32kMode) + { + int bank = (_prgReg >> 1) & 0xF; + bank &= prgMask32k; + return ROM[(bank * 0x8000) + (addr & 0x7FFF)]; + } + else + { + + if (addr < 0x4000) + { + int bank = (_prgReg & 0x30) >> 1 | _prgReg & 7; + bank &= prgMask16k; + return ROM[(bank * 0x4000) + (addr & 0x3FFF)]; + } + else + { + int bank = (_prgReg & 0x30) >> 1 | 7; + bank &= prgMask16k; + return ROM[(bank * 0x4000) + (addr & 0x3FFF)]; + } + } + } + } +} diff --git a/BizHawk.Emulation.Cores/Consoles/Nintendo/NES/Boards/UNIF/UNIF_BMC-BS-5.cs b/BizHawk.Emulation.Cores/Consoles/Nintendo/NES/Boards/UNIF/UNIF_BMC-BS-5.cs new file mode 100644 index 0000000000..88c8db1ecc --- /dev/null +++ b/BizHawk.Emulation.Cores/Consoles/Nintendo/NES/Boards/UNIF/UNIF_BMC-BS-5.cs @@ -0,0 +1,123 @@ +using BizHawk.Common; + +namespace BizHawk.Emulation.Cores.Nintendo.NES +{ + public class UNIF_BMC_BS_5 : NES.NESBoardBase + { + [MapperProp] + public int BMC_BS_5_DipSwitch; + + private IntBuffer reg_prg = new IntBuffer(4); + private IntBuffer reg_chr = new IntBuffer(4); + + private int _prgMask8k; + private int _chrMask2k; + + private const int DipSwitchMask = 3; + + public override bool Configure(NES.EDetectionOrigin origin) + { + switch (Cart.board_type) + { + case "UNIF_BMC-BS-5": + break; + default: + return false; + } + + reg_prg[0] = 0xFF; + reg_prg[1] = 0xFF; + reg_prg[2] = 0xFF; + reg_prg[3] = 0xFF; + + SetMirrorType(EMirrorType.Vertical); + + _prgMask8k = Cart.prg_size / 8 - 1; + _chrMask2k = Cart.prg_size / 2 - 1; + + AutoMapperProps.Apply(this); + + return true; + } + + public override void NESSoftReset() + { + reg_prg[0] = 0xFF; + reg_prg[1] = 0xFF; + reg_prg[2] = 0xFF; + reg_prg[3] = 0xFF; + + base.NESSoftReset(); + } + + public override void SyncState(Serializer ser) + { + base.SyncState(ser); + ser.Sync("reg_prg", ref reg_prg); + ser.Sync("reg_chr", ref reg_chr); + ser.Sync("BMC_BS_5_DipSwitch", ref BMC_BS_5_DipSwitch); + } + + public override void WritePRG(int addr, byte value) + { + // TODO: clean this up + addr += 0x8000; + int bank_sel = (addr & 0xC00) >> 10; + switch (addr & 0xF000) + { + case 0x8000: + reg_chr[bank_sel] = addr & 0x1F; + break; + case 0xA000: + if ((addr & (1 << (BMC_BS_5_DipSwitch + 4))) > 0) + { + reg_prg[bank_sel] = addr & 0x0F; + } + break; + } + } + + public override byte ReadPRG(int addr) + { + if (addr < 0x2000) + { + return ROM[((reg_prg[0] & _prgMask8k) * 0x2000) + (addr & 0x1FFF)]; + } + else if (addr < 0x4000) + { + return ROM[((reg_prg[1] & _prgMask8k) * 0x2000) + (addr & 0x1FFF)]; + } + else if (addr < 0x6000) + { + return ROM[((reg_prg[2] & _prgMask8k) * 0x2000) + (addr & 0x1FFF)]; + } + + return ROM[((reg_prg[3] & _prgMask8k) * 0x2000) + (addr & 0x1FFF)]; + } + + public override byte ReadPPU(int addr) + { + if (addr < 0x2000) + { + if (addr < 0x800) + { + return VROM[((reg_chr[0] & _chrMask2k) * 0x800) + (addr & 0x7FF)]; + } + + if (addr < 0x1000) + { + return VROM[((reg_chr[1] & _chrMask2k) * 0x800) + (addr & 0x7FF)]; + } + + if (addr < 0x1800) + { + return VROM[((reg_chr[2] & _chrMask2k) * 0x800) + (addr & 0x7FF)]; + } + + return VROM[((reg_chr[3] & _chrMask2k) * 0x800) + (addr & 0x7FF)]; + } + + return base.ReadPPU(addr); + } + } +} diff --git a/BizHawk.Emulation.Cores/Consoles/Nintendo/NES/Boards/UNIF/UNIF_BMC-D1038.cs b/BizHawk.Emulation.Cores/Consoles/Nintendo/NES/Boards/UNIF/UNIF_BMC-D1038.cs new file mode 100644 index 0000000000..b3543e83a9 --- /dev/null +++ b/BizHawk.Emulation.Cores/Consoles/Nintendo/NES/Boards/UNIF/UNIF_BMC-D1038.cs @@ -0,0 +1,85 @@ +using BizHawk.Common; +using BizHawk.Common.NumberExtensions; + +namespace BizHawk.Emulation.Cores.Nintendo.NES +{ + // 46-in-1 (D1038) [p1][U][!] + // 65-in-1 (NT766) [p1][U][!] + // 74-in-1 (NT886) [p1][U][!] + // 77-in-1 (NT141) [p1][U][!] + public sealed class UNIF_BMC_D1038 : NES.NESBoardBase + { + [MapperProp] + public int D1038_Dipswitch; + + private int _reg; + + private int DipswitchMask = 3; + + private bool Prg16kMode { get { return _reg.Bit(7); } } + + public override bool Configure(NES.EDetectionOrigin origin) + { + switch (Cart.board_type) + { + case "UNIF_BMC-D1038": + break; + default: + return false; + } + + AutoMapperProps.Apply(this); + + return true; + } + + public override void SyncState(Serializer ser) + { + base.SyncState(ser); + ser.Sync("reg", ref _reg); + ser.Sync("D1038_Dipswitch", ref D1038_Dipswitch); + } + + public override void WritePRG(int addr, byte value) + { + _reg = addr; + + SetMirrorType(_reg.Bit(3) ? EMirrorType.Horizontal : EMirrorType.Vertical); + } + + public override byte ReadPRG(int addr) + { + if ((_reg & 0x100) > 0) + { + return (byte)(D1038_Dipswitch & DipswitchMask); + } + + if (Prg16kMode) + { + int bank = (_reg >> 4) & 7; + return ROM[(bank * 0x4000) + (addr & 0x3FFF)]; + } + else + { + int bank = (_reg >> 5) & 3; + return ROM[(bank * 0x8000) + (addr & 0x7FFF)]; + } + } + + public override byte ReadPPU(int addr) + { + if ((_reg & 0x100) > 0) + { + return (byte)D1038_Dipswitch; + } + + if (addr < 0x2000) + { + int bank = _reg & 7; + return VROM[(bank * 0x2000) + (addr & 0x1FFF)]; + } + + return base.ReadPPU(addr); + } + } +} diff --git a/BizHawk.Emulation.Cores/Consoles/Nintendo/NES/Boards/UNIF/UNIF_BMC-GS-2004.cs b/BizHawk.Emulation.Cores/Consoles/Nintendo/NES/Boards/UNIF/UNIF_BMC-GS-2004.cs new file mode 100644 index 0000000000..fa420c059c --- /dev/null +++ b/BizHawk.Emulation.Cores/Consoles/Nintendo/NES/Boards/UNIF/UNIF_BMC-GS-2004.cs @@ -0,0 +1,62 @@ +using BizHawk.Common; + +namespace BizHawk.Emulation.Cores.Nintendo.NES +{ + // Tetris Fily 6-in-1 (GS-2004) (U) [!] + public class UNIF_BMC_GS_2004 : NES.NESBoardBase + { + private int _reg = 0xFF; + + private int _prgMask32k; + private int _wramOffset; + + public override bool Configure(NES.EDetectionOrigin origin) + { + switch (Cart.board_type) + { + case "UNIF_BMC-GS-2004": + break; + default: + return false; + } + + + _prgMask32k = (Cart.prg_size - 8) / 32 - 1; + + // Last 8k of Prg goes into 6000-7FFF + _wramOffset = ((Cart.prg_size - 8) / 32) * 0x8000; + + SetMirrorType(EMirrorType.Vertical); + + return true; + } + + public override void NESSoftReset() + { + _reg = 0xFF; + base.NESSoftReset(); + } + + public override void SyncState(Serializer ser) + { + base.SyncState(ser); + ser.Sync("reg", ref _reg); + + } + + public override void WritePRG(int addr, byte value) + { + _reg = value; + } + + public override byte ReadWRAM(int addr) + { + return ROM[_wramOffset + (addr & 0x1FFF)]; + } + + public override byte ReadPRG(int addr) + { + return ROM[((_reg & _prgMask32k) * 0x8000) + (addr & 0x7FFF)]; + } + } +} diff --git a/BizHawk.Emulation.Cores/Consoles/Nintendo/NES/Boards/UNIF/UNIF_BMC-GS-2013.cs b/BizHawk.Emulation.Cores/Consoles/Nintendo/NES/Boards/UNIF/UNIF_BMC-GS-2013.cs new file mode 100644 index 0000000000..e39ad1cbab --- /dev/null +++ b/BizHawk.Emulation.Cores/Consoles/Nintendo/NES/Boards/UNIF/UNIF_BMC-GS-2013.cs @@ -0,0 +1,67 @@ +using BizHawk.Common; +using BizHawk.Common.NumberExtensions; + +namespace BizHawk.Emulation.Cores.Nintendo.NES +{ + // Tetris Family 12-in-1 (GS-2013) [U][!] + // This cart is 2 ROMs in 1 + // Pretty much the UNIF_BMC-GS_2004 board, with more Rom tacked on + public class UNIF_BMC_GS_2013 : NES.NESBoardBase + { + private int _reg = 0xFF; + private bool _isRom2 = true; + + private int _prgMaskRom1 = 7; + private int _prgMaskRom2 = 1; + + private int _wramPage = 0x3E000; + private int _rom2Offset = 0x40000; + + public override bool Configure(NES.EDetectionOrigin origin) + { + switch (Cart.board_type) + { + case "UNIF_BMC-GS-2013": + break; + default: + return false; + } + + SetMirrorType(EMirrorType.Vertical); + + return true; + } + + public override void NESSoftReset() + { + _reg = 0xFF; + _isRom2 = true; + base.NESSoftReset(); + } + + public override void SyncState(Serializer ser) + { + base.SyncState(ser); + ser.Sync("reg", ref _reg); + ser.Sync("_isRom2", ref _isRom2); + + } + + public override void WritePRG(int addr, byte value) + { + _isRom2 = value.Bit(3); + _reg = value; + } + + public override byte ReadWRAM(int addr) + { + return ROM[_wramPage + (addr & 0x1FFF)]; + } + + public override byte ReadPRG(int addr) + { + int bank = _reg & (_isRom2 ? _prgMaskRom2 : _prgMaskRom1); + return ROM[(bank * 0x8000) + (addr & 0x7FFF) + (_isRom2 ? _rom2Offset : 0)]; + } + } +} diff --git a/BizHawk.Emulation.Cores/Consoles/Nintendo/NES/Boards/UNIF/UNIF_BMC-T-262.cs b/BizHawk.Emulation.Cores/Consoles/Nintendo/NES/Boards/UNIF/UNIF_BMC-T-262.cs new file mode 100644 index 0000000000..6cc941c379 --- /dev/null +++ b/BizHawk.Emulation.Cores/Consoles/Nintendo/NES/Boards/UNIF/UNIF_BMC-T-262.cs @@ -0,0 +1,74 @@ +using BizHawk.Common; + +namespace BizHawk.Emulation.Cores.Nintendo.NES +{ + public class UNIF_BMC_T_262 : NES.NESBoardBase + { + private bool _mode; + private bool _locked; + private bool _verticalMirror; + + private int _base; + private int _bank; + + public override bool Configure(NES.EDetectionOrigin origin) + { + switch (Cart.board_type) + { + case "UNIF_BMC-T-262": + break; + default: + return false; + } + + SetMirroring(); + + return true; + } + + public override void SyncState(Serializer ser) + { + ser.Sync("mode", ref _mode); + ser.Sync("locked", ref _locked); + ser.Sync("verticalMirror", ref _verticalMirror); + + ser.Sync("base", ref _base); + ser.Sync("bank", ref _bank); + + base.SyncState(ser); + } + + public override byte ReadPRG(int addr) + { + if (addr < 0x4000) + { + int bank = _base | _bank; + return ROM[(bank * 0x4000) + (addr & 0x3FFF)]; + } + else + { + int bank = _base | (_mode ? _bank : 7); + return ROM[(bank * 0x4000) + (addr & 0x3FFF)]; + } + } + + public override void WritePRG(int addr, byte value) + { + if (!_locked) + { + _base = ((addr & 0x60) >> 2) | ((addr & 0x100) >> 3); + _mode = (addr & 0x80) > 0; + _verticalMirror = (((addr & 2) >> 1) ^ 1) > 0; + _locked = ((addr & 0x2000) >> 13) > 0; + } + + _bank = value & 0x07; + SetMirroring(); + } + + private void SetMirroring() + { + SetMirrorType(_verticalMirror ? EMirrorType.Vertical : EMirrorType.Horizontal); + } + } +} diff --git a/BizHawk.Emulation.Cores/Consoles/Nintendo/NES/Boards/UNIF/UNIF_UNL-AX5705.cs b/BizHawk.Emulation.Cores/Consoles/Nintendo/NES/Boards/UNIF/UNIF_UNL-AX5705.cs new file mode 100644 index 0000000000..2067bf8724 --- /dev/null +++ b/BizHawk.Emulation.Cores/Consoles/Nintendo/NES/Boards/UNIF/UNIF_UNL-AX5705.cs @@ -0,0 +1,105 @@ +using BizHawk.Common; + +namespace BizHawk.Emulation.Cores.Nintendo.NES +{ + // Logic copied from FCEUX + // Super Mario Bros. Pocker Mali (Unl) + public class UNIF_UNL_AX5705 : NES.NESBoardBase + { + private IntBuffer prg_reg = new IntBuffer(2); + private IntBuffer chr_reg = new IntBuffer(8); + + private int _prgMask8k; + private int _chrMask1k; + + public override bool Configure(NES.EDetectionOrigin origin) + { + switch (Cart.board_type) + { + case "UNIF_UNL-AX5705": + break; + default: + return false; + } + + _prgMask8k = Cart.prg_size / 8 - 1; + _chrMask1k = Cart.chr_size / 1 - 1; + + SetMirrorType(EMirrorType.Vertical); + + return true; + } + + public override void SyncState(Serializer ser) + { + base.SyncState(ser); + ser.Sync("prg_reg", ref prg_reg); + ser.Sync("chr_reg", ref chr_reg); + } + + public override void WritePRG(int addr, byte value) + { + addr += 0x8000; + byte V = value; + int mirr = 0; + + switch (addr & 0xF00F) + { + case 0x8000: prg_reg[0] = ((V & 2) << 2) | ((V & 8) >> 2) | (V & 5); break; // EPROM dump have mixed PRG and CHR banks, data lines to mapper seems to be mixed + case 0x8008: mirr = V & 1; break; + case 0xA000: prg_reg[1] = ((V & 2) << 2) | ((V & 8) >> 2) | (V & 5); break; + case 0xA008: chr_reg[0] = (chr_reg[0] & 0xF0) | (V & 0x0F); break; + case 0xA009: chr_reg[0] = (chr_reg[0] & 0x0F) | ((((V & 4) >> 1) | ((V & 2) << 1) | (V & 0x09)) << 4); break; + case 0xA00A: chr_reg[1] = (chr_reg[1] & 0xF0) | (V & 0x0F); break; + case 0xA00B: chr_reg[1] = (chr_reg[1] & 0x0F) | ((((V & 4) >> 1) | ((V & 2) << 1) | (V & 0x09)) << 4); break; + case 0xC000: chr_reg[2] = (chr_reg[2] & 0xF0) | (V & 0x0F); break; + case 0xC001: chr_reg[2] = (chr_reg[2] & 0x0F) | ((((V & 4) >> 1) | ((V & 2) << 1) | (V & 0x09)) << 4); break; + case 0xC002: chr_reg[3] = (chr_reg[3] & 0xF0) | (V & 0x0F); break; + case 0xC003: chr_reg[3] = (chr_reg[3] & 0x0F) | ((((V & 4) >> 1) | ((V & 2) << 1) | (V & 0x09)) << 4); break; + case 0xC008: chr_reg[4] = (chr_reg[4] & 0xF0) | (V & 0x0F); break; + case 0xC009: chr_reg[4] = (chr_reg[4] & 0x0F) | ((((V & 4) >> 1) | ((V & 2) << 1) | (V & 0x09)) << 4); break; + case 0xC00A: chr_reg[5] = (chr_reg[5] & 0xF0) | (V & 0x0F); break; + case 0xC00B: chr_reg[5] = (chr_reg[5] & 0x0F) | ((((V & 4) >> 1) | ((V & 2) << 1) | (V & 0x09)) << 4); break; + case 0xE000: chr_reg[6] = (chr_reg[6] & 0xF0) | (V & 0x0F); break; + case 0xE001: chr_reg[6] = (chr_reg[6] & 0x0F) | ((((V & 4) >> 1) | ((V & 2) << 1) | (V & 0x09)) << 4); break; + case 0xE002: chr_reg[7] = (chr_reg[7] & 0xF0) | (V & 0x0F); break; + case 0xE003: chr_reg[7] = (chr_reg[7] & 0x0F) | ((((V & 4) >> 1) | ((V & 2) << 1) | (V & 0x09)) << 4); break; + } + + SetMirrorType(mirr > 0 ? EMirrorType.Horizontal : EMirrorType.Vertical); + } + + public override byte ReadPPU(int addr) + { + if (addr < 0x2000) + { + int bank = chr_reg[addr / 0x400]; + bank &= _chrMask1k; + return VROM[(bank * 0x400) + (addr & 0x3FF)]; + } + + return base.ReadPPU(addr); + } + + public override byte ReadPRG(int addr) + { + addr += 0x8000; + if (addr < 0xA000) + { + return ROM[(prg_reg[0] * 0x2000) + (addr & 0x1FFF)]; + } + else if (addr < 0xC000) + { + return ROM[(prg_reg[1] * 0x2000) + (addr & 0x1FFF)]; + } + else if (addr < 0xE000) + { + return ROM[((0xFE & _prgMask8k) * 0x2000) + (addr & 0x1FFF)]; + } + else + { + return ROM[((0xFF & _prgMask8k) * 0x2000) + (addr & 0x1FFF)]; + } + } + } +} diff --git a/BizHawk.Emulation.Cores/Consoles/Nintendo/NES/Boards/UNIF/UNIF_UNL-CC-21.cs b/BizHawk.Emulation.Cores/Consoles/Nintendo/NES/Boards/UNIF/UNIF_UNL-CC-21.cs new file mode 100644 index 0000000000..4b5dbd0a08 --- /dev/null +++ b/BizHawk.Emulation.Cores/Consoles/Nintendo/NES/Boards/UNIF/UNIF_UNL-CC-21.cs @@ -0,0 +1,59 @@ +using BizHawk.Common; +using BizHawk.Common.NumberExtensions; + +namespace BizHawk.Emulation.Cores.Nintendo.NES +{ + public class UNIF_UNL_CC_21 : NES.NESBoardBase + { + int _reg; + public override bool Configure(NES.EDetectionOrigin origin) + { + switch (Cart.board_type) + { + case "UNIF_UNL-CC-21": + break; + default: + return false; + } + + return true; + } + + public override void WritePRG(int addr, byte value) + { + if (addr == 0) // FCEUX says: another one many-in-1 mapper, there is a lot of similar carts with little different wirings + { + _reg = value; + } + else + { + _reg = addr; + } + + SetMirrorType(addr.Bit(0) ? EMirrorType.OneScreenB : EMirrorType.OneScreenA); + } + + public override void SyncState(Serializer ser) + { + base.SyncState(ser); + ser.Sync("reg", ref _reg); + } + + public override byte ReadPPU(int addr) + { + if (addr < 0x2000) + { + if (Cart.chr_size == 8192) + { + return VROM[((_reg & 1) * 0xFFF) + (addr & 0xFFF)]; + } + else // Some bad, overdumped roms made by cah4e3 + { + return VROM[((_reg & 1) * 0x2000) + (addr & 0x1FFF)]; + } + } + + return base.ReadPPU(addr); + } + } +} diff --git a/BizHawk.Emulation.Cores/Consoles/Nintendo/NES/Boards/UNIF/UNIF_UNL-EDU2000.cs b/BizHawk.Emulation.Cores/Consoles/Nintendo/NES/Boards/UNIF/UNIF_UNL-EDU2000.cs new file mode 100644 index 0000000000..9f9e9d2687 --- /dev/null +++ b/BizHawk.Emulation.Cores/Consoles/Nintendo/NES/Boards/UNIF/UNIF_UNL-EDU2000.cs @@ -0,0 +1,41 @@ +using BizHawk.Common; +namespace BizHawk.Emulation.Cores.Nintendo.NES +{ + public class UNIF_UNL_EDU2000 : NES.NESBoardBase + { + private int _reg; + + private int _prgMask32; + + public override bool Configure(NES.EDetectionOrigin origin) + { + switch (Cart.board_type) + { + case "UNIF_UNL-EDU2000": + break; + default: + return false; + } + + _prgMask32 = Cart.prg_size / 32 - 1; + + return true; + } + + public override void SyncState(Serializer ser) + { + base.SyncState(ser); + ser.Sync("reg", ref _reg); + } + + public override void WritePRG(int addr, byte value) + { + _reg = value; + } + + public override byte ReadPRG(int addr) + { + return ROM[((_reg & _prgMask32) * 0x8000) + (addr & 0x7FFF)]; + } + } +} diff --git a/BizHawk.Emulation.Cores/Consoles/Nintendo/NES/Boards/inlnsf.cs b/BizHawk.Emulation.Cores/Consoles/Nintendo/NES/Boards/inlnsf.cs index f788e86df5..6a34c25e5c 100644 --- a/BizHawk.Emulation.Cores/Consoles/Nintendo/NES/Boards/inlnsf.cs +++ b/BizHawk.Emulation.Cores/Consoles/Nintendo/NES/Boards/inlnsf.cs @@ -26,34 +26,35 @@ namespace BizHawk.Emulation.Cores.Nintendo.NES switch (Cart.board_type) { case "MAPPER031": - Cart.vram_size = 8; - break; - case "MAPPER0031-00": - AssertVram(8); + AssertChr(0, 8); + if(Cart.chr_size == 0) + Cart.vram_size = 8; + break; + case "MAPPER0031-00": + AssertVram(8); break; default: return false; } SetMirrorType(CalculateMirrorType(Cart.pad_h, Cart.pad_v)); - AssertChr(0); AssertPrg(16, 32, 64, 128, 256, 512, 1024); Cart.wram_size = 0; prg_bank_mask_4k = Cart.prg_size / 4 - 1; - prg[7] = prg_bank_mask_4k; + prg[7] = prg_bank_mask_4k; return true; } - public override void WriteEXP(int addr, byte value) - { - if (addr >= 0x1000) - prg[addr & 0x07] = value & prg_bank_mask_4k; - else - base.WriteEXP(addr, value); - } + public override void WriteEXP(int addr, byte value) + { + if (addr >= 0x1000) + prg[addr & 0x07] = value & prg_bank_mask_4k; + else + base.WriteEXP(addr, value); + } public override byte ReadPRG(int addr) { - return ROM[prg[(addr & 0x7000)>>12] << 12 | addr & 0x0fff]; + return ROM[prg[(addr & 0x7000) >> 12] << 12 | addr & 0x0fff]; } } } diff --git a/BizHawk.Emulation.Cores/Consoles/Nintendo/NES/NES.BoardSystem.cs b/BizHawk.Emulation.Cores/Consoles/Nintendo/NES/NES.BoardSystem.cs index 35293dccdf..c4216e3230 100644 --- a/BizHawk.Emulation.Cores/Consoles/Nintendo/NES/NES.BoardSystem.cs +++ b/BizHawk.Emulation.Cores/Consoles/Nintendo/NES/NES.BoardSystem.cs @@ -438,6 +438,7 @@ namespace BizHawk.Emulation.Cores.Nintendo.NES public GameInfo DB_GameInfo; public string name; + public int trainer_size; public int chr_size; public int prg_size; public int wram_size, vram_size; @@ -729,6 +730,22 @@ namespace BizHawk.Emulation.Cores.Nintendo.NES public static class AutoMapperProps { + public static void Populate(NES.INESBoard board, NES.NESSyncSettings settings) + { + var fields = board.GetType().GetFields(); + foreach (var field in fields) + { + var attrib = field.GetCustomAttributes(typeof(MapperPropAttribute), false).OfType().SingleOrDefault(); + if (attrib == null) + continue; + string Name = attrib.Name ?? field.Name; + if (!settings.BoardProperties.ContainsKey(Name)) + { + settings.BoardProperties.Add(Name, (string)Convert.ChangeType(field.GetValue(board), typeof(string))); + } + } + } + public static void Apply(NES.INESBoard board) { var fields = board.GetType().GetFields(); diff --git a/BizHawk.Emulation.Cores/Consoles/Nintendo/NES/NES.Core.cs b/BizHawk.Emulation.Cores/Consoles/Nintendo/NES/NES.Core.cs index db8f390432..7c43878a73 100644 --- a/BizHawk.Emulation.Cores/Consoles/Nintendo/NES/NES.Core.cs +++ b/BizHawk.Emulation.Cores/Consoles/Nintendo/NES/NES.Core.cs @@ -33,7 +33,6 @@ namespace BizHawk.Emulation.Cores.Nintendo.NES public bool irq_apu { get { return _irq_apu; } set { _irq_apu = value; } } //user configuration - int[,] palette = new int[64,3]; int[] palette_compiled = new int[64*8]; // new input system @@ -440,20 +439,38 @@ namespace BizHawk.Emulation.Cores.Nintendo.NES } /// - /// sets the provided palette as current + /// Sets the provided palette as current. + /// Applies the current deemph settings if needed to expand a 64-entry palette to 512 /// - private void SetPalette(int[,] pal) + private void SetPalette(byte[,] pal) { - Array.Copy(pal,palette,64*3); - for(int i=0;i<64*8;i++) + int nColors = pal.GetLength(0); + int nElems = pal.GetLength(1); + + if (nColors == 512) { - int d = i >> 6; - int c = i & 63; - int r = palette[c, 0]; - int g = palette[c, 1]; - int b = palette[c, 2]; - Palettes.ApplyDeemphasis(ref r, ref g, ref b, d); - palette_compiled[i] = (int)unchecked((int)0xFF000000 | (r << 16) | (g << 8) | b); + //just copy the palette directly + for (int c = 0; c < 64 * 8; c++) + { + int r = pal[c, 0]; + int g = pal[c, 1]; + int b = pal[c, 2]; + palette_compiled[c] = (int)unchecked((int)0xFF000000 | (r << 16) | (g << 8) | b); + } + } + else + { + //expand using deemph + for (int i = 0; i < 64 * 8; i++) + { + int d = i >> 6; + int c = i & 63; + int r = pal[c, 0]; + int g = pal[c, 1]; + int b = pal[c, 2]; + Palettes.ApplyDeemphasis(ref r, ref g, ref b, d); + palette_compiled[i] = (int)unchecked((int)0xFF000000 | (r << 16) | (g << 8) | b); + } } } diff --git a/BizHawk.Emulation.Cores/Consoles/Nintendo/NES/NES.ISettable.cs b/BizHawk.Emulation.Cores/Consoles/Nintendo/NES/NES.ISettable.cs index 09ba773b20..fed992396c 100644 --- a/BizHawk.Emulation.Cores/Consoles/Nintendo/NES/NES.ISettable.cs +++ b/BizHawk.Emulation.Cores/Consoles/Nintendo/NES/NES.ISettable.cs @@ -34,7 +34,7 @@ namespace BizHawk.Emulation.Cores.Nintendo.NES } CoreComm.ScreenLogicalOffsetX = videoProvider.left; - CoreComm.ScreenLogicalOffsetY = DisplayType == DisplayType.NTSC ? Settings.NTSC_TopLine : Settings.PAL_TopLine; + CoreComm.ScreenLogicalOffsetY = Region == DisplayType.NTSC ? Settings.NTSC_TopLine : Settings.PAL_TopLine; SetPalette(Settings.Palette); @@ -102,7 +102,7 @@ namespace BizHawk.Emulation.Cores.Nintendo.NES public int PAL_TopLine = 0; public int PAL_BottomLine = 239; - public int[,] Palette; + public byte[,] Palette; public int Square1 = 376; public int Square2 = 376; @@ -113,21 +113,22 @@ namespace BizHawk.Emulation.Cores.Nintendo.NES public NESSettings Clone() { var ret = (NESSettings)MemberwiseClone(); - ret.Palette = (int[,])ret.Palette.Clone(); + ret.Palette = (byte[,])ret.Palette.Clone(); return ret; } public NESSettings() { - Palette = (int[,])Palettes.QuickNESPalette.Clone(); + Palette = (byte[,])Palettes.QuickNESPalette.Clone(); } [Newtonsoft.Json.JsonConstructor] - public NESSettings(int[,] Palette) + public NESSettings(byte[,] Palette) { if (Palette == null) // only needed for SVN purposes - this.Palette = (int[,])Palettes.QuickNESPalette.Clone(); + // edit: what does this mean? + this.Palette = (byte[,])Palettes.QuickNESPalette.Clone(); else this.Palette = Palette; } diff --git a/BizHawk.Emulation.Cores/Consoles/Nintendo/NES/NES.cs b/BizHawk.Emulation.Cores/Consoles/Nintendo/NES/NES.cs index 1a595c6f66..39c6975c0b 100644 --- a/BizHawk.Emulation.Cores/Consoles/Nintendo/NES/NES.cs +++ b/BizHawk.Emulation.Cores/Consoles/Nintendo/NES/NES.cs @@ -2,6 +2,7 @@ using System.Linq; using System.IO; using System.Collections.Generic; +using System.Reflection; using BizHawk.Common; using BizHawk.Common.BufferExtensions; @@ -17,7 +18,7 @@ namespace BizHawk.Emulation.Cores.Nintendo.NES isPorted: false, isReleased: true )] - public partial class NES : IEmulator, ISaveRam, IDebuggable, IStatable, IInputPollable, + public partial class NES : IEmulator, ISaveRam, IDebuggable, IStatable, IInputPollable, IRegionable, ISettable { static readonly bool USE_DATABASE = true; @@ -90,6 +91,24 @@ namespace BizHawk.Emulation.Cores.Nintendo.NES Console.WriteLine("[{0:d5}:{1:d3}:{2:d3}] {3}", Frame, ppu.ppur.status.sl, ppu.ppur.status.cycle, string.Format(format, args)); } + public bool HasMapperProperties + { + get + { + var fields = Board.GetType().GetFields(); + foreach (var field in fields) + { + var attrib = field.GetCustomAttributes(typeof(MapperPropAttribute), false).OfType().SingleOrDefault(); + if (attrib != null) + { + return true; + } + } + + return false; + } + } + NESWatch GetWatch(NESWatch.EDomain domain, int address) { if (domain == NESWatch.EDomain.Sysbus) @@ -182,7 +201,7 @@ namespace BizHawk.Emulation.Cores.Nintendo.NES public CoreComm CoreComm { get; private set; } - public DisplayType DisplayType { get { return _display_type; } } + public DisplayType Region { get { return _display_type; } } class MyVideoProvider : IVideoProvider { @@ -209,7 +228,7 @@ namespace BizHawk.Emulation.Cores.Nintendo.NES { int the_top; int the_bottom; - if (emu.DisplayType == DisplayType.NTSC) + if (emu.Region == DisplayType.NTSC) { the_top = emu.Settings.NTSC_TopLine; the_bottom = emu.Settings.NTSC_BottomLine; @@ -289,7 +308,7 @@ namespace BizHawk.Emulation.Cores.Nintendo.NES { get { - if (emu.DisplayType == DisplayType.NTSC) + if (emu.Region == DisplayType.NTSC) { return emu.Settings.NTSC_BottomLine - emu.Settings.NTSC_TopLine + 1; } @@ -426,6 +445,7 @@ namespace BizHawk.Emulation.Cores.Nintendo.NES nsfboard.WRAM = new byte[cart.wram_size * 1024]; Board = nsfboard; Board.PostConfigure(); + AutoMapperProps.Populate(Board, SyncSettings); Console.WriteLine("Using NTSC display type for NSF for now"); _display_type = Common.DisplayType.NTSC; @@ -463,6 +483,7 @@ namespace BizHawk.Emulation.Cores.Nintendo.NES Board.VRAM = new byte[cart.vram_size * 1024]; Board.PostConfigure(); + AutoMapperProps.Populate(Board, SyncSettings); Console.WriteLine("Using NTSC display type for FDS disk image"); _display_type = Common.DisplayType.NTSC; @@ -568,9 +589,13 @@ namespace BizHawk.Emulation.Cores.Nintendo.NES LoadWriteLine("Using information from UNIF header"); choice = unif.CartInfo; //ok, i have this Q-Boy rom with no VROM and no VRAM. - //looks like FCEUX policy is to allocate 8KB of chr ram no matter what UNLESS certain flags are set. - //we'll let individual boards override that and set 8KB here - choice.vram_size = 8; + //we also certainly have games with VROM and no VRAM. + //looks like FCEUX policy is to allocate 8KB of chr ram no matter what UNLESS certain flags are set. but what's the justification for this? please leave a note if you go debugging in it again. + //well, we know we can't have much of a NES game if there's no VROM unless there's VRAM instead. + //so if the VRAM isn't set, choose 8 for it. + //TODO - unif loading code may need to use VROR flag to transform chr_size=8 to vram_size=8 (need example) + if (choice.chr_size == 0 && choice.vram_size == 0) + choice.vram_size = 8; //(do we need to suppress this in case theres a CHR rom? probably not. nes board base will use ram if no rom is available) origin = EDetectionOrigin.UNIF; } @@ -670,21 +695,28 @@ namespace BizHawk.Emulation.Cores.Nintendo.NES } } + byte[] trainer = null; //create the board's rom and vrom if (iNesHeaderInfo != null) { + var ms = new MemoryStream(file, false); + ms.Seek(16, SeekOrigin.Begin); // ines header //pluck the necessary bytes out of the file + if (iNesHeaderInfo.trainer_size != 0) + { + trainer = new byte[512]; + ms.Read(trainer, 0, 512); + } + Board.ROM = new byte[choice.prg_size * 1024]; - Array.Copy(file, 16, Board.ROM, 0, Board.ROM.Length); + ms.Read(Board.ROM, 0, Board.ROM.Length); + if (choice.chr_size > 0) { Board.VROM = new byte[choice.chr_size * 1024]; - int vrom_offset = iNesHeaderInfo.prg_size * 1024; + int vrom_copy_size = ms.Read(Board.VROM, 0, Board.VROM.Length); - // if file isn't long enough for VROM, truncate - int vrom_copy_size = Math.Min(Board.VROM.Length, file.Length - 16 - vrom_offset); - Array.Copy(file, 16 + vrom_offset, Board.VROM, 0, vrom_copy_size); if (vrom_copy_size < Board.VROM.Length) LoadWriteLine("Less than the expected VROM was found in the file: {0} < {1}", vrom_copy_size, Board.VROM.Length); } @@ -709,6 +741,7 @@ namespace BizHawk.Emulation.Cores.Nintendo.NES Board.VRAM = new byte[cart.vram_size * 1024]; Board.PostConfigure(); + AutoMapperProps.Populate(Board, SyncSettings); // set up display type @@ -738,6 +771,13 @@ namespace BizHawk.Emulation.Cores.Nintendo.NES Console.WriteLine("Using NES system region of {0}", _display_type); HardReset(); + + if (trainer != null) + { + Console.WriteLine("Applying trainer"); + for (int i = 0; i < 512; i++) + WriteMemory((ushort)(0x7000 + i), trainer[i]); + } } static NESSyncSettings.Region DetectRegion(string system) diff --git a/BizHawk.Emulation.Cores/Consoles/Nintendo/NES/NES.iNES.cs b/BizHawk.Emulation.Cores/Consoles/Nintendo/NES/NES.iNES.cs index 1bbffcdf39..b960e8a541 100644 --- a/BizHawk.Emulation.Cores/Consoles/Nintendo/NES/NES.iNES.cs +++ b/BizHawk.Emulation.Cores/Consoles/Nintendo/NES/NES.iNES.cs @@ -62,7 +62,18 @@ namespace BizHawk.Emulation.Cores.Nintendo.NES case 0: CartV2.pad_v = 1; break; case 1: CartV2.pad_h = 1; break; } + switch (data[12] & 1) + { + case 0: + CartV2.system = "NES-NTSC"; + break; + case 1: + CartV2.system = "NES-PAL"; + break; + } + if ((data[6] & 4) != 0) + CartV2.trainer_size = 512; } else { @@ -99,7 +110,7 @@ namespace BizHawk.Emulation.Cores.Nintendo.NES } if (data[6].Bit(2)) - Console.WriteLine("DANGER: According to the flags, this iNES has a trainer in it! We don't support this garbage."); + Cart.trainer_size = 512; return true; } diff --git a/BizHawk.Emulation.Cores/Consoles/Nintendo/NES/PPU.run.cs b/BizHawk.Emulation.Cores/Consoles/Nintendo/NES/PPU.run.cs index 3ccaed7137..f06cd93649 100644 --- a/BizHawk.Emulation.Cores/Consoles/Nintendo/NES/PPU.run.cs +++ b/BizHawk.Emulation.Cores/Consoles/Nintendo/NES/PPU.run.cs @@ -188,7 +188,22 @@ namespace BizHawk.Emulation.Cores.Nintendo.NES int bgpx = bgpos & 7; int bgtile = bgpos >> 3; - int pixel = 0, pixelcolor; + int pixel = 0, pixelcolor = PALRAM[pixel]; + + //according to qeed's doc, use palette 0 or $2006's value if it is & 0x3Fxx + //at one point I commented this out to fix bottom-left garbage in DW4. but it's needed for full_nes_palette. + //solution is to only run when PPU is actually OFF (left-suppression doesnt count) + if (!reg_2001.show_bg && !reg_2001.show_obj) + { + // if there's anything wrong with how we're doing this, someone please chime in + int addr = ppur.get_2007access(); + if ((addr & 0x3F00) == 0x3F00) + { + pixel = addr & 0x1F; + } + pixelcolor = PALRAM[pixel]; + pixelcolor |= 0x8000; //whats this? i think its a flag to indicate a hidden background to be used by the canvas filling logic later + } //generate the BG data if (renderbgnow) @@ -201,26 +216,6 @@ namespace BizHawk.Emulation.Cores.Nintendo.NES pixel |= bgdata[bgtile].at; pixelcolor = PALRAM[pixel]; } - else - { - if (!renderspritenow) - { - //according to qeed's doc, use palette 0 or $2006's value if it is & 0x3Fxx - //EDIT - this requires corect emulation of PPU OFF state, and seems only to apply when the PPU is OFF - // not sure why this was off, but having it on fixes full_nes_palette, and it's a behavior that's been - // verified on the decapped PPU - - // if there's anything wrong with how we're doing this, someone please chime in - int addr = ppur.get_2007access(); - if ((addr & 0x3F00) == 0x3F00) - { - // System.Console.WriteLine("{0:X4}", addr); - pixel = addr & 0x1F; - } - } - pixelcolor = PALRAM[pixel]; - pixelcolor |= 0x8000; //whats this? i think its a flag to indicate a hidden background to be used by the canvas filling logic later - } if (!nes.Settings.DispBackground) pixelcolor = 0x8000; //whats this? i think its a flag to indicate a hidden background to be used by the canvas filling logic later diff --git a/BizHawk.Emulation.Cores/Consoles/Nintendo/NES/Palettes.cs b/BizHawk.Emulation.Cores/Consoles/Nintendo/NES/Palettes.cs index fb0b92d6c4..568fda9b05 100644 --- a/BizHawk.Emulation.Cores/Consoles/Nintendo/NES/Palettes.cs +++ b/BizHawk.Emulation.Cores/Consoles/Nintendo/NES/Palettes.cs @@ -20,19 +20,30 @@ namespace BizHawk.Emulation.Cores.Nintendo.NES } /// - /// Loads a simple 192 byte (64 entry RGB888) or 1536 byte (64*8 = 512 entry) palette which is FCEUX format (and probably other emulators as well) - /// The 512-entry format is new and backwards compatible. (actually, the 512-entry format extra data isnt used yet, I just edited this to support the larger quicknes file i committed) + /// Loads a simple 192 byte (64 entry RGB888) or 1536 byte (64*8 = 512 entry) palette. FCEUX uses these, as do almost every NES emulator. /// /// 192 or 1536 bytes, the contents of the palette file - public static int[,] Load_FCEUX_Palette(byte[] fileContents) + public static byte[,] Load_FCEUX_Palette(byte[] fileContents) { - //'validate' file, solely by length - if (fileContents.Length == 1536) { } - else if (fileContents.Length != 192) return null; + int nColors; - int[,] ret = new int[64, 3]; + //'validate' file, solely by length + if (fileContents.Length == 1536) + { + nColors = 512; + } + else if (fileContents.Length == 192) + { + nColors = 64; + } + else + { + return null; + } + + byte[,] ret = new byte[nColors, 3]; int i = 0; - for (int c = 0; c < 64; c++) + for (int c = 0; c < nColors; c++) { for (int z = 0; z < 3; z++) ret[c, z] = fileContents[i++]; @@ -41,7 +52,7 @@ namespace BizHawk.Emulation.Cores.Nintendo.NES } const int SHIFT = 2; - public static int[,] FCEUX_Standard = new int[,] + public static byte[,] FCEUX_Standard = new byte[,] { { 0x1D< 0) { Console.WriteLine("BootGod entry found: {0}", carts[0].name); @@ -265,19 +280,6 @@ namespace BizHawk.Emulation.Cores.Consoles.Nintendo.QuickNES break; } - // Bail out on ROM's known to not be playable by this core - switch(carts[0].sha1) - { - case "sha1:E39CA4477D3B96E1CE3A1C61D8055187EA5F1784": // Bill and Ted's Excellent Adventure - case "sha1:E8BC7E6BAE7032D571152F6834516535C34C68F0": // Bill and Ted's Excellent Adventure bad dump - case "sha1:401023BAE92A38B89F7D0C2E0F023E35F1FFEEFD": // Bill and Ted's Excellent Adventure bad dump - case "sha1:6270F9FF2BD0B32A23A45985D9D7FB2793E1CED3": // Bill and Ted's Excellent Adventure overdump dump - case "sha1:5E3C02A3A5F6CD4F2442311630F1C44A8E9DC7E2": // Paperboy - throw new UnsupportedGameException("Game known to not be playable in this core"); - default: - break; - } - BootGodStatus = RomStatus.GoodDump; BootGodName = carts[0].name; } diff --git a/BizHawk.Emulation.Cores/Consoles/Nintendo/SNES/LibsnesCore.cs b/BizHawk.Emulation.Cores/Consoles/Nintendo/SNES/LibsnesCore.cs index a60e6c21d5..b7a2e4c6ae 100644 --- a/BizHawk.Emulation.Cores/Consoles/Nintendo/SNES/LibsnesCore.cs +++ b/BizHawk.Emulation.Cores/Consoles/Nintendo/SNES/LibsnesCore.cs @@ -1,4 +1,4 @@ -//TODO - add serializer, add interlace field variable to serializer +//TODO - add serializer (?) //http://wiki.superfamicom.org/snes/show/Backgrounds @@ -30,7 +30,7 @@ namespace BizHawk.Emulation.Cores.Nintendo.SNES portedUrl: "http://byuu.org/" )] [ServiceNotApplicable(typeof(IDriveLight))] - public unsafe class LibsnesCore : IEmulator, IVideoProvider, ISaveRam, IStatable, IInputPollable, + public unsafe class LibsnesCore : IEmulator, IVideoProvider, ISaveRam, IStatable, IInputPollable, IRegionable, IDebuggable, ISettable { public LibsnesCore(GameInfo game, byte[] romData, bool deterministicEmulation, byte[] xmlData, CoreComm comm, object Settings, object SyncSettings) @@ -502,7 +502,6 @@ namespace BizHawk.Emulation.Cores.Nintendo.SNES IsLagFrame = false; } - int field = 0; void snes_video_refresh(int* data, int width, int height) { bool doubleSize = Settings.AlwaysDoubleSize; @@ -514,7 +513,6 @@ namespace BizHawk.Emulation.Cores.Nintendo.SNES int yskip = 1, xskip = 1; //if we are in high-res mode, we get double width. so, lets double the height here to keep it square. - //TODO - does interlacing have something to do with the correct way to handle this? need an example that turns it on. if (width == 512) { vidHeight *= 2; @@ -533,18 +531,19 @@ namespace BizHawk.Emulation.Cores.Nintendo.SNES int srcPitch = 1024; int srcStart = 0; - //for interlaced mode, we're gonna alternate fields. you know, like we're supposed to bool interlaced = (height == 478 || height == 448); if (interlaced) { - srcPitch = 1024; - if (field == 1) - srcStart = 512; //start on second field - //really only half as high as the video output - vidHeight /= 2; - height /= 2; - //alternate fields - field ^= 1; + //from bsnes in interlaced mode we have each field side by side + //so we will come in with a dimension of 512x448, say + //but the fields are side by side, so it's actually 1024x224. + //copy the first scanline from row 0, then the 2nd scanline from row 0 (offset 512) + //EXAMPLE: yu yu hakushu legal screens + //EXAMPLE: World Class Service Super Nintendo Tester (double resolution vertically but not horizontally, in character test the stars should shrink) + lineDouble = false; + srcPitch = 512; + yskip = 1; + vidHeight = height; } if (dotDouble) @@ -666,7 +665,7 @@ namespace BizHawk.Emulation.Cores.Nintendo.SNES api.QUERY_set_state_hook_write(!suppress && mcs.HasWrites); } - public DisplayType DisplayType + public DisplayType Region { get { diff --git a/BizHawk.Emulation.Cores/Consoles/Sega/SMS/SMS.Input.cs b/BizHawk.Emulation.Cores/Consoles/Sega/SMS/SMS.Input.cs index 5e1f6d0e97..5c9cd5b4e6 100644 --- a/BizHawk.Emulation.Cores/Consoles/Sega/SMS/SMS.Input.cs +++ b/BizHawk.Emulation.Cores/Consoles/Sega/SMS/SMS.Input.cs @@ -104,7 +104,7 @@ namespace BizHawk.Emulation.Cores.Sega.MasterSystem value ^= 0x80; } - if (Region == "Japan") + if (RegionStr == "Japan") { value ^= 0x40; } diff --git a/BizHawk.Emulation.Cores/Consoles/Sega/SMS/SMS.cs b/BizHawk.Emulation.Cores/Consoles/Sega/SMS/SMS.cs index 565b52e2a1..32dce4aa87 100644 --- a/BizHawk.Emulation.Cores/Consoles/Sega/SMS/SMS.cs +++ b/BizHawk.Emulation.Cores/Consoles/Sega/SMS/SMS.cs @@ -28,7 +28,7 @@ namespace BizHawk.Emulation.Cores.Sega.MasterSystem isReleased: true )] [ServiceNotApplicable(typeof(IDriveLight))] - public sealed partial class SMS : IEmulator, ISaveRam, IStatable, IInputPollable, + public sealed partial class SMS : IEmulator, ISaveRam, IStatable, IInputPollable, IRegionable, IDebuggable, ISettable { // Constants @@ -92,7 +92,7 @@ namespace BizHawk.Emulation.Cores.Sega.MasterSystem byte ForceStereoByte = 0xAD; bool IsGame3D = false; - public DisplayType DisplayType { get; set; } + public DisplayType Region { get; set; } public bool DeterministicEmulation { get { return true; } } [CoreConstructor("SMS", "SG", "GG")] @@ -113,23 +113,23 @@ namespace BizHawk.Emulation.Cores.Sega.MasterSystem Array.Resize(ref RomData, ((RomData.Length / BankSize) + 1) * BankSize); RomBanks = (byte)(RomData.Length / BankSize); - DisplayType = DetermineDisplayType(SyncSettings.DisplayType, game.Region); - if (game["PAL"] && DisplayType != DisplayType.PAL) + Region = DetermineDisplayType(SyncSettings.DisplayType, game.Region); + if (game["PAL"] && Region != DisplayType.PAL) { - DisplayType = DisplayType.PAL; + Region = DisplayType.PAL; CoreComm.Notify("Display was forced to PAL mode for game compatibility."); } if (IsGameGear) - DisplayType = DisplayType.NTSC; // all game gears run at 60hz/NTSC mode - CoreComm.VsyncNum = DisplayType == DisplayType.NTSC ? 60 : 50; + Region = DisplayType.NTSC; // all game gears run at 60hz/NTSC mode + CoreComm.VsyncNum = Region == DisplayType.NTSC ? 60 : 50; CoreComm.VsyncDen = 1; - Region = SyncSettings.ConsoleRegion; - if (Region == "Auto") Region = DetermineRegion(game.Region); + RegionStr = SyncSettings.ConsoleRegion; + if (RegionStr == "Auto") RegionStr = DetermineRegion(game.Region); - if (game["Japan"] && Region != "Japan") + if (game["Japan"] && RegionStr != "Japan") { - Region = "Japan"; + RegionStr = "Japan"; CoreComm.Notify("Region was forced to Japan for game compatibility."); } @@ -145,7 +145,7 @@ namespace BizHawk.Emulation.Cores.Sega.MasterSystem Cpu.WriteHardware = WritePort; Cpu.MemoryCallbacks = MemoryCallbacks; - Vdp = new VDP(this, Cpu, IsGameGear ? VdpMode.GameGear : VdpMode.SMS, DisplayType); + Vdp = new VDP(this, Cpu, IsGameGear ? VdpMode.GameGear : VdpMode.SMS, Region); (ServiceProvider as BasicServiceProvider).Register(Vdp); PSG = new SN76489(); YM2413 = new YM2413(); @@ -198,7 +198,7 @@ namespace BizHawk.Emulation.Cores.Sega.MasterSystem } else if (game.System == "SMS") { - BiosRom = comm.CoreFileProvider.GetFirmware("SMS", Region, false); + BiosRom = comm.CoreFileProvider.GetFirmware("SMS", RegionStr, false); if (BiosRom != null && (game["RequireBios"] || SyncSettings.UseBIOS)) Port3E = 0xF7; @@ -428,7 +428,7 @@ namespace BizHawk.Emulation.Cores.Sega.MasterSystem public string BoardName { get { return null; } } string region; - public string Region + public string RegionStr { get { return region; } set diff --git a/BizHawk.Emulation.Cores/Consoles/Sega/Saturn/Yabause.cs b/BizHawk.Emulation.Cores/Consoles/Sega/Saturn/Yabause.cs index 322e440347..a7b066c049 100644 --- a/BizHawk.Emulation.Cores/Consoles/Sega/Saturn/Yabause.cs +++ b/BizHawk.Emulation.Cores/Consoles/Sega/Saturn/Yabause.cs @@ -396,13 +396,14 @@ namespace BizHawk.Emulation.Cores.Sega.Saturn int[] rTOC = new int[102]; var ses = CD.Session1; - int ntrk = ses.Tracks.Count; + int ntrk = ses.InformationTrackCount; - for (int i = 1; i <= 99; i++) + for (int i = 0; i < 99; i++) { - if (i < ntrk) + int tnum = i + 1; + if (tnum <= ntrk) { - var trk = ses.Tracks[i]; + var trk = ses.Tracks[tnum]; uint t = (uint)trk.LBA + 150; @@ -421,7 +422,7 @@ namespace BizHawk.Emulation.Cores.Sega.Saturn rTOC[99] = (int)(rTOC[0] & 0xff000000 | 0x010000); rTOC[100] = (int)(rTOC[ntrk - 1] & 0xff000000 | (uint)(ntrk << 16)); - rTOC[101] = (int)(rTOC[ntrk - 1] & 0xff000000 | (uint)(CD.TOC.LeadoutLBA.Sector)); //zero 03-jul-2014 - maybe off by 150 + rTOC[101] = (int)(rTOC[ntrk - 1] & 0xff000000 | (uint)(CD.TOC.LeadoutLBA)); //zero 03-jul-2014 - maybe off by 150 Marshal.Copy(rTOC, 0, dest, 102); diff --git a/BizHawk.Emulation.Cores/Consoles/Sega/gpgx/GPGX.cs b/BizHawk.Emulation.Cores/Consoles/Sega/gpgx/GPGX.cs index c0ea57bcfa..80094e61fb 100644 --- a/BizHawk.Emulation.Cores/Consoles/Sega/gpgx/GPGX.cs +++ b/BizHawk.Emulation.Cores/Consoles/Sega/gpgx/GPGX.cs @@ -25,7 +25,7 @@ namespace BizHawk.Emulation.Cores.Consoles.Sega.gpgx portedUrl: "https://code.google.com/p/genplus-gx/", singleInstance: true )] - public class GPGX : IEmulator, ISyncSoundProvider, IVideoProvider, ISaveRam, IStatable, + public class GPGX : IEmulator, ISyncSoundProvider, IVideoProvider, ISaveRam, IStatable, IRegionable, IInputPollable, IDebuggable, ISettable, IDriveLight { static GPGX AttachedCore = null; @@ -141,7 +141,7 @@ namespace BizHawk.Emulation.Cores.Consoles.Sega.gpgx LibGPGX.gpgx_get_fps(ref fpsnum, ref fpsden); CoreComm.VsyncNum = fpsnum; CoreComm.VsyncDen = fpsden; - DisplayType = CoreComm.VsyncRate > 55 ? DisplayType.NTSC : DisplayType.PAL; + Region = CoreComm.VsyncRate > 55 ? DisplayType.NTSC : DisplayType.PAL; } // compute state size @@ -749,14 +749,14 @@ namespace BizHawk.Emulation.Cores.Consoles.Sega.gpgx #region VideoProvider - public DisplayType DisplayType { get; private set; } + public DisplayType Region { get; private set; } int[] vidbuff = new int[0]; int vwidth; int vheight; public int[] GetVideoBuffer() { return vidbuff; } - public int VirtualWidth { get { return BufferWidth; } } // TODO - public int VirtualHeight { get { return BufferHeight; } } // TODO + public int VirtualWidth { get { return 320; } } + public int VirtualHeight { get { return 224; } } public int BufferWidth { get { return vwidth; } } public int BufferHeight { get { return vheight; } } public int BackgroundColor { get { return unchecked((int)0xff000000); } } @@ -777,24 +777,37 @@ namespace BizHawk.Emulation.Cores.Consoles.Sega.gpgx unsafe void update_video() { - int pitch = 0; + int gppitch, gpwidth, gpheight; IntPtr src = IntPtr.Zero; - LibGPGX.gpgx_get_video(ref vwidth, ref vheight, ref pitch, ref src); + LibGPGX.gpgx_get_video(out gpwidth, out gpheight, out gppitch, ref src); + + vwidth = gpwidth; + vheight = gpheight; + + if (_Settings.PadScreen320 && vwidth == 256) + vwidth = 320; + + int xpad = (vwidth - gpwidth) / 2; + int xpad2 = vwidth - gpwidth - xpad; if (vidbuff.Length < vwidth * vheight) vidbuff = new int[vwidth * vheight]; - int rinc = (pitch / 4) - vwidth; + int rinc = (gppitch / 4) - gpwidth; fixed (int* pdst_ = &vidbuff[0]) { int* pdst = pdst_; int* psrc = (int*)src; - for (int j = 0; j < vheight; j++) + for (int j = 0; j < gpheight; j++) { - for (int i = 0; i < vwidth; i++) + for(int i=0;i, IDebuggable + public unsafe class Octoshock : IEmulator, IVideoProvider, ISyncSoundProvider, ISaveRam, IStatable, IDriveLight, ISettable, IDebuggable, IRegionable { public string SystemId { get { return "PSX"; } } private void SetControllerButtons() { ControllerDefinition = new ControllerDefinition(); - ControllerDefinition.Name = _SyncSettings.Controllers.All(c => c.Type == ControllerSetting.ControllerType.Gamepad) - ? "PSX Gamepad Controller" - : "PSX DualShock Controller"; // Meh, more nuanced logic doesn't really work with a simple property + ControllerDefinition.Name = "PSX DualShock Controller"; // <-- for compatibility + //ControllerDefinition.Name = "PSX FrontIO"; // TODO - later rename to this, I guess, so it's less misleading. don't want to wreck keybindings yet. ControllerDefinition.BoolButtons.Clear(); ControllerDefinition.FloatControls.Clear(); - - for (int i = 0; i < _SyncSettings.Controllers.Length; i++) + + var cfg = _SyncSettings.FIOConfig.ToLogical(); + + for (int i = 0; i < cfg.NumPlayers; i++) { - if (_SyncSettings.Controllers[i].IsConnected) - { + int pnum = i + 1; ControllerDefinition.BoolButtons.AddRange(new[] { - "P" + (i + 1) + " Up", - "P" + (i + 1) + " Down", - "P" + (i + 1) + " Left", - "P" + (i + 1) + " Right", - "P" + (i + 1) + " Select", - "P" + (i + 1) + " Start", - "P" + (i + 1) + " Square", - "P" + (i + 1) + " Triangle", - "P" + (i + 1) + " Circle", - "P" + (i + 1) + " Cross", - "P" + (i + 1) + " L1", - "P" + (i + 1) + " R1", - "P" + (i + 1) + " L2", - "P" + (i + 1) + " R2", + "P" + pnum + " Up", + "P" + pnum + " Down", + "P" + pnum + " Left", + "P" + pnum + " Right", + "P" + pnum + " Select", + "P" + pnum + " Start", + "P" + pnum + " Square", + "P" + pnum + " Triangle", + "P" + pnum + " Circle", + "P" + pnum + " Cross", + "P" + pnum + " L1", + "P" + pnum + " R1", + "P" + pnum + " L2", + "P" + pnum + " R2", }); - if (_SyncSettings.Controllers[i].Type != ControllerSetting.ControllerType.Gamepad) + var type = cfg.DevicesPlayer[i]; + + if (type == OctoshockDll.ePeripheralType.DualShock || type == OctoshockDll.ePeripheralType.DualAnalog) { - ControllerDefinition.BoolButtons.Add("P" + (i + 1) + " L3"); - ControllerDefinition.BoolButtons.Add("P" + (i + 1) + " R3"); - ControllerDefinition.BoolButtons.Add("P" + (i + 1) + " MODE"); + ControllerDefinition.BoolButtons.Add("P" + pnum + " L3"); + ControllerDefinition.BoolButtons.Add("P" + pnum + " R3"); + ControllerDefinition.BoolButtons.Add("P" + pnum + " MODE"); ControllerDefinition.FloatControls.AddRange(new[] { - "P" + (i + 1) + " LStick X", - "P" + (i + 1) + " LStick Y", - "P" + (i + 1) + " RStick X", - "P" + (i + 1) + " RStick Y" + "P" + pnum + " LStick X", + "P" + pnum + " LStick Y", + "P" + pnum + " RStick X", + "P" + pnum + " RStick Y" }); ControllerDefinition.FloatRanges.Add(new[] { 0.0f, 128.0f, 255.0f }); @@ -88,7 +90,6 @@ namespace BizHawk.Emulation.Cores.Sony.PSX ControllerDefinition.FloatRanges.Add(new[] { 255.0f, 128.0f, 0.0f }); } } - } ControllerDefinition.BoolButtons.AddRange(new[] { @@ -102,7 +103,7 @@ namespace BizHawk.Emulation.Cores.Sony.PSX ControllerDefinition.FloatRanges.Add( //new[] {-1f,-1f,-1f} //this is carefully chosen so that we end up with a -1 disc by default (indicating that it's never been set) //hmm.. I don't see why this wouldn't work - new[] {0f,1f,1f} + new[] { 0f, 1f, 1f } ); } @@ -178,14 +179,14 @@ namespace BizHawk.Emulation.Cores.Sony.PSX { var item = Disc.TOC.TOCItems[i]; tracks101[i].adr = (byte)(item.Exists ? 1 : 0); - tracks101[i].lba = (uint)item.LBATimestamp.Sector; + tracks101[i].lba = (uint)item.LBA; tracks101[i].control = (byte)item.Control; } ////the lead-out track is to be synthesized tracks101[read_target->last_track + 1].adr = 1; tracks101[read_target->last_track + 1].control = 0; - tracks101[read_target->last_track + 1].lba = (uint)Disc.TOC.LeadoutLBA.Sector; + tracks101[read_target->last_track + 1].lba = (uint)Disc.TOC.LeadoutLBA; //element 100 is to be copied as the lead-out track tracks101[100] = tracks101[read_target->last_track + 1]; @@ -201,10 +202,14 @@ namespace BizHawk.Emulation.Cores.Sony.PSX //todo - cache reader DiscSystem.DiscSectorReader dsr = new DiscSystem.DiscSectorReader(Disc); - dsr.ReadLBA_2448(lba, SectorBuffer, 0); - Marshal.Copy(SectorBuffer, 0, new IntPtr(dst), 2448); - - return OctoshockDll.SHOCK_OK; + int readed = dsr.ReadLBA_2448(lba, SectorBuffer, 0); + if (readed == 2448) + { + Marshal.Copy(SectorBuffer, 0, new IntPtr(dst), 2448); + return OctoshockDll.SHOCK_OK; + } + else + return OctoshockDll.SHOCK_ERROR; } } @@ -212,18 +217,32 @@ namespace BizHawk.Emulation.Cores.Sony.PSX List discInterfaces = new List(); DiscInterface currentDiscInterface; + public DisplayType Region { get { return SystemVidStandard == OctoshockDll.eVidStandard.PAL ? DisplayType.PAL : DisplayType.NTSC; } } + public OctoshockDll.eRegion SystemRegion { get; private set; } public OctoshockDll.eVidStandard SystemVidStandard { get; private set; } public System.Drawing.Size CurrentVideoSize { get; private set; } - + public bool CurrentTrayOpen { get; private set; } public int CurrentDiscIndexMounted { get; private set; } public List HackyDiscButtons = new List(); + public Octoshock(CoreComm comm, PSF psf, object settings, object syncSettings) + { + Load(comm, null, null, null, settings, syncSettings, psf); + OctoshockDll.shock_PowerOn(psx); + } + //note: its annoying that we have to have a disc before constructing this. //might want to change that later. HOWEVER - we need to definitely have a region, at least public Octoshock(CoreComm comm, List discs, List discNames, byte[] exe, object settings, object syncSettings) + { + Load(comm, discs, discNames, exe, settings, syncSettings, null); + OctoshockDll.shock_PowerOn(psx); + } + + void Load(CoreComm comm, List discs, List discNames, byte[] exe, object settings, object syncSettings, PSF psf) { ServiceProvider = new BasicServiceProvider(this); (ServiceProvider as BasicServiceProvider).Register(tracer); @@ -237,14 +256,14 @@ namespace BizHawk.Emulation.Cores.Sony.PSX Attach(); - HackyDiscButtons.AddRange(discNames); - //assume this region for EXE and PSF, maybe not correct though string firmwareRegion = "U"; SystemRegion = OctoshockDll.eRegion.NA; if (discs != null) { + HackyDiscButtons.AddRange(discNames); + foreach (var disc in discs) { var discInterface = new DiscInterface(disc, @@ -313,9 +332,10 @@ namespace BizHawk.Emulation.Cores.Sony.PSX BufferHeight = 288; } CurrentVideoSize = new System.Drawing.Size(BufferWidth, BufferHeight); - var size = Octoshock.CalculateResolution(SystemVidStandard, _Settings, BufferWidth, BufferHeight); - BufferWidth = VirtualWidth = size.Width; - BufferHeight = VirtualHeight = size.Height; + var ri = Octoshock.CalculateResolution(SystemVidStandard, _Settings, BufferWidth, BufferHeight); + BufferWidth = VirtualWidth = ri.Resolution.Width; + BufferHeight = VirtualHeight = ri.Resolution.Height; + //VideoProvider_Padding = new System.Drawing.Size(50,50); frameBuffer = new int[BufferWidth * BufferHeight]; } @@ -326,11 +346,25 @@ namespace BizHawk.Emulation.Cores.Sony.PSX CurrentTrayOpen = false; CurrentDiscIndexMounted = 1; } - else + else if (psf == null) { //must be an exe fixed (byte* pExeBuffer = exe) - OctoshockDll.shock_MountEXE(psx, pExeBuffer, exe.Length); + OctoshockDll.shock_MountEXE(psx, pExeBuffer, exe.Length, false); + + //start with no disc inserted and tray closed + CurrentTrayOpen = false; + CurrentDiscIndexMounted = 0; + OctoshockDll.shock_CloseTray(psx); + } + else + { + //must be a psf + if (psf.LibData != null) + fixed (byte* pBuf = psf.LibData) + OctoshockDll.shock_MountEXE(psx, pBuf, psf.LibData.Length, true); + fixed (byte* pBuf = psf.Data) + OctoshockDll.shock_MountEXE(psx, pBuf, psf.Data.Length, false); //start with no disc inserted and tray closed CurrentTrayOpen = false; @@ -341,32 +375,25 @@ namespace BizHawk.Emulation.Cores.Sony.PSX //setup the controller based on sync settings SetControllerButtons(); - var lookup = new Dictionary { - { ControllerSetting.ControllerType.Gamepad, OctoshockDll.ePeripheralType.Pad }, - { ControllerSetting.ControllerType.DualAnalog, OctoshockDll.ePeripheralType.DualAnalog }, - { ControllerSetting.ControllerType.DualShock, OctoshockDll.ePeripheralType.DualShock }, + var fioCfg = _SyncSettings.FIOConfig; + if(fioCfg.Devices8[0] != OctoshockDll.ePeripheralType.None) + OctoshockDll.shock_Peripheral_Connect(psx, 0x01, fioCfg.Devices8[0]); + if (fioCfg.Devices8[4] != OctoshockDll.ePeripheralType.None) + OctoshockDll.shock_Peripheral_Connect(psx, 0x02, fioCfg.Devices8[4]); + + var memcardTransaction = new OctoshockDll.ShockMemcardTransaction() + { + transaction = OctoshockDll.eShockMemcardTransaction.Connect }; - - if (_SyncSettings.Controllers[0].IsConnected) - { - OctoshockDll.shock_Peripheral_Connect(psx, 0x01, lookup[_SyncSettings.Controllers[0].Type]); - } - - if (_SyncSettings.Controllers[1].IsConnected) - { - OctoshockDll.shock_Peripheral_Connect(psx, 0x02, lookup[_SyncSettings.Controllers[1].Type]); - } + if (fioCfg.Memcards[0]) OctoshockDll.shock_Peripheral_MemcardTransact(psx, 0x01, ref memcardTransaction); + if (fioCfg.Memcards[1]) OctoshockDll.shock_Peripheral_MemcardTransact(psx, 0x02, ref memcardTransaction); //do this after framebuffers and peripherals and whatever crap are setup. kind of lame, but thats how it is for now StudySaveBufferSize(); - - OctoshockDll.shock_PowerOn(psx); } public IEmulatorServiceProvider ServiceProvider { get; private set; } - public IInputCallbackSystem InputCallbacks { get { throw new NotImplementedException(); } } - public bool DriveLightEnabled { get; private set; } public bool DriveLightOn { get; private set; } @@ -394,102 +421,173 @@ namespace BizHawk.Emulation.Cores.Sony.PSX void SetInput() { - uint buttons = 0; + var fioCfg = _SyncSettings.FIOConfig.ToLogical(); - if (_SyncSettings.Controllers[0].IsConnected) + int portNum = 0x01; + foreach (int slot in new[] { 0, 4 }) { - //dualshock style - if (Controller["P1 Select"]) buttons |= 1; - if (Controller["P1 L3"]) buttons |= 2; - if (Controller["P1 R3"]) buttons |= 4; - if (Controller["P1 Start"]) buttons |= 8; - if (Controller["P1 Up"]) buttons |= 16; - if (Controller["P1 Right"]) buttons |= 32; - if (Controller["P1 Down"]) buttons |= 64; - if (Controller["P1 Left"]) buttons |= 128; - if (Controller["P1 L2"]) buttons |= 256; - if (Controller["P1 R2"]) buttons |= 512; - if (Controller["P1 L1"]) buttons |= 1024; - if (Controller["P1 R1"]) buttons |= 2048; - if (Controller["P1 Triangle"]) buttons |= 4096; - if (Controller["P1 Circle"]) buttons |= 8192; - if (Controller["P1 Cross"]) buttons |= 16384; - if (Controller["P1 Square"]) buttons |= 32768; - if (Controller["P1 MODE"]) buttons |= 65536; + //no input to set + if (fioCfg.Devices8[slot] == OctoshockDll.ePeripheralType.None) + continue; - byte left_x = (byte)Controller.GetFloat("P1 LStick X"); - byte left_y = (byte)Controller.GetFloat("P1 LStick Y"); - byte right_x = (byte)Controller.GetFloat("P1 RStick X"); - byte right_y = (byte)Controller.GetFloat("P1 RStick Y"); + uint buttons = 0; + string pstring = "P" + fioCfg.PlayerAssignments[slot] + " "; - OctoshockDll.shock_Peripheral_SetPadInput(psx, 0x01, buttons, left_x, left_y, right_x, right_y); + if (Controller[pstring + "Select"]) buttons |= 1; + if (Controller[pstring + "Start"]) buttons |= 8; + if (Controller[pstring + "Up"]) buttons |= 16; + if (Controller[pstring + "Right"]) buttons |= 32; + if (Controller[pstring + "Down"]) buttons |= 64; + if (Controller[pstring + "Left"]) buttons |= 128; + if (Controller[pstring + "L2"]) buttons |= 256; + if (Controller[pstring + "R2"]) buttons |= 512; + if (Controller[pstring + "L1"]) buttons |= 1024; + if (Controller[pstring + "R1"]) buttons |= 2048; + if (Controller[pstring + "Triangle"]) buttons |= 4096; + if (Controller[pstring + "Circle"]) buttons |= 8192; + if (Controller[pstring + "Cross"]) buttons |= 16384; + if (Controller[pstring + "Square"]) buttons |= 32768; + + byte left_x = 0, left_y = 0, right_x = 0, right_y = 0; + if (fioCfg.Devices8[slot] == OctoshockDll.ePeripheralType.DualShock || fioCfg.Devices8[slot] == OctoshockDll.ePeripheralType.DualAnalog) + { + if (Controller[pstring + "L3"]) buttons |= 2; + if (Controller[pstring + "R3"]) buttons |= 4; + if (Controller[pstring + "MODE"]) buttons |= 65536; + + left_x = (byte)Controller.GetFloat(pstring + "LStick X"); + left_y = (byte)Controller.GetFloat(pstring + "LStick Y"); + right_x = (byte)Controller.GetFloat(pstring + "RStick X"); + right_y = (byte)Controller.GetFloat(pstring + "RStick Y"); + } + + OctoshockDll.shock_Peripheral_SetPadInput(psx, portNum, buttons, left_x, left_y, right_x, right_y); + portNum <<= 1; } + } - if (_SyncSettings.Controllers[1].IsConnected) - { - //dualshock style - buttons = 0; - if (Controller["P2 Select"]) buttons |= 1; - if (Controller["P2 L3"]) buttons |= 2; - if (Controller["P2 R3"]) buttons |= 4; - if (Controller["P2 Start"]) buttons |= 8; - if (Controller["P2 Up"]) buttons |= 16; - if (Controller["P2 Right"]) buttons |= 32; - if (Controller["P2 Down"]) buttons |= 64; - if (Controller["P2 Left"]) buttons |= 128; - if (Controller["P2 L2"]) buttons |= 256; - if (Controller["P2 R2"]) buttons |= 512; - if (Controller["P2 L1"]) buttons |= 1024; - if (Controller["P2 R1"]) buttons |= 2048; - if (Controller["P2 Triangle"]) buttons |= 4096; - if (Controller["P2 Circle"]) buttons |= 8192; - if (Controller["P2 Cross"]) buttons |= 16384; - if (Controller["P2 Square"]) buttons |= 32768; - if (Controller["P2 MODE"]) buttons |= 65536; - - byte left_x = (byte)Controller.GetFloat("P2 LStick X"); - byte left_y = (byte)Controller.GetFloat("P2 LStick Y"); - byte right_x = (byte)Controller.GetFloat("P2 RStick X"); - byte right_y = (byte)Controller.GetFloat("P2 RStick Y"); - - OctoshockDll.shock_Peripheral_SetPadInput(psx, 0x02, buttons, left_x, left_y, right_x, right_y); - } + public class ResolutionInfo + { + public System.Drawing.Size Resolution, Padding; + public System.Drawing.Size Total { get { return System.Drawing.Size.Add(Resolution, Padding); } } } /// /// Calculates what the output resolution would be for the given input resolution and settings /// - public static System.Drawing.Size CalculateResolution(OctoshockDll.eVidStandard standard, Settings settings, int w, int h) + public static ResolutionInfo CalculateResolution(OctoshockDll.eVidStandard standard, Settings settings, int w, int h) { - int virtual_width = settings.ClipHorizontalOverscan ? 768 : 800; + ResolutionInfo ret = new ResolutionInfo(); + + //some of this logic is duplicated in the c++ side, be sure to check there + //TODO - scanline control + framebuffer mode is majorly broken + + int virtual_width = 800; + if (settings.HorizontalClipping == eHorizontalClipping.Basic) virtual_width = 768; + if (settings.HorizontalClipping == eHorizontalClipping.Framebuffer) virtual_width = 736; int scanline_start = standard == OctoshockDll.eVidStandard.NTSC ? settings.ScanlineStart_NTSC : settings.ScanlineStart_PAL; int scanline_end = standard == OctoshockDll.eVidStandard.NTSC ? settings.ScanlineEnd_NTSC : settings.ScanlineEnd_PAL; int scanline_num = scanline_end - scanline_start + 1; + //int scanline_num = h; // I wanted to do this, but our logic for mednafen modes here is based on un-doubled resolution. i could do a hack to divide it by 2 though int real_scanline_num = standard == OctoshockDll.eVidStandard.NTSC ? 240 : 288; int VirtualWidth=-1, VirtualHeight=-1; switch (settings.ResolutionMode) { - case eResolutionMode.Debug: - VirtualWidth = w; - VirtualHeight = h; - break; case eResolutionMode.Mednafen: - VirtualWidth = settings.ClipHorizontalOverscan ? 302 : 320; + + //mednafen uses 320xScanlines as the 1x size + //it does change the 1x width when doing basic clipping. + //and it does easily change the height when doing scanline removal. + //now, our framebuffer cropping mode is more complex... + VirtualWidth = (standard == OctoshockDll.eVidStandard.NTSC) ? 320 : 363; VirtualHeight = scanline_num; + + if (settings.HorizontalClipping == eHorizontalClipping.Basic) + VirtualWidth = (standard == OctoshockDll.eVidStandard.NTSC) ? 302 : 384; + + if (settings.HorizontalClipping == eHorizontalClipping.Framebuffer) + { + //mednafen typically sends us a framebuffer with overscan. 350x240 is a nominal example here. it's squished inward to 320x240 for correct PAR. + //ok: here we have a framebuffer without overscan. 320x240 nominal. So the VirtualWidth of what we got is off by a factor of 109.375% + //so a beginning approach would be this: + //VirtualWidth = (int)(VirtualWidth * 320.0f / 350); + //but that will shrink things which are already annoyingly shrunken. + //therefore, lets do that, but then scale the whole window by the same factor so the width becomes unscaled and now the height is scaled up! + //weird, huh? + VirtualHeight = (int)(VirtualHeight * 350.0f / 320); + + //now unfortunately we may have lost vertical pixels. common in the case of PAL (rendering 256 on a field of 288) + //therefore we'll be stretching way too much vertically here. + //lets add those pixels back with a new hack + if (standard == OctoshockDll.eVidStandard.PAL) + { + if (h > 288) ret.Padding = new System.Drawing.Size(0, 576 - h); + else ret.Padding = new System.Drawing.Size(0, 288 - h); + } + else + { + if (h > 288) ret.Padding = new System.Drawing.Size(0, 480 - h); + else ret.Padding = new System.Drawing.Size(0, 240 - h); + } + } break; + + //384 / 288 = 1.3333333333333333333333333333333 + + case eResolutionMode.TweakedMednafen: + + if (standard == OctoshockDll.eVidStandard.NTSC) + { + //dont make this 430, it's already been turned into 400 from 368+30 and then some fudge factor + VirtualWidth = 400; + VirtualHeight = (int)(scanline_num * 300.0f / 240); + if (settings.HorizontalClipping == eHorizontalClipping.Basic) + VirtualWidth = 378; + } + else + { + //this is a bit tricky. we know we want 400 for the virtualwidth. + VirtualWidth = 400; + if (settings.HorizontalClipping == eHorizontalClipping.Basic) + VirtualWidth = 378; + //I'll be honest, I was just guessing here mostly + //I need the AR to basically work out to be 363/288 (thats what it was in mednafen mode) so... + VirtualHeight = (int)(scanline_num * (400.0f/363*288) / 288); + } + + if (settings.HorizontalClipping == eHorizontalClipping.Framebuffer) + { + //see discussion above + VirtualHeight = (int)(VirtualHeight * 350.0f / 320); + + if (standard == OctoshockDll.eVidStandard.PAL) + { + if (h > 288) ret.Padding = new System.Drawing.Size(0, 576 - h); + else ret.Padding = new System.Drawing.Size(0, 288 - h); + } + else + { + if (h > 288) ret.Padding = new System.Drawing.Size(0, 480 - h); + else ret.Padding = new System.Drawing.Size(0, 240 - h); + } + } + break; + case eResolutionMode.PixelPro: VirtualWidth = virtual_width; VirtualHeight = scanline_num * 2; break; - case eResolutionMode.TweakedMednafen: - VirtualWidth = settings.ClipHorizontalOverscan ? 378 : 400; - VirtualHeight = (int)(scanline_num * 300.0f / real_scanline_num); + + case eResolutionMode.Debug: + VirtualWidth = w; + VirtualHeight = h; break; } - return new System.Drawing.Size(VirtualWidth, VirtualHeight); + ret.Resolution = new System.Drawing.Size(VirtualWidth, VirtualHeight); + return ret; } void PokeDisc() @@ -512,7 +610,7 @@ namespace BizHawk.Emulation.Cores.Sony.PSX //if tray open is requested, and valid, apply it //in the first frame, go ahead and open it up so we have a chance to put a disc in it - if (Controller["Open"] && !CurrentTrayOpen || Frame==0) + if (Controller["Open"] && !CurrentTrayOpen || Frame == 0) { OctoshockDll.shock_OpenTray(psx); CurrentTrayOpen = true; @@ -535,7 +633,7 @@ namespace BizHawk.Emulation.Cores.Sony.PSX CurrentDiscIndexMounted = requestedDisc; } - if (CurrentDiscIndexMounted == 0) + if (CurrentDiscIndexMounted == 0 || discInterfaces.Count == 0) { currentDiscInterface = null; OctoshockDll.shock_SetDisc(psx, IntPtr.Zero); @@ -568,18 +666,29 @@ namespace BizHawk.Emulation.Cores.Sony.PSX //clear drive light. itll get set to light up by sector-reading callbacks //TODO - debounce this by a frame or so perhaps? + //TODO - actually, make this feedback from the core. there should be a register or status which effectively corresponds to whether it's reading. DriveLightOn = false; Frame++; SetInput(); + OctoshockDll.shock_SetLEC(psx, _SyncSettings.EnableLEC); + var ropts = new OctoshockDll.ShockRenderOptions() { scanline_start = SystemVidStandard == OctoshockDll.eVidStandard.NTSC ? _Settings.ScanlineStart_NTSC : _Settings.ScanlineStart_PAL, scanline_end = SystemVidStandard == OctoshockDll.eVidStandard.NTSC ? _Settings.ScanlineEnd_NTSC : _Settings.ScanlineEnd_PAL, - clipOverscan = _Settings.ClipHorizontalOverscan }; + if (_Settings.HorizontalClipping == eHorizontalClipping.Basic) + ropts.renderType = OctoshockDll.eShockRenderType.ClipOverscan; + if (_Settings.HorizontalClipping == eHorizontalClipping.Framebuffer) + ropts.renderType = OctoshockDll.eShockRenderType.Framebuffer; + + if (_Settings.DeinterlaceMode == eDeinterlaceMode.Weave) ropts.deinterlaceMode = OctoshockDll.eShockDeinterlaceMode.Weave; + if (_Settings.DeinterlaceMode == eDeinterlaceMode.Bob) ropts.deinterlaceMode = OctoshockDll.eShockDeinterlaceMode.Bob; + if (_Settings.DeinterlaceMode == eDeinterlaceMode.BobOffset) ropts.deinterlaceMode = OctoshockDll.eShockDeinterlaceMode.BobOffset; + OctoshockDll.shock_SetRenderOptions(psx, ref ropts); //prep tracer @@ -624,9 +733,10 @@ namespace BizHawk.Emulation.Cores.Sony.PSX BufferWidth = w; BufferHeight = h; - var size = CalculateResolution(this.SystemVidStandard, _Settings, w, h); - VirtualWidth = size.Width; - VirtualHeight = size.Height; + var ri = CalculateResolution(this.SystemVidStandard, _Settings, w, h); + VirtualWidth = ri.Resolution.Width; + VirtualHeight = ri.Resolution.Height; + VideoProvider_Padding = ri.Padding; int len = w * h; if (frameBuffer.Length != len) @@ -665,6 +775,7 @@ namespace BizHawk.Emulation.Cores.Sony.PSX public int BufferWidth { get; private set; } public int BufferHeight { get; private set; } public int BackgroundColor { get { return 0; } } + public System.Drawing.Size VideoProvider_Padding { get; private set; } #region Debugging @@ -728,25 +839,42 @@ namespace BizHawk.Emulation.Cores.Sony.PSX public byte[] CloneSaveRam() { - var buf = new byte[128 * 1024]; - fixed (byte* pbuf = buf) + var cfg = _SyncSettings.FIOConfig.ToLogical(); + int nMemcards = cfg.NumMemcards; + var buf = new byte[128 * 1024 * nMemcards]; + for (int i = 0, idx = 0, addr=0x01; i < 2; i++, addr<<=1) { - var transaction = new OctoshockDll.ShockMemcardTransaction(); - transaction.buffer128k = pbuf; - transaction.transaction = OctoshockDll.eShockMemcardTransaction.Read; - OctoshockDll.shock_Peripheral_MemcardTransact(psx, 0x01, ref transaction); + if (cfg.Memcards[i]) + { + fixed (byte* pbuf = buf) + { + var transaction = new OctoshockDll.ShockMemcardTransaction(); + transaction.buffer128k = pbuf + idx * 128 * 1024; + transaction.transaction = OctoshockDll.eShockMemcardTransaction.Read; + OctoshockDll.shock_Peripheral_MemcardTransact(psx, addr, ref transaction); + idx++; + } + } } return buf; } public void StoreSaveRam(byte[] data) { - fixed (byte* pbuf = data) + var cfg = _SyncSettings.FIOConfig.ToLogical(); + for (int i = 0, idx = 0, addr = 0x01; i < 2; i++, addr <<= 1) { - var transaction = new OctoshockDll.ShockMemcardTransaction(); - transaction.buffer128k = pbuf; - transaction.transaction = OctoshockDll.eShockMemcardTransaction.Write; - OctoshockDll.shock_Peripheral_MemcardTransact(psx, 0x01, ref transaction); + if (cfg.Memcards[i]) + { + fixed (byte* pbuf = data) + { + var transaction = new OctoshockDll.ShockMemcardTransaction(); + transaction.buffer128k = pbuf + idx * 128 * 1024; + transaction.transaction = OctoshockDll.eShockMemcardTransaction.Write; + OctoshockDll.shock_Peripheral_MemcardTransact(psx, addr, ref transaction); + idx++; + } + } } } @@ -754,9 +882,20 @@ namespace BizHawk.Emulation.Cores.Sony.PSX { get { - var transaction = new OctoshockDll.ShockMemcardTransaction(); - transaction.transaction = OctoshockDll.eShockMemcardTransaction.CheckDirty; - return OctoshockDll.shock_Peripheral_MemcardTransact(psx, 0x01, ref transaction) == OctoshockDll.SHOCK_TRUE; + var cfg = _SyncSettings.FIOConfig.ToLogical(); + for (int i = 0, addr = 0x01; i < 2; i++, addr <<= 1) + { + if (cfg.Memcards[i]) + { + var transaction = new OctoshockDll.ShockMemcardTransaction(); + transaction.transaction = OctoshockDll.eShockMemcardTransaction.CheckDirty; + OctoshockDll.shock_Peripheral_MemcardTransact(psx, addr, ref transaction); + if (OctoshockDll.shock_Peripheral_MemcardTransact(psx, addr, ref transaction) == OctoshockDll.SHOCK_TRUE) + return true; + } + } + + return false; } } @@ -832,7 +971,7 @@ namespace BizHawk.Emulation.Cores.Sony.PSX transaction.transaction = OctoshockDll.eShockStateTransaction.BinarySize; int size = OctoshockDll.shock_StateTransaction(psx, ref transaction); savebuff = new byte[size]; - savebuff2 = new byte[savebuff.Length + 4+ 4+4+1+1+4]; + savebuff2 = new byte[savebuff.Length + 4 + 4 + 4 + 1 + 1 + 4]; } public void SaveStateBinary(BinaryWriter writer) @@ -925,47 +1064,37 @@ namespace BizHawk.Emulation.Cores.Sony.PSX { public SyncSettings Clone() { - var ret = (SyncSettings)MemberwiseClone(); - ret.Controllers = Controllers.Select(x => x.Clone()).ToArray(); - - return ret; + return JsonConvert.DeserializeObject(JsonConvert.SerializeObject(this)); } - public ControllerSetting[] Controllers = + public bool EnableLEC; + + public SyncSettings() { - new ControllerSetting - { - IsConnected = true, - Type = ControllerSetting.ControllerType.DualShock - }, - new ControllerSetting - { - IsConnected = false, - Type = ControllerSetting.ControllerType.DualShock - } - }; + //initialize with historical default settings + var user = new OctoshockFIOConfigUser(); + user.Memcards[0] = user.Memcards[1] = true; + user.Multitaps[0] = user.Multitaps[0] = false; + user.Devices8[0] = OctoshockDll.ePeripheralType.DualShock; + user.Devices8[4] = OctoshockDll.ePeripheralType.DualShock; + FIOConfig = user; + } + + public OctoshockFIOConfigUser FIOConfig; } - public class ControllerSetting + public enum eHorizontalClipping { - public ControllerSetting Clone() - { - return (ControllerSetting)this.MemberwiseClone(); - } + None, + Basic, + Framebuffer + } - public bool IsConnected { get; set; } - public ControllerType Type { get; set; } - - public enum ControllerType - { - Gamepad, - - [Description("Dual Analog")] - DualAnalog, - - [Description("Dual Shock")] - DualShock - } + public enum eDeinterlaceMode + { + Weave, + Bob, + BobOffset } public class Settings @@ -975,6 +1104,10 @@ namespace BizHawk.Emulation.Cores.Sony.PSX [DefaultValue(eResolutionMode.PixelPro)] public eResolutionMode ResolutionMode { get; set; } + [DisplayName("Horizontal Clipping")] + [DefaultValue(eHorizontalClipping.None)] + public eHorizontalClipping HorizontalClipping { get; set; } + [DisplayName("ScanlineStart_NTSC")] [DefaultValue(0)] public int ScanlineStart_NTSC { get; set; } @@ -991,9 +1124,9 @@ namespace BizHawk.Emulation.Cores.Sony.PSX [DefaultValue(287)] public int ScanlineEnd_PAL { get; set; } - [DisplayName("Clip Horizontal Overscan")] - [DefaultValue(false)] - public bool ClipHorizontalOverscan { get; set; } + [DisplayName("DeinterlaceMode")] + [DefaultValue(eDeinterlaceMode.Weave)] + public eDeinterlaceMode DeinterlaceMode { get; set; } public void Validate() { @@ -1001,7 +1134,7 @@ namespace BizHawk.Emulation.Cores.Sony.PSX if (ScanlineStart_PAL < 0) ScanlineStart_PAL = 0; if (ScanlineEnd_NTSC > 239) ScanlineEnd_NTSC = 239; if (ScanlineEnd_PAL > 287) ScanlineEnd_PAL = 287; - + //make sure theyre not in the wrong order if (ScanlineEnd_NTSC < ScanlineStart_NTSC) { @@ -1042,17 +1175,25 @@ namespace BizHawk.Emulation.Cores.Sony.PSX { _Settings.Validate(); _Settings = o; - //TODO - //var native = _Settings.GetNativeSettings(); - //BizSwan.bizswan_putsettings(Core, ref native); + + //TODO - store settings into core? or we can just keep doing it before frameadvance + return false; } public bool PutSyncSettings(SyncSettings o) { - var ret = !DeepEquality.DeepEquals(_SyncSettings, o); + //currently LEC and pad settings changes both require reboot + bool reboot = true; + + //we could do it this way roughly if we need to + //if(JsonConvert.SerializeObject(o.FIOConfig) != JsonConvert.SerializeObject(_SyncSettings.FIOConfig) + + _SyncSettings = o; - return ret; + + + return reboot; } #endregion @@ -1138,7 +1279,6 @@ namespace BizHawk.Emulation.Cores.Sony.PSX return OctoshockDll.SHOCK_OK; } - [FeatureNotImplemented] public IMemoryCallbackSystem MemoryCallbacks { get { throw new NotImplementedException(); } } public bool CanStep(StepType type) { return false; } diff --git a/BizHawk.Emulation.Cores/Consoles/Sony/PSX/OctoshockDll.cs b/BizHawk.Emulation.Cores/Consoles/Sony/PSX/OctoshockDll.cs index d9ea87a8c9..ddecc7141a 100644 --- a/BizHawk.Emulation.Cores/Consoles/Sony/PSX/OctoshockDll.cs +++ b/BizHawk.Emulation.Cores/Consoles/Sony/PSX/OctoshockDll.cs @@ -77,6 +77,25 @@ namespace BizHawk.Emulation.Cores.Sony.PSX Multitap = 10, }; + /// + /// this is implemented as an overall render type instead of a horizontal clip control + /// in case the Framebuffer render type ever develops any differences in its Y-handling. + /// At that time, we might need to change the GUI to separate the vertical and horizontal components, or something like that + /// + public enum eShockRenderType : int + { + Normal, + ClipOverscan, + Framebuffer + }; + + public enum eShockDeinterlaceMode : int + { + Weave, + Bob, + BobOffset + } + public const int SHOCK_OK = 0; public const int SHOCK_FALSE = 0; public const int SHOCK_TRUE = 1; @@ -121,7 +140,9 @@ namespace BizHawk.Emulation.Cores.Sony.PSX public struct ShockRenderOptions { public int scanline_start, scanline_end; - public bool clipOverscan; + public eShockRenderType renderType; + public eShockDeinterlaceMode deinterlaceMode; + public bool skip; }; [StructLayout(LayoutKind.Sequential)] @@ -197,7 +218,7 @@ namespace BizHawk.Emulation.Cores.Sony.PSX public static extern int shock_Peripheral_PollActive(IntPtr psx, int address, bool clear); [DllImport(dd, CallingConvention = cc)] - public static extern int shock_MountEXE(IntPtr psx, void* exebuf, int size); + public static extern int shock_MountEXE(IntPtr psx, void* exebuf, int size, bool ignore_pcsp); [DllImport(dd, CallingConvention = cc)] public static extern int shock_PowerOn(IntPtr psx); @@ -251,5 +272,8 @@ namespace BizHawk.Emulation.Cores.Sony.PSX [DllImport(dd, CallingConvention = cc)] public static extern int shock_SetTraceCallback(IntPtr psx, IntPtr opaque, ShockTraceCallback callback); + + [DllImport(dd, CallingConvention = cc)] + public static extern int shock_SetLEC(IntPtr psx, bool enable); } } \ No newline at end of file diff --git a/BizHawk.Emulation.Cores/Consoles/Sony/PSX/OctoshockFIOConfig.cs b/BizHawk.Emulation.Cores/Consoles/Sony/PSX/OctoshockFIOConfig.cs new file mode 100644 index 0000000000..c4e0845434 --- /dev/null +++ b/BizHawk.Emulation.Cores/Consoles/Sony/PSX/OctoshockFIOConfig.cs @@ -0,0 +1,85 @@ +using System; +using System.Collections.Generic; + +namespace BizHawk.Emulation.Cores.Sony.PSX +{ + /// + /// Represents a user's view of what equipment is plugged into the PSX FIO + /// + public class OctoshockFIOConfigUser + { + public bool[] Multitaps = new bool[2]; + public bool[] Memcards = new bool[2]; + public OctoshockDll.ePeripheralType[] Devices8 = new OctoshockDll.ePeripheralType[8]; + + public OctoshockFIOConfigLogical ToLogical() + { + var lc = new OctoshockFIOConfigLogical(); + lc.PopulateFrom(this); + return lc; + } + } + + /// + /// Represents a baked-down view of what's plugged into the PSX FIO. + /// But really, users are interested in it too (its what produces the player number assignments) + /// + public class OctoshockFIOConfigLogical + { + public bool[] Multitaps; + public bool[] Memcards; + public OctoshockDll.ePeripheralType[] Devices8; + + /// + /// Total number of players defined + /// + public int NumPlayers; + + /// + /// The player number on each of the input slots + /// + public int[] PlayerAssignments = new int[8]; + + /// + /// The device type associated with each player + /// + public OctoshockDll.ePeripheralType[] DevicesPlayer = new OctoshockDll.ePeripheralType[8]; + + /// + /// Total number of connected memcards + /// + public int NumMemcards { get { return (Memcards[0] ? 1 : 0) + (Memcards[1] ? 1 : 0); } } + + internal void PopulateFrom(OctoshockFIOConfigUser userConfig) + { + Multitaps = (bool[])userConfig.Multitaps.Clone(); + Memcards = (bool[])userConfig.Memcards.Clone(); + Devices8 = (OctoshockDll.ePeripheralType[])userConfig.Devices8.Clone(); + + int id = 1; + + if (userConfig.Devices8[0] == OctoshockDll.ePeripheralType.None) PlayerAssignments[0] = -1; else PlayerAssignments[0] = id++; + if (userConfig.Devices8[1] == OctoshockDll.ePeripheralType.None || !userConfig.Multitaps[0]) PlayerAssignments[1] = -1; else PlayerAssignments[1] = id++; + if (userConfig.Devices8[2] == OctoshockDll.ePeripheralType.None || !userConfig.Multitaps[0]) PlayerAssignments[2] = -1; else PlayerAssignments[2] = id++; + if (userConfig.Devices8[3] == OctoshockDll.ePeripheralType.None || !userConfig.Multitaps[0]) PlayerAssignments[3] = -1; else PlayerAssignments[3] = id++; + + if (userConfig.Devices8[4] == OctoshockDll.ePeripheralType.None) PlayerAssignments[4] = -1; else PlayerAssignments[4] = id++; + if (userConfig.Devices8[5] == OctoshockDll.ePeripheralType.None || !userConfig.Multitaps[1]) PlayerAssignments[5] = -1; else PlayerAssignments[5] = id++; + if (userConfig.Devices8[6] == OctoshockDll.ePeripheralType.None || !userConfig.Multitaps[1]) PlayerAssignments[6] = -1; else PlayerAssignments[6] = id++; + if (userConfig.Devices8[7] == OctoshockDll.ePeripheralType.None || !userConfig.Multitaps[1]) PlayerAssignments[7] = -1; else PlayerAssignments[7] = id++; + + NumPlayers = id - 1; + + for (int i = 0; i < 8; i++) + { + int pnum = i+1; + for (int j = 0; j < 8; j++) + { + if(PlayerAssignments[j] == pnum) + DevicesPlayer[i] = userConfig.Devices8[j]; + } + } + } + } + +} \ No newline at end of file diff --git a/BizHawk.Emulation.Cores/Consoles/Sony/PSX/PSF.cs b/BizHawk.Emulation.Cores/Consoles/Sony/PSX/PSF.cs new file mode 100644 index 0000000000..8670f92c13 --- /dev/null +++ b/BizHawk.Emulation.Cores/Consoles/Sony/PSX/PSF.cs @@ -0,0 +1,76 @@ +using System; +using System.IO; +using System.Collections.Generic; + +using BizHawk.Common.IOExtensions; + +namespace BizHawk.Emulation.Cores.Sony.PSX +{ + public class PSF + { + public Dictionary TagsDictionary = new Dictionary(); + public List LooseTags = new List(); + + public byte[] Data; + public byte[] LibData; + + public bool Load(string fpPSF, Func cbDeflater) + { + using(var fs = File.OpenRead(fpPSF)) + { + //not endian safe + var br = new BinaryReader(fs); + var sig = br.ReadStringFixedAscii(4); + if (sig != "PSF\x1") + return false; + + int reserved_size = br.ReadInt32(); + int compressed_size = br.ReadInt32(); + int compressed_crc32 = br.ReadInt32(); + + //load tags + //tags run until the end of the file + fs.Position = 16 + reserved_size + compressed_size; + if (fs.Position + 5 > fs.Length) + { + //theres no space for tags, probably just no tags in the file + } + else + { + if (br.ReadStringFixedAscii(5) == "[TAG]") + { + var tagstring = br.ReadStringFixedAscii((int)(fs.Length - fs.Position)).Replace("\r\n", "\n"); + foreach (var tag in tagstring.Split('\n', '\x0')) + { + if (tag.Trim() == "") + continue; + int eq = tag.IndexOf('='); + if (eq != -1) + TagsDictionary[tag.Substring(0, eq)] = tag.Substring(eq + 1); + else + LooseTags.Add(tag); + } + } + } + + //load compressed section buffer + fs.Position = 16 + reserved_size; + Data = cbDeflater(fs, compressed_size); + + //load lib if needed + if (TagsDictionary.ContainsKey("_lib")) + { + var fpLib = Path.Combine(Path.GetDirectoryName(fpPSF), TagsDictionary["_lib"]); + if (!File.Exists(fpLib)) + return false; + PSF lib = new PSF(); + if (!lib.Load(fpLib,cbDeflater)) + return false; + LibData = lib.Data; + } + } + + return true; + } + } +} diff --git a/BizHawk.Emulation.Cores/Consoles/WonderSwan/WonderSwan.cs b/BizHawk.Emulation.Cores/Consoles/WonderSwan/WonderSwan.cs index 4b38c76a7b..5d77013af8 100644 --- a/BizHawk.Emulation.Cores/Consoles/WonderSwan/WonderSwan.cs +++ b/BizHawk.Emulation.Cores/Consoles/WonderSwan/WonderSwan.cs @@ -11,7 +11,7 @@ using System.Runtime.InteropServices; namespace BizHawk.Emulation.Cores.WonderSwan { [CoreAttributes("Cygne/Mednafen", "Dox", true, true, "0.9.36.5", "http://mednafen.sourceforge.net/")] - [ServiceNotApplicable(typeof(IDriveLight))] + [ServiceNotApplicable(typeof(IDriveLight), typeof(IRegionable))] public partial class WonderSwan : IEmulator, IVideoProvider, ISyncSoundProvider, IInputPollable, IDebuggable { diff --git a/BizHawk.Emulation.Cores/FileID.cs b/BizHawk.Emulation.Cores/FileID.cs index 3367a04906..edc5252484 100644 --- a/BizHawk.Emulation.Cores/FileID.cs +++ b/BizHawk.Emulation.Cores/FileID.cs @@ -280,6 +280,7 @@ namespace BizHawk.Emulation.Cores public static SimpleMagicRecord PSX = new SimpleMagicRecord { Offset = 0x24E0, Key = " Licensed by Sony Computer Entertainment" }; //there might be other ideas for checking in mednafen sources, if we need them public static SimpleMagicRecord PSX_EXE = new SimpleMagicRecord { Key = "PS-X EXE\0" }; public static SimpleMagicRecord PSP = new SimpleMagicRecord { Offset = 0x8000, Key = "\x01CD001\x01\0x00PSP GAME" }; + public static SimpleMagicRecord PSF = new SimpleMagicRecord { Offset = 0, Key = "PSF\x1" }; //https://sites.google.com/site/atari7800wiki/a78-header public static SimpleMagicRecord A78 = new SimpleMagicRecord { Offset = 0, Key = "\x01ATARI7800" }; @@ -348,7 +349,7 @@ namespace BizHawk.Emulation.Cores { "GEN", new ExtensionInfo(FileIDType.SMD, null ) }, //nothing yet... - { "PSF", new ExtensionInfo(FileIDType.PSF, null) }, + { "PSF", new ExtensionInfo(FileIDType.PSF, (j)=>Test_Simple(j,FileIDType.PSF,SimpleMagics.PSF) ) }, { "INT", new ExtensionInfo(FileIDType.INT, null) }, { "SFC", new ExtensionInfo(FileIDType.SFC, null) }, { "SMC", new ExtensionInfo(FileIDType.SFC, null) }, diff --git a/BizHawk.Emulation.DiscSystem/DiscDecoding.cs b/BizHawk.Emulation.DiscSystem/DiscDecoding.cs index 9dee2b9fcb..0bb82900e3 100644 --- a/BizHawk.Emulation.DiscSystem/DiscDecoding.cs +++ b/BizHawk.Emulation.DiscSystem/DiscDecoding.cs @@ -28,7 +28,7 @@ namespace BizHawk.Emulation.DiscSystem public AudioQueryResult QueryAudio(string path) { var ret = new AudioQueryResult(); - string stdout = Run("-i", path); + string stdout = Run("-i", path).Text; ret.IsAudio = rxHasAudio.Matches(stdout).Count > 0; return ret; } @@ -40,7 +40,7 @@ namespace BizHawk.Emulation.DiscSystem { try { - string stdout = Run("-version"); + string stdout = Run("-version").Text; if (stdout.Contains("ffmpeg version")) return true; } catch @@ -49,7 +49,13 @@ namespace BizHawk.Emulation.DiscSystem return false; } - public string Run(params string[] args) + public struct RunResults + { + public string Text; + public int ExitCode; + } + + public RunResults Run(params string[] args) { args = Escape(args); StringBuilder sbCmdline = new StringBuilder(); @@ -72,7 +78,11 @@ namespace BizHawk.Emulation.DiscSystem result += proc.StandardError.ReadToEnd(); proc.WaitForExit(); - return result; + return new RunResults + { + ExitCode = proc.ExitCode, + Text = result + }; } public byte[] DecodeAudio(string path) @@ -80,10 +90,12 @@ namespace BizHawk.Emulation.DiscSystem string tempfile = Path.GetTempFileName(); try { - string runResults = Run("-i", path, "-f", "wav", "-ar", "44100", "-ac", "2", "-acodec", "pcm_s16le", "-y", tempfile); + var runResults = Run("-i", path, "-xerror", "-f", "wav", "-ar", "44100", "-ac", "2", "-acodec", "pcm_s16le", "-y", tempfile); + if(runResults.ExitCode != 0) + throw new InvalidOperationException("Failure running ffmpeg for audio decode. here was its output:\r\n" + runResults.Text); byte[] ret = File.ReadAllBytes(tempfile); if (ret.Length == 0) - throw new InvalidOperationException("Failure running ffmpeg for audio decode. here was its output:\r\n" + runResults); + throw new InvalidOperationException("Failure running ffmpeg for audio decode. here was its output:\r\n" + runResults.Text); return ret; } finally diff --git a/BizHawk.Emulation.DiscSystem/DiscFormats/CCD_format.cs b/BizHawk.Emulation.DiscSystem/DiscFormats/CCD_format.cs index 49e78d68bb..49d85b95a3 100644 --- a/BizHawk.Emulation.DiscSystem/DiscFormats/CCD_format.cs +++ b/BizHawk.Emulation.DiscSystem/DiscFormats/CCD_format.cs @@ -326,7 +326,6 @@ namespace BizHawk.Emulation.DiscSystem public string ImgPath; public string SubPath; public string CcdPath; - public int NumImgSectors; } public static LoadResults LoadCCDPath(string path) @@ -337,17 +336,8 @@ namespace BizHawk.Emulation.DiscSystem ret.SubPath = Path.ChangeExtension(path, ".sub"); try { - if(!File.Exists(path)) throw new CCDParseException("Malformed CCD format: nonexistent CCD file!"); - if (!File.Exists(ret.ImgPath)) throw new CCDParseException("Malformed CCD format: nonexistent IMG file!"); - if (!File.Exists(ret.SubPath)) throw new CCDParseException("Malformed CCD format: nonexistent SUB file!"); + if (!File.Exists(path)) throw new CCDParseException("Malformed CCD format: nonexistent CCD file!"); - //quick check of .img and .sub sizes - long imgLen = new FileInfo(ret.ImgPath).Length; - long subLen = new FileInfo(ret.SubPath).Length; - if(imgLen % 2352 != 0) throw new CCDParseException("Malformed CCD format: IMG file length not multiple of 2352"); - ret.NumImgSectors = (int)(imgLen / 2352); - if (subLen != ret.NumImgSectors * 96) throw new CCDParseException("Malformed CCD format: SUB file length not matching IMG"); - CCDFile ccdf; using (var infCCD = new FileStream(path, FileMode.Open, FileAccess.Read, FileShare.Read)) ccdf = new CCD_Format().ParseFrom(infCCD); @@ -403,12 +393,12 @@ namespace BizHawk.Emulation.DiscSystem sw.WriteLine("AMin={0}", entry.QData.min.DecimalValue); sw.WriteLine("ASec={0}", entry.QData.sec.DecimalValue); sw.WriteLine("AFrame={0}", entry.QData.frame.DecimalValue); - sw.WriteLine("ALBA={0}", entry.QData.Timestamp.Sector - 150); //remember to adapt the absolute MSF to an LBA (this field is redundant...) + sw.WriteLine("ALBA={0}", entry.QData.Timestamp - 150); //remember to adapt the absolute MSF to an LBA (this field is redundant...) sw.WriteLine("Zero={0}", entry.QData.zero); sw.WriteLine("PMin={0}", entry.QData.ap_min.DecimalValue); sw.WriteLine("PSec={0}", entry.QData.ap_sec.DecimalValue); sw.WriteLine("PFrame={0}", entry.QData.ap_frame.DecimalValue); - sw.WriteLine("PLBA={0}", entry.QData.AP_Timestamp.Sector - 150); //remember to adapt the absolute MSF to an LBA (this field is redundant...) + sw.WriteLine("PLBA={0}", entry.QData.AP_Timestamp - 150); //remember to adapt the absolute MSF to an LBA (this field is redundant...) sw.WriteLine(); } @@ -454,9 +444,9 @@ namespace BizHawk.Emulation.DiscSystem { public void Synth(SectorSynthJob job) { - //CCD is always containing everything we'd need (unless a .sub is missing?) so don't about flags - var imgBlob = job.Disc.DisposableResources[0] as Disc.Blob_RawFile; - var subBlob = job.Disc.DisposableResources[1] as Disc.Blob_RawFile; + //CCD is always containing everything we'd need (unless a .sub is missing?) so don't worry about flags + var imgBlob = job.Disc.DisposableResources[0] as IBlob; + var subBlob = job.Disc.DisposableResources[1] as IBlob; //Read_2442(job.LBA, job.DestBuffer2448, job.DestOffset); //read the IMG data if needed @@ -493,12 +483,48 @@ namespace BizHawk.Emulation.DiscSystem Disc disc = new Disc(); - //mount the IMG and SUB files - var ccdf = loadResults.ParsedCCDFile; - var imgBlob = new Disc.Blob_RawFile() { PhysicalPath = loadResults.ImgPath }; - var subBlob = new Disc.Blob_RawFile() { PhysicalPath = loadResults.SubPath }; + IBlob imgBlob = null, subBlob = null; + long imgLen = -1, subLen; + + //mount the IMG file + //first check for a .ecm in place of the img + var imgPath = loadResults.ImgPath; + if (!File.Exists(imgPath)) + { + var ecmPath = Path.ChangeExtension(imgPath, ".img.ecm"); + if (File.Exists(ecmPath)) + { + if (Disc.Blob_ECM.IsECM(ecmPath)) + { + var ecm = new Disc.Blob_ECM(); + ecm.Load(ecmPath); + imgBlob = ecm; + imgLen = ecm.Length; + } + } + } + if (imgBlob == null) + { + if (!File.Exists(loadResults.ImgPath)) throw new CCDParseException("Malformed CCD format: nonexistent IMG file!"); + var imgFile = new Disc.Blob_RawFile() { PhysicalPath = loadResults.ImgPath }; + imgLen = imgFile.Length; + imgBlob = imgFile; + } disc.DisposableResources.Add(imgBlob); + + //mount the SUB file + if (!File.Exists(loadResults.SubPath)) throw new CCDParseException("Malformed CCD format: nonexistent SUB file!"); + var subFile = new Disc.Blob_RawFile() { PhysicalPath = loadResults.SubPath }; + subBlob = subFile; disc.DisposableResources.Add(subBlob); + subLen = subFile.Length; + + //quick integrity check of file sizes + if (imgLen % 2352 != 0) throw new CCDParseException("Malformed CCD format: IMG file length not multiple of 2352"); + int NumImgSectors = (int)(imgLen / 2352); + if (subLen != NumImgSectors * 96) throw new CCDParseException("Malformed CCD format: SUB file length not matching IMG"); + + var ccdf = loadResults.ParsedCCDFile; //the only instance of a sector synthesizer we'll need SS_CCD synth = new SS_CCD(); @@ -534,7 +560,7 @@ namespace BizHawk.Emulation.DiscSystem ap_min = BCD2.FromDecimal(entry.PMin), ap_sec = BCD2.FromDecimal(entry.PSec), ap_frame = BCD2.FromDecimal(entry.PFrame), - q_crc = 0, //meainingless + q_crc = 0, //meaningless }; disc.RawTOCEntries.Add(new RawTOCEntry { QData = q }); @@ -578,8 +604,8 @@ namespace BizHawk.Emulation.DiscSystem ss_gap.sq.SetStatus(ADR, tocSynth.Result.TOCItems[1].Control); ss_gap.sq.q_tno = BCD2.FromDecimal(1); ss_gap.sq.q_index = BCD2.FromDecimal(0); - ss_gap.sq.AP_Timestamp = new Timestamp(i); - ss_gap.sq.Timestamp = new Timestamp(qRelMSF); + ss_gap.sq.AP_Timestamp = i; + ss_gap.sq.Timestamp = qRelMSF; //setup subP ss_gap.Pause = true; @@ -588,7 +614,7 @@ namespace BizHawk.Emulation.DiscSystem //build the sectors: //set up as many sectors as we have img/sub for, even if the TOC doesnt reference them //(the TOC is unreliable, and the Track records are redundant) - for (int i = 0; i < loadResults.NumImgSectors; i++) + for (int i = 0; i < NumImgSectors; i++) { disc._Sectors.Add(synth); } diff --git a/BizHawk.Emulation.DiscSystem/DiscFormats/CUE/CUE_Compile.cs b/BizHawk.Emulation.DiscSystem/DiscFormats/CUE/CUE_Compile.cs index 993a37d226..53044c6d87 100644 --- a/BizHawk.Emulation.DiscSystem/DiscFormats/CUE/CUE_Compile.cs +++ b/BizHawk.Emulation.DiscSystem/DiscFormats/CUE/CUE_Compile.cs @@ -223,7 +223,9 @@ namespace BizHawk.Emulation.DiscSystem.CUE string choice = null; if (options.Count == 0) { - Error("Couldn't resolve referenced cue file: " + f.Path); + Error(string.Format("Couldn't resolve referenced cue file: {0} ; you can commonly repair the cue file yourself, or a file might be missing", f.Path)); + //add a null entry to keep the count from being wrong later (quiets a warning) + OUT_CompiledCueFiles.Add(null); return; } else @@ -234,6 +236,7 @@ namespace BizHawk.Emulation.DiscSystem.CUE } var cfi = new CompiledCueFile(); + curr_file = cfi; OUT_CompiledCueFiles.Add(cfi); cfi.FullPath = choice; @@ -303,6 +306,7 @@ namespace BizHawk.Emulation.DiscSystem.CUE Error("Cue file doesn't specify any input files!"); //we can't reliably analyze the length of files here, because we might have to be decoding to get lengths (VBR mp3s) + //REMINDER: we could actually scan the mp3 frames in software //So, it's not really worth the trouble. We'll cope with lengths later //we could check the format of the wav file here, though @@ -311,6 +315,8 @@ namespace BizHawk.Emulation.DiscSystem.CUE OUT_LoadTime = 0; foreach (var cfi in OUT_CompiledCueFiles) { + if (cfi == null) + continue; if (cfi.Type == CompiledCueFileType.DecodeAudio) { needsCodec = true; @@ -360,6 +366,13 @@ namespace BizHawk.Emulation.DiscSystem.CUE void OpenTrack(CUE_File.Command.TRACK trackCommand) { + //assert that a file is open + if(curr_file == null) + { + Error("Track command encountered with no active file"); + throw new DiscJobAbortException(); + } + curr_track = new CompiledCueTrack(); //spill cdtext data into this track @@ -477,6 +490,8 @@ namespace BizHawk.Emulation.DiscSystem.CUE CreateTrack1Pregap(); FinalAnalysis(); + + FinishLog(); } //Run() diff --git a/BizHawk.Emulation.DiscSystem/DiscFormats/CUE/CUE_Load.cs b/BizHawk.Emulation.DiscSystem/DiscFormats/CUE/CUE_Load.cs index ca24fbbaf2..eb497a1318 100644 --- a/BizHawk.Emulation.DiscSystem/DiscFormats/CUE/CUE_Load.cs +++ b/BizHawk.Emulation.DiscSystem/DiscFormats/CUE/CUE_Load.cs @@ -162,7 +162,7 @@ namespace BizHawk.Emulation.DiscSystem.CUE toc_sq.min = BCD2.FromDecimal(0); toc_sq.sec = BCD2.FromDecimal(0); toc_sq.frame = BCD2.FromDecimal(0); - toc_sq.AP_Timestamp = new Timestamp(OUT_Disc._Sectors.Count); + toc_sq.AP_Timestamp = OUT_Disc._Sectors.Count; OUT_Disc.RawTOCEntries.Add(new RawTOCEntry { QData = toc_sq }); } @@ -322,8 +322,8 @@ namespace BizHawk.Emulation.DiscSystem.CUE ss.sq.SetStatus(ADR, (EControlQ)(int)qTrack.CompiledCueTrack.Flags); ss.sq.q_tno = BCD2.FromDecimal(cct.Number); ss.sq.q_index = BCD2.FromDecimal(curr_index); - ss.sq.AP_Timestamp = new Timestamp(OUT_Disc._Sectors.Count); - ss.sq.Timestamp = new Timestamp(qRelMSF); + ss.sq.AP_Timestamp = OUT_Disc._Sectors.Count; + ss.sq.Timestamp = qRelMSF; //setup subP if (curr_index == 0) @@ -363,8 +363,8 @@ namespace BizHawk.Emulation.DiscSystem.CUE ss.sq.SetStatus(ADR, (EControlQ)(int)cct.Flags); ss.sq.q_tno = BCD2.FromDecimal(cct.Number); ss.sq.q_index = BCD2.FromDecimal(curr_index); - ss.sq.AP_Timestamp = new Timestamp(OUT_Disc._Sectors.Count); - ss.sq.Timestamp = new Timestamp(relMSF); + ss.sq.AP_Timestamp = OUT_Disc._Sectors.Count; + ss.sq.Timestamp = relMSF; //-subP- //always paused--is this good enough? @@ -383,7 +383,7 @@ namespace BizHawk.Emulation.DiscSystem.CUE IN_FirstRecordedTrackNumber = IN_CompileJob.OUT_CompiledDiscInfo.FirstRecordedTrackNumber, IN_LastRecordedTrackNumber = IN_CompileJob.OUT_CompiledDiscInfo.LastRecordedTrackNumber, IN_Session1Format = IN_CompileJob.OUT_CompiledDiscInfo.SessionFormat, - IN_LeadoutTimestamp = new Timestamp(OUT_Disc._Sectors.Count) //do we need a +150? + IN_LeadoutTimestamp = OUT_Disc._Sectors.Count }; TOCMiscInfo.Run(OUT_Disc.RawTOCEntries); diff --git a/BizHawk.Emulation.DiscSystem/DiscFormats/CUE/CUE_Parse.cs b/BizHawk.Emulation.DiscSystem/DiscFormats/CUE/CUE_Parse.cs index bc517dd8a2..77eded7043 100644 --- a/BizHawk.Emulation.DiscSystem/DiscFormats/CUE/CUE_Parse.cs +++ b/BizHawk.Emulation.DiscSystem/DiscFormats/CUE/CUE_Parse.cs @@ -3,6 +3,7 @@ using System; using System.Linq; using System.Text; +using System.Text.RegularExpressions; using System.IO; using System.Collections.Generic; @@ -27,6 +28,11 @@ namespace BizHawk.Emulation.DiscSystem.CUE /// public CUE_File OUT_CueFile; + /// + /// Indicates whether parsing will be strict or lenient + /// + public bool IN_Strict = false; + class CueLineParser { @@ -141,7 +147,22 @@ namespace BizHawk.Emulation.DiscSystem.CUE var clp = new CueLineParser(line); string key = clp.ReadToken().ToUpperInvariant(); - if (key.StartsWith(";")) + + //remove nonsense at beginning + if (!IN_Strict) + { + while (key.Length > 0) + { + char c = key[0]; + if(c == ';') break; + if ((c >= 'a' && c <= 'z') || (c >= 'A' && c <= 'Z')) break; + key = key.Substring(1); + } + } + + bool startsWithSemicolon = key.StartsWith(";"); + + if (startsWithSemicolon) { clp.EOF = true; OUT_CueFile.Commands.Add(new CUE_File.Command.COMMENT() { Value = line }); @@ -237,9 +258,16 @@ namespace BizHawk.Emulation.DiscSystem.CUE } string str_timestamp = clp.ReadToken(); var ts = new Timestamp(str_timestamp); + if (!ts.Valid && !IN_Strict) + { + //try cleaning it up + str_timestamp = Regex.Replace(str_timestamp, "[^0-9:]", ""); + ts = new Timestamp(str_timestamp); + } if (!ts.Valid) { - job.Error("Invalid INDEX timestamp: " + str_timestamp); + if (IN_Strict) + job.Error("Invalid INDEX timestamp: " + str_timestamp); break; } OUT_CueFile.Commands.Add(new CUE_File.Command.INDEX() { Number = indexnum, Timestamp = ts }); diff --git a/BizHawk.Emulation.DiscSystem/DiscFormats/CUE/CueFileResolver.cs b/BizHawk.Emulation.DiscSystem/DiscFormats/CUE/CueFileResolver.cs index 55727a144d..525fd3d244 100644 --- a/BizHawk.Emulation.DiscSystem/DiscFormats/CUE/CueFileResolver.cs +++ b/BizHawk.Emulation.DiscSystem/DiscFormats/CUE/CueFileResolver.cs @@ -67,7 +67,9 @@ namespace BizHawk.Emulation.DiscSystem.CUE /// /// Performs cue-intelligent logic to acquire a file requested by the cue. /// Returns the resulting full path(s). - /// If there are multiple options, it returns them all + /// If there are multiple options, it returns them all. + /// Returns the requested path first in the list (if it was found) for more simple use. + /// Kind of an unusual design, I know. Consider them sorted by confidence. /// public List Resolve(string path) { @@ -101,6 +103,10 @@ namespace BizHawk.Emulation.DiscSystem.CUE if (ext == ".cue" || ext == ".sbi" || ext == ".ccd" || ext == ".sub") continue; + //continuing the bad plan: forbid archives (always a wrong choice, not supported anyway) + //we should have a list prioritized by extension and score that way + if (ext == ".7z" || ext == ".rar" || ext == ".zip" || ext == ".bz2" || ext == ".gz") + continue; string fragment = Path.GetFileNameWithoutExtension(fi.FullName); //match files with differing extensions @@ -109,8 +115,13 @@ namespace BizHawk.Emulation.DiscSystem.CUE //match files with another extension added on (likely to be mygame.bin.ecm) cmp = string.Compare(fragment, targetFile, !caseSensitive); if (cmp == 0) - results.Add(fi.FileInfo); - + { + //take care to add an exact match at the beginning + if (fi.FullName.ToLowerInvariant() == Path.Combine(baseDir,path).ToLowerInvariant()) + results.Insert(0, fi.FileInfo); + else + results.Add(fi.FileInfo); + } } var ret = new List(); foreach (var fi in results) diff --git a/BizHawk.Emulation.DiscSystem/DiscHasher.cs b/BizHawk.Emulation.DiscSystem/DiscHasher.cs index 2ff470c44f..830061f6dd 100644 --- a/BizHawk.Emulation.DiscSystem/DiscHasher.cs +++ b/BizHawk.Emulation.DiscSystem/DiscHasher.cs @@ -41,7 +41,7 @@ namespace BizHawk.Emulation.DiscSystem //if (disc.TOC.TOCItems[i].Exists) Console.WriteLine("{0:X8} {1:X2} {2:X2} {3:X8}", crc.Current, (int)disc.TOC.TOCItems[i].Control, disc.TOC.TOCItems[i].Exists ? 1 : 0, disc.TOC.TOCItems[i].LBATimestamp.Sector); //a little debugging crc.Add((int)disc.TOC.TOCItems[i].Control); crc.Add(disc.TOC.TOCItems[i].Exists ? 1 : 0); - crc.Add((int)disc.TOC.TOCItems[i].LBATimestamp.Sector); + crc.Add((int)disc.TOC.TOCItems[i].LBA); } //hash first 26 sectors diff --git a/BizHawk.Emulation.DiscSystem/DiscIdentifier.cs b/BizHawk.Emulation.DiscSystem/DiscIdentifier.cs index dad81a20cb..9918b7c470 100644 --- a/BizHawk.Emulation.DiscSystem/DiscIdentifier.cs +++ b/BizHawk.Emulation.DiscSystem/DiscIdentifier.cs @@ -54,6 +54,9 @@ namespace BizHawk.Emulation.DiscSystem { this.disc = disc; dsr = new DiscSectorReader(disc); + + //the first check for mode 0 should be sufficient for blocking attempts to read audio sectors, so dont do this + //dsr.Policy.ThrowExceptions2048 = false; } Disc disc; @@ -66,8 +69,10 @@ namespace BizHawk.Emulation.DiscSystem /// public DiscType DetectDiscType() { - //check track 0. if it's an audio track, further data-track testing is useless - if (dsr.ReadLBA_Mode(0) == 0) return DiscType.AudioDisc; + //check track 1's data type. if it's an audio track, further data-track testing is useless + //furthermore, it's probably senseless (no binary data there to read) + //however a sector could mark itself as audio without actually being.. we'll just wait for that one. + if (dsr.ReadLBA_Mode(disc.TOC.TOCItems[1].LBA) == 0) return DiscType.AudioDisc; //sega doesnt put anything identifying in the cdfs volume info. but its consistent about putting its own header here in sector 0 if (DetectSegaSaturn()) return DiscType.SegaSaturn; @@ -82,15 +87,22 @@ namespace BizHawk.Emulation.DiscSystem //an emulator frontend will likely just guess TurboCD if the disc is UnknownFormat //(we can also have a gameDB!) + var discView = EDiscStreamView.DiscStreamView_Mode1_2048; + if (disc.TOC.Session1Format == SessionFormat.Type20_CDXA) + discView = EDiscStreamView.DiscStreamView_Mode2_Form1_2048; + var iso = new ISOFile(); - bool isIso = iso.Parse(new DiscStream(disc, EDiscStreamView.DiscStreamView_Mode1_2048, 0)); + bool isIso = iso.Parse(new DiscStream(disc, discView, 0)); if (isIso) { var appId = System.Text.Encoding.ASCII.GetString(iso.VolumeDescriptors[0].ApplicationIdentifier).TrimEnd('\0', ' '); - //NOTE: PSX magical drop F (JP SLPS_02337) doesn't have the correct iso PVD fields - //if (appId == "PLAYSTATION") - // return DiscType.SonyPSX; + + //for example: PSX magical drop F (JP SLPS_02337) doesn't have the correct iso PVD fields + //but, some PSX games (junky rips) don't have the 'licensed by string' so we'll hope they get caught here + if (appId == "PLAYSTATION") + return DiscType.SonyPSX; + if(appId == "PSP GAME") return DiscType.SonyPSP; diff --git a/BizHawk.Emulation.DiscSystem/DiscJob.cs b/BizHawk.Emulation.DiscSystem/DiscJob.cs index d96dc5be30..4762673977 100644 --- a/BizHawk.Emulation.DiscSystem/DiscJob.cs +++ b/BizHawk.Emulation.DiscSystem/DiscJob.cs @@ -55,4 +55,8 @@ namespace BizHawk.Emulation.DiscSystem swLog.Write(job.OUT_Log); } } + + class DiscJobAbortException : Exception + { + }; } \ No newline at end of file diff --git a/BizHawk.Emulation.DiscSystem/DiscMountJob.cs b/BizHawk.Emulation.DiscSystem/DiscMountJob.cs index 3d9bf0271e..dab08a7dbf 100644 --- a/BizHawk.Emulation.DiscSystem/DiscMountJob.cs +++ b/BizHawk.Emulation.DiscSystem/DiscMountJob.cs @@ -87,6 +87,16 @@ namespace BizHawk.Emulation.DiscSystem Func condition = (int lba) => lba >= OUT_Disc.Session1.LeadoutLBA; new ConditionalSectorSynthProvider().Install(OUT_Disc, condition, ss_leadout); } + + //apply SBI if it exists + var sbiPath = Path.ChangeExtension(IN_FromPath, ".sbi"); + if (File.Exists(sbiPath) && SBI.SBIFormat.QuickCheckISSBI(sbiPath)) + { + var loadSbiJob = new SBI.LoadSBIJob() { IN_Path = sbiPath }; + loadSbiJob.Run(); + var applySbiJob = new ApplySBIJob(); + applySbiJob.Run(OUT_Disc, loadSbiJob.OUT_Data, IN_DiscMountPolicy.SBI_As_Mednafen); + } } FinishLog(); @@ -116,6 +126,8 @@ namespace BizHawk.Emulation.DiscSystem } if (ext == ".cue") { + //TODO - major renovation of error handling needed + //TODO - make sure code is designed so no matter what happens, a disc is disposed in case of errors. //perhaps the CUE_Format2 (once renamed to something like Context) can handle that var cuePath = IN_FromPath; @@ -130,23 +142,29 @@ namespace BizHawk.Emulation.DiscSystem if (cue_content == null) cue_content = File.ReadAllText(cuePath); parseJob.IN_CueString = cue_content; - parseJob.Run(parseJob); - //TODO - need better handling of log output + bool okParse = true; + try { parseJob.Run(parseJob); } + catch (DiscJobAbortException) { okParse = false; parseJob.FinishLog(); } if (!string.IsNullOrEmpty(parseJob.OUT_Log)) Console.WriteLine(parseJob.OUT_Log); ConcatenateJobLog(parseJob); + if (!okParse) + goto DONE; //compile the cue file: //includes this work: resolve required bin files and find out what it's gonna take to load the cue var compileJob = new CompileCueJob(); compileJob.IN_CueContext = cueContext; compileJob.IN_CueFile = parseJob.OUT_CueFile; - compileJob.Run(); - //TODO - need better handling of log output + bool okCompile = true; + try { compileJob.Run(); } + catch (DiscJobAbortException) { okCompile = false; compileJob.FinishLog(); } if (!string.IsNullOrEmpty(compileJob.OUT_Log)) Console.WriteLine(compileJob.OUT_Log); ConcatenateJobLog(compileJob); + if (!okCompile || compileJob.OUT_ErrorLevel) + goto DONE; //check slow loading threshold - if (compileJob.OUT_LoadTime >= IN_SlowLoadAbortThreshold) + if (compileJob.OUT_LoadTime > IN_SlowLoadAbortThreshold) { Warn("Loading terminated due to slow load threshold"); OUT_SlowLoadAborted = true; @@ -163,16 +181,6 @@ namespace BizHawk.Emulation.DiscSystem OUT_Disc = loadJob.OUT_Disc; //OUT_Disc.DiscMountPolicy = IN_DiscMountPolicy; //NOT SURE WE NEED THIS (only makes sense for cue probably) - - //apply SBI if it exists (TODO - for formats other than cue?) - var sbiPath = Path.ChangeExtension(IN_FromPath, ".sbi"); - if (File.Exists(sbiPath) && SBI.SBIFormat.QuickCheckISSBI(sbiPath)) - { - var loadSbiJob = new SBI.LoadSBIJob() { IN_Path = sbiPath }; - loadSbiJob.Run(); - var applySbiJob = new ApplySBIJob(); - applySbiJob.Run(OUT_Disc, loadSbiJob.OUT_Data, IN_DiscMountPolicy.SBI_As_Mednafen); - } } else if (ext == ".ccd") { @@ -180,15 +188,19 @@ namespace BizHawk.Emulation.DiscSystem OUT_Disc = ccdLoader.LoadCCDToDisc(IN_FromPath, IN_DiscMountPolicy); } - DONE: ; + + DONE: //setup the lowest level synth provider - var sssp = new ArraySectorSynthProvider() + if (OUT_Disc != null) { - Sectors = OUT_Disc._Sectors, - FirstLBA = -150 - }; - OUT_Disc.SynthProvider = sssp; + var sssp = new ArraySectorSynthProvider() + { + Sectors = OUT_Disc._Sectors, + FirstLBA = -150 + }; + OUT_Disc.SynthProvider = sssp; + } } } diff --git a/BizHawk.Emulation.DiscSystem/DiscSectorReader.cs b/BizHawk.Emulation.DiscSystem/DiscSectorReader.cs index 5917fae582..71dd18298e 100644 --- a/BizHawk.Emulation.DiscSystem/DiscSectorReader.cs +++ b/BizHawk.Emulation.DiscSystem/DiscSectorReader.cs @@ -87,6 +87,8 @@ namespace BizHawk.Emulation.DiscSystem { var sector = disc.SynthProvider.Get(lba); + if (sector == null) return 0; + PrepareBuffer(buffer, offset, 2352); PrepareJob(lba); job.DestBuffer2448 = buf2442; @@ -110,6 +112,8 @@ namespace BizHawk.Emulation.DiscSystem public int ReadLBA_2448(int lba, byte[] buffer, int offset) { var sector = disc.SynthProvider.Get(lba); + + if (sector == null) return 0; PrepareBuffer(buffer, offset, 2352); PrepareJob(lba); @@ -122,7 +126,7 @@ namespace BizHawk.Emulation.DiscSystem sector.Synth(job); //we went straight to the caller's buffer, so no need to copy - return 2442; + return 2448; } int ReadLBA_2048_Mode1(int lba, byte[] buffer, int offset) @@ -130,6 +134,8 @@ namespace BizHawk.Emulation.DiscSystem //we can read the 2048 bytes directly var sector = disc.SynthProvider.Get(lba); + if (sector == null) return 0; + PrepareBuffer(buffer, offset, 2048); PrepareJob(lba); job.DestBuffer2448 = buf2442; @@ -147,6 +153,8 @@ namespace BizHawk.Emulation.DiscSystem //we can read the 2048 bytes directly but we have to get them from the mode 2 data var sector = disc.SynthProvider.Get(lba); + if (sector == null) return 0; + PrepareBuffer(buffer, offset, 2048); PrepareJob(lba); job.DestBuffer2448 = buf2442; @@ -167,6 +175,8 @@ namespace BizHawk.Emulation.DiscSystem { var sector = disc.SynthProvider.Get(lba); + if (sector == null) return 0; + PrepareBuffer(buffer, offset, 12); PrepareJob(lba); job.DestBuffer2448 = buf2442; @@ -198,6 +208,8 @@ namespace BizHawk.Emulation.DiscSystem //in no case do we need the ECC so build special flags here var sector = disc.SynthProvider.Get(lba); + if (sector == null) return 0; + PrepareBuffer(buffer, offset, 2048); PrepareJob(lba); job.DestBuffer2448 = buf2442; @@ -273,6 +285,8 @@ namespace BizHawk.Emulation.DiscSystem { var sector = disc.SynthProvider.Get(lba); + if (sector == null) return 0; + PrepareJob(lba); job.DestBuffer2448 = buf2442; job.DestOffset = 0; diff --git a/BizHawk.Emulation.DiscSystem/DiscStream.cs b/BizHawk.Emulation.DiscSystem/DiscStream.cs index 95db67d0db..c2f8267b3a 100644 --- a/BizHawk.Emulation.DiscSystem/DiscStream.cs +++ b/BizHawk.Emulation.DiscSystem/DiscStream.cs @@ -65,16 +65,24 @@ namespace BizHawk.Emulation.DiscSystem public DiscStream(Disc disc, EDiscStreamView view, int from_lba) { - if (view != EDiscStreamView.DiscStreamView_Mode1_2048) - throw new NotSupportedException("disc streams of not mode 1 are currently unsupported"); - SectorSize = 2048; Disc = disc; NumSectors = disc.Session1.LeadoutLBA; dsr = new DiscSectorReader(disc); //following the provided view - dsr.Policy.UserData2048Mode = DiscSectorReaderPolicy.EUserData2048Mode.AssumeMode1; + switch (view) + { + case EDiscStreamView.DiscStreamView_Mode1_2048: + dsr.Policy.UserData2048Mode = DiscSectorReaderPolicy.EUserData2048Mode.AssumeMode1; + break; + case EDiscStreamView.DiscStreamView_Mode2_Form1_2048: + dsr.Policy.UserData2048Mode = DiscSectorReaderPolicy.EUserData2048Mode.AssumeMode2_Form1; + break; + default: + throw new NotSupportedException("Unsupported EDiscStreamView"); + } + currPosition = from_lba * SectorSize; cachedSector = -1; diff --git a/BizHawk.Emulation.DiscSystem/DiscStructure.cs b/BizHawk.Emulation.DiscSystem/DiscStructure.cs index 588de48072..d6a9905df0 100644 --- a/BizHawk.Emulation.DiscSystem/DiscStructure.cs +++ b/BizHawk.Emulation.DiscSystem/DiscStructure.cs @@ -35,13 +35,13 @@ namespace BizHawk.Emulation.DiscSystem /// /// The number of user information tracks in the session. - /// This excludes track 0 and the lead-out track. + /// This excludes the lead-in and lead-out tracks /// Use this instead of Tracks.Count /// public int InformationTrackCount { get { return Tracks.Count - 2; } } /// - /// All the tracks in the session.. but... Tracks[0] is the lead-in track placeholder. Tracks[1] should be "Track 1". So beware of this. + /// All the tracks in the session.. but... Tracks[0] is the lead-in track. Tracks[1] should be "Track 1". So beware of this. /// For a disc with "3 tracks", Tracks.Count will be 5: it includes that lead-in track as well as the leadout track. /// Perhaps we should turn this into a special collection type with no Count or Length, or a method to GetTrack() /// @@ -65,22 +65,26 @@ namespace BizHawk.Emulation.DiscSystem /// public Track LeadoutTrack { get { return Tracks[Tracks.Count - 1]; } } + /// + /// A reference to the lead-in track + /// + public Track LeadinTrack { get { return Tracks[0]; } } + /// /// Determines which track of the session is at the specified LBA. - /// Returns null if it's before track 1 /// public Track SeekTrack(int lba) { var ses = this; - //take care with this loop bounds: - for (int i = 1; i <= ses.InformationTrackCount; i++) + for (int i = 1; i < Tracks.Count; i++) { var track = ses.Tracks[i]; + //funny logic here: if the current track's LBA is > the requested track number, it means the previous track is the one we wanted if (track.LBA > lba) - return (i == 1) ? null : ses.Tracks[i]; + return ses.Tracks[i - 1]; } - return ses.Tracks[ses.Tracks.Count]; + return ses.LeadoutTrack; } } diff --git a/BizHawk.Emulation.DiscSystem/DiscSubQ.cs b/BizHawk.Emulation.DiscSystem/DiscSubQ.cs index cc5b44dd19..09856045eb 100644 --- a/BizHawk.Emulation.DiscSystem/DiscSubQ.cs +++ b/BizHawk.Emulation.DiscSystem/DiscSubQ.cs @@ -91,19 +91,24 @@ namespace BizHawk.Emulation.DiscSystem /// /// Retrieves the initial set of timestamps (min,sec,frac) as a convenient Timestamp /// - public Timestamp Timestamp - { - get { return new Timestamp(min.DecimalValue, sec.DecimalValue, frame.DecimalValue); } - set { min.DecimalValue = value.MIN; sec.DecimalValue = value.SEC; frame.DecimalValue = value.FRAC; } + public int Timestamp { + get { return MSF.ToInt(min.DecimalValue, sec.DecimalValue, frame.DecimalValue); } + set { + var ts = new Timestamp(value); + min.DecimalValue = ts.MIN; sec.DecimalValue = ts.SEC; frame.DecimalValue = ts.FRAC; + } } /// /// Retrieves the second set of timestamps (ap_min, ap_sec, ap_frac) as a convenient Timestamp. /// TODO - rename everything AP here, it's nonsense. (the P is) /// - public Timestamp AP_Timestamp { - get { return new Timestamp(ap_min.DecimalValue, ap_sec.DecimalValue, ap_frame.DecimalValue); } - set { ap_min.DecimalValue = value.MIN; ap_sec.DecimalValue = value.SEC; ap_frame.DecimalValue = value.FRAC; } + public int AP_Timestamp { + get { return MSF.ToInt(ap_min.DecimalValue, ap_sec.DecimalValue, ap_frame.DecimalValue); } + set { + var ts = new Timestamp(value); + ap_min.DecimalValue = ts.MIN; ap_sec.DecimalValue = ts.SEC; ap_frame.DecimalValue = ts.FRAC; + } } /// diff --git a/BizHawk.Emulation.DiscSystem/DiscTOC.cs b/BizHawk.Emulation.DiscSystem/DiscTOC.cs index 939eb02166..999f3c826f 100644 --- a/BizHawk.Emulation.DiscSystem/DiscTOC.cs +++ b/BizHawk.Emulation.DiscSystem/DiscTOC.cs @@ -45,7 +45,7 @@ namespace BizHawk.Emulation.DiscSystem /// /// The location of the track (Index 1) /// - public Timestamp LBATimestamp; + public int LBA; /// /// Whether this entry exists (since the table is 101 entries long always) @@ -55,15 +55,15 @@ namespace BizHawk.Emulation.DiscSystem /// /// This is a convenient format for storing the TOC (taken from mednafen) - /// Index 0 is empty, so that track 1 is in index 1. - /// Index 100 is the Lead-out track + /// Element 0 is the Lead-in track + /// Element 100 is the Lead-out track /// public TOCItem[] TOCItems = new TOCItem[101]; /// /// The timestamp of the leadout track. In other words, the end of the user area. /// - public Timestamp LeadoutLBA { get { return TOCItems[100].LBATimestamp; } } + public int LeadoutLBA { get { return TOCItems[100].LBA; } } } diff --git a/BizHawk.Emulation.DiscSystem/DiscTypes.cs b/BizHawk.Emulation.DiscSystem/DiscTypes.cs index 1b21343511..fdce3047e7 100644 --- a/BizHawk.Emulation.DiscSystem/DiscTypes.cs +++ b/BizHawk.Emulation.DiscSystem/DiscTypes.cs @@ -81,6 +81,14 @@ namespace BizHawk.Emulation.DiscSystem } } + public static class MSF + { + public static int ToInt(int m, int s, int f) + { + return m * 60 * 75 + s * 75 + f; + } + } + /// /// todo - rename to MSF? It can specify durations, so maybe it should be not suggestive of timestamp /// TODO - can we maybe use BCD2 in here diff --git a/BizHawk.Emulation.DiscSystem/Internal/Jobs/Synthesize_A0A1A2_Job.cs b/BizHawk.Emulation.DiscSystem/Internal/Jobs/Synthesize_A0A1A2_Job.cs index cbc2bca51d..e7827cd64a 100644 --- a/BizHawk.Emulation.DiscSystem/Internal/Jobs/Synthesize_A0A1A2_Job.cs +++ b/BizHawk.Emulation.DiscSystem/Internal/Jobs/Synthesize_A0A1A2_Job.cs @@ -27,7 +27,7 @@ namespace BizHawk.Emulation.DiscSystem /// /// The absolute timestamp of the lead-out track /// - public Timestamp IN_LeadoutTimestamp; + public int IN_LeadoutTimestamp; /// /// The session format for this TOC diff --git a/BizHawk.Emulation.DiscSystem/Internal/Jobs/Synthesize_DiscStructure_From_DiscTOC_Job.cs b/BizHawk.Emulation.DiscSystem/Internal/Jobs/Synthesize_DiscStructure_From_DiscTOC_Job.cs index a198e0eda0..6320c32d8f 100644 --- a/BizHawk.Emulation.DiscSystem/Internal/Jobs/Synthesize_DiscStructure_From_DiscTOC_Job.cs +++ b/BizHawk.Emulation.DiscSystem/Internal/Jobs/Synthesize_DiscStructure_From_DiscTOC_Job.cs @@ -40,7 +40,7 @@ namespace BizHawk.Emulation.DiscSystem { Number = i + 1, Control = item.Control, - LBA = item.LBATimestamp.Sector + LBA = item.LBA }; session.Tracks.Add(track); @@ -66,7 +66,7 @@ namespace BizHawk.Emulation.DiscSystem //kind of a guess, but not completely Control = session.Tracks[session.Tracks.Count -1 ].Control, Mode = session.Tracks[session.Tracks.Count - 1].Mode, - LBA = TOCRaw.LeadoutLBA.Sector + LBA = TOCRaw.LeadoutLBA }); //link track list diff --git a/BizHawk.Emulation.DiscSystem/Internal/Jobs/Synthesize_DiscTOC_From_RawTOCEntries_Job.cs b/BizHawk.Emulation.DiscSystem/Internal/Jobs/Synthesize_DiscTOC_From_RawTOCEntries_Job.cs index beb89c2c38..71c17d99f0 100644 --- a/BizHawk.Emulation.DiscSystem/Internal/Jobs/Synthesize_DiscTOC_From_RawTOCEntries_Job.cs +++ b/BizHawk.Emulation.DiscSystem/Internal/Jobs/Synthesize_DiscTOC_From_RawTOCEntries_Job.cs @@ -20,7 +20,7 @@ namespace BizHawk.Emulation.DiscSystem DiscTOC ret = new DiscTOC(); //this is a dummy, for convenience in array indexing, so that track 1 is at array index 1 - ret.TOCItems[0].LBATimestamp = new Timestamp(0); //arguably could be -150, but let's not just yet + ret.TOCItems[0].LBA = 0; //arguably could be -150, but let's not just yet ret.TOCItems[0].Control = 0; ret.TOCItems[0].Exists = false; @@ -44,7 +44,7 @@ namespace BizHawk.Emulation.DiscSystem else if (point <= 99) { maxFoundTrack = Math.Max(maxFoundTrack, point); - ret.TOCItems[point].LBATimestamp = new Timestamp(q.AP_Timestamp.Sector - 150); //RawTOCEntries contained an absolute time + ret.TOCItems[point].LBA = q.AP_Timestamp - 150; //RawTOCEntries contained an absolute time ret.TOCItems[point].Control = q.CONTROL; ret.TOCItems[point].Exists = true; } @@ -65,7 +65,7 @@ namespace BizHawk.Emulation.DiscSystem } else if (point == 102) //0xA2 bcd { - ret.TOCItems[100].LBATimestamp = new Timestamp(q.AP_Timestamp.Sector - 150); //RawTOCEntries contained an absolute time + ret.TOCItems[100].LBA = q.AP_Timestamp - 150; //RawTOCEntries contained an absolute time ret.TOCItems[100].Control = 0; //not clear what this should be ret.TOCItems[100].Exists = true; } diff --git a/BizHawk.Emulation.DiscSystem/Internal/Jobs/Synthesize_Leadout_Job.cs b/BizHawk.Emulation.DiscSystem/Internal/Jobs/Synthesize_Leadout_Job.cs index cd4b4c85b1..783f71aa9d 100644 --- a/BizHawk.Emulation.DiscSystem/Internal/Jobs/Synthesize_Leadout_Job.cs +++ b/BizHawk.Emulation.DiscSystem/Internal/Jobs/Synthesize_Leadout_Job.cs @@ -42,7 +42,7 @@ namespace BizHawk.Emulation.DiscSystem sq.sec = BCD2.FromDecimal(new Timestamp(track_relative_msf).SEC); sq.frame = BCD2.FromDecimal(new Timestamp(track_relative_msf).FRAC); - int absolute_msf = i + leadoutTs.Sector; + int absolute_msf = i + leadoutTs; sq.ap_min = BCD2.FromDecimal(new Timestamp(absolute_msf + 150).MIN); sq.ap_sec = BCD2.FromDecimal(new Timestamp(absolute_msf + 150).SEC); sq.ap_frame = BCD2.FromDecimal(new Timestamp(absolute_msf + 150).FRAC); diff --git a/BizHawk.Emulation.DiscSystem/Internal/SectorSynth.cs b/BizHawk.Emulation.DiscSystem/Internal/SectorSynth.cs index 4cc8416ffd..07caf7d171 100644 --- a/BizHawk.Emulation.DiscSystem/Internal/SectorSynth.cs +++ b/BizHawk.Emulation.DiscSystem/Internal/SectorSynth.cs @@ -133,6 +133,8 @@ namespace BizHawk.Emulation.DiscSystem public ISectorSynthJob2448 Get(int lba) { int index = lba - FirstLBA; + if (index < 0) return null; + if (index >= Sectors.Count) return null; return Sectors[index]; } } @@ -229,8 +231,8 @@ namespace BizHawk.Emulation.DiscSystem //data is zero - Timestamp ts = new Timestamp(lba_relative); - Timestamp ats = new Timestamp(job.LBA); + int ts = lba_relative; + int ats = job.LBA; const int ADR = 0x1; // Q channel data encodes position EControlQ control = ses.LeadoutTrack.Control; diff --git a/Bizware/BizHawk.Bizware.BizwareGL.GdiPlus/GdiPlusGuiRenderer.cs b/Bizware/BizHawk.Bizware.BizwareGL.GdiPlus/GdiPlusGuiRenderer.cs index ad1e8b6299..29eff2afc5 100644 --- a/Bizware/BizHawk.Bizware.BizwareGL.GdiPlus/GdiPlusGuiRenderer.cs +++ b/Bizware/BizHawk.Bizware.BizwareGL.GdiPlus/GdiPlusGuiRenderer.cs @@ -118,7 +118,7 @@ namespace BizHawk.Bizware.BizwareGL.Drivers.GdiPlus public void Begin(sd.Size size) { Begin(size.Width, size.Height); } - public void Begin(int width, int height, bool yflipped = false) + public void Begin(int width, int height) { Begin(); @@ -163,21 +163,24 @@ namespace BizHawk.Bizware.BizwareGL.Drivers.GdiPlus public void DrawSubrect(Texture2d tex, float x, float y, float w, float h, float u0, float v0, float u1, float v1) { - var tw = Gdi.TextureWrapperForTexture(tex); + var tw = tex.Opaque as IGL_GdiPlus.TextureWrapper; var g = Gdi.GetCurrentGraphics(); - PrepDraw(g, tw); + PrepDraw(g, tex); + SetupMatrix(g); + float x0 = u0 * tex.Width; float y0 = v0 * tex.Height; float x1 = u1 * tex.Width; float y1 = v1 * tex.Height; + sd.PointF[] destPoints = new sd.PointF[] { new sd.PointF(x,y), new sd.PointF(x+w,y), - new sd.PointF(x,y+h), + new sd.PointF(x,y+h), }; g.DrawImage(tw.SDBitmap, destPoints, new sd.RectangleF(x0, y0, x1 - x0, y1 - y0), sd.GraphicsUnit.Pixel, CurrentImageAttributes); - //g.DrawImage(tw.SDBitmap, 0, 0); //test + g.Transform = new sd.Drawing2D.Matrix(); //.Reset() doesnt work ? ? } @@ -194,8 +197,9 @@ namespace BizHawk.Bizware.BizwareGL.Drivers.GdiPlus DrawInternal(art, x, y, width, height); } - void PrepDraw(sd.Graphics g, TextureWrapper tw) + void PrepDraw(sd.Graphics g, Texture2d tex) { + var tw = tex.Opaque as IGL_GdiPlus.TextureWrapper; //TODO - we can support bicubic for the final presentation.. if ((int)tw.MagFilter != (int)tw.MinFilter) throw new InvalidOperationException("tw.MagFilter != tw.MinFilter"); @@ -228,25 +232,31 @@ namespace BizHawk.Bizware.BizwareGL.Drivers.GdiPlus } + private void SetupMatrix(sd.Graphics g) + { + //projection is always identity, so who cares i guess + //Matrix4 mat = Projection.Top * Modelview.Top; + Matrix4 mat = Modelview.Top; + g.Transform = new sd.Drawing2D.Matrix(mat.M11, mat.M12, mat.M21, mat.M22, mat.M41, mat.M42); + } + unsafe void DrawInternal(Texture2d tex, float x, float y, float w, float h) { - var tw = Gdi.TextureWrapperForTexture(tex); var g = Gdi.GetCurrentGraphics(); - PrepDraw(g, tw); + PrepDraw(g, tex); - //a little bit of a fastpath.. I think it's safe - //if (w == tex.Width && h == tex.Height && x == (int)x && y == (int)y) - // g.DrawImageUnscaled(tw.SDBitmap, (int)x, (int)y); - //else - { - sd.PointF[] destPoints = new sd.PointF[] { - new sd.PointF(x,y), - new sd.PointF(x+w,y), - new sd.PointF(x,y+h), - }; - //g.DrawImage(tw.SDBitmap, x, y, w, h); //original - g.DrawImage(tw.SDBitmap, destPoints, new sd.RectangleF(0, 0, tex.Width, tex.Height), sd.GraphicsUnit.Pixel, CurrentImageAttributes); - } + SetupMatrix(g); + + sd.PointF[] destPoints = new sd.PointF[] { + new sd.PointF(x,y), + new sd.PointF(x+w,y), + new sd.PointF(x,y+h), + }; + + var tw = tex.Opaque as IGL_GdiPlus.TextureWrapper; + g.PixelOffsetMode = sd.Drawing2D.PixelOffsetMode.Half; + g.DrawImage(tw.SDBitmap, destPoints, new sd.RectangleF(0, 0, tex.Width, tex.Height), sd.GraphicsUnit.Pixel, CurrentImageAttributes); + g.Transform = new sd.Drawing2D.Matrix(); //.Reset() doesnt work ? ? } unsafe void DrawInternal(Art art, float x, float y, float w, float h, bool fx, bool fy) diff --git a/Bizware/BizHawk.Bizware.BizwareGL.GdiPlus/IGL_GdiPlus.cs b/Bizware/BizHawk.Bizware.BizwareGL.GdiPlus/IGL_GdiPlus.cs index 441d88b918..17c997c0bf 100644 --- a/Bizware/BizHawk.Bizware.BizwareGL.GdiPlus/IGL_GdiPlus.cs +++ b/Bizware/BizHawk.Bizware.BizwareGL.GdiPlus/IGL_GdiPlus.cs @@ -18,61 +18,11 @@ using BizHawk.Bizware.BizwareGL; namespace BizHawk.Bizware.BizwareGL.Drivers.GdiPlus { - public class ResourceIdManager - { - int Last = 1; - Queue Available = new Queue(); - - public Dictionary Lookup = new Dictionary(); - - public enum EResourceType - { - Texture, - RenderTarget - } - - public IntPtr Alloc(EResourceType type) - { - if (Available.Count == 0) - { - return new IntPtr(Last++); - } - else return new IntPtr(Available.Dequeue()); - } - - public void Free(IntPtr handle) - { - int n = handle.ToInt32(); - object o; - if (Lookup.TryGetValue(n, out o)) - { - if (o is IDisposable) - { - ((IDisposable)o).Dispose(); - } - Lookup.Remove(n); - } - Available.Enqueue(n); - } - } - - public class TextureWrapper : IDisposable - { - public sd.Bitmap SDBitmap; - public TextureMinFilter MinFilter = TextureMinFilter.Nearest; - public TextureMagFilter MagFilter = TextureMagFilter.Nearest; - public void Dispose() - { - if (SDBitmap != null) - { - SDBitmap.Dispose(); - SDBitmap = null; - } - } - } - public class IGL_GdiPlus : IGL { + //rendering state + RenderTarget _CurrRenderTarget; + public IGL_GdiPlus() { MyBufferedGraphicsContext = new BufferedGraphicsContext(); @@ -84,6 +34,11 @@ namespace BizHawk.Bizware.BizwareGL.Drivers.GdiPlus public void Clear(OpenTK.Graphics.OpenGL.ClearBufferMask mask) { + var g = GetCurrentGraphics(); + if((mask & ClearBufferMask.ColorBufferBit) != 0) + { + g.Clear(_currentClearColor); + } } public string API { get { return "GDIPLUS"; } } @@ -94,9 +49,10 @@ namespace BizHawk.Bizware.BizwareGL.Drivers.GdiPlus return null; } + private sd.Color _currentClearColor = Color.Transparent; public void SetClearColor(sd.Color color) { - + _currentClearColor = color; } public unsafe void BindArrayData(void* pData) @@ -104,20 +60,17 @@ namespace BizHawk.Bizware.BizwareGL.Drivers.GdiPlus } - public IntPtr GenTexture() { return ResourceIDs.Alloc(ResourceIdManager.EResourceType.Texture); } public void FreeTexture(Texture2d tex) { - ResourceIDs.Free(tex.Id); + var tw = tex.Opaque as TextureWrapper; + tw.Dispose(); } - public IntPtr GetEmptyHandle() { return new IntPtr(0); } - public IntPtr GetEmptyUniformHandle() { return new IntPtr(-1); } - - public Shader CreateFragmentShader(string source, bool required) + public Shader CreateFragmentShader(bool cg, string source, string entry, bool required) { return null; } - public Shader CreateVertexShader(string source, bool required) + public Shader CreateVertexShader(bool cg, string source, string entry, bool required) { return null; } @@ -136,27 +89,21 @@ namespace BizHawk.Bizware.BizwareGL.Drivers.GdiPlus public IBlendState BlendNoneOpaque { get { return _rsBlendNoneOpaque; } } public IBlendState BlendNormal { get { return _rsBlendNormal; } } - public Pipeline CreatePipeline(VertexLayout vertexLayout, Shader vertexShader, Shader fragmentShader, bool required) + public Pipeline CreatePipeline(VertexLayout vertexLayout, Shader vertexShader, Shader fragmentShader, bool required, string memo) { return null; } - public VertexLayout CreateVertexLayout() { return new VertexLayout(this, new IntPtr(0)); } + public void FreePipeline(Pipeline pipeline) {} - public void BindTexture2d(Texture2d tex) - { - CurrentBoundTexture = tex; - } + public VertexLayout CreateVertexLayout() { return new VertexLayout(this, new IntPtr(0)); } public void SetTextureWrapMode(Texture2d tex, bool clamp) { - if (CurrentBoundTexture == null) - throw new InvalidOperationException(); } public void DrawArrays(PrimitiveType mode, int first, int count) { - } public void BindPipeline(Pipeline pipeline) @@ -164,6 +111,10 @@ namespace BizHawk.Bizware.BizwareGL.Drivers.GdiPlus } + public void Internal_FreeShader(Shader shader) + { + } + public void SetPipelineUniform(PipelineUniform uniform, bool value) { @@ -193,17 +144,14 @@ namespace BizHawk.Bizware.BizwareGL.Drivers.GdiPlus { } - public void SetPipelineUniformSampler(PipelineUniform uniform, IntPtr texHandle) + public void SetPipelineUniformSampler(PipelineUniform uniform, Texture2d tex) { } - public void TexParameter2d(TextureParameterName pname, int param) + public void TexParameter2d(Texture2d tex, TextureParameterName pname, int param) { - if (CurrentBoundTexture == null) - return; - - TextureWrapper tw = TextureWrapperForTexture(CurrentBoundTexture); + var tw = tex.Opaque as TextureWrapper; if (pname == TextureParameterName.TextureMinFilter) tw.MinFilter = (TextureMinFilter)param; if (pname == TextureParameterName.TextureMagFilter) @@ -215,9 +163,7 @@ namespace BizHawk.Bizware.BizwareGL.Drivers.GdiPlus var sdbmp = (sd.Bitmap)bitmap.Clone(); TextureWrapper tw = new TextureWrapper(); tw.SDBitmap = sdbmp; - IntPtr id = GenTexture(); - ResourceIDs.Lookup[id.ToInt32()] = tw; - return new Texture2d(this, id, null, bitmap.Width, bitmap.Height); + return new Texture2d(this, tw, bitmap.Width, bitmap.Height); } public Texture2d LoadTexture(Stream stream) @@ -239,7 +185,8 @@ namespace BizHawk.Bizware.BizwareGL.Drivers.GdiPlus public void LoadTextureData(Texture2d tex, BitmapBuffer bmp) { - bmp.ToSysdrawingBitmap(BitmapForTexture(tex)); + var tw = tex.Opaque as TextureWrapper; + bmp.ToSysdrawingBitmap(tw.SDBitmap); } @@ -247,17 +194,20 @@ namespace BizHawk.Bizware.BizwareGL.Drivers.GdiPlus { //definitely needed (by TextureFrugalizer at least) var sdbmp = bmp.ToSysdrawingBitmap(); - IntPtr id = GenTexture(); var tw = new TextureWrapper(); tw.SDBitmap = sdbmp; - ResourceIDs.Lookup[id.ToInt32()] = tw; - return new Texture2d(this, id, null, bmp.Width, bmp.Height); + return new Texture2d(this, tw, bmp.Width, bmp.Height); } public unsafe BitmapBuffer ResolveTexture2d(Texture2d tex) { - //todo - return null; + var tw = tex.Opaque as TextureWrapper; + var blow = new BitmapLoadOptions() + { + AllowWrap = false //must be an independent resource + }; + var bb = new BitmapBuffer(tw.SDBitmap,blow); + return bb; } public Texture2d LoadTexture(string path) @@ -273,26 +223,31 @@ namespace BizHawk.Bizware.BizwareGL.Drivers.GdiPlus return CreateGuiProjectionMatrix(new sd.Size(w, h)); } - public Matrix4 CreateGuiViewMatrix(int w, int h) + public Matrix4 CreateGuiViewMatrix(int w, int h, bool autoflip) { - return CreateGuiViewMatrix(new sd.Size(w, h)); + return CreateGuiViewMatrix(new sd.Size(w, h), autoflip); } public Matrix4 CreateGuiProjectionMatrix(sd.Size dims) { - Matrix4 ret = Matrix4.Identity; - ret.M11 = 2.0f / (float)dims.Width; - ret.M22 = 2.0f / (float)dims.Height; - return ret; + //see CreateGuiViewMatrix for more + return Matrix4.Identity; } - public Matrix4 CreateGuiViewMatrix(sd.Size dims) + public Matrix4 CreateGuiViewMatrix(sd.Size dims, bool autoflip) { - Matrix4 ret = Matrix4.Identity; - ret.M22 = -1.0f; - ret.M41 = -(float)dims.Width * 0.5f; // -0.5f; - ret.M42 = (float)dims.Height * 0.5f; // +0.5f; - return ret; + //on account of gdi+ working internally with a default view exactly like we want, we don't need to setup a new one here + //furthermore, we _cant_, without inverting the GuiView and GuiProjection before drawing, to completely undo it + //this might be feasible, but its kind of slow and annoying and worse, seemingly numerically unstable + //if (autoflip && _CurrRenderTarget != null) + //{ + // Matrix4 ret = Matrix4.Identity; + // ret.M22 = -1; + // ret.M42 = dims.Height; + // return ret; + //} + //else + return Matrix4.Identity; } public void SetViewport(int x, int y, int width, int height) @@ -335,6 +290,10 @@ namespace BizHawk.Bizware.BizwareGL.Drivers.GdiPlus Gdi = gdi; } + public void Dispose() + { + } + IGL_GdiPlus Gdi; /// @@ -349,9 +308,10 @@ namespace BizHawk.Bizware.BizwareGL.Drivers.GdiPlus public BufferedGraphics MyBufferedGraphics; + public Graphics refGraphics; //?? hacky? + public void CreateGraphics() { - Graphics refGraphics; Rectangle r; if (Control != null) { @@ -360,8 +320,9 @@ namespace BizHawk.Bizware.BizwareGL.Drivers.GdiPlus } else { + var tw = Target.Texture2d.Opaque as TextureWrapper; r = Target.Texture2d.Rectangle; - refGraphics = Graphics.FromImage(Gdi.BitmapForTexture(Target.Texture2d)); + refGraphics = Graphics.FromImage(tw.SDBitmap); } if (MyBufferedGraphics != null) @@ -376,6 +337,17 @@ namespace BizHawk.Bizware.BizwareGL.Drivers.GdiPlus } } + public void BeginScene() + { + } + + public void EndScene() + { + //maybe an inconsistent semantic with other implementations.. + //but accomplishes the needed goal of getting the current RT to render + BindRenderTarget(null); + } + public IGraphicsControl Internal_CreateGraphicsControl() { var ret = new GLControlWrapper_GdiPlus(this); @@ -390,25 +362,43 @@ namespace BizHawk.Bizware.BizwareGL.Drivers.GdiPlus public void FreeRenderTarget(RenderTarget rt) { - int id = rt.Id.ToInt32(); - var rtw = ResourceIDs.Lookup[id] as RenderTargetWrapper; - rtw.Target.Dispose(); - ResourceIDs.Free(rt.Id); + var rtw = rt.Opaque as RenderTargetWrapper; + rtw.Dispose(); } public unsafe RenderTarget CreateRenderTarget(int w, int h) { - Texture2d tex = null; - var rt = new RenderTarget(this, ResourceIDs.Alloc(ResourceIdManager.EResourceType.RenderTarget), tex); - int id = rt.Id.ToInt32(); + TextureWrapper tw = new TextureWrapper(); + tw.SDBitmap = new Bitmap(w,h, sdi.PixelFormat.Format32bppArgb); + var tex = new Texture2d(this, tw, w, h); + RenderTargetWrapper rtw = new RenderTargetWrapper(this); + var rt = new RenderTarget(this, rtw, tex); rtw.Target = rt; - ResourceIDs.Lookup[id] = rtw; return rt; } public void BindRenderTarget(RenderTarget rt) { + if (_CurrentOffscreenGraphics != null) + { + _CurrentOffscreenGraphics.Dispose(); + _CurrentOffscreenGraphics = null; + } + + _CurrRenderTarget = rt; + if (CurrentRenderTargetWrapper != null) + { + if (CurrentRenderTargetWrapper == CurrentControl.RenderTargetWrapper) + { + //dont do anything til swapbuffers + } + else + { + //CurrentRenderTargetWrapper.MyBufferedGraphics.Render(); + } + } + if (rt == null) { //null means to use the default RT for the current control @@ -416,40 +406,44 @@ namespace BizHawk.Bizware.BizwareGL.Drivers.GdiPlus } else { - CurrentRenderTargetWrapper = RenderTargetWrapperForRt(rt); + var tw = rt.Texture2d.Opaque as TextureWrapper; + CurrentRenderTargetWrapper = rt.Opaque as RenderTargetWrapper; + _CurrentOffscreenGraphics = Graphics.FromImage(tw.SDBitmap); + //if (CurrentRenderTargetWrapper.MyBufferedGraphics == null) + // CurrentRenderTargetWrapper.CreateGraphics(); } } - public sd.Bitmap BitmapForTexture(Texture2d tex) - { - return TextureWrapperForTexture(tex).SDBitmap; - } - - public TextureWrapper TextureWrapperForTexture(Texture2d tex) - { - return ResourceIDs.Lookup[tex.Id.ToInt32()] as TextureWrapper; - } - - public RenderTargetWrapper RenderTargetWrapperForRt(RenderTarget rt) - { - return ResourceIDs.Lookup[rt.Id.ToInt32()] as RenderTargetWrapper; - } + Graphics _CurrentOffscreenGraphics; public Graphics GetCurrentGraphics() { + if (_CurrentOffscreenGraphics != null) + return _CurrentOffscreenGraphics; var rtw = CurrentRenderTargetWrapper; return rtw.MyBufferedGraphics.Graphics; } public GLControlWrapper_GdiPlus CurrentControl; public RenderTargetWrapper CurrentRenderTargetWrapper; - Texture2d CurrentBoundTexture; - - //todo - not thread safe - public static ResourceIdManager ResourceIDs = new ResourceIdManager(); public BufferedGraphicsContext MyBufferedGraphicsContext; + public class TextureWrapper : IDisposable + { + public sd.Bitmap SDBitmap; + public TextureMinFilter MinFilter = TextureMinFilter.Nearest; + public TextureMagFilter MagFilter = TextureMagFilter.Nearest; + public void Dispose() + { + if (SDBitmap != null) + { + SDBitmap.Dispose(); + SDBitmap = null; + } + } + } + } //class IGL_GdiPlus diff --git a/Bizware/BizHawk.Bizware.BizwareGL.GdiPlus/RetroShader.cs b/Bizware/BizHawk.Bizware.BizwareGL.GdiPlus/RetroShader.cs deleted file mode 100644 index 20101be5df..0000000000 --- a/Bizware/BizHawk.Bizware.BizwareGL.GdiPlus/RetroShader.cs +++ /dev/null @@ -1,96 +0,0 @@ -using System; -using System.Drawing; -using System.Windows.Forms; - -using OpenTK; -using OpenTK.Graphics.OpenGL; - -namespace BizHawk.Bizware.BizwareGL.Drivers.OpenTK -{ - /// - /// Handles RetroArch's GLSL shader pass format - /// This isnt implemented in BizwareGL abstract layer because it relies too much on GLSL peculiarities - /// - public class RetroShader : IDisposable - { - public RetroShader(IGL owner, string source, bool debug = false) - { - Owner = owner as IGL_TK; - - VertexLayout = owner.CreateVertexLayout(); - VertexLayout.DefineVertexAttribute("VertexCoord", 0, 4, VertexAttribPointerType.Float, false, 40, 0); //VertexCoord - VertexLayout.DefineVertexAttribute("ColorShit", 1, 4, VertexAttribPointerType.Float, false, 40, 16); //COLOR - VertexLayout.DefineVertexAttribute("TexCoord", 2, 2, VertexAttribPointerType.Float, false, 40, 32); //TexCoord (is this vec2 or vec4? the glsl converted from cg had vec4 but the cg had vec2...) - VertexLayout.Close(); - - string vsSource = "#define VERTEX\r\n" + source; - string psSource = "#define FRAGMENT\r\n" + source; - var vs = Owner.CreateVertexShader(vsSource, debug); - var ps = Owner.CreateFragmentShader(psSource, debug); - Pipeline = Owner.CreatePipeline(VertexLayout, vs, ps, debug); - } - - public void Dispose() - { - VertexLayout.Dispose(); - VertexLayout = null; - } - - public void Bind() - { - //lame... - Owner.BindPipeline(Pipeline); - } - - public unsafe void Run(Texture2d tex, Size InputSize, Size OutputSize, bool flip) - { - //ack! make sure to set the pipeline before setting - Bind(); - - Pipeline["InputSize"].Set(new Vector2(InputSize.Width,InputSize.Height)); - Pipeline["TextureSize"].Set(new Vector2(InputSize.Width, InputSize.Height)); - Pipeline["OutputSize"].Set(new Vector2(OutputSize.Width, OutputSize.Height)); - Pipeline["FrameCount"].Set(0); //todo - Pipeline["FrameDirection"].Set(1); //todo - - var Projection = Owner.CreateGuiProjectionMatrix(OutputSize); - var Modelview = Owner.CreateGuiViewMatrix(OutputSize); - Pipeline["MVPMatrix"].Set(Modelview * Projection, false); - - Owner.SetTextureWrapMode(tex, true); - - Pipeline["Texture"].Set(tex); - Owner.SetViewport(OutputSize); - - int w = OutputSize.Width; - int h = OutputSize.Height; - float v0,v1; - if (flip) { v0 = 1; v1 = 0; } - else { v0 = 0; v1 = 1; } - float* pData = stackalloc float[10*4]; - int i=0; - pData[i++] = 0; pData[i++] = 0; pData[i++] = 0; pData[i++] = 1; //topleft vert - pData[i++] = 0; pData[i++] = 0; pData[i++] = 0; pData[i++] = 0; //junk - pData[i++] = 0; pData[i++] = v0; //texcoord - pData[i++] = w; pData[i++] = 0; pData[i++] = 0; pData[i++] = 1; //topright vert - pData[i++] = 0; pData[i++] = 0; pData[i++] = 0; pData[i++] = 0; //junk - pData[i++] = 1; pData[i++] = v0; //texcoord - pData[i++] = 0; pData[i++] = h; pData[i++] = 0; pData[i++] = 1; //bottomleft vert - pData[i++] = 0; pData[i++] = 0; pData[i++] = 0; pData[i++] = 0; //junk - pData[i++] = 0; pData[i++] = v1; //texcoord - pData[i++] = w; pData[i++] = h; pData[i++] = 0; pData[i++] = 1; //bottomright vert - pData[i++] = 0; pData[i++] = 0; pData[i++] = 0; pData[i++] = 0; //junk - pData[i++] = 1; pData[i++] = v1; //texcoord - - Owner.SetBlendState(Owner.BlendNone); - Owner.BindArrayData(pData); - Owner.DrawArrays(PrimitiveType.TriangleStrip, 0, 4); - } - - - public IGL_TK Owner { get; private set; } - - VertexLayout VertexLayout; - public Pipeline Pipeline; - } -} \ No newline at end of file diff --git a/Bizware/BizHawk.Bizware.BizwareGL.OpenTK/BizHawk.Bizware.BizwareGL.OpenTK.csproj b/Bizware/BizHawk.Bizware.BizwareGL.OpenTK/BizHawk.Bizware.BizwareGL.OpenTK.csproj index a0cdcfce53..0b3d7072af 100644 --- a/Bizware/BizHawk.Bizware.BizwareGL.OpenTK/BizHawk.Bizware.BizwareGL.OpenTK.csproj +++ b/Bizware/BizHawk.Bizware.BizwareGL.OpenTK/BizHawk.Bizware.BizwareGL.OpenTK.csproj @@ -68,7 +68,6 @@ UserControl - Largest of the nsmallest - for elem in it: - if cmp_lt(elem, los): - insort(result, elem) - pop() - los = result[-1] - return result - # An alternative approach manifests the whole iterable in memory but - # saves comparisons by heapifying all at once. Also, saves time - # over bisect.insort() which has O(n) data movement time for every - # insertion. Finding the n smallest of an m length iterable requires - # O(m) + O(n log m) comparisons. - h = list(iterable) - heapify(h) - return map(heappop, repeat(h, min(n, len(h)))) - -# 'heap' is a heap at all indices >= startpos, except possibly for pos. pos -# is the index of a leaf with a possibly out-of-order value. Restore the -# heap invariant. -def _siftdown(heap, startpos, pos): - newitem = heap[pos] - # Follow the path to the root, moving parents down until finding a place - # newitem fits. - while pos > startpos: - parentpos = (pos - 1) >> 1 - parent = heap[parentpos] - if cmp_lt(newitem, parent): - heap[pos] = parent - pos = parentpos - continue - break - heap[pos] = newitem - -# The child indices of heap index pos are already heaps, and we want to make -# a heap at index pos too. We do this by bubbling the smaller child of -# pos up (and so on with that child's children, etc) until hitting a leaf, -# then using _siftdown to move the oddball originally at index pos into place. -# -# We *could* break out of the loop as soon as we find a pos where newitem <= -# both its children, but turns out that's not a good idea, and despite that -# many books write the algorithm that way. During a heap pop, the last array -# element is sifted in, and that tends to be large, so that comparing it -# against values starting from the root usually doesn't pay (= usually doesn't -# get us out of the loop early). See Knuth, Volume 3, where this is -# explained and quantified in an exercise. -# -# Cutting the # of comparisons is important, since these routines have no -# way to extract "the priority" from an array element, so that intelligence -# is likely to be hiding in custom __cmp__ methods, or in array elements -# storing (priority, record) tuples. Comparisons are thus potentially -# expensive. -# -# On random arrays of length 1000, making this change cut the number of -# comparisons made by heapify() a little, and those made by exhaustive -# heappop() a lot, in accord with theory. Here are typical results from 3 -# runs (3 just to demonstrate how small the variance is): -# -# Compares needed by heapify Compares needed by 1000 heappops -# -------------------------- -------------------------------- -# 1837 cut to 1663 14996 cut to 8680 -# 1855 cut to 1659 14966 cut to 8678 -# 1847 cut to 1660 15024 cut to 8703 -# -# Building the heap by using heappush() 1000 times instead required -# 2198, 2148, and 2219 compares: heapify() is more efficient, when -# you can use it. -# -# The total compares needed by list.sort() on the same lists were 8627, -# 8627, and 8632 (this should be compared to the sum of heapify() and -# heappop() compares): list.sort() is (unsurprisingly!) more efficient -# for sorting. - -def _siftup(heap, pos): - endpos = len(heap) - startpos = pos - newitem = heap[pos] - # Bubble up the smaller child until hitting a leaf. - childpos = 2*pos + 1 # leftmost child position - while childpos < endpos: - # Set childpos to index of smaller child. - rightpos = childpos + 1 - if rightpos < endpos and not cmp_lt(heap[childpos], heap[rightpos]): - childpos = rightpos - # Move the smaller child up. - heap[pos] = heap[childpos] - pos = childpos - childpos = 2*pos + 1 - # The leaf at pos is empty now. Put newitem there, and bubble it up - # to its final resting place (by sifting its parents down). - heap[pos] = newitem - _siftdown(heap, startpos, pos) - -# If available, use C implementation -try: - from _heapq import * -except ImportError: - pass - -def merge(*iterables): - '''Merge multiple sorted inputs into a single sorted output. - - Similar to sorted(itertools.chain(*iterables)) but returns a generator, - does not pull the data into memory all at once, and assumes that each of - the input streams is already sorted (smallest to largest). - - >>> list(merge([1,3,5,7], [0,2,4,8], [5,10,15,20], [], [25])) - [0, 1, 2, 3, 4, 5, 5, 7, 8, 10, 15, 20, 25] - - ''' - _heappop, _heapreplace, _StopIteration = heappop, heapreplace, StopIteration - - h = [] - h_append = h.append - for itnum, it in enumerate(map(iter, iterables)): - try: - next = it.next - h_append([next(), itnum, next]) - except _StopIteration: - pass - heapify(h) - - while 1: - try: - while 1: - v, itnum, next = s = h[0] # raises IndexError when h is empty - yield v - s[0] = next() # raises StopIteration when exhausted - _heapreplace(h, s) # restore heap condition - except _StopIteration: - _heappop(h) # remove empty iterator - except IndexError: - return - -# Extend the implementations of nsmallest and nlargest to use a key= argument -_nsmallest = nsmallest -def nsmallest(n, iterable, key=None): - """Find the n smallest elements in a dataset. - - Equivalent to: sorted(iterable, key=key)[:n] - """ - # Short-cut for n==1 is to use min() when len(iterable)>0 - if n == 1: - it = iter(iterable) - head = list(islice(it, 1)) - if not head: - return [] - if key is None: - return [min(chain(head, it))] - return [min(chain(head, it), key=key)] - - # When n>=size, it's faster to use sorted() - try: - size = len(iterable) - except (TypeError, AttributeError): - pass - else: - if n >= size: - return sorted(iterable, key=key)[:n] - - # When key is none, use simpler decoration - if key is None: - it = izip(iterable, count()) # decorate - result = _nsmallest(n, it) - return map(itemgetter(0), result) # undecorate - - # General case, slowest method - in1, in2 = tee(iterable) - it = izip(imap(key, in1), count(), in2) # decorate - result = _nsmallest(n, it) - return map(itemgetter(2), result) # undecorate - -_nlargest = nlargest -def nlargest(n, iterable, key=None): - """Find the n largest elements in a dataset. - - Equivalent to: sorted(iterable, key=key, reverse=True)[:n] - """ - - # Short-cut for n==1 is to use max() when len(iterable)>0 - if n == 1: - it = iter(iterable) - head = list(islice(it, 1)) - if not head: - return [] - if key is None: - return [max(chain(head, it))] - return [max(chain(head, it), key=key)] - - # When n>=size, it's faster to use sorted() - try: - size = len(iterable) - except (TypeError, AttributeError): - pass - else: - if n >= size: - return sorted(iterable, key=key, reverse=True)[:n] - - # When key is none, use simpler decoration - if key is None: - it = izip(iterable, count(0,-1)) # decorate - result = _nlargest(n, it) - return map(itemgetter(0), result) # undecorate - - # General case, slowest method - in1, in2 = tee(iterable) - it = izip(imap(key, in1), count(0,-1), in2) # decorate - result = _nlargest(n, it) - return map(itemgetter(2), result) # undecorate - -if __name__ == "__main__": - # Simple sanity test - heap = [] - data = [1, 3, 5, 7, 9, 2, 4, 6, 8, 0] - for item in data: - heappush(heap, item) - sort = [] - while heap: - sort.append(heappop(heap)) - print sort - - import doctest - doctest.testmod() diff --git a/Tools/cg2glsl/cg2glsl_sources/lib/keyword.py b/Tools/cg2glsl/cg2glsl_sources/lib/keyword.py deleted file mode 100644 index db35abec9c..0000000000 --- a/Tools/cg2glsl/cg2glsl_sources/lib/keyword.py +++ /dev/null @@ -1,93 +0,0 @@ -#! /usr/bin/env python - -"""Keywords (from "graminit.c") - -This file is automatically generated; please don't muck it up! - -To update the symbols in this file, 'cd' to the top directory of -the python source tree after building the interpreter and run: - - python Lib/keyword.py -""" - -__all__ = ["iskeyword", "kwlist"] - -kwlist = [ -#--start keywords-- - 'and', - 'as', - 'assert', - 'break', - 'class', - 'continue', - 'def', - 'del', - 'elif', - 'else', - 'except', - 'exec', - 'finally', - 'for', - 'from', - 'global', - 'if', - 'import', - 'in', - 'is', - 'lambda', - 'not', - 'or', - 'pass', - 'print', - 'raise', - 'return', - 'try', - 'while', - 'with', - 'yield', -#--end keywords-- - ] - -iskeyword = frozenset(kwlist).__contains__ - -def main(): - import sys, re - - args = sys.argv[1:] - iptfile = args and args[0] or "Python/graminit.c" - if len(args) > 1: optfile = args[1] - else: optfile = "Lib/keyword.py" - - # scan the source file for keywords - fp = open(iptfile) - strprog = re.compile('"([^"]+)"') - lines = [] - for line in fp: - if '{1, "' in line: - match = strprog.search(line) - if match: - lines.append(" '" + match.group(1) + "',\n") - fp.close() - lines.sort() - - # load the output skeleton from the target - fp = open(optfile) - format = fp.readlines() - fp.close() - - # insert the lines of keywords - try: - start = format.index("#--start keywords--\n") + 1 - end = format.index("#--end keywords--\n") - format[start:end] = lines - except ValueError: - sys.stderr.write("target does not contain format markers\n") - sys.exit(1) - - # write the output file - fp = open(optfile, 'w') - fp.write(''.join(format)) - fp.close() - -if __name__ == "__main__": - main() diff --git a/Tools/cg2glsl/cg2glsl_sources/lib/linecache.py b/Tools/cg2glsl/cg2glsl_sources/lib/linecache.py deleted file mode 100644 index 277e38fdec..0000000000 --- a/Tools/cg2glsl/cg2glsl_sources/lib/linecache.py +++ /dev/null @@ -1,135 +0,0 @@ -"""Cache lines from files. - -This is intended to read lines from modules imported -- hence if a filename -is not found, it will look down the module search path for a file by -that name. -""" - -import sys -import os - -__all__ = ["getline", "clearcache", "checkcache"] - -def getline(filename, lineno, module_globals=None): - lines = getlines(filename, module_globals) - if 1 <= lineno <= len(lines): - return lines[lineno-1] - else: - return '' - - -# The cache - -cache = {} # The cache - - -def clearcache(): - """Clear the cache entirely.""" - - global cache - cache = {} - - -def getlines(filename, module_globals=None): - """Get the lines for a file from the cache. - Update the cache if it doesn't contain an entry for this file already.""" - - if filename in cache: - return cache[filename][2] - else: - return updatecache(filename, module_globals) - - -def checkcache(filename=None): - """Discard cache entries that are out of date. - (This is not checked upon each call!)""" - - if filename is None: - filenames = cache.keys() - else: - if filename in cache: - filenames = [filename] - else: - return - - for filename in filenames: - size, mtime, lines, fullname = cache[filename] - if mtime is None: - continue # no-op for files loaded via a __loader__ - try: - stat = os.stat(fullname) - except os.error: - del cache[filename] - continue - if size != stat.st_size or mtime != stat.st_mtime: - del cache[filename] - - -def updatecache(filename, module_globals=None): - """Update a cache entry and return its list of lines. - If something's wrong, print a message, discard the cache entry, - and return an empty list.""" - - if filename in cache: - del cache[filename] - if not filename or (filename.startswith('<') and filename.endswith('>')): - return [] - - fullname = filename - try: - stat = os.stat(fullname) - except OSError: - basename = filename - - # Try for a __loader__, if available - if module_globals and '__loader__' in module_globals: - name = module_globals.get('__name__') - loader = module_globals['__loader__'] - get_source = getattr(loader, 'get_source', None) - - if name and get_source: - try: - data = get_source(name) - except (ImportError, IOError): - pass - else: - if data is None: - # No luck, the PEP302 loader cannot find the source - # for this module. - return [] - cache[filename] = ( - len(data), None, - [line+'\n' for line in data.splitlines()], fullname - ) - return cache[filename][2] - - # Try looking through the module search path, which is only useful - # when handling a relative filename. - if os.path.isabs(filename): - return [] - - for dirname in sys.path: - # When using imputil, sys.path may contain things other than - # strings; ignore them when it happens. - try: - fullname = os.path.join(dirname, basename) - except (TypeError, AttributeError): - # Not sufficiently string-like to do anything useful with. - continue - try: - stat = os.stat(fullname) - break - except os.error: - pass - else: - return [] - try: - with open(fullname, 'rU') as fp: - lines = fp.readlines() - except IOError: - return [] - if lines and not lines[-1].endswith('\n'): - lines[-1] += '\n' - size, mtime = stat.st_size, stat.st_mtime - cache[filename] = size, mtime, lines, fullname - return lines diff --git a/Tools/cg2glsl/cg2glsl_sources/lib/ntpath.py b/Tools/cg2glsl/cg2glsl_sources/lib/ntpath.py deleted file mode 100644 index 3ac0b6deba..0000000000 --- a/Tools/cg2glsl/cg2glsl_sources/lib/ntpath.py +++ /dev/null @@ -1,523 +0,0 @@ -# Module 'ntpath' -- common operations on WinNT/Win95 pathnames -"""Common pathname manipulations, WindowsNT/95 version. - -Instead of importing this module directly, import os and refer to this -module as os.path. -""" - -import os -import sys -import stat -import genericpath -import warnings - -from genericpath import * - -__all__ = ["normcase","isabs","join","splitdrive","split","splitext", - "basename","dirname","commonprefix","getsize","getmtime", - "getatime","getctime", "islink","exists","lexists","isdir","isfile", - "ismount","walk","expanduser","expandvars","normpath","abspath", - "splitunc","curdir","pardir","sep","pathsep","defpath","altsep", - "extsep","devnull","realpath","supports_unicode_filenames","relpath"] - -# strings representing various path-related bits and pieces -curdir = '.' -pardir = '..' -extsep = '.' -sep = '\\' -pathsep = ';' -altsep = '/' -defpath = '.;C:\\bin' -if 'ce' in sys.builtin_module_names: - defpath = '\\Windows' -elif 'os2' in sys.builtin_module_names: - # OS/2 w/ VACPP - altsep = '/' -devnull = 'nul' - -# Normalize the case of a pathname and map slashes to backslashes. -# Other normalizations (such as optimizing '../' away) are not done -# (this is done by normpath). - -def normcase(s): - """Normalize case of pathname. - - Makes all characters lowercase and all slashes into backslashes.""" - return s.replace("/", "\\").lower() - - -# Return whether a path is absolute. -# Trivial in Posix, harder on the Mac or MS-DOS. -# For DOS it is absolute if it starts with a slash or backslash (current -# volume), or if a pathname after the volume letter and colon / UNC resource -# starts with a slash or backslash. - -def isabs(s): - """Test whether a path is absolute""" - s = splitdrive(s)[1] - return s != '' and s[:1] in '/\\' - - -# Join two (or more) paths. - -def join(a, *p): - """Join two or more pathname components, inserting "\\" as needed. - If any component is an absolute path, all previous path components - will be discarded.""" - path = a - for b in p: - b_wins = 0 # set to 1 iff b makes path irrelevant - if path == "": - b_wins = 1 - - elif isabs(b): - # This probably wipes out path so far. However, it's more - # complicated if path begins with a drive letter: - # 1. join('c:', '/a') == 'c:/a' - # 2. join('c:/', '/a') == 'c:/a' - # But - # 3. join('c:/a', '/b') == '/b' - # 4. join('c:', 'd:/') = 'd:/' - # 5. join('c:/', 'd:/') = 'd:/' - if path[1:2] != ":" or b[1:2] == ":": - # Path doesn't start with a drive letter, or cases 4 and 5. - b_wins = 1 - - # Else path has a drive letter, and b doesn't but is absolute. - elif len(path) > 3 or (len(path) == 3 and - path[-1] not in "/\\"): - # case 3 - b_wins = 1 - - if b_wins: - path = b - else: - # Join, and ensure there's a separator. - assert len(path) > 0 - if path[-1] in "/\\": - if b and b[0] in "/\\": - path += b[1:] - else: - path += b - elif path[-1] == ":": - path += b - elif b: - if b[0] in "/\\": - path += b - else: - path += "\\" + b - else: - # path is not empty and does not end with a backslash, - # but b is empty; since, e.g., split('a/') produces - # ('a', ''), it's best if join() adds a backslash in - # this case. - path += '\\' - - return path - - -# Split a path in a drive specification (a drive letter followed by a -# colon) and the path specification. -# It is always true that drivespec + pathspec == p -def splitdrive(p): - """Split a pathname into drive and path specifiers. Returns a 2-tuple -"(drive,path)"; either part may be empty""" - if p[1:2] == ':': - return p[0:2], p[2:] - return '', p - - -# Parse UNC paths -def splitunc(p): - """Split a pathname into UNC mount point and relative path specifiers. - - Return a 2-tuple (unc, rest); either part may be empty. - If unc is not empty, it has the form '//host/mount' (or similar - using backslashes). unc+rest is always the input path. - Paths containing drive letters never have an UNC part. - """ - if p[1:2] == ':': - return '', p # Drive letter present - firstTwo = p[0:2] - if firstTwo == '//' or firstTwo == '\\\\': - # is a UNC path: - # vvvvvvvvvvvvvvvvvvvv equivalent to drive letter - # \\machine\mountpoint\directories... - # directory ^^^^^^^^^^^^^^^ - normp = normcase(p) - index = normp.find('\\', 2) - if index == -1: - ##raise RuntimeError, 'illegal UNC path: "' + p + '"' - return ("", p) - index = normp.find('\\', index + 1) - if index == -1: - index = len(p) - return p[:index], p[index:] - return '', p - - -# Split a path in head (everything up to the last '/') and tail (the -# rest). After the trailing '/' is stripped, the invariant -# join(head, tail) == p holds. -# The resulting head won't end in '/' unless it is the root. - -def split(p): - """Split a pathname. - - Return tuple (head, tail) where tail is everything after the final slash. - Either part may be empty.""" - - d, p = splitdrive(p) - # set i to index beyond p's last slash - i = len(p) - while i and p[i-1] not in '/\\': - i = i - 1 - head, tail = p[:i], p[i:] # now tail has no slashes - # remove trailing slashes from head, unless it's all slashes - head2 = head - while head2 and head2[-1] in '/\\': - head2 = head2[:-1] - head = head2 or head - return d + head, tail - - -# Split a path in root and extension. -# The extension is everything starting at the last dot in the last -# pathname component; the root is everything before that. -# It is always true that root + ext == p. - -def splitext(p): - return genericpath._splitext(p, sep, altsep, extsep) -splitext.__doc__ = genericpath._splitext.__doc__ - - -# Return the tail (basename) part of a path. - -def basename(p): - """Returns the final component of a pathname""" - return split(p)[1] - - -# Return the head (dirname) part of a path. - -def dirname(p): - """Returns the directory component of a pathname""" - return split(p)[0] - -# Is a path a symbolic link? -# This will always return false on systems where posix.lstat doesn't exist. - -def islink(path): - """Test for symbolic link. - On WindowsNT/95 and OS/2 always returns false - """ - return False - -# alias exists to lexists -lexists = exists - -# Is a path a mount point? Either a root (with or without drive letter) -# or an UNC path with at most a / or \ after the mount point. - -def ismount(path): - """Test whether a path is a mount point (defined as root of drive)""" - unc, rest = splitunc(path) - if unc: - return rest in ("", "/", "\\") - p = splitdrive(path)[1] - return len(p) == 1 and p[0] in '/\\' - - -# Directory tree walk. -# For each directory under top (including top itself, but excluding -# '.' and '..'), func(arg, dirname, filenames) is called, where -# dirname is the name of the directory and filenames is the list -# of files (and subdirectories etc.) in the directory. -# The func may modify the filenames list, to implement a filter, -# or to impose a different order of visiting. - -def walk(top, func, arg): - """Directory tree walk with callback function. - - For each directory in the directory tree rooted at top (including top - itself, but excluding '.' and '..'), call func(arg, dirname, fnames). - dirname is the name of the directory, and fnames a list of the names of - the files and subdirectories in dirname (excluding '.' and '..'). func - may modify the fnames list in-place (e.g. via del or slice assignment), - and walk will only recurse into the subdirectories whose names remain in - fnames; this can be used to implement a filter, or to impose a specific - order of visiting. No semantics are defined for, or required of, arg, - beyond that arg is always passed to func. It can be used, e.g., to pass - a filename pattern, or a mutable object designed to accumulate - statistics. Passing None for arg is common.""" - warnings.warnpy3k("In 3.x, os.path.walk is removed in favor of os.walk.", - stacklevel=2) - try: - names = os.listdir(top) - except os.error: - return - func(arg, top, names) - for name in names: - name = join(top, name) - if isdir(name): - walk(name, func, arg) - - -# Expand paths beginning with '~' or '~user'. -# '~' means $HOME; '~user' means that user's home directory. -# If the path doesn't begin with '~', or if the user or $HOME is unknown, -# the path is returned unchanged (leaving error reporting to whatever -# function is called with the expanded path as argument). -# See also module 'glob' for expansion of *, ? and [...] in pathnames. -# (A function should also be defined to do full *sh-style environment -# variable expansion.) - -def expanduser(path): - """Expand ~ and ~user constructs. - - If user or $HOME is unknown, do nothing.""" - if path[:1] != '~': - return path - i, n = 1, len(path) - while i < n and path[i] not in '/\\': - i = i + 1 - - if 'HOME' in os.environ: - userhome = os.environ['HOME'] - elif 'USERPROFILE' in os.environ: - userhome = os.environ['USERPROFILE'] - elif not 'HOMEPATH' in os.environ: - return path - else: - try: - drive = os.environ['HOMEDRIVE'] - except KeyError: - drive = '' - userhome = join(drive, os.environ['HOMEPATH']) - - if i != 1: #~user - userhome = join(dirname(userhome), path[1:i]) - - return userhome + path[i:] - - -# Expand paths containing shell variable substitutions. -# The following rules apply: -# - no expansion within single quotes -# - '$$' is translated into '$' -# - '%%' is translated into '%' if '%%' are not seen in %var1%%var2% -# - ${varname} is accepted. -# - $varname is accepted. -# - %varname% is accepted. -# - varnames can be made out of letters, digits and the characters '_-' -# (though is not verified in the ${varname} and %varname% cases) -# XXX With COMMAND.COM you can use any characters in a variable name, -# XXX except '^|<>='. - -def expandvars(path): - """Expand shell variables of the forms $var, ${var} and %var%. - - Unknown variables are left unchanged.""" - if '$' not in path and '%' not in path: - return path - import string - varchars = string.ascii_letters + string.digits + '_-' - res = '' - index = 0 - pathlen = len(path) - while index < pathlen: - c = path[index] - if c == '\'': # no expansion within single quotes - path = path[index + 1:] - pathlen = len(path) - try: - index = path.index('\'') - res = res + '\'' + path[:index + 1] - except ValueError: - res = res + path - index = pathlen - 1 - elif c == '%': # variable or '%' - if path[index + 1:index + 2] == '%': - res = res + c - index = index + 1 - else: - path = path[index+1:] - pathlen = len(path) - try: - index = path.index('%') - except ValueError: - res = res + '%' + path - index = pathlen - 1 - else: - var = path[:index] - if var in os.environ: - res = res + os.environ[var] - else: - res = res + '%' + var + '%' - elif c == '$': # variable or '$$' - if path[index + 1:index + 2] == '$': - res = res + c - index = index + 1 - elif path[index + 1:index + 2] == '{': - path = path[index+2:] - pathlen = len(path) - try: - index = path.index('}') - var = path[:index] - if var in os.environ: - res = res + os.environ[var] - else: - res = res + '${' + var + '}' - except ValueError: - res = res + '${' + path - index = pathlen - 1 - else: - var = '' - index = index + 1 - c = path[index:index + 1] - while c != '' and c in varchars: - var = var + c - index = index + 1 - c = path[index:index + 1] - if var in os.environ: - res = res + os.environ[var] - else: - res = res + '$' + var - if c != '': - index = index - 1 - else: - res = res + c - index = index + 1 - return res - - -# Normalize a path, e.g. A//B, A/./B and A/foo/../B all become A\B. -# Previously, this function also truncated pathnames to 8+3 format, -# but as this module is called "ntpath", that's obviously wrong! - -def normpath(path): - """Normalize path, eliminating double slashes, etc.""" - # Preserve unicode (if path is unicode) - backslash, dot = (u'\\', u'.') if isinstance(path, unicode) else ('\\', '.') - if path.startswith(('\\\\.\\', '\\\\?\\')): - # in the case of paths with these prefixes: - # \\.\ -> device names - # \\?\ -> literal paths - # do not do any normalization, but return the path unchanged - return path - path = path.replace("/", "\\") - prefix, path = splitdrive(path) - # We need to be careful here. If the prefix is empty, and the path starts - # with a backslash, it could either be an absolute path on the current - # drive (\dir1\dir2\file) or a UNC filename (\\server\mount\dir1\file). It - # is therefore imperative NOT to collapse multiple backslashes blindly in - # that case. - # The code below preserves multiple backslashes when there is no drive - # letter. This means that the invalid filename \\\a\b is preserved - # unchanged, where a\\\b is normalised to a\b. It's not clear that there - # is any better behaviour for such edge cases. - if prefix == '': - # No drive letter - preserve initial backslashes - while path[:1] == "\\": - prefix = prefix + backslash - path = path[1:] - else: - # We have a drive letter - collapse initial backslashes - if path.startswith("\\"): - prefix = prefix + backslash - path = path.lstrip("\\") - comps = path.split("\\") - i = 0 - while i < len(comps): - if comps[i] in ('.', ''): - del comps[i] - elif comps[i] == '..': - if i > 0 and comps[i-1] != '..': - del comps[i-1:i+1] - i -= 1 - elif i == 0 and prefix.endswith("\\"): - del comps[i] - else: - i += 1 - else: - i += 1 - # If the path is now empty, substitute '.' - if not prefix and not comps: - comps.append(dot) - return prefix + backslash.join(comps) - - -# Return an absolute path. -try: - from nt import _getfullpathname - -except ImportError: # not running on Windows - mock up something sensible - def abspath(path): - """Return the absolute version of a path.""" - if not isabs(path): - if isinstance(path, unicode): - cwd = os.getcwdu() - else: - cwd = os.getcwd() - path = join(cwd, path) - return normpath(path) - -else: # use native Windows method on Windows - def abspath(path): - """Return the absolute version of a path.""" - - if path: # Empty path must return current working directory. - try: - path = _getfullpathname(path) - except WindowsError: - pass # Bad path - return unchanged. - elif isinstance(path, unicode): - path = os.getcwdu() - else: - path = os.getcwd() - return normpath(path) - -# realpath is a no-op on systems without islink support -realpath = abspath -# Win9x family and earlier have no Unicode filename support. -supports_unicode_filenames = (hasattr(sys, "getwindowsversion") and - sys.getwindowsversion()[3] >= 2) - -def _abspath_split(path): - abs = abspath(normpath(path)) - prefix, rest = splitunc(abs) - is_unc = bool(prefix) - if not is_unc: - prefix, rest = splitdrive(abs) - return is_unc, prefix, [x for x in rest.split(sep) if x] - -def relpath(path, start=curdir): - """Return a relative version of a path""" - - if not path: - raise ValueError("no path specified") - - start_is_unc, start_prefix, start_list = _abspath_split(start) - path_is_unc, path_prefix, path_list = _abspath_split(path) - - if path_is_unc ^ start_is_unc: - raise ValueError("Cannot mix UNC and non-UNC paths (%s and %s)" - % (path, start)) - if path_prefix.lower() != start_prefix.lower(): - if path_is_unc: - raise ValueError("path is on UNC root %s, start on UNC root %s" - % (path_prefix, start_prefix)) - else: - raise ValueError("path is on drive %s, start on drive %s" - % (path_prefix, start_prefix)) - # Work out how much of the filepath is shared by start and path. - i = 0 - for e1, e2 in zip(start_list, path_list): - if e1.lower() != e2.lower(): - break - i += 1 - - rel_list = [pardir] * (len(start_list)-i) + path_list[i:] - if not rel_list: - return curdir - return join(*rel_list) diff --git a/Tools/cg2glsl/cg2glsl_sources/lib/os.py b/Tools/cg2glsl/cg2glsl_sources/lib/os.py deleted file mode 100644 index 47399ab24b..0000000000 --- a/Tools/cg2glsl/cg2glsl_sources/lib/os.py +++ /dev/null @@ -1,759 +0,0 @@ -r"""OS routines for Mac, NT, or Posix depending on what system we're on. - -This exports: - - all functions from posix, nt, os2, or ce, e.g. unlink, stat, etc. - - os.path is one of the modules posixpath, or ntpath - - os.name is 'posix', 'nt', 'os2', 'ce' or 'riscos' - - os.curdir is a string representing the current directory ('.' or ':') - - os.pardir is a string representing the parent directory ('..' or '::') - - os.sep is the (or a most common) pathname separator ('/' or ':' or '\\') - - os.extsep is the extension separator ('.' or '/') - - os.altsep is the alternate pathname separator (None or '/') - - os.pathsep is the component separator used in $PATH etc - - os.linesep is the line separator in text files ('\r' or '\n' or '\r\n') - - os.defpath is the default search path for executables - - os.devnull is the file path of the null device ('/dev/null', etc.) - -Programs that import and use 'os' stand a better chance of being -portable between different platforms. Of course, they must then -only use functions that are defined by all platforms (e.g., unlink -and opendir), and leave all pathname manipulation to os.path -(e.g., split and join). -""" - -#' - -import sys, errno - -_names = sys.builtin_module_names - -# Note: more names are added to __all__ later. -__all__ = ["altsep", "curdir", "pardir", "sep", "extsep", "pathsep", "linesep", - "defpath", "name", "path", "devnull", - "SEEK_SET", "SEEK_CUR", "SEEK_END"] - -def _get_exports_list(module): - try: - return list(module.__all__) - except AttributeError: - return [n for n in dir(module) if n[0] != '_'] - -if 'posix' in _names: - name = 'posix' - linesep = '\n' - from posix import * - try: - from posix import _exit - except ImportError: - pass - import posixpath as path - - import posix - __all__.extend(_get_exports_list(posix)) - del posix - -elif 'nt' in _names: - name = 'nt' - linesep = '\r\n' - from nt import * - try: - from nt import _exit - except ImportError: - pass - import ntpath as path - - import nt - __all__.extend(_get_exports_list(nt)) - del nt - -elif 'os2' in _names: - name = 'os2' - linesep = '\r\n' - from os2 import * - try: - from os2 import _exit - except ImportError: - pass - if sys.version.find('EMX GCC') == -1: - import ntpath as path - else: - import os2emxpath as path - from _emx_link import link - - import os2 - __all__.extend(_get_exports_list(os2)) - del os2 - -elif 'ce' in _names: - name = 'ce' - linesep = '\r\n' - from ce import * - try: - from ce import _exit - except ImportError: - pass - # We can use the standard Windows path. - import ntpath as path - - import ce - __all__.extend(_get_exports_list(ce)) - del ce - -elif 'riscos' in _names: - name = 'riscos' - linesep = '\n' - from riscos import * - try: - from riscos import _exit - except ImportError: - pass - import riscospath as path - - import riscos - __all__.extend(_get_exports_list(riscos)) - del riscos - -else: - raise ImportError, 'no os specific module found' - -sys.modules['os.path'] = path -from os.path import (curdir, pardir, sep, pathsep, defpath, extsep, altsep, - devnull) - -del _names - -# Python uses fixed values for the SEEK_ constants; they are mapped -# to native constants if necessary in posixmodule.c -SEEK_SET = 0 -SEEK_CUR = 1 -SEEK_END = 2 - -#' - -# Super directory utilities. -# (Inspired by Eric Raymond; the doc strings are mostly his) - -def makedirs(name, mode=0777): - """makedirs(path [, mode=0777]) - - Super-mkdir; create a leaf directory and all intermediate ones. - Works like mkdir, except that any intermediate path segment (not - just the rightmost) will be created if it does not exist. This is - recursive. - - """ - head, tail = path.split(name) - if not tail: - head, tail = path.split(head) - if head and tail and not path.exists(head): - try: - makedirs(head, mode) - except OSError, e: - # be happy if someone already created the path - if e.errno != errno.EEXIST: - raise - if tail == curdir: # xxx/newdir/. exists if xxx/newdir exists - return - mkdir(name, mode) - -def removedirs(name): - """removedirs(path) - - Super-rmdir; remove a leaf directory and all empty intermediate - ones. Works like rmdir except that, if the leaf directory is - successfully removed, directories corresponding to rightmost path - segments will be pruned away until either the whole path is - consumed or an error occurs. Errors during this latter phase are - ignored -- they generally mean that a directory was not empty. - - """ - rmdir(name) - head, tail = path.split(name) - if not tail: - head, tail = path.split(head) - while head and tail: - try: - rmdir(head) - except error: - break - head, tail = path.split(head) - -def renames(old, new): - """renames(old, new) - - Super-rename; create directories as necessary and delete any left - empty. Works like rename, except creation of any intermediate - directories needed to make the new pathname good is attempted - first. After the rename, directories corresponding to rightmost - path segments of the old name will be pruned way until either the - whole path is consumed or a nonempty directory is found. - - Note: this function can fail with the new directory structure made - if you lack permissions needed to unlink the leaf directory or - file. - - """ - head, tail = path.split(new) - if head and tail and not path.exists(head): - makedirs(head) - rename(old, new) - head, tail = path.split(old) - if head and tail: - try: - removedirs(head) - except error: - pass - -__all__.extend(["makedirs", "removedirs", "renames"]) - -def walk(top, topdown=True, onerror=None, followlinks=False): - """Directory tree generator. - - For each directory in the directory tree rooted at top (including top - itself, but excluding '.' and '..'), yields a 3-tuple - - dirpath, dirnames, filenames - - dirpath is a string, the path to the directory. dirnames is a list of - the names of the subdirectories in dirpath (excluding '.' and '..'). - filenames is a list of the names of the non-directory files in dirpath. - Note that the names in the lists are just names, with no path components. - To get a full path (which begins with top) to a file or directory in - dirpath, do os.path.join(dirpath, name). - - If optional arg 'topdown' is true or not specified, the triple for a - directory is generated before the triples for any of its subdirectories - (directories are generated top down). If topdown is false, the triple - for a directory is generated after the triples for all of its - subdirectories (directories are generated bottom up). - - When topdown is true, the caller can modify the dirnames list in-place - (e.g., via del or slice assignment), and walk will only recurse into the - subdirectories whose names remain in dirnames; this can be used to prune - the search, or to impose a specific order of visiting. Modifying - dirnames when topdown is false is ineffective, since the directories in - dirnames have already been generated by the time dirnames itself is - generated. - - By default errors from the os.listdir() call are ignored. If - optional arg 'onerror' is specified, it should be a function; it - will be called with one argument, an os.error instance. It can - report the error to continue with the walk, or raise the exception - to abort the walk. Note that the filename is available as the - filename attribute of the exception object. - - By default, os.walk does not follow symbolic links to subdirectories on - systems that support them. In order to get this functionality, set the - optional argument 'followlinks' to true. - - Caution: if you pass a relative pathname for top, don't change the - current working directory between resumptions of walk. walk never - changes the current directory, and assumes that the client doesn't - either. - - Example: - - import os - from os.path import join, getsize - for root, dirs, files in os.walk('python/Lib/email'): - print root, "consumes", - print sum([getsize(join(root, name)) for name in files]), - print "bytes in", len(files), "non-directory files" - if 'CVS' in dirs: - dirs.remove('CVS') # don't visit CVS directories - """ - - islink, join, isdir = path.islink, path.join, path.isdir - - # We may not have read permission for top, in which case we can't - # get a list of the files the directory contains. os.path.walk - # always suppressed the exception then, rather than blow up for a - # minor reason when (say) a thousand readable directories are still - # left to visit. That logic is copied here. - try: - # Note that listdir and error are globals in this module due - # to earlier import-*. - names = listdir(top) - except error, err: - if onerror is not None: - onerror(err) - return - - dirs, nondirs = [], [] - for name in names: - if isdir(join(top, name)): - dirs.append(name) - else: - nondirs.append(name) - - if topdown: - yield top, dirs, nondirs - for name in dirs: - new_path = join(top, name) - if followlinks or not islink(new_path): - for x in walk(new_path, topdown, onerror, followlinks): - yield x - if not topdown: - yield top, dirs, nondirs - -__all__.append("walk") - -# Make sure os.environ exists, at least -try: - environ -except NameError: - environ = {} - -def execl(file, *args): - """execl(file, *args) - - Execute the executable file with argument list args, replacing the - current process. """ - execv(file, args) - -def execle(file, *args): - """execle(file, *args, env) - - Execute the executable file with argument list args and - environment env, replacing the current process. """ - env = args[-1] - execve(file, args[:-1], env) - -def execlp(file, *args): - """execlp(file, *args) - - Execute the executable file (which is searched for along $PATH) - with argument list args, replacing the current process. """ - execvp(file, args) - -def execlpe(file, *args): - """execlpe(file, *args, env) - - Execute the executable file (which is searched for along $PATH) - with argument list args and environment env, replacing the current - process. """ - env = args[-1] - execvpe(file, args[:-1], env) - -def execvp(file, args): - """execvp(file, args) - - Execute the executable file (which is searched for along $PATH) - with argument list args, replacing the current process. - args may be a list or tuple of strings. """ - _execvpe(file, args) - -def execvpe(file, args, env): - """execvpe(file, args, env) - - Execute the executable file (which is searched for along $PATH) - with argument list args and environment env , replacing the - current process. - args may be a list or tuple of strings. """ - _execvpe(file, args, env) - -__all__.extend(["execl","execle","execlp","execlpe","execvp","execvpe"]) - -def _execvpe(file, args, env=None): - if env is not None: - func = execve - argrest = (args, env) - else: - func = execv - argrest = (args,) - env = environ - - head, tail = path.split(file) - if head: - func(file, *argrest) - return - if 'PATH' in env: - envpath = env['PATH'] - else: - envpath = defpath - PATH = envpath.split(pathsep) - saved_exc = None - saved_tb = None - for dir in PATH: - fullname = path.join(dir, file) - try: - func(fullname, *argrest) - except error, e: - tb = sys.exc_info()[2] - if (e.errno != errno.ENOENT and e.errno != errno.ENOTDIR - and saved_exc is None): - saved_exc = e - saved_tb = tb - if saved_exc: - raise error, saved_exc, saved_tb - raise error, e, tb - -# Change environ to automatically call putenv() if it exists -try: - # This will fail if there's no putenv - putenv -except NameError: - pass -else: - import UserDict - - # Fake unsetenv() for Windows - # not sure about os2 here but - # I'm guessing they are the same. - - if name in ('os2', 'nt'): - def unsetenv(key): - putenv(key, "") - - if name == "riscos": - # On RISC OS, all env access goes through getenv and putenv - from riscosenviron import _Environ - elif name in ('os2', 'nt'): # Where Env Var Names Must Be UPPERCASE - # But we store them as upper case - class _Environ(UserDict.IterableUserDict): - def __init__(self, environ): - UserDict.UserDict.__init__(self) - data = self.data - for k, v in environ.items(): - data[k.upper()] = v - def __setitem__(self, key, item): - putenv(key, item) - self.data[key.upper()] = item - def __getitem__(self, key): - return self.data[key.upper()] - try: - unsetenv - except NameError: - def __delitem__(self, key): - del self.data[key.upper()] - else: - def __delitem__(self, key): - unsetenv(key) - del self.data[key.upper()] - def clear(self): - for key in self.data.keys(): - unsetenv(key) - del self.data[key] - def pop(self, key, *args): - unsetenv(key) - return self.data.pop(key.upper(), *args) - def has_key(self, key): - return key.upper() in self.data - def __contains__(self, key): - return key.upper() in self.data - def get(self, key, failobj=None): - return self.data.get(key.upper(), failobj) - def update(self, dict=None, **kwargs): - if dict: - try: - keys = dict.keys() - except AttributeError: - # List of (key, value) - for k, v in dict: - self[k] = v - else: - # got keys - # cannot use items(), since mappings - # may not have them. - for k in keys: - self[k] = dict[k] - if kwargs: - self.update(kwargs) - def copy(self): - return dict(self) - - else: # Where Env Var Names Can Be Mixed Case - class _Environ(UserDict.IterableUserDict): - def __init__(self, environ): - UserDict.UserDict.__init__(self) - self.data = environ - def __setitem__(self, key, item): - putenv(key, item) - self.data[key] = item - def update(self, dict=None, **kwargs): - if dict: - try: - keys = dict.keys() - except AttributeError: - # List of (key, value) - for k, v in dict: - self[k] = v - else: - # got keys - # cannot use items(), since mappings - # may not have them. - for k in keys: - self[k] = dict[k] - if kwargs: - self.update(kwargs) - try: - unsetenv - except NameError: - pass - else: - def __delitem__(self, key): - unsetenv(key) - del self.data[key] - def clear(self): - for key in self.data.keys(): - unsetenv(key) - del self.data[key] - def pop(self, key, *args): - unsetenv(key) - return self.data.pop(key, *args) - def copy(self): - return dict(self) - - - environ = _Environ(environ) - -def getenv(key, default=None): - """Get an environment variable, return None if it doesn't exist. - The optional second argument can specify an alternate default.""" - return environ.get(key, default) -__all__.append("getenv") - -def _exists(name): - return name in globals() - -# Supply spawn*() (probably only for Unix) -if _exists("fork") and not _exists("spawnv") and _exists("execv"): - - P_WAIT = 0 - P_NOWAIT = P_NOWAITO = 1 - - # XXX Should we support P_DETACH? I suppose it could fork()**2 - # and close the std I/O streams. Also, P_OVERLAY is the same - # as execv*()? - - def _spawnvef(mode, file, args, env, func): - # Internal helper; func is the exec*() function to use - pid = fork() - if not pid: - # Child - try: - if env is None: - func(file, args) - else: - func(file, args, env) - except: - _exit(127) - else: - # Parent - if mode == P_NOWAIT: - return pid # Caller is responsible for waiting! - while 1: - wpid, sts = waitpid(pid, 0) - if WIFSTOPPED(sts): - continue - elif WIFSIGNALED(sts): - return -WTERMSIG(sts) - elif WIFEXITED(sts): - return WEXITSTATUS(sts) - else: - raise error, "Not stopped, signaled or exited???" - - def spawnv(mode, file, args): - """spawnv(mode, file, args) -> integer - -Execute file with arguments from args in a subprocess. -If mode == P_NOWAIT return the pid of the process. -If mode == P_WAIT return the process's exit code if it exits normally; -otherwise return -SIG, where SIG is the signal that killed it. """ - return _spawnvef(mode, file, args, None, execv) - - def spawnve(mode, file, args, env): - """spawnve(mode, file, args, env) -> integer - -Execute file with arguments from args in a subprocess with the -specified environment. -If mode == P_NOWAIT return the pid of the process. -If mode == P_WAIT return the process's exit code if it exits normally; -otherwise return -SIG, where SIG is the signal that killed it. """ - return _spawnvef(mode, file, args, env, execve) - - # Note: spawnvp[e] is't currently supported on Windows - - def spawnvp(mode, file, args): - """spawnvp(mode, file, args) -> integer - -Execute file (which is looked for along $PATH) with arguments from -args in a subprocess. -If mode == P_NOWAIT return the pid of the process. -If mode == P_WAIT return the process's exit code if it exits normally; -otherwise return -SIG, where SIG is the signal that killed it. """ - return _spawnvef(mode, file, args, None, execvp) - - def spawnvpe(mode, file, args, env): - """spawnvpe(mode, file, args, env) -> integer - -Execute file (which is looked for along $PATH) with arguments from -args in a subprocess with the supplied environment. -If mode == P_NOWAIT return the pid of the process. -If mode == P_WAIT return the process's exit code if it exits normally; -otherwise return -SIG, where SIG is the signal that killed it. """ - return _spawnvef(mode, file, args, env, execvpe) - -if _exists("spawnv"): - # These aren't supplied by the basic Windows code - # but can be easily implemented in Python - - def spawnl(mode, file, *args): - """spawnl(mode, file, *args) -> integer - -Execute file with arguments from args in a subprocess. -If mode == P_NOWAIT return the pid of the process. -If mode == P_WAIT return the process's exit code if it exits normally; -otherwise return -SIG, where SIG is the signal that killed it. """ - return spawnv(mode, file, args) - - def spawnle(mode, file, *args): - """spawnle(mode, file, *args, env) -> integer - -Execute file with arguments from args in a subprocess with the -supplied environment. -If mode == P_NOWAIT return the pid of the process. -If mode == P_WAIT return the process's exit code if it exits normally; -otherwise return -SIG, where SIG is the signal that killed it. """ - env = args[-1] - return spawnve(mode, file, args[:-1], env) - - - __all__.extend(["spawnv", "spawnve", "spawnl", "spawnle",]) - - -if _exists("spawnvp"): - # At the moment, Windows doesn't implement spawnvp[e], - # so it won't have spawnlp[e] either. - def spawnlp(mode, file, *args): - """spawnlp(mode, file, *args) -> integer - -Execute file (which is looked for along $PATH) with arguments from -args in a subprocess with the supplied environment. -If mode == P_NOWAIT return the pid of the process. -If mode == P_WAIT return the process's exit code if it exits normally; -otherwise return -SIG, where SIG is the signal that killed it. """ - return spawnvp(mode, file, args) - - def spawnlpe(mode, file, *args): - """spawnlpe(mode, file, *args, env) -> integer - -Execute file (which is looked for along $PATH) with arguments from -args in a subprocess with the supplied environment. -If mode == P_NOWAIT return the pid of the process. -If mode == P_WAIT return the process's exit code if it exits normally; -otherwise return -SIG, where SIG is the signal that killed it. """ - env = args[-1] - return spawnvpe(mode, file, args[:-1], env) - - - __all__.extend(["spawnvp", "spawnvpe", "spawnlp", "spawnlpe",]) - - -# Supply popen2 etc. (for Unix) -if _exists("fork"): - if not _exists("popen2"): - def popen2(cmd, mode="t", bufsize=-1): - """Execute the shell command 'cmd' in a sub-process. On UNIX, 'cmd' - may be a sequence, in which case arguments will be passed directly to - the program without shell intervention (as with os.spawnv()). If 'cmd' - is a string it will be passed to the shell (as with os.system()). If - 'bufsize' is specified, it sets the buffer size for the I/O pipes. The - file objects (child_stdin, child_stdout) are returned.""" - import warnings - msg = "os.popen2 is deprecated. Use the subprocess module." - warnings.warn(msg, DeprecationWarning, stacklevel=2) - - import subprocess - PIPE = subprocess.PIPE - p = subprocess.Popen(cmd, shell=isinstance(cmd, basestring), - bufsize=bufsize, stdin=PIPE, stdout=PIPE, - close_fds=True) - return p.stdin, p.stdout - __all__.append("popen2") - - if not _exists("popen3"): - def popen3(cmd, mode="t", bufsize=-1): - """Execute the shell command 'cmd' in a sub-process. On UNIX, 'cmd' - may be a sequence, in which case arguments will be passed directly to - the program without shell intervention (as with os.spawnv()). If 'cmd' - is a string it will be passed to the shell (as with os.system()). If - 'bufsize' is specified, it sets the buffer size for the I/O pipes. The - file objects (child_stdin, child_stdout, child_stderr) are returned.""" - import warnings - msg = "os.popen3 is deprecated. Use the subprocess module." - warnings.warn(msg, DeprecationWarning, stacklevel=2) - - import subprocess - PIPE = subprocess.PIPE - p = subprocess.Popen(cmd, shell=isinstance(cmd, basestring), - bufsize=bufsize, stdin=PIPE, stdout=PIPE, - stderr=PIPE, close_fds=True) - return p.stdin, p.stdout, p.stderr - __all__.append("popen3") - - if not _exists("popen4"): - def popen4(cmd, mode="t", bufsize=-1): - """Execute the shell command 'cmd' in a sub-process. On UNIX, 'cmd' - may be a sequence, in which case arguments will be passed directly to - the program without shell intervention (as with os.spawnv()). If 'cmd' - is a string it will be passed to the shell (as with os.system()). If - 'bufsize' is specified, it sets the buffer size for the I/O pipes. The - file objects (child_stdin, child_stdout_stderr) are returned.""" - import warnings - msg = "os.popen4 is deprecated. Use the subprocess module." - warnings.warn(msg, DeprecationWarning, stacklevel=2) - - import subprocess - PIPE = subprocess.PIPE - p = subprocess.Popen(cmd, shell=isinstance(cmd, basestring), - bufsize=bufsize, stdin=PIPE, stdout=PIPE, - stderr=subprocess.STDOUT, close_fds=True) - return p.stdin, p.stdout - __all__.append("popen4") - -import copy_reg as _copy_reg - -def _make_stat_result(tup, dict): - return stat_result(tup, dict) - -def _pickle_stat_result(sr): - (type, args) = sr.__reduce__() - return (_make_stat_result, args) - -try: - _copy_reg.pickle(stat_result, _pickle_stat_result, _make_stat_result) -except NameError: # stat_result may not exist - pass - -def _make_statvfs_result(tup, dict): - return statvfs_result(tup, dict) - -def _pickle_statvfs_result(sr): - (type, args) = sr.__reduce__() - return (_make_statvfs_result, args) - -try: - _copy_reg.pickle(statvfs_result, _pickle_statvfs_result, - _make_statvfs_result) -except NameError: # statvfs_result may not exist - pass - -if not _exists("urandom"): - def urandom(n): - """urandom(n) -> str - - Return a string of n random bytes suitable for cryptographic use. - - """ - try: - _urandomfd = open("/dev/urandom", O_RDONLY) - except (OSError, IOError): - raise NotImplementedError("/dev/urandom (or equivalent) not found") - try: - bs = b"" - while n > len(bs): - bs += read(_urandomfd, n - len(bs)) - finally: - close(_urandomfd) - return bs diff --git a/Tools/cg2glsl/cg2glsl_sources/lib/stat.py b/Tools/cg2glsl/cg2glsl_sources/lib/stat.py deleted file mode 100644 index 1148fc8bc4..0000000000 --- a/Tools/cg2glsl/cg2glsl_sources/lib/stat.py +++ /dev/null @@ -1,94 +0,0 @@ -"""Constants/functions for interpreting results of os.stat() and os.lstat(). - -Suggested usage: from stat import * -""" - -# Indices for stat struct members in the tuple returned by os.stat() - -ST_MODE = 0 -ST_INO = 1 -ST_DEV = 2 -ST_NLINK = 3 -ST_UID = 4 -ST_GID = 5 -ST_SIZE = 6 -ST_ATIME = 7 -ST_MTIME = 8 -ST_CTIME = 9 - -# Extract bits from the mode - -def S_IMODE(mode): - return mode & 07777 - -def S_IFMT(mode): - return mode & 0170000 - -# Constants used as S_IFMT() for various file types -# (not all are implemented on all systems) - -S_IFDIR = 0040000 -S_IFCHR = 0020000 -S_IFBLK = 0060000 -S_IFREG = 0100000 -S_IFIFO = 0010000 -S_IFLNK = 0120000 -S_IFSOCK = 0140000 - -# Functions to test for each file type - -def S_ISDIR(mode): - return S_IFMT(mode) == S_IFDIR - -def S_ISCHR(mode): - return S_IFMT(mode) == S_IFCHR - -def S_ISBLK(mode): - return S_IFMT(mode) == S_IFBLK - -def S_ISREG(mode): - return S_IFMT(mode) == S_IFREG - -def S_ISFIFO(mode): - return S_IFMT(mode) == S_IFIFO - -def S_ISLNK(mode): - return S_IFMT(mode) == S_IFLNK - -def S_ISSOCK(mode): - return S_IFMT(mode) == S_IFSOCK - -# Names for permission bits - -S_ISUID = 04000 -S_ISGID = 02000 -S_ENFMT = S_ISGID -S_ISVTX = 01000 -S_IREAD = 00400 -S_IWRITE = 00200 -S_IEXEC = 00100 -S_IRWXU = 00700 -S_IRUSR = 00400 -S_IWUSR = 00200 -S_IXUSR = 00100 -S_IRWXG = 00070 -S_IRGRP = 00040 -S_IWGRP = 00020 -S_IXGRP = 00010 -S_IRWXO = 00007 -S_IROTH = 00004 -S_IWOTH = 00002 -S_IXOTH = 00001 - -# Names for file flags - -UF_NODUMP = 0x00000001 -UF_IMMUTABLE = 0x00000002 -UF_APPEND = 0x00000004 -UF_OPAQUE = 0x00000008 -UF_NOUNLINK = 0x00000010 -SF_ARCHIVED = 0x00010000 -SF_IMMUTABLE = 0x00020000 -SF_APPEND = 0x00040000 -SF_NOUNLINK = 0x00100000 -SF_SNAPSHOT = 0x00200000 diff --git a/Tools/cg2glsl/cg2glsl_sources/lib/subprocess.py b/Tools/cg2glsl/cg2glsl_sources/lib/subprocess.py deleted file mode 100644 index a48ffafc3d..0000000000 --- a/Tools/cg2glsl/cg2glsl_sources/lib/subprocess.py +++ /dev/null @@ -1,1512 +0,0 @@ -# subprocess - Subprocesses with accessible I/O streams -# -# For more information about this module, see PEP 324. -# -# This module should remain compatible with Python 2.2, see PEP 291. -# -# Copyright (c) 2003-2005 by Peter Astrand -# -# Licensed to PSF under a Contributor Agreement. -# See http://www.python.org/2.4/license for licensing details. - -r"""subprocess - Subprocesses with accessible I/O streams - -This module allows you to spawn processes, connect to their -input/output/error pipes, and obtain their return codes. This module -intends to replace several other, older modules and functions, like: - -os.system -os.spawn* -os.popen* -popen2.* -commands.* - -Information about how the subprocess module can be used to replace these -modules and functions can be found below. - - - -Using the subprocess module -=========================== -This module defines one class called Popen: - -class Popen(args, bufsize=0, executable=None, - stdin=None, stdout=None, stderr=None, - preexec_fn=None, close_fds=False, shell=False, - cwd=None, env=None, universal_newlines=False, - startupinfo=None, creationflags=0): - - -Arguments are: - -args should be a string, or a sequence of program arguments. The -program to execute is normally the first item in the args sequence or -string, but can be explicitly set by using the executable argument. - -On UNIX, with shell=False (default): In this case, the Popen class -uses os.execvp() to execute the child program. args should normally -be a sequence. A string will be treated as a sequence with the string -as the only item (the program to execute). - -On UNIX, with shell=True: If args is a string, it specifies the -command string to execute through the shell. If args is a sequence, -the first item specifies the command string, and any additional items -will be treated as additional shell arguments. - -On Windows: the Popen class uses CreateProcess() to execute the child -program, which operates on strings. If args is a sequence, it will be -converted to a string using the list2cmdline method. Please note that -not all MS Windows applications interpret the command line the same -way: The list2cmdline is designed for applications using the same -rules as the MS C runtime. - -bufsize, if given, has the same meaning as the corresponding argument -to the built-in open() function: 0 means unbuffered, 1 means line -buffered, any other positive value means use a buffer of -(approximately) that size. A negative bufsize means to use the system -default, which usually means fully buffered. The default value for -bufsize is 0 (unbuffered). - -stdin, stdout and stderr specify the executed programs' standard -input, standard output and standard error file handles, respectively. -Valid values are PIPE, an existing file descriptor (a positive -integer), an existing file object, and None. PIPE indicates that a -new pipe to the child should be created. With None, no redirection -will occur; the child's file handles will be inherited from the -parent. Additionally, stderr can be STDOUT, which indicates that the -stderr data from the applications should be captured into the same -file handle as for stdout. - -If preexec_fn is set to a callable object, this object will be called -in the child process just before the child is executed. - -If close_fds is true, all file descriptors except 0, 1 and 2 will be -closed before the child process is executed. - -if shell is true, the specified command will be executed through the -shell. - -If cwd is not None, the current directory will be changed to cwd -before the child is executed. - -If env is not None, it defines the environment variables for the new -process. - -If universal_newlines is true, the file objects stdout and stderr are -opened as a text files, but lines may be terminated by any of '\n', -the Unix end-of-line convention, '\r', the Macintosh convention or -'\r\n', the Windows convention. All of these external representations -are seen as '\n' by the Python program. Note: This feature is only -available if Python is built with universal newline support (the -default). Also, the newlines attribute of the file objects stdout, -stdin and stderr are not updated by the communicate() method. - -The startupinfo and creationflags, if given, will be passed to the -underlying CreateProcess() function. They can specify things such as -appearance of the main window and priority for the new process. -(Windows only) - - -This module also defines some shortcut functions: - -call(*popenargs, **kwargs): - Run command with arguments. Wait for command to complete, then - return the returncode attribute. - - The arguments are the same as for the Popen constructor. Example: - - retcode = call(["ls", "-l"]) - -check_call(*popenargs, **kwargs): - Run command with arguments. Wait for command to complete. If the - exit code was zero then return, otherwise raise - CalledProcessError. The CalledProcessError object will have the - return code in the returncode attribute. - - The arguments are the same as for the Popen constructor. Example: - - check_call(["ls", "-l"]) - -check_output(*popenargs, **kwargs): - Run command with arguments and return its output as a byte string. - - If the exit code was non-zero it raises a CalledProcessError. The - CalledProcessError object will have the return code in the returncode - attribute and output in the output attribute. - - The arguments are the same as for the Popen constructor. Example: - - output = check_output(["ls", "-l", "/dev/null"]) - - -Exceptions ----------- -Exceptions raised in the child process, before the new program has -started to execute, will be re-raised in the parent. Additionally, -the exception object will have one extra attribute called -'child_traceback', which is a string containing traceback information -from the childs point of view. - -The most common exception raised is OSError. This occurs, for -example, when trying to execute a non-existent file. Applications -should prepare for OSErrors. - -A ValueError will be raised if Popen is called with invalid arguments. - -check_call() and check_output() will raise CalledProcessError, if the -called process returns a non-zero return code. - - -Security --------- -Unlike some other popen functions, this implementation will never call -/bin/sh implicitly. This means that all characters, including shell -metacharacters, can safely be passed to child processes. - - -Popen objects -============= -Instances of the Popen class have the following methods: - -poll() - Check if child process has terminated. Returns returncode - attribute. - -wait() - Wait for child process to terminate. Returns returncode attribute. - -communicate(input=None) - Interact with process: Send data to stdin. Read data from stdout - and stderr, until end-of-file is reached. Wait for process to - terminate. The optional input argument should be a string to be - sent to the child process, or None, if no data should be sent to - the child. - - communicate() returns a tuple (stdout, stderr). - - Note: The data read is buffered in memory, so do not use this - method if the data size is large or unlimited. - -The following attributes are also available: - -stdin - If the stdin argument is PIPE, this attribute is a file object - that provides input to the child process. Otherwise, it is None. - -stdout - If the stdout argument is PIPE, this attribute is a file object - that provides output from the child process. Otherwise, it is - None. - -stderr - If the stderr argument is PIPE, this attribute is file object that - provides error output from the child process. Otherwise, it is - None. - -pid - The process ID of the child process. - -returncode - The child return code. A None value indicates that the process - hasn't terminated yet. A negative value -N indicates that the - child was terminated by signal N (UNIX only). - - -Replacing older functions with the subprocess module -==================================================== -In this section, "a ==> b" means that b can be used as a replacement -for a. - -Note: All functions in this section fail (more or less) silently if -the executed program cannot be found; this module raises an OSError -exception. - -In the following examples, we assume that the subprocess module is -imported with "from subprocess import *". - - -Replacing /bin/sh shell backquote ---------------------------------- -output=`mycmd myarg` -==> -output = Popen(["mycmd", "myarg"], stdout=PIPE).communicate()[0] - - -Replacing shell pipe line -------------------------- -output=`dmesg | grep hda` -==> -p1 = Popen(["dmesg"], stdout=PIPE) -p2 = Popen(["grep", "hda"], stdin=p1.stdout, stdout=PIPE) -output = p2.communicate()[0] - - -Replacing os.system() ---------------------- -sts = os.system("mycmd" + " myarg") -==> -p = Popen("mycmd" + " myarg", shell=True) -pid, sts = os.waitpid(p.pid, 0) - -Note: - -* Calling the program through the shell is usually not required. - -* It's easier to look at the returncode attribute than the - exitstatus. - -A more real-world example would look like this: - -try: - retcode = call("mycmd" + " myarg", shell=True) - if retcode < 0: - print >>sys.stderr, "Child was terminated by signal", -retcode - else: - print >>sys.stderr, "Child returned", retcode -except OSError, e: - print >>sys.stderr, "Execution failed:", e - - -Replacing os.spawn* -------------------- -P_NOWAIT example: - -pid = os.spawnlp(os.P_NOWAIT, "/bin/mycmd", "mycmd", "myarg") -==> -pid = Popen(["/bin/mycmd", "myarg"]).pid - - -P_WAIT example: - -retcode = os.spawnlp(os.P_WAIT, "/bin/mycmd", "mycmd", "myarg") -==> -retcode = call(["/bin/mycmd", "myarg"]) - - -Vector example: - -os.spawnvp(os.P_NOWAIT, path, args) -==> -Popen([path] + args[1:]) - - -Environment example: - -os.spawnlpe(os.P_NOWAIT, "/bin/mycmd", "mycmd", "myarg", env) -==> -Popen(["/bin/mycmd", "myarg"], env={"PATH": "/usr/bin"}) - - -Replacing os.popen* -------------------- -pipe = os.popen("cmd", mode='r', bufsize) -==> -pipe = Popen("cmd", shell=True, bufsize=bufsize, stdout=PIPE).stdout - -pipe = os.popen("cmd", mode='w', bufsize) -==> -pipe = Popen("cmd", shell=True, bufsize=bufsize, stdin=PIPE).stdin - - -(child_stdin, child_stdout) = os.popen2("cmd", mode, bufsize) -==> -p = Popen("cmd", shell=True, bufsize=bufsize, - stdin=PIPE, stdout=PIPE, close_fds=True) -(child_stdin, child_stdout) = (p.stdin, p.stdout) - - -(child_stdin, - child_stdout, - child_stderr) = os.popen3("cmd", mode, bufsize) -==> -p = Popen("cmd", shell=True, bufsize=bufsize, - stdin=PIPE, stdout=PIPE, stderr=PIPE, close_fds=True) -(child_stdin, - child_stdout, - child_stderr) = (p.stdin, p.stdout, p.stderr) - - -(child_stdin, child_stdout_and_stderr) = os.popen4("cmd", mode, - bufsize) -==> -p = Popen("cmd", shell=True, bufsize=bufsize, - stdin=PIPE, stdout=PIPE, stderr=STDOUT, close_fds=True) -(child_stdin, child_stdout_and_stderr) = (p.stdin, p.stdout) - -On Unix, os.popen2, os.popen3 and os.popen4 also accept a sequence as -the command to execute, in which case arguments will be passed -directly to the program without shell intervention. This usage can be -replaced as follows: - -(child_stdin, child_stdout) = os.popen2(["/bin/ls", "-l"], mode, - bufsize) -==> -p = Popen(["/bin/ls", "-l"], bufsize=bufsize, stdin=PIPE, stdout=PIPE) -(child_stdin, child_stdout) = (p.stdin, p.stdout) - -Return code handling translates as follows: - -pipe = os.popen("cmd", 'w') -... -rc = pipe.close() -if rc is not None and rc % 256: - print "There were some errors" -==> -process = Popen("cmd", 'w', shell=True, stdin=PIPE) -... -process.stdin.close() -if process.wait() != 0: - print "There were some errors" - - -Replacing popen2.* ------------------- -(child_stdout, child_stdin) = popen2.popen2("somestring", bufsize, mode) -==> -p = Popen(["somestring"], shell=True, bufsize=bufsize - stdin=PIPE, stdout=PIPE, close_fds=True) -(child_stdout, child_stdin) = (p.stdout, p.stdin) - -On Unix, popen2 also accepts a sequence as the command to execute, in -which case arguments will be passed directly to the program without -shell intervention. This usage can be replaced as follows: - -(child_stdout, child_stdin) = popen2.popen2(["mycmd", "myarg"], bufsize, - mode) -==> -p = Popen(["mycmd", "myarg"], bufsize=bufsize, - stdin=PIPE, stdout=PIPE, close_fds=True) -(child_stdout, child_stdin) = (p.stdout, p.stdin) - -The popen2.Popen3 and popen2.Popen4 basically works as subprocess.Popen, -except that: - -* subprocess.Popen raises an exception if the execution fails -* the capturestderr argument is replaced with the stderr argument. -* stdin=PIPE and stdout=PIPE must be specified. -* popen2 closes all filedescriptors by default, but you have to specify - close_fds=True with subprocess.Popen. -""" - -import sys, os -mswindows = (sys.platform == "win32" or (sys.platform == "cli" and os.name == 'nt')) - -import types -import traceback -import gc -import signal -import errno - -# Exception classes used by this module. -class CalledProcessError(Exception): - """This exception is raised when a process run by check_call() or - check_output() returns a non-zero exit status. - The exit status will be stored in the returncode attribute; - check_output() will also store the output in the output attribute. - """ - def __init__(self, returncode, cmd, output=None): - self.returncode = returncode - self.cmd = cmd - self.output = output - def __str__(self): - return "Command '%s' returned non-zero exit status %d" % (self.cmd, self.returncode) - - -if mswindows: - import threading - import msvcrt - import _subprocess - class STARTUPINFO: - dwFlags = 0 - hStdInput = None - hStdOutput = None - hStdError = None - wShowWindow = 0 - class pywintypes: - error = IOError -else: - import select - _has_poll = hasattr(select, 'poll') - import fcntl - import pickle - - # When select or poll has indicated that the file is writable, - # we can write up to _PIPE_BUF bytes without risk of blocking. - # POSIX defines PIPE_BUF as >= 512. - _PIPE_BUF = getattr(select, 'PIPE_BUF', 512) - - -__all__ = ["Popen", "PIPE", "STDOUT", "call", "check_call", - "check_output", "CalledProcessError"] - -if mswindows: - from _subprocess import (CREATE_NEW_CONSOLE, CREATE_NEW_PROCESS_GROUP, - STD_INPUT_HANDLE, STD_OUTPUT_HANDLE, - STD_ERROR_HANDLE, SW_HIDE, - STARTF_USESTDHANDLES, STARTF_USESHOWWINDOW) - - __all__.extend(["CREATE_NEW_CONSOLE", "CREATE_NEW_PROCESS_GROUP", - "STD_INPUT_HANDLE", "STD_OUTPUT_HANDLE", - "STD_ERROR_HANDLE", "SW_HIDE", - "STARTF_USESTDHANDLES", "STARTF_USESHOWWINDOW"]) -try: - MAXFD = os.sysconf("SC_OPEN_MAX") -except: - MAXFD = 256 - -_active = [] - -def _cleanup(): - for inst in _active[:]: - res = inst._internal_poll(_deadstate=sys.maxint) - if res is not None and res >= 0: - try: - _active.remove(inst) - except ValueError: - # This can happen if two threads create a new Popen instance. - # It's harmless that it was already removed, so ignore. - pass - else: - print inst.args - -PIPE = -1 -STDOUT = -2 - - -def _eintr_retry_call(func, *args): - while True: - try: - return func(*args) - except OSError, e: - if e.errno == errno.EINTR: - continue - raise - - -def call(*popenargs, **kwargs): - """Run command with arguments. Wait for command to complete, then - return the returncode attribute. - - The arguments are the same as for the Popen constructor. Example: - - retcode = call(["ls", "-l"]) - """ - return Popen(*popenargs, **kwargs).wait() - - -def check_call(*popenargs, **kwargs): - """Run command with arguments. Wait for command to complete. If - the exit code was zero then return, otherwise raise - CalledProcessError. The CalledProcessError object will have the - return code in the returncode attribute. - - The arguments are the same as for the Popen constructor. Example: - - check_call(["ls", "-l"]) - """ - retcode = call(*popenargs, **kwargs) - if retcode: - cmd = kwargs.get("args") - if cmd is None: - cmd = popenargs[0] - raise CalledProcessError(retcode, cmd) - return 0 - - -def check_output(*popenargs, **kwargs): - r"""Run command with arguments and return its output as a byte string. - - If the exit code was non-zero it raises a CalledProcessError. The - CalledProcessError object will have the return code in the returncode - attribute and output in the output attribute. - - The arguments are the same as for the Popen constructor. Example: - - >>> check_output(["ls", "-l", "/dev/null"]) - 'crw-rw-rw- 1 root root 1, 3 Oct 18 2007 /dev/null\n' - - The stdout argument is not allowed as it is used internally. - To capture standard error in the result, use stderr=STDOUT. - - >>> check_output(["/bin/sh", "-c", - ... "ls -l non_existent_file ; exit 0"], - ... stderr=STDOUT) - 'ls: non_existent_file: No such file or directory\n' - """ - if 'stdout' in kwargs: - raise ValueError('stdout argument not allowed, it will be overridden.') - process = Popen(stdout=PIPE, *popenargs, **kwargs) - output, unused_err = process.communicate() - retcode = process.poll() - if retcode: - cmd = kwargs.get("args") - if cmd is None: - cmd = popenargs[0] - raise CalledProcessError(retcode, cmd, output=output) - return output - - -def list2cmdline(seq): - """ - Translate a sequence of arguments into a command line - string, using the same rules as the MS C runtime: - - 1) Arguments are delimited by white space, which is either a - space or a tab. - - 2) A string surrounded by double quotation marks is - interpreted as a single argument, regardless of white space - contained within. A quoted string can be embedded in an - argument. - - 3) A double quotation mark preceded by a backslash is - interpreted as a literal double quotation mark. - - 4) Backslashes are interpreted literally, unless they - immediately precede a double quotation mark. - - 5) If backslashes immediately precede a double quotation mark, - every pair of backslashes is interpreted as a literal - backslash. If the number of backslashes is odd, the last - backslash escapes the next double quotation mark as - described in rule 3. - """ - - # See - # http://msdn.microsoft.com/en-us/library/17w5ykft.aspx - # or search http://msdn.microsoft.com for - # "Parsing C++ Command-Line Arguments" - result = [] - needquote = False - for arg in seq: - bs_buf = [] - - # Add a space to separate this argument from the others - if result: - result.append(' ') - - needquote = (" " in arg) or ("\t" in arg) or not arg - if needquote: - result.append('"') - - for c in arg: - if c == '\\': - # Don't know if we need to double yet. - bs_buf.append(c) - elif c == '"': - # Double backslashes. - result.append('\\' * len(bs_buf)*2) - bs_buf = [] - result.append('\\"') - else: - # Normal char - if bs_buf: - result.extend(bs_buf) - bs_buf = [] - result.append(c) - - # Add remaining backslashes, if any. - if bs_buf: - result.extend(bs_buf) - - if needquote: - result.extend(bs_buf) - result.append('"') - - return ''.join(result) - - -class Popen(object): - def __init__(self, args, bufsize=0, executable=None, - stdin=None, stdout=None, stderr=None, - preexec_fn=None, close_fds=False, shell=False, - cwd=None, env=None, universal_newlines=False, - startupinfo=None, creationflags=0): - """Create new Popen instance.""" - _cleanup() - self.args = args - self._child_created = False - if not isinstance(bufsize, (int, long)): - raise TypeError("bufsize must be an integer") - - if mswindows: - if preexec_fn is not None: - raise ValueError("preexec_fn is not supported on Windows " - "platforms") - if close_fds and (stdin is not None or stdout is not None or - stderr is not None): - raise ValueError("close_fds is not supported on Windows " - "platforms if you redirect stdin/stdout/stderr") - else: - # POSIX - if startupinfo is not None: - raise ValueError("startupinfo is only supported on Windows " - "platforms") - if creationflags != 0: - raise ValueError("creationflags is only supported on Windows " - "platforms") - - self.stdin = None - self.stdout = None - self.stderr = None - self.pid = None - self.returncode = None - self.universal_newlines = universal_newlines - - # Input and output objects. The general principle is like - # this: - # - # Parent Child - # ------ ----- - # p2cwrite ---stdin---> p2cread - # c2pread <--stdout--- c2pwrite - # errread <--stderr--- errwrite - # - # On POSIX, the child objects are file descriptors. On - # Windows, these are Windows file handles. The parent objects - # are file descriptors on both platforms. The parent objects - # are None when not using PIPEs. The child objects are None - # when not redirecting. - - (p2cread, p2cwrite, - c2pread, c2pwrite, - errread, errwrite) = self._get_handles(stdin, stdout, stderr) - - self._execute_child(args, executable, preexec_fn, close_fds, - cwd, env, universal_newlines, - startupinfo, creationflags, shell, - p2cread, p2cwrite, - c2pread, c2pwrite, - errread, errwrite) - - if mswindows: - if p2cwrite is not None: - p2cwrite = msvcrt.open_osfhandle(p2cwrite.Detach(), 0) - if c2pread is not None: - c2pread = msvcrt.open_osfhandle(c2pread.Detach(), 0) - if errread is not None: - errread = msvcrt.open_osfhandle(errread.Detach(), 0) - - if p2cwrite is not None: - self.stdin = os.fdopen(p2cwrite, 'wb', bufsize) - if c2pread is not None: - if universal_newlines: - self.stdout = os.fdopen(c2pread, 'rU', bufsize) - else: - self.stdout = os.fdopen(c2pread, 'rb', bufsize) - if errread is not None: - if universal_newlines: - self.stderr = os.fdopen(errread, 'rU', bufsize) - else: - self.stderr = os.fdopen(errread, 'rb', bufsize) - - - def _translate_newlines(self, data): - data = data.replace("\r\n", "\n") - data = data.replace("\r", "\n") - return data - - - def __del__(self, _maxint=sys.maxint, _active=_active): - if not self._child_created: - # We didn't get to successfully create a child process. - return - # In case the child hasn't been waited on, check if it's done. - self._internal_poll(_deadstate=_maxint) - if self.returncode is None and _active is not None: - # Child is still running, keep us alive until we can wait on it. - _active.append(self) - - - def communicate(self, input=None): - """Interact with process: Send data to stdin. Read data from - stdout and stderr, until end-of-file is reached. Wait for - process to terminate. The optional input argument should be a - string to be sent to the child process, or None, if no data - should be sent to the child. - - communicate() returns a tuple (stdout, stderr).""" - - # Optimization: If we are only using one pipe, or no pipe at - # all, using select() or threads is unnecessary. - if [self.stdin, self.stdout, self.stderr].count(None) >= 2: - stdout = None - stderr = None - if self.stdin: - if input: - try: - self.stdin.write(input) - except IOError as e: - if e.errno != errno.EPIPE and e.errno != errno.EINVAL: - raise - self.stdin.close() - elif self.stdout: - stdout = self.stdout.read() - self.stdout.close() - elif self.stderr: - stderr = self.stderr.read() - self.stderr.close() - self.wait() - return (stdout, stderr) - - return self._communicate(input) - - - def poll(self): - return self._internal_poll() - - - if mswindows: - # - # Windows methods - # - def _get_handles(self, stdin, stdout, stderr): - """Construct and return tuple with IO objects: - p2cread, p2cwrite, c2pread, c2pwrite, errread, errwrite - """ - if stdin is None and stdout is None and stderr is None: - return (None, None, None, None, None, None) - - p2cread, p2cwrite = None, None - c2pread, c2pwrite = None, None - errread, errwrite = None, None - - if stdin is None: - p2cread = _subprocess.GetStdHandle(_subprocess.STD_INPUT_HANDLE) - if p2cread is None: - p2cread, _ = _subprocess.CreatePipe(None, 0) - elif stdin == PIPE: - p2cread, p2cwrite = _subprocess.CreatePipe(None, 0) - elif isinstance(stdin, int): - p2cread = msvcrt.get_osfhandle(stdin) - else: - # Assuming file-like object - p2cread = msvcrt.get_osfhandle(stdin.fileno()) - p2cread = self._make_inheritable(p2cread) - - if stdout is None: - c2pwrite = _subprocess.GetStdHandle(_subprocess.STD_OUTPUT_HANDLE) - if c2pwrite is None: - _, c2pwrite = _subprocess.CreatePipe(None, 0) - elif stdout == PIPE: - c2pread, c2pwrite = _subprocess.CreatePipe(None, 0) - elif isinstance(stdout, int): - c2pwrite = msvcrt.get_osfhandle(stdout) - else: - # Assuming file-like object - c2pwrite = msvcrt.get_osfhandle(stdout.fileno()) - c2pwrite = self._make_inheritable(c2pwrite) - - if stderr is None: - errwrite = _subprocess.GetStdHandle(_subprocess.STD_ERROR_HANDLE) - if errwrite is None: - _, errwrite = _subprocess.CreatePipe(None, 0) - elif stderr == PIPE: - errread, errwrite = _subprocess.CreatePipe(None, 0) - elif stderr == STDOUT: - errwrite = c2pwrite - elif isinstance(stderr, int): - errwrite = msvcrt.get_osfhandle(stderr) - else: - # Assuming file-like object - errwrite = msvcrt.get_osfhandle(stderr.fileno()) - errwrite = self._make_inheritable(errwrite) - - return (p2cread, p2cwrite, - c2pread, c2pwrite, - errread, errwrite) - - - def _make_inheritable(self, handle): - """Return a duplicate of handle, which is inheritable""" - return _subprocess.DuplicateHandle(_subprocess.GetCurrentProcess(), - handle, _subprocess.GetCurrentProcess(), 0, 1, - _subprocess.DUPLICATE_SAME_ACCESS) - - - def _find_w9xpopen(self): - """Find and return absolut path to w9xpopen.exe""" - w9xpopen = os.path.join( - os.path.dirname(_subprocess.GetModuleFileName(0)), - "w9xpopen.exe") - if not os.path.exists(w9xpopen): - # Eeek - file-not-found - possibly an embedding - # situation - see if we can locate it in sys.exec_prefix - w9xpopen = os.path.join(os.path.dirname(sys.exec_prefix), - "w9xpopen.exe") - if not os.path.exists(w9xpopen): - raise RuntimeError("Cannot locate w9xpopen.exe, which is " - "needed for Popen to work with your " - "shell or platform.") - return w9xpopen - - - def _execute_child(self, args, executable, preexec_fn, close_fds, - cwd, env, universal_newlines, - startupinfo, creationflags, shell, - p2cread, p2cwrite, - c2pread, c2pwrite, - errread, errwrite): - """Execute program (MS Windows version)""" - - if not isinstance(args, types.StringTypes): - args = list2cmdline(args) - - # Process startup details - if startupinfo is None: - startupinfo = STARTUPINFO() - if None not in (p2cread, c2pwrite, errwrite): - startupinfo.dwFlags |= _subprocess.STARTF_USESTDHANDLES - startupinfo.hStdInput = p2cread - startupinfo.hStdOutput = c2pwrite - startupinfo.hStdError = errwrite - - if shell: - startupinfo.dwFlags |= _subprocess.STARTF_USESHOWWINDOW - startupinfo.wShowWindow = _subprocess.SW_HIDE - comspec = os.environ.get("COMSPEC", "cmd.exe") - args = '{} /c "{}"'.format (comspec, args) - if (_subprocess.GetVersion() >= 0x80000000 or - os.path.basename(comspec).lower() == "command.com"): - # Win9x, or using command.com on NT. We need to - # use the w9xpopen intermediate program. For more - # information, see KB Q150956 - # (http://web.archive.org/web/20011105084002/http://support.microsoft.com/support/kb/articles/Q150/9/56.asp) - w9xpopen = self._find_w9xpopen() - args = '"%s" %s' % (w9xpopen, args) - # Not passing CREATE_NEW_CONSOLE has been known to - # cause random failures on win9x. Specifically a - # dialog: "Your program accessed mem currently in - # use at xxx" and a hopeful warning about the - # stability of your system. Cost is Ctrl+C wont - # kill children. - creationflags |= _subprocess.CREATE_NEW_CONSOLE - - # Start the process - try: - hp, ht, pid, tid = _subprocess.CreateProcess(executable, args, - # no special security - None, None, - int(not close_fds), - creationflags, - env, - cwd, - startupinfo) - except pywintypes.error, e: - # Translate pywintypes.error to WindowsError, which is - # a subclass of OSError. FIXME: We should really - # translate errno using _sys_errlist (or similar), but - # how can this be done from Python? - raise WindowsError(*e.args) - finally: - # Child is launched. Close the parent's copy of those pipe - # handles that only the child should have open. You need - # to make sure that no handles to the write end of the - # output pipe are maintained in this process or else the - # pipe will not close when the child process exits and the - # ReadFile will hang. - if p2cread is not None: - p2cread.Close() - if c2pwrite is not None: - c2pwrite.Close() - if errwrite is not None: - errwrite.Close() - - # Retain the process handle, but close the thread handle - self._child_created = True - self._handle = hp - self.pid = pid - ht.Close() - - def _internal_poll(self, _deadstate=None, - _WaitForSingleObject=_subprocess.WaitForSingleObject, - _WAIT_OBJECT_0=_subprocess.WAIT_OBJECT_0, - _GetExitCodeProcess=_subprocess.GetExitCodeProcess): - """Check if child process has terminated. Returns returncode - attribute. - - This method is called by __del__, so it can only refer to objects - in its local scope. - - """ - if self.returncode is None: - if _WaitForSingleObject(self._handle, 0) == _WAIT_OBJECT_0: - self.returncode = _GetExitCodeProcess(self._handle) - return self.returncode - - - def wait(self): - """Wait for child process to terminate. Returns returncode - attribute.""" - if self.returncode is None: - _subprocess.WaitForSingleObject(self._handle, - _subprocess.INFINITE) - self.returncode = _subprocess.GetExitCodeProcess(self._handle) - return self.returncode - - - def _readerthread(self, fh, buffer): - buffer.append(fh.read()) - - - def _communicate(self, input): - stdout = None # Return - stderr = None # Return - - if self.stdout: - stdout = [] - stdout_thread = threading.Thread(target=self._readerthread, - args=(self.stdout, stdout)) - stdout_thread.setDaemon(True) - stdout_thread.start() - if self.stderr: - stderr = [] - stderr_thread = threading.Thread(target=self._readerthread, - args=(self.stderr, stderr)) - stderr_thread.setDaemon(True) - stderr_thread.start() - - if self.stdin: - if input is not None: - try: - self.stdin.write(input) - except IOError as e: - if e.errno != errno.EPIPE: - raise - self.stdin.close() - - if self.stdout: - stdout_thread.join() - if self.stderr: - stderr_thread.join() - - # All data exchanged. Translate lists into strings. - if stdout is not None: - stdout = stdout[0] - if stderr is not None: - stderr = stderr[0] - - # Translate newlines, if requested. We cannot let the file - # object do the translation: It is based on stdio, which is - # impossible to combine with select (unless forcing no - # buffering). - if self.universal_newlines and hasattr(file, 'newlines'): - if stdout: - stdout = self._translate_newlines(stdout) - if stderr: - stderr = self._translate_newlines(stderr) - - self.wait() - return (stdout, stderr) - - def send_signal(self, sig): - """Send a signal to the process - """ - if sig == signal.SIGTERM: - self.terminate() - elif sig == signal.CTRL_C_EVENT: - os.kill(self.pid, signal.CTRL_C_EVENT) - elif sig == signal.CTRL_BREAK_EVENT: - os.kill(self.pid, signal.CTRL_BREAK_EVENT) - else: - raise ValueError("Unsupported signal: {}".format(sig)) - - def terminate(self): - """Terminates the process - """ - _subprocess.TerminateProcess(self._handle, 1) - - kill = terminate - - else: - # - # POSIX methods - # - def _get_handles(self, stdin, stdout, stderr): - """Construct and return tuple with IO objects: - p2cread, p2cwrite, c2pread, c2pwrite, errread, errwrite - """ - p2cread, p2cwrite = None, None - c2pread, c2pwrite = None, None - errread, errwrite = None, None - - if stdin is None: - pass - elif stdin == PIPE: - p2cread, p2cwrite = os.pipe() - elif isinstance(stdin, int): - p2cread = stdin - else: - # Assuming file-like object - p2cread = stdin.fileno() - - if stdout is None: - pass - elif stdout == PIPE: - c2pread, c2pwrite = os.pipe() - elif isinstance(stdout, int): - c2pwrite = stdout - else: - # Assuming file-like object - c2pwrite = stdout.fileno() - - if stderr is None: - pass - elif stderr == PIPE: - errread, errwrite = os.pipe() - elif stderr == STDOUT: - errwrite = c2pwrite - elif isinstance(stderr, int): - errwrite = stderr - else: - # Assuming file-like object - errwrite = stderr.fileno() - - return (p2cread, p2cwrite, - c2pread, c2pwrite, - errread, errwrite) - - - def _set_cloexec_flag(self, fd, cloexec=True): - try: - cloexec_flag = fcntl.FD_CLOEXEC - except AttributeError: - cloexec_flag = 1 - - old = fcntl.fcntl(fd, fcntl.F_GETFD) - if cloexec: - fcntl.fcntl(fd, fcntl.F_SETFD, old | cloexec_flag) - else: - fcntl.fcntl(fd, fcntl.F_SETFD, old & ~cloexec_flag) - - - def _close_fds(self, but): - if hasattr(os, 'closerange'): - os.closerange(3, but) - os.closerange(but + 1, MAXFD) - else: - for i in xrange(3, MAXFD): - if i == but: - continue - try: - os.close(i) - except: - pass - - - def _execute_child(self, args, executable, preexec_fn, close_fds, - cwd, env, universal_newlines, - startupinfo, creationflags, shell, - p2cread, p2cwrite, - c2pread, c2pwrite, - errread, errwrite): - """Execute program (POSIX version)""" - - if isinstance(args, types.StringTypes): - args = [args] - else: - args = list(args) - - if shell: - args = ["/bin/sh", "-c"] + args - if executable: - args[0] = executable - - if executable is None: - executable = args[0] - - # For transferring possible exec failure from child to parent - # The first char specifies the exception type: 0 means - # OSError, 1 means some other error. - errpipe_read, errpipe_write = os.pipe() - try: - try: - self._set_cloexec_flag(errpipe_write) - - gc_was_enabled = gc.isenabled() - # Disable gc to avoid bug where gc -> file_dealloc -> - # write to stderr -> hang. http://bugs.python.org/issue1336 - gc.disable() - try: - self.pid = os.fork() - except: - if gc_was_enabled: - gc.enable() - raise - self._child_created = True - if self.pid == 0: - # Child - try: - # Close parent's pipe ends - if p2cwrite is not None: - os.close(p2cwrite) - if c2pread is not None: - os.close(c2pread) - if errread is not None: - os.close(errread) - os.close(errpipe_read) - - # Dup fds for child - def _dup2(a, b): - # dup2() removes the CLOEXEC flag but - # we must do it ourselves if dup2() - # would be a no-op (issue #10806). - if a == b: - self._set_cloexec_flag(a, False) - elif a is not None: - os.dup2(a, b) - _dup2(p2cread, 0) - _dup2(c2pwrite, 1) - _dup2(errwrite, 2) - - # Close pipe fds. Make sure we don't close the - # same fd more than once, or standard fds. - closed = { None } - for fd in [p2cread, c2pwrite, errwrite]: - if fd not in closed and fd > 2: - os.close(fd) - closed.add(fd) - - # Close all other fds, if asked for - if close_fds: - self._close_fds(but=errpipe_write) - - if cwd is not None: - os.chdir(cwd) - - if preexec_fn: - preexec_fn() - - if env is None: - os.execvp(executable, args) - else: - os.execvpe(executable, args, env) - - except: - exc_type, exc_value, tb = sys.exc_info() - # Save the traceback and attach it to the exception object - exc_lines = traceback.format_exception(exc_type, - exc_value, - tb) - exc_value.child_traceback = ''.join(exc_lines) - os.write(errpipe_write, pickle.dumps(exc_value)) - - # This exitcode won't be reported to applications, so it - # really doesn't matter what we return. - os._exit(255) - - # Parent - if gc_was_enabled: - gc.enable() - finally: - # be sure the FD is closed no matter what - os.close(errpipe_write) - - if p2cread is not None and p2cwrite is not None: - os.close(p2cread) - if c2pwrite is not None and c2pread is not None: - os.close(c2pwrite) - if errwrite is not None and errread is not None: - os.close(errwrite) - - # Wait for exec to fail or succeed; possibly raising exception - # Exception limited to 1M - data = _eintr_retry_call(os.read, errpipe_read, 1048576) - finally: - # be sure the FD is closed no matter what - os.close(errpipe_read) - - if data != "": - try: - _eintr_retry_call(os.waitpid, self.pid, 0) - except OSError as e: - if e.errno != errno.ECHILD: - raise - child_exception = pickle.loads(data) - for fd in (p2cwrite, c2pread, errread): - if fd is not None: - os.close(fd) - raise child_exception - - - def _handle_exitstatus(self, sts, _WIFSIGNALED=os.WIFSIGNALED, - _WTERMSIG=os.WTERMSIG, _WIFEXITED=os.WIFEXITED, - _WEXITSTATUS=os.WEXITSTATUS): - # This method is called (indirectly) by __del__, so it cannot - # refer to anything outside of its local scope.""" - if _WIFSIGNALED(sts): - self.returncode = -_WTERMSIG(sts) - elif _WIFEXITED(sts): - self.returncode = _WEXITSTATUS(sts) - else: - # Should never happen - raise RuntimeError("Unknown child exit status!") - - - def _internal_poll(self, _deadstate=None, _waitpid=os.waitpid, - _WNOHANG=os.WNOHANG, _os_error=os.error): - """Check if child process has terminated. Returns returncode - attribute. - - This method is called by __del__, so it cannot reference anything - outside of the local scope (nor can any methods it calls). - - """ - if self.returncode is None: - try: - pid, sts = _waitpid(self.pid, _WNOHANG) - if pid == self.pid: - self._handle_exitstatus(sts) - except _os_error: - if _deadstate is not None: - self.returncode = _deadstate - return self.returncode - - - def wait(self): - """Wait for child process to terminate. Returns returncode - attribute.""" - if self.returncode is None: - try: - pid, sts = _eintr_retry_call(os.waitpid, self.pid, 0) - except OSError as e: - if e.errno != errno.ECHILD: - raise - # This happens if SIGCLD is set to be ignored or waiting - # for child processes has otherwise been disabled for our - # process. This child is dead, we can't get the status. - sts = 0 - self._handle_exitstatus(sts) - return self.returncode - - - def _communicate(self, input): - if self.stdin: - # Flush stdio buffer. This might block, if the user has - # been writing to .stdin in an uncontrolled fashion. - self.stdin.flush() - if not input: - self.stdin.close() - - if _has_poll: - stdout, stderr = self._communicate_with_poll(input) - else: - stdout, stderr = self._communicate_with_select(input) - - # All data exchanged. Translate lists into strings. - if stdout is not None: - stdout = ''.join(stdout) - if stderr is not None: - stderr = ''.join(stderr) - - # Translate newlines, if requested. We cannot let the file - # object do the translation: It is based on stdio, which is - # impossible to combine with select (unless forcing no - # buffering). - if self.universal_newlines and hasattr(file, 'newlines'): - if stdout: - stdout = self._translate_newlines(stdout) - if stderr: - stderr = self._translate_newlines(stderr) - - self.wait() - return (stdout, stderr) - - - def _communicate_with_poll(self, input): - stdout = None # Return - stderr = None # Return - fd2file = {} - fd2output = {} - - poller = select.poll() - def register_and_append(file_obj, eventmask): - poller.register(file_obj.fileno(), eventmask) - fd2file[file_obj.fileno()] = file_obj - - def close_unregister_and_remove(fd): - poller.unregister(fd) - fd2file[fd].close() - fd2file.pop(fd) - - if self.stdin and input: - register_and_append(self.stdin, select.POLLOUT) - - select_POLLIN_POLLPRI = select.POLLIN | select.POLLPRI - if self.stdout: - register_and_append(self.stdout, select_POLLIN_POLLPRI) - fd2output[self.stdout.fileno()] = stdout = [] - if self.stderr: - register_and_append(self.stderr, select_POLLIN_POLLPRI) - fd2output[self.stderr.fileno()] = stderr = [] - - input_offset = 0 - while fd2file: - try: - ready = poller.poll() - except select.error, e: - if e.args[0] == errno.EINTR: - continue - raise - - for fd, mode in ready: - if mode & select.POLLOUT: - chunk = input[input_offset : input_offset + _PIPE_BUF] - try: - input_offset += os.write(fd, chunk) - except OSError as e: - if e.errno == errno.EPIPE: - close_unregister_and_remove(fd) - else: - raise - else: - if input_offset >= len(input): - close_unregister_and_remove(fd) - elif mode & select_POLLIN_POLLPRI: - data = os.read(fd, 4096) - if not data: - close_unregister_and_remove(fd) - fd2output[fd].append(data) - else: - # Ignore hang up or errors. - close_unregister_and_remove(fd) - - return (stdout, stderr) - - - def _communicate_with_select(self, input): - read_set = [] - write_set = [] - stdout = None # Return - stderr = None # Return - - if self.stdin and input: - write_set.append(self.stdin) - if self.stdout: - read_set.append(self.stdout) - stdout = [] - if self.stderr: - read_set.append(self.stderr) - stderr = [] - - input_offset = 0 - while read_set or write_set: - try: - rlist, wlist, xlist = select.select(read_set, write_set, []) - except select.error, e: - if e.args[0] == errno.EINTR: - continue - raise - - if self.stdin in wlist: - chunk = input[input_offset : input_offset + _PIPE_BUF] - try: - bytes_written = os.write(self.stdin.fileno(), chunk) - except OSError as e: - if e.errno == errno.EPIPE: - self.stdin.close() - write_set.remove(self.stdin) - else: - raise - else: - input_offset += bytes_written - if input_offset >= len(input): - self.stdin.close() - write_set.remove(self.stdin) - - if self.stdout in rlist: - data = os.read(self.stdout.fileno(), 1024) - if data == "": - self.stdout.close() - read_set.remove(self.stdout) - stdout.append(data) - - if self.stderr in rlist: - data = os.read(self.stderr.fileno(), 1024) - if data == "": - self.stderr.close() - read_set.remove(self.stderr) - stderr.append(data) - - return (stdout, stderr) - - - def send_signal(self, sig): - """Send a signal to the process - """ - os.kill(self.pid, sig) - - def terminate(self): - """Terminate the process with SIGTERM - """ - self.send_signal(signal.SIGTERM) - - def kill(self): - """Kill the process with SIGKILL - """ - self.send_signal(signal.SIGKILL) - - -def _demo_posix(): - # - # Example 1: Simple redirection: Get process list - # - plist = Popen(["ps"], stdout=PIPE).communicate()[0] - print "Process list:" - print plist - - # - # Example 2: Change uid before executing child - # - if os.getuid() == 0: - p = Popen(["id"], preexec_fn=lambda: os.setuid(100)) - p.wait() - - # - # Example 3: Connecting several subprocesses - # - print "Looking for 'hda'..." - p1 = Popen(["dmesg"], stdout=PIPE) - p2 = Popen(["grep", "hda"], stdin=p1.stdout, stdout=PIPE) - print repr(p2.communicate()[0]) - - # - # Example 4: Catch execution error - # - print - print "Trying a weird file..." - try: - print Popen(["/this/path/does/not/exist"]).communicate() - except OSError, e: - if e.errno == errno.ENOENT: - print "The file didn't exist. I thought so..." - print "Child traceback:" - print e.child_traceback - else: - print "Error", e.errno - else: - print >>sys.stderr, "Gosh. No error." - - -def _demo_windows(): - # - # Example 1: Connecting several subprocesses - # - print "Looking for 'PROMPT' in set output..." - p1 = Popen("set", stdout=PIPE, shell=True) - p2 = Popen('find "PROMPT"', stdin=p1.stdout, stdout=PIPE) - print repr(p2.communicate()[0]) - - # - # Example 2: Simple execution of program - # - print "Executing calc..." - p = Popen("calc") - p.wait() - - -if __name__ == "__main__": - if mswindows: - _demo_windows() - else: - _demo_posix() diff --git a/Tools/cg2glsl/cg2glsl_sources/lib/threading.py b/Tools/cg2glsl/cg2glsl_sources/lib/threading.py deleted file mode 100644 index 8c7eb73acc..0000000000 --- a/Tools/cg2glsl/cg2glsl_sources/lib/threading.py +++ /dev/null @@ -1,989 +0,0 @@ -"""Thread module emulating a subset of Java's threading model.""" - -import sys as _sys - -try: - import thread -except ImportError: - del _sys.modules[__name__] - raise - -import warnings - -from time import time as _time, sleep as _sleep -from traceback import format_exc as _format_exc -from collections import deque - -# Note regarding PEP 8 compliant aliases -# This threading model was originally inspired by Java, and inherited -# the convention of camelCase function and method names from that -# language. While those names are not in any imminent danger of being -# deprecated, starting with Python 2.6, the module now provides a -# PEP 8 compliant alias for any such method name. -# Using the new PEP 8 compliant names also facilitates substitution -# with the multiprocessing module, which doesn't provide the old -# Java inspired names. - - -# Rename some stuff so "from threading import *" is safe -__all__ = ['activeCount', 'active_count', 'Condition', 'currentThread', - 'current_thread', 'enumerate', 'Event', - 'Lock', 'RLock', 'Semaphore', 'BoundedSemaphore', 'Thread', - 'Timer', 'setprofile', 'settrace', 'local', 'stack_size'] - -_start_new_thread = thread.start_new_thread -_allocate_lock = thread.allocate_lock -_get_ident = thread.get_ident -ThreadError = thread.error -del thread - - -# sys.exc_clear is used to work around the fact that except blocks -# don't fully clear the exception until 3.0. -warnings.filterwarnings('ignore', category=DeprecationWarning, - module='threading', message='sys.exc_clear') - -# Debug support (adapted from ihooks.py). -# All the major classes here derive from _Verbose. We force that to -# be a new-style class so that all the major classes here are new-style. -# This helps debugging (type(instance) is more revealing for instances -# of new-style classes). - -_VERBOSE = False - -if __debug__: - - class _Verbose(object): - - def __init__(self, verbose=None): - if verbose is None: - verbose = _VERBOSE - self.__verbose = verbose - - def _note(self, format, *args): - if self.__verbose: - format = format % args - # Issue #4188: calling current_thread() can incur an infinite - # recursion if it has to create a DummyThread on the fly. - ident = _get_ident() - try: - name = _active[ident].name - except KeyError: - name = "" % ident - format = "%s: %s\n" % (name, format) - _sys.stderr.write(format) - -else: - # Disable this when using "python -O" - class _Verbose(object): - def __init__(self, verbose=None): - pass - def _note(self, *args): - pass - -# Support for profile and trace hooks - -_profile_hook = None -_trace_hook = None - -def setprofile(func): - global _profile_hook - _profile_hook = func - -def settrace(func): - global _trace_hook - _trace_hook = func - -# Synchronization classes - -Lock = _allocate_lock - -def RLock(*args, **kwargs): - return _RLock(*args, **kwargs) - -class _RLock(_Verbose): - - def __init__(self, verbose=None): - _Verbose.__init__(self, verbose) - self.__block = _allocate_lock() - self.__owner = None - self.__count = 0 - - def __repr__(self): - owner = self.__owner - try: - owner = _active[owner].name - except KeyError: - pass - return "<%s owner=%r count=%d>" % ( - self.__class__.__name__, owner, self.__count) - - def acquire(self, blocking=1): - me = _get_ident() - if self.__owner == me: - self.__count = self.__count + 1 - if __debug__: - self._note("%s.acquire(%s): recursive success", self, blocking) - return 1 - rc = self.__block.acquire(blocking) - if rc: - self.__owner = me - self.__count = 1 - if __debug__: - self._note("%s.acquire(%s): initial success", self, blocking) - else: - if __debug__: - self._note("%s.acquire(%s): failure", self, blocking) - return rc - - __enter__ = acquire - - def release(self): - if self.__owner != _get_ident(): - raise RuntimeError("cannot release un-acquired lock") - self.__count = count = self.__count - 1 - if not count: - self.__owner = None - self.__block.release() - if __debug__: - self._note("%s.release(): final release", self) - else: - if __debug__: - self._note("%s.release(): non-final release", self) - - def __exit__(self, t, v, tb): - self.release() - - # Internal methods used by condition variables - - def _acquire_restore(self, count_owner): - count, owner = count_owner - self.__block.acquire() - self.__count = count - self.__owner = owner - if __debug__: - self._note("%s._acquire_restore()", self) - - def _release_save(self): - if __debug__: - self._note("%s._release_save()", self) - count = self.__count - self.__count = 0 - owner = self.__owner - self.__owner = None - self.__block.release() - return (count, owner) - - def _is_owned(self): - return self.__owner == _get_ident() - - -def Condition(*args, **kwargs): - return _Condition(*args, **kwargs) - -class _Condition(_Verbose): - - def __init__(self, lock=None, verbose=None): - _Verbose.__init__(self, verbose) - if lock is None: - lock = RLock() - self.__lock = lock - # Export the lock's acquire() and release() methods - self.acquire = lock.acquire - self.release = lock.release - # If the lock defines _release_save() and/or _acquire_restore(), - # these override the default implementations (which just call - # release() and acquire() on the lock). Ditto for _is_owned(). - try: - self._release_save = lock._release_save - except AttributeError: - pass - try: - self._acquire_restore = lock._acquire_restore - except AttributeError: - pass - try: - self._is_owned = lock._is_owned - except AttributeError: - pass - self.__waiters = [] - - def __enter__(self): - return self.__lock.__enter__() - - def __exit__(self, *args): - return self.__lock.__exit__(*args) - - def __repr__(self): - return "" % (self.__lock, len(self.__waiters)) - - def _release_save(self): - self.__lock.release() # No state to save - - def _acquire_restore(self, x): - self.__lock.acquire() # Ignore saved state - - def _is_owned(self): - # Return True if lock is owned by current_thread. - # This method is called only if __lock doesn't have _is_owned(). - if self.__lock.acquire(0): - self.__lock.release() - return False - else: - return True - - def wait(self, timeout=None): - if not self._is_owned(): - raise RuntimeError("cannot wait on un-acquired lock") - waiter = _allocate_lock() - waiter.acquire() - self.__waiters.append(waiter) - saved_state = self._release_save() - try: # restore state no matter what (e.g., KeyboardInterrupt) - if timeout is None: - waiter.acquire() - if __debug__: - self._note("%s.wait(): got it", self) - else: - # Balancing act: We can't afford a pure busy loop, so we - # have to sleep; but if we sleep the whole timeout time, - # we'll be unresponsive. The scheme here sleeps very - # little at first, longer as time goes on, but never longer - # than 20 times per second (or the timeout time remaining). - endtime = _time() + timeout - delay = 0.0005 # 500 us -> initial delay of 1 ms - while True: - gotit = waiter.acquire(0) - if gotit: - break - remaining = endtime - _time() - if remaining <= 0: - break - delay = min(delay * 2, remaining, .05) - _sleep(delay) - if not gotit: - if __debug__: - self._note("%s.wait(%s): timed out", self, timeout) - try: - self.__waiters.remove(waiter) - except ValueError: - pass - else: - if __debug__: - self._note("%s.wait(%s): got it", self, timeout) - finally: - self._acquire_restore(saved_state) - - def notify(self, n=1): - if not self._is_owned(): - raise RuntimeError("cannot notify on un-acquired lock") - __waiters = self.__waiters - waiters = __waiters[:n] - if not waiters: - if __debug__: - self._note("%s.notify(): no waiters", self) - return - self._note("%s.notify(): notifying %d waiter%s", self, n, - n!=1 and "s" or "") - for waiter in waiters: - waiter.release() - try: - __waiters.remove(waiter) - except ValueError: - pass - - def notifyAll(self): - self.notify(len(self.__waiters)) - - notify_all = notifyAll - - -def Semaphore(*args, **kwargs): - return _Semaphore(*args, **kwargs) - -class _Semaphore(_Verbose): - - # After Tim Peters' semaphore class, but not quite the same (no maximum) - - def __init__(self, value=1, verbose=None): - if value < 0: - raise ValueError("semaphore initial value must be >= 0") - _Verbose.__init__(self, verbose) - self.__cond = Condition(Lock()) - self.__value = value - - def acquire(self, blocking=1): - rc = False - self.__cond.acquire() - while self.__value == 0: - if not blocking: - break - if __debug__: - self._note("%s.acquire(%s): blocked waiting, value=%s", - self, blocking, self.__value) - self.__cond.wait() - else: - self.__value = self.__value - 1 - if __debug__: - self._note("%s.acquire: success, value=%s", - self, self.__value) - rc = True - self.__cond.release() - return rc - - __enter__ = acquire - - def release(self): - self.__cond.acquire() - self.__value = self.__value + 1 - if __debug__: - self._note("%s.release: success, value=%s", - self, self.__value) - self.__cond.notify() - self.__cond.release() - - def __exit__(self, t, v, tb): - self.release() - - -def BoundedSemaphore(*args, **kwargs): - return _BoundedSemaphore(*args, **kwargs) - -class _BoundedSemaphore(_Semaphore): - """Semaphore that checks that # releases is <= # acquires""" - def __init__(self, value=1, verbose=None): - _Semaphore.__init__(self, value, verbose) - self._initial_value = value - - def release(self): - if self._Semaphore__value >= self._initial_value: - raise ValueError, "Semaphore released too many times" - return _Semaphore.release(self) - - -def Event(*args, **kwargs): - return _Event(*args, **kwargs) - -class _Event(_Verbose): - - # After Tim Peters' event class (without is_posted()) - - def __init__(self, verbose=None): - _Verbose.__init__(self, verbose) - self.__cond = Condition(Lock()) - self.__flag = False - - def _reset_internal_locks(self): - # private! called by Thread._reset_internal_locks by _after_fork() - self.__cond.__init__() - - def isSet(self): - return self.__flag - - is_set = isSet - - def set(self): - self.__cond.acquire() - try: - self.__flag = True - self.__cond.notify_all() - finally: - self.__cond.release() - - def clear(self): - self.__cond.acquire() - try: - self.__flag = False - finally: - self.__cond.release() - - def wait(self, timeout=None): - self.__cond.acquire() - try: - if not self.__flag: - self.__cond.wait(timeout) - return self.__flag - finally: - self.__cond.release() - -# Helper to generate new thread names -_counter = 0 -def _newname(template="Thread-%d"): - global _counter - _counter = _counter + 1 - return template % _counter - -# Active thread administration -_active_limbo_lock = _allocate_lock() -_active = {} # maps thread id to Thread object -_limbo = {} - - -# Main class for threads - -class Thread(_Verbose): - - __initialized = False - # Need to store a reference to sys.exc_info for printing - # out exceptions when a thread tries to use a global var. during interp. - # shutdown and thus raises an exception about trying to perform some - # operation on/with a NoneType - __exc_info = _sys.exc_info - # Keep sys.exc_clear too to clear the exception just before - # allowing .join() to return. - __exc_clear = _sys.exc_clear - - def __init__(self, group=None, target=None, name=None, - args=(), kwargs=None, verbose=None): - assert group is None, "group argument must be None for now" - _Verbose.__init__(self, verbose) - if kwargs is None: - kwargs = {} - self.__target = target - self.__name = str(name or _newname()) - self.__args = args - self.__kwargs = kwargs - self.__daemonic = self._set_daemon() - self.__ident = None - self.__started = Event() - self.__stopped = False - self.__block = Condition(Lock()) - self.__initialized = True - # sys.stderr is not stored in the class like - # sys.exc_info since it can be changed between instances - self.__stderr = _sys.stderr - - def _reset_internal_locks(self): - # private! Called by _after_fork() to reset our internal locks as - # they may be in an invalid state leading to a deadlock or crash. - if hasattr(self, '_Thread__block'): # DummyThread deletes self.__block - self.__block.__init__() - self.__started._reset_internal_locks() - - @property - def _block(self): - # used by a unittest - return self.__block - - def _set_daemon(self): - # Overridden in _MainThread and _DummyThread - return current_thread().daemon - - def __repr__(self): - assert self.__initialized, "Thread.__init__() was not called" - status = "initial" - if self.__started.is_set(): - status = "started" - if self.__stopped: - status = "stopped" - if self.__daemonic: - status += " daemon" - if self.__ident is not None: - status += " %s" % self.__ident - return "<%s(%s, %s)>" % (self.__class__.__name__, self.__name, status) - - def start(self): - if not self.__initialized: - raise RuntimeError("thread.__init__() not called") - if self.__started.is_set(): - raise RuntimeError("threads can only be started once") - if __debug__: - self._note("%s.start(): starting thread", self) - with _active_limbo_lock: - _limbo[self] = self - try: - _start_new_thread(self.__bootstrap, ()) - except Exception: - with _active_limbo_lock: - del _limbo[self] - raise - self.__started.wait() - - def run(self): - try: - if self.__target: - self.__target(*self.__args, **self.__kwargs) - finally: - # Avoid a refcycle if the thread is running a function with - # an argument that has a member that points to the thread. - del self.__target, self.__args, self.__kwargs - - def __bootstrap(self): - # Wrapper around the real bootstrap code that ignores - # exceptions during interpreter cleanup. Those typically - # happen when a daemon thread wakes up at an unfortunate - # moment, finds the world around it destroyed, and raises some - # random exception *** while trying to report the exception in - # __bootstrap_inner() below ***. Those random exceptions - # don't help anybody, and they confuse users, so we suppress - # them. We suppress them only when it appears that the world - # indeed has already been destroyed, so that exceptions in - # __bootstrap_inner() during normal business hours are properly - # reported. Also, we only suppress them for daemonic threads; - # if a non-daemonic encounters this, something else is wrong. - try: - self.__bootstrap_inner() - except: - if self.__daemonic and _sys is None: - return - raise - - def _set_ident(self): - self.__ident = _get_ident() - - def __bootstrap_inner(self): - try: - self._set_ident() - self.__started.set() - with _active_limbo_lock: - _active[self.__ident] = self - del _limbo[self] - if __debug__: - self._note("%s.__bootstrap(): thread started", self) - - if _trace_hook: - self._note("%s.__bootstrap(): registering trace hook", self) - _sys.settrace(_trace_hook) - if _profile_hook: - self._note("%s.__bootstrap(): registering profile hook", self) - _sys.setprofile(_profile_hook) - - try: - self.run() - except SystemExit: - if __debug__: - self._note("%s.__bootstrap(): raised SystemExit", self) - except: - if __debug__: - self._note("%s.__bootstrap(): unhandled exception", self) - # If sys.stderr is no more (most likely from interpreter - # shutdown) use self.__stderr. Otherwise still use sys (as in - # _sys) in case sys.stderr was redefined since the creation of - # self. - if _sys: - _sys.stderr.write("Exception in thread %s:\n%s\n" % - (self.name, _format_exc())) - else: - # Do the best job possible w/o a huge amt. of code to - # approximate a traceback (code ideas from - # Lib/traceback.py) - exc_type, exc_value, exc_tb = self.__exc_info() - try: - print>>self.__stderr, ( - "Exception in thread " + self.name + - " (most likely raised during interpreter shutdown):") - print>>self.__stderr, ( - "Traceback (most recent call last):") - while exc_tb: - print>>self.__stderr, ( - ' File "%s", line %s, in %s' % - (exc_tb.tb_frame.f_code.co_filename, - exc_tb.tb_lineno, - exc_tb.tb_frame.f_code.co_name)) - exc_tb = exc_tb.tb_next - print>>self.__stderr, ("%s: %s" % (exc_type, exc_value)) - # Make sure that exc_tb gets deleted since it is a memory - # hog; deleting everything else is just for thoroughness - finally: - del exc_type, exc_value, exc_tb - else: - if __debug__: - self._note("%s.__bootstrap(): normal return", self) - finally: - # Prevent a race in - # test_threading.test_no_refcycle_through_target when - # the exception keeps the target alive past when we - # assert that it's dead. - self.__exc_clear() - finally: - with _active_limbo_lock: - self.__stop() - try: - # We don't call self.__delete() because it also - # grabs _active_limbo_lock. - del _active[_get_ident()] - except: - pass - - def __stop(self): - self.__block.acquire() - self.__stopped = True - self.__block.notify_all() - self.__block.release() - - def __delete(self): - "Remove current thread from the dict of currently running threads." - - # Notes about running with dummy_thread: - # - # Must take care to not raise an exception if dummy_thread is being - # used (and thus this module is being used as an instance of - # dummy_threading). dummy_thread.get_ident() always returns -1 since - # there is only one thread if dummy_thread is being used. Thus - # len(_active) is always <= 1 here, and any Thread instance created - # overwrites the (if any) thread currently registered in _active. - # - # An instance of _MainThread is always created by 'threading'. This - # gets overwritten the instant an instance of Thread is created; both - # threads return -1 from dummy_thread.get_ident() and thus have the - # same key in the dict. So when the _MainThread instance created by - # 'threading' tries to clean itself up when atexit calls this method - # it gets a KeyError if another Thread instance was created. - # - # This all means that KeyError from trying to delete something from - # _active if dummy_threading is being used is a red herring. But - # since it isn't if dummy_threading is *not* being used then don't - # hide the exception. - - try: - with _active_limbo_lock: - del _active[_get_ident()] - # There must not be any python code between the previous line - # and after the lock is released. Otherwise a tracing function - # could try to acquire the lock again in the same thread, (in - # current_thread()), and would block. - except KeyError: - if 'dummy_threading' not in _sys.modules: - raise - - def join(self, timeout=None): - if not self.__initialized: - raise RuntimeError("Thread.__init__() not called") - if not self.__started.is_set(): - raise RuntimeError("cannot join thread before it is started") - if self is current_thread(): - raise RuntimeError("cannot join current thread") - - if __debug__: - if not self.__stopped: - self._note("%s.join(): waiting until thread stops", self) - self.__block.acquire() - try: - if timeout is None: - while not self.__stopped: - self.__block.wait() - if __debug__: - self._note("%s.join(): thread stopped", self) - else: - deadline = _time() + timeout - while not self.__stopped: - delay = deadline - _time() - if delay <= 0: - if __debug__: - self._note("%s.join(): timed out", self) - break - self.__block.wait(delay) - else: - if __debug__: - self._note("%s.join(): thread stopped", self) - finally: - self.__block.release() - - @property - def name(self): - assert self.__initialized, "Thread.__init__() not called" - return self.__name - - @name.setter - def name(self, name): - assert self.__initialized, "Thread.__init__() not called" - self.__name = str(name) - - @property - def ident(self): - assert self.__initialized, "Thread.__init__() not called" - return self.__ident - - def isAlive(self): - assert self.__initialized, "Thread.__init__() not called" - return self.__started.is_set() and not self.__stopped - - is_alive = isAlive - - @property - def daemon(self): - assert self.__initialized, "Thread.__init__() not called" - return self.__daemonic - - @daemon.setter - def daemon(self, daemonic): - if not self.__initialized: - raise RuntimeError("Thread.__init__() not called") - if self.__started.is_set(): - raise RuntimeError("cannot set daemon status of active thread"); - self.__daemonic = daemonic - - def isDaemon(self): - return self.daemon - - def setDaemon(self, daemonic): - self.daemon = daemonic - - def getName(self): - return self.name - - def setName(self, name): - self.name = name - -# The timer class was contributed by Itamar Shtull-Trauring - -def Timer(*args, **kwargs): - return _Timer(*args, **kwargs) - -class _Timer(Thread): - """Call a function after a specified number of seconds: - - t = Timer(30.0, f, args=[], kwargs={}) - t.start() - t.cancel() # stop the timer's action if it's still waiting - """ - - def __init__(self, interval, function, args=[], kwargs={}): - Thread.__init__(self) - self.interval = interval - self.function = function - self.args = args - self.kwargs = kwargs - self.finished = Event() - - def cancel(self): - """Stop the timer if it hasn't finished yet""" - self.finished.set() - - def run(self): - self.finished.wait(self.interval) - if not self.finished.is_set(): - self.function(*self.args, **self.kwargs) - self.finished.set() - -# Special thread class to represent the main thread -# This is garbage collected through an exit handler - -class _MainThread(Thread): - - def __init__(self): - Thread.__init__(self, name="MainThread") - self._Thread__started.set() - self._set_ident() - with _active_limbo_lock: - _active[_get_ident()] = self - - def _set_daemon(self): - return False - - def _exitfunc(self): - self._Thread__stop() - t = _pickSomeNonDaemonThread() - if t: - if __debug__: - self._note("%s: waiting for other threads", self) - while t: - t.join() - t = _pickSomeNonDaemonThread() - if __debug__: - self._note("%s: exiting", self) - self._Thread__delete() - -def _pickSomeNonDaemonThread(): - for t in enumerate(): - if not t.daemon and t.is_alive(): - return t - return None - - -# Dummy thread class to represent threads not started here. -# These aren't garbage collected when they die, nor can they be waited for. -# If they invoke anything in threading.py that calls current_thread(), they -# leave an entry in the _active dict forever after. -# Their purpose is to return *something* from current_thread(). -# They are marked as daemon threads so we won't wait for them -# when we exit (conform previous semantics). - -class _DummyThread(Thread): - - def __init__(self): - Thread.__init__(self, name=_newname("Dummy-%d")) - - # Thread.__block consumes an OS-level locking primitive, which - # can never be used by a _DummyThread. Since a _DummyThread - # instance is immortal, that's bad, so release this resource. - del self._Thread__block - - self._Thread__started.set() - self._set_ident() - with _active_limbo_lock: - _active[_get_ident()] = self - - def _set_daemon(self): - return True - - def join(self, timeout=None): - assert False, "cannot join a dummy thread" - - -# Global API functions - -def currentThread(): - try: - return _active[_get_ident()] - except KeyError: - ##print "current_thread(): no current thread for", _get_ident() - return _DummyThread() - -current_thread = currentThread - -def activeCount(): - with _active_limbo_lock: - return len(_active) + len(_limbo) - -active_count = activeCount - -def _enumerate(): - # Same as enumerate(), but without the lock. Internal use only. - return _active.values() + _limbo.values() - -def enumerate(): - with _active_limbo_lock: - return _active.values() + _limbo.values() - -from thread import stack_size - -# Create the main thread object, -# and make it available for the interpreter -# (Py_Main) as threading._shutdown. - -_shutdown = _MainThread()._exitfunc - -# get thread-local implementation, either from the thread -# module, or from the python fallback - -try: - from thread import _local as local -except ImportError: - from _threading_local import local - - -def _after_fork(): - # This function is called by Python/ceval.c:PyEval_ReInitThreads which - # is called from PyOS_AfterFork. Here we cleanup threading module state - # that should not exist after a fork. - - # Reset _active_limbo_lock, in case we forked while the lock was held - # by another (non-forked) thread. http://bugs.python.org/issue874900 - global _active_limbo_lock - _active_limbo_lock = _allocate_lock() - - # fork() only copied the current thread; clear references to others. - new_active = {} - current = current_thread() - with _active_limbo_lock: - for thread in _active.itervalues(): - if thread is current: - # There is only one active thread. We reset the ident to - # its new value since it can have changed. - ident = _get_ident() - thread._Thread__ident = ident - # Any condition variables hanging off of the active thread may - # be in an invalid state, so we reinitialize them. - if hasattr(thread, '_reset_internal_locks'): - thread._reset_internal_locks() - new_active[ident] = thread - else: - # All the others are already stopped. - # We don't call _Thread__stop() because it tries to acquire - # thread._Thread__block which could also have been held while - # we forked. - thread._Thread__stopped = True - - _limbo.clear() - _active.clear() - _active.update(new_active) - assert len(_active) == 1 - - -# Self-test code - -def _test(): - - class BoundedQueue(_Verbose): - - def __init__(self, limit): - _Verbose.__init__(self) - self.mon = RLock() - self.rc = Condition(self.mon) - self.wc = Condition(self.mon) - self.limit = limit - self.queue = deque() - - def put(self, item): - self.mon.acquire() - while len(self.queue) >= self.limit: - self._note("put(%s): queue full", item) - self.wc.wait() - self.queue.append(item) - self._note("put(%s): appended, length now %d", - item, len(self.queue)) - self.rc.notify() - self.mon.release() - - def get(self): - self.mon.acquire() - while not self.queue: - self._note("get(): queue empty") - self.rc.wait() - item = self.queue.popleft() - self._note("get(): got %s, %d left", item, len(self.queue)) - self.wc.notify() - self.mon.release() - return item - - class ProducerThread(Thread): - - def __init__(self, queue, quota): - Thread.__init__(self, name="Producer") - self.queue = queue - self.quota = quota - - def run(self): - from random import random - counter = 0 - while counter < self.quota: - counter = counter + 1 - self.queue.put("%s.%d" % (self.name, counter)) - _sleep(random() * 0.00001) - - - class ConsumerThread(Thread): - - def __init__(self, queue, count): - Thread.__init__(self, name="Consumer") - self.queue = queue - self.count = count - - def run(self): - while self.count > 0: - item = self.queue.get() - print item - self.count = self.count - 1 - - NP = 3 - QL = 4 - NI = 5 - - Q = BoundedQueue(QL) - P = [] - for i in range(NP): - t = ProducerThread(Q, NI) - t.name = ("Producer-%d" % (i+1)) - P.append(t) - C = ConsumerThread(Q, NI*NP) - for t in P: - t.start() - _sleep(0.000001) - C.start() - for t in P: - t.join() - C.join() - -if __name__ == '__main__': - _test() diff --git a/Tools/cg2glsl/cg2glsl_sources/lib/traceback.py b/Tools/cg2glsl/cg2glsl_sources/lib/traceback.py deleted file mode 100644 index d0f2995967..0000000000 --- a/Tools/cg2glsl/cg2glsl_sources/lib/traceback.py +++ /dev/null @@ -1,319 +0,0 @@ -"""Extract, format and print information about Python stack traces.""" - -import linecache -import sys -import types - -__all__ = ['extract_stack', 'extract_tb', 'format_exception', - 'format_exception_only', 'format_list', 'format_stack', - 'format_tb', 'print_exc', 'format_exc', 'print_exception', - 'print_last', 'print_stack', 'print_tb', 'tb_lineno'] - -def _print(file, str='', terminator='\n'): - file.write(str+terminator) - - -def print_list(extracted_list, file=None): - """Print the list of tuples as returned by extract_tb() or - extract_stack() as a formatted stack trace to the given file.""" - if file is None: - file = sys.stderr - for filename, lineno, name, line in extracted_list: - _print(file, - ' File "%s", line %d, in %s' % (filename,lineno,name)) - if line: - _print(file, ' %s' % line.strip()) - -def format_list(extracted_list): - """Format a list of traceback entry tuples for printing. - - Given a list of tuples as returned by extract_tb() or - extract_stack(), return a list of strings ready for printing. - Each string in the resulting list corresponds to the item with the - same index in the argument list. Each string ends in a newline; - the strings may contain internal newlines as well, for those items - whose source text line is not None. - """ - list = [] - for filename, lineno, name, line in extracted_list: - item = ' File "%s", line %d, in %s\n' % (filename,lineno,name) - if line: - item = item + ' %s\n' % line.strip() - list.append(item) - return list - - -def print_tb(tb, limit=None, file=None): - """Print up to 'limit' stack trace entries from the traceback 'tb'. - - If 'limit' is omitted or None, all entries are printed. If 'file' - is omitted or None, the output goes to sys.stderr; otherwise - 'file' should be an open file or file-like object with a write() - method. - """ - if file is None: - file = sys.stderr - if limit is None: - if hasattr(sys, 'tracebacklimit'): - limit = sys.tracebacklimit - n = 0 - while tb is not None and (limit is None or n < limit): - f = tb.tb_frame - lineno = tb.tb_lineno - co = f.f_code - filename = co.co_filename - name = co.co_name - _print(file, - ' File "%s", line %d, in %s' % (filename, lineno, name)) - linecache.checkcache(filename) - line = linecache.getline(filename, lineno, f.f_globals) - if line: _print(file, ' ' + line.strip()) - tb = tb.tb_next - n = n+1 - -def format_tb(tb, limit = None): - """A shorthand for 'format_list(extract_stack(f, limit)).""" - return format_list(extract_tb(tb, limit)) - -def extract_tb(tb, limit = None): - """Return list of up to limit pre-processed entries from traceback. - - This is useful for alternate formatting of stack traces. If - 'limit' is omitted or None, all entries are extracted. A - pre-processed stack trace entry is a quadruple (filename, line - number, function name, text) representing the information that is - usually printed for a stack trace. The text is a string with - leading and trailing whitespace stripped; if the source is not - available it is None. - """ - if limit is None: - if hasattr(sys, 'tracebacklimit'): - limit = sys.tracebacklimit - list = [] - n = 0 - while tb is not None and (limit is None or n < limit): - f = tb.tb_frame - lineno = tb.tb_lineno - co = f.f_code - filename = co.co_filename - name = co.co_name - linecache.checkcache(filename) - line = linecache.getline(filename, lineno, f.f_globals) - if line: line = line.strip() - else: line = None - list.append((filename, lineno, name, line)) - tb = tb.tb_next - n = n+1 - return list - - -def print_exception(etype, value, tb, limit=None, file=None): - """Print exception up to 'limit' stack trace entries from 'tb' to 'file'. - - This differs from print_tb() in the following ways: (1) if - traceback is not None, it prints a header "Traceback (most recent - call last):"; (2) it prints the exception type and value after the - stack trace; (3) if type is SyntaxError and value has the - appropriate format, it prints the line where the syntax error - occurred with a caret on the next line indicating the approximate - position of the error. - """ - if file is None: - file = sys.stderr - if tb: - _print(file, 'Traceback (most recent call last):') - print_tb(tb, limit, file) - lines = format_exception_only(etype, value) - for line in lines: - _print(file, line, '') - -def format_exception(etype, value, tb, limit = None): - """Format a stack trace and the exception information. - - The arguments have the same meaning as the corresponding arguments - to print_exception(). The return value is a list of strings, each - ending in a newline and some containing internal newlines. When - these lines are concatenated and printed, exactly the same text is - printed as does print_exception(). - """ - if tb: - list = ['Traceback (most recent call last):\n'] - list = list + format_tb(tb, limit) - else: - list = [] - list = list + format_exception_only(etype, value) - return list - -def format_exception_only(etype, value): - """Format the exception part of a traceback. - - The arguments are the exception type and value such as given by - sys.last_type and sys.last_value. The return value is a list of - strings, each ending in a newline. - - Normally, the list contains a single string; however, for - SyntaxError exceptions, it contains several lines that (when - printed) display detailed information about where the syntax - error occurred. - - The message indicating which exception occurred is always the last - string in the list. - - """ - - # An instance should not have a meaningful value parameter, but - # sometimes does, particularly for string exceptions, such as - # >>> raise string1, string2 # deprecated - # - # Clear these out first because issubtype(string1, SyntaxError) - # would throw another exception and mask the original problem. - if (isinstance(etype, BaseException) or - isinstance(etype, types.InstanceType) or - etype is None or type(etype) is str): - return [_format_final_exc_line(etype, value)] - - stype = etype.__name__ - - if not issubclass(etype, SyntaxError): - return [_format_final_exc_line(stype, value)] - - # It was a syntax error; show exactly where the problem was found. - lines = [] - try: - msg, (filename, lineno, offset, badline) = value.args - except Exception: - pass - else: - filename = filename or "" - lines.append(' File "%s", line %d\n' % (filename, lineno)) - if badline is not None: - lines.append(' %s\n' % badline.strip()) - if offset is not None: - caretspace = badline.rstrip('\n')[:offset].lstrip() - # non-space whitespace (likes tabs) must be kept for alignment - caretspace = ((c.isspace() and c or ' ') for c in caretspace) - # only three spaces to account for offset1 == pos 0 - lines.append(' %s^\n' % ''.join(caretspace)) - value = msg - - lines.append(_format_final_exc_line(stype, value)) - return lines - -def _format_final_exc_line(etype, value): - """Return a list of a single line -- normal case for format_exception_only""" - valuestr = _some_str(value) - if value is None or not valuestr: - line = "%s\n" % etype - else: - line = "%s: %s\n" % (etype, valuestr) - return line - -def _some_str(value): - try: - return str(value) - except Exception: - pass - try: - value = unicode(value) - return value.encode("ascii", "backslashreplace") - except Exception: - pass - return '' % type(value).__name__ - - -def print_exc(limit=None, file=None): - """Shorthand for 'print_exception(sys.exc_type, sys.exc_value, sys.exc_traceback, limit, file)'. - (In fact, it uses sys.exc_info() to retrieve the same information - in a thread-safe way.)""" - if file is None: - file = sys.stderr - try: - etype, value, tb = sys.exc_info() - print_exception(etype, value, tb, limit, file) - finally: - etype = value = tb = None - - -def format_exc(limit=None): - """Like print_exc() but return a string.""" - try: - etype, value, tb = sys.exc_info() - return ''.join(format_exception(etype, value, tb, limit)) - finally: - etype = value = tb = None - - -def print_last(limit=None, file=None): - """This is a shorthand for 'print_exception(sys.last_type, - sys.last_value, sys.last_traceback, limit, file)'.""" - if not hasattr(sys, "last_type"): - raise ValueError("no last exception") - if file is None: - file = sys.stderr - print_exception(sys.last_type, sys.last_value, sys.last_traceback, - limit, file) - - -def print_stack(f=None, limit=None, file=None): - """Print a stack trace from its invocation point. - - The optional 'f' argument can be used to specify an alternate - stack frame at which to start. The optional 'limit' and 'file' - arguments have the same meaning as for print_exception(). - """ - if f is None: - try: - raise ZeroDivisionError - except ZeroDivisionError: - f = sys.exc_info()[2].tb_frame.f_back - print_list(extract_stack(f, limit), file) - -def format_stack(f=None, limit=None): - """Shorthand for 'format_list(extract_stack(f, limit))'.""" - if f is None: - try: - raise ZeroDivisionError - except ZeroDivisionError: - f = sys.exc_info()[2].tb_frame.f_back - return format_list(extract_stack(f, limit)) - -def extract_stack(f=None, limit = None): - """Extract the raw traceback from the current stack frame. - - The return value has the same format as for extract_tb(). The - optional 'f' and 'limit' arguments have the same meaning as for - print_stack(). Each item in the list is a quadruple (filename, - line number, function name, text), and the entries are in order - from oldest to newest stack frame. - """ - if f is None: - try: - raise ZeroDivisionError - except ZeroDivisionError: - f = sys.exc_info()[2].tb_frame.f_back - if limit is None: - if hasattr(sys, 'tracebacklimit'): - limit = sys.tracebacklimit - list = [] - n = 0 - while f is not None and (limit is None or n < limit): - lineno = f.f_lineno - co = f.f_code - filename = co.co_filename - name = co.co_name - linecache.checkcache(filename) - line = linecache.getline(filename, lineno, f.f_globals) - if line: line = line.strip() - else: line = None - list.append((filename, lineno, name, line)) - f = f.f_back - n = n+1 - list.reverse() - return list - -def tb_lineno(tb): - """Calculate correct line number of traceback given in tb. - - Obsolete in 2.3. - """ - return tb.tb_lineno diff --git a/Tools/cg2glsl/cg2glsl_sources/lib/types.py b/Tools/cg2glsl/cg2glsl_sources/lib/types.py deleted file mode 100644 index 236555c24f..0000000000 --- a/Tools/cg2glsl/cg2glsl_sources/lib/types.py +++ /dev/null @@ -1,84 +0,0 @@ -"""Define names for all type symbols known in the standard interpreter. - -Types that are part of optional modules (e.g. array) are not listed. -""" -import sys - -# Iterators in Python aren't a matter of type but of protocol. A large -# and changing number of builtin types implement *some* flavor of -# iterator. Don't check the type! Use hasattr to check for both -# "__iter__" and "next" attributes instead. - -NoneType = type(None) -TypeType = type -ObjectType = object - -IntType = int -LongType = long -FloatType = float -BooleanType = bool -try: - ComplexType = complex -except NameError: - pass - -StringType = str - -# StringTypes is already outdated. Instead of writing "type(x) in -# types.StringTypes", you should use "isinstance(x, basestring)". But -# we keep around for compatibility with Python 2.2. -try: - UnicodeType = unicode - StringTypes = (StringType, UnicodeType) -except NameError: - StringTypes = (StringType,) - -BufferType = buffer - -TupleType = tuple -ListType = list -DictType = DictionaryType = dict - -def _f(): pass -FunctionType = type(_f) -LambdaType = type(lambda: None) # Same as FunctionType -CodeType = type(_f.func_code) - -def _g(): - yield 1 -GeneratorType = type(_g()) - -class _C: - def _m(self): pass -ClassType = type(_C) -UnboundMethodType = type(_C._m) # Same as MethodType -_x = _C() -InstanceType = type(_x) -MethodType = type(_x._m) - -BuiltinFunctionType = type(len) -BuiltinMethodType = type([].append) # Same as BuiltinFunctionType - -ModuleType = type(sys) -FileType = file -XRangeType = xrange - -try: - raise TypeError -except TypeError: - tb = sys.exc_info()[2] - TracebackType = type(tb) - FrameType = type(tb.tb_frame) - del tb - -SliceType = slice -EllipsisType = type(Ellipsis) - -DictProxyType = type(TypeType.__dict__) -NotImplementedType = type(NotImplemented) - -# For Jython, the following two types are identical -GetSetDescriptorType = type(FunctionType.func_code) -MemberDescriptorType = type(FunctionType.func_globals) - -del sys, _f, _g, _C, _x # Not for export diff --git a/Tools/cg2glsl/cg2glsl_sources/lib/warnings.py b/Tools/cg2glsl/cg2glsl_sources/lib/warnings.py deleted file mode 100644 index 9aed27ffdd..0000000000 --- a/Tools/cg2glsl/cg2glsl_sources/lib/warnings.py +++ /dev/null @@ -1,400 +0,0 @@ -"""Python part of the warnings subsystem.""" - -# Note: function level imports should *not* be used -# in this module as it may cause import lock deadlock. -# See bug 683658. -import linecache -import sys -import types - -__all__ = ["warn", "showwarning", "formatwarning", "filterwarnings", - "resetwarnings", "catch_warnings"] - - -def warnpy3k(message, category=None, stacklevel=1): - """Issue a deprecation warning for Python 3.x related changes. - - Warnings are omitted unless Python is started with the -3 option. - """ - if sys.py3kwarning: - if category is None: - category = DeprecationWarning - warn(message, category, stacklevel+1) - -def _show_warning(message, category, filename, lineno, file=None, line=None): - """Hook to write a warning to a file; replace if you like.""" - if file is None: - file = sys.stderr - try: - file.write(formatwarning(message, category, filename, lineno, line)) - except IOError: - pass # the file (probably stderr) is invalid - this warning gets lost. -# Keep a working version around in case the deprecation of the old API is -# triggered. -showwarning = _show_warning - -def formatwarning(message, category, filename, lineno, line=None): - """Function to format a warning the standard way.""" - s = "%s:%s: %s: %s\n" % (filename, lineno, category.__name__, message) - line = linecache.getline(filename, lineno) if line is None else line - if line: - line = line.strip() - s += " %s\n" % line - return s - -def filterwarnings(action, message="", category=Warning, module="", lineno=0, - append=0): - """Insert an entry into the list of warnings filters (at the front). - - 'action' -- one of "error", "ignore", "always", "default", "module", - or "once" - 'message' -- a regex that the warning message must match - 'category' -- a class that the warning must be a subclass of - 'module' -- a regex that the module name must match - 'lineno' -- an integer line number, 0 matches all warnings - 'append' -- if true, append to the list of filters - """ - import re - assert action in ("error", "ignore", "always", "default", "module", - "once"), "invalid action: %r" % (action,) - assert isinstance(message, basestring), "message must be a string" - assert isinstance(category, (type, types.ClassType)), \ - "category must be a class" - assert issubclass(category, Warning), "category must be a Warning subclass" - assert isinstance(module, basestring), "module must be a string" - assert isinstance(lineno, int) and lineno >= 0, \ - "lineno must be an int >= 0" - item = (action, re.compile(message, re.I), category, - re.compile(module), lineno) - if append: - filters.append(item) - else: - filters.insert(0, item) - -def simplefilter(action, category=Warning, lineno=0, append=0): - """Insert a simple entry into the list of warnings filters (at the front). - - A simple filter matches all modules and messages. - 'action' -- one of "error", "ignore", "always", "default", "module", - or "once" - 'category' -- a class that the warning must be a subclass of - 'lineno' -- an integer line number, 0 matches all warnings - 'append' -- if true, append to the list of filters - """ - assert action in ("error", "ignore", "always", "default", "module", - "once"), "invalid action: %r" % (action,) - assert isinstance(lineno, int) and lineno >= 0, \ - "lineno must be an int >= 0" - item = (action, None, category, None, lineno) - if append: - filters.append(item) - else: - filters.insert(0, item) - -def resetwarnings(): - """Clear the list of warning filters, so that no filters are active.""" - filters[:] = [] - -class _OptionError(Exception): - """Exception used by option processing helpers.""" - pass - -# Helper to process -W options passed via sys.warnoptions -def _processoptions(args): - for arg in args: - try: - _setoption(arg) - except _OptionError, msg: - print >>sys.stderr, "Invalid -W option ignored:", msg - -# Helper for _processoptions() -def _setoption(arg): - import re - parts = arg.split(':') - if len(parts) > 5: - raise _OptionError("too many fields (max 5): %r" % (arg,)) - while len(parts) < 5: - parts.append('') - action, message, category, module, lineno = [s.strip() - for s in parts] - action = _getaction(action) - message = re.escape(message) - category = _getcategory(category) - module = re.escape(module) - if module: - module = module + '$' - if lineno: - try: - lineno = int(lineno) - if lineno < 0: - raise ValueError - except (ValueError, OverflowError): - raise _OptionError("invalid lineno %r" % (lineno,)) - else: - lineno = 0 - filterwarnings(action, message, category, module, lineno) - -# Helper for _setoption() -def _getaction(action): - if not action: - return "default" - if action == "all": return "always" # Alias - for a in ('default', 'always', 'ignore', 'module', 'once', 'error'): - if a.startswith(action): - return a - raise _OptionError("invalid action: %r" % (action,)) - -# Helper for _setoption() -def _getcategory(category): - import re - if not category: - return Warning - if re.match("^[a-zA-Z0-9_]+$", category): - try: - cat = eval(category) - except NameError: - raise _OptionError("unknown warning category: %r" % (category,)) - else: - i = category.rfind(".") - module = category[:i] - klass = category[i+1:] - try: - m = __import__(module, None, None, [klass]) - except ImportError: - raise _OptionError("invalid module name: %r" % (module,)) - try: - cat = getattr(m, klass) - except AttributeError: - raise _OptionError("unknown warning category: %r" % (category,)) - if not issubclass(cat, Warning): - raise _OptionError("invalid warning category: %r" % (category,)) - return cat - - -# Code typically replaced by _warnings -def warn(message, category=None, stacklevel=1): - """Issue a warning, or maybe ignore it or raise an exception.""" - # Check if message is already a Warning object - if isinstance(message, Warning): - category = message.__class__ - # Check category argument - if category is None: - category = UserWarning - assert issubclass(category, Warning) - # Get context information - try: - caller = sys._getframe(stacklevel) - except ValueError: - globals = sys.__dict__ - lineno = 1 - else: - globals = caller.f_globals - lineno = caller.f_lineno - if '__name__' in globals: - module = globals['__name__'] - else: - module = "" - filename = globals.get('__file__') - if filename: - fnl = filename.lower() - if fnl.endswith((".pyc", ".pyo")): - filename = filename[:-1] - else: - if module == "__main__": - try: - filename = sys.argv[0] - except AttributeError: - # embedded interpreters don't have sys.argv, see bug #839151 - filename = '__main__' - if not filename: - filename = module - registry = globals.setdefault("__warningregistry__", {}) - warn_explicit(message, category, filename, lineno, module, registry, - globals) - -def warn_explicit(message, category, filename, lineno, - module=None, registry=None, module_globals=None): - lineno = int(lineno) - if module is None: - module = filename or "" - if module[-3:].lower() == ".py": - module = module[:-3] # XXX What about leading pathname? - if registry is None: - registry = {} - if isinstance(message, Warning): - text = str(message) - category = message.__class__ - else: - text = message - message = category(message) - key = (text, category, lineno) - # Quick test for common case - if registry.get(key): - return - # Search the filters - for item in filters: - action, msg, cat, mod, ln = item - if ((msg is None or msg.match(text)) and - issubclass(category, cat) and - (mod is None or mod.match(module)) and - (ln == 0 or lineno == ln)): - break - else: - action = defaultaction - # Early exit actions - if action == "ignore": - registry[key] = 1 - return - - # Prime the linecache for formatting, in case the - # "file" is actually in a zipfile or something. - linecache.getlines(filename, module_globals) - - if action == "error": - raise message - # Other actions - if action == "once": - registry[key] = 1 - oncekey = (text, category) - if onceregistry.get(oncekey): - return - onceregistry[oncekey] = 1 - elif action == "always": - pass - elif action == "module": - registry[key] = 1 - altkey = (text, category, 0) - if registry.get(altkey): - return - registry[altkey] = 1 - elif action == "default": - registry[key] = 1 - else: - # Unrecognized actions are errors - raise RuntimeError( - "Unrecognized action (%r) in warnings.filters:\n %s" % - (action, item)) - # Print message and context - showwarning(message, category, filename, lineno) - - -class WarningMessage(object): - - """Holds the result of a single showwarning() call.""" - - _WARNING_DETAILS = ("message", "category", "filename", "lineno", "file", - "line") - - def __init__(self, message, category, filename, lineno, file=None, - line=None): - local_values = locals() - for attr in self._WARNING_DETAILS: - setattr(self, attr, local_values[attr]) - self._category_name = category.__name__ if category else None - - def __str__(self): - return ("{message : %r, category : %r, filename : %r, lineno : %s, " - "line : %r}" % (self.message, self._category_name, - self.filename, self.lineno, self.line)) - - -class catch_warnings(object): - - """A context manager that copies and restores the warnings filter upon - exiting the context. - - The 'record' argument specifies whether warnings should be captured by a - custom implementation of warnings.showwarning() and be appended to a list - returned by the context manager. Otherwise None is returned by the context - manager. The objects appended to the list are arguments whose attributes - mirror the arguments to showwarning(). - - The 'module' argument is to specify an alternative module to the module - named 'warnings' and imported under that name. This argument is only useful - when testing the warnings module itself. - - """ - - def __init__(self, record=False, module=None): - """Specify whether to record warnings and if an alternative module - should be used other than sys.modules['warnings']. - - For compatibility with Python 3.0, please consider all arguments to be - keyword-only. - - """ - self._record = record - self._module = sys.modules['warnings'] if module is None else module - self._entered = False - - def __repr__(self): - args = [] - if self._record: - args.append("record=True") - if self._module is not sys.modules['warnings']: - args.append("module=%r" % self._module) - name = type(self).__name__ - return "%s(%s)" % (name, ", ".join(args)) - - def __enter__(self): - if self._entered: - raise RuntimeError("Cannot enter %r twice" % self) - self._entered = True - self._filters = self._module.filters - self._module.filters = self._filters[:] - self._showwarning = self._module.showwarning - if self._record: - log = [] - def showwarning(*args, **kwargs): - log.append(WarningMessage(*args, **kwargs)) - self._module.showwarning = showwarning - return log - else: - return None - - def __exit__(self, *exc_info): - if not self._entered: - raise RuntimeError("Cannot exit %r without entering first" % self) - self._module.filters = self._filters - self._module.showwarning = self._showwarning - - -# filters contains a sequence of filter 5-tuples -# The components of the 5-tuple are: -# - an action: error, ignore, always, default, module, or once -# - a compiled regex that must match the warning message -# - a class representing the warning category -# - a compiled regex that must match the module that is being warned -# - a line number for the line being warning, or 0 to mean any line -# If either if the compiled regexs are None, match anything. -_warnings_defaults = False -try: - from _warnings import (filters, default_action, once_registry, - warn, warn_explicit) - defaultaction = default_action - onceregistry = once_registry - _warnings_defaults = True -except ImportError: - filters = [] - defaultaction = "default" - onceregistry = {} - - -# Module initialization -_processoptions(sys.warnoptions) -if not _warnings_defaults: - silence = [ImportWarning, PendingDeprecationWarning] - # Don't silence DeprecationWarning if -3 or -Q was used. - if not sys.py3kwarning and not sys.flags.division_warning: - silence.append(DeprecationWarning) - for cls in silence: - simplefilter("ignore", category=cls) - bytes_warning = sys.flags.bytes_warning - if bytes_warning > 1: - bytes_action = "error" - elif bytes_warning: - bytes_action = "default" - else: - bytes_action = "ignore" - simplefilter(bytes_action, category=BytesWarning, append=1) -del _warnings_defaults diff --git a/Tools/cg2glsl/cgGL.dll b/Tools/cg2glsl/cgGL.dll deleted file mode 100644 index 3e606b80fb..0000000000 Binary files a/Tools/cg2glsl/cgGL.dll and /dev/null differ diff --git a/Tools/cg2glsl/cgc.exe b/Tools/cg2glsl/cgc.exe deleted file mode 100644 index 03e203ecd8..0000000000 Binary files a/Tools/cg2glsl/cgc.exe and /dev/null differ diff --git a/Version/VersionInfo.cs b/Version/VersionInfo.cs index 5f5daf6755..4d0ce0a972 100644 --- a/Version/VersionInfo.cs +++ b/Version/VersionInfo.cs @@ -7,6 +7,6 @@ static class VersionInfo public static string GetEmuVersion() { - return DeveloperBuild ? "SVN " + SubWCRev.SVN_REV : ("Version " + MAINVERSION); + return DeveloperBuild ? ("GIT " + SubWCRev.GIT_BRANCH + "#" + SubWCRev.GIT_SHORTHASH) : ("Version " + MAINVERSION); } } diff --git a/libgambatte/src/cpu.cpp b/libgambatte/src/cpu.cpp index 92173d1f44..e1674bebb1 100644 --- a/libgambatte/src/cpu.cpp +++ b/libgambatte/src/cpu.cpp @@ -505,7 +505,7 @@ void CPU::process(const unsigned long cycles) { unsigned char opcode; if (tracecallback) { - int result[13]; + int result[14]; result[0] = cycleCounter; result[1] = PC; result[2] = SP; @@ -520,6 +520,7 @@ void CPU::process(const unsigned long cycles) { result[11] = skip; PC_READ(opcode); result[12] = opcode; + result[13] = memory.debugGetLY(); tracecallback((void *)result); } else { diff --git a/libgambatte/src/memory.h b/libgambatte/src/memory.h index 70f4bafac3..8ffd355c31 100644 --- a/libgambatte/src/memory.h +++ b/libgambatte/src/memory.h @@ -85,6 +85,8 @@ public: bool loaded() const { return cart.loaded(); } const char * romTitle() const { return cart.romTitle(); } + int debugGetLY() const { return display.debugGetLY(); } + void setStatePtrs(SaveState &state); void loadState(const SaveState &state/*, unsigned long oldCc*/); void loadSavedata(const char *data) { cart.loadSavedata(data); } diff --git a/libgambatte/src/video.h b/libgambatte/src/video.h index 67c0856aed..4b722f1ebe 100644 --- a/libgambatte/src/video.h +++ b/libgambatte/src/video.h @@ -175,6 +175,8 @@ public: void setCgbPalette(unsigned *lut); void setVideoBuffer(uint_least32_t *videoBuf, int pitch); + int debugGetLY() const { return ppu.lyCounter().ly(); } + void dmgBgPaletteChange(const unsigned data, const unsigned long cycleCounter) { update(cycleCounter); bgpData[0] = data; diff --git a/libmupen64plus/D3D8Interceptor/Direct3D8Functions.cpp b/libmupen64plus/D3D8Interceptor/Direct3D8Functions.cpp index ca5b69d040..9fc7339635 100644 --- a/libmupen64plus/D3D8Interceptor/Direct3D8Functions.cpp +++ b/libmupen64plus/D3D8Interceptor/Direct3D8Functions.cpp @@ -121,10 +121,21 @@ extern "C" STDMETHODIMP D3D8Wrapper::IDirect3D8::CreateDevice(UINT Adapter,D3D8Base::D3DDEVTYPE DeviceType,HWND hFocusWindow,DWORD BehaviorFlags,D3D8Base::D3DPRESENT_PARAMETERS* pPresentationParameters,D3D8Wrapper::IDirect3DDevice8** ppReturnedDeviceInterface) { + //sometimes, Intel drivers will clear the dll path. So let's save and restore it (do their job for them) + //it doesn't seem like this happens any time besides creating the D3D8 object and a device. + //If it does, then this solution isn't scalable at all. + //This is a good place to note that it appears possible that on the affected drivers, the D3D9 interface will only SetDllDirectory the first time a D3D9 object is created + char oldDllDirectory[MAX_PATH]; + GetDllDirectory(MAX_PATH, oldDllDirectory); + LOG("IDirect3D8::CreateDevice( " << Adapter << " , " << DeviceType << " , " << hFocusWindow << " , " << BehaviorFlags << " , " << pPresentationParameters << " , " << ppReturnedDeviceInterface << " ) [ " << this << " ]\n"); D3D8Base::IDirect3DDevice8* realDevice = NULL; HRESULT hr = m_pD3D->CreateDevice(Adapter,DeviceType,hFocusWindow,BehaviorFlags,pPresentationParameters,&realDevice); + + //restore old DLL directory + SetDllDirectory(oldDllDirectory); + if(FAILED(hr)) { return hr; diff --git a/libmupen64plus/D3D8Interceptor/d3d8Wrapper.cpp b/libmupen64plus/D3D8Interceptor/d3d8Wrapper.cpp index 03f850b19f..905fdaad0f 100644 --- a/libmupen64plus/D3D8Interceptor/d3d8Wrapper.cpp +++ b/libmupen64plus/D3D8Interceptor/d3d8Wrapper.cpp @@ -14,7 +14,11 @@ extern "C" D3D8Wrapper::IDirect3D8* WINAPI Direct3DCreate8(UINT Version) { - // Get the real DLL path from the system directory + //sometimes, Intel drivers will clear the dll path. So let's save and restore it (do their job for them) + char oldDllDirectory[MAX_PATH]; + GetDllDirectory(MAX_PATH, oldDllDirectory); + + // Get the real DLL path from the system directory, needs to be specific to avoid binding to the d3d8.dll we're in now! // Might be unsafe CHAR dll_path[1024]; GetSystemDirectory(dll_path,1024); @@ -30,6 +34,9 @@ extern "C" // Wrap the object D3D8Wrapper::IDirect3D8* wrappedD3D = D3D8Wrapper::IDirect3D8::GetDirect3D(realD3D); + //restore old DLL directory + SetDllDirectory(oldDllDirectory); + return wrappedD3D; } } diff --git a/output/Lua/Genesis/Splatterhouse 2 (JPN).lua b/output/Lua/Genesis/Splatterhouse 2 (JPN).lua new file mode 100644 index 0000000000..8c6ba4dfe0 --- /dev/null +++ b/output/Lua/Genesis/Splatterhouse 2 (JPN).lua @@ -0,0 +1,81 @@ +--Splatterhouse 2 (JPN) Collision box viewer v1.0 +--Author Pasky +--For use with Bizhawk + + +local cx = 0 +local player = false +local attack = false +local weapon = false +local function camera() + cx = mainmemory.read_u16_be(0x9E) +end + +local function drawAxis(x1,y1,x2,y2) + local x = ((x2 - x1) / 2) + x1 + local y = ((y2 - y1) / 2) + y1 + local xrad = (x2 - x1) / 2 + local yrad = (y2 - y1) / 2 + gui.drawLine(x-xrad,y,x+xrad,y) + gui.drawLine(x,y-yrad,x,y+yrad) +end + +local function touch_collision() + + local A6 = bit.band(emu.getregister("M68K A6"),0xFFFF) + local e = {0,0,0,0} + local p = {0,0,0,0} + + for i = 0,3,1 do + e[i] = mainmemory.read_s16_be(A6 - 0x0A - (i * 2)) + p[i] = mainmemory.read_s16_be(A6 - 0x02 - (i * 2)) + end + gui.drawBox(e[0]-cx,e[2],e[1]-cx,e[3],0xFFFF0000,0x40FF0000) + if player == false then + gui.drawBox(p[0]-cx,p[2],p[1]-cx,p[3],0xFF0000FF,0x400000FF) + if mainmemory.read_u16_be(0xEA) > 0 then + drawAxis(p[0]-cx,p[2],p[1]-cx,p[3]) + end + player = true + end +end + +local function attack_collision() + local A6 = bit.band(emu.getregister("M68K A6"),0xFFFF) + local a = {0,0,0,0} + for i = 0,3,1 do + a[i] = mainmemory.read_s16_be(A6 - 0x1A - (i * 2)) + end + if attack == false then + gui.drawBox(a[0]-cx,a[2],a[1]-cx,a[3],0xFFFFFFFF,0x40FFFFFF) + attack = true + end +end + +local function weapon_collision() + local A6 = bit.band(emu.getregister("M68K A6"),0xFFFF) + local w = {0,0,0,0} + for i = 0,3,1 do + w[i] = mainmemory.read_s16_be(A6 - 0x12 - (i * 2)) + end + if weapon == false then + gui.drawBox(w[0]-cx,w[2],w[1]-cx,w[3],0xFFFFFFFF,0x40FFFFFF) + weapon = true + end +end + +local function reset() + player = false + attack = false + weapon = false +end + +event.onmemoryexecute(touch_collision,0x14508) +event.onmemoryexecute(attack_collision,0x143E0) +event.onmemoryexecute(weapon_collision,0x1420A) + +while true do + camera() + emu.frameadvance() + reset() +end \ No newline at end of file diff --git a/output/Lua/Genesis/Splatterhouse 2 (USA).lua b/output/Lua/Genesis/Splatterhouse 2 (USA).lua new file mode 100644 index 0000000000..6ffc31c626 --- /dev/null +++ b/output/Lua/Genesis/Splatterhouse 2 (USA).lua @@ -0,0 +1,84 @@ +--Splatterhouse 2 (USA) Collision box viewer +--Author Pasky +--For use with Bizhawk + + +local cx = 0 +local player = false +local attack = false +local weapon = false + +local function camera() + cx = mainmemory.read_u16_be(0x9E) +end + +local function drawAxis(x1,y1,x2,y2) + local x = ((x2 - x1) / 2) + x1 + local y = ((y2 - y1) / 2) + y1 + local xrad = (x2 - x1) / 2 + local yrad = (y2 - y1) / 2 + gui.drawLine(x-xrad,y,x+xrad,y) + gui.drawLine(x,y-yrad,x,y+yrad) +end + +local function touch_collision() + + local A6 = bit.band(emu.getregister("M68K A6"),0xFFFF) + local e = {0,0,0,0} + local p = {0,0,0,0} + + for i = 0,3,1 do + e[i] = mainmemory.read_s16_be(A6 - 0x0A - (i * 2)) + p[i] = mainmemory.read_s16_be(A6 - 0x02 - (i * 2)) + end + gui.drawBox(e[0]-cx,e[2],e[1]-cx,e[3],0xFFFF0000,0x40FF0000) + if player == false then + gui.drawBox(p[0]-cx,p[2],p[1]-cx,p[3],0xFF0000FF,0x400000FF) + if mainmemory.read_u16_be(0xEA) > 0 then + drawAxis(p[0]-cx,p[2],p[1]-cx,p[3]) + end + player = true + end +end + +local function attack_collision() + local A6 = bit.band(emu.getregister("M68K A6"),0xFFFF) + local a = {0,0,0,0} + for i = 0,3,1 do + a[i] = mainmemory.read_s16_be(A6 - 0x1A - (i * 2)) + end + if attack == false then + gui.drawBox(a[0]-cx,a[2],a[1]-cx,a[3],0xFFFFFFFF,0x40FFFFFF) + attack = true + end + +end + +local function weapon_collision() + local A6 = bit.band(emu.getregister("M68K A6"),0xFFFF) + local w = {0,0,0,0} + for i = 0,3,1 do + w[i] = mainmemory.read_s16_be(A6 - 0x12 - (i * 2)) + end + if weapon == false then + gui.drawBox(w[0]-cx,w[2],w[1]-cx,w[3],0xFFFFFFFF,0x40FFFFFF) + weapon = true + end +end + +local function reset() + player = false + attack = false + weapon = false +end + + +event.onmemoryexecute(touch_collision,0x1494E) +event.onmemoryexecute(attack_collision,0x14826) +event.onmemoryexecute(weapon_collision,0x14650) + +while true do + camera() + emu.frameadvance() + reset() +end \ No newline at end of file diff --git a/output/Lua/SNES/Super Castlevania IV.lua b/output/Lua/SNES/Super Castlevania IV.lua new file mode 100644 index 0000000000..8f8b074298 --- /dev/null +++ b/output/Lua/SNES/Super Castlevania IV.lua @@ -0,0 +1,105 @@ +-- Super Castlevania IV (USA/JP) Collision box viewer +-- For use with Bizhawk +-- Author Pasky + + +local player = false + +function findbit(p) + return 2 ^ (p - 1) +end + +local function ax(x,y) + gui.drawLine(x,y+4,x,y-4,0xFFFF0000) + gui.drawLine(x+4,y,x-4,y,0xFFFF0000) + gui.drawPixel(x,y,0xFFFFFFFF) +end + +function hasbit(x, p) + return x % (p + p) >= p +end + +local function hex(val) + val = string.format("%X",val) + if string.len(val) == 1 then + val = "0" .. val + end + return val +end + +local function camera() + camx = mainmemory.read_u16_le(0x1280) + camy = mainmemory.read_u16_le(0x1298) +end + +local function objects() + local xreg = emu.getregister("X") + local areg = emu.getregister("A") + local c = {0xFFFF0000,0x40FF0000} + local o = { mainmemory.read_u16_le(0x8) - camx,mainmemory.read_u16_le(0x10), mainmemory.read_u16_le(0xA) - camy, mainmemory.read_u16_le(0x12) } + if mainmemory.read_u16_le(xreg + 0x10) == 0xE then + c[1] = 0xFF0000FF + c[2] = 0x400000FF + gui.drawBox(o[1]-o[2],o[3]-o[4],o[1]+o[2],o[3]+o[4],c[1],c[2]) -- Draw non-player objects + else + if hasbit(areg,findbit(1)) then + gui.drawBox(o[1]-o[2],o[3]-o[4],o[1]+o[2],o[3]+o[4],c[1],c[2]) -- Draw objects that simon can collide with + if o[2] == 0 and o[4] == 0 then -- enemy projectile, mark the center with an axis since there is no box + ax(o[1],o[3]) + end + end + end + + + + + if player == false then + c[1] = 0xFF0000FF + c[2] = 0x400000FF + o = { mainmemory.read_u16_le(0x54A) - camx, 0x08, mainmemory.read_u16_le(0x54E), 0x13 } + gui.drawBox(o[1]-o[2],o[3]-o[4],o[1]+o[2],o[3]+o[4],c[1],c[2]) -- Draw player hurtbox + player = true -- Used so it isn't drawn every collision check + end +end + +local function weapons() + local x,y,xr,yr,base + for i = 0,7,1 do + base = 0x200 + (i * 0x40) + if mainmemory.read_u16_le(base) ~= 0 then + x = mainmemory.read_u16_le(base + 0xA) - camx + y = mainmemory.read_u16_le(base + 0xE) - camy + xr = mainmemory.read_u16_le(base + 0x28) + yr = mainmemory.read_u16_le(base + 0x2A) + if xr == 0 and yr == 0 then -- check if it's the whip + if base == 0x400 then + gui.drawBox(x-0x10,y-0x04,x+0x10,y+0x04,0xFFFFFFFF,0x40FFFFFF) + else + gui.drawBox(x-0x04,y-0x04,x+0x04,y+0x04,0xFFFFFFFF,0x40FFFFFF) + end + else + gui.drawBox(x-xr,y-yr,x+xr,y-yr) + end + end + end +end + +local function pproj() + local yreg = emu.getregister("Y") + local o = { mainmemory.read_u16_le(yreg + 0xA) - camx, mainmemory.read_u16_le(yreg + 0x28), mainmemory.read_u16_le(yreg + 0xE) - camy, mainmemory.read_u16_le(yreg + 0x2A) } + gui.drawBox(o[1]-o[2],o[3]-o[4],o[1]+o[2],o[3]+o[4],0xFFFFFFFF,0x40FFFFFF) +end + +local function reset() + player = false +end + +event.onmemoryexecute(objects,0x00DC7A) +event.onmemoryexecute(pproj,0xDD74) + +while true do + camera() + weapons() + emu.frameadvance() + reset() +end \ No newline at end of file diff --git a/output/Shaders/BizHawk/BizScanlines.glsl b/output/Shaders/BizHawk/BizScanlines.glsl deleted file mode 100644 index d9ee20ed3b..0000000000 --- a/output/Shaders/BizHawk/BizScanlines.glsl +++ /dev/null @@ -1,76 +0,0 @@ -#if defined(VERTEX) - -#if __VERSION__ >= 130 -#define COMPAT_VARYING out -#define COMPAT_ATTRIBUTE in -#define COMPAT_TEXTURE texture -#else -#define COMPAT_VARYING varying -#define COMPAT_ATTRIBUTE attribute -#define COMPAT_TEXTURE texture2D -#endif - -#ifdef GL_ES -#define COMPAT_PRECISION mediump -#else -#define COMPAT_PRECISION -#endif - -COMPAT_ATTRIBUTE vec4 VertexCoord; -COMPAT_ATTRIBUTE vec4 COLOR; -COMPAT_ATTRIBUTE vec4 TexCoord; - -COMPAT_VARYING vec2 vTexCoord0; - -uniform mat4 MVPMatrix; -uniform int FrameDirection; -uniform int FrameCount; -uniform COMPAT_PRECISION vec2 OutputSize; -uniform COMPAT_PRECISION vec2 TextureSize; -uniform COMPAT_PRECISION vec2 InputSize; - -void main() -{ - gl_Position = MVPMatrix * VertexCoord; - vTexCoord0 = TexCoord.xy; -} - -#elif defined(FRAGMENT) - -#if __VERSION__ >= 130 -#define COMPAT_VARYING in -#define COMPAT_TEXTURE texture -out vec4 FragColor; -#else -#define COMPAT_VARYING varying -#define FragColor gl_FragColor -#define COMPAT_TEXTURE texture2D -#endif - -#ifdef GL_ES -#ifdef GL_FRAGMENT_PRECISION_HIGH -precision highp float; -#else -precision mediump float; -#endif -#define COMPAT_PRECISION mediump -#else -#define COMPAT_PRECISION -#endif - -COMPAT_VARYING vec2 vTexCoord0; -uniform sampler2D Texture; -uniform int FrameDirection; -uniform int FrameCount; -uniform COMPAT_PRECISION vec2 OutputSize; -uniform COMPAT_PRECISION vec2 TextureSize; -uniform COMPAT_PRECISION vec2 InputSize; -uniform float uIntensity; - -void main() -{ - vec4 temp = texture2D(Texture,vTexCoord0); - if(floor(gl_FragCoord.y/2) != floor(gl_FragCoord.y)/2) temp.rgb *= uIntensity; - FragColor = temp; -} -#endif diff --git a/output/Shaders/bicubic/bicubic-fast.cg b/output/Shaders/BizHawk/bicubic-fast.cg similarity index 71% rename from output/Shaders/bicubic/bicubic-fast.cg rename to output/Shaders/BizHawk/bicubic-fast.cg index 3717ff27ff..db7b9fbbb4 100644 --- a/output/Shaders/bicubic/bicubic-fast.cg +++ b/output/Shaders/BizHawk/bicubic-fast.cg @@ -6,7 +6,25 @@ /* bicubic-fast Shader - Programmed by Hyllian - 2012 + Copyright (C) 2011-2015 Hyllian - sergiogdb@gmail.com + + Permission is hereby granted, free of charge, to any person obtaining a copy + of this software and associated documentation files (the "Software"), to deal + in the Software without restriction, including without limitation the rights + to use, copy, modify, merge, publish, distribute, sublicense, and/or sell + copies of the Software, and to permit persons to whom the Software is + furnished to do so, subject to the following conditions: + + The above copyright notice and this permission notice shall be included in + all copies or substantial portions of the Software. + + THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR + IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY, + FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE + AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER + LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM, + OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN + THE SOFTWARE. */ @@ -35,15 +53,15 @@ struct input struct out_vertex { - float2 texCoord; - float4 t1; - float4 t2; - float4 t3; - float4 t4; - float4 t5; - float4 t6; - float4 t7; - float2 t8; + float2 texCoord : TEXCOORD0; + float4 t1 : TEXCOORD1; + float4 t2 : TEXCOORD2; + float4 t3 : TEXCOORD3; + float4 t4 : TEXCOORD4; + float4 t5 : TEXCOORD5; + float4 t6 : TEXCOORD6; + float4 t7 : TEXCOORD7; + float2 t8 : COLOR0; }; /* VERTEX_SHADER */ @@ -51,7 +69,7 @@ out_vertex main_vertex ( float4 position : POSITION, out float4 oPosition : POSITION, - float2 tex : TEXCOORD0, + float2 texCoord1 : TEXCOORD0, uniform float4x4 modelViewProj, uniform input IN @@ -63,6 +81,9 @@ out_vertex main_vertex oPosition = mul(modelViewProj, position); + // This line fix a bug in ATI cards. + float2 tex = texCoord1 + float2(0.0000001, 0.0000001); + out_vertex OUT = { tex, float4(tex,tex) + float4( -dx, -dy, 0.0, -dy), @@ -84,7 +105,6 @@ float4 main_fragment(in out_vertex VAR, uniform sampler2D s_p : TEXUNIT0, unifor { float2 fp = frac(VAR.texCoord*IN.texture_size); - float3 c00 = tex2D(s_p, VAR.t1.xy).xyz; float3 c01 = tex2D(s_p, VAR.t1.zw).xyz; float3 c02 = tex2D(s_p, VAR.t2.xy).xyz; diff --git a/output/Shaders/BizHawk/bicubic-fast.cgp b/output/Shaders/BizHawk/bicubic-fast.cgp index 783c9a9dcb..b82eafc3ab 100644 --- a/output/Shaders/BizHawk/bicubic-fast.cgp +++ b/output/Shaders/BizHawk/bicubic-fast.cgp @@ -1,4 +1,4 @@ shaders = 1 -shader0 = bicubic-fast.glsl +shader0 = bicubic-fast.cg scale_type0 = viewport \ No newline at end of file diff --git a/output/Shaders/BizHawk/bicubic-fast.glsl b/output/Shaders/BizHawk/bicubic-fast.glsl deleted file mode 100644 index d87555728a..0000000000 --- a/output/Shaders/BizHawk/bicubic-fast.glsl +++ /dev/null @@ -1,338 +0,0 @@ -// GLSL shader autogenerated by cg2glsl.py. -#if defined(VERTEX) - -#if __VERSION__ >= 130 -#define COMPAT_VARYING out -#define COMPAT_ATTRIBUTE in -#define COMPAT_TEXTURE texture -#else -#define COMPAT_VARYING varying -#define COMPAT_ATTRIBUTE attribute -#define COMPAT_TEXTURE texture2D -#endif - -#ifdef GL_ES -#define COMPAT_PRECISION mediump -#else -#define COMPAT_PRECISION -#endif -COMPAT_VARYING vec2 VARt8; -COMPAT_VARYING vec4 VARt7; -COMPAT_VARYING vec4 VARt6; -COMPAT_VARYING vec4 VARt5; -COMPAT_VARYING vec4 VARt4; -COMPAT_VARYING vec4 VARt3; -COMPAT_VARYING vec4 VARt2; -COMPAT_VARYING vec4 VARt1; -COMPAT_VARYING vec2 VARtexCoord; -COMPAT_VARYING float _frame_rotation; - - -struct input_dummy { - vec2 _video_size; - vec2 _texture_size; - vec2 _output_dummy_size; - float _frame_count; - float _frame_direction; - float _frame_rotation; -}; - -struct out_vertex { - vec2 VARtexCoord; - vec4 VARt1; - vec4 VARt2; - vec4 VARt3; - vec4 VARt4; - vec4 VARt5; - vec4 VARt6; - vec4 VARt7; - vec2 VARt8; -}; - -vec4 _oPosition1; -out_vertex _ret_0; - -input_dummy _IN1; -vec4 _r0023; -COMPAT_ATTRIBUTE vec4 VertexCoord; -COMPAT_ATTRIBUTE vec4 TexCoord; - - -uniform mat4 MVPMatrix; -uniform int FrameDirection; -uniform int FrameCount; -uniform COMPAT_PRECISION vec2 OutputSize; -uniform COMPAT_PRECISION vec2 TextureSize; -uniform COMPAT_PRECISION vec2 InputSize; -void main() -{ - - vec2 _ps; - out_vertex _TMP17; - - _ps = vec2(1.00000000E+000/TextureSize.x, 1.00000000E+000/TextureSize.y); - _r0023 = VertexCoord.x*MVPMatrix[0]; - _r0023 = _r0023 + VertexCoord.y*MVPMatrix[1]; - _r0023 = _r0023 + VertexCoord.z*MVPMatrix[2]; - _r0023 = _r0023 + VertexCoord.w*MVPMatrix[3]; - _oPosition1 = _r0023; - _TMP17.VARt1 = vec4(TexCoord.x, TexCoord.y, TexCoord.x, TexCoord.y) + vec4(-_ps.x, -_ps.y, 0.00000000E+000, -_ps.y); - _TMP17.VARt2 = vec4(TexCoord.x, TexCoord.y, TexCoord.x, TexCoord.y) + vec4(_ps.x, -_ps.y, 2.00000000E+000*_ps.x, -_ps.y); - _TMP17.VARt3 = vec4(TexCoord.x, TexCoord.y, TexCoord.x, TexCoord.y) + vec4(-_ps.x, 0.00000000E+000, _ps.x, 0.00000000E+000); - _TMP17.VARt4 = vec4(TexCoord.x, TexCoord.y, TexCoord.x, TexCoord.y) + vec4(2.00000000E+000*_ps.x, 0.00000000E+000, -_ps.x, _ps.y); - _TMP17.VARt5 = vec4(TexCoord.x, TexCoord.y, TexCoord.x, TexCoord.y) + vec4(0.00000000E+000, _ps.y, _ps.x, _ps.y); - _TMP17.VARt6 = vec4(TexCoord.x, TexCoord.y, TexCoord.x, TexCoord.y) + vec4(2.00000000E+000*_ps.x, _ps.y, -_ps.x, 2.00000000E+000*_ps.y); - _TMP17.VARt7 = vec4(TexCoord.x, TexCoord.y, TexCoord.x, TexCoord.y) + vec4(0.00000000E+000, 2.00000000E+000*_ps.y, _ps.x, 2.00000000E+000*_ps.y); - _TMP17.VARt8 = TexCoord.xy + vec2(2.00000000E+000*_ps.x, 2.00000000E+000*_ps.y); - VARtexCoord = TexCoord.xy; - VARt1 = _TMP17.VARt1; - VARt2 = _TMP17.VARt2; - VARt3 = _TMP17.VARt3; - VARt4 = _TMP17.VARt4; - VARt5 = _TMP17.VARt5; - VARt6 = _TMP17.VARt6; - VARt7 = _TMP17.VARt7; - VARt8 = _TMP17.VARt8; - gl_Position = _r0023; - return; -} -#elif defined(FRAGMENT) - -#if __VERSION__ >= 130 -#define COMPAT_VARYING in -#define COMPAT_TEXTURE texture -out vec4 FragColor; -#else -#define COMPAT_VARYING varying -#define FragColor gl_FragColor -#define COMPAT_TEXTURE texture2D -#endif - -#ifdef GL_ES -#ifdef GL_FRAGMENT_PRECISION_HIGH -precision highp float; -#else -precision mediump float; -#endif -#define COMPAT_PRECISION mediump -#else -#define COMPAT_PRECISION -#endif -COMPAT_VARYING vec2 VARt8; -COMPAT_VARYING vec4 VARt7; -COMPAT_VARYING vec4 VARt6; -COMPAT_VARYING vec4 VARt5; -COMPAT_VARYING vec4 VARt4; -COMPAT_VARYING vec4 VARt3; -COMPAT_VARYING vec4 VARt2; -COMPAT_VARYING vec4 VARt1; -COMPAT_VARYING vec2 VARtexCoord; -COMPAT_VARYING float _frame_rotation; - - -struct input_dummy { - vec2 _video_size; - vec2 _texture_size; - vec2 _output_dummy_size; - float _frame_count; - float _frame_direction; - float _frame_rotation; -}; - -struct out_vertex { - vec2 VARtexCoord; - vec4 VARt1; - vec4 VARt2; - vec4 VARt3; - vec4 VARt4; - vec4 VARt5; - vec4 VARt6; - vec4 VARt7; - vec2 VARt8; -}; - -vec4 _ret_0; -vec4 _TMP15; -vec4 _TMP14; -vec4 _TMP13; -vec4 _TMP12; -vec4 _TMP11; -vec4 _TMP10; -vec4 _TMP9; -vec4 _TMP8; -vec4 _TMP7; -vec4 _TMP6; -vec4 _TMP5; -vec4 _TMP4; -vec4 _TMP3; -vec4 _TMP2; -vec4 _TMP1; -vec4 _TMP0; -out_vertex _VAR1; -uniform sampler2D Texture; -input_dummy _IN1; -vec2 _x0035; -vec4 _C0069; -vec4 _C0079[1]; -vec4 _C0081; -float _C0091; -vec4 _C0093; -float _C0103; -vec4 _C0105; -float _C0115; -vec4 _TMP116; -vec4 _TMP117; -vec4 _TMP118; -vec4 _TMP119; -vec4 _TMP120; -vec4 _TMP121; -vec4 _TMP122; -vec4 _TMP123; -vec4 _TMP124; -vec4 _TMP125; -vec4 _TMP126; -vec4 _TMP127; -vec4 _TMP128; -vec4 _TMP129; -vec4 _TMP130; -vec4 _TMP131; - - -uniform int FrameDirection; -uniform int FrameCount; -uniform COMPAT_PRECISION vec2 OutputSize; -uniform COMPAT_PRECISION vec2 TextureSize; -uniform COMPAT_PRECISION vec2 InputSize; -void main() -{ - - vec2 _fp; - vec4 _TMP26[1]; - vec4 _TMP27; - vec4 _TMP29[4]; - vec4 _TMP30[4]; - vec4 _TMP31[4]; - - _x0035 = VARtexCoord*TextureSize; - _fp = fract(_x0035); - _TMP0 = COMPAT_TEXTURE(Texture, VARt1.xy); - _TMP1 = COMPAT_TEXTURE(Texture, VARt1.zw); - _TMP2 = COMPAT_TEXTURE(Texture, VARt2.xy); - _TMP3 = COMPAT_TEXTURE(Texture, VARt2.zw); - _TMP4 = COMPAT_TEXTURE(Texture, VARt3.xy); - _TMP5 = COMPAT_TEXTURE(Texture, VARtexCoord); - _TMP6 = COMPAT_TEXTURE(Texture, VARt3.zw); - _TMP7 = COMPAT_TEXTURE(Texture, VARt4.xy); - _TMP8 = COMPAT_TEXTURE(Texture, VARt4.zw); - _TMP9 = COMPAT_TEXTURE(Texture, VARt5.xy); - _TMP10 = COMPAT_TEXTURE(Texture, VARt5.zw); - _TMP11 = COMPAT_TEXTURE(Texture, VARt6.xy); - _TMP12 = COMPAT_TEXTURE(Texture, VARt6.zw); - _TMP13 = COMPAT_TEXTURE(Texture, VARt7.xy); - _TMP14 = COMPAT_TEXTURE(Texture, VARt7.zw); - _TMP15 = COMPAT_TEXTURE(Texture, VARt8.xy); - _TMP31[0] = vec4(_TMP0.x, _TMP1.x, _TMP2.x, _TMP3.x); - _TMP31[1] = vec4(_TMP4.x, _TMP5.x, _TMP6.x, _TMP7.x); - _TMP31[2] = vec4(_TMP8.x, _TMP9.x, _TMP10.x, _TMP11.x); - _TMP31[3] = vec4(_TMP12.x, _TMP13.x, _TMP14.x, _TMP15.x); - _TMP30[0] = vec4(_TMP0.y, _TMP1.y, _TMP2.y, _TMP3.y); - _TMP30[1] = vec4(_TMP4.y, _TMP5.y, _TMP6.y, _TMP7.y); - _TMP30[2] = vec4(_TMP8.y, _TMP9.y, _TMP10.y, _TMP11.y); - _TMP30[3] = vec4(_TMP12.y, _TMP13.y, _TMP14.y, _TMP15.y); - _TMP29[0] = vec4(_TMP0.z, _TMP1.z, _TMP2.z, _TMP3.z); - _TMP29[1] = vec4(_TMP4.z, _TMP5.z, _TMP6.z, _TMP7.z); - _TMP29[2] = vec4(_TMP8.z, _TMP9.z, _TMP10.z, _TMP11.z); - _TMP29[3] = vec4(_TMP12.z, _TMP13.z, _TMP14.z, _TMP15.z); - _TMP27[0] = _fp.x*_fp.x*_fp.x; - _TMP27[1] = _fp.x*_fp.x; - _TMP27[2] = _fp.x; - _TMP116.x = _TMP27[0]; - _TMP116.y = _TMP27[1]; - _TMP116.z = _TMP27[2]; - _TMP116.w = 1.00000000E+000; - _C0069[0] = dot(vec4( -1.66666672E-001, 5.00000000E-001, -3.33333343E-001, 0.00000000E+000), _TMP116); - _TMP117.x = _TMP27[0]; - _TMP117.y = _TMP27[1]; - _TMP117.z = _TMP27[2]; - _TMP117.w = 1.00000000E+000; - _C0069[1] = dot(vec4( 5.00000000E-001, -1.00000000E+000, -5.00000000E-001, 1.00000000E+000), _TMP117); - _TMP118.x = _TMP27[0]; - _TMP118.y = _TMP27[1]; - _TMP118.z = _TMP27[2]; - _TMP118.w = 1.00000000E+000; - _C0069[2] = dot(vec4( -5.00000000E-001, 5.00000000E-001, 1.00000000E+000, 0.00000000E+000), _TMP118); - _TMP119.x = _TMP27[0]; - _TMP119.y = _TMP27[1]; - _TMP119.z = _TMP27[2]; - _TMP119.w = 1.00000000E+000; - _C0069[3] = dot(vec4( 1.66666672E-001, 0.00000000E+000, -1.66666672E-001, 0.00000000E+000), _TMP119); - _TMP26[0] = vec4(_fp.y*_fp.y*_fp.y, _fp.y*_fp.y, _fp.y, 1.00000000E+000); - _C0079[0] = _TMP26[0].x*vec4( -1.66666672E-001, 5.00000000E-001, -5.00000000E-001, 1.66666672E-001) + _TMP26[0].y*vec4( 5.00000000E-001, -1.00000000E+000, 5.00000000E-001, 0.00000000E+000) + _TMP26[0].z*vec4( -3.33333343E-001, -5.00000000E-001, 1.00000000E+000, -1.66666672E-001) + _TMP26[0].w*vec4( 0.00000000E+000, 1.00000000E+000, 0.00000000E+000, 0.00000000E+000); - _TMP120.x = _C0069[0]; - _TMP120.y = _C0069[1]; - _TMP120.z = _C0069[2]; - _TMP120.w = _C0069[3]; - _C0081[0] = dot(_TMP31[0], _TMP120); - _TMP121.x = _C0069[0]; - _TMP121.y = _C0069[1]; - _TMP121.z = _C0069[2]; - _TMP121.w = _C0069[3]; - _C0081[1] = dot(_TMP31[1], _TMP121); - _TMP122.x = _C0069[0]; - _TMP122.y = _C0069[1]; - _TMP122.z = _C0069[2]; - _TMP122.w = _C0069[3]; - _C0081[2] = dot(_TMP31[2], _TMP122); - _TMP123.x = _C0069[0]; - _TMP123.y = _C0069[1]; - _TMP123.z = _C0069[2]; - _TMP123.w = _C0069[3]; - _C0081[3] = dot(_TMP31[3], _TMP123); - _C0091 = _C0079[0].x*_C0081[0] + _C0079[0].y*_C0081[1] + _C0079[0].z*_C0081[2] + _C0079[0].w*_C0081[3]; - _TMP124.x = _C0069[0]; - _TMP124.y = _C0069[1]; - _TMP124.z = _C0069[2]; - _TMP124.w = _C0069[3]; - _C0093[0] = dot(_TMP30[0], _TMP124); - _TMP125.x = _C0069[0]; - _TMP125.y = _C0069[1]; - _TMP125.z = _C0069[2]; - _TMP125.w = _C0069[3]; - _C0093[1] = dot(_TMP30[1], _TMP125); - _TMP126.x = _C0069[0]; - _TMP126.y = _C0069[1]; - _TMP126.z = _C0069[2]; - _TMP126.w = _C0069[3]; - _C0093[2] = dot(_TMP30[2], _TMP126); - _TMP127.x = _C0069[0]; - _TMP127.y = _C0069[1]; - _TMP127.z = _C0069[2]; - _TMP127.w = _C0069[3]; - _C0093[3] = dot(_TMP30[3], _TMP127); - _C0103 = _C0079[0].x*_C0093[0] + _C0079[0].y*_C0093[1] + _C0079[0].z*_C0093[2] + _C0079[0].w*_C0093[3]; - _TMP128.x = _C0069[0]; - _TMP128.y = _C0069[1]; - _TMP128.z = _C0069[2]; - _TMP128.w = _C0069[3]; - _C0105[0] = dot(_TMP29[0], _TMP128); - _TMP129.x = _C0069[0]; - _TMP129.y = _C0069[1]; - _TMP129.z = _C0069[2]; - _TMP129.w = _C0069[3]; - _C0105[1] = dot(_TMP29[1], _TMP129); - _TMP130.x = _C0069[0]; - _TMP130.y = _C0069[1]; - _TMP130.z = _C0069[2]; - _TMP130.w = _C0069[3]; - _C0105[2] = dot(_TMP29[2], _TMP130); - _TMP131.x = _C0069[0]; - _TMP131.y = _C0069[1]; - _TMP131.z = _C0069[2]; - _TMP131.w = _C0069[3]; - _C0105[3] = dot(_TMP29[3], _TMP131); - _C0115 = _C0079[0].x*_C0105[0] + _C0079[0].y*_C0105[1] + _C0079[0].z*_C0105[2] + _C0079[0].w*_C0105[3]; - _ret_0 = vec4(_C0091, _C0103, _C0115, 1.00000000E+000); - FragColor = _ret_0; - return; -} -#endif diff --git a/output/Shaders/BizHawk/bicubic-normal.cg b/output/Shaders/BizHawk/bicubic-normal.cg new file mode 100644 index 0000000000..81aa180deb --- /dev/null +++ b/output/Shaders/BizHawk/bicubic-normal.cg @@ -0,0 +1,151 @@ +/* COMPATIBILITY + - HLSL compilers + - Cg compilers +*/ + +/* + Copyright (C) 2010 Team XBMC + http://www.xbmc.org + Copyright (C) 2011 Stefanos A. + http://www.opentk.com + +This Program is free software; you can redistribute it and/or modify +it under the terms of the GNU General Public License as published by +the Free Software Foundation; either version 2, or (at your option) +any later version. + +This Program is distributed in the hope that it will be useful, +but WITHOUT ANY WARRANTY; without even the implied warranty of +MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the +GNU General Public License for more details. + +You should have received a copy of the GNU General Public License +along with XBMC; see the file COPYING. If not, write to +the Free Software Foundation, 675 Mass Ave, Cambridge, MA 02139, USA. +http://www.gnu.org/copyleft/gpl.html + + From this forum post: + http://board.byuu.org/viewtopic.php?p=33488#p33488 + +*/ + + +/* Default Vertex shader */ +void main_vertex +( + float4 position : POSITION, + //float4 color : COLOR, + float2 texCoord1 : TEXCOORD0, + + uniform float4x4 modelViewProj, + + out float4 oPosition : POSITION, + //out float4 oColor : COLOR, + out float2 otexCoord : TEXCOORD + ) +{ + oPosition = mul(modelViewProj, position); + //oColor = color; + otexCoord = texCoord1; +} + +struct output +{ + float4 color : COLOR; +}; + +struct input +{ + float2 video_size; + float2 texture_size; + float2 output_size; + float frame_count; + float frame_direction; + float frame_rotation; +}; + +float weight(float x) +{ + float ax = abs(x); + // Mitchel-Netravali coefficients. + // Best psychovisual result. + const float B = 1.0 / 3.0; + const float C = 1.0 / 3.0; + + // Sharper version. + // May look better in some cases. + //const float B = 0.0; + //const float C = 0.75; + + if (ax < 1.0) + { + return + ( + pow(x, 2.0) * ((12.0 - 9.0 * B - 6.0 * C) * ax + (-18.0 + 12.0 * B + 6.0 * C)) + + (6.0 - 2.0 * B) + ) / 6.0; + } + else if ((ax >= 1.0) && (ax < 2.0)) + { + return + ( + pow(x, 2.0) * ((-B - 6.0 * C) * ax + (6.0 * B + 30.0 * C)) + + (-12.0 * B - 48.0 * C) * ax + (8.0 * B + 24.0 * C) + ) / 6.0; + } + else + { + return 0.0; + } +} + +float4 weight4(float x) +{ + return float4( + weight(x - 2.0), + weight(x - 1.0), + weight(x), + weight(x + 1.0)); +} + +float3 pixel(float xpos, float ypos, uniform sampler2D s_p) +{ + return tex2D(s_p, float2(xpos, ypos)).rgb; +} + +float3 line_run(float ypos, float4 xpos, float4 linetaps, uniform sampler2D s_p) +{ + return + pixel(xpos.r, ypos, s_p) * linetaps.r + + pixel(xpos.g, ypos, s_p) * linetaps.g + + pixel(xpos.b, ypos, s_p) * linetaps.b + + pixel(xpos.a, ypos, s_p) * linetaps.a; +} + + +output main_fragment (float2 tex : TEXCOORD0, uniform input IN, uniform sampler2D s_p : TEXUNIT0) +{ + float2 stepxy = float2(1.0/IN.texture_size.x, 1.0/IN.texture_size.y); + float2 pos = tex.xy + stepxy * 0.5; + float2 f = frac(pos / stepxy); + + float4 linetaps = weight4(1.0 - f.x); + float4 columntaps = weight4(1.0 - f.y); + + //make sure all taps added together is exactly 1.0, otherwise some (very small) distortion can occur + linetaps /= linetaps.r + linetaps.g + linetaps.b + linetaps.a; + columntaps /= columntaps.r + columntaps.g + columntaps.b + columntaps.a; + + float2 xystart = (-1.5 - f) * stepxy + pos; + float4 xpos = float4(xystart.x, xystart.x + stepxy.x, xystart.x + stepxy.x * 2.0, xystart.x + stepxy.x * 3.0); + + +// final sum and weight normalization + output OUT; + OUT.color = float4(line_run(xystart.y , xpos, linetaps, s_p) * columntaps.r + + line_run(xystart.y + stepxy.y , xpos, linetaps, s_p) * columntaps.g + + line_run(xystart.y + stepxy.y * 2.0, xpos, linetaps, s_p) * columntaps.b + + line_run(xystart.y + stepxy.y * 3.0, xpos, linetaps, s_p) * columntaps.a,1); + return OUT; +} + diff --git a/output/Shaders/BizHawk/bicubic-normal.cgp b/output/Shaders/BizHawk/bicubic-normal.cgp new file mode 100644 index 0000000000..974f9e7e25 --- /dev/null +++ b/output/Shaders/BizHawk/bicubic-normal.cgp @@ -0,0 +1,4 @@ +shaders = 1 + +shader0 = bicubic-normal.cg +scale_type0 = viewport \ No newline at end of file diff --git a/output/Shaders/BizHawk/hq2x.glsl b/output/Shaders/BizHawk/hq2x.glsl deleted file mode 100644 index 6ad1155c35..0000000000 --- a/output/Shaders/BizHawk/hq2x.glsl +++ /dev/null @@ -1,299 +0,0 @@ -// GLSL shader autogenerated by cg2glsl.py. -#if defined(VERTEX) - -#if __VERSION__ >= 130 -#define COMPAT_VARYING out -#define COMPAT_ATTRIBUTE in -#define COMPAT_TEXTURE texture -#else -#define COMPAT_VARYING varying -#define COMPAT_ATTRIBUTE attribute -#define COMPAT_TEXTURE texture2D -#endif - -#ifdef GL_ES -#define COMPAT_PRECISION mediump -#else -#define COMPAT_PRECISION -#endif -COMPAT_VARYING vec2 VARc22; -COMPAT_VARYING vec2 VARc21; -COMPAT_VARYING vec2 VARc20; -COMPAT_VARYING vec2 VARc12; -COMPAT_VARYING vec2 VARc11; -COMPAT_VARYING vec2 VARc10; -COMPAT_VARYING vec2 VARc02; -COMPAT_VARYING vec2 VARc01; -COMPAT_VARYING vec2 VARc00; - - -struct tex_coords { - vec2 VARc00; - vec2 VARc01; - vec2 VARc02; - vec2 VARc10; - vec2 VARc11; - vec2 VARc12; - vec2 VARc20; - vec2 VARc21; - vec2 VARc22; -}; - -struct input_dummy { - vec2 _video_size; - vec2 _texture_size; - vec2 _output_dummy_size; -}; - -vec4 _oPosition1; -tex_coords _coords1; - -input_dummy _IN1; -vec4 _r0012; -COMPAT_ATTRIBUTE vec4 VertexCoord; -COMPAT_ATTRIBUTE vec4 COLOR; -COMPAT_VARYING vec4 COL0; -COMPAT_ATTRIBUTE vec4 TexCoord; - - -uniform mat4 MVPMatrix; -uniform int FrameDirection; -uniform int FrameCount; -uniform COMPAT_PRECISION vec2 OutputSize; -uniform COMPAT_PRECISION vec2 TextureSize; -uniform COMPAT_PRECISION vec2 InputSize; -void main() -{ - - vec4 _oColor; - vec2 _delta; - tex_coords _TMP8; - - _r0012 = VertexCoord.x*MVPMatrix[0]; - _r0012 = _r0012 + VertexCoord.y*MVPMatrix[1]; - _r0012 = _r0012 + VertexCoord.z*MVPMatrix[2]; - _r0012 = _r0012 + VertexCoord.w*MVPMatrix[3]; - _oPosition1 = _r0012; - _oColor = COLOR; - _delta = 5.00000000E-001/TextureSize; - _TMP8.VARc00 = TexCoord.xy + vec2(-_delta.x, -_delta.y); - _TMP8.VARc01 = TexCoord.xy + vec2(-_delta.x, 0.00000000E+000); - _TMP8.VARc02 = TexCoord.xy + vec2(-_delta.x, _delta.y); - _TMP8.VARc10 = TexCoord.xy + vec2(0.00000000E+000, -_delta.y); - _TMP8.VARc12 = TexCoord.xy + vec2(0.00000000E+000, _delta.y); - _TMP8.VARc20 = TexCoord.xy + vec2(_delta.x, -_delta.y); - _TMP8.VARc21 = TexCoord.xy + vec2(_delta.x, 0.00000000E+000); - _TMP8.VARc22 = TexCoord.xy + vec2(_delta.x, _delta.y); - VARc00 = _TMP8.VARc00; - VARc01 = _TMP8.VARc01; - VARc02 = _TMP8.VARc02; - VARc10 = _TMP8.VARc10; - VARc11 = TexCoord.xy; - VARc12 = _TMP8.VARc12; - VARc20 = _TMP8.VARc20; - VARc21 = _TMP8.VARc21; - VARc22 = _TMP8.VARc22; - gl_Position = _r0012; - COL0 = COLOR; -} -#elif defined(FRAGMENT) - -#if __VERSION__ >= 130 -#define COMPAT_VARYING in -#define COMPAT_TEXTURE texture -out vec4 FragColor; -#else -#define COMPAT_VARYING varying -#define FragColor gl_FragColor -#define COMPAT_TEXTURE texture2D -#endif - -#ifdef GL_ES -#ifdef GL_FRAGMENT_PRECISION_HIGH -precision highp float; -#else -precision mediump float; -#endif -#define COMPAT_PRECISION mediump -#else -#define COMPAT_PRECISION -#endif -COMPAT_VARYING vec2 VARc22; -COMPAT_VARYING vec2 VARc21; -COMPAT_VARYING vec2 VARc20; -COMPAT_VARYING vec2 VARc12; -COMPAT_VARYING vec2 VARc11; -COMPAT_VARYING vec2 VARc10; -COMPAT_VARYING vec2 VARc02; -COMPAT_VARYING vec2 VARc01; -COMPAT_VARYING vec2 VARc00; - - -struct tex_coords { - vec2 VARc00; - vec2 VARc01; - vec2 VARc02; - vec2 VARc10; - vec2 VARc11; - vec2 VARc12; - vec2 VARc20; - vec2 VARc21; - vec2 VARc22; -}; - -struct input_dummy { - vec2 _video_size; - vec2 _texture_size; - vec2 _output_dummy_size; -}; - -vec4 _ret_0; -float _TMP29; -float _TMP30; -vec3 _TMP28; -float _TMP27; -vec3 _TMP26; -float _TMP25; -vec3 _TMP24; -float _TMP23; -vec3 _TMP22; -float _TMP21; -float _TMP20; -float _TMP19; -float _TMP18; -vec3 _TMP17; -float _TMP16; -vec3 _TMP15; -float _TMP14; -vec3 _TMP13; -float _TMP12; -vec3 _TMP11; -vec3 _TMP10; -vec3 _TMP9; -vec4 _TMP8; -vec4 _TMP7; -vec4 _TMP6; -vec4 _TMP5; -vec4 _TMP4; -vec4 _TMP3; -vec4 _TMP2; -vec4 _TMP1; -vec4 _TMP0; -tex_coords _co1; -uniform sampler2D Texture; -vec3 _a0058; -vec3 _a0062; -vec3 _a0066; -vec3 _a0070; -vec3 _a0074; -vec3 _a0078; -vec3 _a0084; -vec3 _a0086; -vec3 _a0088; -float _TMP91; -float _x0092; -vec3 _a0098; -float _TMP101; -float _x0102; -vec3 _a0108; -float _TMP111; -float _x0112; -vec3 _a0118; -float _TMP121; -float _x0122; - - -uniform int FrameDirection; -uniform int FrameCount; -uniform COMPAT_PRECISION vec2 OutputSize; -uniform COMPAT_PRECISION vec2 TextureSize; -uniform COMPAT_PRECISION vec2 InputSize; -void main() -{ - - vec3 _c11; - float _md1; - float _md2; - float _w1; - float _w2; - float _w3; - float _w4; - float _t1; - float _t2; - float _ww; - float _lc1; - float _lc2; - vec3 _TMP38; - - _TMP0 = COMPAT_TEXTURE(Texture, VARc00); - _TMP1 = COMPAT_TEXTURE(Texture, VARc01); - _TMP2 = COMPAT_TEXTURE(Texture, VARc02); - _TMP3 = COMPAT_TEXTURE(Texture, VARc10); - _TMP4 = COMPAT_TEXTURE(Texture, VARc11); - _TMP5 = COMPAT_TEXTURE(Texture, VARc12); - _TMP6 = COMPAT_TEXTURE(Texture, VARc20); - _TMP7 = COMPAT_TEXTURE(Texture, VARc21); - _TMP8 = COMPAT_TEXTURE(Texture, VARc22); - _a0058 = _TMP0.xyz - _TMP8.xyz; - _TMP9 = abs(_a0058); - _md1 = dot(_TMP9, vec3( 1.00000000E+000, 1.00000000E+000, 1.00000000E+000)); - _a0062 = _TMP2.xyz - _TMP6.xyz; - _TMP10 = abs(_a0062); - _md2 = dot(_TMP10, vec3( 1.00000000E+000, 1.00000000E+000, 1.00000000E+000)); - _a0066 = _TMP8.xyz - _TMP4.xyz; - _TMP11 = abs(_a0066); - _TMP12 = dot(_TMP11, vec3( 1.00000000E+000, 1.00000000E+000, 1.00000000E+000)); - _w1 = _TMP12*_md2; - _a0070 = _TMP2.xyz - _TMP4.xyz; - _TMP13 = abs(_a0070); - _TMP14 = dot(_TMP13, vec3( 1.00000000E+000, 1.00000000E+000, 1.00000000E+000)); - _w2 = _TMP14*_md1; - _a0074 = _TMP0.xyz - _TMP4.xyz; - _TMP15 = abs(_a0074); - _TMP16 = dot(_TMP15, vec3( 1.00000000E+000, 1.00000000E+000, 1.00000000E+000)); - _w3 = _TMP16*_md2; - _a0078 = _TMP6.xyz - _TMP4.xyz; - _TMP17 = abs(_a0078); - _TMP18 = dot(_TMP17, vec3( 1.00000000E+000, 1.00000000E+000, 1.00000000E+000)); - _w4 = _TMP18*_md1; - _t1 = _w1 + _w3; - _t2 = _w2 + _w4; - _TMP19 = max(_t1, _t2); - _ww = _TMP19 + 9.99999975E-005; - _c11 = (_w1*_TMP0.xyz + _w2*_TMP6.xyz + _w3*_TMP8.xyz + _w4*_TMP2.xyz + _ww*_TMP4.xyz)/(_t1 + _t2 + _ww); - _a0084 = _TMP3.xyz + _TMP5.xyz + _c11; - _TMP20 = dot(_a0084, vec3( 1.00000000E+000, 1.00000000E+000, 1.00000000E+000)); - _lc1 = -2.50000000E-001/(1.19999997E-001*_TMP20 + 2.50000000E-001); - _a0086 = _TMP1.xyz + _TMP7.xyz + _c11; - _TMP21 = dot(_a0086, vec3( 1.00000000E+000, 1.00000000E+000, 1.00000000E+000)); - _lc2 = -2.50000000E-001/(1.19999997E-001*_TMP21 + 2.50000000E-001); - _a0088 = _c11 - _TMP3.xyz; - _TMP22 = abs(_a0088); - _TMP23 = dot(_TMP22, vec3( 1.00000000E+000, 1.00000000E+000, 1.00000000E+000)); - _x0092 = _lc1*_TMP23 + 3.24999988E-001; - _TMP30 = min(2.50000000E-001, _x0092); - _TMP91 = max(-5.00000007E-002, _TMP30); - _a0098 = _c11 - _TMP7.xyz; - _TMP24 = abs(_a0098); - _TMP25 = dot(_TMP24, vec3( 1.00000000E+000, 1.00000000E+000, 1.00000000E+000)); - _x0102 = _lc2*_TMP25 + 3.24999988E-001; - _TMP30 = min(2.50000000E-001, _x0102); - _TMP101 = max(-5.00000007E-002, _TMP30); - _a0108 = _c11 - _TMP5.xyz; - _TMP26 = abs(_a0108); - _TMP27 = dot(_TMP26, vec3( 1.00000000E+000, 1.00000000E+000, 1.00000000E+000)); - _x0112 = _lc1*_TMP27 + 3.24999988E-001; - _TMP30 = min(2.50000000E-001, _x0112); - _TMP111 = max(-5.00000007E-002, _TMP30); - _a0118 = _c11 - _TMP1.xyz; - _TMP28 = abs(_a0118); - _TMP29 = dot(_TMP28, vec3( 1.00000000E+000, 1.00000000E+000, 1.00000000E+000)); - _x0122 = _lc2*_TMP29 + 3.24999988E-001; - _TMP30 = min(2.50000000E-001, _x0122); - _TMP121 = max(-5.00000007E-002, _TMP30); - _TMP38 = _TMP91*_TMP3.xyz + _TMP101*_TMP7.xyz + _TMP111*_TMP5.xyz + _TMP121*_TMP1.xyz + ((((1.00000000E+000 - _TMP91) - _TMP101) - _TMP111) - _TMP121)*_c11; - _ret_0 = vec4(_TMP38.x, _TMP38.y, _TMP38.z, 1.00000000E+000); - FragColor = _ret_0; - return; -} -#endif diff --git a/output/Shaders/bicubic/bicubic-fast.glsl b/output/Shaders/bicubic/bicubic-fast.glsl deleted file mode 100644 index d87555728a..0000000000 --- a/output/Shaders/bicubic/bicubic-fast.glsl +++ /dev/null @@ -1,338 +0,0 @@ -// GLSL shader autogenerated by cg2glsl.py. -#if defined(VERTEX) - -#if __VERSION__ >= 130 -#define COMPAT_VARYING out -#define COMPAT_ATTRIBUTE in -#define COMPAT_TEXTURE texture -#else -#define COMPAT_VARYING varying -#define COMPAT_ATTRIBUTE attribute -#define COMPAT_TEXTURE texture2D -#endif - -#ifdef GL_ES -#define COMPAT_PRECISION mediump -#else -#define COMPAT_PRECISION -#endif -COMPAT_VARYING vec2 VARt8; -COMPAT_VARYING vec4 VARt7; -COMPAT_VARYING vec4 VARt6; -COMPAT_VARYING vec4 VARt5; -COMPAT_VARYING vec4 VARt4; -COMPAT_VARYING vec4 VARt3; -COMPAT_VARYING vec4 VARt2; -COMPAT_VARYING vec4 VARt1; -COMPAT_VARYING vec2 VARtexCoord; -COMPAT_VARYING float _frame_rotation; - - -struct input_dummy { - vec2 _video_size; - vec2 _texture_size; - vec2 _output_dummy_size; - float _frame_count; - float _frame_direction; - float _frame_rotation; -}; - -struct out_vertex { - vec2 VARtexCoord; - vec4 VARt1; - vec4 VARt2; - vec4 VARt3; - vec4 VARt4; - vec4 VARt5; - vec4 VARt6; - vec4 VARt7; - vec2 VARt8; -}; - -vec4 _oPosition1; -out_vertex _ret_0; - -input_dummy _IN1; -vec4 _r0023; -COMPAT_ATTRIBUTE vec4 VertexCoord; -COMPAT_ATTRIBUTE vec4 TexCoord; - - -uniform mat4 MVPMatrix; -uniform int FrameDirection; -uniform int FrameCount; -uniform COMPAT_PRECISION vec2 OutputSize; -uniform COMPAT_PRECISION vec2 TextureSize; -uniform COMPAT_PRECISION vec2 InputSize; -void main() -{ - - vec2 _ps; - out_vertex _TMP17; - - _ps = vec2(1.00000000E+000/TextureSize.x, 1.00000000E+000/TextureSize.y); - _r0023 = VertexCoord.x*MVPMatrix[0]; - _r0023 = _r0023 + VertexCoord.y*MVPMatrix[1]; - _r0023 = _r0023 + VertexCoord.z*MVPMatrix[2]; - _r0023 = _r0023 + VertexCoord.w*MVPMatrix[3]; - _oPosition1 = _r0023; - _TMP17.VARt1 = vec4(TexCoord.x, TexCoord.y, TexCoord.x, TexCoord.y) + vec4(-_ps.x, -_ps.y, 0.00000000E+000, -_ps.y); - _TMP17.VARt2 = vec4(TexCoord.x, TexCoord.y, TexCoord.x, TexCoord.y) + vec4(_ps.x, -_ps.y, 2.00000000E+000*_ps.x, -_ps.y); - _TMP17.VARt3 = vec4(TexCoord.x, TexCoord.y, TexCoord.x, TexCoord.y) + vec4(-_ps.x, 0.00000000E+000, _ps.x, 0.00000000E+000); - _TMP17.VARt4 = vec4(TexCoord.x, TexCoord.y, TexCoord.x, TexCoord.y) + vec4(2.00000000E+000*_ps.x, 0.00000000E+000, -_ps.x, _ps.y); - _TMP17.VARt5 = vec4(TexCoord.x, TexCoord.y, TexCoord.x, TexCoord.y) + vec4(0.00000000E+000, _ps.y, _ps.x, _ps.y); - _TMP17.VARt6 = vec4(TexCoord.x, TexCoord.y, TexCoord.x, TexCoord.y) + vec4(2.00000000E+000*_ps.x, _ps.y, -_ps.x, 2.00000000E+000*_ps.y); - _TMP17.VARt7 = vec4(TexCoord.x, TexCoord.y, TexCoord.x, TexCoord.y) + vec4(0.00000000E+000, 2.00000000E+000*_ps.y, _ps.x, 2.00000000E+000*_ps.y); - _TMP17.VARt8 = TexCoord.xy + vec2(2.00000000E+000*_ps.x, 2.00000000E+000*_ps.y); - VARtexCoord = TexCoord.xy; - VARt1 = _TMP17.VARt1; - VARt2 = _TMP17.VARt2; - VARt3 = _TMP17.VARt3; - VARt4 = _TMP17.VARt4; - VARt5 = _TMP17.VARt5; - VARt6 = _TMP17.VARt6; - VARt7 = _TMP17.VARt7; - VARt8 = _TMP17.VARt8; - gl_Position = _r0023; - return; -} -#elif defined(FRAGMENT) - -#if __VERSION__ >= 130 -#define COMPAT_VARYING in -#define COMPAT_TEXTURE texture -out vec4 FragColor; -#else -#define COMPAT_VARYING varying -#define FragColor gl_FragColor -#define COMPAT_TEXTURE texture2D -#endif - -#ifdef GL_ES -#ifdef GL_FRAGMENT_PRECISION_HIGH -precision highp float; -#else -precision mediump float; -#endif -#define COMPAT_PRECISION mediump -#else -#define COMPAT_PRECISION -#endif -COMPAT_VARYING vec2 VARt8; -COMPAT_VARYING vec4 VARt7; -COMPAT_VARYING vec4 VARt6; -COMPAT_VARYING vec4 VARt5; -COMPAT_VARYING vec4 VARt4; -COMPAT_VARYING vec4 VARt3; -COMPAT_VARYING vec4 VARt2; -COMPAT_VARYING vec4 VARt1; -COMPAT_VARYING vec2 VARtexCoord; -COMPAT_VARYING float _frame_rotation; - - -struct input_dummy { - vec2 _video_size; - vec2 _texture_size; - vec2 _output_dummy_size; - float _frame_count; - float _frame_direction; - float _frame_rotation; -}; - -struct out_vertex { - vec2 VARtexCoord; - vec4 VARt1; - vec4 VARt2; - vec4 VARt3; - vec4 VARt4; - vec4 VARt5; - vec4 VARt6; - vec4 VARt7; - vec2 VARt8; -}; - -vec4 _ret_0; -vec4 _TMP15; -vec4 _TMP14; -vec4 _TMP13; -vec4 _TMP12; -vec4 _TMP11; -vec4 _TMP10; -vec4 _TMP9; -vec4 _TMP8; -vec4 _TMP7; -vec4 _TMP6; -vec4 _TMP5; -vec4 _TMP4; -vec4 _TMP3; -vec4 _TMP2; -vec4 _TMP1; -vec4 _TMP0; -out_vertex _VAR1; -uniform sampler2D Texture; -input_dummy _IN1; -vec2 _x0035; -vec4 _C0069; -vec4 _C0079[1]; -vec4 _C0081; -float _C0091; -vec4 _C0093; -float _C0103; -vec4 _C0105; -float _C0115; -vec4 _TMP116; -vec4 _TMP117; -vec4 _TMP118; -vec4 _TMP119; -vec4 _TMP120; -vec4 _TMP121; -vec4 _TMP122; -vec4 _TMP123; -vec4 _TMP124; -vec4 _TMP125; -vec4 _TMP126; -vec4 _TMP127; -vec4 _TMP128; -vec4 _TMP129; -vec4 _TMP130; -vec4 _TMP131; - - -uniform int FrameDirection; -uniform int FrameCount; -uniform COMPAT_PRECISION vec2 OutputSize; -uniform COMPAT_PRECISION vec2 TextureSize; -uniform COMPAT_PRECISION vec2 InputSize; -void main() -{ - - vec2 _fp; - vec4 _TMP26[1]; - vec4 _TMP27; - vec4 _TMP29[4]; - vec4 _TMP30[4]; - vec4 _TMP31[4]; - - _x0035 = VARtexCoord*TextureSize; - _fp = fract(_x0035); - _TMP0 = COMPAT_TEXTURE(Texture, VARt1.xy); - _TMP1 = COMPAT_TEXTURE(Texture, VARt1.zw); - _TMP2 = COMPAT_TEXTURE(Texture, VARt2.xy); - _TMP3 = COMPAT_TEXTURE(Texture, VARt2.zw); - _TMP4 = COMPAT_TEXTURE(Texture, VARt3.xy); - _TMP5 = COMPAT_TEXTURE(Texture, VARtexCoord); - _TMP6 = COMPAT_TEXTURE(Texture, VARt3.zw); - _TMP7 = COMPAT_TEXTURE(Texture, VARt4.xy); - _TMP8 = COMPAT_TEXTURE(Texture, VARt4.zw); - _TMP9 = COMPAT_TEXTURE(Texture, VARt5.xy); - _TMP10 = COMPAT_TEXTURE(Texture, VARt5.zw); - _TMP11 = COMPAT_TEXTURE(Texture, VARt6.xy); - _TMP12 = COMPAT_TEXTURE(Texture, VARt6.zw); - _TMP13 = COMPAT_TEXTURE(Texture, VARt7.xy); - _TMP14 = COMPAT_TEXTURE(Texture, VARt7.zw); - _TMP15 = COMPAT_TEXTURE(Texture, VARt8.xy); - _TMP31[0] = vec4(_TMP0.x, _TMP1.x, _TMP2.x, _TMP3.x); - _TMP31[1] = vec4(_TMP4.x, _TMP5.x, _TMP6.x, _TMP7.x); - _TMP31[2] = vec4(_TMP8.x, _TMP9.x, _TMP10.x, _TMP11.x); - _TMP31[3] = vec4(_TMP12.x, _TMP13.x, _TMP14.x, _TMP15.x); - _TMP30[0] = vec4(_TMP0.y, _TMP1.y, _TMP2.y, _TMP3.y); - _TMP30[1] = vec4(_TMP4.y, _TMP5.y, _TMP6.y, _TMP7.y); - _TMP30[2] = vec4(_TMP8.y, _TMP9.y, _TMP10.y, _TMP11.y); - _TMP30[3] = vec4(_TMP12.y, _TMP13.y, _TMP14.y, _TMP15.y); - _TMP29[0] = vec4(_TMP0.z, _TMP1.z, _TMP2.z, _TMP3.z); - _TMP29[1] = vec4(_TMP4.z, _TMP5.z, _TMP6.z, _TMP7.z); - _TMP29[2] = vec4(_TMP8.z, _TMP9.z, _TMP10.z, _TMP11.z); - _TMP29[3] = vec4(_TMP12.z, _TMP13.z, _TMP14.z, _TMP15.z); - _TMP27[0] = _fp.x*_fp.x*_fp.x; - _TMP27[1] = _fp.x*_fp.x; - _TMP27[2] = _fp.x; - _TMP116.x = _TMP27[0]; - _TMP116.y = _TMP27[1]; - _TMP116.z = _TMP27[2]; - _TMP116.w = 1.00000000E+000; - _C0069[0] = dot(vec4( -1.66666672E-001, 5.00000000E-001, -3.33333343E-001, 0.00000000E+000), _TMP116); - _TMP117.x = _TMP27[0]; - _TMP117.y = _TMP27[1]; - _TMP117.z = _TMP27[2]; - _TMP117.w = 1.00000000E+000; - _C0069[1] = dot(vec4( 5.00000000E-001, -1.00000000E+000, -5.00000000E-001, 1.00000000E+000), _TMP117); - _TMP118.x = _TMP27[0]; - _TMP118.y = _TMP27[1]; - _TMP118.z = _TMP27[2]; - _TMP118.w = 1.00000000E+000; - _C0069[2] = dot(vec4( -5.00000000E-001, 5.00000000E-001, 1.00000000E+000, 0.00000000E+000), _TMP118); - _TMP119.x = _TMP27[0]; - _TMP119.y = _TMP27[1]; - _TMP119.z = _TMP27[2]; - _TMP119.w = 1.00000000E+000; - _C0069[3] = dot(vec4( 1.66666672E-001, 0.00000000E+000, -1.66666672E-001, 0.00000000E+000), _TMP119); - _TMP26[0] = vec4(_fp.y*_fp.y*_fp.y, _fp.y*_fp.y, _fp.y, 1.00000000E+000); - _C0079[0] = _TMP26[0].x*vec4( -1.66666672E-001, 5.00000000E-001, -5.00000000E-001, 1.66666672E-001) + _TMP26[0].y*vec4( 5.00000000E-001, -1.00000000E+000, 5.00000000E-001, 0.00000000E+000) + _TMP26[0].z*vec4( -3.33333343E-001, -5.00000000E-001, 1.00000000E+000, -1.66666672E-001) + _TMP26[0].w*vec4( 0.00000000E+000, 1.00000000E+000, 0.00000000E+000, 0.00000000E+000); - _TMP120.x = _C0069[0]; - _TMP120.y = _C0069[1]; - _TMP120.z = _C0069[2]; - _TMP120.w = _C0069[3]; - _C0081[0] = dot(_TMP31[0], _TMP120); - _TMP121.x = _C0069[0]; - _TMP121.y = _C0069[1]; - _TMP121.z = _C0069[2]; - _TMP121.w = _C0069[3]; - _C0081[1] = dot(_TMP31[1], _TMP121); - _TMP122.x = _C0069[0]; - _TMP122.y = _C0069[1]; - _TMP122.z = _C0069[2]; - _TMP122.w = _C0069[3]; - _C0081[2] = dot(_TMP31[2], _TMP122); - _TMP123.x = _C0069[0]; - _TMP123.y = _C0069[1]; - _TMP123.z = _C0069[2]; - _TMP123.w = _C0069[3]; - _C0081[3] = dot(_TMP31[3], _TMP123); - _C0091 = _C0079[0].x*_C0081[0] + _C0079[0].y*_C0081[1] + _C0079[0].z*_C0081[2] + _C0079[0].w*_C0081[3]; - _TMP124.x = _C0069[0]; - _TMP124.y = _C0069[1]; - _TMP124.z = _C0069[2]; - _TMP124.w = _C0069[3]; - _C0093[0] = dot(_TMP30[0], _TMP124); - _TMP125.x = _C0069[0]; - _TMP125.y = _C0069[1]; - _TMP125.z = _C0069[2]; - _TMP125.w = _C0069[3]; - _C0093[1] = dot(_TMP30[1], _TMP125); - _TMP126.x = _C0069[0]; - _TMP126.y = _C0069[1]; - _TMP126.z = _C0069[2]; - _TMP126.w = _C0069[3]; - _C0093[2] = dot(_TMP30[2], _TMP126); - _TMP127.x = _C0069[0]; - _TMP127.y = _C0069[1]; - _TMP127.z = _C0069[2]; - _TMP127.w = _C0069[3]; - _C0093[3] = dot(_TMP30[3], _TMP127); - _C0103 = _C0079[0].x*_C0093[0] + _C0079[0].y*_C0093[1] + _C0079[0].z*_C0093[2] + _C0079[0].w*_C0093[3]; - _TMP128.x = _C0069[0]; - _TMP128.y = _C0069[1]; - _TMP128.z = _C0069[2]; - _TMP128.w = _C0069[3]; - _C0105[0] = dot(_TMP29[0], _TMP128); - _TMP129.x = _C0069[0]; - _TMP129.y = _C0069[1]; - _TMP129.z = _C0069[2]; - _TMP129.w = _C0069[3]; - _C0105[1] = dot(_TMP29[1], _TMP129); - _TMP130.x = _C0069[0]; - _TMP130.y = _C0069[1]; - _TMP130.z = _C0069[2]; - _TMP130.w = _C0069[3]; - _C0105[2] = dot(_TMP29[2], _TMP130); - _TMP131.x = _C0069[0]; - _TMP131.y = _C0069[1]; - _TMP131.z = _C0069[2]; - _TMP131.w = _C0069[3]; - _C0105[3] = dot(_TMP29[3], _TMP131); - _C0115 = _C0079[0].x*_C0105[0] + _C0079[0].y*_C0105[1] + _C0079[0].z*_C0105[2] + _C0079[0].w*_C0105[3]; - _ret_0 = vec4(_C0091, _C0103, _C0115, 1.00000000E+000); - FragColor = _ret_0; - return; -} -#endif diff --git a/Tools/cg2glsl/cg2glsl_sources/cgc.exe b/output/dll/cgc.exe similarity index 100% rename from Tools/cg2glsl/cg2glsl_sources/cgc.exe rename to output/dll/cgc.exe diff --git a/output/dll/d3d8.dll b/output/dll/d3d8.dll index 980ce2d2a0..92edd74472 100644 Binary files a/output/dll/d3d8.dll and b/output/dll/d3d8.dll differ diff --git a/output/dll/libgambatte.dll b/output/dll/libgambatte.dll index 752768150d..381b65d829 100644 Binary files a/output/dll/libgambatte.dll and b/output/dll/libgambatte.dll differ diff --git a/output/dll/octoshock.dll b/output/dll/octoshock.dll index 3ef1311232..1dadf2281d 100644 Binary files a/output/dll/octoshock.dll and b/output/dll/octoshock.dll differ diff --git a/output/gamedb/gamedb.txt b/output/gamedb/gamedb.txt index e5b0d6c159..540a22e28b 100644 --- a/output/gamedb/gamedb.txt +++ b/output/gamedb/gamedb.txt @@ -47,6 +47,7 @@ sha1:8A5FD1061ADACDEABF422A2D2E555FF70749AE7C U Mississippi Satsujin Jiken (Alt) ;possibly good roms for games which arent in bootgod's db yet, most likely due to obscurity or incompleteness at the present. ;when they appear in bootgod's db then we can re-evaluate this category. sha1:91CECCFCAC90E417E9AEE80E8F7B560A20EB33CC Ai Sensei No Oshiete - Watashi No Hoshi (J) NES board=IREM-G101;PRG=256;CHR=128;WRAM=8 +sha1:1E49BDA9CEF18F6F5C2DA34910487713D364AA68 G Pipe 5 (Sachen) NES board=MAPPER160;PAD_H=1;PAD_V=0 ;;;;;;;;;;;;;;;;;;;----------------------------------------------------------------------- ;this is every game from goodNES which is clearly labeled as bad. @@ -64,27 +65,86 @@ sha1:8F42BC9919B324A63636BE2FBAD0101D8C720517 B Banana (J) [hM03] NES board=HVC sha1:4EF2C4DAD0897F326E2991D351903A98483BC3C0 B Banana (J) [hM03] NES board=HVC-CNROM;PRG=32;CHR=16 sha1:15E04F1BF83D8FE34ECD2B29894C9CF034E6D257 B Banana (J) [hM03] NES board=HVC-CNROM;PRG=32;CHR=32 sha1:C6C6228B16AECB35B0C52467071E04DB3B34C77F B Banana (J) [hM03] NES board=HVC-CNROM;PRG=32;CHR=8 +sha1:2801CDE6D10D67889E01161476D80CF5CCC3263E O Ball Hack v.2 2001-03-21 [o1] NES board=HVC-NROM-256;PRG=32;CHR=8 +sha1:A6E7DB47B9C39E2A5B0A77F34B9AA3BEFDB70D1C O Dr. Mario (JU) (PRG0) NES board=MAPPER001;CHR=32 +sha1:2BDBD70C1E3EEF115F640B91B22A97BFCDF18B2D B Castlevania III - Dracula's Curse (U) (Bad Dump) NES board=MAPPER005;CHR=128 +sha1:0D0957F7D49E38C298EB5194472B87EFC44BBD46 B Dragon Quest II - Akuryou no Kamigami (J) (Bad Dump) NES board=MAPPER002;CHR=0 +sha1:736C0AEDA14A93A2715BDA1DA6F6C92E6690A5DE B Dragon Quest IV - Michibikareshi Monotachi (J) (PRG1) (Bad Dump) NES board=MAPPER001;PRG=512 +sha1:739698BD6050572F24E739A20978E4760CF33E59 B Dragon Quest IV - Michibikareshi Monotachi (J) (PRG1) (Bad Dump) NES board=MAPPER001;PRG=512 +sha1:3FB61976847BCA4187DB61F484BF21346B42C95A B Dragon Warrior IV (Bad Dump) NES board=MAPPER001;PRG=512 +sha1:697ECCCDD178809207726A05A5593D874CA39CA9 B Dragon Warrior IV (Bad Dump) NES board=MAPPER001;PRG=512 +sha1:E33D3A487678F35E05C0E5DA7E4C30F8FEFA600D B Dragon Warrior IV (Bad Dump) NES board=MAPPER001;PRG=512 +sha1:3AE0469A8208023DAA32A7BB9925F3C5666FCB2D B Famicom Meijin Sen (J) [a1] NES board=HVC-SKROM;WRAM=8 +sha1:8CC5894A1E637FA63A63992E188B3797D9300337 B Mighty Bomb Jack (U) (Bad Dump) NES board=NES-CNROM;PRG=32;CHR=32;WRAM=0;PAD_V=1 +sha1:CAB30771F9CBD89B2FCD06F3B2F5C8F2156BFD8A B Mighty Bomb Jack (U) (Bad Dump) NES board=NES-CNROM;PRG=32;CHR=32;WRAM=0;PAD_V=1 +sha1:A4CDD4BC37D44CFF1379942CC31DCD89E340B10C B Money Game, The (J) [hFFE][b1] NES board=MAPPER006;PRG=256 +sha1:8AB1B122FE96865B62290FC838FA2C248D4989FB B 3D Bloack (Unl) [f1] (Bad Dump) NES board=MAPPER000;PAD_H=1 +sha1:457BA1626EAA58A2370ECD6AB0B83232C098C064 B High Speed (E) (Bad Dump) NES board=NES-TQROM;WRAM=0;VRAM=8;PAD_V=0;PAD_H=0;system=NES-PAL-B +sha1:421EBBFA08FFD5A7A0F4DDEE7868B36DB7FAEE39 B High Speed (U) (Bad Dump) NES board=NES-TQROM;WRAM=0;VRAM=8;PAD_V=0;PAD_H=0;system=NES-NTSC +sha1:9979C1333B8A7685CC3CA2BEAFD634B2A88D3AF8 B High Speed (U) (Over Dump) NES board=NES-TQROM;WRAM=0;VRAM=8;PAD_V=0;PAD_H=0;system=NES-NTSC +sha1:DAB664B59B094FFAABCF24D0388760C09F87495C B High Speed (U) (Over Dump) NES board=NES-TQROM;WRAM=0;VRAM=8;PAD_V=0;PAD_H=0;system=NES-NTSC +sha1:36405B87E66E18DC432690A5959D4529C14B1AEE B High Speed (U) (Over Dump) NES board=NES-TQROM;WRAM=0;VRAM=8;PAD_V=0;PAD_H=0;system=NES-NTSC +sha1:9D2391C1F4855E7ECCE0DB5C8B258A43B4E9F84F G Pin Bot (PC10) NES board=NES-TQROM;WRAM=0;VRAM=8 +sha1:B3537088ED6F8379F2C30CA45061BFCCBA1007B9 B Pin Bot (U) (Bad Dump) NES board=NES-TQROM;WRAM=0;VRAM=8 +sha1:A1E8E80E2F72E606CD7802D809B2FF256578EDE6 B Pin Bot (U) (Bad Dump) NES board=NES-TQROM;WRAM=0;VRAM=8 +sha1:C969BD9F8E4353EE6463221FFDD2BFE4A844134A B Pin Bot (U) (Over Dump) NES board=NES-TQROM;WRAM=0;VRAM=8 +sha1:569907CD308C28CDB178AA525F976656BF0DD886 B Pin Bot (U) (Over Dump) NES board=NES-TQROM;WRAM=0;VRAM=8 +sha1:9C851967BD74E063ED8F44935928911D572527AD B Pin Bot (U) (Over Dump) NES board=NES-TQROM;WRAM=0;VRAM=8 +sha1:2FA61D1FDFCFEC20099EB85C3F45827CA87160D9 B Yong Zhe Dou E Long - Dragon Quest V (Ch) (Over Drump) NES board=MAPPER245;VRAM=8;CHR=0;PAD_H=1;BATT=true +sha1:79978AA3AD3FE63D41357E62F1E49E4761B3738A B Magical Taruruuto-kun 2 - Mahou Daibouken (J) (Over Dump) NES board=BANDAI-LZ93D50+24C01;PRG=128;CHR=128;WRAM=0;VRAM=0 + + ;;;;;;;;;;;;;;;;;;;----------------------------------------------------------------------- ;;;;;;;;;;;;;;;;;;;----------------------------------------------------------------------- ;these roms are in goodNES but theyre junk. hacks, mostly. ideally we would put ever game from goodNES that was labeled as a hack in a list here. -sha1:2EC29843A4DEB854DCB274EEE465C45820C305FC H Magical Taruruuto-kun - Fantastic World!! (J) (V1.1) NES board=BANDAI-FCG-1;PRG=128;CHR=128;WRAM=8 -sha1:111D38E2FB41D0B43753E18757D427A91B0DBCB9 H Dragon Ball Z II - Gekishin Freeza!! (J) NES board=BANDAI-LZ93D50+24C02;PRG=256;CHR=256;WRAM=8 -sha1:A907E600CEDA175ECD115B406B28155397A4C1FA H Dragon Ball Z Gaiden - Saiya Jin Zetsumetsu Keikaku (CH) NES board=BANDAI-FCG-1;PRG=512;CHR=256;WRAM=8 -sha1:A13EAF0132905FBE3D0456BB075028A30C084D0E H Dragon Ball - Dai Maou Fukkatsu (J) [hFFE] NES board=BANDAI-FCG-1;PRG=128;CHR=128 +sha1:2EC29843A4DEB854DCB274EEE465C45820C305FC H Magical Taruruuto-kun - Fantastic World!! (J) (V1.1) NES board=BANDAI-FCG-1;PRG=128;CHR=128;WRAM=0 +sha1:111D38E2FB41D0B43753E18757D427A91B0DBCB9 H Dragon Ball Z II - Gekishin Freeza!! (J) NES board=BANDAI-LZ93D50+24C02;PRG=256;CHR=256;WRAM=0 +sha1:A907E600CEDA175ECD115B406B28155397A4C1FA H Dragon Ball Z Gaiden - Saiya Jin Zetsumetsu Keikaku (CH) NES board=BANDAI-FCG-1;PRG=512;CHR=256;WRAM=0 +sha1:A13EAF0132905FBE3D0456BB075028A30C084D0E H Dragon Ball - Dai Maou Fukkatsu (J) [hFFE] NES board=BANDAI-FCG-1;PRG=128;CHR=128;WRAM=0;VRAM=0 sha1:8885F4F00C0B73C156179BCEABA5381487DBEAAD H Spy vs Spy (J) NES board=HVC-CNROM-256K-01;PRG=32;CHR=8;WRAM=8 sha1:8C676CC9BEF5B93C5A7630D12B8A5B2FEBCE3438 H Rad Racket - Deluxe Tennis II NES board=NINA-06;PRG=32;CHR=32 sha1:A1D674D1C7C633A317CFD516EFB9A0350CD0E45E H Arkanoid II (J) NES board=TAITO-74*161/161/32;PRG=128;CHR=128;WRAM=8 sha1:4D6117577CE301BB987C5C32FEEF7B132A21B046 H Afro Man (Mega Man 3 Hack) (UNL) NES board=TXROM-HOMEBREW;PRG=256;CHR=128;WRAM=8 sha1:7BD102770FE7766BF8430ACDB3C17EE51E30478C H Mike Tyson's Punch-Out!! (Hacked) (U) NES board=NES-PNROM;PRG=128;CHR=128;WRAM=0 sha1:536D623BA02A622BDE8E2D7D514AE9785B5E0357 H Punch Out!! Kirby (Hack) (U) NES board=NES-PNROM;PRG=128;CHR=128;WRAM=0 -;;;;;;;;;;;;;;;;;;;----------------------------------------------------------------------- +sha1:F2A8BC888B888FA65DFB303126B130422E34942E G Kunio 8-in-1 [p1] NES board=MAPPER045 +sha1:27AA5F60474600FEE5C1623D4A0985421680C9FE H Mario + Toad (Nuts & Milk Hack) NES board=MAPPER000 +sha1:B7DD142AF1FBCC81F3FE88C9278BD6C61B615D09 O Death Race (AGCI) (Overdump) NES board=MAPPER144 +sha1:0FAECB09767528CC2C9CD4FE4EDBD0C6ECEFB999 G Secret Scout in the Temple of Demise (Color Dreams) (Prototype) NES board=MAPPER011_HACKY +sha1:87C929090C3B04739BAAED90B9A8F40B29327FC2 G Free Fall (U) (Prototype) NES board=MAPPER011_HACKY + +;;;;;;;;;;;;;;;;;;;;;- ;;;;;;;;;;;;;;;;;;;----------------------------------------------------------------------- ;heres another idea. let's list rom sets from goodNES, good and bad variants together sha1:98B71119294DA59D1B22723D2D2955D80EADABF4 World Hero (Unl) [!] NES board=MAPPER027 sha1:17AC56723F99A646BD44F8C999B23B8A972A3EF2 B World Hero (Unl) [b1] NES board=MAPPER027 sha1:5227195D5DB2030758BF67704150E8C5FAF056B1 B World Hero (Unl) [b2] NES board=MAPPER027 +sha1:AD350F001DB2E3C640B2BD9107B86A8F29B68AC0 G Commandos (Ch) NES board=MAPPER163; +sha1:5A91F54A6FF44762D98FC8D8974909D298EB52A8 G Somari (NT-616) (Unl) NES board=MAPPER116; +sha1:5F0943DC8145542ABC70BF20E4754B3C08653399 G Meikyuu Jiin Dababa (FDS Conversion) (Unl) NES board=MAPPER108;WRAM=0 +sha1:95E86C77BB25DD23152D34FD0BB562A09535BE43 G Pyramid (AVE) (PRG1) NES board=MAPPER000 +sha1:5759A9D658D253C8A6AAA38969C443D66E0F3349 G Dragon Quest III (PRG0) NES board=HVC-SNROM-03 +sha1:9DF34897D002E8D0E4D53B76154F8CD46927CDF9 G Dragon Quest III (PRG1) NES board=HVC-SNROM-03 + +sha1:D20724A2E2933BEE8E193596688CF86747E0250B B Dragon Ball Z - Kyoushuu! Saiya Jin (J) (Bad Dump) NES board=BANDAI-LZ93D50+24C01;PRG=256;CHR=256;WRAM=0;VRAM=0;PAD_V=0;PAD_H=0 +sha1:9F17353EF85590484BBC693517292A15DD30845D B Dragon Ball Z - Kyoushuu! Saiya Jin (J) (Bad Dump) NES board=BANDAI-LZ93D50+24C01;PRG=256;CHR=256;WRAM=0;VRAM=0;PAD_V=0;PAD_H=0 +sha1:D1E9A66CC7424725AD72B8A04E37B9E72EE2BFB6 O Dragon Ball Z - Kyoushuu! Saiya Jin (J) (Over Dump) NES board=BANDAI-LZ93D50+24C01;PRG=256;CHR=256;WRAM=0;VRAM=0;PAD_V=0;PAD_H=0 +sha1:123AA69FE2334A027E48BA658C906BFA4996FA32 T Dragon Ball Z - Kyoushuu! Saiya Jin (J) [T+Eng0.47_Eigo ni Yakusu Productions] NES board=BANDAI-LZ93D50+24C01;PRG=256;CHR=256;WRAM=0;VRAM=0;PAD_V=0;PAD_H=0 +sha1:6DCB35518C0AC42943098A5B417B79C10273D75A T Dragon Ball Z - Kyoushuu! Saiya Jin (J) [T+Eng1.01_RedComet] NES board=BANDAI-LZ93D50+24C01;PRG=256;CHR=256;WRAM=0;VRAM=0;PAD_V=0;PAD_H=0 +sha1:726C2C19F7B559AD5220872004B580D8C9574F5A T Dragon Ball Z - Kyoushuu! Saiya Jin (J) [T+Eng1.1] NES board=BANDAI-LZ93D50+24C01;PRG=256;CHR=256;WRAM=0;VRAM=0;PAD_V=0;PAD_H=0 +sha1:D51398EFF4F3F47AFA0527D98882234E10AEDFF4 T Dragon Ball Z - Kyoushuu! Saiya Jin (J) [T+Kor20060719_88ktt] NES board=BANDAI-LZ93D50+24C01;PRG=256;CHR=256;WRAM=0;VRAM=0;PAD_V=0;PAD_H=0 +sha1:97DECB4E7C8DE1006F57732D8E83437A9186E500 T Dragon Ball Z - Kyoushuu! Saiya Jin (J) [T+Por45%_Tradu-Roms] NES board=BANDAI-LZ93D50+24C01;PRG=256;CHR=256;WRAM=0;VRAM=0;PAD_V=0;PAD_H=0 +sha1:80E314CF4A2FCD5A184D4D168428165C1F844729 T Dragon Ball Z - Kyoushuu! Saiya Jin (J) [T+Por100%_RaphFS] NES board=BANDAI-LZ93D50+24C01;PRG=256;CHR=256;WRAM=0;VRAM=0;PAD_V=0;PAD_H=0 +sha1:1D6381D2AA0DF4A5B50E9E2DB7B45785BBB1E48F T Dragon Ball Z - Kyoushuu! Saiya Jin (J) [T+Spa_PaladinKnights] NES board=BANDAI-LZ93D50+24C01;PRG=256;CHR=256;WRAM=0;VRAM=0;PAD_V=0;PAD_H=0 +sha1:15E43BE5F7D328BF3041B52CE38BFC4FF23A1DF1 T Dragon Ball Z - Kyoushuu! Saiya Jin (J) [T-Eng] NES board=BANDAI-LZ93D50+24C01;PRG=256;CHR=256;WRAM=0;VRAM=0;PAD_V=0;PAD_H=0 +sha1:D42BA5AEC6E41804FF98D6DFA34B53510A1174FA T Dragon Ball Z - Kyoushuu! Saiya Jin (J) [T-Eng0.50_TransBRC] NES board=BANDAI-LZ93D50+24C01;PRG=256;CHR=256;WRAM=0;VRAM=0;PAD_V=0;PAD_H=0 +sha1:B1228C5716FB5EE2E0421634A464C927B33493B7 T Dragon Ball Z - Kyoushuu! Saiya Jin (J) [T-Eng0.99_RedComet] NES board=BANDAI-LZ93D50+24C01;PRG=256;CHR=256;WRAM=0;VRAM=0;PAD_V=0;PAD_H=0 +sha1:8E910216502E0BF9BFBA3E38EAA34FFC2D7EE1AD T Dragon Ball Z - Kyoushuu! Saiya Jin (J) [T-Eng1.00_RedComet] NES board=BANDAI-LZ93D50+24C01;PRG=256;CHR=256;WRAM=0;VRAM=0;PAD_V=0;PAD_H=0 +sha1:18BE110CBEA2D665A3FF704BDD4153AE5E5ACE5F T Dragon Ball Z - Kyoushuu! Saiya Jin (J) [T-Kor_88ktt] NES board=BANDAI-LZ93D50+24C01;PRG=256;CHR=256;WRAM=0;VRAM=0;PAD_V=0;PAD_H=0 +sha1:9F601A88A9DFA8EDEC23F67DA60254BE4CBAE64B T Dragon Ball Z - Kyoushuu! Saiya Jin (J) [T-Spa] NES board=BANDAI-LZ93D50+24C01;PRG=256;CHR=256;WRAM=0;VRAM=0;PAD_V=0;PAD_H=0 + ;;;;;;;;;;;;;;;;;;;----------------------------------------------------------------------- ;;;;;;;;;;;;;;;;;;;----------------------------------------------------------------------- @@ -96,6 +156,10 @@ sha1:6DF9AECF5787C0833B0F05A9A83D0E58A6153977 Rumblestation 15-in-1 (Unl) NES sha1:E4BFD5AB3C3649DBD36B9A7280CF431641BCBCEC Peek-A-Boo Poker (Unl) NES board=NES-CNROM;PRG=32;CHR=24;WRAM=0 sha1:39294394A0631708F58397371CE14075AE1FB7E6 Peek-A-Boo Poker (Panesian) NES board=NES-CNROM;PRG=32;CHR=64;WRAM=0 sha1:C87E7E6A68DD9C7E24652CD2C7D390A14E8ADF04 Lagrange Point NES board=KONAMI-VRC-7;PRG=512;CHR=0;WRAM=8;PRAM=8;PCB=352402;BATT=true +sha1:2E0889131DA5BA9505A15B94887113F4360D98CD Shin Samurai Spirits 2 - Haoumaru Jigoku Hen (Unl) NES board=MAPPER209;PRG=128;CHR=512;WRAM=8 +sha1:EB35202CC4E9C2FAC320B04F36F3A6858B8916F2 Super Bros. 8 NES board=MAPPER048; +sha1:F949FC16932808C426074AB1628F246B0435C52C Flintstones, The Rescue of Dino & Hoppy (J) NES board=MAPPER048; +sha1:9C801071D1AAC7B280468C38BF1B61FDE99B5FD0 Yong Zhe Dou E Long - Dragon Quest VII (Ch) NES board=MAPPER245; ;;;;;;;;;;;;;;;;;;;----------------------------------------------------------------------- ;;;;;;;;;;;;;;;;;;;----------------------------------------------------------------------- @@ -141,12 +205,19 @@ sha1:2F29F3DC724027FAD926BC9D4470A481884E42A5 Blargg's 6-MMC6.nes (newer) NES ;datach stuff 29CC759D5CA214EEFC0CC1C6CE0F8B9111E58124 Datach - Battle Rush - Build Up Robot Tournament NES board=MAPPER157 -87478B635FEFB25FA13C4876E20F505A97426C1B Datach - Dragon Ball Z - Gekitou Tenkaichi Budou Kai NES board=MAPPER157 +87478B635FEFB25FA13C4876E20F505A97426C1B B Datach - Dragon Ball Z - Gekitou Tenkaichi Budou Kai NES board=MAPPER157 B2089533E05FE95814D0D77F2729944CBEB95988 Datach - J League Super Top Players NES board=MAPPER157 EDD7A45A7F27E396B6D686F1861642D509863132 Datach - SD Gundam - Gundam Wars NES board=MAPPER157 533170D5EB685231CCD27B9C136FFA4FAD68A7B8 Datach - Ultraman Club - Supokon Fight! NES board=MAPPER157 +43315F18A514F0EF1D84EFE9C8D4483B57BA712C Datach - Ultraman Club - Supokon Fight! NES board=MAPPER157 74218AAE93E4FEBFB2284BCF15811453418A2029 Datach - Yuu Yuu Hakusho - Bakutou Ankoku Bujutsu Kai NES board=MAPPER157 6F3C65BD945FE13305A7A39D8CD884A5BF314A8F Datach - Crayon Shin Chan - Ora to Poi Poi NES board=MAPPER157 +1218C891DEE878C18D31D38D07CAD5FB06B3B2CE Datach - Yuu Yuu akusho - Baktutou NES board=MAPPER157 + +;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;bad PSX (not many, so collecting here for now);;;;;;;;;;;;;;;;;;;;;;;;;;;;;;; +;licensed by sony... string erased: +C94257E7 B Looney Tunes - Sheep Raider (STATiC Dump) PSX dh=00000000 +829A295C B Monster Rancher 2 (U) (EXE Patched) PSX dh=00000000 #include gamedb_neshomebrew.txt #include gamedb_vs.txt diff --git a/psx/octoshock/bizhawk/octoshock.sln b/psx/octoshock/bizhawk/octoshock.sln index e19efdc80b..78e1a0d864 100644 --- a/psx/octoshock/bizhawk/octoshock.sln +++ b/psx/octoshock/bizhawk/octoshock.sln @@ -1,6 +1,6 @@  Microsoft Visual Studio Solution File, Format Version 11.00 -# Visual Studio 2010 +# Visual Studio 2015 Project("{8BC9CEB8-8B4A-11D0-8D11-00A0C91BC942}") = "octoshock", "octoshock.vcxproj", "{5F35CAFC-6208-4FBE-AD17-0E69BA3F70EC}" EndProject Project("{8BC9CEB8-8B4A-11D0-8D11-00A0C91BC942}") = "miniclient", "..\test\miniclient\miniclient.vcxproj", "{5A0DAC84-1170-4B1A-B9A9-F566A1D97790}" diff --git a/psx/octoshock/bizhawk/octoshock.vcxproj b/psx/octoshock/bizhawk/octoshock.vcxproj index 7e5504c75c..1cbe5eed0e 100644 --- a/psx/octoshock/bizhawk/octoshock.vcxproj +++ b/psx/octoshock/bizhawk/octoshock.vcxproj @@ -12,6 +12,11 @@ + + + + + @@ -141,7 +146,7 @@ NotUsing Level3 Disabled - EW_EXPORT;_CRT_SECURE_NO_WARNINGS;WIN32;_DEBUG;_WINDOWS;_USRDLL;OCTOSHOCK_EXPORTS;%(PreprocessorDefinitions) + WANT_LEC_CHECK;EW_EXPORT;_CRT_SECURE_NO_WARNINGS;WIN32;_DEBUG;_WINDOWS;_USRDLL;OCTOSHOCK_EXPORTS;%(PreprocessorDefinitions) ../emuware/msvc;.. @@ -163,7 +168,7 @@ MaxSpeed true true - _CRT_SECURE_NO_WARNINGS;EW_EXPORT;WIN32;NDEBUG;_WINDOWS;%(PreprocessorDefinitions) + WANT_LEC_CHECK;_CRT_SECURE_NO_WARNINGS;EW_EXPORT;WIN32;NDEBUG;_WINDOWS;%(PreprocessorDefinitions) diff --git a/psx/octoshock/bizhawk/octoshock.vcxproj.filters b/psx/octoshock/bizhawk/octoshock.vcxproj.filters index 5dcd4b7c48..3439af5479 100644 --- a/psx/octoshock/bizhawk/octoshock.vcxproj.filters +++ b/psx/octoshock/bizhawk/octoshock.vcxproj.filters @@ -115,6 +115,21 @@ cdrom + + cdrom + + + cdrom + + + cdrom + + + cdrom + + + cdrom + diff --git a/psx/octoshock/cdrom/CDUtility.cpp b/psx/octoshock/cdrom/CDUtility.cpp index 7b8de3f0d7..969eee916f 100644 --- a/psx/octoshock/cdrom/CDUtility.cpp +++ b/psx/octoshock/cdrom/CDUtility.cpp @@ -20,6 +20,7 @@ #include #include +#include "dvdisaster.h" #include "octoshock.h" #include "CDUtility.h" @@ -29,10 +30,6 @@ namespace CDUtility { - void CDUtility_Init() - { - } - // lookup table for crc calculation static uint16 subq_crctab[256] = { @@ -67,6 +64,54 @@ static uint16 subq_crctab[256] = 0x2E93, 0x3EB2, 0x0ED1, 0x1EF0 }; + +static uint8 scramble_table[2352 - 12]; + +static bool CDUtility_Inited = false; + +static void InitScrambleTable(void) +{ + unsigned cv = 1; + + for (unsigned i = 12; i < 2352; i++) + { + unsigned char z = 0; + + for (int b = 0; b < 8; b++) + { + z |= (cv & 1) << b; + + int feedback = ((cv >> 1) & 1) ^ (cv & 1); + cv = (cv >> 1) | (feedback << 14); + } + + scramble_table[i - 12] = z; + } + + //for(int i = 0; i < 2352 - 12; i++) + // printf("0x%02x, ", scramble_table[i]); +} + +void CDUtility_Init(void) +{ + if (!CDUtility_Inited) + { + #ifdef WANT_LEC_CHECK + Init_LEC_Correct(); + InitScrambleTable(); + #endif + + CDUtility_Inited = true; + } +} + + +bool edc_lec_check_and_correct(uint8 *sector_data, bool xa) +{ + CDUtility_Init(); + + return !!ValidateRawSector(sector_data, xa); +} bool subq_check_checksum(const uint8 *SubQBuf) { diff --git a/psx/octoshock/cdrom/CDUtility.h b/psx/octoshock/cdrom/CDUtility.h index 2cdbb756b6..f87d0b63cb 100644 --- a/psx/octoshock/cdrom/CDUtility.h +++ b/psx/octoshock/cdrom/CDUtility.h @@ -152,6 +152,12 @@ namespace CDUtility return( ((num / 10) << 4) + (num % 10) ); } + // Check EDC and L-EC data of a mode 1 or mode 2 form 1 sector, and correct bit errors if any exist. + // Returns "true" if errors weren't detected, or they were corrected succesfully. + // Returns "false" if errors couldn't be corrected. + // sector_data should contain 2352 bytes of raw sector data. + bool edc_lec_check_and_correct(uint8 *sector_data, bool xa); + // Returns false on checksum mismatch, true on match. bool subq_check_checksum(const uint8 *subq_buf); diff --git a/psx/octoshock/cdrom/crc32.cpp b/psx/octoshock/cdrom/crc32.cpp new file mode 100644 index 0000000000..9b3b2c8e6b --- /dev/null +++ b/psx/octoshock/cdrom/crc32.cpp @@ -0,0 +1,130 @@ +/* dvdisaster: Additional error correction for optical media. + * Copyright (C) 2004-2007 Carsten Gnoerlich. + * Project home page: http://www.dvdisaster.com + * Email: carsten@dvdisaster.com -or- cgnoerlich@fsfe.org + * + * CRC32 code based upon public domain code by Ross Williams (see notes below) + * + * This program is free software; you can redistribute it and/or modify + * it under the terms of the GNU General Public License as published by + * the Free Software Foundation; either version 2 of the License, or + * (at your option) any later version. + * + * This program is distributed in the hope that it will be useful, + * but WITHOUT ANY WARRANTY; without even the implied warranty of + * MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the + * GNU General Public License for more details. + * + * You should have received a copy of the GNU General Public License + * along with this program; if not, write to the Free Software + * Foundation, Inc., 59 Temple Place, Suite 330, Boston, MA 02111-1307 USA, + * or direct your browser at http://www.gnu.org. + */ + +#include "dvdisaster.h" + +/*** + *** EDC checksum used in CDROM sectors + ***/ + +/*****************************************************************/ +/* */ +/* CRC LOOKUP TABLE */ +/* ================ */ +/* The following CRC lookup table was generated automagically */ +/* by the Rocksoft^tm Model CRC Algorithm Table Generation */ +/* Program V1.0 using the following model parameters: */ +/* */ +/* Width : 4 bytes. */ +/* Poly : 0x8001801BL */ +/* Reverse : TRUE. */ +/* */ +/* For more information on the Rocksoft^tm Model CRC Algorithm, */ +/* see the document titled "A Painless Guide to CRC Error */ +/* Detection Algorithms" by Ross Williams */ +/* (ross@guest.adelaide.edu.au.). This document is likely to be */ +/* in the FTP archive "ftp.adelaide.edu.au/pub/rocksoft". */ +/* */ +/*****************************************************************/ + +unsigned long edctable[256] = +{ + 0x00000000L, 0x90910101L, 0x91210201L, 0x01B00300L, + 0x92410401L, 0x02D00500L, 0x03600600L, 0x93F10701L, + 0x94810801L, 0x04100900L, 0x05A00A00L, 0x95310B01L, + 0x06C00C00L, 0x96510D01L, 0x97E10E01L, 0x07700F00L, + 0x99011001L, 0x09901100L, 0x08201200L, 0x98B11301L, + 0x0B401400L, 0x9BD11501L, 0x9A611601L, 0x0AF01700L, + 0x0D801800L, 0x9D111901L, 0x9CA11A01L, 0x0C301B00L, + 0x9FC11C01L, 0x0F501D00L, 0x0EE01E00L, 0x9E711F01L, + 0x82012001L, 0x12902100L, 0x13202200L, 0x83B12301L, + 0x10402400L, 0x80D12501L, 0x81612601L, 0x11F02700L, + 0x16802800L, 0x86112901L, 0x87A12A01L, 0x17302B00L, + 0x84C12C01L, 0x14502D00L, 0x15E02E00L, 0x85712F01L, + 0x1B003000L, 0x8B913101L, 0x8A213201L, 0x1AB03300L, + 0x89413401L, 0x19D03500L, 0x18603600L, 0x88F13701L, + 0x8F813801L, 0x1F103900L, 0x1EA03A00L, 0x8E313B01L, + 0x1DC03C00L, 0x8D513D01L, 0x8CE13E01L, 0x1C703F00L, + 0xB4014001L, 0x24904100L, 0x25204200L, 0xB5B14301L, + 0x26404400L, 0xB6D14501L, 0xB7614601L, 0x27F04700L, + 0x20804800L, 0xB0114901L, 0xB1A14A01L, 0x21304B00L, + 0xB2C14C01L, 0x22504D00L, 0x23E04E00L, 0xB3714F01L, + 0x2D005000L, 0xBD915101L, 0xBC215201L, 0x2CB05300L, + 0xBF415401L, 0x2FD05500L, 0x2E605600L, 0xBEF15701L, + 0xB9815801L, 0x29105900L, 0x28A05A00L, 0xB8315B01L, + 0x2BC05C00L, 0xBB515D01L, 0xBAE15E01L, 0x2A705F00L, + 0x36006000L, 0xA6916101L, 0xA7216201L, 0x37B06300L, + 0xA4416401L, 0x34D06500L, 0x35606600L, 0xA5F16701L, + 0xA2816801L, 0x32106900L, 0x33A06A00L, 0xA3316B01L, + 0x30C06C00L, 0xA0516D01L, 0xA1E16E01L, 0x31706F00L, + 0xAF017001L, 0x3F907100L, 0x3E207200L, 0xAEB17301L, + 0x3D407400L, 0xADD17501L, 0xAC617601L, 0x3CF07700L, + 0x3B807800L, 0xAB117901L, 0xAAA17A01L, 0x3A307B00L, + 0xA9C17C01L, 0x39507D00L, 0x38E07E00L, 0xA8717F01L, + 0xD8018001L, 0x48908100L, 0x49208200L, 0xD9B18301L, + 0x4A408400L, 0xDAD18501L, 0xDB618601L, 0x4BF08700L, + 0x4C808800L, 0xDC118901L, 0xDDA18A01L, 0x4D308B00L, + 0xDEC18C01L, 0x4E508D00L, 0x4FE08E00L, 0xDF718F01L, + 0x41009000L, 0xD1919101L, 0xD0219201L, 0x40B09300L, + 0xD3419401L, 0x43D09500L, 0x42609600L, 0xD2F19701L, + 0xD5819801L, 0x45109900L, 0x44A09A00L, 0xD4319B01L, + 0x47C09C00L, 0xD7519D01L, 0xD6E19E01L, 0x46709F00L, + 0x5A00A000L, 0xCA91A101L, 0xCB21A201L, 0x5BB0A300L, + 0xC841A401L, 0x58D0A500L, 0x5960A600L, 0xC9F1A701L, + 0xCE81A801L, 0x5E10A900L, 0x5FA0AA00L, 0xCF31AB01L, + 0x5CC0AC00L, 0xCC51AD01L, 0xCDE1AE01L, 0x5D70AF00L, + 0xC301B001L, 0x5390B100L, 0x5220B200L, 0xC2B1B301L, + 0x5140B400L, 0xC1D1B501L, 0xC061B601L, 0x50F0B700L, + 0x5780B800L, 0xC711B901L, 0xC6A1BA01L, 0x5630BB00L, + 0xC5C1BC01L, 0x5550BD00L, 0x54E0BE00L, 0xC471BF01L, + 0x6C00C000L, 0xFC91C101L, 0xFD21C201L, 0x6DB0C300L, + 0xFE41C401L, 0x6ED0C500L, 0x6F60C600L, 0xFFF1C701L, + 0xF881C801L, 0x6810C900L, 0x69A0CA00L, 0xF931CB01L, + 0x6AC0CC00L, 0xFA51CD01L, 0xFBE1CE01L, 0x6B70CF00L, + 0xF501D001L, 0x6590D100L, 0x6420D200L, 0xF4B1D301L, + 0x6740D400L, 0xF7D1D501L, 0xF661D601L, 0x66F0D700L, + 0x6180D800L, 0xF111D901L, 0xF0A1DA01L, 0x6030DB00L, + 0xF3C1DC01L, 0x6350DD00L, 0x62E0DE00L, 0xF271DF01L, + 0xEE01E001L, 0x7E90E100L, 0x7F20E200L, 0xEFB1E301L, + 0x7C40E400L, 0xECD1E501L, 0xED61E601L, 0x7DF0E700L, + 0x7A80E800L, 0xEA11E901L, 0xEBA1EA01L, 0x7B30EB00L, + 0xE8C1EC01L, 0x7850ED00L, 0x79E0EE00L, 0xE971EF01L, + 0x7700F000L, 0xE791F101L, 0xE621F201L, 0x76B0F300L, + 0xE541F401L, 0x75D0F500L, 0x7460F600L, 0xE4F1F701L, + 0xE381F801L, 0x7310F900L, 0x72A0FA00L, 0xE231FB01L, + 0x71C0FC00L, 0xE151FD01L, 0xE0E1FE01L, 0x7070FF00L +}; + +/* + * CDROM EDC calculation + */ + +uint32 EDCCrc32(const unsigned char *data, int len) +{ + uint32 crc = 0; + + while(len--) + crc = edctable[(crc ^ *data++) & 0xFF] ^ (crc >> 8); + + return crc; +} diff --git a/psx/octoshock/cdrom/dvdisaster.h b/psx/octoshock/cdrom/dvdisaster.h new file mode 100644 index 0000000000..66f55f0cf2 --- /dev/null +++ b/psx/octoshock/cdrom/dvdisaster.h @@ -0,0 +1,170 @@ +/* dvdisaster: Additional error correction for optical media. + * Copyright (C) 2004-2007 Carsten Gnoerlich. + * Project home page: http://www.dvdisaster.com + * Email: carsten@dvdisaster.com -or- cgnoerlich@fsfe.org + * + * This program is free software; you can redistribute it and/or modify + * it under the terms of the GNU General Public License as published by + * the Free Software Foundation; either version 2 of the License, or + * (at your option) any later version. + * + * This program is distributed in the hope that it will be useful, + * but WITHOUT ANY WARRANTY; without even the implied warranty of + * MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the + * GNU General Public License for more details. + * + * You should have received a copy of the GNU General Public License + * along with this program; if not, write to the Free Software + * Foundation, Inc., 59 Temple Place, Suite 330, Boston, MA 02111-1307 USA, + * or direct your browser at http://www.gnu.org. + */ + +#ifndef DVDISASTER_H +#define DVDISASTER_H + +/* "Dare to be gorgeous and unique. + * But don't ever be cryptic or otherwise unfathomable. + * Make it unforgettably great." + * + * From "A Final Note on Style", + * Amiga Intuition Reference Manual, 1986, p. 231 + */ + +/*** + *** I'm too lazy to mess with #include dependencies. + *** Everything #includeable is rolled up herein... + */ + +#include "octoshock.h" +#include +#include +#include +#include +#include +#include +#include +#include +#include +#include +#include + +/*** + *** dvdisaster.c + ***/ + +void PrepareDeadSector(void); + +void CreateEcc(void); +void FixEcc(void); +void Verify(void); + +uint32 EDCCrc32(const unsigned char*, int); + +/*** + *** galois.c + *** + * This is currently the hardcoded GF(2**8). + * int32 gives abundant space for the GF. + * Squeezing it down to uint8 won't probably gain much, + * so we implement this defensively here. + * + * Note that some performance critical stuff needs to + * be #included from galois-inlines.h + */ + +/* Galois field parameters for 8bit symbol Reed-Solomon code */ + +#define GF_SYMBOLSIZE 8 +#define GF_FIELDSIZE (1<= GF_FIELDMAX) + { + x -= GF_FIELDMAX; + x = (x >> GF_SYMBOLSIZE) + (x & GF_FIELDMAX); + } + + return x; +} diff --git a/psx/octoshock/cdrom/galois.cpp b/psx/octoshock/cdrom/galois.cpp new file mode 100644 index 0000000000..2792cfc341 --- /dev/null +++ b/psx/octoshock/cdrom/galois.cpp @@ -0,0 +1,156 @@ +/* dvdisaster: Additional error correction for optical media. + * Copyright (C) 2004-2007 Carsten Gnoerlich. + * Project home page: http://www.dvdisaster.com + * Email: carsten@dvdisaster.com -or- cgnoerlich@fsfe.org + * + * The Reed-Solomon error correction draws a lot of inspiration - and even code - + * from Phil Karn's excellent Reed-Solomon library: http://www.ka9q.net/code/fec/ + * + * This program is free software; you can redistribute it and/or modify + * it under the terms of the GNU General Public License as published by + * the Free Software Foundation; either version 2 of the License, or + * (at your option) any later version. + * + * This program is distributed in the hope that it will be useful, + * but WITHOUT ANY WARRANTY; without even the implied warranty of + * MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the + * GNU General Public License for more details. + * + * You should have received a copy of the GNU General Public License + * along with this program; if not, write to the Free Software + * Foundation, Inc., 59 Temple Place, Suite 330, Boston, MA 02111-1307 USA, + * or direct your browser at http://www.gnu.org. + */ + +#include "dvdisaster.h" + +#include "galois-inlines.h" + +/*** + *** Galois field arithmetic. + *** + * Calculations are done over the extension field GF(2**n). + * Be careful not to overgeneralize these arithmetics; + * they only work for the case of GF(p**n) with p being prime. + */ + +/* Initialize the Galois field tables */ + + +GaloisTables* CreateGaloisTables(int32 gf_generator) +{ + GaloisTables *gt = (GaloisTables *)calloc(1, sizeof(GaloisTables)); + int32 b,log; + + /* Allocate the tables. + The encoder uses a special version of alpha_to which has the mod_fieldmax() + folded into the table. */ + + gt->gfGenerator = gf_generator; + + gt->indexOf = (int32 *)calloc(GF_FIELDSIZE, sizeof(int32)); + gt->alphaTo = (int32 *)calloc(GF_FIELDSIZE, sizeof(int32)); + gt->encAlphaTo = (int32 *)calloc(2*GF_FIELDSIZE, sizeof(int32)); + + /* create the log/ilog values */ + + for(b=1, log=0; logindexOf[b] = log; + gt->alphaTo[log] = b; + b = b << 1; + if(b & GF_FIELDSIZE) + b = b ^ gf_generator; + } + + if(b!=1) + { + printf("Failed to create the Galois field log tables!\n"); + exit(1); + } + + /* we're even closed using infinity (makes things easier) */ + + gt->indexOf[0] = GF_ALPHA0; /* log(0) = inf */ + gt->alphaTo[GF_ALPHA0] = 0; /* and the other way around */ + + for(b=0; b<2*GF_FIELDSIZE; b++) + gt->encAlphaTo[b] = gt->alphaTo[mod_fieldmax(b)]; + + return gt; +} + +void FreeGaloisTables(GaloisTables *gt) +{ + if(gt->indexOf) free(gt->indexOf); + if(gt->alphaTo) free(gt->alphaTo); + if(gt->encAlphaTo) free(gt->encAlphaTo); + + free(gt); +} + +/*** + *** Create the the Reed-Solomon generator polynomial + *** and some auxiliary data structures. + */ + +ReedSolomonTables *CreateReedSolomonTables(GaloisTables *gt, + int32 first_consecutive_root, + int32 prim_elem, + int nroots_in) +{ ReedSolomonTables *rt = (ReedSolomonTables *)calloc(1, sizeof(ReedSolomonTables)); + int32 i,j,root; + + rt->gfTables = gt; + rt->fcr = first_consecutive_root; + rt->primElem = prim_elem; + rt->nroots = nroots_in; + rt->ndata = GF_FIELDMAX - rt->nroots; + + rt->gpoly = (int32 *)calloc((rt->nroots+1), sizeof(int32)); + + /* Create the RS code generator polynomial */ + + rt->gpoly[0] = 1; + + for(i=0, root=first_consecutive_root*prim_elem; inroots; i++, root+=prim_elem) + { rt->gpoly[i+1] = 1; + + /* Multiply gpoly by alpha**(root+x) */ + + for(j=i; j>0; j--) + { + if(rt->gpoly[j] != 0) + rt->gpoly[j] = rt->gpoly[j-1] ^ gt->alphaTo[mod_fieldmax(gt->indexOf[rt->gpoly[j]] + root)]; + else + rt->gpoly[j] = rt->gpoly[j-1]; + } + + rt->gpoly[0] = gt->alphaTo[mod_fieldmax(gt->indexOf[rt->gpoly[0]] + root)]; + } + + /* Store the polynomials index for faster encoding */ + + for(i=0; i<=rt->nroots; i++) + rt->gpoly[i] = gt->indexOf[rt->gpoly[i]]; + +#if 0 + /* for the precalculated unrolled loops only */ + + for(i=gt->nroots-1; i>0; i--) + PrintCLI( + " par_idx[((++spk)&%d)] ^= enc_alpha_to[feedback + %3d];\n", + nroots-1,gt->gpoly[i]); + + PrintCLI(" par_idx[sp] = enc_alpha_to[feedback + %3d];\n", + gt->gpoly[0]); +#endif + + return rt; +} + +void FreeReedSolomonTables(ReedSolomonTables *rt) +{ + if(rt->gpoly) free(rt->gpoly); + + free(rt); +} diff --git a/psx/octoshock/cdrom/l-ec.cpp b/psx/octoshock/cdrom/l-ec.cpp new file mode 100644 index 0000000000..5c035ce4ab --- /dev/null +++ b/psx/octoshock/cdrom/l-ec.cpp @@ -0,0 +1,478 @@ +/* dvdisaster: Additional error correction for optical media. + * Copyright (C) 2004-2007 Carsten Gnoerlich. + * Project home page: http://www.dvdisaster.com + * Email: carsten@dvdisaster.com -or- cgnoerlich@fsfe.org + * + * The Reed-Solomon error correction draws a lot of inspiration - and even code - + * from Phil Karn's excellent Reed-Solomon library: http://www.ka9q.net/code/fec/ + * + * This program is free software; you can redistribute it and/or modify + * it under the terms of the GNU General Public License as published by + * the Free Software Foundation; either version 2 of the License, or + * (at your option) any later version. + * + * This program is distributed in the hope that it will be useful, + * but WITHOUT ANY WARRANTY; without even the implied warranty of + * MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the + * GNU General Public License for more details. + * + * You should have received a copy of the GNU General Public License + * along with this program; if not, write to the Free Software + * Foundation, Inc., 59 Temple Place, Suite 330, Boston, MA 02111-1307 USA, + * or direct your browser at http://www.gnu.org. + */ + +#include "dvdisaster.h" + +#include "galois-inlines.h" + +#define MIN(a, b) (((a) < (b)) ? (a) : (b)) + +/*** + *** Mapping between cd frame and parity vectors + ***/ + +/* + * Mapping of frame bytes to P/Q Vectors + */ + +int PToByteIndex(int p, int i) +{ return 12 + p + i*86; +} + +void ByteIndexToP(int b, int *p, int *i) +{ *p = (b-12)%86; + *i = (b-12)/86; +} + +int QToByteIndex(int q, int i) +{ int offset = 12 + (q & 1); + + if(i == 43) return 2248+q; + if(i == 44) return 2300+q; + + q&=~1; + return offset + (q*43 + i*88) % 2236; +} + +void ByteIndexToQ(int b, int *q, int *i) +{ int x,y,offset; + + if(b >= 2300) + { *i = 44; + *q = (b-2300); + return; + } + + if(b >= 2248) + { *i = 43; + *q = (b-2248); + return; + } + + offset = b&1; + b = (b-12)/2; + x = b/43; + y = (b-(x*43))%26; + *i = b-(x*43); + *q = 2*((x+26-y)%26)+offset; +} + +/* + * There are 86 vectors of P-parity, yielding a RS(26,24) code. + */ + +void GetPVector(unsigned char *frame, unsigned char *data, int n) +{ int i; + int w_idx = n+12; + + for(i=0; i<26; i++, w_idx+=86) + data[i] = frame[w_idx]; +} + +void SetPVector(unsigned char *frame, unsigned char *data, int n) +{ int i; + int w_idx = n+12; + + for(i=0; i<26; i++, w_idx+=86) + frame[w_idx] = data[i]; +} + +void FillPVector(unsigned char *frame, unsigned char data, int n) +{ int i; + int w_idx = n+12; + + for(i=0; i<26; i++, w_idx+=86) + frame[w_idx] = data; +} + +void OrPVector(unsigned char *frame, unsigned char value, int n) +{ int i; + int w_idx = n+12; + + for(i=0; i<26; i++, w_idx+=86) + frame[w_idx] |= value; +} + +void AndPVector(unsigned char *frame, unsigned char value, int n) +{ int i; + int w_idx = n+12; + + for(i=0; i<26; i++, w_idx+=86) + frame[w_idx] &= value; +} + +/* + * There are 52 vectors of Q-parity, yielding a RS(45,43) code. + */ + +void GetQVector(unsigned char *frame, unsigned char *data, int n) +{ int offset = 12 + (n & 1); + int w_idx = (n&~1) * 43; + int i; + + for(i=0; i<43; i++, w_idx+=88) + data[i] = frame[(w_idx % 2236) + offset]; + + data[43] = frame[2248 + n]; + data[44] = frame[2300 + n]; +} + +void SetQVector(unsigned char *frame, unsigned char *data, int n) +{ int offset = 12 + (n & 1); + int w_idx = (n&~1) * 43; + int i; + + for(i=0; i<43; i++, w_idx+=88) + frame[(w_idx % 2236) + offset] = data[i]; + + frame[2248 + n] = data[43]; + frame[2300 + n] = data[44]; +} + +void FillQVector(unsigned char *frame, unsigned char data, int n) +{ int offset = 12 + (n & 1); + int w_idx = (n&~1) * 43; + int i; + + for(i=0; i<43; i++, w_idx+=88) + frame[(w_idx % 2236) + offset] = data; + + frame[2248 + n] = data; + frame[2300 + n] = data; +} + +void OrQVector(unsigned char *frame, unsigned char data, int n) +{ int offset = 12 + (n & 1); + int w_idx = (n&~1) * 43; + int i; + + for(i=0; i<43; i++, w_idx+=88) + frame[(w_idx % 2236) + offset] |= data; + + frame[2248 + n] |= data; + frame[2300 + n] |= data; +} + +void AndQVector(unsigned char *frame, unsigned char data, int n) +{ int offset = 12 + (n & 1); + int w_idx = (n&~1) * 43; + int i; + + for(i=0; i<43; i++, w_idx+=88) + frame[(w_idx % 2236) + offset] &= data; + + frame[2248 + n] &= data; + frame[2300 + n] &= data; +} + +/*** + *** C2 error counting + ***/ + +int CountC2Errors(unsigned char *frame) +{ int i,count = 0; + frame += 2352; + + for(i=0; i<294; i++, frame++) + { if(*frame & 0x01) count++; + if(*frame & 0x02) count++; + if(*frame & 0x04) count++; + if(*frame & 0x08) count++; + if(*frame & 0x10) count++; + if(*frame & 0x20) count++; + if(*frame & 0x40) count++; + if(*frame & 0x80) count++; + } + + return count; +} + +/*** + *** L-EC error correction for CD raw data sectors + ***/ + +/* + * These could be used from ReedSolomonTables, + * but hardcoding them is faster. + */ + +#define NROOTS 2 +#define LEC_FIRST_ROOT 0 //GF_ALPHA0 +#define LEC_PRIM_ELEM 1 +#define LEC_PRIMTH_ROOT 1 + +/* + * Calculate the error syndrome + */ + +int DecodePQ(ReedSolomonTables *rt, unsigned char *data, int padding, + int *erasure_list, int erasure_count) +{ GaloisTables *gt = rt->gfTables; + int syndrome[NROOTS]; + int lambda[NROOTS+1]; + int omega[NROOTS+1]; + int b[NROOTS+1]; + int reg[NROOTS+1]; + int root[NROOTS]; + int loc[NROOTS]; + int syn_error; + int deg_lambda,lambda_roots; + int deg_omega; + int shortened_size = GF_FIELDMAX - padding; + int corrected = 0; + int i,j,k; + int r,el; + + /*** Form the syndromes: Evaluate data(x) at roots of g(x) */ + + for(i=0; ialphaTo[mod_fieldmax(gt->indexOf[syndrome[i]] + + (LEC_FIRST_ROOT+i)*LEC_PRIM_ELEM)]; + + /*** Convert syndrome to index form, check for nonzero condition. */ + + syn_error = 0; + for(i=0; iindexOf[syndrome[i]]; + } + + /*** If the syndrome is zero, everything is fine. */ + + if(!syn_error) + return 0; + + /*** Initialize lambda to be the erasure locator polynomial */ + + lambda[0] = 1; + lambda[1] = lambda[2] = 0; + + erasure_list[0] += padding; + erasure_list[1] += padding; + + if(erasure_count > 2) /* sanity check */ + erasure_count = 0; + + if(erasure_count > 0) + { lambda[1] = gt->alphaTo[mod_fieldmax(LEC_PRIM_ELEM*(GF_FIELDMAX-1-erasure_list[0]))]; + + for(i=1; i0; j--) + { int tmp = gt->indexOf[lambda[j-1]]; + + if(tmp != GF_ALPHA0) + lambda[j] ^= gt->alphaTo[mod_fieldmax(u + tmp)]; + } + } + } + + for(i=0; iindexOf[lambda[i]]; + + /*** Berlekamp-Massey algorithm to determine error+erasure locator polynomial */ + + r = erasure_count; /* r is the step number */ + el = erasure_count; + + /* Compute discrepancy at the r-th step in poly-form */ + + while(++r <= NROOTS) + { int discr_r = 0; + + for(i=0; ialphaTo[mod_fieldmax(gt->indexOf[lambda[i]] + syndrome[r-i-1])]; + + discr_r = gt->indexOf[discr_r]; + + if(discr_r == GF_ALPHA0) + { /* B(x) = x*B(x) */ + memmove(b+1, b, NROOTS*sizeof(b[0])); + b[0] = GF_ALPHA0; + } + else + { int t[NROOTS+1]; + + /* T(x) = lambda(x) - discr_r*x*b(x) */ + t[0] = lambda[0]; + for(i=0; ialphaTo[mod_fieldmax(discr_r + b[i])]; + else t[i+1] = lambda[i+1]; + } + + if(2*el <= r+erasure_count-1) + { el = r + erasure_count - el; + + /* B(x) <-- inv(discr_r) * lambda(x) */ + for(i=0; i<=NROOTS; i++) + b[i] = (lambda[i] == 0) ? GF_ALPHA0 + : mod_fieldmax(gt->indexOf[lambda[i]] - discr_r + GF_FIELDMAX); + } + else + { /* 2 lines below: B(x) <-- x*B(x) */ + memmove(b+1, b, NROOTS*sizeof(b[0])); + b[0] = GF_ALPHA0; + } + + memcpy(lambda, t, (NROOTS+1)*sizeof(t[0])); + } + } + + /*** Convert lambda to index form and compute deg(lambda(x)) */ + + deg_lambda = 0; + for(i=0; iindexOf[lambda[i]]; + if(lambda[i] != GF_ALPHA0) + deg_lambda = i; + } + + /*** Find roots of the error+erasure locator polynomial by Chien search */ + + memcpy(reg+1, lambda+1, NROOTS*sizeof(reg[0])); + lambda_roots = 0; /* Number of roots of lambda(x) */ + + for(i=1, k=LEC_PRIMTH_ROOT-1; i<=GF_FIELDMAX; i++, k=mod_fieldmax(k+LEC_PRIMTH_ROOT)) + { int q=1; /* lambda[0] is always 0 */ + + for(j=deg_lambda; j>0; j--) + { if(reg[j] != GF_ALPHA0) + { reg[j] = mod_fieldmax(reg[j] + j); + q ^= gt->alphaTo[reg[j]]; + } + } + + if(q != 0) continue; /* Not a root */ + + /* store root in index-form and the error location number */ + + root[lambda_roots] = i; + loc[lambda_roots] = k; + + /* If we've already found max possible roots, abort the search to save time */ + + if(++lambda_roots == deg_lambda) break; + } + + /* deg(lambda) unequal to number of roots => uncorrectable error detected + This is not reliable for very small numbers of roots, e.g. nroots = 2 */ + + if(deg_lambda != lambda_roots) + { return -1; + } + + /* Compute err+eras evaluator poly omega(x) = syn(x)*lambda(x) + (modulo x**nroots). in index form. Also find deg(omega). */ + + deg_omega = deg_lambda-1; + + for(i=0; i<=deg_omega; i++) + { int tmp = 0; + + for(j=i; j>=0; j--) + { if((syndrome[i - j] != GF_ALPHA0) && (lambda[j] != GF_ALPHA0)) + tmp ^= gt->alphaTo[mod_fieldmax(syndrome[i - j] + lambda[j])]; + } + + omega[i] = gt->indexOf[tmp]; + } + + /* Compute error values in poly-form. + num1 = omega(inv(X(l))), + num2 = inv(X(l))**(FIRST_ROOT-1) and + den = lambda_pr(inv(X(l))) all in poly-form. */ + + for(j=lambda_roots-1; j>=0; j--) + { int num1 = 0; + int num2; + int den; + int location = loc[j]; + + for(i=deg_omega; i>=0; i--) + { if(omega[i] != GF_ALPHA0) + num1 ^= gt->alphaTo[mod_fieldmax(omega[i] + i * root[j])]; + } + + num2 = gt->alphaTo[mod_fieldmax(root[j] * (LEC_FIRST_ROOT - 1) + GF_FIELDMAX)]; + den = 0; + + /* lambda[i+1] for i even is the formal derivative lambda_pr of lambda[i] */ + + for(i=MIN(deg_lambda, NROOTS-1) & ~1; i>=0; i-=2) + { if(lambda[i+1] != GF_ALPHA0) + den ^= gt->alphaTo[mod_fieldmax(lambda[i+1] + i * root[j])]; + } + + /* Apply error to data */ + + if(num1 != 0 && location >= padding) + { + corrected++; + data[location-padding] ^= gt->alphaTo[mod_fieldmax(gt->indexOf[num1] + gt->indexOf[num2] + + GF_FIELDMAX - gt->indexOf[den])]; + + /* If no erasures were given, at most one error was corrected. + Return its position in erasure_list[0]. */ + + if(!erasure_count) + erasure_list[0] = location-padding; + } +#if 1 + else return -3; +#endif + } + + /*** Form the syndromes: Evaluate data(x) at roots of g(x) */ + + for(i=0; ialphaTo[mod_fieldmax(gt->indexOf[syndrome[i]] + + (LEC_FIRST_ROOT+i)*LEC_PRIM_ELEM)]; + } + + /*** Convert syndrome to index form, check for nonzero condition. */ +#if 1 + for(i=0; i + * + * This program is free software; you can redistribute it and/or modify + * it under the terms of the GNU General Public License as published by + * the Free Software Foundation; either version 2 of the License, or + * (at your option) any later version. + * + * This program is distributed in the hope that it will be useful, + * but WITHOUT ANY WARRANTY; without even the implied warranty of + * MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the + * GNU General Public License for more details. + * + * You should have received a copy of the GNU General Public License + * along with this program; if not, write to the Free Software + * Foundation, Inc., 675 Mass Ave, Cambridge, MA 02139, USA. + */ + +#ifdef HAVE_CONFIG_H +#include +#endif + +#include +#include + +#include "lec.h" + +#define GF8_PRIM_POLY 0x11d /* x^8 + x^4 + x^3 + x^2 + 1 */ + +#define EDC_POLY 0x8001801b /* (x^16 + x^15 + x^2 + 1) (x^16 + x^2 + x + 1) */ + +#define LEC_HEADER_OFFSET 12 +#define LEC_DATA_OFFSET 16 +#define LEC_MODE1_DATA_LEN 2048 +#define LEC_MODE1_EDC_OFFSET 2064 +#define LEC_MODE1_INTERMEDIATE_OFFSET 2068 +#define LEC_MODE1_P_PARITY_OFFSET 2076 +#define LEC_MODE1_Q_PARITY_OFFSET 2248 +#define LEC_MODE2_FORM1_DATA_LEN (2048+8) +#define LEC_MODE2_FORM1_EDC_OFFSET 2072 +#define LEC_MODE2_FORM2_DATA_LEN (2324+8) +#define LEC_MODE2_FORM2_EDC_OFFSET 2348 + + +typedef u_int8_t gf8_t; + +static u_int8_t GF8_LOG[256]; +static gf8_t GF8_ILOG[256]; + +static const class Gf8_Q_Coeffs_Results_01 { +private: + u_int16_t table[43][256]; +public: + Gf8_Q_Coeffs_Results_01(); + ~Gf8_Q_Coeffs_Results_01() {} + const u_int16_t *operator[] (int i) const { return &table[i][0]; } + operator const u_int16_t *() const { return &table[0][0]; } +} CF8_Q_COEFFS_RESULTS_01; + +static const class CrcTable { +private: + u_int32_t table[256]; +public: + CrcTable(); + ~CrcTable() {} + u_int32_t operator[](int i) const { return table[i]; } + operator const u_int32_t *() const { return table; } +} CRCTABLE; + +static const class ScrambleTable { +private: + u_int8_t table[2340]; +public: + ScrambleTable(); + ~ScrambleTable() {} + u_int8_t operator[](int i) const { return table[i]; } + operator const u_int8_t *() const { return table; } +} SCRAMBLE_TABLE; + +/* Creates the logarithm and inverse logarithm table that is required + * for performing multiplication in the GF(8) domain. + */ +static void gf8_create_log_tables() +{ + u_int8_t log; + u_int16_t b; + + for (b = 0; b <= 255; b++) { + GF8_LOG[b] = 0; + GF8_ILOG[b] = 0; + } + + b = 1; + + for (log = 0; log < 255; log++) { + GF8_LOG[(u_int8_t)b] = log; + GF8_ILOG[log] = (u_int8_t)b; + + b <<= 1; + + if ((b & 0x100) != 0) + b ^= GF8_PRIM_POLY; + } +} + +/* Addition in the GF(8) domain: just the XOR of the values. + */ +#define gf8_add(a, b) (a) ^ (b) + + +/* Multiplication in the GF(8) domain: add the logarithms (modulo 255) + * and return the inverse logarithm. Not used! + */ +#if 0 +static gf8_t gf8_mult(gf8_t a, gf8_t b) +{ + int16_t sum; + + if (a == 0 || b == 0) + return 0; + + sum = GF8_LOG[a] + GF8_LOG[b]; + + if (sum >= 255) + sum -= 255; + + return GF8_ILOG[sum]; +} +#endif + +/* Division in the GF(8) domain: Like multiplication but logarithms a + * subtracted. + */ +static gf8_t gf8_div(gf8_t a, gf8_t b) +{ + int16_t sum; + + assert(b != 0); + + if (a == 0) + return 0; + + sum = GF8_LOG[a] - GF8_LOG[b]; + + if (sum < 0) + sum += 255; + + return GF8_ILOG[sum]; +} + +Gf8_Q_Coeffs_Results_01::Gf8_Q_Coeffs_Results_01() +{ + int i, j; + u_int16_t c; + gf8_t GF8_COEFFS_HELP[2][45]; + u_int8_t GF8_Q_COEFFS[2][45]; + + + gf8_create_log_tables(); + + /* build matrix H: + * 1 1 ... 1 1 + * a^44 a^43 ... a^1 a^0 + * + * + */ + + for (j = 0; j < 45; j++) { + GF8_COEFFS_HELP[0][j] = 1; /* e0 */ + GF8_COEFFS_HELP[1][j] = GF8_ILOG[44-j]; /* e1 */ + } + + + /* resolve equation system for parity byte 0 and 1 */ + + /* e1' = e1 + e0 */ + for (j = 0; j < 45; j++) { + GF8_Q_COEFFS[1][j] = gf8_add(GF8_COEFFS_HELP[1][j], + GF8_COEFFS_HELP[0][j]); + } + + /* e1'' = e1' / (a^1 + 1) */ + for (j = 0; j < 45; j++) { + GF8_Q_COEFFS[1][j] = gf8_div(GF8_Q_COEFFS[1][j], GF8_Q_COEFFS[1][43]); + } + + /* e0' = e0 + e1 / a^1 */ + for (j = 0; j < 45; j++) { + GF8_Q_COEFFS[0][j] = gf8_add(GF8_COEFFS_HELP[0][j], + gf8_div(GF8_COEFFS_HELP[1][j], + GF8_ILOG[1])); + } + + /* e0'' = e0' / (1 + 1 / a^1) */ + for (j = 0; j < 45; j++) { + GF8_Q_COEFFS[0][j] = gf8_div(GF8_Q_COEFFS[0][j], GF8_Q_COEFFS[0][44]); + } + + /* + * Compute the products of 0..255 with all of the Q coefficients in + * advance. When building the scalar product between the data vectors + * and the P/Q vectors the individual products can be looked up in + * this table + * + * The P parity coefficients are just a subset of the Q coefficients so + * that we do not need to create a separate table for them. + */ + + for (j = 0; j < 43; j++) { + + table[j][0] = 0; + + for (i = 1; i < 256; i++) { + c = GF8_LOG[i] + GF8_LOG[GF8_Q_COEFFS[0][j]]; + if (c >= 255) c -= 255; + table[j][i] = GF8_ILOG[c]; + + c = GF8_LOG[i] + GF8_LOG[GF8_Q_COEFFS[1][j]]; + if (c >= 255) c -= 255; + table[j][i] |= GF8_ILOG[c]<<8; + } + } +} + +/* Reverses the bits in 'd'. 'bits' defines the bit width of 'd'. + */ +static u_int32_t mirror_bits(u_int32_t d, int bits) +{ + int i; + u_int32_t r = 0; + + for (i = 0; i < bits; i++) { + r <<= 1; + + if ((d & 0x1) != 0) + r |= 0x1; + + d >>= 1; + } + + return r; +} + +/* Build the CRC lookup table for EDC_POLY poly. The CRC is 32 bit wide + * and reversed (i.e. the bit stream is divided by the EDC_POLY with the + * LSB first order). + */ +CrcTable::CrcTable () +{ + u_int32_t i, j; + u_int32_t r; + + for (i = 0; i < 256; i++) { + r = mirror_bits(i, 8); + + r <<= 24; + + for (j = 0; j < 8; j++) { + if ((r & 0x80000000) != 0) { + r <<= 1; + r ^= EDC_POLY; + } + else { + r <<= 1; + } + } + + r = mirror_bits(r, 32); + + table[i] = r; + } +} + +/* Calculates the CRC of given data with given lengths based on the + * table lookup algorithm. + */ +static u_int32_t calc_edc(u_int8_t *data, int len) +{ + u_int32_t crc = 0; + + while (len--) { + crc = CRCTABLE[(int)(crc ^ *data++) & 0xff] ^ (crc >> 8); + } + + return crc; +} + +/* Build the scramble table as defined in the yellow book. The bytes + 12 to 2351 of a sector will be XORed with the data of this table. + */ +ScrambleTable::ScrambleTable() +{ + u_int16_t i, j; + u_int16_t reg = 1; + u_int8_t d; + + for (i = 0; i < 2340; i++) { + d = 0; + + for (j = 0; j < 8; j++) { + d >>= 1; + + if ((reg & 0x1) != 0) + d |= 0x80; + + if ((reg & 0x1) != ((reg >> 1) & 0x1)) { + reg >>= 1; + reg |= 0x4000; /* 15-bit register */ + } + else { + reg >>= 1; + } + } + + table[i] = d; + } +} + +/* Calc EDC for a MODE 1 sector + */ +static void calc_mode1_edc(u_int8_t *sector) +{ + u_int32_t crc = calc_edc(sector, LEC_MODE1_DATA_LEN + 16); + + sector[LEC_MODE1_EDC_OFFSET] = crc & 0xffL; + sector[LEC_MODE1_EDC_OFFSET + 1] = (crc >> 8) & 0xffL; + sector[LEC_MODE1_EDC_OFFSET + 2] = (crc >> 16) & 0xffL; + sector[LEC_MODE1_EDC_OFFSET + 3] = (crc >> 24) & 0xffL; +} + +/* Calc EDC for a XA form 1 sector + */ +static void calc_mode2_form1_edc(u_int8_t *sector) +{ + u_int32_t crc = calc_edc(sector + LEC_DATA_OFFSET, + LEC_MODE2_FORM1_DATA_LEN); + + sector[LEC_MODE2_FORM1_EDC_OFFSET] = crc & 0xffL; + sector[LEC_MODE2_FORM1_EDC_OFFSET + 1] = (crc >> 8) & 0xffL; + sector[LEC_MODE2_FORM1_EDC_OFFSET + 2] = (crc >> 16) & 0xffL; + sector[LEC_MODE2_FORM1_EDC_OFFSET + 3] = (crc >> 24) & 0xffL; +} + +/* Calc EDC for a XA form 2 sector + */ +static void calc_mode2_form2_edc(u_int8_t *sector) +{ + u_int32_t crc = calc_edc(sector + LEC_DATA_OFFSET, + LEC_MODE2_FORM2_DATA_LEN); + + sector[LEC_MODE2_FORM2_EDC_OFFSET] = crc & 0xffL; + sector[LEC_MODE2_FORM2_EDC_OFFSET + 1] = (crc >> 8) & 0xffL; + sector[LEC_MODE2_FORM2_EDC_OFFSET + 2] = (crc >> 16) & 0xffL; + sector[LEC_MODE2_FORM2_EDC_OFFSET + 3] = (crc >> 24) & 0xffL; +} + +/* Writes the sync pattern to the given sector. + */ +static void set_sync_pattern(u_int8_t *sector) +{ + sector[0] = 0; + + sector[1] = sector[2] = sector[3] = sector[4] = sector[5] = + sector[6] = sector[7] = sector[8] = sector[9] = sector[10] = 0xff; + + sector[11] = 0; +} + + +static u_int8_t bin2bcd(u_int8_t b) +{ + return (((b/10) << 4) & 0xf0) | ((b%10) & 0x0f); +} + +/* Builds the sector header. + */ +static void set_sector_header(u_int8_t mode, u_int32_t adr, u_int8_t *sector) +{ + sector[LEC_HEADER_OFFSET] = bin2bcd(adr / (60*75)); + sector[LEC_HEADER_OFFSET + 1] = bin2bcd((adr / 75) % 60); + sector[LEC_HEADER_OFFSET + 2] = bin2bcd(adr % 75); + sector[LEC_HEADER_OFFSET + 3] = mode; +} + +/* Calculate the P parities for the sector. + * The 43 P vectors of length 24 are combined with the GF8_P_COEFFS. + */ +static void calc_P_parity(u_int8_t *sector) +{ + int i, j; + u_int16_t p01_msb, p01_lsb; + u_int8_t *p_lsb_start; + u_int8_t *p_lsb; + u_int8_t *p0, *p1; + u_int8_t d0,d1; + + p_lsb_start = sector + LEC_HEADER_OFFSET; + + p1 = sector + LEC_MODE1_P_PARITY_OFFSET; + p0 = sector + LEC_MODE1_P_PARITY_OFFSET + 2 * 43; + + for (i = 0; i <= 42; i++) { + p_lsb = p_lsb_start; + + p01_lsb = p01_msb = 0; + + for (j = 19; j <= 42; j++) { + d0 = *p_lsb; + d1 = *(p_lsb+1); + + p01_lsb ^= CF8_Q_COEFFS_RESULTS_01[j][d0]; + p01_msb ^= CF8_Q_COEFFS_RESULTS_01[j][d1]; + + p_lsb += 2 * 43; + } + + *p0 = p01_lsb; + *(p0 + 1) = p01_msb; + + *p1 = p01_lsb>>8; + *(p1 + 1) = p01_msb>>8; + + p0 += 2; + p1 += 2; + + p_lsb_start += 2; + } +} + +/* Calculate the Q parities for the sector. + * The 26 Q vectors of length 43 are combined with the GF8_Q_COEFFS. + */ +static void calc_Q_parity(u_int8_t *sector) +{ + int i, j; + u_int16_t q01_lsb, q01_msb; + u_int8_t *q_lsb_start; + u_int8_t *q_lsb; + u_int8_t *q0, *q1, *q_start; + u_int8_t d0,d1; + + q_lsb_start = sector + LEC_HEADER_OFFSET; + + q_start = sector + LEC_MODE1_Q_PARITY_OFFSET; + q1 = sector + LEC_MODE1_Q_PARITY_OFFSET; + q0 = sector + LEC_MODE1_Q_PARITY_OFFSET + 2 * 26; + + for (i = 0; i <= 25; i++) { + q_lsb = q_lsb_start; + + q01_lsb = q01_msb = 0; + + for (j = 0; j <= 42; j++) { + d0 = *q_lsb; + d1 = *(q_lsb+1); + + q01_lsb ^= CF8_Q_COEFFS_RESULTS_01[j][d0]; + q01_msb ^= CF8_Q_COEFFS_RESULTS_01[j][d1]; + + q_lsb += 2 * 44; + + if (q_lsb >= q_start) { + q_lsb -= 2 * 1118; + } + } + + *q0 = q01_lsb; + *(q0 + 1) = q01_msb; + + *q1 = q01_lsb>>8; + *(q1 + 1) = q01_msb>>8; + + q0 += 2; + q1 += 2; + + q_lsb_start += 2 * 43; + } +} + +/* Encodes a MODE 0 sector. + * 'adr' is the current physical sector address + * 'sector' must be 2352 byte wide + */ +void lec_encode_mode0_sector(u_int32_t adr, u_int8_t *sector) +{ + u_int16_t i; + + set_sync_pattern(sector); + set_sector_header(0, adr, sector); + + sector += 16; + + for (i = 0; i < 2336; i++) + *sector++ = 0; +} + +/* Encodes a MODE 1 sector. + * 'adr' is the current physical sector address + * 'sector' must be 2352 byte wide containing 2048 bytes user data at + * offset 16 + */ +void lec_encode_mode1_sector(u_int32_t adr, u_int8_t *sector) +{ + set_sync_pattern(sector); + set_sector_header(1, adr, sector); + + calc_mode1_edc(sector); + + /* clear the intermediate field */ + sector[LEC_MODE1_INTERMEDIATE_OFFSET] = + sector[LEC_MODE1_INTERMEDIATE_OFFSET + 1] = + sector[LEC_MODE1_INTERMEDIATE_OFFSET + 2] = + sector[LEC_MODE1_INTERMEDIATE_OFFSET + 3] = + sector[LEC_MODE1_INTERMEDIATE_OFFSET + 4] = + sector[LEC_MODE1_INTERMEDIATE_OFFSET + 5] = + sector[LEC_MODE1_INTERMEDIATE_OFFSET + 6] = + sector[LEC_MODE1_INTERMEDIATE_OFFSET + 7] = 0; + + calc_P_parity(sector); + calc_Q_parity(sector); +} + +/* Encodes a MODE 2 sector. + * 'adr' is the current physical sector address + * 'sector' must be 2352 byte wide containing 2336 bytes user data at + * offset 16 + */ +void lec_encode_mode2_sector(u_int32_t adr, u_int8_t *sector) +{ + set_sync_pattern(sector); + set_sector_header(2, adr, sector); +} + +/* Encodes a XA form 1 sector. + * 'adr' is the current physical sector address + * 'sector' must be 2352 byte wide containing 2048+8 bytes user data at + * offset 16 + */ +void lec_encode_mode2_form1_sector(u_int32_t adr, u_int8_t *sector) +{ + set_sync_pattern(sector); + + calc_mode2_form1_edc(sector); + + /* P/Q partiy must not contain the sector header so clear it */ + sector[LEC_HEADER_OFFSET] = + sector[LEC_HEADER_OFFSET + 1] = + sector[LEC_HEADER_OFFSET + 2] = + sector[LEC_HEADER_OFFSET + 3] = 0; + + calc_P_parity(sector); + calc_Q_parity(sector); + + /* finally add the sector header */ + set_sector_header(2, adr, sector); +} + +/* Encodes a XA form 2 sector. + * 'adr' is the current physical sector address + * 'sector' must be 2352 byte wide containing 2324+8 bytes user data at + * offset 16 + */ +void lec_encode_mode2_form2_sector(u_int32_t adr, u_int8_t *sector) +{ + set_sync_pattern(sector); + + calc_mode2_form2_edc(sector); + + set_sector_header(2, adr, sector); +} + +/* Scrambles and byte swaps an encoded sector. + * 'sector' must be 2352 byte wide. + */ +void lec_scramble(u_int8_t *sector) +{ + u_int16_t i; + const u_int8_t *stable = SCRAMBLE_TABLE; + u_int8_t *p = sector; + u_int8_t tmp; + + + for (i = 0; i < 6; i++) { + /* just swap bytes of sector sync */ + tmp = *p; + *p = *(p + 1); + p++; + *p++ = tmp; + } + for (;i < (2352 / 2); i++) { + /* scramble and swap bytes */ + tmp = *p ^ *stable++; + *p = *(p + 1) ^ *stable++; + p++; + *p++ = tmp; + } +} + +#if 0 +#include +#include +#include +#include + +int main(int argc, char **argv) +{ + char *infile; + char *outfile; + int fd_in, fd_out; + u_int8_t buffer1[2352]; + u_int8_t buffer2[2352]; + u_int32_t lba; + int i; + +#if 0 + for (i = 0; i < 2048; i++) + buffer1[i + 16] = 234; + + lba = 150; + + for (i = 0; i < 100000; i++) { + lec_encode_mode1_sector(lba, buffer1); + lec_scramble(buffer2); + lba++; + } + +#else + + if (argc != 3) + return 1; + + infile = argv[1]; + outfile = argv[2]; + + + if ((fd_in = open(infile, O_RDONLY)) < 0) { + perror("Cannot open input file"); + return 1; + } + + if ((fd_out = open(outfile, O_WRONLY|O_CREAT|O_TRUNC, 0666)) < 0) { + perror("Cannot open output file"); + return 1; + } + + lba = 150; + + do { + if (read(fd_in, buffer1, 2352) != 2352) + break; + + switch (*(buffer1 + 12 + 3)) { + case 1: + memcpy(buffer2 + 16, buffer1 + 16, 2048); + + lec_encode_mode1_sector(lba, buffer2); + break; + + case 2: + if ((*(buffer1 + 12 + 4 + 2) & 0x20) != 0) { + /* form 2 sector */ + memcpy(buffer2 + 16, buffer1 + 16, 2324 + 8); + lec_encode_mode2_form2_sector(lba, buffer2); + } + else { + /* form 1 sector */ + memcpy(buffer2 + 16, buffer1 + 16, 2048 + 8); + lec_encode_mode2_form1_sector(lba, buffer2); + } + break; + } + + if (memcmp(buffer1, buffer2, 2352) != 0) { + printf("Verify error at lba %ld\n", lba); + } + + lec_scramble(buffer2); + write(fd_out, buffer2, 2352); + + lba++; + } while (1); + + close(fd_in); + close(fd_out); + +#endif + + return 0; +} +#endif diff --git a/psx/octoshock/cdrom/lec.h b/psx/octoshock/cdrom/lec.h new file mode 100644 index 0000000000..c5e874c3f3 --- /dev/null +++ b/psx/octoshock/cdrom/lec.h @@ -0,0 +1,77 @@ +/* cdrdao - write audio CD-Rs in disc-at-once mode + * + * Copyright (C) 1998-2002 Andreas Mueller + * + * This program is free software; you can redistribute it and/or modify + * it under the terms of the GNU General Public License as published by + * the Free Software Foundation; either version 2 of the License, or + * (at your option) any later version. + * + * This program is distributed in the hope that it will be useful, + * but WITHOUT ANY WARRANTY; without even the implied warranty of + * MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the + * GNU General Public License for more details. + * + * You should have received a copy of the GNU General Public License + * along with this program; if not, write to the Free Software + * Foundation, Inc., 675 Mass Ave, Cambridge, MA 02139, USA. + */ + +#ifndef __LEC_H__ +#define __LEC_H__ + +#ifdef HAVE_CONFIG_H +#include +#endif + +#include +#include + +typedef uint32_t u_int32_t; +typedef uint16_t u_int16_t; +typedef uint8_t u_int8_t; + +#ifndef TRUE +#define TRUE 1 +#endif + +/* Encodes a MODE 0 sector. + * 'adr' is the current physical sector address + * 'sector' must be 2352 byte wide + */ +void lec_encode_mode0_sector(u_int32_t adr, u_int8_t *sector); + +/* Encodes a MODE 1 sector. + * 'adr' is the current physical sector address + * 'sector' must be 2352 byte wide containing 2048 bytes user data at + * offset 16 + */ +void lec_encode_mode1_sector(u_int32_t adr, u_int8_t *sector); + +/* Encodes a MODE 2 sector. + * 'adr' is the current physical sector address + * 'sector' must be 2352 byte wide containing 2336 bytes user data at + * offset 16 + */ +void lec_encode_mode2_sector(u_int32_t adr, u_int8_t *sector); + +/* Encodes a XA form 1 sector. + * 'adr' is the current physical sector address + * 'sector' must be 2352 byte wide containing 2048+8 bytes user data at + * offset 16 + */ +void lec_encode_mode2_form1_sector(u_int32_t adr, u_int8_t *sector); + +/* Encodes a XA form 2 sector. + * 'adr' is the current physical sector address + * 'sector' must be 2352 byte wide containing 2324+8 bytes user data at + * offset 16 + */ +void lec_encode_mode2_form2_sector(u_int32_t adr, u_int8_t *sector); + +/* Scrambles and byte swaps an encoded sector. + * 'sector' must be 2352 byte wide. + */ +void lec_scramble(u_int8_t *sector); + +#endif diff --git a/psx/octoshock/cdrom/recover-raw.cpp b/psx/octoshock/cdrom/recover-raw.cpp new file mode 100644 index 0000000000..78be2e2a54 --- /dev/null +++ b/psx/octoshock/cdrom/recover-raw.cpp @@ -0,0 +1,203 @@ +/* dvdisaster: Additional error correction for optical media. + * Copyright (C) 2004-2007 Carsten Gnoerlich. + * Project home page: http://www.dvdisaster.com + * Email: carsten@dvdisaster.com -or- cgnoerlich@fsfe.org + * + * This program is free software; you can redistribute it and/or modify + * it under the terms of the GNU General Public License as published by + * the Free Software Foundation; either version 2 of the License, or + * (at your option) any later version. + * + * This program is distributed in the hope that it will be useful, + * but WITHOUT ANY WARRANTY; without even the implied warranty of + * MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the + * GNU General Public License for more details. + * + * You should have received a copy of the GNU General Public License + * along with this program; if not, write to the Free Software + * Foundation, Inc., 59 Temple Place, Suite 330, Boston, MA 02111-1307 USA, + * or direct your browser at http://www.gnu.org. + */ + +#include "dvdisaster.h" + +static GaloisTables *gt = NULL; /* for L-EC Reed-Solomon */ +static ReedSolomonTables *rt = NULL; + +bool Init_LEC_Correct(void) +{ + gt = CreateGaloisTables(0x11d); + rt = CreateReedSolomonTables(gt, 0, 1, 10); + + return(1); +} + +void Kill_LEC_Correct(void) +{ + FreeGaloisTables(gt); + FreeReedSolomonTables(rt); +} + +/*** + *** CD level CRC calculation + ***/ + +/* + * Test raw sector against its 32bit CRC. + * Returns TRUE if frame is good. + */ + +int CheckEDC(const unsigned char *cd_frame, bool xa_mode) +{ + unsigned int expected_crc, real_crc; + unsigned int crc_base = xa_mode ? 2072 : 2064; + + expected_crc = cd_frame[crc_base + 0] << 0; + expected_crc |= cd_frame[crc_base + 1] << 8; + expected_crc |= cd_frame[crc_base + 2] << 16; + expected_crc |= cd_frame[crc_base + 3] << 24; + + if(xa_mode) + real_crc = EDCCrc32(cd_frame+16, 2056); + else + real_crc = EDCCrc32(cd_frame, 2064); + + if(expected_crc == real_crc) + return(1); + else + { + //printf("Bad EDC CRC: Calculated: %08x, Recorded: %08x\n", real_crc, expected_crc); + return(0); + } +} + +/*** + *** A very simple L-EC error correction. + *** + * Perform just one pass over the Q and P vectors to see if everything + * is okay respectively correct minor errors. This is pretty much the + * same stuff the drive is supposed to do in the final L-EC stage. + */ + +static int simple_lec(unsigned char *frame) +{ + unsigned char byte_state[2352]; + unsigned char p_vector[P_VECTOR_SIZE]; + unsigned char q_vector[Q_VECTOR_SIZE]; + unsigned char p_state[P_VECTOR_SIZE]; + int erasures[Q_VECTOR_SIZE], erasure_count; + int ignore[2]; + int p_failures, q_failures; + int p_corrected, q_corrected; + int p,q; + + /* Setup */ + + memset(byte_state, 0, 2352); + + p_failures = q_failures = 0; + p_corrected = q_corrected = 0; + + /* Perform Q-Parity error correction */ + + for(q=0; q 2) + { GetPVector(byte_state, p_state, p); + erasure_count = 0; + + for(i=0; i 0 && erasure_count <= 2) + { GetPVector(frame, p_vector, p); + err = DecodePQ(rt, p_vector, P_PADDING, erasures, erasure_count); + } + } + + /* See what we've got */ + + if(err < 0) /* Uncorrectable. */ + { p_failures++; + } + else /* Correctable. */ + { if(err == 1 || err == 2) /* Store back corrected vector */ + { SetPVector(frame, p_vector, p); + p_corrected++; + } + } + } + + /* Sum up */ + + if(q_failures || p_failures || q_corrected || p_corrected) + { + return 1; + } + + return 0; +} + +/*** + *** Validate CD raw sector + ***/ + +int ValidateRawSector(unsigned char *frame, bool xaMode) +{ + int lec_did_sth = FALSE_0; + + /* Do simple L-EC. + It seems that drives stop their internal L-EC as soon as the + EDC is okay, so we may see uncorrected errors in the parity bytes. + Since we are also interested in the user data only and doing the + L-EC is expensive, we skip our L-EC as well when the EDC is fine. */ + + if(!CheckEDC(frame, xaMode)) + { + lec_did_sth = simple_lec(frame); + } + /* Test internal sector checksum again */ + + if(!CheckEDC(frame, xaMode)) + { + /* EDC failure in RAW sector */ + return FALSE_0; + } + + return TRUE_1; +} + diff --git a/psx/octoshock/docs/upstreaminfo.txt b/psx/octoshock/docs/upstreaminfo.txt index 3f712fbb20..ac6a0b6e72 100644 --- a/psx/octoshock/docs/upstreaminfo.txt +++ b/psx/octoshock/docs/upstreaminfo.txt @@ -78,4 +78,14 @@ 0.9.38.4 -> 0.9.38.5 [OK] psx/cdc : substantial changes to disc swapping and seek retries [OK] psx/gpu : change to comments -[OK] psx/memcard : change to debug output \ No newline at end of file +[OK] psx/memcard : change to debug output +0.9.38.4 -> 0.9.38.6 +[OK] psx/gpu & gpu_sprite : Fixed GPU emulation timing bugs that caused graphical glitches in "Mr. Driller G". +0.9.38.5 -> 0.9.38.7 +[OK] psx/cpu : Revisions to exception handling +[OK] psx/cpu : Many revisions and cleanups to branch and exception handling in opcode implementations +[OK] psx/dis : Just some basic disassembly changes +[OK] psx/gte : Cleanup +[OK] psx/psx : Cleanup +[OK] psx/timer : Major functional changes +[NO] psx/timer : Added loadstate sanity checks \ No newline at end of file diff --git a/psx/octoshock/psx/cdc.cpp b/psx/octoshock/psx/cdc.cpp index d0935f2e0c..d3f05a9a4d 100644 --- a/psx/octoshock/psx/cdc.cpp +++ b/psx/octoshock/psx/cdc.cpp @@ -63,6 +63,7 @@ PS_CDC::PS_CDC() : DMABuffer(4096) IsPSXDisc = false; Cur_disc = NULL; Open_disc = NULL; + EnableLEC = false; DriveStatus = DS_STOPPED; PendingCommandPhase = 0; @@ -1016,11 +1017,14 @@ void PS_CDC::HandlePlayRead(void) // maybe if(!(Mode & 0x30)) too? if(!(buf[12 + 6] & 0x20)) { - #ifdef LEC_CHECK - if(!edc_lec_check_and_correct(buf, true)) - { - printf("Bad sector? - %d", CurSector); - } + #ifdef WANT_LEC_CHECK + if (EnableLEC) + { + if (!edc_lec_check_and_correct(buf, true)) + { + printf("Bad sector? - %d", CurSector); + } + } #endif } diff --git a/psx/octoshock/psx/cdc.h b/psx/octoshock/psx/cdc.h index 6566fecc75..99489fa0a5 100644 --- a/psx/octoshock/psx/cdc.h +++ b/psx/octoshock/psx/cdc.h @@ -46,10 +46,12 @@ class PS_CDC void SoftReset(void); void GetCDAudio(int32 samples[2]); + void SetLEC(bool enable) { EnableLEC = enable; } private: CDIF *Cur_CDIF; ShockDiscRef* Cur_disc; + bool EnableLEC; bool TrayOpen; ShockDiscRef* Open_disc; //the disc that's in the tray, while the tray is open. pending, kind of. used because Cur_disc != NULL is used as a tray-closed marker in the CDC code diff --git a/psx/octoshock/psx/cpu.cpp b/psx/octoshock/psx/cpu.cpp index c7c20ec732..4be2a6699e 100644 --- a/psx/octoshock/psx/cpu.cpp +++ b/psx/octoshock/psx/cpu.cpp @@ -20,6 +20,12 @@ #include "cpu.h" #include "math_ops.h" +#if 0 +#define EXP_ILL_CHECK(n) {n;} +#else +#define EXP_ILL_CHECK(n) {} +#endif + //not very organized, is it void* g_ShockTraceCallbackOpaque = NULL; ShockCallback_Trace g_ShockTraceCallback = NULL; @@ -360,43 +366,54 @@ INLINE void PS_CPU::WriteMemory(pscpu_timestamp_t ×tamp, uint32 address, ui } } -uint32 PS_CPU::Exception(uint32 code, uint32 PC, const uint32 NPM) -{ - const bool InBDSlot = !(NPM & 0x3); - uint32 handler = 0x80000080; - - assert(code < 16); - - if(code != EXCEPTION_INT && code != EXCEPTION_BP && code != EXCEPTION_SYSCALL) - { - PSX_DBG(PSX_DBG_WARNING, "Exception: %08x @ PC=0x%08x(IBDS=%d) -- IPCache=0x%02x -- IPEND=0x%02x -- SR=0x%08x ; IRQC_Status=0x%04x -- IRQC_Mask=0x%04x\n", code, PC, InBDSlot, IPCache, (CP0.CAUSE >> 8) & 0xFF, CP0.SR, - IRQ_GetRegister(IRQ_GSREG_STATUS, NULL, 0), IRQ_GetRegister(IRQ_GSREG_MASK, NULL, 0)); - } - - if(CP0.SR & (1 << 22)) // BEV - handler = 0xBFC00180; - - CP0.EPC = PC; - if(InBDSlot) - CP0.EPC -= 4; - - if(ADDBT) - ADDBT(PC, handler, true); - - // "Push" IEc and KUc(so that the new IEc and KUc are 0) - CP0.SR = (CP0.SR & ~0x3F) | ((CP0.SR << 2) & 0x3F); - - // Setup cause register - CP0.CAUSE &= 0x0000FF00; - CP0.CAUSE |= code << 2; - - // If EPC was adjusted -= 4 because we were in a branch delay slot, set the bit. - if(InBDSlot) - CP0.CAUSE |= 0x80000000; - - RecalcIPCache(); - - return(handler); + +uint32 NO_INLINE PS_CPU::Exception(uint32 code, uint32 PC, const uint32 NP, const uint32 NPM, const uint32 instr) +{ + const bool AfterBranchInstr = !(NPM & 0x1); + const bool BranchTaken = !(NPM & 0x3); + uint32 handler = 0x80000080; + + assert(code < 16); + + if(code != EXCEPTION_INT && code != EXCEPTION_BP && code != EXCEPTION_SYSCALL) + { + static const char* exmne[16] = + { + "INT", "MOD", "TLBL", "TLBS", "ADEL", "ADES", "IBE", "DBE", "SYSCALL", "BP", "RI", "COPU", "OV", NULL, NULL, NULL + }; + + PSX_DBG(PSX_DBG_WARNING, "[CPU] Exception %s(0x%02x) @ PC=0x%08x(NP=0x%08x, NPM=0x%08x), Instr=0x%08x, IPCache=0x%02x, CAUSE=0x%08x, SR=0x%08x, IRQC_Status=0x%04x, IRQC_Mask=0x%04x\n", + exmne[code], code, PC, NP, NPM, instr, IPCache, CP0.CAUSE, CP0.SR, IRQ_GetRegister(IRQ_GSREG_STATUS, NULL, 0), IRQ_GetRegister(IRQ_GSREG_MASK, NULL, 0)); + } + + if(CP0.SR & (1 << 22)) // BEV + handler = 0xBFC00180; + + CP0.EPC = PC; + if(AfterBranchInstr) + { + CP0.EPC -= 4; + CP0.TAR = (PC & (NPM | 3)) + NP; + } + + if(ADDBT) + ADDBT(PC, handler, true); + + // "Push" IEc and KUc(so that the new IEc and KUc are 0) + CP0.SR = (CP0.SR & ~0x3F) | ((CP0.SR << 2) & 0x3F); + + // Setup cause register + CP0.CAUSE &= 0x0000FF00; + CP0.CAUSE |= code << 2; + + // If EPC was adjusted -= 4 because we are after a branch instruction, set bit 31. + CP0.CAUSE |= AfterBranchInstr << 31; + CP0.CAUSE |= BranchTaken << 30; + CP0.CAUSE |= (instr << 2) & (0x3 << 28); // CE + + RecalcIPCache(); + + return(handler); } #define BACKING_TO_ACTIVE \ @@ -413,9 +430,12 @@ uint32 PS_CPU::Exception(uint32 code, uint32 PC, const uint32 NPM) BACKED_LDWhich = LDWhich; \ BACKED_LDValue = LDValue; -#define GPR_DEPRES_BEGIN { uint8 back = ReadAbsorb[0]; -#define GPR_DEP(n) { unsigned tn = (n); ReadAbsorb[tn] = 0; } -#define GPR_RES(n) { unsigned tn = (n); ReadAbsorb[tn] = 0; } +// +// Should come before DO_LDS() so the EXP_ILL_CHECK() emulator debugging macro in GPR_DEP() will work properly. +// +#define GPR_DEPRES_BEGIN { uint8 back = ReadAbsorb[0]; +#define GPR_DEP(n) { unsigned tn = (n); ReadAbsorb[tn] = 0; EXP_ILL_CHECK(if(LDWhich > 0 && LDWhich < 0x20 && LDWhich == tn) { PSX_DBG(PSX_DBG_WARNING, "[CPU] Instruction at PC=0x%08x in load delay slot has dependency on load target register(0x%02x): SR=0x%08x\n", PC, LDWhich, CP0.SR); }) } +#define GPR_RES(n) { unsigned tn = (n); ReadAbsorb[tn] = 0; } #define GPR_DEPRES_END ReadAbsorb[0] = back; } template @@ -481,7 +501,8 @@ pscpu_timestamp_t PS_CPU::RunReal(pscpu_timestamp_t timestamp_in) { // This will block interrupt processing, but since we're going more for keeping broken homebrew/hacks from working // than super-duper-accurate pipeline emulation, it shouldn't be a problem. - new_PC = Exception(EXCEPTION_ADEL, PC, new_PC_mask); + CP0.BADVA = PC; + new_PC = Exception(EXCEPTION_ADEL, PC, new_PC, new_PC_mask, 0); new_PC_mask = 0; goto OpDone; } @@ -576,37 +597,54 @@ pscpu_timestamp_t PS_CPU::RunReal(pscpu_timestamp_t timestamp_in) #endif #define DO_LDS() { GPR[LDWhich] = LDValue; ReadAbsorb[LDWhich] = LDAbsorb; ReadFudge = LDWhich; ReadAbsorbWhich |= LDWhich & 0x1F; LDWhich = 0x20; } - #define BEGIN_OPF(name, arg_op, arg_funct) { op_##name: /*assert( ((arg_op) ? (0x40 | (arg_op)) : (arg_funct)) == opf); */ + #define BEGIN_OPF(name) { op_##name: #define END_OPF goto OpDone; } - #define DO_BRANCH(offset, mask) \ - { \ - if(ILHMode) \ - { \ - uint32 old_PC = PC; \ - PC = (PC & new_PC_mask) + new_PC; \ - if(old_PC == ((PC & (mask)) + (offset))) \ - { \ - if(MDFN_densb(&FastMap[PC >> FAST_MAP_SHIFT][PC]) == 0) \ - { \ - if(next_event_ts > timestamp) /* Necessary since next_event_ts might be set to something like "0" to force a call to the event handler. */ \ - { \ - timestamp = next_event_ts; \ - } \ - } \ - } \ - } \ - else \ - PC = (PC & new_PC_mask) + new_PC; \ - new_PC = (offset); \ - new_PC_mask = (mask) & ~3; \ - /* Lower bits of new_PC_mask being clear signifies being in a branch delay slot. (overloaded behavior for performance) */ \ - \ - if(DebugMode && ADDBT) \ - { \ - ADDBT(PC, (PC & new_PC_mask) + new_PC, false); \ - } \ - goto SkipNPCStuff; \ + +#define DO_BRANCH(arg_cond, arg_offset, arg_mask, arg_dolink, arg_linkreg)\ + { \ + const bool cond = (arg_cond); \ + const uint32 offset = (arg_offset); \ + const uint32 mask = (arg_mask); \ + const uint32 old_PC = PC; \ + \ + EXP_ILL_CHECK(if(!(new_PC_mask & 0x03)) { PSX_DBG(PSX_DBG_WARNING, "[CPU] Branch instruction at PC=0x%08x in branch delay slot: SR=0x%08x\n", PC, CP0.SR);}) \ + \ + PC = (PC & new_PC_mask) + new_PC; \ + \ + /* Clear lower bit to signify being after a branch instruction (overloaded behavior for performance). */ \ + new_PC_mask = ~1U; \ + new_PC = 4; \ + \ + if(arg_dolink) \ + GPR[(arg_linkreg)] = PC + 4; \ + \ + if(cond) \ + { \ + if(ILHMode) \ + { \ + if(old_PC == ((PC & mask) + offset)) \ + { \ + if(MDFN_densb(&FastMap[PC >> FAST_MAP_SHIFT][PC]) == 0) \ + { \ + if(next_event_ts > timestamp) /* Necessary since next_event_ts might be set to something like "0" to force a call to the event handler. */ \ + { \ + timestamp = next_event_ts; \ + } \ + } \ + } \ + } \ + \ + /* Lower bits of new_PC_mask being clear signifies being in a branch delay slot. (overloaded behavior for performance) */ \ + new_PC = offset; \ + new_PC_mask = mask & ~3; \ + \ + if(DebugMode && ADDBT) \ + { \ + ADDBT(PC, (PC & new_PC_mask) + new_PC, false); \ + } \ + } \ + goto SkipNPCStuff; \ } #define ITYPE uint32 rs MDFN_NOWARN_UNUSED = (instr >> 21) & 0x1F; uint32 rt MDFN_NOWARN_UNUSED = (instr >> 16) & 0x1F; uint32 immediate = (int32)(int16)(instr & 0xFFFF); /*printf(" rs=%02x(%08x), rt=%02x(%08x), immediate=(%08x) ", rs, GPR[rs], rt, GPR[rt], immediate);*/ @@ -626,1642 +664,1713 @@ pscpu_timestamp_t PS_CPU::RunReal(pscpu_timestamp_t timestamp_in) #define CGE(l) case __COUNTER__ - CGESB: goto l; #define CGEND } } #endif - - CGBEGIN - CGE(op_SLL) CGE(op_ILL) CGE(op_SRL) CGE(op_SRA) CGE(op_SLLV) CGE(op_ILL) CGE(op_SRLV) CGE(op_SRAV) - CGE(op_JR) CGE(op_JALR) CGE(op_ILL) CGE(op_ILL) CGE(op_SYSCALL) CGE(op_BREAK) CGE(op_ILL) CGE(op_ILL) - CGE(op_MFHI) CGE(op_MTHI) CGE(op_MFLO) CGE(op_MTLO) CGE(op_ILL) CGE(op_ILL) CGE(op_ILL) CGE(op_ILL) - CGE(op_MULT) CGE(op_MULTU) CGE(op_DIV) CGE(op_DIVU) CGE(op_ILL) CGE(op_ILL) CGE(op_ILL) CGE(op_ILL) - CGE(op_ADD) CGE(op_ADDU) CGE(op_SUB) CGE(op_SUBU) CGE(op_AND) CGE(op_OR) CGE(op_XOR) CGE(op_NOR) - CGE(op_ILL) CGE(op_ILL) CGE(op_SLT) CGE(op_SLTU) CGE(op_ILL) CGE(op_ILL) CGE(op_ILL) CGE(op_ILL) - CGE(op_ILL) CGE(op_ILL) CGE(op_ILL) CGE(op_ILL) CGE(op_ILL) CGE(op_ILL) CGE(op_ILL) CGE(op_ILL) - CGE(op_ILL) CGE(op_ILL) CGE(op_ILL) CGE(op_ILL) CGE(op_ILL) CGE(op_ILL) CGE(op_ILL) CGE(op_ILL) - - CGE(op_ILL) CGE(op_BCOND) CGE(op_J) CGE(op_JAL) CGE(op_BEQ) CGE(op_BNE) CGE(op_BLEZ) CGE(op_BGTZ) - CGE(op_ADDI) CGE(op_ADDIU) CGE(op_SLTI) CGE(op_SLTIU) CGE(op_ANDI) CGE(op_ORI) CGE(op_XORI) CGE(op_LUI) - CGE(op_COP0) CGE(op_COP1) CGE(op_COP2) CGE(op_COP3) CGE(op_ILL) CGE(op_ILL) CGE(op_ILL) CGE(op_ILL) - CGE(op_ILL) CGE(op_ILL) CGE(op_ILL) CGE(op_ILL) CGE(op_ILL) CGE(op_ILL) CGE(op_ILL) CGE(op_ILL) - CGE(op_LB) CGE(op_LH) CGE(op_LWL) CGE(op_LW) CGE(op_LBU) CGE(op_LHU) CGE(op_LWR) CGE(op_ILL) - CGE(op_SB) CGE(op_SH) CGE(op_SWL) CGE(op_SW) CGE(op_ILL) CGE(op_ILL) CGE(op_SWR) CGE(op_ILL) - CGE(op_LWC0) CGE(op_LWC1) CGE(op_LWC2) CGE(op_LWC3) CGE(op_ILL) CGE(op_ILL) CGE(op_ILL) CGE(op_ILL) - CGE(op_SWC0) CGE(op_SWC1) CGE(op_SWC2) CGE(op_SWC3) CGE(op_ILL) CGE(op_ILL) CGE(op_ILL) CGE(op_ILL) - - // Interrupt portion of this table is constructed so that an interrupt won't be taken when the PC is pointing to a GTE instruction, - // to avoid problems caused by pipeline vs coprocessor nuances that aren't emulated. - CGE(op_INTERRUPT) CGE(op_INTERRUPT) CGE(op_INTERRUPT) CGE(op_INTERRUPT) CGE(op_INTERRUPT) CGE(op_INTERRUPT) CGE(op_INTERRUPT) CGE(op_INTERRUPT) - CGE(op_INTERRUPT) CGE(op_INTERRUPT) CGE(op_INTERRUPT) CGE(op_INTERRUPT) CGE(op_INTERRUPT) CGE(op_INTERRUPT) CGE(op_INTERRUPT) CGE(op_INTERRUPT) - CGE(op_INTERRUPT) CGE(op_INTERRUPT) CGE(op_INTERRUPT) CGE(op_INTERRUPT) CGE(op_INTERRUPT) CGE(op_INTERRUPT) CGE(op_INTERRUPT) CGE(op_INTERRUPT) - CGE(op_INTERRUPT) CGE(op_INTERRUPT) CGE(op_INTERRUPT) CGE(op_INTERRUPT) CGE(op_INTERRUPT) CGE(op_INTERRUPT) CGE(op_INTERRUPT) CGE(op_INTERRUPT) - CGE(op_INTERRUPT) CGE(op_INTERRUPT) CGE(op_INTERRUPT) CGE(op_INTERRUPT) CGE(op_INTERRUPT) CGE(op_INTERRUPT) CGE(op_INTERRUPT) CGE(op_INTERRUPT) - CGE(op_INTERRUPT) CGE(op_INTERRUPT) CGE(op_INTERRUPT) CGE(op_INTERRUPT) CGE(op_INTERRUPT) CGE(op_INTERRUPT) CGE(op_INTERRUPT) CGE(op_INTERRUPT) - CGE(op_INTERRUPT) CGE(op_INTERRUPT) CGE(op_INTERRUPT) CGE(op_INTERRUPT) CGE(op_INTERRUPT) CGE(op_INTERRUPT) CGE(op_INTERRUPT) CGE(op_INTERRUPT) - CGE(op_INTERRUPT) CGE(op_INTERRUPT) CGE(op_INTERRUPT) CGE(op_INTERRUPT) CGE(op_INTERRUPT) CGE(op_INTERRUPT) CGE(op_INTERRUPT) CGE(op_INTERRUPT) - - CGE(op_ILL) CGE(op_INTERRUPT) CGE(op_INTERRUPT) CGE(op_INTERRUPT) CGE(op_INTERRUPT) CGE(op_INTERRUPT) CGE(op_INTERRUPT) CGE(op_INTERRUPT) - CGE(op_INTERRUPT) CGE(op_INTERRUPT) CGE(op_INTERRUPT) CGE(op_INTERRUPT) CGE(op_INTERRUPT) CGE(op_INTERRUPT) CGE(op_INTERRUPT) CGE(op_INTERRUPT) - CGE(op_INTERRUPT) CGE(op_INTERRUPT) CGE(op_COP2) CGE(op_INTERRUPT) CGE(op_INTERRUPT) CGE(op_INTERRUPT) CGE(op_INTERRUPT) CGE(op_INTERRUPT) - CGE(op_INTERRUPT) CGE(op_INTERRUPT) CGE(op_INTERRUPT) CGE(op_INTERRUPT) CGE(op_INTERRUPT) CGE(op_INTERRUPT) CGE(op_INTERRUPT) CGE(op_INTERRUPT) - CGE(op_INTERRUPT) CGE(op_INTERRUPT) CGE(op_INTERRUPT) CGE(op_INTERRUPT) CGE(op_INTERRUPT) CGE(op_INTERRUPT) CGE(op_INTERRUPT) CGE(op_INTERRUPT) - CGE(op_INTERRUPT) CGE(op_INTERRUPT) CGE(op_INTERRUPT) CGE(op_INTERRUPT) CGE(op_INTERRUPT) CGE(op_INTERRUPT) CGE(op_INTERRUPT) CGE(op_INTERRUPT) - CGE(op_INTERRUPT) CGE(op_INTERRUPT) CGE(op_INTERRUPT) CGE(op_INTERRUPT) CGE(op_INTERRUPT) CGE(op_INTERRUPT) CGE(op_INTERRUPT) CGE(op_INTERRUPT) - CGE(op_INTERRUPT) CGE(op_INTERRUPT) CGE(op_INTERRUPT) CGE(op_INTERRUPT) CGE(op_INTERRUPT) CGE(op_INTERRUPT) CGE(op_INTERRUPT) CGE(op_INTERRUPT) - CGEND - - { - BEGIN_OPF(ILL, 0, 0); - PSX_WARNING("[CPU] Unknown instruction @%08x = %08x, op=%02x, funct=%02x", PC, instr, instr >> 26, (instr & 0x3F)); - DO_LDS(); - new_PC = Exception(EXCEPTION_RI, PC, new_PC_mask); - new_PC_mask = 0; - END_OPF; - - // - // ADD - Add Word - // - BEGIN_OPF(ADD, 0, 0x20); - RTYPE; - - GPR_DEPRES_BEGIN - GPR_DEP(rs); - GPR_DEP(rt); - GPR_RES(rd); - GPR_DEPRES_END - - uint32 result = GPR[rs] + GPR[rt]; - bool ep = ((~(GPR[rs] ^ GPR[rt])) & (GPR[rs] ^ result)) & 0x80000000; - - DO_LDS(); - - if(MDFN_UNLIKELY(ep)) - { - new_PC = Exception(EXCEPTION_OV, PC, new_PC_mask); - new_PC_mask = 0; - } - else - GPR[rd] = result; - - END_OPF; - - // - // ADDI - Add Immediate Word - // - BEGIN_OPF(ADDI, 0x08, 0); - ITYPE; - - GPR_DEPRES_BEGIN - GPR_DEP(rs); - GPR_RES(rt); - GPR_DEPRES_END - - uint32 result = GPR[rs] + immediate; - bool ep = ((~(GPR[rs] ^ immediate)) & (GPR[rs] ^ result)) & 0x80000000; - - DO_LDS(); - - if(MDFN_UNLIKELY(ep)) - { - new_PC = Exception(EXCEPTION_OV, PC, new_PC_mask); - new_PC_mask = 0; - } - else - GPR[rt] = result; - - END_OPF; - - // - // ADDIU - Add Immediate Unsigned Word - // - BEGIN_OPF(ADDIU, 0x09, 0); - ITYPE; - - GPR_DEPRES_BEGIN - GPR_DEP(rs); - GPR_RES(rt); - GPR_DEPRES_END - - uint32 result = GPR[rs] + immediate; - - DO_LDS(); - - GPR[rt] = result; - - END_OPF; - - // - // ADDU - Add Unsigned Word - // - BEGIN_OPF(ADDU, 0, 0x21); - RTYPE; - - GPR_DEPRES_BEGIN - GPR_DEP(rs); - GPR_DEP(rt); - GPR_RES(rd); - GPR_DEPRES_END - - uint32 result = GPR[rs] + GPR[rt]; - - DO_LDS(); - - GPR[rd] = result; - - END_OPF; - - // - // AND - And - // - BEGIN_OPF(AND, 0, 0x24); - RTYPE; - - GPR_DEPRES_BEGIN - GPR_DEP(rs); - GPR_DEP(rt); - GPR_RES(rd); - GPR_DEPRES_END - - uint32 result = GPR[rs] & GPR[rt]; - - DO_LDS(); - - GPR[rd] = result; - - END_OPF; - - // - // ANDI - And Immediate - // - BEGIN_OPF(ANDI, 0x0C, 0); - ITYPE_ZE; - - GPR_DEPRES_BEGIN - GPR_DEP(rs); - GPR_RES(rt); - GPR_DEPRES_END - - uint32 result = GPR[rs] & immediate; - - DO_LDS(); - - GPR[rt] = result; - - END_OPF; - - // - // BEQ - Branch on Equal - // - BEGIN_OPF(BEQ, 0x04, 0); - ITYPE; - - GPR_DEPRES_BEGIN - GPR_DEP(rs); - GPR_DEP(rt); - GPR_DEPRES_END - - bool result = (GPR[rs] == GPR[rt]); - - DO_LDS(); - - if(result) - { - DO_BRANCH((immediate << 2), ~0U); - } - END_OPF; - - // Bah, why does MIPS encoding have to be funky like this. :( - // Handles BGEZ, BGEZAL, BLTZ, BLTZAL - BEGIN_OPF(BCOND, 0x01, 0); - const uint32 tv = GPR[(instr >> 21) & 0x1F]; - uint32 riv = (instr >> 16) & 0x1F; - uint32 immediate = (int32)(int16)(instr & 0xFFFF); - bool result = (int32)(tv ^ (riv << 31)) < 0; - - GPR_DEPRES_BEGIN - GPR_DEP((instr >> 21) & 0x1F); - - if(riv & 0x10) - GPR_RES(31); - - GPR_DEPRES_END - - - DO_LDS(); - - if(riv & 0x10) // Unconditional link reg setting. - GPR[31] = PC + 8; - - if(result) - { - DO_BRANCH((immediate << 2), ~0U); - } - - END_OPF; - - - // - // BGTZ - Branch on Greater than Zero - // - BEGIN_OPF(BGTZ, 0x07, 0); - ITYPE; - - GPR_DEPRES_BEGIN - GPR_DEP(rs); - GPR_DEPRES_END - - bool result = (int32)GPR[rs] > 0; - - DO_LDS(); - - if(result) - { - DO_BRANCH((immediate << 2), ~0U); - } - END_OPF; - - // - // BLEZ - Branch on Less Than or Equal to Zero - // - BEGIN_OPF(BLEZ, 0x06, 0); - ITYPE; - - GPR_DEPRES_BEGIN - GPR_DEP(rs); - GPR_DEPRES_END - - bool result = (int32)GPR[rs] <= 0; - - DO_LDS(); - - if(result) - { - DO_BRANCH((immediate << 2), ~0U); - } - - END_OPF; - - // - // BNE - Branch on Not Equal - // - BEGIN_OPF(BNE, 0x05, 0); - ITYPE; - - GPR_DEPRES_BEGIN - GPR_DEP(rs); - GPR_DEP(rt); - GPR_DEPRES_END - - bool result = GPR[rs] != GPR[rt]; - - DO_LDS(); - - if(result) - { - DO_BRANCH((immediate << 2), ~0U); - } - - END_OPF; - - // - // BREAK - Breakpoint - // - BEGIN_OPF(BREAK, 0, 0x0D); - PSX_WARNING("[CPU] BREAK BREAK BREAK BREAK DAAANCE -- PC=0x%08x", PC); - - DO_LDS(); - new_PC = Exception(EXCEPTION_BP, PC, new_PC_mask); - new_PC_mask = 0; - END_OPF; - - // Cop "instructions": CFCz(no CP0), COPz, CTCz(no CP0), LWCz(no CP0), MFCz, MTCz, SWCz(no CP0) - // - // COP0 instructions - BEGIN_OPF(COP0, 0x10, 0); - uint32 sub_op = (instr >> 21) & 0x1F; - - if(sub_op & 0x10) - sub_op = 0x10 + (instr & 0x3F); - - //printf("COP0 thing: %02x\n", sub_op); - switch(sub_op) - { - default: - DO_LDS(); - break; - - case 0x00: // MFC0 - Move from Coprocessor - { - uint32 rt = (instr >> 16) & 0x1F; - uint32 rd = (instr >> 11) & 0x1F; - - //printf("MFC0: rt=%d <- rd=%d(%08x)\n", rt, rd, CP0.Regs[rd]); - DO_LDS(); - - LDAbsorb = 0; - LDWhich = rt; - LDValue = CP0.Regs[rd]; - } - break; - - case 0x04: // MTC0 - Move to Coprocessor - { - uint32 rt = (instr >> 16) & 0x1F; - uint32 rd = (instr >> 11) & 0x1F; - uint32 val = GPR[rt]; - - if(rd != CP0REG_PRID && rd != CP0REG_CAUSE && rd != CP0REG_SR && val) - { - PSX_WARNING("[CPU] Unimplemented MTC0: rt=%d(%08x) -> rd=%d", rt, GPR[rt], rd); - } - - switch(rd) - { - case CP0REG_BPC: - CP0.BPC = val; - break; - - case CP0REG_BDA: - CP0.BDA = val; - break; - - case CP0REG_TAR: - CP0.TAR = val; - break; - - case CP0REG_DCIC: - CP0.DCIC = val & 0xFF80003F; - break; - - case CP0REG_BDAM: - CP0.BDAM = val; - break; - - case CP0REG_BPCM: - CP0.BPCM = val; - break; - - case CP0REG_CAUSE: - CP0.CAUSE &= ~(0x3 << 8); - CP0.CAUSE |= val & (0x3 << 8); - RecalcIPCache(); - break; - - case CP0REG_SR: - if((CP0.SR ^ val) & 0x10000) - PSX_DBG(PSX_DBG_SPARSE, "[CPU] IsC %u->%u\n", (bool)(CP0.SR & (1U << 16)), (bool)(val & (1U << 16))); - - CP0.SR = val & ~( (0x3 << 26) | (0x3 << 23) | (0x3 << 6)); - RecalcIPCache(); - break; - } - } - DO_LDS(); - break; - - case (0x10 + 0x10): // RFE - // "Pop" - DO_LDS(); - CP0.SR = (CP0.SR & ~0x0F) | ((CP0.SR >> 2) & 0x0F); - RecalcIPCache(); - break; - } - END_OPF; - - // - // COP1 - // - BEGIN_OPF(COP1, 0x11, 0); - DO_LDS(); - new_PC = Exception(EXCEPTION_COPU, PC, new_PC_mask); - new_PC_mask = 0; - END_OPF; - - // - // COP2 - // - BEGIN_OPF(COP2, 0x12, 0); - uint32 sub_op = (instr >> 21) & 0x1F; - - switch(sub_op) - { - default: - DO_LDS(); - break; - - case 0x00: // MFC2 - Move from Coprocessor - { - uint32 rt = (instr >> 16) & 0x1F; - uint32 rd = (instr >> 11) & 0x1F; - - DO_LDS(); - - if(timestamp < gte_ts_done) - { - LDAbsorb = gte_ts_done - timestamp; - timestamp = gte_ts_done; - } - else - LDAbsorb = 0; - - LDWhich = rt; - LDValue = GTE_ReadDR(rd); - } - break; - - case 0x04: // MTC2 - Move to Coprocessor - { - uint32 rt = (instr >> 16) & 0x1F; - uint32 rd = (instr >> 11) & 0x1F; - uint32 val = GPR[rt]; - - if(timestamp < gte_ts_done) - timestamp = gte_ts_done; - - //printf("GTE WriteDR: %d %d\n", rd, val); - GTE_WriteDR(rd, val); - DO_LDS(); - } - break; - - case 0x02: // CFC2 - { - uint32 rt = (instr >> 16) & 0x1F; - uint32 rd = (instr >> 11) & 0x1F; - - DO_LDS(); - - if(timestamp < gte_ts_done) - { - LDAbsorb = gte_ts_done - timestamp; - timestamp = gte_ts_done; - } - else - LDAbsorb = 0; - - LDWhich = rt; - LDValue = GTE_ReadCR(rd); - - //printf("GTE ReadCR: %d %d\n", rd, GPR[rt]); - } - break; - - case 0x06: // CTC2 - { - uint32 rt = (instr >> 16) & 0x1F; - uint32 rd = (instr >> 11) & 0x1F; - uint32 val = GPR[rt]; - - //printf("GTE WriteCR: %d %d\n", rd, val); - - if(timestamp < gte_ts_done) - timestamp = gte_ts_done; - - GTE_WriteCR(rd, val); - DO_LDS(); - } - break; - - case 0x10: case 0x11: case 0x12: case 0x13: case 0x14: case 0x15: case 0x16: case 0x17: - case 0x18: case 0x19: case 0x1A: case 0x1B: case 0x1C: case 0x1D: case 0x1E: case 0x1F: - //printf("%08x\n", PC); - if(timestamp < gte_ts_done) - timestamp = gte_ts_done; - gte_ts_done = timestamp + GTE_Instruction(instr); - DO_LDS(); - break; - } - END_OPF; - - // - // COP3 - // - BEGIN_OPF(COP3, 0x13, 0); - DO_LDS(); - new_PC = Exception(EXCEPTION_COPU, PC, new_PC_mask); - new_PC_mask = 0; - END_OPF; - - // - // LWC0 - // - BEGIN_OPF(LWC0, 0x30, 0); - DO_LDS(); - new_PC = Exception(EXCEPTION_COPU, PC, new_PC_mask); - new_PC_mask = 0; - END_OPF; - - // - // LWC1 - // - BEGIN_OPF(LWC1, 0x31, 0); - DO_LDS(); - new_PC = Exception(EXCEPTION_COPU, PC, new_PC_mask); - new_PC_mask = 0; - END_OPF; - - // - // LWC2 - // - BEGIN_OPF(LWC2, 0x32, 0); - ITYPE; - uint32 address = GPR[rs] + immediate; - - DO_LDS(); - - if(MDFN_UNLIKELY(address & 3)) - { - new_PC = Exception(EXCEPTION_ADEL, PC, new_PC_mask); - new_PC_mask = 0; - } - else - { - if(timestamp < gte_ts_done) - timestamp = gte_ts_done; - - GTE_WriteDR(rt, ReadMemory(timestamp, address, false, true)); - } - // GTE stuff here - END_OPF; - - // - // LWC3 - // - BEGIN_OPF(LWC3, 0x33, 0); - DO_LDS(); - new_PC = Exception(EXCEPTION_COPU, PC, new_PC_mask); - new_PC_mask = 0; - END_OPF; - - - // - // SWC0 - // - BEGIN_OPF(SWC0, 0x38, 0); - DO_LDS(); - new_PC = Exception(EXCEPTION_COPU, PC, new_PC_mask); - new_PC_mask = 0; - END_OPF; - - // - // SWC1 - // - BEGIN_OPF(SWC1, 0x39, 0); - DO_LDS(); - new_PC = Exception(EXCEPTION_COPU, PC, new_PC_mask); - new_PC_mask = 0; - END_OPF; - - // - // SWC2 - // - BEGIN_OPF(SWC2, 0x3A, 0); - ITYPE; - uint32 address = GPR[rs] + immediate; - - if(MDFN_UNLIKELY(address & 0x3)) - { - new_PC = Exception(EXCEPTION_ADES, PC, new_PC_mask); - new_PC_mask = 0; - } - else - { - if(timestamp < gte_ts_done) - timestamp = gte_ts_done; - - WriteMemory(timestamp, address, GTE_ReadDR(rt)); - } - DO_LDS(); - END_OPF; - - // - // SWC3 - /// - BEGIN_OPF(SWC3, 0x3B, 0); - DO_LDS(); - new_PC = Exception(EXCEPTION_RI, PC, new_PC_mask); - new_PC_mask = 0; - END_OPF; - - - // - // DIV - Divide Word - // - BEGIN_OPF(DIV, 0, 0x1A); - RTYPE; - - GPR_DEPRES_BEGIN - GPR_DEP(rs); - GPR_DEP(rt); - GPR_DEPRES_END - - if(!GPR[rt]) - { - if(GPR[rs] & 0x80000000) - LO = 1; - else - LO = 0xFFFFFFFF; - - HI = GPR[rs]; - } - else if(GPR[rs] == 0x80000000 && GPR[rt] == 0xFFFFFFFF) - { - LO = 0x80000000; - HI = 0; - } - else - { - LO = (int32)GPR[rs] / (int32)GPR[rt]; - HI = (int32)GPR[rs] % (int32)GPR[rt]; - } - muldiv_ts_done = timestamp + 37; - - DO_LDS(); - - END_OPF; - - - // - // DIVU - Divide Unsigned Word - // - BEGIN_OPF(DIVU, 0, 0x1B); - RTYPE; - - GPR_DEPRES_BEGIN - GPR_DEP(rs); - GPR_DEP(rt); - GPR_DEPRES_END - - if(!GPR[rt]) - { - LO = 0xFFFFFFFF; - HI = GPR[rs]; - } - else - { - LO = GPR[rs] / GPR[rt]; - HI = GPR[rs] % GPR[rt]; - } - muldiv_ts_done = timestamp + 37; - - DO_LDS(); - END_OPF; - - // - // J - Jump - // - BEGIN_OPF(J, 0x02, 0); - JTYPE; - - DO_LDS(); - - DO_BRANCH(target << 2, 0xF0000000); - END_OPF; - - // - // JAL - Jump and Link - // - BEGIN_OPF(JAL, 0x03, 0); - JTYPE; - - //GPR_DEPRES_BEGIN - GPR_RES(31); - //GPR_DEPRES_END - - DO_LDS(); - - GPR[31] = PC + 8; - - DO_BRANCH(target << 2, 0xF0000000); - END_OPF; - - // - // JALR - Jump and Link Register - // - BEGIN_OPF(JALR, 0, 0x09); - RTYPE; - - GPR_DEPRES_BEGIN - GPR_DEP(rs); - GPR_RES(rd); - GPR_DEPRES_END - - uint32 tmp = GPR[rs]; - - DO_LDS(); - - GPR[rd] = PC + 8; - - DO_BRANCH(tmp, 0); - - END_OPF; - - // - // JR - Jump Register - // - BEGIN_OPF(JR, 0, 0x08); - RTYPE; - - GPR_DEPRES_BEGIN - GPR_DEP(rs); - GPR_RES(rd); - GPR_DEPRES_END - - uint32 bt = GPR[rs]; - - DO_LDS(); - - DO_BRANCH(bt, 0); - - END_OPF; - - // - // LUI - Load Upper Immediate - // - BEGIN_OPF(LUI, 0x0F, 0); - ITYPE_ZE; // Actually, probably would be sign-extending...if we were emulating a 64-bit MIPS chip :b - - GPR_DEPRES_BEGIN - GPR_RES(rt); - GPR_DEPRES_END - - DO_LDS(); - - GPR[rt] = immediate << 16; - - END_OPF; - - // - // MFHI - Move from HI - // - BEGIN_OPF(MFHI, 0, 0x10); - RTYPE; - - GPR_DEPRES_BEGIN - GPR_RES(rd); - GPR_DEPRES_END - - DO_LDS(); - - if(timestamp < muldiv_ts_done) - { - if(timestamp == muldiv_ts_done - 1) - muldiv_ts_done--; - else - { - do - { - if(ReadAbsorb[ReadAbsorbWhich]) - ReadAbsorb[ReadAbsorbWhich]--; - timestamp++; - } while(timestamp < muldiv_ts_done); - } - } - - GPR[rd] = HI; - - END_OPF; - - - // - // MFLO - Move from LO - // - BEGIN_OPF(MFLO, 0, 0x12); - RTYPE; - - GPR_DEPRES_BEGIN - GPR_RES(rd); - GPR_DEPRES_END - - DO_LDS(); - - if(timestamp < muldiv_ts_done) - { - if(timestamp == muldiv_ts_done - 1) - muldiv_ts_done--; - else - { - do - { - if(ReadAbsorb[ReadAbsorbWhich]) - ReadAbsorb[ReadAbsorbWhich]--; - timestamp++; - } while(timestamp < muldiv_ts_done); - } - } - - GPR[rd] = LO; - - END_OPF; - - - // - // MTHI - Move to HI - // - BEGIN_OPF(MTHI, 0, 0x11); - RTYPE; - - GPR_DEPRES_BEGIN - GPR_DEP(rs); - GPR_DEPRES_END - - HI = GPR[rs]; - - DO_LDS(); - - END_OPF; - - // - // MTLO - Move to LO - // - BEGIN_OPF(MTLO, 0, 0x13); - RTYPE; - - GPR_DEPRES_BEGIN - GPR_DEP(rs); - GPR_DEPRES_END - - LO = GPR[rs]; - - DO_LDS(); - - END_OPF; - - - // - // MULT - Multiply Word - // - BEGIN_OPF(MULT, 0, 0x18); - RTYPE; - - GPR_DEPRES_BEGIN - GPR_DEP(rs); - GPR_DEP(rt); - GPR_DEPRES_END - - uint64 result; - - result = (int64)(int32)GPR[rs] * (int32)GPR[rt]; - muldiv_ts_done = timestamp + MULT_Tab24[MDFN_lzcount32((GPR[rs] ^ ((int32)GPR[rs] >> 31)) | 0x400)]; - DO_LDS(); - - LO = result; - HI = result >> 32; - - END_OPF; - - // - // MULTU - Multiply Unsigned Word - // - BEGIN_OPF(MULTU, 0, 0x19); - RTYPE; - - GPR_DEPRES_BEGIN - GPR_DEP(rs); - GPR_DEP(rt); - GPR_DEPRES_END - - uint64 result; - - result = (uint64)GPR[rs] * GPR[rt]; - muldiv_ts_done = timestamp + MULT_Tab24[MDFN_lzcount32(GPR[rs] | 0x400)]; - DO_LDS(); - - LO = result; - HI = result >> 32; - - END_OPF; - - - // - // NOR - NOR - // - BEGIN_OPF(NOR, 0, 0x27); - RTYPE; - - GPR_DEPRES_BEGIN - GPR_DEP(rs); - GPR_DEP(rt); - GPR_RES(rd); - GPR_DEPRES_END - - uint32 result = ~(GPR[rs] | GPR[rt]); - - DO_LDS(); - - GPR[rd] = result; - - END_OPF; - - // - // OR - OR - // - BEGIN_OPF(OR, 0, 0x25); - RTYPE; - - GPR_DEPRES_BEGIN - GPR_DEP(rs); - GPR_DEP(rt); - GPR_RES(rd); - GPR_DEPRES_END - - uint32 result = GPR[rs] | GPR[rt]; - - DO_LDS(); - - GPR[rd] = result; - - END_OPF; - - - // - // ORI - OR Immediate - // - BEGIN_OPF(ORI, 0x0D, 0); - ITYPE_ZE; - - GPR_DEPRES_BEGIN - GPR_DEP(rs); - GPR_RES(rt); - GPR_DEPRES_END - - uint32 result = GPR[rs] | immediate; - - DO_LDS(); - - GPR[rt] = result; - - END_OPF; - - - // - // SLL - Shift Word Left Logical - // - BEGIN_OPF(SLL, 0, 0x00); // SLL - RTYPE; - - GPR_DEPRES_BEGIN - GPR_DEP(rt); - GPR_RES(rd); - GPR_DEPRES_END - - uint32 result = GPR[rt] << shamt; - - DO_LDS(); - - GPR[rd] = result; - - END_OPF; - - - // - // SLLV - Shift Word Left Logical Variable - // - BEGIN_OPF(SLLV, 0, 0x04); - RTYPE; - - GPR_DEPRES_BEGIN - GPR_DEP(rs); - GPR_DEP(rt); - GPR_RES(rd); - GPR_DEPRES_END - - uint32 result = GPR[rt] << (GPR[rs] & 0x1F); - - DO_LDS(); - - GPR[rd] = result; - - END_OPF; - - // - // SLT - Set on Less Than - // - BEGIN_OPF(SLT, 0, 0x2A); - RTYPE; - - GPR_DEPRES_BEGIN - GPR_DEP(rs); - GPR_DEP(rt); - GPR_RES(rd); - GPR_DEPRES_END - - uint32 result = (bool)((int32)GPR[rs] < (int32)GPR[rt]); - - DO_LDS(); - - GPR[rd] = result; - - END_OPF; - - - // - // SLTI - Set on Less Than Immediate - // - BEGIN_OPF(SLTI, 0x0A, 0); - ITYPE; - - GPR_DEPRES_BEGIN - GPR_DEP(rs); - GPR_RES(rt); - GPR_DEPRES_END - - uint32 result = (bool)((int32)GPR[rs] < (int32)immediate); - - DO_LDS(); - - GPR[rt] = result; - - END_OPF; - - - // - // SLTIU - Set on Less Than Immediate, Unsigned - // - BEGIN_OPF(SLTIU, 0x0B, 0); - ITYPE; - - GPR_DEPRES_BEGIN - GPR_DEP(rs); - GPR_RES(rt); - GPR_DEPRES_END - - uint32 result = (bool)(GPR[rs] < (uint32)immediate); - - DO_LDS(); - - GPR[rt] = result; - - END_OPF; - - - // - // SLTU - Set on Less Than, Unsigned - // - BEGIN_OPF(SLTU, 0, 0x2B); - RTYPE; - - GPR_DEPRES_BEGIN - GPR_DEP(rs); - GPR_DEP(rt); - GPR_RES(rd); - GPR_DEPRES_END - - uint32 result = (bool)(GPR[rs] < GPR[rt]); - - DO_LDS(); - - GPR[rd] = result; - - END_OPF; - - - // - // SRA - Shift Word Right Arithmetic - // - BEGIN_OPF(SRA, 0, 0x03); - RTYPE; - - GPR_DEPRES_BEGIN - GPR_DEP(rt); - GPR_RES(rd); - GPR_DEPRES_END - - uint32 result = ((int32)GPR[rt]) >> shamt; - - DO_LDS(); - - GPR[rd] = result; - - END_OPF; - - - // - // SRAV - Shift Word Right Arithmetic Variable - // - BEGIN_OPF(SRAV, 0, 0x07); - RTYPE; - - GPR_DEPRES_BEGIN - GPR_DEP(rs); - GPR_DEP(rt); - GPR_RES(rd); - GPR_DEPRES_END - - uint32 result = ((int32)GPR[rt]) >> (GPR[rs] & 0x1F); - - DO_LDS(); - - GPR[rd] = result; - - END_OPF; - - - // - // SRL - Shift Word Right Logical - // - BEGIN_OPF(SRL, 0, 0x02); - RTYPE; - - GPR_DEPRES_BEGIN - GPR_DEP(rt); - GPR_RES(rd); - GPR_DEPRES_END - - uint32 result = GPR[rt] >> shamt; - - DO_LDS(); - - GPR[rd] = result; - - END_OPF; - - // - // SRLV - Shift Word Right Logical Variable - // - BEGIN_OPF(SRLV, 0, 0x06); - RTYPE; - - GPR_DEPRES_BEGIN - GPR_DEP(rs); - GPR_DEP(rt); - GPR_RES(rd); - GPR_DEPRES_END - - uint32 result = GPR[rt] >> (GPR[rs] & 0x1F); - - DO_LDS(); - - GPR[rd] = result; - - END_OPF; - - - // - // SUB - Subtract Word - // - BEGIN_OPF(SUB, 0, 0x22); - RTYPE; - - GPR_DEPRES_BEGIN - GPR_DEP(rs); - GPR_DEP(rt); - GPR_RES(rd); - GPR_DEPRES_END - - uint32 result = GPR[rs] - GPR[rt]; - bool ep = (((GPR[rs] ^ GPR[rt])) & (GPR[rs] ^ result)) & 0x80000000; - - DO_LDS(); - - if(MDFN_UNLIKELY(ep)) - { - new_PC = Exception(EXCEPTION_OV, PC, new_PC_mask); - new_PC_mask = 0; - } - else - GPR[rd] = result; - - END_OPF; - - - // - // SUBU - Subtract Unsigned Word - // - BEGIN_OPF(SUBU, 0, 0x23); // SUBU - RTYPE; - - GPR_DEPRES_BEGIN - GPR_DEP(rs); - GPR_DEP(rt); - GPR_RES(rd); - GPR_DEPRES_END - - uint32 result = GPR[rs] - GPR[rt]; - - DO_LDS(); - - GPR[rd] = result; - - END_OPF; - - - // - // SYSCALL - // - BEGIN_OPF(SYSCALL, 0, 0x0C); - DO_LDS(); - - new_PC = Exception(EXCEPTION_SYSCALL, PC, new_PC_mask); - new_PC_mask = 0; - END_OPF; - - - // - // XOR - // - BEGIN_OPF(XOR, 0, 0x26); - RTYPE; - - GPR_DEPRES_BEGIN - GPR_DEP(rs); - GPR_DEP(rt); - GPR_RES(rd); - GPR_DEPRES_END - - uint32 result = GPR[rs] ^ GPR[rt]; - - DO_LDS(); - - GPR[rd] = result; - - END_OPF; - - // - // XORI - Exclusive OR Immediate - // - BEGIN_OPF(XORI, 0x0E, 0); - ITYPE_ZE; - - GPR_DEPRES_BEGIN - GPR_DEP(rs); - GPR_RES(rt); - GPR_DEPRES_END - - uint32 result = GPR[rs] ^ immediate; - - DO_LDS(); - - GPR[rt] = result; - END_OPF; - - // - // Memory access instructions(besides the coprocessor ones) follow: - // - - // - // LB - Load Byte - // - BEGIN_OPF(LB, 0x20, 0); - ITYPE; - - GPR_DEPRES_BEGIN - GPR_DEP(rs); - GPR_DEPRES_END - - uint32 address = GPR[rs] + immediate; - - DO_LDS(); - - LDWhich = rt; - LDValue = (int32)ReadMemory(timestamp, address); - END_OPF; - - // - // LBU - Load Byte Unsigned - // - BEGIN_OPF(LBU, 0x24, 0); - ITYPE; - - GPR_DEPRES_BEGIN - GPR_DEP(rs); - GPR_DEPRES_END - - uint32 address = GPR[rs] + immediate; - - DO_LDS(); - - LDWhich = rt; - LDValue = ReadMemory(timestamp, address); - END_OPF; - - // - // LH - Load Halfword - // - BEGIN_OPF(LH, 0x21, 0); - ITYPE; - - GPR_DEPRES_BEGIN - GPR_DEP(rs); - GPR_DEPRES_END - - uint32 address = GPR[rs] + immediate; - - DO_LDS(); - - if(MDFN_UNLIKELY(address & 1)) - { - new_PC = Exception(EXCEPTION_ADEL, PC, new_PC_mask); - new_PC_mask = 0; - } - else - { - LDWhich = rt; - LDValue = (int32)ReadMemory(timestamp, address); - } - END_OPF; - - // - // LHU - Load Halfword Unsigned - // - BEGIN_OPF(LHU, 0x25, 0); - ITYPE; - - GPR_DEPRES_BEGIN - GPR_DEP(rs); - GPR_DEPRES_END - - uint32 address = GPR[rs] + immediate; - - DO_LDS(); - - if(MDFN_UNLIKELY(address & 1)) - { - new_PC = Exception(EXCEPTION_ADEL, PC, new_PC_mask); - new_PC_mask = 0; - } - else - { - LDWhich = rt; - LDValue = ReadMemory(timestamp, address); - } - END_OPF; - - - // - // LW - Load Word - // - BEGIN_OPF(LW, 0x23, 0); - ITYPE; - - GPR_DEPRES_BEGIN - GPR_DEP(rs); - GPR_DEPRES_END - - uint32 address = GPR[rs] + immediate; - - DO_LDS(); - - if(MDFN_UNLIKELY(address & 3)) - { - new_PC = Exception(EXCEPTION_ADEL, PC, new_PC_mask); - new_PC_mask = 0; - } - else - { - LDWhich = rt; - LDValue = ReadMemory(timestamp, address); - } - END_OPF; - - // - // SB - Store Byte - // - BEGIN_OPF(SB, 0x28, 0); - ITYPE; - - GPR_DEPRES_BEGIN - GPR_DEP(rs); - GPR_DEP(rt); - GPR_DEPRES_END - - uint32 address = GPR[rs] + immediate; - - WriteMemory(timestamp, address, GPR[rt]); - - DO_LDS(); - END_OPF; - - // - // SH - Store Halfword - // - BEGIN_OPF(SH, 0x29, 0); - ITYPE; - - GPR_DEPRES_BEGIN - GPR_DEP(rs); - GPR_DEP(rt); - GPR_DEPRES_END - - uint32 address = GPR[rs] + immediate; - - if(MDFN_UNLIKELY(address & 0x1)) - { - new_PC = Exception(EXCEPTION_ADES, PC, new_PC_mask); - new_PC_mask = 0; - } - else - WriteMemory(timestamp, address, GPR[rt]); - - DO_LDS(); - END_OPF; - - // - // SW - Store Word - // - BEGIN_OPF(SW, 0x2B, 0); - ITYPE; - - GPR_DEPRES_BEGIN - GPR_DEP(rs); - GPR_DEP(rt); - GPR_DEPRES_END - - uint32 address = GPR[rs] + immediate; - - if(MDFN_UNLIKELY(address & 0x3)) - { - new_PC = Exception(EXCEPTION_ADES, PC, new_PC_mask); - new_PC_mask = 0; - } - else - WriteMemory(timestamp, address, GPR[rt]); - - DO_LDS(); - END_OPF; - - // LWL and LWR load delay slot tomfoolery appears to apply even to MFC0! (and probably MFCn and CFCn as well, though they weren't explicitly tested) - - // - // LWL - Load Word Left - // - BEGIN_OPF(LWL, 0x22, 0); - ITYPE; - - GPR_DEPRES_BEGIN - GPR_DEP(rs); - //GPR_DEP(rt); - GPR_DEPRES_END - - uint32 address = GPR[rs] + immediate; - uint32 v = GPR[rt]; - - if(LDWhich == rt) - { - v = LDValue; - ReadFudge = 0; - } - else - { - DO_LDS(); - } - - LDWhich = rt; - switch(address & 0x3) - { - case 0: LDValue = (v & ~(0xFF << 24)) | (ReadMemory(timestamp, address & ~3) << 24); - break; - - case 1: LDValue = (v & ~(0xFFFF << 16)) | (ReadMemory(timestamp, address & ~3) << 16); - break; - - case 2: LDValue = (v & ~(0xFFFFFF << 8)) | (ReadMemory(timestamp, address & ~3, true) << 8); - break; - - case 3: LDValue = (v & ~(0xFFFFFFFF << 0)) | (ReadMemory(timestamp, address & ~3) << 0); - break; - } - END_OPF; - - // - // SWL - Store Word Left - // - BEGIN_OPF(SWL, 0x2A, 0); - ITYPE; - - GPR_DEPRES_BEGIN - GPR_DEP(rs); - GPR_DEP(rt); - GPR_DEPRES_END - - uint32 address = GPR[rs] + immediate; - - switch(address & 0x3) - { - case 0: WriteMemory(timestamp, address & ~3, GPR[rt] >> 24); - break; - - case 1: WriteMemory(timestamp, address & ~3, GPR[rt] >> 16); - break; - - case 2: WriteMemory(timestamp, address & ~3, GPR[rt] >> 8, true); - break; - - case 3: WriteMemory(timestamp, address & ~3, GPR[rt] >> 0); - break; - } - DO_LDS(); - - END_OPF; - - // - // LWR - Load Word Right - // - BEGIN_OPF(LWR, 0x26, 0); - ITYPE; - - GPR_DEPRES_BEGIN - GPR_DEP(rs); - //GPR_DEP(rt); - GPR_DEPRES_END - - uint32 address = GPR[rs] + immediate; - uint32 v = GPR[rt]; - - if(LDWhich == rt) - { - v = LDValue; - ReadFudge = 0; - } - else - { - DO_LDS(); - } - - LDWhich = rt; - switch(address & 0x3) - { - case 0: LDValue = (v & ~(0xFFFFFFFF)) | ReadMemory(timestamp, address); - break; - - case 1: LDValue = (v & ~(0xFFFFFF)) | ReadMemory(timestamp, address, true); - break; - - case 2: LDValue = (v & ~(0xFFFF)) | ReadMemory(timestamp, address); - break; - - case 3: LDValue = (v & ~(0xFF)) | ReadMemory(timestamp, address); - break; - } - END_OPF; - - // - // SWR - Store Word Right - // - BEGIN_OPF(SWR, 0x2E, 0); - ITYPE; - - GPR_DEPRES_BEGIN - GPR_DEP(rs); - GPR_DEP(rt); - GPR_DEPRES_END - - uint32 address = GPR[rs] + immediate; - - switch(address & 0x3) - { - case 0: WriteMemory(timestamp, address, GPR[rt]); - break; - - case 1: WriteMemory(timestamp, address, GPR[rt], true); - break; - - case 2: WriteMemory(timestamp, address, GPR[rt]); - break; - - case 3: WriteMemory(timestamp, address, GPR[rt]); - break; - } - - DO_LDS(); - - END_OPF; - - // - // Mednafen special instruction - // - BEGIN_OPF(INTERRUPT, 0x3F, 0); - if(Halted) - { - goto SkipNPCStuff; - } - else - { - DO_LDS(); - - new_PC = Exception(EXCEPTION_INT, PC, new_PC_mask); - new_PC_mask = 0; - } - END_OPF; - } - - OpDone: ; - - PC = (PC & new_PC_mask) + new_PC; - new_PC_mask = ~0U; - new_PC = 4; - - SkipNPCStuff: ; - - //printf("\n"); - } - } while(MDFN_LIKELY(PSX_EventHandler(timestamp))); - - if(gte_ts_done > 0) - gte_ts_done -= timestamp; - - if(muldiv_ts_done > 0) - muldiv_ts_done -= timestamp; - + + CGBEGIN + CGE(op_SLL) CGE(op_ILL) CGE(op_SRL) CGE(op_SRA) CGE(op_SLLV) CGE(op_ILL) CGE(op_SRLV) CGE(op_SRAV) + CGE(op_JR) CGE(op_JALR) CGE(op_ILL) CGE(op_ILL) CGE(op_SYSCALL) CGE(op_BREAK) CGE(op_ILL) CGE(op_ILL) + CGE(op_MFHI) CGE(op_MTHI) CGE(op_MFLO) CGE(op_MTLO) CGE(op_ILL) CGE(op_ILL) CGE(op_ILL) CGE(op_ILL) + CGE(op_MULT) CGE(op_MULTU) CGE(op_DIV) CGE(op_DIVU) CGE(op_ILL) CGE(op_ILL) CGE(op_ILL) CGE(op_ILL) + CGE(op_ADD) CGE(op_ADDU) CGE(op_SUB) CGE(op_SUBU) CGE(op_AND) CGE(op_OR) CGE(op_XOR) CGE(op_NOR) + CGE(op_ILL) CGE(op_ILL) CGE(op_SLT) CGE(op_SLTU) CGE(op_ILL) CGE(op_ILL) CGE(op_ILL) CGE(op_ILL) + CGE(op_ILL) CGE(op_ILL) CGE(op_ILL) CGE(op_ILL) CGE(op_ILL) CGE(op_ILL) CGE(op_ILL) CGE(op_ILL) + CGE(op_ILL) CGE(op_ILL) CGE(op_ILL) CGE(op_ILL) CGE(op_ILL) CGE(op_ILL) CGE(op_ILL) CGE(op_ILL) + + CGE(op_ILL) CGE(op_BCOND) CGE(op_J) CGE(op_JAL) CGE(op_BEQ) CGE(op_BNE) CGE(op_BLEZ) CGE(op_BGTZ) + CGE(op_ADDI) CGE(op_ADDIU) CGE(op_SLTI) CGE(op_SLTIU) CGE(op_ANDI) CGE(op_ORI) CGE(op_XORI) CGE(op_LUI) + CGE(op_COP0) CGE(op_COP13) CGE(op_COP2) CGE(op_COP13) CGE(op_ILL) CGE(op_ILL) CGE(op_ILL) CGE(op_ILL) + CGE(op_ILL) CGE(op_ILL) CGE(op_ILL) CGE(op_ILL) CGE(op_ILL) CGE(op_ILL) CGE(op_ILL) CGE(op_ILL) + CGE(op_LB) CGE(op_LH) CGE(op_LWL) CGE(op_LW) CGE(op_LBU) CGE(op_LHU) CGE(op_LWR) CGE(op_ILL) + CGE(op_SB) CGE(op_SH) CGE(op_SWL) CGE(op_SW) CGE(op_ILL) CGE(op_ILL) CGE(op_SWR) CGE(op_ILL) + CGE(op_LWC013) CGE(op_LWC013) CGE(op_LWC2) CGE(op_LWC013) CGE(op_ILL) CGE(op_ILL) CGE(op_ILL) CGE(op_ILL) + CGE(op_SWC013) CGE(op_SWC013) CGE(op_SWC2) CGE(op_SWC013) CGE(op_ILL) CGE(op_ILL) CGE(op_ILL) CGE(op_ILL) + + // Interrupt portion of this table is constructed so that an interrupt won't be taken when the PC is pointing to a GTE instruction, + // to avoid problems caused by pipeline vs coprocessor nuances that aren't emulated. + CGE(op_INTERRUPT) CGE(op_INTERRUPT) CGE(op_INTERRUPT) CGE(op_INTERRUPT) CGE(op_INTERRUPT) CGE(op_INTERRUPT) CGE(op_INTERRUPT) CGE(op_INTERRUPT) + CGE(op_INTERRUPT) CGE(op_INTERRUPT) CGE(op_INTERRUPT) CGE(op_INTERRUPT) CGE(op_INTERRUPT) CGE(op_INTERRUPT) CGE(op_INTERRUPT) CGE(op_INTERRUPT) + CGE(op_INTERRUPT) CGE(op_INTERRUPT) CGE(op_INTERRUPT) CGE(op_INTERRUPT) CGE(op_INTERRUPT) CGE(op_INTERRUPT) CGE(op_INTERRUPT) CGE(op_INTERRUPT) + CGE(op_INTERRUPT) CGE(op_INTERRUPT) CGE(op_INTERRUPT) CGE(op_INTERRUPT) CGE(op_INTERRUPT) CGE(op_INTERRUPT) CGE(op_INTERRUPT) CGE(op_INTERRUPT) + CGE(op_INTERRUPT) CGE(op_INTERRUPT) CGE(op_INTERRUPT) CGE(op_INTERRUPT) CGE(op_INTERRUPT) CGE(op_INTERRUPT) CGE(op_INTERRUPT) CGE(op_INTERRUPT) + CGE(op_INTERRUPT) CGE(op_INTERRUPT) CGE(op_INTERRUPT) CGE(op_INTERRUPT) CGE(op_INTERRUPT) CGE(op_INTERRUPT) CGE(op_INTERRUPT) CGE(op_INTERRUPT) + CGE(op_INTERRUPT) CGE(op_INTERRUPT) CGE(op_INTERRUPT) CGE(op_INTERRUPT) CGE(op_INTERRUPT) CGE(op_INTERRUPT) CGE(op_INTERRUPT) CGE(op_INTERRUPT) + CGE(op_INTERRUPT) CGE(op_INTERRUPT) CGE(op_INTERRUPT) CGE(op_INTERRUPT) CGE(op_INTERRUPT) CGE(op_INTERRUPT) CGE(op_INTERRUPT) CGE(op_INTERRUPT) + + CGE(op_ILL) CGE(op_INTERRUPT) CGE(op_INTERRUPT) CGE(op_INTERRUPT) CGE(op_INTERRUPT) CGE(op_INTERRUPT) CGE(op_INTERRUPT) CGE(op_INTERRUPT) + CGE(op_INTERRUPT) CGE(op_INTERRUPT) CGE(op_INTERRUPT) CGE(op_INTERRUPT) CGE(op_INTERRUPT) CGE(op_INTERRUPT) CGE(op_INTERRUPT) CGE(op_INTERRUPT) + CGE(op_INTERRUPT) CGE(op_INTERRUPT) CGE(op_COP2) CGE(op_INTERRUPT) CGE(op_INTERRUPT) CGE(op_INTERRUPT) CGE(op_INTERRUPT) CGE(op_INTERRUPT) + CGE(op_INTERRUPT) CGE(op_INTERRUPT) CGE(op_INTERRUPT) CGE(op_INTERRUPT) CGE(op_INTERRUPT) CGE(op_INTERRUPT) CGE(op_INTERRUPT) CGE(op_INTERRUPT) + CGE(op_INTERRUPT) CGE(op_INTERRUPT) CGE(op_INTERRUPT) CGE(op_INTERRUPT) CGE(op_INTERRUPT) CGE(op_INTERRUPT) CGE(op_INTERRUPT) CGE(op_INTERRUPT) + CGE(op_INTERRUPT) CGE(op_INTERRUPT) CGE(op_INTERRUPT) CGE(op_INTERRUPT) CGE(op_INTERRUPT) CGE(op_INTERRUPT) CGE(op_INTERRUPT) CGE(op_INTERRUPT) + CGE(op_INTERRUPT) CGE(op_INTERRUPT) CGE(op_INTERRUPT) CGE(op_INTERRUPT) CGE(op_INTERRUPT) CGE(op_INTERRUPT) CGE(op_INTERRUPT) CGE(op_INTERRUPT) + CGE(op_INTERRUPT) CGE(op_INTERRUPT) CGE(op_INTERRUPT) CGE(op_INTERRUPT) CGE(op_INTERRUPT) CGE(op_INTERRUPT) CGE(op_INTERRUPT) CGE(op_INTERRUPT) + CGEND + + { + BEGIN_OPF(ILL); + PSX_WARNING("[CPU] Unknown instruction @%08x = %08x, op=%02x, funct=%02x", PC, instr, instr >> 26, (instr & 0x3F)); + DO_LDS(); + new_PC = Exception(EXCEPTION_RI, PC, new_PC, new_PC_mask, instr); + new_PC_mask = 0; + END_OPF; + + // + // ADD - Add Word + // + BEGIN_OPF(ADD); + RTYPE; + + GPR_DEPRES_BEGIN + GPR_DEP(rs); + GPR_DEP(rt); + GPR_RES(rd); + GPR_DEPRES_END + + uint32 result = GPR[rs] + GPR[rt]; + bool ep = ((~(GPR[rs] ^ GPR[rt])) & (GPR[rs] ^ result)) & 0x80000000; + + DO_LDS(); + + if(MDFN_UNLIKELY(ep)) + { + new_PC = Exception(EXCEPTION_OV, PC, new_PC, new_PC_mask, instr); + new_PC_mask = 0; + } + else + GPR[rd] = result; + + END_OPF; + + // + // ADDI - Add Immediate Word + // + BEGIN_OPF(ADDI); + ITYPE; + + GPR_DEPRES_BEGIN + GPR_DEP(rs); + GPR_RES(rt); + GPR_DEPRES_END + + uint32 result = GPR[rs] + immediate; + bool ep = ((~(GPR[rs] ^ immediate)) & (GPR[rs] ^ result)) & 0x80000000; + + DO_LDS(); + + if(MDFN_UNLIKELY(ep)) + { + new_PC = Exception(EXCEPTION_OV, PC, new_PC, new_PC_mask, instr); + new_PC_mask = 0; + } + else + GPR[rt] = result; + + END_OPF; + + // + // ADDIU - Add Immediate Unsigned Word + // + BEGIN_OPF(ADDIU); + ITYPE; + + GPR_DEPRES_BEGIN + GPR_DEP(rs); + GPR_RES(rt); + GPR_DEPRES_END + + uint32 result = GPR[rs] + immediate; + + DO_LDS(); + + GPR[rt] = result; + + END_OPF; + + // + // ADDU - Add Unsigned Word + // + BEGIN_OPF(ADDU); + RTYPE; + + GPR_DEPRES_BEGIN + GPR_DEP(rs); + GPR_DEP(rt); + GPR_RES(rd); + GPR_DEPRES_END + + uint32 result = GPR[rs] + GPR[rt]; + + DO_LDS(); + + GPR[rd] = result; + + END_OPF; + + // + // AND - And + // + BEGIN_OPF(AND); + RTYPE; + + GPR_DEPRES_BEGIN + GPR_DEP(rs); + GPR_DEP(rt); + GPR_RES(rd); + GPR_DEPRES_END + + uint32 result = GPR[rs] & GPR[rt]; + + DO_LDS(); + + GPR[rd] = result; + + END_OPF; + + // + // ANDI - And Immediate + // + BEGIN_OPF(ANDI); + ITYPE_ZE; + + GPR_DEPRES_BEGIN + GPR_DEP(rs); + GPR_RES(rt); + GPR_DEPRES_END + + uint32 result = GPR[rs] & immediate; + + DO_LDS(); + + GPR[rt] = result; + + END_OPF; + + // + // BEQ - Branch on Equal + // + BEGIN_OPF(BEQ); + ITYPE; + + GPR_DEPRES_BEGIN + GPR_DEP(rs); + GPR_DEP(rt); + GPR_DEPRES_END + + const bool result = (GPR[rs] == GPR[rt]); + + DO_LDS(); + + DO_BRANCH(result, (immediate << 2), ~0U, false, 0); + END_OPF; + + // Bah, why does MIPS encoding have to be funky like this. :( + // Handles BGEZ, BGEZAL, BLTZ, BLTZAL + BEGIN_OPF(BCOND); + const uint32 tv = GPR[(instr >> 21) & 0x1F]; + const uint32 riv = (instr >> 16) & 0x1F; + const uint32 immediate = (int32)(int16)(instr & 0xFFFF); + const bool result = (int32)(tv ^ (riv << 31)) < 0; + const uint32 link = ((riv & 0x1E) == 0x10) ? 31 : 0; + + GPR_DEPRES_BEGIN + GPR_DEP((instr >> 21) & 0x1F); + GPR_RES(link); + GPR_DEPRES_END + + DO_LDS(); + + DO_BRANCH(result, (immediate << 2), ~0U, true, link); + END_OPF; + + + // + // BGTZ - Branch on Greater than Zero + // + BEGIN_OPF(BGTZ); + ITYPE; + + GPR_DEPRES_BEGIN + GPR_DEP(rs); + GPR_DEPRES_END + + const bool result = (int32)GPR[rs] > 0; + + DO_LDS(); + + DO_BRANCH(result, (immediate << 2), ~0U, false, 0); + END_OPF; + + // + // BLEZ - Branch on Less Than or Equal to Zero + // + BEGIN_OPF(BLEZ); + ITYPE; + + GPR_DEPRES_BEGIN + GPR_DEP(rs); + GPR_DEPRES_END + + const bool result = (int32)GPR[rs] <= 0; + + DO_LDS(); + + DO_BRANCH(result, (immediate << 2), ~0U, false, 0); + END_OPF; + + // + // BNE - Branch on Not Equal + // + BEGIN_OPF(BNE); + ITYPE; + + GPR_DEPRES_BEGIN + GPR_DEP(rs); + GPR_DEP(rt); + GPR_DEPRES_END + + const bool result = GPR[rs] != GPR[rt]; + + DO_LDS(); + + DO_BRANCH(result, (immediate << 2), ~0U, false, 0); + END_OPF; + + // + // BREAK - Breakpoint + // + BEGIN_OPF(BREAK); + DO_LDS(); + new_PC = Exception(EXCEPTION_BP, PC, new_PC, new_PC_mask, instr); + new_PC_mask = 0; + END_OPF; + + // Cop "instructions": CFCz(no CP0), COPz, CTCz(no CP0), LWCz(no CP0), MFCz, MTCz, SWCz(no CP0) + // + // COP0 instructions + // + BEGIN_OPF(COP0); + const uint32 sub_op = (instr >> 21) & 0x1F; + const uint32 rt = (instr >> 16) & 0x1F; + const uint32 rd = (instr >> 11) & 0x1F; + const uint32 val = GPR[rt]; + + switch(sub_op) + { + default: + DO_LDS(); + break; + + case 0x02: + case 0x06: + DO_LDS(); + new_PC = Exception(EXCEPTION_RI, PC, new_PC, new_PC_mask, instr); + new_PC_mask = 0; + break; + + case 0x00: // MFC0 - Move from Coprocessor + switch(rd) + { + case 0x00: + case 0x01: + case 0x02: + case 0x04: + case 0x0A: + DO_LDS(); + new_PC = Exception(EXCEPTION_RI, PC, new_PC, new_PC_mask, instr); + new_PC_mask = 0; + break; + + case 0x03: + case 0x05: + case 0x06: + case 0x07: + case 0x08: + case 0x09: + case 0x0B: + case 0x0C: + case 0x0D: + case 0x0E: + case 0x0F: + if(MDFN_UNLIKELY(LDWhich == rt)) + LDWhich = 0; + + DO_LDS(); + + LDAbsorb = 0; + LDWhich = rt; + LDValue = CP0.Regs[rd]; + break; + + default: + // Tested to be rather NOPish + DO_LDS(); + PSX_DBG(PSX_DBG_WARNING, "[CPU] MFC0 from unmapped CP0 register %u.\n", rd); + break; + } + break; + + case 0x04: // MTC0 - Move to Coprocessor + DO_LDS(); + switch(rd) + { + case 0x00: + case 0x01: + case 0x02: + case 0x04: + case 0x0A: + new_PC = Exception(EXCEPTION_RI, PC, new_PC, new_PC_mask, instr); + new_PC_mask = 0; + break; + + case CP0REG_BPC: + CP0.BPC = val; + break; + + case CP0REG_BDA: + CP0.BDA = val; + break; + + case CP0REG_DCIC: + if(val) + { + PSX_DBG(PSX_DBG_WARNING, "[CPU] Non-zero write to DCIC: 0x%08x\n", val); + } + CP0.DCIC = val & 0xFF80003F; + break; + + case CP0REG_BDAM: + CP0.BDAM = val; + break; + + case CP0REG_BPCM: + CP0.BPCM = val; + break; + + case CP0REG_CAUSE: + CP0.CAUSE &= ~(0x3 << 8); + CP0.CAUSE |= val & (0x3 << 8); + RecalcIPCache(); + break; + + case CP0REG_SR: + if((CP0.SR ^ val) & 0x10000) + PSX_DBG(PSX_DBG_SPARSE, "[CPU] IsC %u->%u\n", (bool)(CP0.SR & (1U << 16)), (bool)(val & (1U << 16))); + + CP0.SR = val & ~( (0x3 << 26) | (0x3 << 23) | (0x3 << 6)); + RecalcIPCache(); + break; + } + break; + + case 0x08: // BC + case 0x0C: + DO_LDS(); + { + const uint32 immediate = (int32)(int16)(instr & 0xFFFF); + const bool result = (false == (bool)(instr & (1U << 16))); + + PSX_DBG(PSX_DBG_WARNING, "[CPU] BC0x instruction(0x%08x) @ PC=0x%08x\n", instr, PC); + + DO_BRANCH(result, (immediate << 2), ~0U, false, 0); + } + break; + + case 0x10: case 0x11: case 0x12: case 0x13: case 0x14: case 0x15: case 0x16: case 0x17: + case 0x18: case 0x19: case 0x1A: case 0x1B: case 0x1C: case 0x1D: case 0x1E: case 0x1F: + DO_LDS(); + { + const uint32 cp0_op = instr & 0x1F; // Not 0x3F + + if(MDFN_LIKELY(cp0_op == 0x10)) // RFE + { + // "Pop" + CP0.SR = (CP0.SR & ~0x0F) | ((CP0.SR >> 2) & 0x0F); + RecalcIPCache(); + } + else if(cp0_op == 0x01 || cp0_op == 0x02 || cp0_op == 0x06 || cp0_op == 0x08) // TLBR, TLBWI, TLBWR, TLBP + { + new_PC = Exception(EXCEPTION_RI, PC, new_PC, new_PC_mask, instr); + new_PC_mask = 0; + } + } + break; + } + END_OPF; + + // + // COP2 + // + BEGIN_OPF(COP2); + const uint32 sub_op = (instr >> 21) & 0x1F; + const uint32 rt = (instr >> 16) & 0x1F; + const uint32 rd = (instr >> 11) & 0x1F; + const uint32 val = GPR[rt]; + + if(MDFN_UNLIKELY(!(CP0.SR & (1U << (28 + 2))))) + { + DO_LDS(); + new_PC = Exception(EXCEPTION_COPU, PC, new_PC, new_PC_mask, instr); + new_PC_mask = 0; + } + else switch(sub_op) + { + default: + DO_LDS(); + break; + + case 0x00: // MFC2 - Move from Coprocessor + if(MDFN_UNLIKELY(LDWhich == rt)) + LDWhich = 0; + + DO_LDS(); + + if(timestamp < gte_ts_done) + { + LDAbsorb = gte_ts_done - timestamp; + timestamp = gte_ts_done; + } + else + LDAbsorb = 0; + + LDWhich = rt; + LDValue = GTE_ReadDR(rd); + break; + + case 0x04: // MTC2 - Move to Coprocessor + DO_LDS(); + + if(timestamp < gte_ts_done) + timestamp = gte_ts_done; + + GTE_WriteDR(rd, val); + break; + + case 0x02: // CFC2 + if(MDFN_UNLIKELY(LDWhich == rt)) + LDWhich = 0; + + DO_LDS(); + + if(timestamp < gte_ts_done) + { + LDAbsorb = gte_ts_done - timestamp; + timestamp = gte_ts_done; + } + else + LDAbsorb = 0; + + LDWhich = rt; + LDValue = GTE_ReadCR(rd); + break; + + case 0x06: // CTC2 + DO_LDS(); + + if(timestamp < gte_ts_done) + timestamp = gte_ts_done; + + GTE_WriteCR(rd, val); + break; + + case 0x08: + case 0x0C: + DO_LDS(); + { + const uint32 immediate = (int32)(int16)(instr & 0xFFFF); + const bool result = (false == (bool)(instr & (1U << 16))); + + PSX_DBG(PSX_DBG_WARNING, "[CPU] BC2x instruction(0x%08x) @ PC=0x%08x\n", instr, PC); + + DO_BRANCH(result, (immediate << 2), ~0U, false, 0); + } + break; + + case 0x10: case 0x11: case 0x12: case 0x13: case 0x14: case 0x15: case 0x16: case 0x17: + case 0x18: case 0x19: case 0x1A: case 0x1B: case 0x1C: case 0x1D: case 0x1E: case 0x1F: + DO_LDS(); + + if(timestamp < gte_ts_done) + timestamp = gte_ts_done; + gte_ts_done = timestamp + GTE_Instruction(instr); + break; + } + END_OPF; + + // + // COP1, COP3 + // + BEGIN_OPF(COP13); + DO_LDS(); + + if(!(CP0.SR & (1U << (28 + ((instr >> 26) & 0x3))))) + { + new_PC = Exception(EXCEPTION_COPU, PC, new_PC, new_PC_mask, instr); + new_PC_mask = 0; + } + else + { + const uint32 sub_op = (instr >> 21) & 0x1F; + + PSX_DBG(PSX_DBG_WARNING, "[CPU] COP%u instruction(0x%08x) @ PC=0x%08x\n", (instr >> 26) & 0x3, instr, PC); + + if(sub_op == 0x08 || sub_op == 0x0C) + { + const uint32 immediate = (int32)(int16)(instr & 0xFFFF); + const bool result = (false == (bool)(instr & (1U << 16))); + + DO_BRANCH(result, (immediate << 2), ~0U, false, 0); + } + } + END_OPF; + + // + // LWC0, LWC1, LWC3 + // + BEGIN_OPF(LWC013); + ITYPE; + const uint32 address = GPR[rs] + immediate; + + DO_LDS(); + + if(!(CP0.SR & (1U << (28 + ((instr >> 26) & 0x3))))) + { + new_PC = Exception(EXCEPTION_COPU, PC, new_PC, new_PC_mask, instr); + new_PC_mask = 0; + } + else + { + if(MDFN_UNLIKELY(address & 3)) + { + CP0.BADVA = address; + new_PC = Exception(EXCEPTION_ADEL, PC, new_PC, new_PC_mask, instr); + new_PC_mask = 0; + } + else + { + PSX_DBG(PSX_DBG_WARNING, "[CPU] LWC%u instruction(0x%08x) @ PC=0x%08x\n", (instr >> 26) & 0x3, instr, PC); + + ReadMemory(timestamp, address, false, true); + } + } + END_OPF; + + // + // LWC2 + // + BEGIN_OPF(LWC2); + ITYPE; + const uint32 address = GPR[rs] + immediate; + + DO_LDS(); + + if(MDFN_UNLIKELY(address & 3)) + { + CP0.BADVA = address; + new_PC = Exception(EXCEPTION_ADEL, PC, new_PC, new_PC_mask, instr); + new_PC_mask = 0; + } + else + { + if(timestamp < gte_ts_done) + timestamp = gte_ts_done; + + GTE_WriteDR(rt, ReadMemory(timestamp, address, false, true)); + } + // GTE stuff here + END_OPF; + + // + // SWC0, SWC1, SCW3 + // + BEGIN_OPF(SWC013); + ITYPE; + const uint32 address = GPR[rs] + immediate; + + DO_LDS(); + + if(!(CP0.SR & (1U << (28 + ((instr >> 26) & 0x3))))) + { + new_PC = Exception(EXCEPTION_COPU, PC, new_PC, new_PC_mask, instr); + new_PC_mask = 0; + } + else + { + if(MDFN_UNLIKELY(address & 0x3)) + { + CP0.BADVA = address; + new_PC = Exception(EXCEPTION_ADES, PC, new_PC, new_PC_mask, instr); + new_PC_mask = 0; + } + else + { + PSX_DBG(PSX_DBG_WARNING, "[CPU] SWC%u instruction(0x%08x) @ PC=0x%08x\n", (instr >> 26) & 0x3, instr, PC); + //WriteMemory(timestamp, address, SOMETHING); + } + } + END_OPF; + + // + // SWC2 + // + BEGIN_OPF(SWC2); + ITYPE; + const uint32 address = GPR[rs] + immediate; + + if(MDFN_UNLIKELY(address & 0x3)) + { + CP0.BADVA = address; + new_PC = Exception(EXCEPTION_ADES, PC, new_PC, new_PC_mask, instr); + new_PC_mask = 0; + } + else + { + if(timestamp < gte_ts_done) + timestamp = gte_ts_done; + + WriteMemory(timestamp, address, GTE_ReadDR(rt)); + } + DO_LDS(); + END_OPF; + + // + // DIV - Divide Word + // + BEGIN_OPF(DIV); + RTYPE; + + GPR_DEPRES_BEGIN + GPR_DEP(rs); + GPR_DEP(rt); + GPR_DEPRES_END + + if(!GPR[rt]) + { + if(GPR[rs] & 0x80000000) + LO = 1; + else + LO = 0xFFFFFFFF; + + HI = GPR[rs]; + } + else if(GPR[rs] == 0x80000000 && GPR[rt] == 0xFFFFFFFF) + { + LO = 0x80000000; + HI = 0; + } + else + { + LO = (int32)GPR[rs] / (int32)GPR[rt]; + HI = (int32)GPR[rs] % (int32)GPR[rt]; + } + muldiv_ts_done = timestamp + 37; + + DO_LDS(); + + END_OPF; + + + // + // DIVU - Divide Unsigned Word + // + BEGIN_OPF(DIVU); + RTYPE; + + GPR_DEPRES_BEGIN + GPR_DEP(rs); + GPR_DEP(rt); + GPR_DEPRES_END + + if(!GPR[rt]) + { + LO = 0xFFFFFFFF; + HI = GPR[rs]; + } + else + { + LO = GPR[rs] / GPR[rt]; + HI = GPR[rs] % GPR[rt]; + } + muldiv_ts_done = timestamp + 37; + + DO_LDS(); + END_OPF; + + // + // J - Jump + // + BEGIN_OPF(J); + JTYPE; + + DO_LDS(); + + DO_BRANCH(true, target << 2, 0xF0000000, false, 0); + END_OPF; + + // + // JAL - Jump and Link + // + BEGIN_OPF(JAL); + JTYPE; + + //GPR_DEPRES_BEGIN + GPR_RES(31); + //GPR_DEPRES_END + + DO_LDS(); + + DO_BRANCH(true, target << 2, 0xF0000000, true, 31); + END_OPF; + + // + // JALR - Jump and Link Register + // + BEGIN_OPF(JALR); + RTYPE; + + GPR_DEPRES_BEGIN + GPR_DEP(rs); + GPR_RES(rd); + GPR_DEPRES_END + + uint32 tmp = GPR[rs]; + + DO_LDS(); + + DO_BRANCH(true, tmp, 0, true, rd); + END_OPF; + + // + // JR - Jump Register + // + BEGIN_OPF(JR); + RTYPE; + + GPR_DEPRES_BEGIN + GPR_DEP(rs); + GPR_RES(rd); + GPR_DEPRES_END + + uint32 bt = GPR[rs]; + + DO_LDS(); + + DO_BRANCH(true, bt, 0, false, 0); + END_OPF; + + // + // LUI - Load Upper Immediate + // + BEGIN_OPF(LUI); + ITYPE_ZE; // Actually, probably would be sign-extending...if we were emulating a 64-bit MIPS chip :b + + GPR_DEPRES_BEGIN + GPR_RES(rt); + GPR_DEPRES_END + + DO_LDS(); + + GPR[rt] = immediate << 16; + + END_OPF; + + // + // MFHI - Move from HI + // + BEGIN_OPF(MFHI); + RTYPE; + + GPR_DEPRES_BEGIN + GPR_RES(rd); + GPR_DEPRES_END + + DO_LDS(); + + if(timestamp < muldiv_ts_done) + { + if(timestamp == muldiv_ts_done - 1) + muldiv_ts_done--; + else + { + do + { + if(ReadAbsorb[ReadAbsorbWhich]) + ReadAbsorb[ReadAbsorbWhich]--; + timestamp++; + } while(timestamp < muldiv_ts_done); + } + } + + GPR[rd] = HI; + + END_OPF; + + + // + // MFLO - Move from LO + // + BEGIN_OPF(MFLO); + RTYPE; + + GPR_DEPRES_BEGIN + GPR_RES(rd); + GPR_DEPRES_END + + DO_LDS(); + + if(timestamp < muldiv_ts_done) + { + if(timestamp == muldiv_ts_done - 1) + muldiv_ts_done--; + else + { + do + { + if(ReadAbsorb[ReadAbsorbWhich]) + ReadAbsorb[ReadAbsorbWhich]--; + timestamp++; + } while(timestamp < muldiv_ts_done); + } + } + + GPR[rd] = LO; + + END_OPF; + + + // + // MTHI - Move to HI + // + BEGIN_OPF(MTHI); + RTYPE; + + GPR_DEPRES_BEGIN + GPR_DEP(rs); + GPR_DEPRES_END + + HI = GPR[rs]; + + DO_LDS(); + + END_OPF; + + // + // MTLO - Move to LO + // + BEGIN_OPF(MTLO); + RTYPE; + + GPR_DEPRES_BEGIN + GPR_DEP(rs); + GPR_DEPRES_END + + LO = GPR[rs]; + + DO_LDS(); + + END_OPF; + + + // + // MULT - Multiply Word + // + BEGIN_OPF(MULT); + RTYPE; + + GPR_DEPRES_BEGIN + GPR_DEP(rs); + GPR_DEP(rt); + GPR_DEPRES_END + + uint64 result; + + result = (int64)(int32)GPR[rs] * (int32)GPR[rt]; + muldiv_ts_done = timestamp + MULT_Tab24[MDFN_lzcount32((GPR[rs] ^ ((int32)GPR[rs] >> 31)) | 0x400)]; + DO_LDS(); + + LO = result; + HI = result >> 32; + + END_OPF; + + // + // MULTU - Multiply Unsigned Word + // + BEGIN_OPF(MULTU); + RTYPE; + + GPR_DEPRES_BEGIN + GPR_DEP(rs); + GPR_DEP(rt); + GPR_DEPRES_END + + uint64 result; + + result = (uint64)GPR[rs] * GPR[rt]; + muldiv_ts_done = timestamp + MULT_Tab24[MDFN_lzcount32(GPR[rs] | 0x400)]; + DO_LDS(); + + LO = result; + HI = result >> 32; + + END_OPF; + + + // + // NOR - NOR + // + BEGIN_OPF(NOR); + RTYPE; + + GPR_DEPRES_BEGIN + GPR_DEP(rs); + GPR_DEP(rt); + GPR_RES(rd); + GPR_DEPRES_END + + uint32 result = ~(GPR[rs] | GPR[rt]); + + DO_LDS(); + + GPR[rd] = result; + + END_OPF; + + // + // OR - OR + // + BEGIN_OPF(OR); + RTYPE; + + GPR_DEPRES_BEGIN + GPR_DEP(rs); + GPR_DEP(rt); + GPR_RES(rd); + GPR_DEPRES_END + + uint32 result = GPR[rs] | GPR[rt]; + + DO_LDS(); + + GPR[rd] = result; + + END_OPF; + + + // + // ORI - OR Immediate + // + BEGIN_OPF(ORI); + ITYPE_ZE; + + GPR_DEPRES_BEGIN + GPR_DEP(rs); + GPR_RES(rt); + GPR_DEPRES_END + + uint32 result = GPR[rs] | immediate; + + DO_LDS(); + + GPR[rt] = result; + + END_OPF; + + + // + // SLL - Shift Word Left Logical + // + BEGIN_OPF(SLL); // SLL + RTYPE; + + GPR_DEPRES_BEGIN + GPR_DEP(rt); + GPR_RES(rd); + GPR_DEPRES_END + + uint32 result = GPR[rt] << shamt; + + DO_LDS(); + + GPR[rd] = result; + + END_OPF; + + + // + // SLLV - Shift Word Left Logical Variable + // + BEGIN_OPF(SLLV); + RTYPE; + + GPR_DEPRES_BEGIN + GPR_DEP(rs); + GPR_DEP(rt); + GPR_RES(rd); + GPR_DEPRES_END + + uint32 result = GPR[rt] << (GPR[rs] & 0x1F); + + DO_LDS(); + + GPR[rd] = result; + + END_OPF; + + // + // SLT - Set on Less Than + // + BEGIN_OPF(SLT); + RTYPE; + + GPR_DEPRES_BEGIN + GPR_DEP(rs); + GPR_DEP(rt); + GPR_RES(rd); + GPR_DEPRES_END + + uint32 result = (bool)((int32)GPR[rs] < (int32)GPR[rt]); + + DO_LDS(); + + GPR[rd] = result; + + END_OPF; + + + // + // SLTI - Set on Less Than Immediate + // + BEGIN_OPF(SLTI); + ITYPE; + + GPR_DEPRES_BEGIN + GPR_DEP(rs); + GPR_RES(rt); + GPR_DEPRES_END + + uint32 result = (bool)((int32)GPR[rs] < (int32)immediate); + + DO_LDS(); + + GPR[rt] = result; + + END_OPF; + + + // + // SLTIU - Set on Less Than Immediate, Unsigned + // + BEGIN_OPF(SLTIU); + ITYPE; + + GPR_DEPRES_BEGIN + GPR_DEP(rs); + GPR_RES(rt); + GPR_DEPRES_END + + uint32 result = (bool)(GPR[rs] < (uint32)immediate); + + DO_LDS(); + + GPR[rt] = result; + + END_OPF; + + + // + // SLTU - Set on Less Than, Unsigned + // + BEGIN_OPF(SLTU); + RTYPE; + + GPR_DEPRES_BEGIN + GPR_DEP(rs); + GPR_DEP(rt); + GPR_RES(rd); + GPR_DEPRES_END + + uint32 result = (bool)(GPR[rs] < GPR[rt]); + + DO_LDS(); + + GPR[rd] = result; + + END_OPF; + + + // + // SRA - Shift Word Right Arithmetic + // + BEGIN_OPF(SRA); + RTYPE; + + GPR_DEPRES_BEGIN + GPR_DEP(rt); + GPR_RES(rd); + GPR_DEPRES_END + + uint32 result = ((int32)GPR[rt]) >> shamt; + + DO_LDS(); + + GPR[rd] = result; + + END_OPF; + + + // + // SRAV - Shift Word Right Arithmetic Variable + // + BEGIN_OPF(SRAV); + RTYPE; + + GPR_DEPRES_BEGIN + GPR_DEP(rs); + GPR_DEP(rt); + GPR_RES(rd); + GPR_DEPRES_END + + uint32 result = ((int32)GPR[rt]) >> (GPR[rs] & 0x1F); + + DO_LDS(); + + GPR[rd] = result; + + END_OPF; + + + // + // SRL - Shift Word Right Logical + // + BEGIN_OPF(SRL); + RTYPE; + + GPR_DEPRES_BEGIN + GPR_DEP(rt); + GPR_RES(rd); + GPR_DEPRES_END + + uint32 result = GPR[rt] >> shamt; + + DO_LDS(); + + GPR[rd] = result; + + END_OPF; + + // + // SRLV - Shift Word Right Logical Variable + // + BEGIN_OPF(SRLV); + RTYPE; + + GPR_DEPRES_BEGIN + GPR_DEP(rs); + GPR_DEP(rt); + GPR_RES(rd); + GPR_DEPRES_END + + uint32 result = GPR[rt] >> (GPR[rs] & 0x1F); + + DO_LDS(); + + GPR[rd] = result; + + END_OPF; + + + // + // SUB - Subtract Word + // + BEGIN_OPF(SUB); + RTYPE; + + GPR_DEPRES_BEGIN + GPR_DEP(rs); + GPR_DEP(rt); + GPR_RES(rd); + GPR_DEPRES_END + + uint32 result = GPR[rs] - GPR[rt]; + bool ep = (((GPR[rs] ^ GPR[rt])) & (GPR[rs] ^ result)) & 0x80000000; + + DO_LDS(); + + if(MDFN_UNLIKELY(ep)) + { + new_PC = Exception(EXCEPTION_OV, PC, new_PC, new_PC_mask, instr); + new_PC_mask = 0; + } + else + GPR[rd] = result; + + END_OPF; + + + // + // SUBU - Subtract Unsigned Word + // + BEGIN_OPF(SUBU); + RTYPE; + + GPR_DEPRES_BEGIN + GPR_DEP(rs); + GPR_DEP(rt); + GPR_RES(rd); + GPR_DEPRES_END + + uint32 result = GPR[rs] - GPR[rt]; + + DO_LDS(); + + GPR[rd] = result; + + END_OPF; + + + // + // SYSCALL + // + BEGIN_OPF(SYSCALL); + DO_LDS(); + + new_PC = Exception(EXCEPTION_SYSCALL, PC, new_PC, new_PC_mask, instr); + new_PC_mask = 0; + END_OPF; + + + // + // XOR + // + BEGIN_OPF(XOR); + RTYPE; + + GPR_DEPRES_BEGIN + GPR_DEP(rs); + GPR_DEP(rt); + GPR_RES(rd); + GPR_DEPRES_END + + uint32 result = GPR[rs] ^ GPR[rt]; + + DO_LDS(); + + GPR[rd] = result; + + END_OPF; + + // + // XORI - Exclusive OR Immediate + // + BEGIN_OPF(XORI); + ITYPE_ZE; + + GPR_DEPRES_BEGIN + GPR_DEP(rs); + GPR_RES(rt); + GPR_DEPRES_END + + uint32 result = GPR[rs] ^ immediate; + + DO_LDS(); + + GPR[rt] = result; + END_OPF; + + // + // Memory access instructions(besides the coprocessor ones) follow: + // + + // + // LB - Load Byte + // + BEGIN_OPF(LB); + ITYPE; + + GPR_DEPRES_BEGIN + GPR_DEP(rs); + GPR_DEPRES_END + + uint32 address = GPR[rs] + immediate; + + if(MDFN_UNLIKELY(LDWhich == rt)) + LDWhich = 0; + + DO_LDS(); + + LDWhich = rt; + LDValue = (int32)ReadMemory(timestamp, address); + END_OPF; + + // + // LBU - Load Byte Unsigned + // + BEGIN_OPF(LBU); + ITYPE; + + GPR_DEPRES_BEGIN + GPR_DEP(rs); + GPR_DEPRES_END + + uint32 address = GPR[rs] + immediate; + + if(MDFN_UNLIKELY(LDWhich == rt)) + LDWhich = 0; + + DO_LDS(); + + LDWhich = rt; + LDValue = ReadMemory(timestamp, address); + END_OPF; + + // + // LH - Load Halfword + // + BEGIN_OPF(LH); + ITYPE; + + GPR_DEPRES_BEGIN + GPR_DEP(rs); + GPR_DEPRES_END + + uint32 address = GPR[rs] + immediate; + + if(MDFN_UNLIKELY(address & 1)) + { + DO_LDS(); + + CP0.BADVA = address; + new_PC = Exception(EXCEPTION_ADEL, PC, new_PC, new_PC_mask, instr); + new_PC_mask = 0; + } + else + { + if(MDFN_UNLIKELY(LDWhich == rt)) + LDWhich = 0; + + DO_LDS(); + + LDWhich = rt; + LDValue = (int32)ReadMemory(timestamp, address); + } + END_OPF; + + // + // LHU - Load Halfword Unsigned + // + BEGIN_OPF(LHU); + ITYPE; + + GPR_DEPRES_BEGIN + GPR_DEP(rs); + GPR_DEPRES_END + + uint32 address = GPR[rs] + immediate; + + if(MDFN_UNLIKELY(address & 1)) + { + DO_LDS(); + + CP0.BADVA = address; + new_PC = Exception(EXCEPTION_ADEL, PC, new_PC, new_PC_mask, instr); + new_PC_mask = 0; + } + else + { + if(MDFN_UNLIKELY(LDWhich == rt)) + LDWhich = 0; + + DO_LDS(); + + LDWhich = rt; + LDValue = ReadMemory(timestamp, address); + } + END_OPF; + + + // + // LW - Load Word + // + BEGIN_OPF(LW); + ITYPE; + + GPR_DEPRES_BEGIN + GPR_DEP(rs); + GPR_DEPRES_END + + uint32 address = GPR[rs] + immediate; + + if(MDFN_UNLIKELY(address & 3)) + { + DO_LDS(); + + CP0.BADVA = address; + new_PC = Exception(EXCEPTION_ADEL, PC, new_PC, new_PC_mask, instr); + new_PC_mask = 0; + } + else + { + if(MDFN_UNLIKELY(LDWhich == rt)) + LDWhich = 0; + + DO_LDS(); + + LDWhich = rt; + LDValue = ReadMemory(timestamp, address); + } + END_OPF; + + // + // SB - Store Byte + // + BEGIN_OPF(SB); + ITYPE; + + GPR_DEPRES_BEGIN + GPR_DEP(rs); + GPR_DEP(rt); + GPR_DEPRES_END + + uint32 address = GPR[rs] + immediate; + + WriteMemory(timestamp, address, GPR[rt]); + + DO_LDS(); + END_OPF; + + // + // SH - Store Halfword + // + BEGIN_OPF(SH); + ITYPE; + + GPR_DEPRES_BEGIN + GPR_DEP(rs); + GPR_DEP(rt); + GPR_DEPRES_END + + uint32 address = GPR[rs] + immediate; + + if(MDFN_UNLIKELY(address & 0x1)) + { + CP0.BADVA = address; + new_PC = Exception(EXCEPTION_ADES, PC, new_PC, new_PC_mask, instr); + new_PC_mask = 0; + } + else + WriteMemory(timestamp, address, GPR[rt]); + + DO_LDS(); + END_OPF; + + // + // SW - Store Word + // + BEGIN_OPF(SW); + ITYPE; + + GPR_DEPRES_BEGIN + GPR_DEP(rs); + GPR_DEP(rt); + GPR_DEPRES_END + + uint32 address = GPR[rs] + immediate; + + if(MDFN_UNLIKELY(address & 0x3)) + { + CP0.BADVA = address; + new_PC = Exception(EXCEPTION_ADES, PC, new_PC, new_PC_mask, instr); + new_PC_mask = 0; + } + else + WriteMemory(timestamp, address, GPR[rt]); + + DO_LDS(); + END_OPF; + + // LWL and LWR load delay slot tomfoolery appears to apply even to MFC0! (and probably MFCn and CFCn as well, though they weren't explicitly tested) + + // + // LWL - Load Word Left + // + BEGIN_OPF(LWL); + ITYPE; + + GPR_DEPRES_BEGIN + GPR_DEP(rs); + //GPR_DEP(rt); + GPR_DEPRES_END + + uint32 address = GPR[rs] + immediate; + uint32 v = GPR[rt]; + + if(LDWhich == rt) + { + v = LDValue; + ReadFudge = 0; + } + else + { + DO_LDS(); + } + + LDWhich = rt; + switch(address & 0x3) + { + case 0: LDValue = (v & ~(0xFF << 24)) | (ReadMemory(timestamp, address & ~3) << 24); + break; + + case 1: LDValue = (v & ~(0xFFFF << 16)) | (ReadMemory(timestamp, address & ~3) << 16); + break; + + case 2: LDValue = (v & ~(0xFFFFFF << 8)) | (ReadMemory(timestamp, address & ~3, true) << 8); + break; + + case 3: LDValue = (v & ~(0xFFFFFFFF << 0)) | (ReadMemory(timestamp, address & ~3) << 0); + break; + } + END_OPF; + + // + // SWL - Store Word Left + // + BEGIN_OPF(SWL); + ITYPE; + + GPR_DEPRES_BEGIN + GPR_DEP(rs); + GPR_DEP(rt); + GPR_DEPRES_END + + uint32 address = GPR[rs] + immediate; + + switch(address & 0x3) + { + case 0: WriteMemory(timestamp, address & ~3, GPR[rt] >> 24); + break; + + case 1: WriteMemory(timestamp, address & ~3, GPR[rt] >> 16); + break; + + case 2: WriteMemory(timestamp, address & ~3, GPR[rt] >> 8, true); + break; + + case 3: WriteMemory(timestamp, address & ~3, GPR[rt] >> 0); + break; + } + DO_LDS(); + + END_OPF; + + // + // LWR - Load Word Right + // + BEGIN_OPF(LWR); + ITYPE; + + GPR_DEPRES_BEGIN + GPR_DEP(rs); + //GPR_DEP(rt); + GPR_DEPRES_END + + uint32 address = GPR[rs] + immediate; + uint32 v = GPR[rt]; + + if(LDWhich == rt) + { + v = LDValue; + ReadFudge = 0; + } + else + { + DO_LDS(); + } + + LDWhich = rt; + switch(address & 0x3) + { + case 0: LDValue = (v & ~(0xFFFFFFFF)) | ReadMemory(timestamp, address); + break; + + case 1: LDValue = (v & ~(0xFFFFFF)) | ReadMemory(timestamp, address, true); + break; + + case 2: LDValue = (v & ~(0xFFFF)) | ReadMemory(timestamp, address); + break; + + case 3: LDValue = (v & ~(0xFF)) | ReadMemory(timestamp, address); + break; + } + END_OPF; + + // + // SWR - Store Word Right + // + BEGIN_OPF(SWR); + ITYPE; + + GPR_DEPRES_BEGIN + GPR_DEP(rs); + GPR_DEP(rt); + GPR_DEPRES_END + + uint32 address = GPR[rs] + immediate; + + switch(address & 0x3) + { + case 0: WriteMemory(timestamp, address, GPR[rt]); + break; + + case 1: WriteMemory(timestamp, address, GPR[rt], true); + break; + + case 2: WriteMemory(timestamp, address, GPR[rt]); + break; + + case 3: WriteMemory(timestamp, address, GPR[rt]); + break; + } + + DO_LDS(); + + END_OPF; + + // + // Mednafen special instruction + // + BEGIN_OPF(INTERRUPT); + if(Halted) + { + goto SkipNPCStuff; + } + else + { + DO_LDS(); + + new_PC = Exception(EXCEPTION_INT, PC, new_PC, new_PC_mask, instr); + new_PC_mask = 0; + } + END_OPF; + } + + OpDone: ; + + PC = (PC & new_PC_mask) + new_PC; + new_PC_mask = ~0U; + new_PC = 4; + + SkipNPCStuff: ; + + //printf("\n"); + } + } while(MDFN_LIKELY(PSX_EventHandler(timestamp))); + + if(gte_ts_done > 0) + gte_ts_done -= timestamp; + + if(muldiv_ts_done > 0) + muldiv_ts_done -= timestamp; + ACTIVE_TO_BACKING; - return(timestamp); } diff --git a/psx/octoshock/psx/cpu.h b/psx/octoshock/psx/cpu.h index e6bfe3b5a1..619f8c27f2 100644 --- a/psx/octoshock/psx/cpu.h +++ b/psx/octoshock/psx/cpu.h @@ -1,263 +1,262 @@ -#ifndef __MDFN_PSX_CPU_H -#define __MDFN_PSX_CPU_H - -/* - Load delay notes: - - // Takes 1 less - ".set noreorder\n\t" - ".set nomacro\n\t" - "lw %0, 0(%2)\n\t" - "nop\n\t" - "nop\n\t" - "or %0, %1, %1\n\t" - - // cycle than this: - ".set noreorder\n\t" - ".set nomacro\n\t" - "lw %0, 0(%2)\n\t" - "nop\n\t" - "or %0, %1, %1\n\t" - "nop\n\t" - - - // Both of these - ".set noreorder\n\t" - ".set nomacro\n\t" - "lw %0, 0(%2)\n\t" - "nop\n\t" - "nop\n\t" - "or %1, %0, %0\n\t" - - // take same...(which is kind of odd). - ".set noreorder\n\t" - ".set nomacro\n\t" - "lw %0, 0(%2)\n\t" - "nop\n\t" - "or %1, %0, %0\n\t" - "nop\n\t" -*/ - -#include "gte.h" - -namespace MDFN_IEN_PSX -{ - -#define PS_CPU_EMULATE_ICACHE 1 - -class PS_CPU -{ - public: - - PS_CPU() MDFN_COLD; - ~PS_CPU() MDFN_COLD; - - templatevoid SyncState(EW::NewState *ns); - - // FAST_MAP_* enums are in BYTES(8-bit), not in 32-bit units("words" in MIPS context), but the sizes - // will always be multiples of 4. - enum { FAST_MAP_SHIFT = 16 }; - enum { FAST_MAP_PSIZE = 1 << FAST_MAP_SHIFT }; - - void SetFastMap(void *region_mem, uint32 region_address, uint32 region_size); - - INLINE void SetEventNT(const pscpu_timestamp_t next_event_ts_arg) - { - next_event_ts = next_event_ts_arg; - } - - pscpu_timestamp_t Run(pscpu_timestamp_t timestamp_in, bool BIOSPrintMode, bool ILHMode); - - void Power(void) MDFN_COLD; - - // which ranges 0-5, inclusive - void AssertIRQ(unsigned which, bool asserted); - - void SetHalt(bool status); - - // TODO eventually: factor BIU address decoding directly in the CPU core somehow without hurting speed. - void SetBIU(uint32 val); - uint32 GetBIU(void); - - private: - - uint32 GPR[32 + 1]; // GPR[32] Used as dummy in load delay simulation(indexing past the end of real GPR) - - uint32 LO; - uint32 HI; - - - uint32 BACKED_PC; - uint32 BACKED_new_PC; - uint32 BACKED_new_PC_mask; - - uint32 IPCache; - void RecalcIPCache(void); - bool Halted; - - uint32 BACKED_LDWhich; - uint32 BACKED_LDValue; - uint32 LDAbsorb; - - pscpu_timestamp_t next_event_ts; - pscpu_timestamp_t gte_ts_done; - pscpu_timestamp_t muldiv_ts_done; - - uint32 BIU; - - struct __ICache - { - uint32 TV; - uint32 Data; - }; - - union - { - __ICache ICache[1024]; - uint32 ICache_Bulk[2048]; - }; - - enum - { - CP0REG_BPC = 3, // PC breakpoint address. - CP0REG_BDA = 5, // Data load/store breakpoint address. - CP0REG_TAR = 6, // Target address(???) - CP0REG_DCIC = 7, // Cache control - CP0REG_BDAM = 9, // Data load/store address mask. - CP0REG_BPCM = 11, // PC breakpoint address mask. - CP0REG_SR = 12, - CP0REG_CAUSE = 13, - CP0REG_EPC = 14, - CP0REG_PRID = 15, // Product ID - CP0REG_ERREG = 16 - }; - - struct - { - union - { - uint32 Regs[32]; - struct - { - uint32 Unused00; - uint32 Unused01; - uint32 Unused02; - uint32 BPC; // RW - uint32 Unused04; - uint32 BDA; // RW - uint32 TAR; - uint32 DCIC; // RW - uint32 Unused08; - uint32 BDAM; // R/W - uint32 Unused0A; - uint32 BPCM; // R/W - uint32 SR; // R/W - uint32 CAUSE; // R/W(partial) - uint32 EPC; // R - uint32 PRID; // R - uint32 ERREG; // ?(may not exist, test) - }; - }; - } CP0; - -#if 1 - //uint32 WrAbsorb; - //uint8 WrAbsorbShift; - - // On read: - //WrAbsorb = 0; - //WrAbsorbShift = 0; - - // On write: - //WrAbsorb >>= (WrAbsorbShift >> 2) & 8; - //WrAbsorbShift -= (WrAbsorbShift >> 2) & 8; - - //WrAbsorb |= (timestamp - pre_write_timestamp) << WrAbsorbShift; - //WrAbsorbShift += 8; -#endif - - uint8 ReadAbsorb[0x20 + 1]; - uint8 ReadAbsorbWhich; - uint8 ReadFudge; - - //uint32 WriteAbsorb; - //uint8 WriteAbsorbCount; - //uint8 WriteAbsorbMonkey; - uint8 MULT_Tab24[24]; - - MultiAccessSizeMem<1024, false> ScratchRAM; - - //PS_GTE GTE; - - uint8 *FastMap[1 << (32 - FAST_MAP_SHIFT)]; - uint8 DummyPage[FAST_MAP_PSIZE]; - - enum - { - EXCEPTION_INT = 0, - EXCEPTION_MOD = 1, - EXCEPTION_TLBL = 2, - EXCEPTION_TLBS = 3, - EXCEPTION_ADEL = 4, // Address error on load - EXCEPTION_ADES = 5, // Address error on store - EXCEPTION_IBE = 6, // Instruction bus error - EXCEPTION_DBE = 7, // Data bus error - EXCEPTION_SYSCALL = 8, // System call - EXCEPTION_BP = 9, // Breakpoint - EXCEPTION_RI = 10, // Reserved instruction - EXCEPTION_COPU = 11, // Coprocessor unusable - EXCEPTION_OV = 12 // Arithmetic overflow - }; - - uint32 Exception(uint32 code, uint32 PC, const uint32 NPM) MDFN_WARN_UNUSED_RESULT; - - template pscpu_timestamp_t RunReal(pscpu_timestamp_t timestamp_in) NO_INLINE; - - template T PeekMemory(uint32 address) MDFN_COLD; - template void PokeMemory(uint32 address, T value) MDFN_COLD; - template T ReadMemory(pscpu_timestamp_t ×tamp, uint32 address, bool DS24 = false, bool LWC_timing = false); - template void WriteMemory(pscpu_timestamp_t ×tamp, uint32 address, uint32 value, bool DS24 = false); - - - // - // Mednafen debugger stuff follows: - // - public: - void SetCPUHook(void (*cpuh)(const pscpu_timestamp_t timestamp, uint32 pc), void (*addbt)(uint32 from, uint32 to, bool exception)); - void CheckBreakpoints(void (*callback)(bool write, uint32 address, unsigned int len), uint32 instr); - void* debug_GetScratchRAMPtr() { return ScratchRAM.data8; } - void* debug_GetGPRPtr() { return GPR; } - - enum - { - GSREG_GPR = 0, - GSREG_PC = 32, - GSREG_PC_NEXT, - GSREG_IN_BD_SLOT, - GSREG_LO, - GSREG_HI, - GSREG_SR, - GSREG_CAUSE, - GSREG_EPC, - }; - - uint32 GetRegister(unsigned int which, char *special, const uint32 special_len); - void SetRegister(unsigned int which, uint32 value); - bool PeekCheckICache(uint32 PC, uint32 *iw); - - uint8 PeekMem8(uint32 A); - uint16 PeekMem16(uint32 A); - uint32 PeekMem32(uint32 A); - - void PokeMem8(uint32 A, uint8 V); - void PokeMem16(uint32 A, uint16 V); - void PokeMem32(uint32 A, uint32 V); - - private: - void (*CPUHook)(const pscpu_timestamp_t timestamp, uint32 pc); - void (*ADDBT)(uint32 from, uint32 to, bool exception); -}; - -} - -#endif +#ifndef __MDFN_PSX_CPU_H +#define __MDFN_PSX_CPU_H + +/* +Load delay notes: + +// Takes 1 less +".set noreorder\n\t" +".set nomacro\n\t" +"lw %0, 0(%2)\n\t" +"nop\n\t" +"nop\n\t" +"or %0, %1, %1\n\t" + +// cycle than this: +".set noreorder\n\t" +".set nomacro\n\t" +"lw %0, 0(%2)\n\t" +"nop\n\t" +"or %0, %1, %1\n\t" +"nop\n\t" + + +// Both of these +".set noreorder\n\t" +".set nomacro\n\t" +"lw %0, 0(%2)\n\t" +"nop\n\t" +"nop\n\t" +"or %1, %0, %0\n\t" + +// take same...(which is kind of odd). +".set noreorder\n\t" +".set nomacro\n\t" +"lw %0, 0(%2)\n\t" +"nop\n\t" +"or %1, %0, %0\n\t" +"nop\n\t" +*/ + +#include "gte.h" + +namespace MDFN_IEN_PSX +{ + +#define PS_CPU_EMULATE_ICACHE 1 + + class PS_CPU + { + public: + + PS_CPU() MDFN_COLD; + ~PS_CPU() MDFN_COLD; + + templatevoid SyncState(EW::NewState *ns); + + // FAST_MAP_* enums are in BYTES(8-bit), not in 32-bit units("words" in MIPS context), but the sizes + // will always be multiples of 4. + enum { FAST_MAP_SHIFT = 16 }; + enum { FAST_MAP_PSIZE = 1 << FAST_MAP_SHIFT }; + + void SetFastMap(void *region_mem, uint32 region_address, uint32 region_size); + + INLINE void SetEventNT(const pscpu_timestamp_t next_event_ts_arg) + { + next_event_ts = next_event_ts_arg; + } + + pscpu_timestamp_t Run(pscpu_timestamp_t timestamp_in, bool BIOSPrintMode, bool ILHMode); + + void Power(void) MDFN_COLD; + + // which ranges 0-5, inclusive + void AssertIRQ(unsigned which, bool asserted); + + void SetHalt(bool status); + + // TODO eventually: factor BIU address decoding directly in the CPU core somehow without hurting speed. + void SetBIU(uint32 val); + uint32 GetBIU(void); + + private: + + uint32 GPR[32 + 1]; // GPR[32] Used as dummy in load delay simulation(indexing past the end of real GPR) + + uint32 LO; + uint32 HI; + + + uint32 BACKED_PC; + uint32 BACKED_new_PC; + uint32 BACKED_new_PC_mask; + + uint32 IPCache; + void RecalcIPCache(void); + bool Halted; + + uint32 BACKED_LDWhich; + uint32 BACKED_LDValue; + uint32 LDAbsorb; + + pscpu_timestamp_t next_event_ts; + pscpu_timestamp_t gte_ts_done; + pscpu_timestamp_t muldiv_ts_done; + + uint32 BIU; + + struct __ICache + { + uint32 TV; + uint32 Data; + }; + + union + { + __ICache ICache[1024]; + uint32 ICache_Bulk[2048]; + }; + + enum + { + CP0REG_BPC = 3, // PC breakpoint address. + CP0REG_BDA = 5, // Data load/store breakpoint address. + CP0REG_TAR = 6, // Target address(???) + CP0REG_DCIC = 7, // Cache control + CP0REG_BADVA = 8, + CP0REG_BDAM = 9, // Data load/store address mask. + CP0REG_BPCM = 11, // PC breakpoint address mask. + CP0REG_SR = 12, + CP0REG_CAUSE = 13, + CP0REG_EPC = 14, + CP0REG_PRID = 15 // Product ID + }; + + struct + { + union + { + uint32 Regs[32]; + struct + { + uint32 Unused00; + uint32 Unused01; + uint32 Unused02; + uint32 BPC; // RW + uint32 Unused04; + uint32 BDA; // RW + uint32 TAR; // R + uint32 DCIC; // RW + uint32 BADVA; // R + uint32 BDAM; // R/W + uint32 Unused0A; + uint32 BPCM; // R/W + uint32 SR; // R/W + uint32 CAUSE; // R/W(partial) + uint32 EPC; // R + uint32 PRID; // R + }; + }; + } CP0; + +#if 1 + //uint32 WrAbsorb; + //uint8 WrAbsorbShift; + + // On read: + //WrAbsorb = 0; + //WrAbsorbShift = 0; + + // On write: + //WrAbsorb >>= (WrAbsorbShift >> 2) & 8; + //WrAbsorbShift -= (WrAbsorbShift >> 2) & 8; + + //WrAbsorb |= (timestamp - pre_write_timestamp) << WrAbsorbShift; + //WrAbsorbShift += 8; +#endif + + uint8 ReadAbsorb[0x20 + 1]; + uint8 ReadAbsorbWhich; + uint8 ReadFudge; + + //uint32 WriteAbsorb; + //uint8 WriteAbsorbCount; + //uint8 WriteAbsorbMonkey; + uint8 MULT_Tab24[24]; + + MultiAccessSizeMem<1024, false> ScratchRAM; + + //PS_GTE GTE; + + uint8 *FastMap[1 << (32 - FAST_MAP_SHIFT)]; + uint8 DummyPage[FAST_MAP_PSIZE]; + + enum + { + EXCEPTION_INT = 0, + EXCEPTION_MOD = 1, + EXCEPTION_TLBL = 2, + EXCEPTION_TLBS = 3, + EXCEPTION_ADEL = 4, // Address error on load + EXCEPTION_ADES = 5, // Address error on store + EXCEPTION_IBE = 6, // Instruction bus error + EXCEPTION_DBE = 7, // Data bus error + EXCEPTION_SYSCALL = 8, // System call + EXCEPTION_BP = 9, // Breakpoint + EXCEPTION_RI = 10, // Reserved instruction + EXCEPTION_COPU = 11, // Coprocessor unusable + EXCEPTION_OV = 12 // Arithmetic overflow + }; + + uint32 Exception(uint32 code, uint32 PC, const uint32 NP, const uint32 NPM, const uint32 instr) MDFN_WARN_UNUSED_RESULT; + + template pscpu_timestamp_t RunReal(pscpu_timestamp_t timestamp_in) NO_INLINE; + + template T PeekMemory(uint32 address) MDFN_COLD; + template void PokeMemory(uint32 address, T value) MDFN_COLD; + template T ReadMemory(pscpu_timestamp_t ×tamp, uint32 address, bool DS24 = false, bool LWC_timing = false); + template void WriteMemory(pscpu_timestamp_t ×tamp, uint32 address, uint32 value, bool DS24 = false); + + + // + // Mednafen debugger stuff follows: + // + public: + void SetCPUHook(void(*cpuh)(const pscpu_timestamp_t timestamp, uint32 pc), void(*addbt)(uint32 from, uint32 to, bool exception)); + void CheckBreakpoints(void(*callback)(bool write, uint32 address, unsigned int len), uint32 instr); + void* debug_GetScratchRAMPtr() { return ScratchRAM.data8; } + void* debug_GetGPRPtr() { return GPR; } + + enum + { + GSREG_GPR = 0, + GSREG_PC = 32, + GSREG_PC_NEXT, + GSREG_IN_BD_SLOT, + GSREG_LO, + GSREG_HI, + GSREG_SR, + GSREG_CAUSE, + GSREG_EPC, + }; + + uint32 GetRegister(unsigned int which, char *special, const uint32 special_len); + void SetRegister(unsigned int which, uint32 value); + bool PeekCheckICache(uint32 PC, uint32 *iw); + + uint8 PeekMem8(uint32 A); + uint16 PeekMem16(uint32 A); + uint32 PeekMem32(uint32 A); + + void PokeMem8(uint32 A, uint8 V); + void PokeMem16(uint32 A, uint16 V); + void PokeMem32(uint32 A, uint32 V); + + private: + void(*CPUHook)(const pscpu_timestamp_t timestamp, uint32 pc); + void(*ADDBT)(uint32 from, uint32 to, bool exception); + }; + +} + +#endif diff --git a/psx/octoshock/psx/dis.cpp b/psx/octoshock/psx/dis.cpp index 8ecb217d8c..9ebe5fc15a 100644 --- a/psx/octoshock/psx/dis.cpp +++ b/psx/octoshock/psx/dis.cpp @@ -128,13 +128,15 @@ struct OpEntry #define MK_OP(mnemonic, format, op, func, extra_mask) { MASK_OP | (op ? 0 : MASK_FUNC) | extra_mask, ((unsigned)op << 26) | func, mnemonic, format } -#define MK_OP_REGIMM(mnemonic, regop) { MASK_OP | MASK_RT, (0x01U << 26) | (regop << 16), mnemonic, "s, p" } +#define MK_OP_REGIMM(mnemonic, regop_mask, regop) { MASK_OP | (regop_mask << 16), (0x01U << 26) | (regop << 16), mnemonic, "s, p" } #define MK_COPZ(z) { MASK_OP | (0x1U << 25), (0x1U << 25) | ((0x10U | z) << 26), "cop" #z, "F" } #define MK_COP0_FUNC(mnemonic, func) { MASK_OP | (0x1U << 25) | MASK_FUNC, (0x10U << 26) | (0x1U << 25) | func, mnemonic, "" } #define MK_COPZ_XFER(z, mnemonic, format, xf) { MASK_OP | (0x1FU << 21), ((0x10U | z) << 26) | (xf << 21), mnemonic, format } +#define MK_COPZ_BCzx(z, x) { MASK_OP | (0x1BU << 21) | (0x01 << 16), ((0x10U | z) << 26) | (0x08 << 21) | (x << 16), (x ? "bc" #z "t" : "bc" #z "f"), "p" } +#define MK_COPZ_BC(z) MK_COPZ_BCzx(z, 0), MK_COPZ_BCzx(z, 1) #define MK_GTE(mnemonic, format, func) { MASK_OP | (0x1U << 25) | MASK_FUNC, (0x1U << 25) | (0x12U << 26) | func, mnemonic, format } @@ -180,10 +182,12 @@ static OpEntry ops[] = MK_OP("slt", "d, s, t", 0, 42, 0), MK_OP("sltu", "d, s, t", 0, 43, 0), - MK_OP_REGIMM("bgez", 0x01), - MK_OP_REGIMM("bgezal", 0x11), - MK_OP_REGIMM("bltz", 0x00), - MK_OP_REGIMM("bltzal", 0x10), + // keep *al before the non-linking versions, due to mask setup. + MK_OP_REGIMM("bgezal", 0x1F, 0x11), + MK_OP_REGIMM("bltzal", 0x1F, 0x10), + + MK_OP_REGIMM("bgez", 0x01, 0x01), + MK_OP_REGIMM("bltz", 0x00, 0x00), MK_OP("j", "P", 2, 0, 0), @@ -225,6 +229,11 @@ static OpEntry ops[] = MK_COPZ_XFER(2, "ctc2", "t, G", 0x06), MK_COPZ_XFER(3, "ctc3", "t, ?", 0x06), + MK_COPZ_BC(0), + MK_COPZ_BC(1), + MK_COPZ_BC(2), + MK_COPZ_BC(3), + // COP0 stuff here MK_COP0_FUNC("rfe", 0x10), @@ -316,8 +325,8 @@ EW_EXPORT s32 shock_Util_DisassembleMIPS(u32 PC, u32 instr, void* outbuf, s32 bu static const char *cop0_names[32] = { - "CPR0", "CPR1", "CPR2", "BPC", "CPR4", "BDA", "TAR", "DCIC", "CPR8", "BDAM", "CPR10", "BPCM", "SR", "CAUSE", "EPC", "PRID", - "ERREG", "CPR17", "CPR18", "CPR19", "CPR20", "CPR21", "CPR22", "CPR23", "CPR24", "CPR25", "CPR26", "CPR27", "CPR28", "CPR29", "CPR30", "CPR31" + "CPR0", "CPR1", "CPR2", "BPC", "CPR4", "BDA", "TAR", "DCIC", "BADVA", "BDAM", "CPR10", "BPCM", "SR", "CAUSE", "EPC", "PRID", + "CPR16", "CPR17", "CPR18", "CPR19", "CPR20", "CPR21", "CPR22", "CPR23", "CPR24", "CPR25", "CPR26", "CPR27", "CPR28", "CPR29", "CPR30", "CPR31" }; static const char *gte_cr_names[32] = diff --git a/psx/octoshock/psx/frontio.cpp b/psx/octoshock/psx/frontio.cpp index 7d119db4a0..458a8a0be9 100644 --- a/psx/octoshock/psx/frontio.cpp +++ b/psx/octoshock/psx/frontio.cpp @@ -136,10 +136,6 @@ FrontIO::FrontIO() PortData[i] = NULL; MCPorts[i] = new InputDevice(); } - - //always add one memory device for now - delete MCPorts[0]; - MCPorts[0] = Device_Memcard_Create(); } diff --git a/psx/octoshock/psx/frontio.h b/psx/octoshock/psx/frontio.h index 900997eb98..08770d4168 100644 --- a/psx/octoshock/psx/frontio.h +++ b/psx/octoshock/psx/frontio.h @@ -26,6 +26,8 @@ class InputDevice virtual void Update(const pscpu_timestamp_t timestamp); // Partially-implemented, don't rely on for timing any more fine-grained than a video frame for now. virtual void ResetTS(void); + virtual const char* GetName() const { return "InputDevice"; } + // // diff --git a/psx/octoshock/psx/gpu.cpp b/psx/octoshock/psx/gpu.cpp index 5b6ee8e934..906e63cb86 100644 --- a/psx/octoshock/psx/gpu.cpp +++ b/psx/octoshock/psx/gpu.cpp @@ -366,7 +366,6 @@ INLINE void PS_GPU::Command_FBFill(const uint32 *cb) //printf("[GPU] FB Fill %d:%d w=%d, h=%d\n", destX, destY, width, height); DrawTimeAvail -= 46; // Approximate - DrawTimeAvail -= ((width * height) >> 3) + (height * 9); for(int32 y = 0; y < height; y++) { @@ -375,6 +374,8 @@ INLINE void PS_GPU::Command_FBFill(const uint32 *cb) if(LineSkipTest(d_y)) continue; + DrawTimeAvail -= (width >> 3) + 9; + for(int32 x = 0; x < width; x++) { const int32 d_x = (x + destX) & 1023; @@ -382,7 +383,6 @@ INLINE void PS_GPU::Command_FBFill(const uint32 *cb) GPURAM[d_y][d_x] = fill_value; } } - } INLINE void PS_GPU::Command_FBCopy(const uint32 *cb) @@ -1432,6 +1432,30 @@ pscpu_timestamp_t PS_GPU::Update(const pscpu_timestamp_t sys_timestamp) LineWidths[dest_line] = dmw - dmpa * 2; + //adjustments for people who really just want to see the PSX framebuffer + //effectively fixes the xstart registers to be nominal values. + //it's unclear what happens to games displaying a peculiar Y range + if (dump_framebuffer) + { + //printf("%d %d %d\n", VertStart, VertEnd, DisplayOff); + //special hack: if the game (or the bios...) is set to display no range here, don't modify it + //also, as you can see just above, this condition is used to represent an 'off' display + //unfortunately, this will usually be taking effect at dest_line==0, and so the + //fully overscanned area will get set for LineWidths[0]. + //so later on we'll have to use LineWidths[NN], say, as a heuristic to get the framebuffer size + if (dx_start == dx_end) + { } + else + { + dx_start = 0; + dx_end = 2560 / DotClockRatios[dmc]; + if(FirstLine == -99) + FirstLine = dest_line; + + LineWidths[dest_line] = dx_end - dx_start; + } + } + { const uint16 *src = GPURAM[DisplayFB_CurLineYReadout]; const uint32 black = surface->MakeColor(0, 0, 0); @@ -1515,6 +1539,8 @@ void PS_GPU::StartFrame(EmulateSpecStruct *espec_arg) LineWidths = espec->LineWidths; skip = espec->skip; + FirstLine = -99; + if(espec->VideoFormatChanged) { const auto& f = surface->format; @@ -1634,7 +1660,8 @@ SYNCFUNC(PS_GPU) void PS_GPU::SetRenderOptions(::ShockRenderOptions* opts) { - hide_hoverscan = !!opts->clipOverscan; + hide_hoverscan = opts->renderType == eShockRenderType_ClipOverscan; + dump_framebuffer = opts->renderType == eShockRenderType_Framebuffer; LineVisFirst = opts->scanline_start; LineVisLast = opts->scanline_end; } diff --git a/psx/octoshock/psx/gpu.h b/psx/octoshock/psx/gpu.h index 1f3d5bfad3..7c61c1610b 100644 --- a/psx/octoshock/psx/gpu.h +++ b/psx/octoshock/psx/gpu.h @@ -315,6 +315,7 @@ class PS_GPU // int32 hmc_to_visible; bool hide_hoverscan; + bool dump_framebuffer; bool sl_zero_reached; // @@ -325,7 +326,9 @@ class PS_GPU MDFN_Rect *DisplayRect; int32 *LineWidths; bool skip; + public: bool HardwarePALType; + private: int LineVisFirst, LineVisLast; uint32 OutputLUT[384]; @@ -333,6 +336,11 @@ class PS_GPU template void ReorderRGB(bool bpp24, const uint16 *src, uint32 *dest, const int32 dx_start, const int32 dx_end, int32 fb_x) NO_INLINE; + + public: + uint32 GetVertStart() { return VertStart; } + uint32 GetVertEnd() { return VertEnd; } + int FirstLine; }; } diff --git a/psx/octoshock/psx/gpu_sprite.cpp b/psx/octoshock/psx/gpu_sprite.cpp index 47f82396b3..884e6a4efd 100644 --- a/psx/octoshock/psx/gpu_sprite.cpp +++ b/psx/octoshock/psx/gpu_sprite.cpp @@ -90,22 +90,6 @@ void PS_GPU::DrawSprite(int32 x_arg, int32 y_arg, int32 w, int32 h, uint8 u_arg, if(y_bound > (ClipY1 + 1)) y_bound = ClipY1 + 1; - if(y_bound > y_start && x_bound > x_start) - { - // - // Note(TODO): From tests on a PS1, even a 0-width sprite takes up time to "draw" proportional to its height. - // - int32 suck_time = (x_bound - x_start) * (y_bound - y_start); - - if((BlendMode >= 0) || MaskEval_TA) - { - suck_time += ((((x_bound + 1) & ~1) - (x_start & ~1)) * (y_bound - y_start)) >> 1; - } - - DrawTimeAvail -= suck_time; - } - - //HeightMode && !dfe && ((y & 1) == ((DisplayFB_YStart + !field_atvs) & 1)) && !DisplayOff //printf("%d:%d, %d, %d ---- heightmode=%d displayfb_ystart=%d field_atvs=%d displayoff=%d\n", w, h, scanline, dfe, HeightMode, DisplayFB_YStart, field_atvs, DisplayOff); @@ -118,6 +102,19 @@ void PS_GPU::DrawSprite(int32 x_arg, int32 y_arg, int32 w, int32 h, uint8 u_arg, if(!LineSkipTest(y)) { + if(MDFN_LIKELY(x_bound > x_start)) + { + // + // TODO: From tests on a PS1, even a 0-width sprite takes up time to "draw" proportional to its height. + // + int32 suck_time = /*8 +*/ (x_bound - x_start); + + if((BlendMode >= 0) || MaskEval_TA) + suck_time += (((x_bound + 1) & ~1) - (x_start & ~1)) >> 1; + + DrawTimeAvail -= suck_time; + } + for(int32 x = x_start; MDFN_LIKELY(x < x_bound); x++) { if(textured) diff --git a/psx/octoshock/psx/gte.cpp b/psx/octoshock/psx/gte.cpp index 2f87f94078..0f38aefae8 100644 --- a/psx/octoshock/psx/gte.cpp +++ b/psx/octoshock/psx/gte.cpp @@ -796,22 +796,6 @@ static INLINE int32 Lm_G(unsigned int which, int32 value) // limit to 4096, not 4095 static INLINE int32 Lm_H(int32 value) { -#if 0 - if(FLAGS & (1 << 15)) - { - value = 0; - FLAGS |= 1 << 12; - return value; - } - - if(FLAGS & (1 << 16)) - { - value = 4096; - FLAGS |= 1 << 12; - return value; - } -#endif - if(value < 0) { value = 0; diff --git a/psx/octoshock/psx/input/memcard.cpp b/psx/octoshock/psx/input/memcard.cpp index 1e7a405512..814e68d117 100644 --- a/psx/octoshock/psx/input/memcard.cpp +++ b/psx/octoshock/psx/input/memcard.cpp @@ -40,6 +40,8 @@ class InputDevice_Memcard : public InputDevice InputDevice_Memcard(); virtual ~InputDevice_Memcard(); + virtual const char* GetName() const { return "InputDevice_Memcard"; } + virtual void Power(void); virtual void SyncState(bool isReader, EW::NewState *ns); // diff --git a/psx/octoshock/psx/psx.cpp b/psx/octoshock/psx/psx.cpp index 01a389580a..e57a3afe10 100644 --- a/psx/octoshock/psx/psx.cpp +++ b/psx/octoshock/psx/psx.cpp @@ -32,18 +32,31 @@ #include "input/dualshock.h" #include "input/dualanalog.h" #include "input/gamepad.h" +#include "input/memcard.h" -//#include #include #include +//I apologize for the absolute madness of the resolution management and framebuffer management and normalizing in here. +//It's grown entirely out of control. The main justification for the original design was not wrecking mednafen internals too much. + //we're a bit sloppy right now.. use this to make sure theres adequate room for double-sizing a 400px wide screen #define FB_WIDTH 800 #define FB_HEIGHT 576 +#define kScanlineWidthHeuristicIndex 64 + //extern MDFNGI EmulatedPSX; +int16 soundbuf[1024 * 1024]; //how big? big enough. +int VTBackBuffer = 0; +static MDFN_Rect VTDisplayRects[2]; +#include "video/Deinterlacer.h" +static bool PrevInterlaced; +static Deinterlacer deint; +static EmulateSpecStruct espec; + namespace MDFN_IEN_PSX { @@ -146,25 +159,6 @@ uint32 PSX_GetRandU32(uint32 mina, uint32 maxa) return PSX_PRNG.RandU32(mina, maxa); } - -#ifdef WANT_PSF -class PSF1Loader : public PSFLoader -{ - public: - - PSF1Loader(MDFNFILE *fp); - virtual ~PSF1Loader(); - - virtual void HandleEXE(const uint8 *data, uint32 len, bool ignore_pcsp = false); - - PSFTags tags; -}; -#else -class PSF1Loader {}; -#endif - - -static PSF1Loader *psf_loader = NULL; static std::vector *cdifs = NULL; static std::vector cdifs_scex_ids; @@ -280,7 +274,6 @@ static void RebaseTS(const pscpu_timestamp_t timestamp) void PSX_SetEventNT(const int type, const pscpu_timestamp_t next_timestamp) { - assert(type > PSX_EVENT__SYNFIRST && type < PSX_EVENT__SYNLAST); event_list_entry *e = &events[type]; if(next_timestamp < e->event_time) @@ -1000,6 +993,8 @@ static void PSX_Power(bool powering_up) IRQ_Power(); ForceEventUpdates(0); + + deint.ClearState(); } @@ -1204,8 +1199,15 @@ struct { //TODO - once we get flexible here, do some extra condition checks.. whether memcards exist, etc. much like devices. switch(transaction->transaction) { - case eShockMemcardTransaction_Connect: return SHOCK_ERROR; //not supported yet - case eShockMemcardTransaction_Disconnect: return SHOCK_ERROR; //not supported yet + case eShockMemcardTransaction_Connect: + //cant connect when a memcard is already connected + if(!strcmp(FIO->MCPorts[portnum]->GetName(),"InputDevice_Memcard")) + return SHOCK_NOCANDO; + delete FIO->MCPorts[portnum]; //delete dummy + FIO->MCPorts[portnum] = Device_Memcard_Create(); + + case eShockMemcardTransaction_Disconnect: + return SHOCK_ERROR; //not supported yet case eShockMemcardTransaction_Write: FIO->MCPorts[portnum]->WriteNV((uint8*)transaction->buffer128k,0,128*1024); @@ -1360,15 +1362,7 @@ EW_EXPORT s32 shock_PowerOff(void* psx) //not supported yet return SHOCK_ERROR; } - -int16 soundbuf[1024*1024]; //how big? big enough. -int VTBackBuffer = 0; -static MDFN_Rect VTDisplayRects[2]; -#include "video/Deinterlacer.h" -static bool PrevInterlaced; -static Deinterlacer deint; -static EmulateSpecStruct espec; EW_EXPORT s32 shock_Step(void* psx, eShockStep step) { //only eShockStep_Frame is supported @@ -1392,6 +1386,16 @@ EW_EXPORT s32 shock_Step(void* psx, eShockStep step) espec.SoundBufSize = 0; espec.SoundVolume = 1.0; + //not sure about this + espec.skip = s_ShockConfig.opts.skip; + + if (s_ShockConfig.opts.deinterlaceMode == eShockDeinterlaceMode_Weave) + deint.SetType(Deinterlacer::DEINT_WEAVE); + if (s_ShockConfig.opts.deinterlaceMode == eShockDeinterlaceMode_Bob) + deint.SetType(Deinterlacer::DEINT_BOB); + if (s_ShockConfig.opts.deinterlaceMode == eShockDeinterlaceMode_BobOffset) + deint.SetType(Deinterlacer::DEINT_BOB_OFFSET); + //------------------------- FIO->UpdateInput(); @@ -1404,7 +1408,7 @@ EW_EXPORT s32 shock_Step(void* psx, eShockStep step) SPU->StartFrame(espec.SoundRate, ResampleQuality); Running = -1; - timestamp = CPU->Run(timestamp, psf_loader == NULL && psx_dbg_level >= PSX_DBG_BIOS_PRINT, psf_loader != NULL); + timestamp = CPU->Run(timestamp, psx_dbg_level >= PSX_DBG_BIOS_PRINT, /*psf_loader != NULL*/ false); //huh? assert(timestamp); ForceEventUpdates(timestamp); @@ -1456,13 +1460,64 @@ EW_EXPORT s32 shock_Step(void* psx, eShockStep step) return SHOCK_OK; } -//`normalizes` the framebuffer to 700x480 by pixel doubling and wrecking the AR a little bit as needed +struct FramebufferCropInfo +{ + int width, height, xo, yo; +}; + +static void _shock_AnalyzeFramebufferCropInfo(int fbIndex, FramebufferCropInfo* info) +{ + //presently, except for contrived test programs, it is safe to assume this is the same for the entire frame (no known use by games) + //however, due to the dump_framebuffer, it may be incorrect at scanline 0. so lets use another one for the heuristic here + //you'd think we could use FirstLine instead of kScanlineWidthHeuristicIndex, but sometimes it hasnt been set (screen off) so it's confusing + int width = VTLineWidths[fbIndex][kScanlineWidthHeuristicIndex]; + int height = espec.DisplayRect.h; + int yo = espec.DisplayRect.y; + + //fix a common error here from disabled screens (?) + //I think we're lucky in selecting these lines kind of randomly. need a better plan. + if (width <= 0) width = VTLineWidths[fbIndex][0]; + + if (s_ShockConfig.opts.renderType == eShockRenderType_Framebuffer) + { + //printf("%d %d %d %d | %d | %d\n",yo,height, GPU->GetVertStart(), GPU->GetVertEnd(), espec.DisplayRect.y, GPU->FirstLine); + + height = GPU->GetVertEnd() - GPU->GetVertStart(); + yo = GPU->FirstLine; + + if (espec.DisplayRect.h == 288 || espec.DisplayRect.h == 240) + { + } + else + { + height *= 2; + //only return even scanlines to avoid bouncing the interlacing + if (yo & 1) yo--; + } + + //this can happen when the display turns on mid-frame + //maybe an off by one error here..? + if (yo + height >= espec.DisplayRect.h) + yo = espec.DisplayRect.h - height; + + //sometimes when changing modes we have trouble..? + if (yo<0) yo = 0; + } + + info->width = width; + info->height = height; + info->xo = 0; + info->yo = yo; +} + + +//`normalizes` the framebuffer to 700x480 (or 800x576 for PAL) by pixel doubling and wrecking the AR a little bit as needed void NormalizeFramebuffer() { //mednafen's advised solution for smooth gaming: "scale the output width to z * nominal_width, and the output height to z * nominal_height, where nominal_width and nominal_height are members of the MDFNGI struct" //IOW, mednafen's strategy is to put everything in a 320x240 and scale it up 3x to 960x720 by default (which is adequate to contain the largest PSX framebuffer of 700x480) - //psxtech says horizontal resolutions can be: 256, 320, 368, 512, 640 pixels + //psxtech says horizontal resolutions can be: 256, 320, 512, 640, 368 pixels //mednafen will turn those into 2800/{ 10, 8, 5, 4, 7 } -> 280,350,560,700,400 //additionally with the crop options we can cut it down by 160/X -> { 16, 20, 32, 40, 22 } -> { 264, 330, 528, 660, 378 } //this means our virtual area for doubling is no longer 800 but 756 @@ -1484,12 +1539,27 @@ void NormalizeFramebuffer() //NOTE: this approach is very redundant with the displaymanager AR tracking stuff //however, it will help us avoid stressing the displaymanager (for example, a 700x240 will freak it out kind of. we could send it a much more sensible 700x480) - - int width = VTLineWidths[0][0]; //presently, except for contrived test programs, it is safe to assume this is the same for the entire frame (no known use by games) - int height = espec.DisplayRect.h; - int virtual_width = s_ShockConfig.opts.clipOverscan ? 756 : 800; + //always fetch description + FramebufferCropInfo cropInfo; + _shock_AnalyzeFramebufferCropInfo(0, &cropInfo); + int width = cropInfo.width; + int height = cropInfo.height; - int xs=1,ys=1,xm=0; + int virtual_width = 800; + int virtual_height = 480; + if (GPU->HardwarePALType) + virtual_height = 576; + + if (s_ShockConfig.opts.renderType == eShockRenderType_ClipOverscan) + virtual_width = 756; + if (s_ShockConfig.opts.renderType == eShockRenderType_Framebuffer) + { + //not quite sure what to here yet + //virtual_width = width * 2; ? + virtual_width = 736; + } + + int xs=1,ys=1; //I. as described above //if(width == 280 && height == 240) {} @@ -1511,35 +1581,61 @@ void NormalizeFramebuffer() if(width > 400 && height <= 288) ys=2; if(width <= 400 && height > 288) xs=2; if(width > 400 && height > 288) {} + //TODO - shrink it entirely if cropping. EDIT-any idea what this means? if you figure it out, just do it. - xm = (virtual_width-width*xs)/2; + + int xm = (virtual_width - width*xs) / 2; + int ym = (virtual_height - height*ys) / 2; int curr = 0; //1. double the height, while cropping down - if(ys==2) //should handle ntsc or pal, but not tested yet for pal + if(height != virtual_height) { - uint32* src = VTBuffer[curr]->pixels + (s_ShockConfig.fb_width*espec.DisplayRect.y) + espec.DisplayRect.x; + uint32* src = VTBuffer[curr]->pixels + (s_FramebufferCurrentWidth * (espec.DisplayRect.y + cropInfo.yo)) + espec.DisplayRect.x; //? uint32* dst = VTBuffer[curr^1]->pixels; int tocopy = width*4; - for(int y=0;yflags & eShockFramebufferFlags_Normalize) + { + height = espec.DisplayRect.h; + yo = 0; + } + fb->width = width; fb->height = height; - + //is that all we needed? if(fb->ptr == NULL) { @@ -1629,7 +1739,7 @@ EW_EXPORT s32 shock_GetFramebuffer(void* psx, ShockFramebufferInfo* fb) //maybe we need to output the framebuffer //do a raster loop and copy it to the target - uint32* src = VTBuffer[fbIndex]->pixels + (s_FramebufferCurrentWidth*espec.DisplayRect.y) + espec.DisplayRect.x; + uint32* src = VTBuffer[fbIndex]->pixels + (s_FramebufferCurrentWidth*yo) + espec.DisplayRect.x; uint32* dst = (u32*)fb->ptr; int tocopy = width*4; for(int y=0;ySaveMemcard(i, MDFN_MakeFName(MDFNMKF_SAV, 0, ext).c_str()); - } - - } - Cleanup(); } @@ -2349,11 +2423,12 @@ Breakout: bool ShockDiscRef::ReadLBA_PW(uint8* pwbuf96, int32 lba, bool hint_fullread) { //TODO - whats that hint mean - //TODO - should return false if out of range totally //reference: static const int32 LBA_Read_Minimum = -150; //reference: static const int32 LBA_Read_Maximum = 449849; // 100 * 75 * 60 - 150 - 1 u8 tmp[2448]; - ReadLBA2448(lba,tmp); + s32 ret = ReadLBA2448(lba,tmp); + if(ret != SHOCK_OK) + return false; memcpy(pwbuf96,tmp+2352,96); return true; } @@ -2632,5 +2707,12 @@ EW_EXPORT s32 shock_SetTraceCallback(void* psx, void* opaque, ShockCallback_Trac g_ShockTraceCallbackOpaque = opaque; g_ShockTraceCallback = callback; + return SHOCK_OK; +} + +//Sets whether LEC is enabled (sector level error correction). Defaults to FALSE (disabled) +EW_EXPORT s32 shock_SetLEC(void* psx, bool enabled) +{ + CDC->SetLEC(enabled); return SHOCK_OK; } \ No newline at end of file diff --git a/psx/octoshock/psx/psx.h b/psx/octoshock/psx/psx.h index 362305e2c1..44b297e4f7 100644 --- a/psx/octoshock/psx/psx.h +++ b/psx/octoshock/psx/psx.h @@ -123,6 +123,13 @@ enum eRegion REGION_NONE = 3 }; +enum eShockDeinterlaceMode +{ + eShockDeinterlaceMode_Weave, + eShockDeinterlaceMode_Bob, + eShockDeinterlaceMode_BobOffset +}; + enum eShockStep { eShockStep_Frame @@ -134,6 +141,18 @@ enum eShockFramebufferFlags eShockFramebufferFlags_Normalize = 1 }; +enum eShockRenderType +{ + eShockRenderType_Normal, + eShockRenderType_ClipOverscan, + + //this should discard peculiar X adjustments during scan-out (done) + //as well as peculiar Y adjustments (not done) + //it's unclear whether the latter will actually ever be needed.. + //are any earthquake effects shaking the whole screen? + eShockRenderType_Framebuffer +}; + enum eMemType { eMemType_MainRAM = 0, //2048K @@ -275,7 +294,9 @@ struct ShockFramebufferInfo struct ShockRenderOptions { s32 scanline_start, scanline_end; - bool clipOverscan; + eShockRenderType renderType; + eShockDeinterlaceMode deinterlaceMode; + bool skip; }; struct ShockMemcardTransaction @@ -339,7 +360,7 @@ EW_EXPORT s32 shock_Peripheral_MemcardTransact(void* psx, s32 address, ShockMemc EW_EXPORT s32 shock_Peripheral_PollActive(void* psx, s32 address, s32 clear); //Mounts a PS-EXE executable -EW_EXPORT s32 shock_MountEXE(void* psx, void* exebuf, s32 size); +EW_EXPORT s32 shock_MountEXE(void* psx, void* exebuf, s32 size, s32 ignore_pcsp); //Sets the power to ON. Returns SHOCK_NOCANDO if already on. EW_EXPORT s32 shock_PowerOn(void* psx); @@ -382,7 +403,7 @@ EW_EXPORT s32 shock_GetSamples(void* psx, void* buffer); //Returns information about a memory buffer for peeking (main memory, spu memory, etc.) EW_EXPORT s32 shock_GetMemData(void* psx, void** ptr, s32* size, s32 memType); -//savestate work. Returns the size if that's what was requested, otherwise error codes +//Savestate work. Returns the size if that's what was requested, otherwise error codes EW_EXPORT s32 shock_StateTransaction(void *psx, ShockStateTransaction* transaction); //Retrieves the CPU registers in a compact struct @@ -393,3 +414,6 @@ EW_EXPORT s32 shock_SetRegister_CPU(void* psx, s32 index, u32 value); //Sets the callback to be used for CPU tracing EW_EXPORT s32 shock_SetTraceCallback(void* psx, void* opaque, ShockCallback_Trace callback); + +//Sets whether LEC is enabled (sector level error correction). Defaults to FALSE (disabled) +EW_EXPORT s32 shock_SetLEC(void* psx, bool enabled); \ No newline at end of file diff --git a/psx/octoshock/psx/timer.cpp b/psx/octoshock/psx/timer.cpp index 88a94ed2e4..573561ed02 100644 --- a/psx/octoshock/psx/timer.cpp +++ b/psx/octoshock/psx/timer.cpp @@ -18,433 +18,441 @@ #include #include "psx.h" #include "timer.h" - -/* - Notes(some of it may be incomplete or wrong in subtle ways) - - Control bits: - Lower 3 bits of mode, for timer1(when mode is | 0x100): - 0x1 = don't count while in vblank(except that the first count while in vblank does go through) - 0x3 = vblank going inactive triggers timer reset, then some interesting behavior where counting again is delayed... - 0x5 = vblank going inactive triggers timer reset, and only count within vblank. - 0x7 = Wait until vblank goes active then inactive, then start counting? - For timer2: - 0x1 = timer stopped(TODO: confirm on real system) - - Target mode enabled 0x008 - IRQ enable 0x010 - --?Affects 0x400 status flag?-- 0x020 - IRQ evaluation auto-reset 0x040 - --unknown-- 0x080 - Clock selection 0x100 - Divide by 8(timer 2 only?) 0x200 - - Counter: - Reset to 0 on writes to the mode/status register. - - Status flags: - Unknown flag 0x0400 - Compare flag 0x0800 - Cleared on mode/status read. - Set when: //ever Counter == 0(proooobably, need to investigate lower 3 bits in relation to this). - - - Overflow/Carry flag 0x1000 - Cleared on mode/status read. - Set when counter overflows from 0xFFFF->0. - - Hidden flags: - IRQ done - Cleared on writes to the mode/status register, on writes to the count register, and apparently automatically when the counter - increments if (Mode & 0x40) [Note: If target mode is enabled, and target is 0, IRQ done flag won't be automatically reset] - - There seems to be a brief period(edge condition?) where, if count to target is enabled, you can (sometimes?) read the target value in the count - register before it's reset to 0. I doubt any games rely on this, but who knows. Maybe a PSX equivalent of the PC Engine "Battle Royale"? ;) - - When the counter == 0, the compare flag is set. An IRQ will be generated if (Mode & 0x10), and the hidden IRQ done flag will be set. -*/ - -/* - Dec. 26, 2011 Note - Due to problems I've had with my GPU timing test program, timer2 appears to be unreliable(clocks are skipped?) when target mode is enabled and the full - 33MHz clock is used(rather than 33MHz / 8). TODO: Investigate further and confirm(or not). - - Jan. 15, 2013 Note: - Counters using GPU clock sources(hretrace,dot clock) reportedly will with a low probability return wrong count values on an actual PS1, so keep this in mind - when writing test programs(IE keep reading the count value until two consecutive reads return the same value). -*/ - -/* - FIXME: Clock appropriately(and update events) when using SetRegister() via the debugger. - - TODO: If we ever return randomish values to "simulate" open bus, remember to change the return type and such of the TIMER_Read() function to full 32-bit too. -*/ - -namespace MDFN_IEN_PSX -{ - -struct Timer -{ - uint32 Mode; - int32 Counter; // Only 16-bit, but 32-bit here for detecting counting past target. - int32 Target; - - int32 Div8Counter; - - bool IRQDone; - int32 DoZeCounting; -}; - -static bool vblank; -static bool hretrace; -static Timer Timers[3]; -static pscpu_timestamp_t lastts; - -static int32 CalcNextEvent(int32 next_event) -{ - for(int i = 0; i < 3; i++) - { - int32 target; - int32 count_delta; - - if((i == 0 || i == 1) && (Timers[i].Mode & 0x100)) // If clocked by GPU, abort for this timer(will result in poor granularity for pixel-clock-derived timer IRQs, but whatever). - continue; - - if(!(Timers[i].Mode & 0x10)) // If IRQ is disabled, abort for this timer. - continue; - - if((Timers[i].Mode & 0x8) && (Timers[i].Counter == 0) && (Timers[i].Target == 0) && !Timers[i].IRQDone) - { - next_event = 1; - continue; - } - - target = ((Timers[i].Mode & 0x8) && (Timers[i].Counter < Timers[i].Target)) ? Timers[i].Target : 0x10000; - - count_delta = target - Timers[i].Counter; - if(count_delta <= 0) - { - PSX_DBG(PSX_DBG_ERROR, "timer %d count_delta <= 0!!! %d %d\n", i, target, Timers[i].Counter); - continue; - } - - { - int32 tmp_clocks; - - if(Timers[i].DoZeCounting <= 0) - continue; - - if((i == 0x2) && (Timers[i].Mode & 0x1)) - continue; - - if((i == 0x2) && (Timers[i].Mode & 0x200)) - { - assert(Timers[i].Div8Counter >= 0 && Timers[i].Div8Counter < 8); - tmp_clocks = ((count_delta - 1) * 8) + (8 - Timers[i].Div8Counter); - } - else - tmp_clocks = count_delta; - - assert(tmp_clocks > 0); - - if(next_event > tmp_clocks) - next_event = tmp_clocks; - } - } - - return(next_event); -} - -static void ClockTimer(int i, uint32 clocks) -{ - int32 before = Timers[i].Counter; - int32 target = 0x10000; - bool zero_tm = false; - - if(Timers[i].DoZeCounting <= 0) - clocks = 0; - - if(i == 0x2) - { - uint32 d8_clocks; - - Timers[i].Div8Counter += clocks; - d8_clocks = Timers[i].Div8Counter >> 3; - Timers[i].Div8Counter -= d8_clocks << 3; - - if(Timers[i].Mode & 0x200) // Divide by 8, at least for timer 0x2 - clocks = d8_clocks; - - if(Timers[i].Mode & 1) - clocks = 0; - } - - if(Timers[i].Mode & 0x008) - target = Timers[i].Target; - - if(target == 0 && Timers[i].Counter == 0) - zero_tm = true; - else - Timers[i].Counter += clocks; - - if(clocks && (Timers[i].Mode & 0x40)) - Timers[i].IRQDone = false; - - if((before < target && Timers[i].Counter >= target) || zero_tm || Timers[i].Counter > 0xFFFF) - { -#if 1 - if(Timers[i].Mode & 0x10) - { - if((Timers[i].Counter - target) > 3) - PSX_WARNING("Timer %d IRQ trigger error: %d", i, Timers[i].Counter - target); - } - -#endif - - - Timers[i].Mode |= 0x0800; - - if(Timers[i].Counter > 0xFFFF) - { - Timers[i].Counter -= 0x10000; - - if(target == 0x10000) - Timers[i].Mode |= 0x1000; - - if(!target) - Timers[i].Counter = 0; - } - - if(target) - Timers[i].Counter -= (Timers[i].Counter / target) * target; - - if((Timers[i].Mode & 0x10) && !Timers[i].IRQDone) - { - Timers[i].IRQDone = true; - - IRQ_Assert(IRQ_TIMER_0 + i, true); - IRQ_Assert(IRQ_TIMER_0 + i, false); - } - - if(Timers[i].Counter && (Timers[i].Mode & 0x40)) - Timers[i].IRQDone = false; - } - -} - -void TIMER_SetVBlank(bool status) -{ - switch(Timers[1].Mode & 0x7) - { - case 0x1: - Timers[1].DoZeCounting = !status; - break; - - case 0x3: - if(vblank && !status) - Timers[1].Counter = 0; - break; - - case 0x5: - Timers[1].DoZeCounting = status; - if(vblank && !status) - Timers[1].Counter = 0; - break; - - case 0x7: - if(Timers[1].DoZeCounting == -1) - { - if(!vblank && status) - Timers[1].DoZeCounting = 0; - } - else if(Timers[1].DoZeCounting == 0) - { - if(vblank && !status) - Timers[1].DoZeCounting = 1; - } - break; - } - vblank = status; -} - -void TIMER_SetHRetrace(bool status) -{ - if(hretrace && !status) - { - if((Timers[0].Mode & 0x7) == 0x3) - Timers[0].Counter = 0; - } - - hretrace = status; -} - -void TIMER_AddDotClocks(uint32 count) -{ - if(Timers[0].Mode & 0x100) - ClockTimer(0, count); -} - -void TIMER_ClockHRetrace(void) -{ - if(Timers[1].Mode & 0x100) - ClockTimer(1, 1); -} - -pscpu_timestamp_t TIMER_Update(const pscpu_timestamp_t timestamp) -{ - int32 cpu_clocks = timestamp - lastts; - - for(int i = 0; i < 3; i++) - { - uint32 timer_clocks = cpu_clocks; - - if(Timers[i].Mode & 0x100) - continue; - - ClockTimer(i, timer_clocks); - } - - lastts = timestamp; - - return(timestamp + CalcNextEvent(1024)); -} - -static void CalcCountingStart(unsigned which) -{ - Timers[which].DoZeCounting = true; - - switch(which) - { - case 1: - switch(Timers[which].Mode & 0x07) - { - case 0x1: - Timers[which].DoZeCounting = !vblank; - break; - - case 0x5: - Timers[which].DoZeCounting = vblank; - break; - - case 0x7: - Timers[which].DoZeCounting = -1; - break; - } - break; - - - } -} - -void TIMER_Write(const pscpu_timestamp_t timestamp, uint32 A, uint16 V) -{ - TIMER_Update(timestamp); - - int which = (A >> 4) & 0x3; - - V <<= (A & 3) * 8; - - PSX_DBGINFO("[TIMER] Write: %08x %04x\n", A, V); - - if(which >= 3) - return; - - // TODO: See if the "Timers[which].Counter" part of the IRQ if() statements below is what a real PSX does. - switch(A & 0xC) - { - case 0x0: Timers[which].IRQDone = false; -#if 1 - if(Timers[which].Counter && (V & 0xFFFF) == 0) - { - Timers[which].Mode |= 0x0800; - if((Timers[which].Mode & 0x10) && !Timers[which].IRQDone) - { - Timers[which].IRQDone = true; - IRQ_Assert(IRQ_TIMER_0 + which, true); - IRQ_Assert(IRQ_TIMER_0 + which, false); - } - } -#endif - Timers[which].Counter = V & 0xFFFF; - break; - - case 0x4: Timers[which].Mode = (V & 0x3FF) | (Timers[which].Mode & 0x1C00); - Timers[which].IRQDone = false; -#if 1 - if(Timers[which].Counter) - { - Timers[which].Mode |= 0x0800; - if((Timers[which].Mode & 0x10) && !Timers[which].IRQDone) - { - Timers[which].IRQDone = true; - IRQ_Assert(IRQ_TIMER_0 + which, true); - IRQ_Assert(IRQ_TIMER_0 + which, false); - } - } - Timers[which].Counter = 0; -#endif - CalcCountingStart(which); // Call after setting .Mode - break; - - case 0x8: Timers[which].Target = V & 0xFFFF; - break; - - case 0xC: // Open bus - break; - } - - // TIMER_Update(timestamp); - - PSX_SetEventNT(PSX_EVENT_TIMER, timestamp + CalcNextEvent(1024)); -} - -uint16 TIMER_Read(const pscpu_timestamp_t timestamp, uint32 A) -{ - uint16 ret = 0; - int which = (A >> 4) & 0x3; - - if(which >= 3) - { - PSX_WARNING("[TIMER] Open Bus Read: 0x%08x", A); - - return(ret >> ((A & 3) * 8)); - } - - TIMER_Update(timestamp); - - switch(A & 0xC) - { - case 0x0: ret = Timers[which].Counter; - break; - - case 0x4: ret = Timers[which].Mode; - Timers[which].Mode &= ~0x1800; - break; - - case 0x8: ret = Timers[which].Target; - break; - - case 0xC: PSX_WARNING("[TIMER] Open Bus Read: 0x%08x", A); - break; - } - - return(ret >> ((A & 3) * 8)); -} - - -void TIMER_ResetTS(void) -{ - lastts = 0; -} - - -void TIMER_Power(void) -{ - lastts = 0; - - hretrace = false; - vblank = false; - memset(Timers, 0, sizeof(Timers)); + +/* + Notes(some of it may be incomplete or wrong in subtle ways) + + Control bits: + Lower 3 bits of mode, for timer1(when mode is | 0x100): + 0x1 = don't count while in vblank(except that the first count while in vblank does go through) + 0x3 = vblank going inactive triggers timer reset, then some interesting behavior where counting again is delayed... + 0x5 = vblank going inactive triggers timer reset, and only count within vblank. + 0x7 = Wait until vblank goes active then inactive, then start counting? + For timer2: + 0x1 = timer stopped(TODO: confirm on real system) + + Target match counter reset enable 0x008 + Target match IRQ enable 0x010 + Overflow IRQ enable 0x020 + IRQ evaluation auto-reset 0x040 + --unknown-- 0x080 + Clock selection 0x100 + Divide by 8(timer 2 only?) 0x200 + + Counter: + Reset to 0 on writes to the mode/status register. + + Status flags: + Current IRQ line status? 0x0400 + Compare flag 0x0800 + Cleared on mode/status read. + Set repeatedly while counter == target. + + Overflow/Carry flag 0x1000 + Cleared on mode/status read. + Set when counter overflows from 0xFFFF->0. + + Hidden flags: + IRQ done + Cleared on writes to the mode/status register, on writes to the count register, and apparently automatically when the counter + increments if (Mode & 0x40) [Note: If target mode is enabled, and target is 0, IRQ done flag won't be automatically reset] + + There seems to be a brief period(edge condition?) where, if target match reset mode is enabled, you can (sometimes?) read the target value in the count + register before it's reset to 0. Currently not emulated; I doubt any games rely on this, but who knows. Maybe a PSX equivalent + of the PC Engine "Battle Royale"? ;) + + A timer is somewhat unreliable when target match reset mode is enabled and the 33MHz clock is used. Average 2.4 counts seem to be + skipped for that timer every target match reset, but oddly subtracting only 2 from the desired target match value seems to effectively + negate the loss...wonder if my test program is faulty in some way. Currently not emulated. + + Counters using GPU clock sources(hretrace,dot clock) reportedly will with a low probability return wrong count values on an actual PS1, + so keep this in mind when writing test programs(IE keep reading the count value until two consecutive reads return the same value). + Currently not emulated. +*/ + +/* + FIXME: Clock appropriately(and update events) when using SetRegister() via the debugger. + + TODO: If we ever return randomish values to "simulate" open bus, remember to change the return type and such of the TIMER_Read() function to full 32-bit too. +*/ + +namespace MDFN_IEN_PSX +{ + +struct Timer +{ + uint32 Mode; + uint32 Counter; // Only 16-bit, but 32-bit here for detecting counting past target. + uint32 Target; + + uint32 Div8Counter; + + bool IRQDone; + int32 DoZeCounting; +}; + +static bool vblank; +static bool hretrace; +static Timer Timers[3]; +static pscpu_timestamp_t lastts; + +static uint32 CalcNextEvent(void) +{ + uint32 next_event = 1024; // + + for(unsigned i = 0; i < 3; i++) + { + if(!(Timers[i].Mode & 0x30)) // If IRQ is disabled, abort for this timer(don't look at IRQDone for this test, or things will break since its resetting is deferred!). + continue; + + if((Timers[i].Mode & 0x8) && (Timers[i].Counter == 0) && (Timers[i].Target == 0) && !Timers[i].IRQDone) + { + next_event = 1; + continue; + } + + // + // + if((i == 0 || i == 1) && (Timers[i].Mode & 0x100)) // If clocked by GPU, abort for this timer(will result in poor granularity for pixel-clock-derived timer IRQs, but whatever). + continue; + + if(Timers[i].DoZeCounting <= 0) + continue; + + if((i == 0x2) && (Timers[i].Mode & 0x1)) + continue; + + // + // + // + const uint32 target = ((Timers[i].Mode & 0x18) && (Timers[i].Counter < Timers[i].Target)) ? Timers[i].Target : 0x10000; + const uint32 count_delta = target - Timers[i].Counter; + uint32 tmp_clocks; + + if((i == 0x2) && (Timers[i].Mode & 0x200)) + tmp_clocks = (count_delta * 8) - Timers[i].Div8Counter; + else + tmp_clocks = count_delta; + + if(next_event > tmp_clocks) + next_event = tmp_clocks; + } + + return(next_event); +} + +static bool TimerMatch(unsigned i) +{ + bool irq_exact = false; + + Timers[i].Mode |= 0x0800; + + if(Timers[i].Mode & 0x008) + Timers[i].Counter %= std::max(1, Timers[i].Target); + + if((Timers[i].Mode & 0x10) && !Timers[i].IRQDone) + { + if(Timers[i].Counter == 0 || Timers[i].Counter == Timers[i].Target) + irq_exact = true; + +#if 1 + { + const uint16 lateness = (Timers[i].Mode & 0x008) ? Timers[i].Counter : (Timers[i].Counter - Timers[i].Target); + + if(lateness > ((i == 1 && (Timers[i].Mode & 0x100)) ? 0 : 3)) + PSX_DBG(PSX_DBG_WARNING, "[TIMER] Timer %d match IRQ trigger late: %u\n", i, lateness); + } +#endif + + Timers[i].IRQDone = true; + IRQ_Assert(IRQ_TIMER_0 + i, true); + IRQ_Assert(IRQ_TIMER_0 + i, false); + } + + return irq_exact; +} + +static bool TimerOverflow(unsigned i) +{ + bool irq_exact = false; + + Timers[i].Mode |= 0x1000; + Timers[i].Counter &= 0xFFFF; + + if((Timers[i].Mode & 0x20) && !Timers[i].IRQDone) + { + if(Timers[i].Counter == 0) + irq_exact = true; + +#if 1 + if(Timers[i].Counter > ((i == 1 && (Timers[i].Mode & 0x100)) ? 0 : 3)) + PSX_DBG(PSX_DBG_WARNING, "[TIMER] Timer %d overflow IRQ trigger late: %u\n", i, Timers[i].Counter); +#endif + + Timers[i].IRQDone = true; + IRQ_Assert(IRQ_TIMER_0 + i, true); + IRQ_Assert(IRQ_TIMER_0 + i, false); + } + + return irq_exact; +} + +static void ClockTimer(int i, uint32 clocks) +{ + if(Timers[i].DoZeCounting <= 0) + clocks = 0; + + if(i == 0x2) + { + uint32 d8_clocks; + + Timers[i].Div8Counter += clocks; + d8_clocks = Timers[i].Div8Counter >> 3; + Timers[i].Div8Counter &= 0x7; + + if(Timers[i].Mode & 0x200) // Divide by 8, at least for timer 0x2 + clocks = d8_clocks; + + if(Timers[i].Mode & 1) + clocks = 0; + } + + if((Timers[i].Mode & 0x008) && Timers[i].Target == 0 && Timers[i].Counter == 0) + TimerMatch(i); + else if(clocks) + { + uint32 before = Timers[i].Counter; + + Timers[i].Counter += clocks; + + if(Timers[i].Mode & 0x40) + Timers[i].IRQDone = false; + + bool irq_exact = false; + + // + // Target match handling + // + if((before < Timers[i].Target && Timers[i].Counter >= Timers[i].Target) || (Timers[i].Counter >= Timers[i].Target + 0x10000)) + irq_exact |= TimerMatch(i); + + // + // Overflow handling + // + if(Timers[i].Counter >= 0x10000) + irq_exact |= TimerOverflow(i); + + // + if((Timers[i].Mode & 0x40) && !irq_exact) + Timers[i].IRQDone = false; + } +} + +void TIMER_SetVBlank(bool status) +{ + switch(Timers[1].Mode & 0x7) + { + case 0x1: + Timers[1].DoZeCounting = !status; + break; + + case 0x3: + if(vblank && !status) + { + Timers[1].Counter = 0; + if(Timers[1].Counter == Timers[1].Target) + TimerMatch(1); + } + break; + + case 0x5: + Timers[1].DoZeCounting = status; + if(vblank && !status) + { + Timers[1].Counter = 0; + if(Timers[1].Counter == Timers[1].Target) + TimerMatch(1); + } + break; + + case 0x7: + if(Timers[1].DoZeCounting == -1) + { + if(!vblank && status) + Timers[1].DoZeCounting = 0; + } + else if(Timers[1].DoZeCounting == 0) + { + if(vblank && !status) + Timers[1].DoZeCounting = 1; + } + break; + } + vblank = status; +} + +void TIMER_SetHRetrace(bool status) +{ + if(hretrace && !status) + { + if((Timers[0].Mode & 0x7) == 0x3) + { + Timers[0].Counter = 0; + + if(Timers[0].Counter == Timers[0].Target) + TimerMatch(0); + } + } + + hretrace = status; +} + +void TIMER_AddDotClocks(uint32 count) +{ + if(Timers[0].Mode & 0x100) + ClockTimer(0, count); +} + +void TIMER_ClockHRetrace(void) +{ + if(Timers[1].Mode & 0x100) + ClockTimer(1, 1); +} + +pscpu_timestamp_t TIMER_Update(const pscpu_timestamp_t timestamp) +{ + int32 cpu_clocks = timestamp - lastts; + + for(int i = 0; i < 3; i++) + { + uint32 timer_clocks = cpu_clocks; + + if(Timers[i].Mode & 0x100) + continue; + + ClockTimer(i, timer_clocks); + } + + lastts = timestamp; + + return(timestamp + CalcNextEvent()); +} + +static void CalcCountingStart(unsigned which) +{ + Timers[which].DoZeCounting = true; + + switch(which) + { + case 1: + switch(Timers[which].Mode & 0x07) + { + case 0x1: + Timers[which].DoZeCounting = !vblank; + break; + + case 0x5: + Timers[which].DoZeCounting = vblank; + break; + + case 0x7: + Timers[which].DoZeCounting = -1; + break; + } + break; + + + } +} + +void TIMER_Write(const pscpu_timestamp_t timestamp, uint32 A, uint16 V) +{ + TIMER_Update(timestamp); + + int which = (A >> 4) & 0x3; + + V <<= (A & 3) * 8; + + PSX_DBGINFO("[TIMER] Write: %08x %04x\n", A, V); + + if(which >= 3) + return; + + switch(A & 0xC) + { + case 0x0: Timers[which].IRQDone = false; + Timers[which].Counter = V & 0xFFFF; + break; + + case 0x4: Timers[which].Mode = (V & 0x3FF) | (Timers[which].Mode & 0x1C00); + Timers[which].IRQDone = false; + Timers[which].Counter = 0; + + CalcCountingStart(which); // Call after setting .Mode + break; + + case 0x8: Timers[which].Target = V & 0xFFFF; + break; + + case 0xC: // Open bus + break; + } + + if(Timers[which].Counter == Timers[which].Target) + TimerMatch(which); + + PSX_SetEventNT(PSX_EVENT_TIMER, timestamp + CalcNextEvent()); +} + +uint16 TIMER_Read(const pscpu_timestamp_t timestamp, uint32 A) +{ + uint16 ret = 0; + int which = (A >> 4) & 0x3; + + if(which >= 3) + { + PSX_WARNING("[TIMER] Open Bus Read: 0x%08x", A); + + return(ret >> ((A & 3) * 8)); + } + + TIMER_Update(timestamp); + + switch(A & 0xC) + { + case 0x0: ret = Timers[which].Counter; + break; + + case 0x4: ret = Timers[which].Mode; + Timers[which].Mode &= ~0x1000; + if(Timers[which].Counter != Timers[which].Target) + Timers[which].Mode &= ~0x0800; + break; + + case 0x8: ret = Timers[which].Target; + break; + + case 0xC: PSX_WARNING("[TIMER] Open Bus Read: 0x%08x", A); + break; + } + + return(ret >> ((A & 3) * 8)); +} + + +void TIMER_ResetTS(void) +{ + lastts = 0; +} + + +void TIMER_Power(void) +{ + lastts = 0; + + hretrace = false; + vblank = false; + memset(Timers, 0, sizeof(Timers)); } void TIMER_SyncState(bool isReader, EW::NewState *ns) @@ -496,6 +504,9 @@ void TIMER_SetRegister(unsigned int which, uint32 value) break; } + if (Timers[tw].Counter == Timers[tw].Target) + TimerMatch(tw); + }