MoonWorks/src/Game.cs

427 lines
12 KiB
C#
Raw Permalink Normal View History

using SDL2;
2021-01-20 02:06:10 +00:00
using MoonWorks.Audio;
2021-01-20 03:34:26 +00:00
using MoonWorks.Graphics;
using MoonWorks.Input;
2021-03-25 22:57:26 +00:00
using System.Text;
2021-07-23 22:47:02 +00:00
using System;
using System.Diagnostics;
2021-01-19 07:29:07 +00:00
namespace MoonWorks
{
2023-09-20 00:04:28 +00:00
/// <summary>
/// This class is your entry point into controlling your game. <br/>
/// It manages the main game loop and subsystems. <br/>
/// You should inherit this class and implement Update and Draw methods. <br/>
/// Then instantiate your Game subclass from your Program.Main method and call the Run method.
/// </summary>
2022-06-02 01:31:22 +00:00
public abstract class Game
2022-02-23 05:14:32 +00:00
{
public TimeSpan MAX_DELTA_TIME = TimeSpan.FromMilliseconds(100);
2022-08-12 04:55:12 +00:00
public TimeSpan Timestep { get; private set; }
2021-01-23 07:43:48 +00:00
2022-02-23 05:14:32 +00:00
private bool quit = false;
2021-07-23 22:47:02 +00:00
private Stopwatch gameTimer;
private long previousTicks = 0;
TimeSpan accumulatedUpdateTime = TimeSpan.Zero;
TimeSpan accumulatedDrawTime = TimeSpan.Zero;
2021-07-23 22:47:02 +00:00
// must be a power of 2 so we can do a bitmask optimization when checking worst case
private const int PREVIOUS_SLEEP_TIME_COUNT = 128;
private const int SLEEP_TIME_MASK = PREVIOUS_SLEEP_TIME_COUNT - 1;
private TimeSpan[] previousSleepTimes = new TimeSpan[PREVIOUS_SLEEP_TIME_COUNT];
private int sleepTimeIndex = 0;
private TimeSpan worstCaseSleepPrecision = TimeSpan.FromMilliseconds(1);
private bool FramerateCapped = false;
private TimeSpan FramerateCapTimeSpan = TimeSpan.Zero;
2022-02-23 05:14:32 +00:00
public GraphicsDevice GraphicsDevice { get; }
public AudioDevice AudioDevice { get; }
public Inputs Inputs { get; }
2023-09-20 00:04:28 +00:00
/// <summary>
/// This Window is automatically created when your Game is instantiated.
/// </summary>
public Window MainWindow { get; }
2022-02-23 05:14:32 +00:00
2023-09-20 00:04:28 +00:00
/// <summary>
/// Instantiates your Game.
/// </summary>
/// <param name="windowCreateInfo">The parameters that will be used to create the MainWindow.</param>
/// <param name="frameLimiterSettings">The frame limiter settings.</param>
/// <param name="targetTimestep">How often Game.Update will run in terms of ticks per second.</param>
/// <param name="debugMode">If true, enables extra debug checks. Should be turned off for release builds.</param>
2022-02-23 05:14:32 +00:00
public Game(
WindowCreateInfo windowCreateInfo,
FrameLimiterSettings frameLimiterSettings,
2022-02-23 05:14:32 +00:00
int targetTimestep = 60,
bool debugMode = false
)
{
Logger.LogInfo("Initializing frame limiter...");
2022-08-12 04:55:12 +00:00
Timestep = TimeSpan.FromTicks(TimeSpan.TicksPerSecond / targetTimestep);
2021-07-23 22:47:02 +00:00
gameTimer = Stopwatch.StartNew();
SetFrameLimiter(frameLimiterSettings);
2021-07-23 22:47:02 +00:00
for (int i = 0; i < previousSleepTimes.Length; i += 1)
{
previousSleepTimes[i] = TimeSpan.FromMilliseconds(1);
}
2021-01-19 07:29:07 +00:00
Logger.LogInfo("Initializing SDL...");
2022-02-23 05:14:32 +00:00
if (SDL.SDL_Init(SDL.SDL_INIT_VIDEO | SDL.SDL_INIT_TIMER | SDL.SDL_INIT_GAMECONTROLLER) < 0)
{
Logger.LogError("Failed to initialize SDL!");
2022-02-23 05:14:32 +00:00
return;
}
2021-01-19 07:29:07 +00:00
2022-02-23 05:14:32 +00:00
Logger.Initialize();
2021-01-20 02:06:10 +00:00
Logger.LogInfo("Initializing input...");
2022-02-23 05:14:32 +00:00
Inputs = new Inputs();
2021-01-19 07:29:07 +00:00
Logger.LogInfo("Initializing graphics device...");
2022-02-23 05:14:32 +00:00
GraphicsDevice = new GraphicsDevice(
Backend.Vulkan,
2022-02-23 05:14:32 +00:00
debugMode
);
2021-01-19 19:24:23 +00:00
Logger.LogInfo("Initializing main window...");
MainWindow = new Window(windowCreateInfo, GraphicsDevice.WindowFlags | SDL.SDL_WindowFlags.SDL_WINDOW_HIDDEN);
2022-09-30 20:02:51 +00:00
if (!GraphicsDevice.ClaimWindow(MainWindow, windowCreateInfo.PresentMode))
{
throw new System.SystemException("Could not claim window!");
}
Logger.LogInfo("Initializing audio thread...");
2022-02-23 05:14:32 +00:00
AudioDevice = new AudioDevice();
}
2021-01-19 07:29:07 +00:00
2023-09-20 00:04:28 +00:00
/// <summary>
/// Initiates the main game loop. Call this once from your Program.Main method.
/// </summary>
2022-02-23 05:14:32 +00:00
public void Run()
{
MainWindow.Show();
2022-02-23 05:14:32 +00:00
while (!quit)
{
2022-04-08 07:03:42 +00:00
Tick();
}
2021-07-23 22:47:02 +00:00
2023-07-28 22:02:20 +00:00
Logger.LogInfo("Starting shutdown sequence...");
Logger.LogInfo("Cleaning up game...");
2022-06-24 06:59:23 +00:00
Destroy();
2023-07-28 22:02:20 +00:00
Logger.LogInfo("Unclaiming window...");
2023-06-16 00:45:26 +00:00
GraphicsDevice.UnclaimWindow(MainWindow);
2023-07-28 22:02:20 +00:00
Logger.LogInfo("Disposing window...");
MainWindow.Dispose();
2023-07-28 22:02:20 +00:00
Logger.LogInfo("Disposing graphics device...");
2022-04-08 07:03:42 +00:00
GraphicsDevice.Dispose();
2021-07-23 22:47:02 +00:00
Logger.LogInfo("Closing audio thread...");
AudioDevice.Dispose();
2022-04-08 07:03:42 +00:00
SDL.SDL_Quit();
}
2021-07-23 22:47:02 +00:00
2023-09-20 00:04:28 +00:00
/// <summary>
/// Updates the frame limiter settings.
/// </summary>
public void SetFrameLimiter(FrameLimiterSettings settings)
{
FramerateCapped = settings.Mode == FrameLimiterMode.Capped;
if (FramerateCapped)
{
FramerateCapTimeSpan = TimeSpan.FromTicks(TimeSpan.TicksPerSecond / settings.Cap);
}
else
{
FramerateCapTimeSpan = TimeSpan.Zero;
}
}
2023-09-20 00:04:28 +00:00
/// <summary>
/// Starts the game shutdown process.
/// </summary>
2023-03-16 23:48:52 +00:00
public void Quit()
{
quit = true;
}
2023-09-20 00:04:28 +00:00
/// <summary>
/// Will execute at the specified targetTimestep you provided when instantiating your Game class.
/// </summary>
/// <param name="delta"></param>
2022-06-02 01:31:22 +00:00
protected abstract void Update(TimeSpan delta);
2023-09-20 00:04:28 +00:00
/// <summary>
/// If the frame limiter mode is Capped, this will run at most Cap times per second. <br />
/// Otherwise it will run as many times as possible.
/// </summary>
/// <param name="alpha">A value from 0-1 describing how "in-between" update ticks it is called. Useful for interpolation.</param>
protected abstract void Draw(double alpha);
2023-09-20 00:04:28 +00:00
/// <summary>
/// You can optionally override this to perform cleanup tasks before the game quits.
/// </summary>
2022-06-24 06:59:23 +00:00
protected virtual void Destroy() {}
2021-07-23 22:47:02 +00:00
2023-09-20 00:04:28 +00:00
/// <summary>
/// Called when a file is dropped on the game window.
/// </summary>
2022-06-05 19:27:46 +00:00
protected virtual void DropFile(string filePath) {}
2023-09-20 00:04:28 +00:00
/// <summary>
/// Required to distinguish between multiple files dropped at once
/// vs multiple files dropped one at a time.
/// Called once for every multi-file drop.
/// </summary>
2022-06-05 19:27:46 +00:00
protected virtual void DropBegin() {}
protected virtual void DropComplete() {}
2022-04-08 07:03:42 +00:00
private void Tick()
{
AdvanceElapsedTime();
if (FramerateCapped)
2022-04-08 07:03:42 +00:00
{
/* We want to wait until the framerate cap,
* but we don't want to oversleep. Requesting repeated 1ms sleeps and
* seeing how long we actually slept for lets us estimate the worst case
* sleep precision so we don't oversleep the next frame.
*/
while (accumulatedDrawTime + worstCaseSleepPrecision < FramerateCapTimeSpan)
{
System.Threading.Thread.Sleep(1);
TimeSpan timeAdvancedSinceSleeping = AdvanceElapsedTime();
UpdateEstimatedSleepPrecision(timeAdvancedSinceSleeping);
}
2021-01-19 07:29:07 +00:00
/* Now that we have slept into the sleep precision threshold, we need to wait
* for just a little bit longer until the target elapsed time has been reached.
* SpinWait(1) works by pausing the thread for very short intervals, so it is
* an efficient and time-accurate way to wait out the rest of the time.
*/
while (accumulatedDrawTime < FramerateCapTimeSpan)
{
System.Threading.Thread.SpinWait(1);
AdvanceElapsedTime();
}
2022-04-08 07:03:42 +00:00
}
2021-03-26 19:20:05 +00:00
2022-04-08 07:03:42 +00:00
// Now that we are going to perform an update, let's handle SDL events.
HandleSDLEvents();
2021-01-19 07:29:07 +00:00
2022-04-08 07:03:42 +00:00
// Do not let any step take longer than our maximum.
if (accumulatedUpdateTime > MAX_DELTA_TIME)
2022-04-08 07:03:42 +00:00
{
accumulatedUpdateTime = MAX_DELTA_TIME;
2022-04-08 07:03:42 +00:00
}
2021-01-19 07:29:07 +00:00
2022-04-08 07:03:42 +00:00
if (!quit)
{
2022-08-12 04:55:12 +00:00
while (accumulatedUpdateTime >= Timestep)
2022-04-08 07:03:42 +00:00
{
Inputs.Update();
2022-08-12 04:55:12 +00:00
Update(Timestep);
AudioDevice.WakeThread();
2022-02-19 05:02:16 +00:00
2022-08-12 04:55:12 +00:00
accumulatedUpdateTime -= Timestep;
2022-02-23 05:14:32 +00:00
}
2022-02-23 00:44:39 +00:00
2022-08-12 04:55:12 +00:00
var alpha = accumulatedUpdateTime / Timestep;
2022-02-23 00:44:39 +00:00
Draw(alpha);
accumulatedDrawTime -= FramerateCapTimeSpan;
2022-04-08 07:03:42 +00:00
}
2022-02-23 05:14:32 +00:00
}
private void HandleSDLEvents()
{
while (SDL.SDL_PollEvent(out var _event) == 1)
{
switch (_event.type)
{
case SDL.SDL_EventType.SDL_QUIT:
quit = true;
break;
case SDL.SDL_EventType.SDL_TEXTINPUT:
HandleTextInput(_event);
break;
case SDL.SDL_EventType.SDL_MOUSEWHEEL:
2022-10-21 18:39:06 +00:00
Inputs.Mouse.WheelRaw += _event.wheel.y;
2022-02-23 05:14:32 +00:00
break;
2022-06-05 19:27:46 +00:00
case SDL.SDL_EventType.SDL_DROPBEGIN:
DropBegin();
break;
case SDL.SDL_EventType.SDL_DROPCOMPLETE:
DropComplete();
break;
case SDL.SDL_EventType.SDL_DROPFILE:
HandleFileDrop(_event);
break;
case SDL.SDL_EventType.SDL_CONTROLLERDEVICEADDED:
HandleControllerAdded(_event);
break;
case SDL.SDL_EventType.SDL_CONTROLLERDEVICEREMOVED:
HandleControllerRemoved(_event);
break;
2022-07-28 23:06:50 +00:00
case SDL.SDL_EventType.SDL_WINDOWEVENT:
HandleWindowEvent(_event);
break;
2022-02-23 05:14:32 +00:00
}
}
}
2022-07-28 23:06:50 +00:00
private void HandleWindowEvent(SDL.SDL_Event evt)
{
if (evt.window.windowEvent == SDL.SDL_WindowEventID.SDL_WINDOWEVENT_SIZE_CHANGED)
{
var window = Window.Lookup(evt.window.windowID);
window.HandleSizeChange((uint) evt.window.data1, (uint) evt.window.data2);
}
else if (evt.window.windowEvent == SDL.SDL_WindowEventID.SDL_WINDOWEVENT_CLOSE)
{
var window = Window.Lookup(evt.window.windowID);
GraphicsDevice.UnclaimWindow(window);
window.Dispose();
2022-07-28 23:06:50 +00:00
}
}
2022-06-05 19:29:35 +00:00
private void HandleTextInput(SDL.SDL_Event evt)
2022-02-23 05:14:32 +00:00
{
// Based on the SDL2# LPUtf8StrMarshaler
unsafe
{
int bytes = MeasureStringLength(evt.text.text);
if (bytes > 0)
{
/* UTF8 will never encode more characters
2021-03-25 22:57:26 +00:00
* than bytes in a string, so bytes is a
* suitable upper estimate of size needed
*/
2022-02-23 05:14:32 +00:00
char* charsBuffer = stackalloc char[bytes];
int chars = Encoding.UTF8.GetChars(
evt.text.text,
bytes,
charsBuffer,
bytes
);
for (int i = 0; i < chars; i += 1)
{
Inputs.OnTextInput(charsBuffer[i]);
}
}
}
}
2021-03-25 22:57:26 +00:00
2022-06-05 19:29:35 +00:00
private void HandleFileDrop(SDL.SDL_Event evt)
2022-06-05 19:27:46 +00:00
{
// Need to do it this way because SDL2 expects you to free the filename string.
string filePath = SDL.UTF8_ToManaged(evt.drop.file, true);
DropFile(filePath);
}
private void HandleControllerAdded(SDL.SDL_Event evt)
{
var index = evt.cdevice.which;
if (SDL.SDL_IsGameController(index) == SDL.SDL_bool.SDL_TRUE)
{
Logger.LogInfo("New controller detected!");
Inputs.AddGamepad(index);
}
}
private void HandleControllerRemoved(SDL.SDL_Event evt)
{
Logger.LogInfo("Controller removal detected!");
Inputs.RemoveGamepad(evt.cdevice.which);
}
2023-06-29 18:30:32 +00:00
public static void ShowRuntimeError(string title, string message)
{
SDL.SDL_ShowSimpleMessageBox(
SDL.SDL_MessageBoxFlags.SDL_MESSAGEBOX_ERROR,
title ?? "",
message ?? "",
IntPtr.Zero
);
}
2021-07-23 22:47:02 +00:00
private TimeSpan AdvanceElapsedTime()
{
long currentTicks = gameTimer.Elapsed.Ticks;
TimeSpan timeAdvanced = TimeSpan.FromTicks(currentTicks - previousTicks);
accumulatedUpdateTime += timeAdvanced;
accumulatedDrawTime += timeAdvanced;
2021-07-23 22:47:02 +00:00
previousTicks = currentTicks;
return timeAdvanced;
}
/* To calculate the sleep precision of the OS, we take the worst case
* time spent sleeping over the results of previous requests to sleep 1ms.
*/
private void UpdateEstimatedSleepPrecision(TimeSpan timeSpentSleeping)
{
/* It is unlikely that the scheduler will actually be more imprecise than
* 4ms and we don't want to get wrecked by a single long sleep so we cap this
* value at 4ms for sanity.
*/
var upperTimeBound = TimeSpan.FromMilliseconds(4);
if (timeSpentSleeping > upperTimeBound)
{
timeSpentSleeping = upperTimeBound;
}
/* We know the previous worst case - it's saved in worstCaseSleepPrecision.
* We also know the current index. So the only way the worst case changes
* is if we either 1) just got a new worst case, or 2) the worst case was
* the oldest entry on the list.
*/
if (timeSpentSleeping >= worstCaseSleepPrecision)
{
worstCaseSleepPrecision = timeSpentSleeping;
}
else if (previousSleepTimes[sleepTimeIndex] == worstCaseSleepPrecision)
{
var maxSleepTime = TimeSpan.MinValue;
for (int i = 0; i < previousSleepTimes.Length; i++)
{
if (previousSleepTimes[i] > maxSleepTime)
{
maxSleepTime = previousSleepTimes[i];
}
}
worstCaseSleepPrecision = maxSleepTime;
}
previousSleepTimes[sleepTimeIndex] = timeSpentSleeping;
sleepTimeIndex = (sleepTimeIndex + 1) & SLEEP_TIME_MASK;
}
2021-03-25 22:57:26 +00:00
private unsafe static int MeasureStringLength(byte* ptr)
{
int bytes;
2022-02-23 05:14:32 +00:00
for (bytes = 0; *ptr != 0; ptr += 1, bytes += 1) ;
2021-03-25 22:57:26 +00:00
return bytes;
}
2022-02-23 05:14:32 +00:00
}
2021-01-19 07:29:07 +00:00
}