web-dev-qa-db-ja.com

画面の解像度に応じてWPFウィンドウとコンテンツのサイズを変更する

各ウィンドウに複数のコントロールがあり、オーバーレイされているなどのWPFアプリがありますが、画面の解像度に応じてアプリのサイズを自動的に変更する方法が必要です。

何か案は ?

19
Welsh King

単にそのようなバインディングを作成するだけです:

<Window x:Class="YourApplication.MainWindow"
    xmlns="http://schemas.Microsoft.com/winfx/2006/xaml/presentation"
    xmlns:x="http://schemas.Microsoft.com/winfx/2006/xaml"
    Title="YourApplication" 
    Height="{Binding SystemParameters.PrimaryScreenHeight}" 
    Width="{Binding SystemParameters.PrimaryScreenWidth}">
26
Fischermaen

構文Height = "{Binding SystemParameters.PrimaryScreenHeight}"は手掛かりを提供しますが、そのようには機能しません。 SystemParameters.PrimaryScreenHeightは静的であるため、以下を使用します。

  <Window x:Class="MyApp.MainWindow"
      xmlns="http://schemas.Microsoft.com/winfx/2006/xaml/presentation"
      xmlns:x="http://schemas.Microsoft.com/winfx/2006/xaml"
      xmlns:tools="clr-namespace:MyApp.Tools"
      Height="{x:Static SystemParameters.PrimaryScreenHeight}" 
      Width="{x:Static SystemParameters.PrimaryScreenWidth}" 
      Title="{Binding Path=DisplayName}"
      WindowStartupLocation="CenterScreen"
      Icon="icon.ico"
  >

そして、それは画面全体にフィットします。ただし、画面サイズのパーセンテージに合わせるほうが好ましい場合があります。 90%。この場合、バインディング仕様のコンバーターで構文を修正する必要があります。

  <Window x:Class="MyApp.MainWindow"
      xmlns="http://schemas.Microsoft.com/winfx/2006/xaml/presentation"
      xmlns:x="http://schemas.Microsoft.com/winfx/2006/xaml"
      xmlns:tools="clr-namespace:MyApp.Tools"
      Height="{Binding Source={x:Static SystemParameters.PrimaryScreenHeight}, Converter={tools:RatioConverter}, ConverterParameter='0.9' }" 
      Width="{Binding Source={x:Static SystemParameters.PrimaryScreenWidth}, Converter={tools:RatioConverter}, ConverterParameter='0.9' }" 
      Title="{Binding Path=DisplayName}"
      WindowStartupLocation="CenterScreen"
      Icon="icon.ico"
  >

ここで、RatioConverterはMyApp.Tools名前空間で次のように宣言されています。

namespace MyApp.Tools {

    [ValueConversion(typeof(string), typeof(string))]
    public class RatioConverter : MarkupExtension, IValueConverter
    {
      private static RatioConverter _instance;

      public RatioConverter() { }

      public object Convert(object value, Type targetType, object parameter, CultureInfo culture)
      { // do not let the culture default to local to prevent variable outcome re decimal syntax
        double size = System.Convert.ToDouble(value) * System.Convert.ToDouble(parameter,CultureInfo.InvariantCulture);
        return size.ToString( "G0", CultureInfo.InvariantCulture );
      }

      public object ConvertBack(object value, Type targetType, object parameter, CultureInfo culture)
      { // read only converter...
        throw new NotImplementedException();
      }

      public override object ProvideValue(IServiceProvider serviceProvider)
      {
        return _instance ?? (_instance = new RatioConverter());
      }

    }
}

リソースとしての以前の宣言なしでルート要素で直接使用するために、コンバータの定義はMarkupExtensionから継承する必要があります。

71
berhauz