Skip to content
New issue

Have a question about this project? Sign up for a free GitHub account to open an issue and contact its maintainers and the community.

By clicking “Sign up for GitHub”, you agree to our terms of service and privacy statement. We’ll occasionally send you account related emails.

Already on GitHub? Sign in to your account

Fix Displays querying on every access and add DisplaysChanged #5439

Merged
merged 7 commits into from
Oct 4, 2022
Merged
Show file tree
Hide file tree
Changes from 6 commits
Commits
File filter

Filter by extension

Filter by extension

Conversations
Failed to load comments.
Loading
Jump to
Jump to file
Failed to load files.
Loading
Diff view
Diff view
23 changes: 18 additions & 5 deletions osu.Framework.Tests/Visual/Platform/TestSceneBorderless.cs
Original file line number Diff line number Diff line change
Expand Up @@ -4,6 +4,7 @@
#nullable disable

using System;
using System.Collections.Generic;
using System.Drawing;
using System.Linq;
using osu.Framework.Allocation;
Expand Down Expand Up @@ -149,9 +150,8 @@ private void load(FrameworkConfigManager config, GameHost host)
return;
}

refreshScreens();

AddStep("set up screens", refreshScreens);
window.DisplaysChanged += onDisplaysChanged;
refreshScreens(window.Displays);

const string desc2 = "Check whether the window size is one pixel wider than the screen in each direction";

Expand Down Expand Up @@ -181,14 +181,19 @@ private void load(FrameworkConfigManager config, GameHost host)
}
}

private void refreshScreens()
private void onDisplaysChanged(IEnumerable<Display> displays)
{
Scheduler.AddOnce(refreshScreens, displays);
}

private void refreshScreens(IEnumerable<Display> displays)
{
screenContainer.Remove(windowContainer, false);
screenContainer.Clear();

var bounds = new RectangleI();

foreach (var display in window.Displays)
foreach (var display in displays)
{
screenContainer.Add(createScreen(display, display.Name));
bounds = RectangleI.Union(bounds, new RectangleI(display.Bounds.X, display.Bounds.Y, display.Bounds.Width, display.Bounds.Height));
Expand Down Expand Up @@ -238,5 +243,13 @@ protected override void Update()
currentClientSize.Text = $"Client size: {window?.ClientSize}";
currentDisplay.Text = $"Current Display: {window?.CurrentDisplayBindable.Value.Name}";
}

protected override void Dispose(bool isDisposing)
{
if (window != null)
window.DisplaysChanged -= onDisplaysChanged;

base.Dispose(isDisposing);
}
}
}
20 changes: 19 additions & 1 deletion osu.Framework.Tests/Visual/Platform/TestSceneFullscreen.cs
Original file line number Diff line number Diff line change
Expand Up @@ -3,6 +3,7 @@

#nullable disable

using System.Collections.Generic;
using System.Drawing;
using System.Linq;
using NUnit.Framework;
Expand Down Expand Up @@ -72,12 +73,21 @@ private void load(GameHost host)
if (window == null)
return;

displaysDropdown.Items = window.Displays;
window.DisplaysChanged += onDisplaysChanged;
updateDisplays(window.Displays);

displaysDropdown.Current.BindTo(window.CurrentDisplayBindable);

supportedWindowModes.Text = $"Supported Window Modes: {string.Join(", ", window.SupportedWindowModes)}";
}

private void onDisplaysChanged(IEnumerable<Display> displays)
{
Scheduler.AddOnce(updateDisplays, displays);
}

private void updateDisplays(IEnumerable<Display> displays) => displaysDropdown.Items = displays;

