1
0
mirror of https://github.com/ppy/osu.git synced 2024-09-21 22:07:25 +08:00
osu-lazer/osu.Game/OsuGame.cs

987 lines
37 KiB
C#
Raw Normal View History

// 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.
2018-04-13 17:19:50 +08:00
using System;
using System.Collections.Generic;
2019-02-28 16:17:51 +08:00
using System.Diagnostics;
2018-04-13 17:19:50 +08:00
using osu.Framework.Configuration;
using osu.Framework.Screens;
using osu.Game.Configuration;
using osu.Framework.Graphics;
using osu.Framework.Graphics.Containers;
using osu.Game.Overlays;
using osu.Framework.Logging;
using osu.Framework.Allocation;
using osu.Game.Overlays.Toolbar;
using osu.Game.Screens;
using osu.Game.Screens.Menu;
using System.Linq;
using System.Threading;
using System.Threading.Tasks;
using osu.Framework.Audio;
2019-02-21 18:04:31 +08:00
using osu.Framework.Bindables;
using osu.Framework.Development;
using osu.Framework.Extensions.IEnumerableExtensions;
using osu.Framework.Graphics.Sprites;
2018-04-13 17:19:50 +08:00
using osu.Framework.Input;
using osu.Framework.Input.Bindings;
using osu.Framework.Input.Events;
2018-04-13 17:19:50 +08:00
using osu.Framework.Platform;
using osu.Framework.Threading;
using osu.Game.Beatmaps;
2018-04-13 17:19:50 +08:00
using osu.Game.Graphics;
2019-01-04 12:29:37 +08:00
using osu.Game.Graphics.Containers;
2019-06-25 15:55:49 +08:00
using osu.Game.Graphics.UserInterface;
using osu.Game.Input;
2018-04-13 17:19:50 +08:00
using osu.Game.Overlays.Notifications;
using osu.Game.Screens.Play;
using osu.Game.Input.Bindings;
using osu.Game.Online.Chat;
2018-04-13 17:19:50 +08:00
using osu.Game.Skinning;
2018-11-20 15:51:59 +08:00
using osuTK.Graphics;
2018-04-13 17:19:50 +08:00
using osu.Game.Overlays.Volume;
using osu.Game.Rulesets.Mods;
2018-11-28 15:12:57 +08:00
using osu.Game.Scoring;
using osu.Game.Screens.Select;
2018-08-03 18:25:55 +08:00
using osu.Game.Utils;
using LogLevel = osu.Framework.Logging.LogLevel;
2018-04-13 17:19:50 +08:00
namespace osu.Game
{
/// <summary>
/// The full osu! experience. Builds on top of <see cref="OsuGameBase"/> to add menus and binding logic
/// for initial components that are generally retrieved via DI.
/// </summary>
public class OsuGame : OsuGameBase, IKeyBindingHandler<GlobalAction>
{
public Toolbar Toolbar;
private ChatOverlay chatOverlay;
private ChannelManager channelManager;
2018-04-13 17:19:50 +08:00
private NotificationOverlay notifications;
private NowPlayingOverlay nowPlaying;
2018-04-13 17:19:50 +08:00
private DirectOverlay direct;
private SocialOverlay social;
private UserProfileOverlay userProfile;
private BeatmapSetOverlay beatmapSetOverlay;
2018-10-02 09:12:07 +08:00
[Cached]
private readonly ScreenshotManager screenshotManager = new ScreenshotManager();
2019-11-12 22:08:16 +08:00
protected SentryLogger SentryLogger;
2018-08-03 18:25:55 +08:00
2018-04-13 17:19:50 +08:00
public virtual Storage GetStorageForStableInstall() => null;
public float ToolbarOffset => Toolbar.Position.Y + Toolbar.DrawHeight;
private IdleTracker idleTracker;
2018-06-06 14:49:27 +08:00
public readonly Bindable<OverlayActivation> OverlayActivationMode = new Bindable<OverlayActivation>();
2018-04-13 17:19:50 +08:00
protected OsuScreenStack ScreenStack;
2019-07-31 18:47:41 +08:00
protected BackButton BackButton;
2019-07-31 18:47:41 +08:00
protected SettingsPanel Settings;
2018-04-13 17:19:50 +08:00
private VolumeOverlay volume;
2019-01-23 19:52:00 +08:00
private OsuLogo osuLogo;
private MainMenu menuScreen;
private IntroScreen introScreen;
2018-04-13 17:19:50 +08:00
private Bindable<int> configRuleset;
private Bindable<int> configSkin;
private readonly string[] args;
2018-06-06 15:17:51 +08:00
private readonly List<OverlayContainer> overlays = new List<OverlayContainer>();
private readonly List<OverlayContainer> visibleBlockingOverlays = new List<OverlayContainer>();
2018-04-13 17:19:50 +08:00
public OsuGame(string[] args = null)
{
this.args = args;
forwardLoggedErrorsToNotifications();
2018-08-03 18:25:55 +08:00
2019-11-12 22:08:16 +08:00
SentryLogger = new SentryLogger(this);
2018-04-13 17:19:50 +08:00
}
private void updateBlockingOverlayFade() =>
screenContainer.FadeColour(visibleBlockingOverlays.Any() ? OsuColour.Gray(0.5f) : Color4.White, 500, Easing.OutQuint);
public void AddBlockingOverlay(OverlayContainer overlay)
{
if (!visibleBlockingOverlays.Contains(overlay))
visibleBlockingOverlays.Add(overlay);
updateBlockingOverlayFade();
}
public void RemoveBlockingOverlay(OverlayContainer overlay)
{
2019-03-01 12:29:02 +08:00
visibleBlockingOverlays.Remove(overlay);
updateBlockingOverlayFade();
}
2018-06-06 15:17:51 +08:00
/// <summary>
/// Close all game-wide overlays.
/// </summary>
2019-11-08 22:04:18 +08:00
/// <param name="hideToolbar">Whether the toolbar should also be hidden.</param>
public void CloseAllOverlays(bool hideToolbar = true)
2018-06-06 15:17:51 +08:00
{
foreach (var overlay in overlays)
overlay.Hide();
2019-11-08 22:04:18 +08:00
if (hideToolbar) Toolbar.Hide();
2018-06-06 15:17:51 +08:00
}
2018-04-13 17:19:50 +08:00
private DependencyContainer dependencies;
2018-07-11 16:07:14 +08:00
protected override IReadOnlyDependencyContainer CreateChildDependencies(IReadOnlyDependencyContainer parent) =>
dependencies = new DependencyContainer(base.CreateChildDependencies(parent));
2018-04-13 17:19:50 +08:00
[BackgroundDependencyLoader]
2020-02-14 21:14:00 +08:00
private void load()
2018-04-13 17:19:50 +08:00
{
if (!Host.IsPrimaryInstance && !DebugUtils.IsDebugBuild)
2018-04-13 17:19:50 +08:00
{
Logger.Log(@"osu! does not support multiple running instances.", LoggingTarget.Runtime, LogLevel.Error);
Environment.Exit(0);
}
if (args?.Length > 0)
{
var paths = args.Where(a => !a.StartsWith(@"-")).ToArray();
if (paths.Length > 0)
Task.Run(() => Import(paths));
2018-04-13 17:19:50 +08:00
}
dependencies.CacheAs(this);
2019-11-12 22:08:16 +08:00
dependencies.Cache(SentryLogger);
2018-08-03 18:25:55 +08:00
dependencies.Cache(osuLogo = new OsuLogo { Alpha = 0 });
2019-01-23 19:52:00 +08:00
2018-04-13 17:19:50 +08:00
// bind config int to database RulesetInfo
configRuleset = LocalConfig.GetBindable<int>(OsuSetting.Ruleset);
2019-05-15 12:00:11 +08:00
Ruleset.Value = RulesetStore.GetRuleset(configRuleset.Value) ?? RulesetStore.AvailableRulesets.First();
Ruleset.ValueChanged += r => configRuleset.Value = r.NewValue.ID ?? 0;
2018-04-13 17:19:50 +08:00
// bind config int to database SkinInfo
configSkin = LocalConfig.GetBindable<int>(OsuSetting.Skin);
SkinManager.CurrentSkinInfo.ValueChanged += skin => configSkin.Value = skin.NewValue.ID;
configSkin.ValueChanged += skinId =>
{
var skinInfo = SkinManager.Query(s => s.ID == skinId.NewValue);
if (skinInfo == null)
{
switch (skinId.NewValue)
{
case -1:
skinInfo = DefaultLegacySkin.Info;
break;
default:
skinInfo = SkinInfo.Default;
break;
}
}
SkinManager.CurrentSkinInfo.Value = skinInfo;
};
2018-04-13 17:19:50 +08:00
configSkin.TriggerChange();
IsActive.BindValueChanged(active => updateActiveState(active.NewValue), true);
Audio.AddAdjustment(AdjustableProperty.Volume, inactiveVolumeFade);
SelectedMods.BindValueChanged(modsChanged);
Beatmap.BindValueChanged(beatmapChanged, true);
2018-04-13 17:19:50 +08:00
}
2018-11-02 04:52:07 +08:00
private ExternalLinkOpener externalLinkOpener;
2019-01-04 12:29:37 +08:00
/// <summary>
/// Handle an arbitrary URL. Displays via in-game overlays where possible.
/// This can be called from a non-thread-safe non-game-loaded state.
/// </summary>
/// <param name="url">The URL to load.</param>
2019-11-03 12:16:54 +08:00
public void HandleLink(string url) => HandleLink(MessageFormatter.GetLinkDetails(url));
/// <summary>
/// Handle a specific <see cref="LinkDetails"/>.
/// This can be called from a non-thread-safe non-game-loaded state.
/// </summary>
/// <param name="link">The link to load.</param>
2019-11-03 12:16:54 +08:00
public void HandleLink(LinkDetails link) => Schedule(() =>
{
switch (link.Action)
{
case LinkAction.OpenBeatmap:
// TODO: proper query params handling
if (link.Argument != null && int.TryParse(link.Argument.Contains('?') ? link.Argument.Split('?')[0] : link.Argument, out int beatmapId))
ShowBeatmap(beatmapId);
break;
case LinkAction.OpenBeatmapSet:
if (int.TryParse(link.Argument, out int setId))
ShowBeatmapSet(setId);
break;
case LinkAction.OpenChannel:
ShowChannel(link.Argument);
break;
case LinkAction.OpenEditorTimestamp:
case LinkAction.JoinMultiplayerMatch:
case LinkAction.Spectate:
waitForReady(() => notifications, _ => notifications?.Post(new SimpleNotification
{
Text = @"This link type is not yet supported!",
Icon = FontAwesome.Solid.LifeRing,
}));
break;
case LinkAction.External:
OpenUrlExternally(link.Argument);
break;
case LinkAction.OpenUserProfile:
if (long.TryParse(link.Argument, out long userId))
ShowUser(userId);
break;
default:
throw new NotImplementedException($"This {nameof(LinkAction)} ({link.Action.ToString()}) is missing an associated action.");
}
2019-11-03 12:16:54 +08:00
});
public void OpenUrlExternally(string url) => waitForReady(() => externalLinkOpener, _ =>
2018-12-06 11:17:08 +08:00
{
if (url.StartsWith("/"))
url = $"{API.Endpoint}{url}";
externalLinkOpener.OpenUrlExternally(url);
});
/// <summary>
/// Open a specific channel in chat.
/// </summary>
/// <param name="channel">The channel to display.</param>
public void ShowChannel(string channel) => waitForReady(() => channelManager, _ =>
{
try
{
channelManager.OpenChannel(channel);
}
catch (ChannelNotFoundException)
{
Logger.Log($"The requested channel \"{channel}\" does not exist");
}
});
2018-11-02 04:52:07 +08:00
2018-04-13 17:19:50 +08:00
/// <summary>
/// Show a beatmap set as an overlay.
/// </summary>
/// <param name="setId">The set to display.</param>
public void ShowBeatmapSet(int setId) => waitForReady(() => beatmapSetOverlay, _ => beatmapSetOverlay.FetchAndShowBeatmapSet(setId));
2018-04-13 17:19:50 +08:00
2019-02-25 11:58:58 +08:00
/// <summary>
/// Show a user's profile as an overlay.
/// </summary>
/// <param name="userId">The user to display.</param>
public void ShowUser(long userId) => waitForReady(() => userProfile, _ => userProfile.ShowUser(userId));
2019-02-25 11:58:58 +08:00
/// <summary>
/// Show a beatmap's set as an overlay, displaying the given beatmap.
/// </summary>
/// <param name="beatmapId">The beatmap to show.</param>
public void ShowBeatmap(int beatmapId) => waitForReady(() => beatmapSetOverlay, _ => beatmapSetOverlay.FetchAndShowBeatmap(beatmapId));
2019-02-25 11:58:58 +08:00
/// <summary>
/// Present a beatmap at song select immediately.
/// The user should have already requested this interactively.
/// </summary>
/// <param name="beatmap">The beatmap to select.</param>
public void PresentBeatmap(BeatmapSetInfo beatmap)
{
2019-02-25 11:58:58 +08:00
var databasedSet = beatmap.OnlineBeatmapSetID != null
? BeatmapManager.QueryBeatmapSet(s => s.OnlineBeatmapSetID == beatmap.OnlineBeatmapSetID)
: BeatmapManager.QueryBeatmapSet(s => s.Hash == beatmap.Hash);
if (databasedSet == null)
2019-01-23 19:52:00 +08:00
{
2019-02-25 11:58:58 +08:00
Logger.Log("The requested beatmap could not be loaded.", LoggingTarget.Information);
2019-01-23 19:52:00 +08:00
return;
}
2020-01-30 22:34:04 +08:00
PerformFromScreen(screen =>
2018-07-13 20:08:41 +08:00
{
// we might already be at song select, so a check is required before performing the load to solo.
if (screen is MainMenu)
menuScreen.LoadToSolo();
// we might even already be at the song
if (Beatmap.Value.BeatmapSetInfo.Hash == databasedSet.Hash)
{
return;
}
2019-02-25 11:58:58 +08:00
// Use first beatmap available for current ruleset, else switch ruleset.
var first = databasedSet.Beatmaps.Find(b => b.Ruleset.Equals(Ruleset.Value)) ?? databasedSet.Beatmaps.First();
2019-05-15 12:00:11 +08:00
Ruleset.Value = first.Ruleset;
2019-02-25 11:58:58 +08:00
Beatmap.Value = BeatmapManager.GetWorkingBeatmap(first);
2020-01-30 22:34:04 +08:00
}, validScreens: new[] { typeof(PlaySongSelect) });
}
2018-04-13 17:19:50 +08:00
/// <summary>
/// Present a score's replay immediately.
/// The user should have already requested this interactively.
2018-04-13 17:19:50 +08:00
/// </summary>
2019-02-25 11:58:58 +08:00
public void PresentScore(ScoreInfo score)
2018-04-13 17:19:50 +08:00
{
2019-06-29 18:40:16 +08:00
// The given ScoreInfo may have missing properties if it was retrieved from online data. Re-retrieve it from the database
// to ensure all the required data for presenting a replay are present.
var databasedScoreInfo = score.OnlineScoreID != null
? ScoreManager.Query(s => s.OnlineScoreID == score.OnlineScoreID)
: ScoreManager.Query(s => s.Hash == score.Hash);
if (databasedScoreInfo == null)
{
Logger.Log("The requested score could not be found locally.", LoggingTarget.Information);
return;
}
var databasedScore = ScoreManager.GetScore(databasedScoreInfo);
2019-04-01 11:16:05 +08:00
2018-11-30 17:31:54 +08:00
if (databasedScore.Replay == null)
{
Logger.Log("The loaded score has no replay data.", LoggingTarget.Information);
return;
}
2018-11-30 17:31:54 +08:00
var databasedBeatmap = BeatmapManager.QueryBeatmap(b => b.ID == databasedScoreInfo.Beatmap.ID);
2019-04-01 11:16:05 +08:00
2018-11-30 17:31:54 +08:00
if (databasedBeatmap == null)
{
Logger.Log("Tried to load a score for a beatmap we don't have!", LoggingTarget.Information);
return;
}
2020-01-30 22:34:04 +08:00
PerformFromScreen(screen =>
2019-02-25 11:58:58 +08:00
{
Beatmap.Value = BeatmapManager.GetWorkingBeatmap(databasedBeatmap);
screen.Push(new ReplayPlayerLoader(databasedScore));
}, validScreens: new[] { typeof(PlaySongSelect) });
2019-02-25 11:58:58 +08:00
}
2019-09-25 21:13:49 +08:00
protected virtual Loader CreateLoader() => new Loader();
protected override Container CreateScalingContainer() => new ScalingContainer(ScalingMode.Everything);
2019-08-13 11:06:57 +08:00
#region Beatmap progression
private void beatmapChanged(ValueChangedEvent<WorkingBeatmap> beatmap)
{
beatmap.OldValue?.CancelAsyncLoad();
updateModDefaults();
var newBeatmap = beatmap.NewValue;
if (newBeatmap != null)
{
newBeatmap.Track.Completed += () => Scheduler.AddOnce(() => trackCompleted(newBeatmap));
newBeatmap.BeginAsyncLoad();
}
void trackCompleted(WorkingBeatmap b)
{
2020-03-05 15:58:07 +08:00
// the source of track completion is the audio thread, so the beatmap may have changed before firing.
if (Beatmap.Value != b)
return;
if (Beatmap.Value.Track.Looping && !Beatmap.Disabled)
musicController.NextTrack();
}
}
private void modsChanged(ValueChangedEvent<IReadOnlyList<Mod>> mods)
{
updateModDefaults();
}
private void updateModDefaults()
{
BeatmapDifficulty baseDifficulty = Beatmap.Value.BeatmapInfo.BaseDifficulty;
if (baseDifficulty != null && SelectedMods.Value.Any(m => m is IApplicableToDifficulty))
{
var adjustedDifficulty = baseDifficulty.Clone();
foreach (var mod in SelectedMods.Value.OfType<IApplicableToDifficulty>())
mod.ReadFromDifficulty(adjustedDifficulty);
}
}
#endregion
2019-02-25 11:58:58 +08:00
private ScheduledDelegate performFromMainMenuTask;
/// <summary>
/// Perform an action only after returning to a specific screen as indicated by <paramref name="validScreens"/>.
2019-02-25 11:58:58 +08:00
/// Eagerly tries to exit the current screen until it succeeds.
/// </summary>
/// <param name="action">The action to perform once we are in the correct state.</param>
/// <param name="validScreens">An optional collection of valid screen types. If any of these screens are already current we can perform the action immediately, else the first valid parent will be made current before performing the action. <see cref="MainMenu"/> is used if not specified.</param>
public void PerformFromScreen(Action<IScreen> action, IEnumerable<Type> validScreens = null)
2019-02-25 11:58:58 +08:00
{
performFromMainMenuTask?.Cancel();
validScreens ??= Enumerable.Empty<Type>();
validScreens = validScreens.Append(typeof(MainMenu));
2019-02-25 11:58:58 +08:00
CloseAllOverlays(false);
// we may already be at the target screen type.
if (validScreens.Contains(ScreenStack.CurrentScreen?.GetType()) && !Beatmap.Disabled)
2019-02-25 11:58:58 +08:00
{
action(ScreenStack.CurrentScreen);
2019-02-25 11:58:58 +08:00
return;
}
2019-02-25 11:58:58 +08:00
// find closest valid target
IScreen screen = ScreenStack.CurrentScreen;
while (screen != null)
{
if (validScreens.Contains(screen.GetType()))
{
screen.MakeCurrent();
break;
}
screen = screen.GetParentScreen();
}
2020-01-30 22:34:04 +08:00
performFromMainMenuTask = Schedule(() => PerformFromScreen(action, validScreens));
2018-04-13 17:19:50 +08:00
}
/// <summary>
/// Wait for the game (and target component) to become loaded and then run an action.
/// </summary>
/// <param name="retrieveInstance">A function to retrieve a (potentially not-yet-constructed) target instance.</param>
/// <param name="action">The action to perform on the instance when load is confirmed.</param>
/// <typeparam name="T">The type of the target instance.</typeparam>
private void waitForReady<T>(Func<T> retrieveInstance, Action<T> action)
where T : Drawable
{
var instance = retrieveInstance();
if (ScreenStack == null || ScreenStack.CurrentScreen is StartupScreen || instance?.IsLoaded != true)
Schedule(() => waitForReady(retrieveInstance, action));
else
action(instance);
}
2018-08-03 18:25:55 +08:00
protected override void Dispose(bool isDisposing)
{
base.Dispose(isDisposing);
2019-11-12 22:08:16 +08:00
SentryLogger.Dispose();
2018-08-03 18:25:55 +08:00
}
2018-04-13 17:19:50 +08:00
protected override void LoadComplete()
{
base.LoadComplete();
// The next time this is updated is in UpdateAfterChildren, which occurs too late and results
// in the cursor being shown for a few frames during the intro.
// This prevents the cursor from showing until we have a screen with CursorVisible = true
MenuCursorContainer.CanShowCursor = menuScreen?.CursorVisible ?? false;
// todo: all archive managers should be able to be looped here.
2018-04-13 17:19:50 +08:00
SkinManager.PostNotification = n => notifications?.Post(n);
SkinManager.GetStableStorage = GetStorageForStableInstall;
2018-04-13 17:19:50 +08:00
BeatmapManager.PostNotification = n => notifications?.Post(n);
2018-04-13 17:19:50 +08:00
BeatmapManager.GetStableStorage = GetStorageForStableInstall;
BeatmapManager.PresentImport = items => PresentBeatmap(items.First());
ScoreManager.PostNotification = n => notifications?.Post(n);
2019-06-20 00:33:51 +08:00
ScoreManager.GetStableStorage = GetStorageForStableInstall;
ScoreManager.PresentImport = items => PresentScore(items.First());
2018-04-13 17:19:50 +08:00
2019-01-23 19:52:00 +08:00
Container logoContainer;
BackButton.Receptor receptor;
2019-01-23 19:52:00 +08:00
dependencies.CacheAs(idleTracker = new GameIdleTracker(6000));
2018-04-13 17:19:50 +08:00
AddRange(new Drawable[]
{
new VolumeControlReceptor
{
RelativeSizeAxes = Axes.Both,
ActionRequested = action => volume.Adjust(action),
2018-07-05 15:50:04 +08:00
ScrollActionRequested = (action, amount, isPrecise) => volume.Adjust(action, amount, isPrecise),
2018-04-13 17:19:50 +08:00
},
2019-01-04 12:29:37 +08:00
screenContainer = new ScalingContainer(ScalingMode.ExcludeOverlays)
{
RelativeSizeAxes = Axes.Both,
Children = new Drawable[]
{
receptor = new BackButton.Receptor(),
ScreenStack = new OsuScreenStack { RelativeSizeAxes = Axes.Both },
BackButton = new BackButton(receptor)
2019-06-25 16:16:38 +08:00
{
Anchor = Anchor.BottomLeft,
Origin = Anchor.BottomLeft,
Action = () =>
{
if ((ScreenStack.CurrentScreen as IOsuScreen)?.AllowBackButton == true)
ScreenStack.Exit();
}
2019-06-25 16:16:38 +08:00
},
logoContainer = new Container { RelativeSizeAxes = Axes.Both },
}
2019-01-04 12:29:37 +08:00
},
overlayContent = new Container { RelativeSizeAxes = Axes.Both },
2019-04-05 15:00:21 +08:00
rightFloatingOverlayContent = new Container { RelativeSizeAxes = Axes.Both },
leftFloatingOverlayContent = new Container { RelativeSizeAxes = Axes.Both },
2019-03-22 02:16:10 +08:00
topMostOverlayContent = new Container { RelativeSizeAxes = Axes.Both },
idleTracker
2018-04-13 17:19:50 +08:00
});
ScreenStack.ScreenPushed += screenPushed;
ScreenStack.ScreenExited += screenExited;
2019-01-23 19:52:00 +08:00
2019-03-12 15:03:25 +08:00
loadComponentSingleFile(osuLogo, logo =>
2018-04-13 17:19:50 +08:00
{
2019-03-12 15:03:25 +08:00
logoContainer.Add(logo);
2019-01-23 19:52:00 +08:00
// Loader has to be created after the logo has finished loading as Loader performs logo transformations on entering.
2019-07-31 15:03:05 +08:00
ScreenStack.Push(CreateLoader().With(l => l.RelativeSizeAxes = Axes.Both));
2019-03-12 15:03:25 +08:00
});
2018-04-13 17:19:50 +08:00
loadComponentSingleFile(Toolbar = new Toolbar
{
OnHome = delegate
{
2018-06-06 15:17:51 +08:00
CloseAllOverlays(false);
2019-01-23 19:52:00 +08:00
menuScreen?.MakeCurrent();
2018-04-13 17:19:50 +08:00
},
2019-11-08 22:04:18 +08:00
}, topMostOverlayContent.Add);
2018-04-13 17:19:50 +08:00
loadComponentSingleFile(volume = new VolumeOverlay(), leftFloatingOverlayContent.Add, true);
2019-08-13 13:38:49 +08:00
loadComponentSingleFile(new OnScreenDisplay(), Add, true);
loadComponentSingleFile(musicController = new MusicController(), Add, true);
loadComponentSingleFile(notifications = new NotificationOverlay
{
GetToolbarHeight = () => ToolbarOffset,
Anchor = Anchor.TopRight,
Origin = Anchor.TopRight,
}, rightFloatingOverlayContent.Add, true);
loadComponentSingleFile(screenshotManager, Add);
2018-04-13 17:19:50 +08:00
//overlay elements
loadComponentSingleFile(direct = new DirectOverlay(), overlayContent.Add, true);
loadComponentSingleFile(social = new SocialOverlay(), overlayContent.Add, true);
2020-02-13 19:26:35 +08:00
var rankingsOverlay = loadComponentSingleFile(new RankingsOverlay(), overlayContent.Add, true);
loadComponentSingleFile(channelManager = new ChannelManager(), AddInternal, true);
loadComponentSingleFile(chatOverlay = new ChatOverlay(), overlayContent.Add, true);
2019-07-31 18:47:41 +08:00
loadComponentSingleFile(Settings = new SettingsOverlay { GetToolbarHeight = () => ToolbarOffset }, leftFloatingOverlayContent.Add, true);
2019-05-31 12:23:50 +08:00
var changelogOverlay = loadComponentSingleFile(new ChangelogOverlay(), overlayContent.Add, true);
loadComponentSingleFile(userProfile = new UserProfileOverlay(), overlayContent.Add, true);
loadComponentSingleFile(beatmapSetOverlay = new BeatmapSetOverlay(), overlayContent.Add, true);
2019-11-12 14:03:58 +08:00
loadComponentSingleFile(new LoginOverlay
2018-04-13 17:19:50 +08:00
{
GetToolbarHeight = () => ToolbarOffset,
2018-04-13 17:19:50 +08:00
Anchor = Anchor.TopRight,
Origin = Anchor.TopRight,
}, rightFloatingOverlayContent.Add, true);
2018-04-13 17:19:50 +08:00
loadComponentSingleFile(nowPlaying = new NowPlayingOverlay
2018-04-13 17:19:50 +08:00
{
GetToolbarHeight = () => ToolbarOffset,
2018-04-13 17:19:50 +08:00
Anchor = Anchor.TopRight,
Origin = Anchor.TopRight,
2019-11-08 22:04:18 +08:00
}, rightFloatingOverlayContent.Add, true);
2018-04-13 17:19:50 +08:00
loadComponentSingleFile(new AccountCreationOverlay(), topMostOverlayContent.Add, true);
loadComponentSingleFile(new DialogOverlay(), topMostOverlayContent.Add, true);
2019-03-22 02:16:10 +08:00
loadComponentSingleFile(externalLinkOpener = new ExternalLinkOpener(), topMostOverlayContent.Add);
chatOverlay.State.ValueChanged += state => channelManager.HighPollRate.Value = state.NewValue == Visibility.Visible;
2018-12-10 20:08:14 +08:00
Add(externalLinkOpener = new ExternalLinkOpener());
2019-11-12 14:03:58 +08:00
// side overlays which cancel each other.
2019-07-31 18:47:41 +08:00
var singleDisplaySideOverlays = new OverlayContainer[] { Settings, notifications };
2018-06-06 15:17:51 +08:00
foreach (var overlay in singleDisplaySideOverlays)
2018-04-13 17:19:50 +08:00
{
overlay.State.ValueChanged += state =>
2018-04-13 17:19:50 +08:00
{
if (state.NewValue == Visibility.Hidden) return;
2019-02-28 12:31:40 +08:00
singleDisplaySideOverlays.Where(o => o != overlay).ForEach(o => o.Hide());
2018-04-13 17:19:50 +08:00
};
}
// eventually informational overlays should be displayed in a stack, but for now let's only allow one to stay open at a time.
2020-02-13 19:26:35 +08:00
var informationalOverlays = new OverlayContainer[] { beatmapSetOverlay, userProfile };
2018-06-06 15:17:51 +08:00
foreach (var overlay in informationalOverlays)
2018-04-13 17:19:50 +08:00
{
overlay.State.ValueChanged += state =>
2018-04-13 17:19:50 +08:00
{
if (state.NewValue == Visibility.Hidden) return;
2019-02-28 12:31:40 +08:00
informationalOverlays.Where(o => o != overlay).ForEach(o => o.Hide());
2018-04-13 17:19:50 +08:00
};
}
// ensure only one of these overlays are open at once.
2020-02-13 19:26:35 +08:00
var singleDisplayOverlays = new OverlayContainer[] { chatOverlay, social, direct, changelogOverlay, rankingsOverlay };
2018-06-06 15:17:51 +08:00
foreach (var overlay in singleDisplayOverlays)
2018-04-13 17:19:50 +08:00
{
overlay.State.ValueChanged += state =>
2018-04-13 17:19:50 +08:00
{
// informational overlays should be dismissed on a show or hide of a full overlay.
informationalOverlays.ForEach(o => o.Hide());
if (state.NewValue == Visibility.Hidden) return;
2018-04-13 17:19:50 +08:00
singleDisplayOverlays.Where(o => o != overlay).ForEach(o => o.Hide());
2018-04-13 17:19:50 +08:00
};
}
OverlayActivationMode.ValueChanged += mode =>
2018-06-06 15:17:51 +08:00
{
if (mode.NewValue != OverlayActivation.All) CloseAllOverlays();
2018-06-06 15:17:51 +08:00
};
2018-04-13 17:19:50 +08:00
void updateScreenOffset()
{
float offset = 0;
2019-07-31 18:47:41 +08:00
if (Settings.State.Value == Visibility.Visible)
2018-04-13 17:19:50 +08:00
offset += ToolbarButton.WIDTH / 2;
if (notifications.State.Value == Visibility.Visible)
2018-04-13 17:19:50 +08:00
offset -= ToolbarButton.WIDTH / 2;
screenContainer.MoveToX(offset, SettingsPanel.TRANSITION_LENGTH, Easing.OutQuint);
2018-04-13 17:19:50 +08:00
}
2019-07-31 18:47:41 +08:00
Settings.State.ValueChanged += _ => updateScreenOffset();
notifications.State.ValueChanged += _ => updateScreenOffset();
}
2018-04-13 17:19:50 +08:00
public class GameIdleTracker : IdleTracker
{
2019-01-23 19:37:56 +08:00
private InputManager inputManager;
public GameIdleTracker(int time)
: base(time)
{
}
2019-01-23 19:37:56 +08:00
protected override void LoadComplete()
{
base.LoadComplete();
inputManager = GetContainingInputManager();
}
protected override bool AllowIdle => inputManager.FocusedDrawable == null;
}
2018-04-13 17:19:50 +08:00
private void forwardLoggedErrorsToNotifications()
{
int recentLogCount = 0;
2018-04-13 17:19:50 +08:00
const double debounce = 60000;
2018-04-13 17:19:50 +08:00
Logger.NewEntry += entry =>
{
if (entry.Level < LogLevel.Important || entry.Target == null) return;
2018-04-13 17:19:50 +08:00
const int short_term_display_limit = 3;
if (recentLogCount < short_term_display_limit)
{
Schedule(() => notifications.Post(new SimpleNotification
2018-04-13 17:19:50 +08:00
{
2019-04-02 18:55:24 +08:00
Icon = entry.Level == LogLevel.Important ? FontAwesome.Solid.ExclamationCircle : FontAwesome.Solid.Bomb,
Text = entry.Message + (entry.Exception != null && IsDeployedBuild ? "\n\nThis error has been automatically reported to the devs." : string.Empty),
}));
}
else if (recentLogCount == short_term_display_limit)
{
Schedule(() => notifications.Post(new SimpleNotification
{
2019-04-02 18:55:24 +08:00
Icon = FontAwesome.Solid.EllipsisH,
Text = "Subsequent messages have been logged. Click to view log files.",
2018-04-13 17:19:50 +08:00
Activated = () =>
{
Host.Storage.GetStorageForDirectory("logs").OpenInNativeExplorer();
return true;
}
}));
2018-04-13 17:19:50 +08:00
}
Interlocked.Increment(ref recentLogCount);
Scheduler.AddDelayed(() => Interlocked.Decrement(ref recentLogCount), debounce);
2018-04-13 17:19:50 +08:00
};
}
private Task asyncLoadStream;
private T loadComponentSingleFile<T>(T d, Action<T> add, bool cache = false)
2018-04-13 17:19:50 +08:00
where T : Drawable
{
if (cache)
dependencies.Cache(d);
2019-11-12 14:03:58 +08:00
if (d is OverlayContainer overlay)
overlays.Add(overlay);
2018-04-13 17:19:50 +08:00
// schedule is here to ensure that all component loads are done after LoadComplete is run (and thus all dependencies are cached).
// with some better organisation of LoadComplete to do construction and dependency caching in one step, followed by calls to loadComponentSingleFile,
// we could avoid the need for scheduling altogether.
2018-08-20 15:06:12 +08:00
Schedule(() =>
{
var previousLoadStream = asyncLoadStream;
//chain with existing load stream
asyncLoadStream = Task.Run(async () =>
{
if (previousLoadStream != null)
await previousLoadStream;
try
2018-08-20 15:06:12 +08:00
{
Logger.Log($"Loading {d}...", level: LogLevel.Debug);
2019-02-28 16:17:51 +08:00
// Since this is running in a separate thread, it is possible for OsuGame to be disposed after LoadComponentAsync has been called
// throwing an exception. To avoid this, the call is scheduled on the update thread, which does not run if IsDisposed = true
Task task = null;
var del = new ScheduledDelegate(() => task = LoadComponentAsync(d, add));
Scheduler.Add(del);
// The delegate won't complete if OsuGame has been disposed in the meantime
while (!IsDisposed && !del.Completed)
await Task.Delay(10);
// Either we're disposed or the load process has started successfully
if (IsDisposed)
return;
2019-02-28 16:17:51 +08:00
Debug.Assert(task != null);
await task;
Logger.Log($"Loaded {d}!", level: LogLevel.Debug);
}
catch (OperationCanceledException)
{
}
});
2018-08-20 15:06:12 +08:00
});
return d;
2018-04-13 17:19:50 +08:00
}
protected override bool OnScroll(ScrollEvent e)
{
// forward any unhandled mouse scroll events to the volume control.
volume.Adjust(GlobalAction.IncreaseVolume, e.ScrollDelta.Y, e.IsPrecise);
return true;
}
2018-04-13 17:19:50 +08:00
public bool OnPressed(GlobalAction action)
{
2019-01-23 19:52:00 +08:00
if (introScreen == null) return false;
2018-04-13 17:19:50 +08:00
switch (action)
{
case GlobalAction.ToggleNowPlaying:
nowPlaying.ToggleVisibility();
return true;
2018-04-13 17:19:50 +08:00
case GlobalAction.ToggleChat:
chatOverlay.ToggleVisibility();
2018-04-13 17:19:50 +08:00
return true;
2019-04-01 11:16:05 +08:00
2018-04-13 17:19:50 +08:00
case GlobalAction.ToggleSocial:
social.ToggleVisibility();
return true;
2019-04-01 11:16:05 +08:00
2018-04-13 17:19:50 +08:00
case GlobalAction.ResetInputSettings:
var sensitivity = frameworkConfig.GetBindable<double>(FrameworkSetting.CursorSensitivity);
sensitivity.Disabled = false;
sensitivity.Value = 1;
sensitivity.Disabled = true;
2018-04-13 20:46:17 +08:00
frameworkConfig.Set(FrameworkSetting.IgnoredInputHandlers, string.Empty);
2018-04-13 17:19:50 +08:00
frameworkConfig.GetBindable<ConfineMouseMode>(FrameworkSetting.ConfineMouseMode).SetDefault();
return true;
2019-04-01 11:16:05 +08:00
2018-04-13 17:19:50 +08:00
case GlobalAction.ToggleToolbar:
Toolbar.ToggleVisibility();
return true;
2019-04-01 11:16:05 +08:00
2018-04-13 17:19:50 +08:00
case GlobalAction.ToggleSettings:
2019-07-31 18:47:41 +08:00
Settings.ToggleVisibility();
2018-04-13 17:19:50 +08:00
return true;
2019-04-01 11:16:05 +08:00
2018-04-13 17:19:50 +08:00
case GlobalAction.ToggleDirect:
direct.ToggleVisibility();
return true;
2019-04-01 11:16:05 +08:00
2018-05-02 18:42:03 +08:00
case GlobalAction.ToggleGameplayMouseButtons:
2018-05-02 18:37:47 +08:00
LocalConfig.Set(OsuSetting.MouseDisableButtons, !LocalConfig.Get<bool>(OsuSetting.MouseDisableButtons));
return true;
2018-04-13 17:19:50 +08:00
}
return false;
}
2019-06-17 22:25:16 +08:00
#region Inactive audio dimming
2019-06-17 22:24:52 +08:00
private readonly BindableDouble inactiveVolumeFade = new BindableDouble();
2018-04-13 17:19:50 +08:00
private void updateActiveState(bool isActive)
2018-04-13 17:19:50 +08:00
{
if (isActive)
this.TransformBindableTo(inactiveVolumeFade, 1, 400, Easing.OutQuint);
else
this.TransformBindableTo(inactiveVolumeFade, LocalConfig.Get<double>(OsuSetting.VolumeInactive), 4000, Easing.OutQuint);
2018-04-13 17:19:50 +08:00
}
2019-06-17 22:25:16 +08:00
#endregion
public void OnReleased(GlobalAction action)
{
}
2018-04-13 17:19:50 +08:00
private Container overlayContent;
2019-04-05 15:00:21 +08:00
private Container rightFloatingOverlayContent;
private Container leftFloatingOverlayContent;
2019-03-22 02:16:10 +08:00
private Container topMostOverlayContent;
2020-02-14 21:14:00 +08:00
[Resolved]
private FrameworkConfigManager frameworkConfig { get; set; }
2019-01-04 12:29:37 +08:00
private ScalingContainer screenContainer;
2018-04-13 17:19:50 +08:00
private MusicController musicController;
protected override bool OnExiting()
{
if (ScreenStack.CurrentScreen is Loader)
return false;
if (introScreen == null)
return true;
2019-07-30 11:11:08 +08:00
if (!introScreen.DidLoadMenu || !(ScreenStack.CurrentScreen is IntroScreen))
{
Scheduler.Add(introScreen.MakeCurrent);
return true;
}
return base.OnExiting();
}
2018-04-13 17:19:50 +08:00
/// <summary>
/// Use to programatically exit the game as if the user was triggering via alt-f4.
/// Will keep persisting until an exit occurs (exit may be blocked multiple times).
/// </summary>
public void GracefullyExit()
{
if (!OnExiting())
Exit();
else
Scheduler.AddDelayed(GracefullyExit, 2000);
}
protected override void UpdateAfterChildren()
{
base.UpdateAfterChildren();
2019-01-08 11:57:31 +08:00
screenContainer.Padding = new MarginPadding { Top = ToolbarOffset };
overlayContent.Padding = new MarginPadding { Top = ToolbarOffset };
2018-04-13 17:19:50 +08:00
MenuCursorContainer.CanShowCursor = (ScreenStack.CurrentScreen as IOsuScreen)?.CursorVisible ?? false;
2018-04-13 17:19:50 +08:00
}
2019-02-01 14:42:15 +08:00
protected virtual void ScreenChanged(IScreen current, IScreen newScreen)
2018-04-13 17:19:50 +08:00
{
2019-01-23 19:52:00 +08:00
switch (newScreen)
{
case IntroScreen intro:
2019-01-23 19:52:00 +08:00
introScreen = intro;
break;
2019-04-01 11:16:05 +08:00
2019-01-23 19:52:00 +08:00
case MainMenu menu:
menuScreen = menu;
break;
}
if (newScreen is IOsuScreen newOsuScreen)
{
OverlayActivationMode.Value = newOsuScreen.InitialOverlayActivationMode;
musicController.AllowRateAdjustments = newOsuScreen.AllowRateAdjustments;
if (newOsuScreen.HideOverlaysOnEnter)
CloseAllOverlays();
else
Toolbar.Show();
2019-06-25 15:55:49 +08:00
2019-06-25 17:38:14 +08:00
if (newOsuScreen.AllowBackButton)
BackButton.Show();
2019-06-25 17:30:43 +08:00
else
BackButton.Hide();
}
}
2019-01-23 19:52:00 +08:00
private void screenPushed(IScreen lastScreen, IScreen newScreen)
{
2019-01-23 19:52:00 +08:00
ScreenChanged(lastScreen, newScreen);
Logger.Log($"Screen changed → {newScreen}");
2018-04-13 17:19:50 +08:00
}
2019-01-23 19:52:00 +08:00
private void screenExited(IScreen lastScreen, IScreen newScreen)
2018-04-13 17:19:50 +08:00
{
2019-01-23 19:52:00 +08:00
ScreenChanged(lastScreen, newScreen);
Logger.Log($"Screen changed ← {newScreen}");
2018-04-13 17:19:50 +08:00
if (newScreen == null)
Exit();
}
}
}