本文介绍了检测点击调整大小窗口 UWP的处理方法,对大家解决问题具有一定的参考价值,需要的朋友们下面随着小编来一起学习吧!
问题描述
我想通过单击调整大小按钮启动一个消息对话框..
I would like to launch a message dialog at the click of the resize button..
我在任意点击中插入了消息对话框,但如何在调整大小窗口中启动它?
I inserted the message dialog in any click, but how can I launch it in the resize window?
代码:
public sealed partial class MainPage : Page
{
public MainPage()
{
this.InitializeComponent();
}
private async void Button_Click(object sender, RoutedEventArgs e)
{
var messageDialog = new MessageDialog("This is a Message dialog");
await messageDialog.ShowAsync();
}
}
我找到了一个可能的解决方案,但我只需要点击调整大小按钮,这可能吗?
I approached a possible solution but, I just need the resize button click, is it possible?
代码:
Window.Current.CoreWindow.SizeChanged += (ss, ee) =>
{
var appView = Windows.UI.ViewManagement.ApplicationView.GetForCurrentView();
if (appView.IsFullScreen)
{
//show message
}
ee.Handled = true;
};
提前致谢!
推荐答案
您可以为此订阅 Page Size changed 事件
You can subscribe to Page Size changed event for this
XAML
<Page
x:Class="App.MainPage"
xmlns="http://schemas.microsoft.com/winfx/2006/xaml/presentation"
xmlns:x="http://schemas.microsoft.com/winfx/2006/xaml"
xmlns:local="using:SO15"
xmlns:d="http://schemas.microsoft.com/expression/blend/2008"
xmlns:mc="http://schemas.openxmlformats.org/markup-compatibility/2006"
mc:Ignorable="d" SizeChanged="Page_SizeChanged"> <!-- SizeChanged event -->
C#
private void Page_SizeChanged(object sender, SizeChangedEventArgs e)
{
Window.Current.CoreWindow.SizeChanged += async (ss, ee) =>
{
var appView = ApplicationView.GetForCurrentView();
if (appView.IsFullScreen)
{
var messageDialog = new MessageDialog("Window is Maximized");
await messageDialog.ShowAsync();
}
ee.Handled = true;
};
Window.Current.CoreWindow.SizeChanged += async (ss, ee) =>
{
var appView = ApplicationView.GetForCurrentView();
if (!appView.IsFullScreen)
{
var messageDialog = new MessageDialog("Window is not Maximized");
await messageDialog.ShowAsync();
}
ee.Handled = true;
};
}
交替在c#中处理,推荐
使用此事件
Window.Current.CoreWindow.SizeChanged += CoreWindow_SizeChanged;
bool msgboxshown = false; //add this condition in above solution also if msg dialog shown multiple times at the time of mazimizing window
private async void CoreWindow_SizeChanged(Windows.UI.Core.CoreWindow sender, Windows.UI.Core.WindowSizeChangedEventArgs args)
{
var appView = ApplicationView.GetForCurrentView();
if (!appView.IsFullScreen && !msgboxshown)
{
var messageDialog = new MessageDialog("Window is not maximized");
msgboxshown = true;
await messageDialog.ShowAsync();
msgboxshown = false;
}
if (appView.IsFullScreen && !msgboxshown)
{
var messageDialog = new MessageDialog("Windows is maximized");
msgboxshown = true;
await messageDialog.ShowAsync();
msgboxshown = false;
}
args.Handled = true;
}
/* You can remove msgboxshown condition , it is because message dialog will show continuously multiple times */
这篇关于检测点击调整大小窗口 UWP的文章就介绍到这了,希望我们推荐的答案对大家有所帮助,也希望大家多多支持!