[Test]
public void TestScreenModeSwitch()
{
Expand Down Expand Up @@ -156,5 +166,13 @@ private void testResolution(int w, int h)
{
AddStep($"set to {w}x{h}", () => sizeFullscreen.Value = new Size(w, h));
}

protected override void Dispose(bool isDisposing)
{
if (window != null)
window.DisplaysChanged -= onDisplaysChanged;

base.Dispose(isDisposing);
}
}
}
13 changes: 7 additions & 6 deletions osu.Framework/Platform/Display.cs
Original file line number Diff line number Diff line change
@@ -1,8 +1,6 @@
// Copyright (c) ppy Pty Ltd <contact@ppy.sh>. Licensed under the MIT Licence.
// See the LICENCE file in the repository root for full licence text.

#nullable disable

using System;
using System.Drawing;
using System.Linq;
Expand All @@ -17,7 +15,7 @@ public sealed class Display : IEquatable<Display>
/// <summary>
/// The name of the display, if available. Usually the manufacturer.
/// </summary>
public string Name { get; }
public string? Name { get; }

/// <summary>
/// The current rectangle of the display in screen space.
Expand All @@ -36,7 +34,7 @@ public sealed class Display : IEquatable<Display>
/// </summary>
public int Index { get; }

public Display(int index, string name, Rectangle bounds, DisplayMode[] displayModes)
public Display(int index, string? name, Rectangle bounds, DisplayMode[] displayModes)
{
Index = index;
Name = name;
Expand All @@ -46,12 +44,15 @@ public Display(int index, string name, Rectangle bounds, DisplayMode[] displayMo

public override string ToString() => $"Name: {Name ?? "Unknown"}, Bounds: {Bounds}, DisplayModes: {DisplayModes.Length}, Index: {Index}";

public bool Equals(Display other)
public bool Equals(Display? other)
{
if (ReferenceEquals(null, other)) return false;
if (ReferenceEquals(this, other)) return true;

return Index == other.Index;
return Index == other.Index
&& Name == other.Name
&& Bounds == other.Bounds
&& DisplayModes.SequenceEqual(other.DisplayModes);
}

/// <summary>
Expand Down
6 changes: 6 additions & 0 deletions osu.Framework/Platform/IWindow.cs
Original file line number Diff line number Diff line change
Expand Up @@ -120,6 +120,12 @@ public interface IWindow : IDisposable
/// </summary>
IEnumerable<Display> Displays { get; }

/// <summary>
/// Invoked when <see cref="Displays"/> has changed.
/// </summary>
[CanBeNull]
event Action<IEnumerable<Display>> DisplaysChanged;
Comment on lines +123 to +127
Copy link
Member

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

Is there a reason a callback event is used instead of making the displays list into a bindable list instead?

Copy link
Member Author

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

I had contemplated using a BindableList, but this was scrapped for multiple reasons:

  • using it as ItemSource in dropdowns would make sense, but this crashes as it's not on the update thread
  • updating all the elements in the list requires Clear()ing it first, and this would cause trouble with things that expect at least one available display
  • BindCollectionChanged / NotifyCollectionChangedEventArgs doesn't provide the actual list (existing consumer code expects a list)
  • the way displays can change means that rebuilding the entire list is almost always necessary, so an event callback is simpler and gets the job done

Copy link
Member

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

  • using it as ItemSource in dropdowns would make sense, but this crashes as it's not on the update thread

Dropdown should be responsible for scheduling updates of ItemSource, similar to how it already does with Current.

  • BindCollectionChanged / NotifyCollectionChangedEventArgs doesn't provide the actual list (existing consumer code expects a list)

A BindableList can be iterated as a list, while NotifyCollectionChangedEventArgs would only inform addition/removal of displays.

  • updating all the elements in the list requires Clear()ing it first, and this would cause trouble with things that expect at least one available display
  • the way displays can change means that rebuilding the entire list is almost always necessary, so an event callback is simpler and gets the job done

Fair enough, BindableList would be a nice addition to simplify listing of displays, but I guess it could be left off as it is until it's necessary.


/// <summary>
/// Gets the <see cref="Display"/> that has been set as "primary" or "default" in the operating system.
/// </summary>
Expand Down
7 changes: 6 additions & 1 deletion osu.Framework/Platform/OsuTKWindow.cs
Original file line number Diff line number Diff line change
Expand Up @@ -82,6 +82,10 @@ public event Action KeymapChanged { add { } remove { } }

public virtual IEnumerable<Display> Displays => new[] { DisplayDevice.GetDisplay(DisplayIndex.Primary).ToDisplay() };

#pragma warning disable CS0067
public event Action<IEnumerable<Display>> DisplaysChanged;
#pragma warning restore CS0067

public virtual Display PrimaryDisplay => Displays.FirstOrDefault(d => d.Index == (int)DisplayDevice.Default.GetIndex());

public Bindable<Display> CurrentDisplayBindable { get; } = new Bindable<Display>();
Expand Down Expand Up @@ -176,7 +180,8 @@ protected OsuTKWindow([NotNull] IGameWindow osuTKGameWindow)
/// <para>Note that this will use the default <see cref="GameWindow"/> implementation, which is not compatible with every platform.</para>
/// </summary>
protected OsuTKWindow(int width, int height)
: this(new GameWindow(width, height, new GraphicsMode(GraphicsMode.Default.ColorFormat, GraphicsMode.Default.Depth, GraphicsMode.Default.Stencil, GraphicsMode.Default.Samples, GraphicsMode.Default.AccumulatorFormat, 3)))
: this(new GameWindow(width, height,
new GraphicsMode(GraphicsMode.Default.ColorFormat, GraphicsMode.Default.Depth, GraphicsMode.Default.Stencil, GraphicsMode.Default.Samples, GraphicsMode.Default.AccumulatorFormat, 3)))
{
}

Expand Down
4 changes: 4 additions & 0 deletions osu.Framework/Platform/SDL2DesktopWindow.cs
Original file line number Diff line number Diff line change
Expand Up @@ -351,6 +351,10 @@ private void handleSDLEvent(SDL.SDL_Event e)
handleQuitEvent(e.quit);
break;

case SDL.SDL_EventType.SDL_DISPLAYEVENT:
handleDisplayEvent(e.display);
break;

case SDL.SDL_EventType.SDL_WINDOWEVENT:
handleWindowEvent(e.window);
break;
Expand Down
86 changes: 71 additions & 15 deletions osu.Framework/Platform/SDL2DesktopWindow_Windowing.cs
Original file line number Diff line number Diff line change
Expand Up @@ -3,6 +3,7 @@

using System;
using System.Collections.Generic;
using System.Diagnostics;
using System.Drawing;
using System.Linq;
using osu.Framework.Bindables;
Expand All @@ -18,6 +19,9 @@ public partial class SDL2DesktopWindow
{
private void setupWindowing(FrameworkConfigManager config)
{
updateDisplays();

DisplaysChanged += _ => CurrentDisplayBindable.Default = PrimaryDisplay;
CurrentDisplayBindable.Default = PrimaryDisplay;
CurrentDisplayBindable.ValueChanged += evt =>
{
Expand Down Expand Up @@ -259,10 +263,68 @@ public WindowState WindowState

public float Scale = 1;

#region Displays (mostly self-contained)

/// <summary>
/// Queries the physical displays and their supported resolutions.
/// </summary>
public IEnumerable<Display> Displays => Enumerable.Range(0, SDL.SDL_GetNumVideoDisplays()).Select(displayFromSDL);
public IEnumerable<Display> Displays { get; private set; } = null!;

public event Action<IEnumerable<Display>>? DisplaysChanged;

// ReSharper disable once UnusedParameter.Local
private void handleDisplayEvent(SDL.SDL_DisplayEvent evtDisplay) => updateDisplays();

/// <summary>
/// Updates <see cref="Displays"/> with the latest display information reported by SDL.
/// </summary>
/// <remarks>
/// Has no effect on values of
/// <see cref="currentDisplay"/> /
/// <see cref="CurrentDisplay"/> /
/// <see cref="CurrentDisplayBindable"/>.
/// </remarks>
private void updateDisplays()
{
Displays = getSDLDisplays();
DisplaysChanged?.Invoke(Displays);
}

/// <summary>
/// Asserts that the current <see cref="Displays"/> match the actual displays as reported by SDL.
/// </summary>
/// <remarks>
/// This assert is not fatal, as the <see cref="Displays"/> will get updated sooner or later
/// in <see cref="handleDisplayEvent"/> or <see cref="handleWindowEvent"/>.
/// </remarks>
[Conditional("DEBUG")]
private void assertDisplaysMatchSDL()
{
var actualDisplays = getSDLDisplays();
Debug.Assert(actualDisplays.SequenceEqual(Displays), $"Stored {nameof(Displays)} don't match actual displays",
$"Stored displays:\n {string.Join("\n ", Displays)}\n\nActual displays:\n {string.Join("\n ", actualDisplays)}");
}

private IEnumerable<Display> getSDLDisplays()
{
return Enumerable.Range(0, SDL.SDL_GetNumVideoDisplays()).Select(displayFromSDL).ToArray();

static Display displayFromSDL(int displayIndex)
{
var displayModes = Enumerable.Range(0, SDL.SDL_GetNumDisplayModes(displayIndex))
.Select(modeIndex =>
{
SDL.SDL_GetDisplayMode(displayIndex, modeIndex, out var mode);
return mode.ToDisplayMode(displayIndex);
})
.ToArray();

SDL.SDL_GetDisplayBounds(displayIndex, out var rect);
return new Display(displayIndex, SDL.SDL_GetDisplayName(displayIndex), new Rectangle(rect.x, rect.y, rect.w, rect.h), displayModes);
}
}

#endregion

/// <summary>
/// Gets the <see cref="Display"/> that has been set as "primary" or "default" in the operating system.
Expand Down Expand Up @@ -343,6 +405,8 @@ private void handleWindowEvent(SDL.SDL_WindowEvent evtWindow)
storeWindowPositionToConfig();
}

// we may get a SDL_WINDOWEVENT_MOVED when the resolution of a display changes.
updateDisplays();
break;

case SDL.SDL_WindowEventID.SDL_WINDOWEVENT_SIZE_CHANGED:
Expand All @@ -362,6 +426,10 @@ private void handleWindowEvent(SDL.SDL_WindowEvent evtWindow)
case SDL.SDL_WindowEventID.SDL_WINDOWEVENT_RESTORED:
case SDL.SDL_WindowEventID.SDL_WINDOWEVENT_FOCUS_GAINED:
Focused = true;
// displays can change without a SDL_DISPLAYEVENT being sent, eg. changing resolution.
// force update displays when gaining keyboard focus to always have up-to-date information.
// eg. this covers scenarios when changing resolution outside of the game, and then tabbing in.
updateDisplays();
break;

case SDL.SDL_WindowEventID.SDL_WINDOWEVENT_MINIMIZED:
Expand All @@ -372,6 +440,8 @@ private void handleWindowEvent(SDL.SDL_WindowEvent evtWindow)
case SDL.SDL_WindowEventID.SDL_WINDOWEVENT_CLOSE:
break;
}

assertDisplaysMatchSDL();
}

/// <summary>
Expand Down Expand Up @@ -633,20 +703,6 @@ private SDL.SDL_DisplayMode getClosestDisplayMode(Size size, int refreshRate, in
throw new InvalidOperationException("couldn't retrieve valid display mode");
}

private static Display displayFromSDL(int displayIndex)
{
var displayModes = Enumerable.Range(0, SDL.SDL_GetNumDisplayModes(displayIndex))
.Select(modeIndex =>
{
SDL.SDL_GetDisplayMode(displayIndex, modeIndex, out var mode);
return mode.ToDisplayMode(displayIndex);
})
.ToArray();

SDL.SDL_GetDisplayBounds(displayIndex, out var rect);
return new Display(displayIndex, SDL.SDL_GetDisplayName(displayIndex), new Rectangle(rect.x, rect.y, rect.w, rect.h), displayModes);
}

#endregion

#region Events
Expand Down