.NET WPF Lembre-se do tamanho da janela entre as sessões

93

Basicamente, quando o usuário redimensiona a janela do meu aplicativo, eu quero que o aplicativo tenha o mesmo tamanho quando o aplicativo for reaberto novamente.

A princípio pensei em manipular o evento SizeChanged e salvar Height e Width, mas acho que deve haver uma solução mais fácil.

Problema bastante simples, mas não consigo encontrar uma solução fácil para ele.

Daniil Harik
fonte
2
Observe que se você estiver restaurando o tamanho e a posição (como a maioria dos exemplos de código abaixo), você vai querer lidar com o caso extremo em que alguém desconectou o monitor em que a janela foi apresentada pela última vez, para evitar a apresentação de seu janela fora da tela.
Omer Raviv
@OmerRaviv Você encontrou um exemplo levando o caso extremo em consideração?
Andrew Truckle
Tenho muito menos reputação para adicionar um comentário, por isso criei este novo awnser. Eu uso a mesma solução que Lance Cleveland incluindo a configuração de RobJohnson , mas não funciona se você usar para subjanelas e quiser abrir mais delas ao mesmo tempo ...
AelanY

Respostas:

121

Salve os valores no arquivo user.config.

Você precisará criar o valor no arquivo de configurações - ele deve estar na pasta Propriedades. Crie cinco valores:

  • Top do tipo double
  • Left do tipo double
  • Height do tipo double
  • Width do tipo double
  • Maximizeddo tipo bool- para manter se a janela está maximizada ou não. Se você quiser armazenar mais informações, será necessário um tipo ou estrutura diferente.

Inicialize os dois primeiros para 0 e os dois segundos para o tamanho padrão do seu aplicativo, e o último para falso.

Crie um manipulador de eventos Window_OnSourceInitialized e adicione o seguinte:

this.Top = Properties.Settings.Default.Top;
this.Left = Properties.Settings.Default.Left;
this.Height = Properties.Settings.Default.Height;
this.Width = Properties.Settings.Default.Width;
// Very quick and dirty - but it does the job
if (Properties.Settings.Default.Maximized)
{
    WindowState = WindowState.Maximized;
}

NOTA: O posicionamento da janela definida precisa ir no evento inicializado na origem da janela, não no construtor, caso contrário, se você tiver a janela maximizada em um segundo monitor, ela sempre reiniciará maximizada no monitor principal e você não poderá para acessá-lo.

Crie um manipulador de eventos Window_Closing e adicione o seguinte:

if (WindowState == WindowState.Maximized)
{
    // Use the RestoreBounds as the current values will be 0, 0 and the size of the screen
    Properties.Settings.Default.Top = RestoreBounds.Top;
    Properties.Settings.Default.Left = RestoreBounds.Left;
    Properties.Settings.Default.Height = RestoreBounds.Height;
    Properties.Settings.Default.Width = RestoreBounds.Width;
    Properties.Settings.Default.Maximized = true;
}
else
{
    Properties.Settings.Default.Top = this.Top;
    Properties.Settings.Default.Left = this.Left;
    Properties.Settings.Default.Height = this.Height;
    Properties.Settings.Default.Width = this.Width;
    Properties.Settings.Default.Maximized = false;
}

Properties.Settings.Default.Save();

Isso falhará se o usuário diminuir a área de exibição - desconectando uma tela ou alterando a resolução da tela - enquanto o aplicativo estiver fechado, portanto, você deve adicionar uma verificação de que o local e o tamanho desejados ainda são válidos antes de aplicar os valores.

