4

I'm creating a demo app using WinUI 3 prerelease 0.5 (project reunion).

I would like to maximize, minimize, and restore the window state from c# managed code. Are there any examples available?

Randall B
  • 81
  • 1
  • 6
  • See following question: https://stackoverflow.com/questions/72125453/window-doesnt-maximize-in-winui3 – RolandJS Jul 14 '23 at 03:19

3 Answers3

3

Apparently this is not possible using managed code at this time. PInvoke is the only option currenlty. I used PInvoke.User32 nuget package.

Randall B
  • 81
  • 1
  • 6
  • Can you give us the source that states that this basic function isn't possible? What I am really looking for is a way to set my app to fullscreen. No luck so far. :[ – LeBrown Jones Apr 12 '21 at 21:18
  • 1
    @LeBrown Jones - Nothing you can link to - I got the information through a side conversation with one of the PM's on the Project Reunion team. You can follow the relevant conversation here: https://github.com/microsoft/microsoft-ui-xaml/issues/4668 – Randall B Apr 12 '21 at 22:14
2

Use AppWindow class from Windows App SDK

// Retrieve the window handle (HWND) of the current (XAML) WinUI 3 window.
IntPtr hWnd = WinRT.Interop.WindowNative.GetWindowHandle(this);

// Retrieve the WindowId that corresponds to hWnd.
WindowId windowId = Win32Interop.GetWindowIdFromWindow(hWnd);

// Lastly, retrieve the AppWindow for the current (XAML) WinUI 3 window.
AppWindow appWindow = AppWindow.GetFromWindowId(windowId);
appWindow.Closing += AppWindow_Closing;
private void AppWindow_Closing(AppWindow sender, AppWindowClosingEventArgs args)
{
    args.Cancel = true;
}

https://learn.microsoft.com/en-us/windows/apps/windows-app-sdk/windowing/windowing-overview

MicroOwl
  • 21
  • 1
1

Here is my implementation based on the PInvoke.User32 nuget package.

Version using Window parameter

    public void MaximizeWindow(Window window)
    {
        var windowHandle = WinRT.Interop.WindowNative.GetWindowHandle(window);

        PInvoke.User32.ShowWindow(windowHandle, PInvoke.User32.WindowShowStyle.SW_MAXIMIZE);
    }

Version using extension method

This previous code can also be transformed into an extension method for the Window class, so I can just call this.Maximize() from within the Window:

public static class WindowExtensions
{
    public static void Maximize(this Window window)
    {
        var windowHandle = WinRT.Interop.WindowNative.GetWindowHandle(window);

        PInvoke.User32.ShowWindow(windowHandle, PInvoke.User32.WindowShowStyle.SW_MAXIMIZE);
    }
}

Usage in your Window derived class:

this.Maximize();


Minize and Restore

The "PInvoke.User32.WindowShowStyle" definition used in the examples above contains also constants for SW_MINIMIZE and SW_RESTORE, but I did not test this.

Martin
  • 5,165
  • 1
  • 37
  • 50