don't click here

Utility clownmdemu - The Greatest Mega Drive Emulator Ever (Someday)

Discussion in 'Technical Discussion' started by Clownacy, Jun 23, 2022.

  1. Clownacy

    Clownacy

    Tech Member
    1,061
    607
    93
    Sure, I treat it as my to-do list.
     
  2. Clownacy

    Clownacy

    Tech Member
    1,061
    607
    93
    (Cross-post from the blog)

    v0.6
    Try it in your web browser: clownmdemu.clownacy.com
    Download: https://github.com/Clownacy/clownmdemu-frontend/releases/tag/v0.6

    Recently, I have been informed of various games that do not work correctly in my emulator by BlastBrothers, who has opened several issues on the emulator's GitHub repository.

    Properly Initialised Emulator State
    One of these issues mentioned missing audio in Battletoads: upon booting, the title screen would not play any music. Despite this, music would play when starting a level, and the title would play music if the game is reset. These quirks suggested that this was an matter of the emulated Mega Drive having invalid state upon boot.

    After some investigation, I found that the Z80's bank was not being initialised at all. This caused it to default to the value of the memory that it occupied, which, on x86 Windows at least, is 0xCD. Because the Z80 bank was set to such an unusual value, the game's sound driver was reading music data from the wrong location, causing no music to play.

    It is worth mentioning that this would not have been an issue were the emulator written in C++ rather than C, as class field variables are always properly initialised, be it explicitly or implicitly. Using C means that I have to do all of this manually; there is no safety net here.

    Vastly-Improved VDP Command Behaviour
    Another game that was misbehaving was The Adventures of Batman & Robin, which had missing and corrupt graphics in its opening:

    [​IMG] [​IMG]

    Additionally, there were various Electronic Arts games whose EA splash screen did not appear correctly:

    [​IMG]
    (This looks pretty cool in motion).

    What these both had in common was the debug log being flooded with warnings about invalid access modes and the VDP being written to while it was in read mode. It appeared that communications with the VDP were going horribly wrong. This struck me as very odd, considering that I had recently made VDP communication far more accurate in order to get Sonic Crackers working correctly.

    To debug this, I consulted Nemesis's VDP test suite (yes, the same Nemesis that the compression format is named after). His test suite is a ROM that you run on a Mega Drive emulator to verify the accuracy of various behaviours. Safe to say, my emulator does not pass many tests:

    [​IMG]

    What was interesting was that the emulator did not pass the 'partial command port writes' test. I found this strange because I thought my emulator did support those: partial commands are cached and later combined with their missing halves when they are sent by the 68000. Is that not what a real VDP does?

    As it turns out, no, it is not. As this incredibly useful document by Genesis Plus developer Charles MacDonald explains, the VDP actually applies partial commands immediately, and does not wait for their missing halves to arrive. This means that any software which relied on this behaviour was operating on outdated VDP state, as the commands that were being uploaded were not doing anything. I also found that my previous understanding of command latching was completely incorrect, and only worked in Sonic Crackers by complete accident.

    After addressing these inaccuracies, the two games began looking much better!

    [​IMG] [​IMG] [​IMG]

    This massive overhaul also incidentally fixed the stray pixels in Mega Man: The Wily Wars. It has been a long time coming!

    [​IMG] [​IMG]

    Improved Accuracy of DMA Fill

    Despite all of these improvements, Thunder Force IV continued to display garbage in its opening:

    [​IMG]

    MacDonald's document helpfully pointed out that this game required accurate DMA Fill emulation. DMA Fill is a feature that allows VRAM to be filled with a repeated value (though undocumented, CRAM and VSRAM can be filled as well). I thought that I had already implemented this accurately, yet, once again, it turns out that I had not. Oddly, when writing each byte, a real VDP does so to the current address XOR'd with 1. I do not understand why it does this. Regardless, my emulator failed to reproduce this behaviour, apparently causing the above bug. After applying a simple fix, the bug disappeared!

    [​IMG]

    Made 68000 Byte Writes More Accurate

    There was one small problem with the previous fix - it broke Wily Wars:

    [​IMG]

    But how could this be? Even Nemesis's test ROM confirmed that this was the correct way to emulate DMA Fill! After over an hour of debugging, my mind was not changed: my emulator was absolutely working correctly. So then why was this bug happening?

    As a reminder: Wily Wars uses DMA Fill to create several blank tiles in VRAM. This is what they normally look like:

    [​IMG]

    The problem is that the third and fourth pixels of each tile are not being set by the DMA Fill, causing a 'hole' to appear in them.

    To explain why this could not be a problem with the DMA Fill itself, I shall go over how a DMA Fill occurs:

    The final step of activating a DMA Fill is a standard memory write: this causes a word of data to be written to the destination memory at the current index, after which the index is incremented. Following this, the VDP enters a loop of writing the upper 8 bits of the word to the destination memory at the current index XOR'd with 1, until its counter reaches 0.

    Let us illustrate this more directly; here is what happens when a DMA Fill of 0xFF is performed at index 0 with an increment of 1 and a length of 3:
    • Standard memory write occurs, writing 0xFF00 to address 0.
      • 0xFF is written to address 0 (0 XOR 0).
      • 0x00 is written to address 1 (0 XOR 1).
      • Index is incremented to 1.
    • Byte-writing loop begins:
      • 0xFF is written to address 0 (1 XOR 1).
      • index is incremented to 2.
      • 0xFF is written to address 3 (2 XOR 1).
      • index is incremented to 3.
      • 0xFF is written to address 2 (3 XOR 1).
    The result of all of this is that the four bytes starting at address 0 are 'FF 00 FF FF'. Since a tile is 4-bits-per-pixel, this explains why the third and fourth pixels of each one is missing. The DMA Fill is working exactly as it should, so how does Wily Wars rewrite the skipped pixels, and why does it not work in my emulator?

    To find this out, I used my emulator's handy disassembler to view the code in the game that was triggering the DMA fill. Here it is:

    Code (ASM):
    1. 0006CAF8: movea.l 4(sp),a0
    2. 0006CAFC: lea     ($C00004).l,a1
    3. 0006CB02: move.w  sr,-(sp)
    4. 0006CB04: ori.w   #$700,sr
    5. 0006CB08: move.w  #$8F01,(a1)
    6. 0006CB0C: move.w  ($FFBE8C).l,d0
    7. 0006CB12: bset.l  #4,d0
    8. 0006CB16: move.w  d0,(a1)
    9. 0006CB18: move.l  $12(a0),(a1)
    10. 0006CB1C: move.w  #$9780,(a1)
    11. 0006CB20: move.l  $1C(a0),(a1)
    12. 0006CB24: move.b  7(a0),-4(a1)
    13. 0006CB2A: move.w  (a1),d0
    14. 0006CB2C: btst.l  #1,d0
    15. 0006CB30: bne.s   $6CB2A
    16. 0006CB32: move.w  ($FFBE8C).l,(a1)
    17. 0006CB38: move.w  #$8F02,(a1)
    18. 0006CB3C: move.w  (sp)+,sr
    19. 0006CB3E: rts

    What is most important is the 'move.b 7(a0),-4(a1)' instruction. This is the instruction which specifies the value to fill the RAM and ultimately triggers the DMA Fill. Normally, this instruction writes a word ('move.w'), but this one moves only a byte ('move.b'). As soon as I saw this, I knew exactly what the problem was.

    While reading posts on the SpritesMind forum, I learned of a quirk of the 68000 that my emulator did not recreate: when performing byte-sized memory writes, the 68000 will repeat the byte in the top and bottom 8 bits of its external data bus. Since the VDP only supports word-sized port accesses, it will read both of these bytes together as a single word. This means that Wily Wars' code, rather than writing 0xFF00 to the VDP, is writing 0xFFFF.

    Following the above steps again, but using 0xFFFF instead of 0xFF00, produces 'FF FF FF FF' rather than 'FF 00 FF FF'. This is why Wily Wars does not have holes in its tiles on real Mega Drives.

    Correcting this fixed Wily Wars once more!

    [​IMG]

    Implemented DMA Copy

    There is not much to say about this one: I do not know of a single game that uses DMA Copy, but Nemesis's VDP test suite includes a few tests for it, so I figured that I would finally implement the feature.

    DMA Copy copies bytes from one place in VRAM to another. It shares DMA Fill's quirk of XOR-ing the destination address with 1, but DMA Copy also XORs its source address. Its other quirk is that it always increments its source address by 1, not by what the destination address increment register has been set to.

    I was able to make this share most of its code with DMA Transfer, so the two might share circuitry in a real VDP.

    Made Debug Log and Disassembler Output Copyable

    This is a small usability improvement to the frontend: the Debug Log and 68000 Disassembler windows now allow the user to select their text. In particular, this is for copying the text and pasting it elsewhere. For instance, the user could disassemble a function and then copy it into a text editor for further analysis or even to use it in their own project. Likewise, the debug log can be copied for pasting into a GitHub issue to report a bug.

    Moved Configuration Files to Standard Location

    The frontend has two configuration files, and, up until now, they have always been located in the 'working directory', which is usually where the executable itself is. If the emulator is ran via the command line, however, then the working directory will be whichever directory the command line is currently viewing. This can lead to configuration files cluttering various user directories without warning.

    To solve this problem, configuration files are now stored in a standard per-user location. On Windows, this will be the 'AppData' folder, while, on Linux, it will be '.local/share'. As well as avoiding clutter, this has the added benefit of making all copies of the emulator share a single set of configuraion files. No more changing the keyboard bindings for the umpteenth time just because the EXE had been moved to another folder.

    Improved Accuracy of Sprite Masking and Overflow

    The Mega Drive has a limit to how many sprites it can render at once: there is a limit on how many sprites can be drawn across the whole screen, and there is a limit to how many sprites and pixels can be drawn on a single horizontal line. When this limit is reached, sprites simply stop being drawn. This can lead to graphics disappearing or flickering during heavy sprite usage, such as when defeating a boss in Sonic Spinball. One place that this can easily be seen is in Sonic the Hedgehog's Spring Yard Zone boss battle:

    [​IMG]

    Here, the blocks along the bottom of the screen combined with the lives counter result in the pixel limit being reached, causing parts of the blocks to vanish.

    The game's title screen makes use of this to achieve a particular effect: numerous junk sprites are placed off-screen in order to reach the sprite limit, making the bottom of Sonic's sprite disappear. If it were possible to see all of the sprites that the game is rendering, including the off-screen ones, here is what it would look like:

    [​IMG]

    Were the sprite limit not emulated, the title screen would look very odd:

    [​IMG]

    However, there is another way to hide parts of sprites like this: if a sprite has an X coordinate of 0 (which is very far off-screen to the left), then no more sprites will be rendered on the lines that it occupies. This type of sprite is known as a 'sprite mask'. Sonic the Hedgehog 2 made use of this feature for its title screen, allowing it to achieve the same effect as its precursor without the need for so many junk sprites.

    [​IMG]

    Sprite masking and the sprite/pixel limits have many edge-cases and little-known behaviours, meaning that many emulators do not emulate them accurately. To help make this a thing of the past, Nemesis created yet another small but exhaustive test suite.

    I had actually used this to improve my emulator long ago, however there was a certain test that always failed:

    [​IMG]

    This one had to do with a particularly odd edge-case within another edge-case: a sprite mask will not prevent sprites from being drawn if no other sprites have drawn before it unless the previous line reached its pixel limit. While this is simple enough to comprehend, I did not want to have to write a mess of spaghetti code to recreate the behaviour, so I left it unaddressed until I could come up with an elegant way to implement it. Fortunately, I finally came up with such a solution, and now all tests finally pass:

    [​IMG]

    On another note - you might be wondering what I was using to see those offscreen sprites earlier. Well...

    Added a Sprite Debugger

    At long last, two years after adding debuggers for everything else, I have finally made a sprite debugger! In fact, I made two:

    [​IMG]

    As seen in this image, one debugger lists each sprite in detail, while the other shows how the sprites are composed into the final image. Notably, sprites can be drawn far off-screen, and this debugger allows them to be seen! Additionally, with this, the Mega Drive's rendering can be dissected down to each and every layer!

    [​IMG]

    Wrapping Up

    And that is everything of note in this update! Not since v0.4 has this emulator seen such a slew of fixes and features! Like with v0.4, development may slow down for a while after this, as writing such a big blog post and working on one project so much can cause quite a bit of burn-out. Hopefully this update is stable and user-friendly so that there is no huge need for another update any time soon.
     
    Last edited: Apr 1, 2024
    • Like Like x 7
    • Informative Informative x 1
    • List
  3. Brainulator

    Brainulator

    Regular garden-variety member Member
    What game is this?

    Nice work as always! Very interesting stuff about VDP fill.
     
  4. Kilo

    Kilo

    That inbetween sprite from S&K's title screen Member
    317
    327
    63
    Canada
    That sprite debugger looks awesome, definitely going to be my go to emulator once development is considered complete. The GUI is so damn slick. And combines everything I like about Regen's debuggers and Blastem. I've got one suggestion. And that should maybe be offering different color ramps, such as hardware output vs digitizer/RSDK colors, or hell why not have user defined color steps too. It's definitely a divisive topic, in which every emulator does it differently, so being able to customize it would be great. Just an idea.
     
  5. Devon

    Devon

    I'm a loser, baby, so why don't you kill me? Tech Member
    1,250
    1,420
    93
    your mom
    What good timing! I was actually recently learning more and more about how the 68000 and VDP work. This will definitely be useful to read over.
    I had learned about this and was even talking to someone about this just yesterday even.

    For the record...

    [​IMG]
    Source
     
    Last edited by a moderator: Feb 24, 2024
  6. Clownacy

    Clownacy

    Tech Member
    1,061
    607
    93
    Road Rash, though, according to this Issue, the same thing can be seen in a bunch of other games.
     
  7. Brainulator

    Brainulator

    Regular garden-variety member Member
  8. Chimes

    Chimes

    The One SSG-EG Maniac Member
    625
    482
    63
    Although not reposted here, the latest blog post mentions After Burner II's PCM playback. It's good to actually see sources on this enigma now; I had to scrounge up info from my own testing and educated guesses for SR and TCRF. David Lowe / Uncle Art did write about his similar method for Starglider, although his blog appears to went the way of the dodo.
     
  9. Devon

    Devon

    I'm a loser, baby, so why don't you kill me? Tech Member
    1,250
    1,420
    93
    your mom
    I made a post that described those "mystery" BIOS entry points for the Main CPU. If you want, I can provide a a very minimal "Main CPU boot ROM" that does some basic setup and provides most of the functions (mainly the more general ones, and less the ones tied to core BIOS stuff), specifically for this emulator. Can also make it not be region locked and include both variants of the security block animation.
     
  10. Clownacy

    Clownacy

    Tech Member
    1,061
    607
    93
    That would be great! What kind of licence would it be under?
     
  11. Devon

    Devon

    I'm a loser, baby, so why don't you kill me? Tech Member
    1,250
    1,420
    93
    your mom
    I tend to stick with more permissive licenses like 0BSD for smaller projects, or just flat out unlicense/put in the public domain (though I've been thinking about moving away from that, since I hear public domain isn't recognized everywhere) if it's just some super tiny thing I don't give much of a shit about or if it's something I feel should be free for anyone to use without limit. For something like this, I'd definitely be loose with licensing stuff, especially since a lot of it will just be pulled and slightly modified straight from the BIOS lol. But yeah tl;dr, for this, I'm not gonna be overprotective or anything, 0BSD is a likely license I would use.

    Would it be okay if you PM'd me with any form of contact info (like Discord), so I can discuss this stuff with you better?
     
    Last edited: Mar 1, 2024
  12. Devon

    Devon

    I'm a loser, baby, so why don't you kill me? Tech Member
    1,250
    1,420
    93
    your mom
    Heya... I've been helping make some magic happen on the Mega CD side~

    [​IMG]
    [​IMG]
    [​IMG]
     
  13. Clownacy

    Clownacy

    Tech Member
    1,061
    607
    93
    The workaround that I was using to keep the images in these posts small has stopped working for some reason, so, if you want to see the post as it was meant to be, read it at my blog.

    v0.7

    Try it in your web browser: clownmdemu.clownacy.com
    Download: https://github.com/Clownacy/clownmdemu-frontend/releases/tag/v0.7

    It is finally here! With my job resuming tomorrow, I decided that I should release what has been completed so far before I have far less spare time. The main feature of this update is greatly-improved Mega CD support, allowing Sonic CD to be played from beginning to end. But that is not all: there are also bugfixes, improvements to accuracy and user-friendliness, and the emulation of even more Mega Drive features!

    Fix After Burner II's Audio
    After Burner II is fascinating: it plays PCM samples using the PSG channels, rather than the DAC channel. Because there is only one DAC channel, but multiple PSG channels, this allows the game to play multiple PCM samples at once, which is something that is not possible to do otherwise without mixing samples on one of the CPUs!

    However, the game was failing to output any PCM samples in my emulator. Using the debugger, it could be seen that the PSG was indeed being used to play PCM samples, but it just was not audible.

    Fortunately, I had a suspicion about what the problem could be: the documentation that I had used when creating my PSG emulator mentioned that, at a low-enough frequency countdown setting, the square wave ceases to alternate. I found this to be questionable, so I did not implement it in my emulator. However, the PSG would be outputting such a high frequency at this setting that it would be not only imperceivable to human hearing, but filtered-out entirely by the audio resampler. So, I did as the documentation said, and stopped the wave from alternating. And, with that, After Burner II's samples became audible!

    Fix Jim Power's Flipped Graphics
    While investigating another inaccuracy, I stumbled upon this bizarre bug:
    [​IMG]

    After having made so many improvements to VDP communication lately, I was baffled to see yet another problem with it crop-up. It appeared that each longword of data that was being written to the VDP's plane maps had its words reversed. After some testing, I concluded that this was not a problem with DMA transfers nor VRAM byte-swapping, so I began tracing longword-sized writes from the 68000 to the VDP's ports. Upon detecting one, I used the emulator's disassembler to view the code that performed it, and this is what I found:

    Code (Text):
    1. 00004260: bsr.s   $4268
    2. 00004262: swap    d3
    3. 00004264: tas.b   d3
    4. 00004266: move.l  d2,d1
    5. 00004268: swap    d3
    6. 0000426A: move.l  usp,a6
    7. 0000426C: move.l  d3,(a6)
    8. 0000426E: move.l  d1,-(a6)
    9. 00004270: rts    

    Upon seeing this, I knew exactly what the problem was: the game was using a pre-decrement longword write, and it expected each word to be written in reverse order. In other words, it expects the latter word to be written to the VDP first, and then the former word afterwards.

    While it was a bit of a pain to make my 68000 interpreter recreate this behaviour, I soon had it done, and I could enjoy Jim Power's hypnotic parallax scrolling bug-free!
    [​IMG]

    Seriously, try moving to the right in this game - it gets weird.

    Use Software's Name as the Window Title
    Unlike other emulator developers, I see my emulator as less of a Mega Drive simulator and more of a Mega Drive compatibility layer. With that in mind, the frontend should provide as 'thin' a layer between the running software and the user as possible. One area where this was not the case was the window title: if the user was playing Sonic the Hedgehog, then the window's title should be 'Sonic the Hedgehog', but, instead, it would always be 'clownmdemu'. That issue has now been fixed.
    [​IMG]

    How does the emulator know what the software's name is? Sega required that software made for the Mega Drive have a header, and this header includes a name. Here is the header for Sonic the Hedgehog:
    [​IMG]

    The header includes many things: the target console, a copyright notice, the software's unique serial code, revision number, a checksum, compatible accessories, ROM size, RAM usage, regions, and two names. One name is for Japan, and the other is for everywhere else. The emulator will display the name that matches the region that the emulator has been set to.

    Notably, the names are encoded in SHIFT-JIS rather than ASCII, allowing them to contain Japanese!

    Columns' header seemingly contains gibberish...
    [​IMG]

    ...until you decode it as SHIFT-JIS!
    [​IMG]

    This feature was slightly awkward to implement: while the names are SHIFT-JIS, the window title must be UTF-8, so the names have to be converted. SDL2 has built-in text encoding conversion, but it does not support SHIFT-JIS, so the emulator has to perform this conversion on its own. Fortunately, I had already tackled SHIFT-JIS-to-Unicode conversion before for the CSE2 project, so I could just copy the code which I had written for that. That code would output UTF-32, however, so I needed to write an additional converter to turn UTF-32 into UTF-8.

    With all that done, users can now see the name of the game that they are playing!

    Implement the V Part of the H/V Counter
    I dread implementing the H/V counter, as it is a hardware feature which I am very unfamiliar with, which does not seem to be particularly well-documented, and which would require significant refactoring in order to be emulated 'properly'.

    The H/V counter is a value that the 68000 CPU can read from the VDP to tell which pair of pixels (or a 'slot') it is currently (or would be) drawing. My VDP emulator currently draws in increments of entire scanlines instead of slots, so the H counter would be awkward to implement. However, the V counter would be simple to emulate, albeit inaccurately (the real V counter continues counting upwards even after the last scanline has been drawn).

    Implementing this fixed issues in multiple games:

    OutRun's road not looking quite right.
    [​IMG]
    [​IMG]
    OutRun 2019 missing part of its HUD.
    [​IMG]
    [​IMG]

    I would have implemented this long ago had I known that I had not already done so. It was such a simple feature that I thought I implemented it back when I first wrote the VDP emulator, but I had not. Silly me.

    Vastly-Improved Mega CD Support
    For the first time, this project has received improvements from another developer! Devon has recently been learning the inner-workings of the Mega CD, and applied that knowledge to improving this emulator!

    Fixes and Accuracy Improvements
    It began with fleshing-out the stub LLE BIOS to handle level-2 interrupts and implementing a few stubs for the Mega CD's graphical capabilities. What sounds like relatively-unimportant busywork actually made a significant difference: with these changes alone, Sonic CD was finally able to progress past its title screen and into gameplay!
    [​IMG]

    From analysing the game with my 68000 disassembler, I knew that the freeze on the title screen was caused by the game waiting for an interrupt to occur, but I did not expect that interrupt to be related to graphical operations of all things! After all, the title screen itself was running just fine, despite its use of that fancy cloud effect.

    But this was just the beginning! Additional fixes rolled-in to properly-support the Mega CD's horizontal interrupt setting, allowing the game's water levels to run without crashing!
    [​IMG]

    Curiously, this feature suggests that the Mega CD's bus has a nasty hack in it to allow two specific bytes of the BIOS ROM's vector table to be overwritten. It may not be pretty, but it works.

    Also, a bug within the Mega CD hardware was emulated, allowing the game's FMVs to look correct:
    [​IMG]
    [​IMG]

    The way that this bug works is that DMA transfers which are performed from the Mega CD's Word-RAM suffer from a delay, causing all transferred data to be offset by one word. This is simple to emulate in the bus logic, just like the aforementioned horizontal interrupt override.

    New BIOS
    Along with these fixes came a whole new stub BIOS! Courtesy of Devon, this BIOS has been created by reverse-engineering the original Sega BIOS, accurately implementing a wealth of features! At the point, calling it a 'stub' BIOS might seem a bit harder to justify given how much more complex it is, but this new BIOS does not replace the high-level emulation that already exists. Like the original stub BIOS, this new BIOS merely handles tasks which would have been cumbersome to emulate in a high-level manner, such as invoking the Sub-68000 program and handling interrupts.

    Devon was particularly concerned with compatibility when creating this BIOS. Because of this, the BIOS also supports briefly displaying a splash-screen on boot:
    [​IMG]

    The original Mega CD BIOS features a well-known animation, showing the Sega logo. When this animation is complete, the BIOS does not unload its graphics. Because of this, software is able to use these graphics in various ways, such as in a transition effect or by using the font for displaying a menu. In order to allow these effects to be enjoyed, this splash-screen is needed.

    Sonic Megamix applies the Sonic engine's fade-out effect to the logo.
    [​IMG]
    CrazySonic humorously makes the logo mimic a reversing bus.
    [​IMG]
    The Bad Apple tech-demo stretches the logo.
    [​IMG]
    'Sega Loader' uses the font to display its menu.
    [​IMG]

    Emulation of the RF5C164 PCM Chip
    With Sonic CD being playable from beginning to end, the lack of emulation for various Mega CD components has become quite evident: the special stages lack their floor graphics, CD-DA music does not play, and PCM sounds are not audible. To begin addressing this, Devon and I have implemented PCM emulation!

    The RF5C164 is pretty rudimentary: it has 8 channels which sample PCM audio from the chip's dedicated RAM in a nearest-neighbour manner, and this sampled data is scaled by the channel's volume and panning settings before being mixed with the other channels' sample data. Compared to the YM2612, this is simple. There are still a number of edge-cases that need to be tested on real hardware, but otherwise this chip is now fully emulated.

    Emulate Level-3 Sub-68000 Interrupt
    Unfortunately, emulating the PCM chip alone was not enough to get Sonic CD's PCM audio to play. This is because the game's sound driver only runs in response to the level-3 interrupt of the Sub-68000 CPU. Without implementing this timer, you get no PCM audio at all. Without implementing this timer correctly, you get this:


    I expected this timer to be difficult to implement, due to how concurrency of emulated components works in my emulator, but it proved to be fairly easy. With this, Sonic CD's PCM audio finally worked... mostly.


    The reason for the speed being wrong was that the Mega CD has its own master clock, which differs from the one in the Mega Drive (50MHz instead of 52MHz). The emulator was not designed with multiple master clocks in mind, so Mega CD emulation was using the Mega Drive clock instead.

    After some refactoring and many headaches, support for multiple master clocks was added and PCM audio finally sounded correct!


    But there was still more to do: PCM is just one of two extra forms of audio that the Mega CD adds!

    Emulation of CD-DA Playback
    The PCM chip works by playing and mixing individual audio samples in real-time. This is old-fashioned, working somewhat like a MIDI file. On the other hand, CD-DA (Compact Disc - Digital Audio) is much more modern: it is a direct recording of music, just like an MP3 or WAV file. This frees the music from limitations such as the number of channels, juggling usage of channels with SFX, and ensuring that samples fit within a buffer. The downside to CD-DA music is that it is massive: Sonic CD's Palmtree Panic Present music is around 15MiB, which is 30 times larger than the entirety of Sonic 1!

    Sonic CD uses both PCM and CD-DA forms of music: using PCM for the music of the 'past' levels, and CD-DA for the music of the 'present' and 'future' stages. If I wanted Sonic CD to be fully emulated, I needed to implement both of them.

    CD-DA playback is a relatively high-level feature of the Mega CD: software simply sends commands to the sub-68000 BIOS to seek to and play audio tracks, with the actual process of fetching, processing, and playing the audio being hidden completely behind the BIOS. Since the BIOS is emulated in a high-level manner, this leaves me free to implement CD-DA playback however I want, without worrying about low-level details such as emulating a CD drive's controller chip.

    CD-DA audio data is raw 16-bit stereo PCM, just like a typical WAV file. It is not stored in any compressed or encrypted form, allowing it to be read by simply copying data directly from the disc image. The emulator's audio mixer just so happens to take 16-bit PCM as its native input format, making the process of "emulating" CD-DA as simple as a single file read operation.

    At the moment, features such as fading, fast-forwarding, and reverse playback are not emulated, but what is currently implemented is enough for most uses.

    The biggest problem with adding support for CD-DA playback was actually the file format used by Mega CD game rips: instead of everything being compacted into a single file, like a cartridge ROM, Mega CD games are split to at least two files - a BIN file and a CUE file. The BIN file contains a raw dump of all of the CD's sectors, while the CUE file contains a text-based expression of the CD's Table of Contents. The CUE file format is strangely lacking in a concrete specification, requires slow and complicated text processing logic, and also outright requires the use of file IO. That last point especially is a huge problem, as the Emscripten port of the emulator is unable to use file IO due to running in a sandbox. This would not be a problem if both files were simply combined into one.

    Another issue with CUE files is that it is possible for the audio tracks to be extracted from the BIN file and be stored as their own standalone files. These files can be encoded in the WAV format, Ogg Vorbis format, MP3 format, etc. This creates a huge burden for the emulator, as it needs to support every feasible audio format in order to support as many types of Mega CD disc rip as possible. This requires pulling in numerous audio libraries like libvorbis and minimp3, each one bringing its own licensing terms, executable bloat, and portability concerns.

    In recent years, a new format has emerged: MAME's 'CHD' format. This format combines everything into a single file, while applying lossless compression to reduce its gargantuan size. Unfortunately, the other problems that I listed above apply to this format at well: being such an elaborate format, and leveraging multiple forms of compression, numerous libraries are required in order to decode CHD files. Given that clownmdemu's core is written in portable ANSI C while libchdr and zstd are not written portably at all, I really, really do not want to use them.

    For now, the emulator supports the 'BIN+CUE' format. This still requires file IO which will prevent it from working in the Emscripten port, but it at least does not require additional libraries.

    To help with supporting the wide variety of CD formats, I have split the emulator's CD code off to its own library - clowncd. This can be used for more than just emulation, as shown by its test program, which can extract ISO and WAV files from a BIN+CUE rip.

    6-Button Controller Support
    Up until this point, the only type of controller that was emulated was the original 3-button controller. The emulator has now been extended to support the later 6-button controller, allowing software which supports it to be used with a more natural control scheme. Some games have cheat codes that are only possible to input with a 6-button controller.

    This controller was considerably more complicated to support than the 3-button controller, due to it internally featuring both a counter and a timer that managed which buttons could be read by the Mega Drive at once. This is because the 9-pin port that the controller is plugged into is not enough to expose all of the button data at a single time. This was already a problem for the 3-button controller, which was solved by splitting the buttons into two groups and using one of the pins to select which group to be read with the other pins. The 6-button controller extended this, exposing the additional buttons after the 'select' pin has been strobed a certain number of times, and resetting this number after some time has passed. Emulating this required making the controller emulation logic able to measure time, similar to the CPU emulation logic.

    Add Per-Operator Frequencies and CSM Mode to the YM2612 Emulation
    The YM2612 has a strange feature, where the third channel can use four different frequencies instead of one. This feature is heavily used by Streets of Rage. A related feature is the so-called "composite sine mode" (CSM), which triggers a 'key-on' and 'key-off' of the third channel when Timer A expires. According to Chilly Willy, this feature is intended for speech synthesis, but no official Mega Drive games appear to use it.

    When I created the YM2612 emulator, I did so in a very object oriented manner: the FM chip as a whole was an object, which contained 6 channel objects, which contained 4 operator objects, which contained a phase generator object and an envelope generator object. This was somewhat overkill, as such heavy encapsulation meant that objects did not share state, even if the components of a YM2612 actually did. Ironically, this actually worked in my favour, as it meant that each operator already had its own frequency, albeit one that was always set to the same value as the channel's other operators. So, to add support for the third channel's per-operator frequency mode, all I had to do was allow each operator to be assigned a unique frequency.

    In the future, I hope to refactor the YM2612 emulator to be less encapsulated, allowing for the elimination of redundant duplicate state.

    CSM was comparatively simple to emulate, however it is not entirely accurate. All that is needed is to call the key-on function twice when Timer A expires - one to turn it on, and the other to turn it off. A real YM2612 merely queues these operations, and performs them during the envelope generator update process. This delay could have side-effects which are not currently recreated in my emulator.

    Implementing both of these features allows Nemesis's CSM test ROM and Streets of Rage to work correctly.

    Add SSG-EG Emulation
    SSG-EG is yet another curious feature of the YM2612. I was able to implement it rather painlessly thanks to Nemesis's wonderful documentation. The way that it works is that it builds upon the YM2612's ADSR envelope generator, allowing the envelope to be played repeatedly, optionally with mirroring, inversion of the envelope's attenuation, and with the option of having the envelope hold its final value when it ends. It is a bit of an esoteric feature, but many official games do use it.

    A couple of games (an Olympics game and a Beavis and Butthead game) use SSG-EG in a way that is officially undefined, causing the YM2612 to behave in a buggy manner. In order for these games to produce audio correctly, SSG-EG must be implemented in a way that is as close to a real YM2612 as possible. Fortunately for me, this is exactly what Nemesis's documentation helps to achieve.

    SSG-EG is actually a leftover feature from the YM2612's predecessor, the YM2608. In that chip, there was a "software-controlled sound generator" (SSG) module alongside the FM module. The YM2612 only contains the FM module, but since SSG-EG was part of the FM module and not the SSG module, it is present nonetheless. The SSG module and SSG-EG were necessary for providing compatibility with the AY-3-8910.

    Fix Sonic 3's Competition Menu Music and Contra: Hard Corps' Snare
    Ever since YM2612 emulation was first added to this emulator, one of the instruments in Sonic 3's Competition menu music was really loud. This was the only FM audio issue that I knew of which was caused by an actual bug rather than just a missing feature. That changed when BlastBrothers put together this huge list of audio issues, ranging from missing features to new bugs. In particular, Contra: Hard Corps has an FM snare drum that was playing completely differently to how it does on a real Mega Drive. I figured that, by fixing the underlying bug which was causing one of the inaccuracies, there was a chance that it would also correct the other inaccuracy.

    To debug this, I began modifying the Sonic 3 disassembly to produce a ROM with a slightly different instrument, altering various settings within the instrument until the ROM sounded identically in both my emulator and a real Mega Drive. Eventually I discovered multiple ways to make the two sound the same:
    • Change the sustain rate to 0 to match the decay rate.
    • Change the decay rate from 0 to match the sustain rate.
    • Change the sustain level from 0 to any other value.
    The decay rate and sustain rate are two variables which control the ADSR envelope. The sustain level controls when the envelope switches from using the decay rate to using the sustain rate. These three modifications suggested that there was something wrong with how the sustain level was being used: since the instrument has a sustain level of 0, the sustain rate should be switched to immediately, leaving the decay rate unused, and yet the instrument would sound wrong in my emulator unless the decay rate matched the sustain rate. This meant that the emulator was using the decay rate when it should not be.

    After some trial-and-error, I found the cause of the bug: the documentation which I had used to develop the YM2612 emulator was wrong!

    As described in a previous blog post, I relied heavily on Nemesis's documentation when creating the FM emulation. This documentation claims that the envelope generator is not updated on every sample; instead, it is updated every several cycles, depending on what the current rate is. Here is the pseudocode that was provided to illustrate this:

    Code (Text):
    1. ++globalCycleCounter
    2. For each operator
    3.    //Read the shift value from Table 1
    4.    counterShiftValue = counterShiftTable[operator.rate]
    5.    If (globalCycleCounter % (1 << counterShiftValue)) == 0
    6.        //Check the current cycle we're up to (0-7)
    7.        updateCycle = (globalCycleCounter >> counterShiftValue) & 0x07
    8.  
    9.        //Read the next attenuation increment value from Table 2
    10.        attenuationIncrement = attenuationIncrementTable[operator.rate][updateCycle]
    11.  
    12.        //Update the attenuation
    13.        //The attenuation update process happens here. More on that in the next section.
    14.    Endif
    15. Next operator

    Because my emulator does just this, there is a large period of time before the emulator checks the sustain level and switches from the decay rate to the sustain rate. In reality, the YM2612 updates the envelope generator on every sample, and the current rate simply affects how much the envelope is progressed. This can be proven by examining Nuked OPN2, which is a transcription of the YM2612's circuitry to C.

    With this problem solved, both games sound correct. Just as I had hoped, fixing one inaccuracy also fixed the other!

    Perfect Frame Advance Rewinding
    Because the rewinding feature predates the frame-advancing feature, the former was not designed with the latter in mind. As a result, when used together, they exhibited latency: when toggling between advancing forward and advancing backward, it would take multiple frames for the change to actually take effect. There was also an additional problem where, when advancing backwards for the first time, it would not advance at all, merely duplicating the previous frame. The cause of this had to do with how the rewind feature's ring buffer worked; particularly how it was read from and when it was updated. By adjusting these details, the latency is eliminated, making frame advance rewinding work perfectly!

    Closing
    So, here it is - one giant update. As always, there is plenty of work left to be done, but hopefully what is here already is enough to be useful.
     
    Last edited: Apr 1, 2024
  14. Devon

    Devon

    I'm a loser, baby, so why don't you kill me? Tech Member
    1,250
    1,420
    93
    your mom
    ;)
     
  15. OrionNavattan

    OrionNavattan

    Tech Member
    166
    164
    43
    Oregon
    Trying this for the first time, and I've run into a slight snag: I tested a couple Genesis ROMs just fine, but I can't get Mode 2 CD software to load (I tried the cue sheet and the ISO from a copy of Sonic CD++, both produced file load errors). What exactly am I supposed to do?
     
  16. Clownacy

    Clownacy

    Tech Member
    1,061
    607
    93
    There shouldn't be any complicated steps: just load the CUE file and make sure everything else is contained in one or more BIN files. Looking at the Sonic Retro wiki page, Sonic CD++ comes as an ISO file - that isn't going to work, as the emulator does not support that yet. You might be able to turn it into the required format by using chdman to turn it into a CHD file, and then use chdman to turn it into a CUE file. It will emit the required BIN file alongside it. Support for more formats will come in later updates.
     
    • Like Like x 1
    • Informative Informative x 1
    • List
  17. OrionNavattan

    OrionNavattan

    Tech Member
    166
    164
    43
    Oregon
    Thankfully I have a copy of retail Sonic CD in bin+cue format, and that worked. And after adding support for the stub BIOS to my Mode 1 init code, my error handler test ROM and my disc load test work as well. :>
     
  18. Devon

    Devon

    I'm a loser, baby, so why don't you kill me? Tech Member
    1,250
    1,420
    93
    your mom
    The next course of action (in my opinion) for getting Sega CD emulation to not be buggy should be to better emulate how it reads sectors off the disc, and get the timing correct. As of right now, the Sonic CD opening FMV is bugged due to timing issues in regards to this. I am currently researching this. I do know that the real BIOS uses a queue system for sector reading, and if it gets full, it will tell the CDC to stop decoding data into its buffer RAM (however, the CDD will continue to chug along), and there's additional things that get involved with that. In the future, I'll definitely have a nice write up of what I've learned (on top of some other Sega CD stuff I've been noting), and this effort will certainly go towards this emulator.
     
  19. Brainulator

    Brainulator

    Regular garden-variety member Member
    I only have this to say.
    upload_2024-4-1_21-11-32.png
     
  20. Clownacy

    Clownacy

    Tech Member
    1,061
    607
    93
    v0.7.1
    Try it in your web browser: clownmdemu.clownacy.com
    Download: https://github.com/Clownacy/clownmdemu-frontend/releases/tag/v0.7.1

    Being that it is currently a weekend, I have some spare time to release another update. Mainly, this update adds support for more Mega CD disc rip formats, but there is another improvement that I wanted to highlight as well:

    Fix Window Icon Blurriness on High-DPI Displays
    A user shared this screenshot of the emulator in a GitHub Issue:

    [​IMG]

    This desktop is running at an extremely high resolution, which is made evident by the high-resolution font rendering. However, when looking at the very top-left of the screenshot, something odd can be seen...

    [​IMG]

    Right next to the crisp, high-resolution font is an awfully blurry, low-resolution icon. I found this to be very strange, as the icon which I made for the emulator supported resolutions up to 1024x1024, and yet here the window is clearly using the 16x16 version of the icon.

    I eventually found that setting the icon of the window is the responsibility of the SDL2 library, and that it was using a peculiar method of extracting "default" icons from the running executable: it would obtain the full path to the executable, use the ExtractIconEx WinAPI function to extract specific large and small icons from it, and then assign those to the window. I found this odd because it seemed unnecessary to obtain the path to the current executable when SDL already has a handle to the executable. Additionally, WinAPI provides functions to obtain icons from the current executable by loading them as resources, which, to my understanding, is the standard method which the majority of people use.

    Icons can exist on their own or in a group. It appears that ExtractIconEx returns lone icons rather than icon groups, and that the icons which it returns are not the ideal resolution for high-DPI displays. Windows relies on icon groups in order to support high-DPI displays, selecting the icon with the appropriate resolution from the icon group to be shown. Because ExtractIconEx was not returning an icon group, Windows was unable to do this, resulting in the 16x16 icon being used at all times.

    SDL2 has a 'hints' system, allowing some degree of configuration. With it, I can force the window to use a particular icon or icon group, instead of relying on SDL2 to choose one automatically. Indeed, doing this fixes the issue, causing an icon with a decent resolution to be shown instead:

    [​IMG]

    But this was not good enough for me: why should I, and every other user of SDL2, have to set a hint to make SDL2 use the correct icon resolution? SDL2 should get it correct by default! So, I took it upon myself to fix SDL2. According to this StackOverflow answer, in situations where Windows itself has to assume an executable's icon (such as when viewing it in File Explorer), it uses the first icon group within it. Using WinAPI's EnumResourceNames function, I made SDL2 do just this. As I had hoped, this fixed the issue completely, ensuring that the best icon resolution is always used!

    With my work done, I submitted it as a Pull Request to SDL2's GitHub repository, and it was promptly merged! When SDL2 v2.30.3 or v2.32.0 is released, expect to see this bugfix included as a part of it! This improvement also benefits the upcoming SDL3, which boasts improved high-DPI support as one of its main features!

    Support Many More Mega CD Disc Rip Formats
    v0.7 only supported rips in the 'BIN+CUE' format. This is a basic format where the BIN file contains a dump of the disc's sectors, and the CUE file contains a transcription of the disc's Table of Contents. While this format does well to preserve data accurately, it uses a lot of space due to two things: 13% of the CD-ROM data being useless junk data, and the CD-DA audio being uncompressed PCM.

    To address this, other formats exist, such as 'ISO+OGG+CUE'. In this format, the CD-ROM data is moved to its own ISO file with the junk data removed, and the CD-DA audio is also split to its own files and encoded in the Ogg Vorbis format. This greatly reduces the size of the rip: for example, the Japanese version of Sonic CD is reduced from 556MiB to 126MiB.

    The downside to such a format is complexity: the rip is no longer a straightforward dump of raw, uncompressed sectors, with each one being exactly 2352 bytes; now, CD-ROM data is in sectors that are 2048 bytes in size, while CD-DA audio is encoded and lacks the notion of sectors altogether. The encoding in particular is a massive complexity, as formats such as Ogg Vorbis are extremely complicated and not very feasible to create a new decoder from scratch for, necessitating the use of pre-existing software libraries instead.

    It is with such libraries that I have extended my emulator to support additional formats! In particular, stb_vorbis, dr_flac, dr_mp3, and dr_wav are used to support Ogg Vorbis, FLAC, MP3, and WAV audio! This should encompass the majority of formats commonly used by Mega CD rips. What is special about the libraries which I have chosen is that they minimise the concerns about portability and licensing, due to them being written in ANSI C and released under extremely-permissive licenses.

    Another format that is now supported is the 'CUE-less' rip: in this format, there are only ISO and audio files, and no CUE file. With no CUE file linking them all together, these files are instead linked through their naming: the ISO file is named 'XXXX.iso', and the audio tracks are named 'XXXX 02.ogg', 'XXXX 03.ogg', etc. If the user makes the emulator load the ISO, then the emulator will automatically search for the audio files and load them too.

    The 'CUE-less' rip in particular is the best format for homebrew developers, as they do not have to maintain a big fragile CUE file, nor do they have to go through the rigmarole of inserting junk data into their ISO file, decoding their audio to raw PCM, and combining it all into a gigantic BIN file.

    With these formats supported, archivists, homebrew developers, and typical end-users alike are all catered to!

    There is one format that still needs to be added, however: CHD. This is a format from MAME, which encodes the audio in FLAC, compresses the ISO in one of several compression schemes, and combines it all into a single file. This format has found popularity relatively recently, being added to many emulators under the RetroArch umbrella. It walks the line between targeting end-users and archivists, as it preserves the original data while still saving space through the use of compression. Unfortunately, the library which is used to decode CHD files is woefully undocumented, preventing me from integrating it into my emulator. I hope to eventually figure out how to use this library so that every common rip format is supported.

    Closing
    With this, the biggest shortcoming of the previous update has been addressed. The emulator should now be well-rounded enough to last people until the next update. I wonder what I will work on next?