ChrisF
fonte
5
Na verdade, as configurações com o escopo "Usuário" não são salvas no arquivo app.config em Arquivos de programas, mas em um arquivo user.config no diretório de dados do aplicativo do usuário. Então não é um problema ...
Thomas Levesque
7
Na verdade, você pode adicionar "WindowState" às ​​configurações. Selecione o tipo -> navegar -> PresentationFramework -> System.Windows -> WindowState :)
Martin Vseticka
2
FWIW, eu faço isso a partir do manipulador de tamanho alterado também, em caso de falha do aplicativo. Eles são raros com um processamento de exceção não tratado, mas por que punir o usuário com tamanho / localização perdidos quando eles ocorrem misteriosamente.
Thomas,
7
Há um bug neste código que, se o usuário abrir a janela em sua segunda tela, em seguida desconectar essa tela do computador, na próxima vez que abrir a janela, ela será apresentada fora da tela. Se a janela for modal, o usuário não conseguirá interagir com o aplicativo de forma alguma e não entenderá o que está acontecendo. Você precisa adicionar uma verificação de limites usando Window.GetScreen (), depois de converter as coordenadas da tela em valores dependentes de DPI.
Omer Raviv
2
@OmerRaviv - não é um bug, mas uma limitação :) Sério - não abordei esse aspecto do problema.
ChrisF
73

Na verdade, você não precisa usar code-behind para fazer isso (exceto para salvar as configurações). Você pode usar uma extensão de marcação personalizada para vincular o tamanho e a posição da janela às configurações como estas:

<Window x:Class="WpfApplication1.Window1"
        xmlns="http://schemas.microsoft.com/winfx/2006/xaml/presentation"
        xmlns:x="http://schemas.microsoft.com/winfx/2006/xaml"
        xmlns:my="clr-namespace:WpfApplication1"
        Title="Window1"
        Height="{my:SettingBinding Height}"
        Width="{my:SettingBinding Width}"
        Left="{my:SettingBinding Left}"
        Top="{my:SettingBinding Top}">

Você pode encontrar o código para esta extensão de marcação aqui: http://www.thomaslevesque.com/2008/11/18/wpf-binding-to-application-settings-using-a-markup-extension/

Thomas Levesque
fonte
4
Gosto mais desta resposta do que da resposta aceita escolhida. Bem feito.
moswald
6
+1 - Adoro usar encadernação e extensões! Se você adicionar o WindowState às suas configurações vinculadas, ele fornecerá todos os recursos. Como alternativa, se você tiver as configurações do usuário disponíveis no DataContext, poderá usar algo como {Binding Settings.Height}etc.
Matt DeKrey
Essa abordagem tem um problema quando o usuário fecha o aplicativo quando a janela é maximizada.
Vinicius Rocha
@Vinicius, você pode explicar? Qual é o problema exatamente?
Thomas Levesque
4
E quando as pessoas têm dois monitores e, portanto, podem ter coordenadas negativas e, em seguida, eles alteram as configurações do monitor e os valores não são mais válidos?
Andrew Truckle
33

Embora você possa "rolar seu próprio" e salvar manualmente as configurações em algum lugar, e em geral isso funcionará, é muito fácil não lidar com todos os casos corretamente. É muito melhor deixar o sistema operacional fazer o trabalho por você, chamando GetWindowPlacement () na saída e SetWindowPlacement () na inicialização. Ele lida com todos os casos extremos malucos que podem ocorrer (vários monitores, salve o tamanho normal da janela se ela for fechada enquanto maximizada, etc.) para que você não precise fazer isso.

Este exemplo do MSDN mostra como usá-los com um aplicativo WPF. O exemplo não é perfeito (a janela começará no canto superior esquerdo o menor possível na primeira execução e há algum comportamento estranho com o designer de configurações salvando um valor do tipo WINDOWPLACEMENT), mas deve pelo menos ajudá-lo a começar.

Andy
fonte
Ótima solução. No entanto, acabei de descobrir que GetWindowPlacement / SetWindowPlacement não
Mark Bell
1
@RandomEngy postou uma resposta aprimorada com base nisso.
Stéphane Gourichon
27

A vinculação de "forma longa" que Thomas postou acima quase não requer codificação, apenas certifique-se de ter a vinculação de namespace:

<Window x:Class="WpfApplication1.Window1"
        xmlns="http://schemas.microsoft.com/winfx/2006/xaml/presentation"
        xmlns:x="http://schemas.microsoft.com/winfx/2006/xaml"
        xmlns:p="clr-namespace:WpfApplication1.Properties"
        Title="Window1"
        Height="{Binding Source={x:Static p:Settings.Default}, Path=Height, Mode=TwoWay}"
        Width="{Binding Source={x:Static p:Settings.Default}, Path=Width, Mode=TwoWay}"
        Left="{Binding Source={x:Static p:Settings.Default}, Path=Left, Mode=TwoWay}"
        Top="{Binding Source={x:Static p:Settings.Default}, Path=Top, Mode=TwoWay}">

Em seguida, para economizar no code-behind:

private void frmMain_Closed(object sender, EventArgs e)
{
    Properties.Settings.Default.Save();
}
Lance Cleveland
fonte
Eu escolhi esta solução, mas só salvei as configurações se o estado da janela estava normal, caso contrário, pode ser complicado tirá-la do modo maximizado
David Sykes
7
+1 Eu usei isso também, @DavidSykes - Adicionar outra configuração para o estado da janela parece funcionar bem, por exemploWindowState="{Binding Source={x:Static properties:Settings.Default}, Path=WindowState, Mode=TwoWay}"
RobJohnson
@RobJohnson Tentei sua sugestão e funcionou muito bem, obrigado.
David Sykes
4

Como alternativa, você também pode gostar da abordagem a seguir ( consulte a fonte ). Adicione a classe WindowSettings ao seu projeto e insira WindowSettings.Save="True"no cabeçalho da janela principal:

<Window x:Class="YOURPROJECT.Views.ShellView"
    xmlns="http://schemas.microsoft.com/winfx/2006/xaml/presentation"
    xmlns:x="http://schemas.microsoft.com/winfx/2006/xaml"
    xmlns:Services="clr-namespace:YOURNAMESPACE.Services" 
    Services:WindowSettings.Save="True">

Onde WindowSettings é definido da seguinte forma:

using System;
using System.ComponentModel;
using System.Configuration;
using System.Windows;

namespace YOURNAMESPACE.Services
{
/// <summary>
///   Persists a Window's Size, Location and WindowState to UserScopeSettings
/// </summary>
public class WindowSettings
{
    #region Fields

    /// <summary>
    ///   Register the "Save" attached property and the "OnSaveInvalidated" callback
    /// </summary>
    public static readonly DependencyProperty SaveProperty = DependencyProperty.RegisterAttached("Save", typeof (bool), typeof (WindowSettings), new FrameworkPropertyMetadata(OnSaveInvalidated));

    private readonly Window mWindow;

    private WindowApplicationSettings mWindowApplicationSettings;

    #endregion Fields

    #region Constructors

    public WindowSettings(Window pWindow) { mWindow = pWindow; }

    #endregion Constructors

    #region Properties

    [Browsable(false)] public WindowApplicationSettings Settings {
        get {
            if (mWindowApplicationSettings == null) mWindowApplicationSettings = CreateWindowApplicationSettingsInstance();
            return mWindowApplicationSettings;
        }
    }

    #endregion Properties

    #region Methods

    public static void SetSave(DependencyObject pDependencyObject, bool pEnabled) { pDependencyObject.SetValue(SaveProperty, pEnabled); }

    protected virtual WindowApplicationSettings CreateWindowApplicationSettingsInstance() { return new WindowApplicationSettings(this); }

    /// <summary>
    ///   Load the Window Size Location and State from the settings object
    /// </summary>
    protected virtual void LoadWindowState() {
        Settings.Reload();
        if (Settings.Location != Rect.Empty) {
            mWindow.Left = Settings.Location.Left;
            mWindow.Top = Settings.Location.Top;
            mWindow.Width = Settings.Location.Width;
            mWindow.Height = Settings.Location.Height;
        }
        if (Settings.WindowState != WindowState.Maximized) mWindow.WindowState = Settings.WindowState;
    }

    /// <summary>
    ///   Save the Window Size, Location and State to the settings object
    /// </summary>
    protected virtual void SaveWindowState() {
        Settings.WindowState = mWindow.WindowState;
        Settings.Location = mWindow.RestoreBounds;
        Settings.Save();
    }

    /// <summary>
    ///   Called when Save is changed on an object.
    /// </summary>
    private static void OnSaveInvalidated(DependencyObject pDependencyObject, DependencyPropertyChangedEventArgs pDependencyPropertyChangedEventArgs) {
        var window = pDependencyObject as Window;
        if (window != null)
            if ((bool) pDependencyPropertyChangedEventArgs.NewValue) {
                var settings = new WindowSettings(window);
                settings.Attach();
            }
    }

    private void Attach() {
        if (mWindow != null) {
            mWindow.Closing += WindowClosing;
            mWindow.Initialized += WindowInitialized;
            mWindow.Loaded += WindowLoaded;
        }
    }

    private void WindowClosing(object pSender, CancelEventArgs pCancelEventArgs) { SaveWindowState(); }

    private void WindowInitialized(object pSender, EventArgs pEventArgs) { LoadWindowState(); }

    private void WindowLoaded(object pSender, RoutedEventArgs pRoutedEventArgs) { if (Settings.WindowState == WindowState.Maximized) mWindow.WindowState = Settings.WindowState; }

    #endregion Methods

    #region Nested Types

    public class WindowApplicationSettings : ApplicationSettingsBase
    {
        #region Constructors

        public WindowApplicationSettings(WindowSettings pWindowSettings) { }

        #endregion Constructors

        #region Properties

        [UserScopedSetting] public Rect Location {
            get {
                if (this["Location"] != null) return ((Rect) this["Location"]);
                return Rect.Empty;
            }
            set { this["Location"] = value; }
        }

        [UserScopedSetting] public WindowState WindowState {
            get {
                if (this["WindowState"] != null) return (WindowState) this["WindowState"];
                return WindowState.Normal;
            }
            set { this["WindowState"] = value; }
        }

        #endregion Properties
    }

    #endregion Nested Types
}
}
Erik Vullings
fonte
3

A maneira padrão de resolver isso é usar arquivos de configurações. O problema com os arquivos de configurações é que você precisa definir todas as configurações e escrever o código que copia os dados para frente e para trás você mesmo. Bastante entediante se você tiver muitas propriedades para controlar.

Eu fiz uma biblioteca bastante flexível e fácil de usar para isso, você apenas informa quais propriedades de qual objeto rastrear e ela faz o resto. Você também pode configurar a porcaria se quiser.

A biblioteca é chamada Jot (github) , aqui está um antigo artigo CodeProject que escrevi sobre ela.

Veja como você pode usá-lo para controlar o tamanho e a localização de uma janela:

public MainWindow()
{
    InitializeComponent();

    _stateTracker.Configure(this)
        .IdentifyAs("MyMainWindow")
        .AddProperties(nameof(Height), nameof(Width), nameof(Left), nameof(Top), nameof(WindowState))
        .RegisterPersistTrigger(nameof(Closed))
        .Apply();
}

Arquivos Jot vs. configurações: Com Jot há consideravelmente menos código e é muito menos sujeito a erros, pois você só precisa mencionar cada propriedade uma vez . Com os arquivos de configuração, você precisa mencionar cada propriedade 5 vezes : uma vez ao criar explicitamente a propriedade e mais quatro vezes no código que copia os valores de um lado para outro.

Armazenamento, serialização etc. são totalmente configuráveis. Além disso, ao usar o IOC, você pode até conectá-lo para que aplique o rastreamento automaticamente a todos os objetos que ele resolve, de modo que tudo o que você precisa fazer para tornar uma propriedade persistente é inserir um atributo [Trackable] nela.

Estou escrevendo tudo isso porque acho que a biblioteca é excelente e quero falar sobre isso.

anakic
fonte
Bom, obrigado por isso - usei seu trecho de código em uma nova classe para configurar o rastreador de estado com um caminho baseado no nome do programa. De agora em diante, só preciso escrever uma linha e todas as propriedades da janela serão tratadas
Awesomeness
1

Eu escrevi uma aula rápida que faz isso. É assim que se chama:

    public MainWindow()
    {
        FormSizeSaver.RegisterForm(this, () => Settings.Default.MainWindowSettings,
                                   s =>
                                   {
                                       Settings.Default.MainWindowSettings = s;
                                       Settings.Default.Save();
                                   });
        InitializeComponent();
        ...

E aqui está o código:

public class FormSizeSaver
{
    private readonly Window window;
    private readonly Func<FormSizeSaverSettings> getSetting;
    private readonly Action<FormSizeSaverSettings> saveSetting;
    private FormSizeSaver(Window window, Func<string> getSetting, Action<string> saveSetting)
    {
        this.window = window;
        this.getSetting = () => FormSizeSaverSettings.FromString(getSetting());
        this.saveSetting = s => saveSetting(s.ToString());

        window.Initialized += InitializedHandler;
        window.StateChanged += StateChangedHandler;
        window.SizeChanged += SizeChangedHandler;
        window.LocationChanged += LocationChangedHandler;
    }

    public static FormSizeSaver RegisterForm(Window window, Func<string> getSetting, Action<string> saveSetting)
    {
        return new FormSizeSaver(window, getSetting, saveSetting);
    }


    private void SizeChangedHandler(object sender, SizeChangedEventArgs e)
    {
        var s = getSetting();
        s.Height = e.NewSize.Height;
        s.Width = e.NewSize.Width;
        saveSetting(s);
    }

    private void StateChangedHandler(object sender, EventArgs e)
    {
        var s = getSetting();
        if (window.WindowState == WindowState.Maximized)
        {
            if (!s.Maximized)
            {
                s.Maximized = true;
                saveSetting(s);
            }
        }
        else if (window.WindowState == WindowState.Normal)
        {
            if (s.Maximized)
            {
                s.Maximized = false;
                saveSetting(s);
            }
        }
    }

    private void InitializedHandler(object sender, EventArgs e)
    {
        var s = getSetting();
        window.WindowState = s.Maximized ? WindowState.Maximized : WindowState.Normal;

        if (s.Height != 0 && s.Width != 0)
        {
            window.Height = s.Height;
            window.Width = s.Width;
            window.WindowStartupLocation = WindowStartupLocation.Manual;
            window.Left = s.XLoc;
            window.Top = s.YLoc;
        }
    }

    private void LocationChangedHandler(object sender, EventArgs e)
    {
        var s = getSetting();
        s.XLoc = window.Left;
        s.YLoc = window.Top;
        saveSetting(s);
    }
}

[Serializable]
internal class FormSizeSaverSettings
{
    public double Height, Width, YLoc, XLoc;
    public bool Maximized;

    public override string ToString()
    {
        using (var ms = new MemoryStream())
        {
            var bf = new BinaryFormatter();
            bf.Serialize(ms, this);
            ms.Position = 0;
            byte[] buffer = new byte[(int)ms.Length];
            ms.Read(buffer, 0, buffer.Length);
            return Convert.ToBase64String(buffer);
        }
    }

    internal static FormSizeSaverSettings FromString(string value)
    {
        try
        {
            using (var ms = new MemoryStream(Convert.FromBase64String(value)))
            {
                var bf = new BinaryFormatter();
                return (FormSizeSaverSettings) bf.Deserialize(ms);
            }
        }
        catch (Exception)
        {
            return new FormSizeSaverSettings();
        }
    }
}
tster
fonte
window.Intitialized must be window.Loaded veja principalmentetech.blogspot.com/2008/01/…
Gleb Sevruk
@Gleb, ambos funcionam, eu acho. Você está tendo problemas com ele na inicialização?
tster
Sim, uma vez que a janela maximizada ficará na tela incorreta se você usar apenas o evento inicializado. O que eu fiz e parece funcionar: Agora estou me inscrevendo no evento Loaded também. Mudei _window.WindowState = s.Maximized? WindowState.Maximized: WindowState.Normal; linha dentro do manipulador de eventos "Loaded". window.Initialized + = InitializedHandler; window.Loaded + = LoadedHandler; btw: Eu gosto dessa abordagem
Gleb Sevruk
1

Existe um NuGet Project RestoreWindowPlace see no github que faz tudo isso para você, salvando as informações em um arquivo XML.

Para fazê-lo funcionar em uma janela, é tão simples quanto chamar:

((App)Application.Current).WindowPlace.Register(this);

No App você cria a classe que gerencia suas janelas. Veja o link do github acima para mais informações.

Chuck Savage
fonte
0

Você pode gostar disso:

public class WindowStateHelper
{
    public static string ToXml(System.Windows.Window win)
    {
        XElement bounds = new XElement("Bounds");
        if (win.WindowState == System.Windows.WindowState.Maximized)
        {
            bounds.Add(new XElement("Top", win.RestoreBounds.Top));
            bounds.Add(new XElement("Left", win.RestoreBounds.Left));
            bounds.Add(new XElement("Height", win.RestoreBounds.Height));
            bounds.Add(new XElement("Width", win.RestoreBounds.Width));
        }
        else
        {
            bounds.Add(new XElement("Top", win.Top));
            bounds.Add(new XElement("Left", win.Left));
            bounds.Add(new XElement("Height", win.Height));
            bounds.Add(new XElement("Width", win.Width));
        }
        XElement root = new XElement("WindowState",
            new XElement("State", win.WindowState.ToString()),
            new XElement("Visibility", win.Visibility.ToString()),
            bounds);

        return root.ToString();
    }

    public static void FromXml(string xml, System.Windows.Window win)
    {
        try
        {
            XElement root = XElement.Parse(xml);
            string state = root.Descendants("State").FirstOrDefault().Value;
            win.WindowState = (System.Windows.WindowState)Enum.Parse(typeof(System.Windows.WindowState), state);

            state = root.Descendants("Visibility").FirstOrDefault().Value;
            win.Visibility = (System.Windows.Visibility)Enum.Parse(typeof(System.Windows.Visibility), state);

            XElement bounds = root.Descendants("Bounds").FirstOrDefault();
            win.Top = Convert.ToDouble(bounds.Element("Top").Value);
            win.Left = Convert.ToDouble(bounds.Element("Left").Value);
            win.Height = Convert.ToDouble(bounds.Element("Height").Value);
            win.Width = Convert.ToDouble(bounds.Element("Width").Value);
        }
        catch (Exception x)
        {
            System.Console.WriteLine(x.ToString());
        }
    }
}

Quando o aplicativo fecha:

        Properties.Settings.Default.Win1Placement = WindowStateHelper.ToXml(win1);
        Properties.Settings.Default.Win2Placement = WindowStateHelper.ToXml(win2);
        ...

Quando o aplicativo é iniciado:

        WindowStateHelper.FromXml(Properties.Settings.Default.Win1Placement, win1);
        WindowStateHelper.FromXml(Properties.Settings.Default.Win2Placement, win2);
        ...
Paulo
fonte
0

Crie uma string chamada WindowXml nas configurações padrão.

Use este método de extensão em seus eventos Window Loaded e Closing para restaurar e salvar o tamanho e localização da janela.

using YourProject.Properties;
using System;
using System.Linq;
using System.Windows;
using System.Xml.Linq;

namespace YourProject.Extensions
{
    public static class WindowExtensions
    {
        public static void SaveSizeAndLocation(this Window w)
        {
            try
            {
                var s = "<W>";
                s += GetNode("Top", w.WindowState == WindowState.Maximized ? w.RestoreBounds.Top : w.Top);
                s += GetNode("Left", w.WindowState == WindowState.Maximized ? w.RestoreBounds.Left : w.Left);
                s += GetNode("Height", w.WindowState == WindowState.Maximized ? w.RestoreBounds.Height : w.Height);
                s += GetNode("Width", w.WindowState == WindowState.Maximized ? w.RestoreBounds.Width : w.Width);
                s += GetNode("WindowState", w.WindowState);
                s += "</W>";

                Settings.Default.WindowXml = s;
                Settings.Default.Save();
            }
            catch (Exception)
            {
            }
        }

        public static void RestoreSizeAndLocation(this Window w)
        {
            try
            {
                var xd = XDocument.Parse(Settings.Default.WindowXml);
                w.WindowState = (WindowState)Enum.Parse(typeof(WindowState), xd.Descendants("WindowState").FirstOrDefault().Value);
                w.Top = Convert.ToDouble(xd.Descendants("Top").FirstOrDefault().Value);
                w.Left = Convert.ToDouble(xd.Descendants("Left").FirstOrDefault().Value);
                w.Height = Convert.ToDouble(xd.Descendants("Height").FirstOrDefault().Value);
                w.Width = Convert.ToDouble(xd.Descendants("Width").FirstOrDefault().Value);
            }
            catch (Exception)
            {
            }
        }

        private static string GetNode(string name, object value)
        {
            return string.Format("<{0}>{1}</{0}>", name, value);
        }
    }
}
Tempeck
fonte
0

Estou usando a resposta de Lance Cleveland e vinculo o cenário. Mas estou usando um pouco mais de código para evitar que minha janela fique fora da tela.

private void SetWindowSettingsIntoScreenArea()
{
    // first detect Screen, where we will display the Window
    // second correct bottom and right position
    // then the top and left position.
    // If Size is bigger than current Screen, it's still possible to move and size the Window

    // get the screen to display the window
    var screen = System.Windows.Forms.Screen.FromPoint(new System.Drawing.Point((int)Default.Left, (int)Default.Top));

    // is bottom position out of screen for more than 1/3 Height of Window?
    if (Default.Top + (Default.Height / 3) > screen.WorkingArea.Height)
        Default.Top = screen.WorkingArea.Height - Default.Height;

    // is right position out of screen for more than 1/2 Width of Window?
    if (Default.Left + (Default.Width / 2) > screen.WorkingArea.Width)
        Default.Left = screen.WorkingArea.Width - Default.Width;

    // is top position out of screen?
    if (Default.Top < screen.WorkingArea.Top)
        Default.Top = screen.WorkingArea.Top;

    // is left position out of screen?
    if (Default.Left < screen.WorkingArea.Left)
        Default.Left = screen.WorkingArea.Left;
}
Markus
fonte
0

Fiz uma solução mais genérica com base na resposta brilhante da RandomEngys. Ele salva a posição para o arquivo na pasta em execução e você não precisa criar novas propriedades para cada nova janela que criar. Esta solução funciona muito bem para mim com o mínimo de código no code-behind.

using System;
using System.IO;
using System.Reflection;
using System.Runtime.InteropServices;
using System.Text;
using System.Windows;
using System.Windows.Interop;
using System.Xml;
using System.Xml.Serialization;

namespace WindowPlacementNameSpace
{

    // RECT structure required by WINDOWPLACEMENT structure
    [Serializable]
    [StructLayout(LayoutKind.Sequential)]
    public struct RECT
    {
        public int Left;
        public int Top;
        public int Right;
        public int Bottom;

        public RECT(int left, int top, int right, int bottom)
        {
            this.Left = left;
            this.Top = top;
            this.Right = right;
            this.Bottom = bottom;
        }
    }

    // POINT structure required by WINDOWPLACEMENT structure
    [Serializable]
    [StructLayout(LayoutKind.Sequential)]
    public struct POINT
    {
        public int X;
        public int Y;

        public POINT(int x, int y)
        {
            this.X = x;
            this.Y = y;
        }
    }

    // WINDOWPLACEMENT stores the position, size, and state of a window
    [Serializable]
    [StructLayout(LayoutKind.Sequential)]
    public struct WINDOWPLACEMENT
    {
        public int length;
        public int flags;
        public int showCmd;
        public POINT minPosition;
        public POINT maxPosition;
        public RECT normalPosition;
    }

    public static class WindowPlacement
    {
        private static readonly Encoding Encoding = new UTF8Encoding();
        private static readonly XmlSerializer Serializer = new XmlSerializer(typeof(WINDOWPLACEMENT));

        [DllImport("user32.dll")]
        private static extern bool SetWindowPlacement(IntPtr hWnd, [In] ref WINDOWPLACEMENT lpwndpl);

        [DllImport("user32.dll")]
        private static extern bool GetWindowPlacement(IntPtr hWnd, out WINDOWPLACEMENT lpwndpl);

        private const int SW_SHOWNORMAL = 1;
        private const int SW_SHOWMINIMIZED = 2;

        private static void SetPlacement(IntPtr windowHandle, string placementXml)
        {
            if (string.IsNullOrEmpty(placementXml))
            {
                return;
            }

            byte[] xmlBytes = Encoding.GetBytes(placementXml);

            try
            {
                WINDOWPLACEMENT placement;
                using (MemoryStream memoryStream = new MemoryStream(xmlBytes))
                {
                    placement = (WINDOWPLACEMENT)Serializer.Deserialize(memoryStream);
                }

                placement.length = Marshal.SizeOf(typeof(WINDOWPLACEMENT));
                placement.flags = 0;
                placement.showCmd = (placement.showCmd == SW_SHOWMINIMIZED ? SW_SHOWNORMAL : placement.showCmd);
                SetWindowPlacement(windowHandle, ref placement);
            }
            catch (InvalidOperationException)
            {
                // Parsing placement XML failed. Fail silently.
            }
        }

        private static string GetPlacement(IntPtr windowHandle)
        {
            WINDOWPLACEMENT placement;
            GetWindowPlacement(windowHandle, out placement);

            using (MemoryStream memoryStream = new MemoryStream())
            {
                using (XmlTextWriter xmlTextWriter = new XmlTextWriter(memoryStream, Encoding.UTF8))
                {
                    Serializer.Serialize(xmlTextWriter, placement);
                    byte[] xmlBytes = memoryStream.ToArray();
                    return Encoding.GetString(xmlBytes);
                }
            }
        }
        public static void ApplyPlacement(this Window window)
        {
            var className = window.GetType().Name;
            try
            {
                var pos = File.ReadAllText(Directory + "\\" + className + ".pos");
                SetPlacement(new WindowInteropHelper(window).Handle, pos);
            }
            catch (Exception exception)
            {
                Log.Error("Couldn't read position for " + className, exception);
            }

        }

        public static void SavePlacement(this Window window)
        {
            var className = window.GetType().Name;
            var pos =  GetPlacement(new WindowInteropHelper(window).Handle);
            try
            {
                File.WriteAllText(Directory + "\\" + className + ".pos", pos);
            }
            catch (Exception exception)
            {
                Log.Error("Couldn't write position for " + className, exception);
            }
        }
        private static string Directory => Path.GetDirectoryName(Assembly.GetExecutingAssembly().Location);

    }
}

Em seu código atrás de você adiciona estes dois métodos

///This method is save the actual position of the window to file "WindowName.pos"
private void ClosingTrigger(object sender, EventArgs e)
{
    this.SavePlacement();
}
///This method is load the actual position of the window from the file
protected override void OnSourceInitialized(EventArgs e)
{
    base.OnSourceInitialized(e);
    this.ApplyPlacement();
}

na janela xaml você adiciona isto

Closing="ClosingTrigger"
Bjorn
fonte