好,
我的问题如下:
我有一个显示画布的用户界面,其中有许多黑色圆圈和一个红色圆圈
所以:
如果我按下“开始”按钮,我的代码会将红色圆圈右移10次。在逻辑中,我计算每一步后的所有交点。所以我计算了10次。
但是,现在我想在每次移动后更新UI并显示交叉点。
这是一个代码示例
for(int i = 0; i < 10; i++)
{
rc.xValue += 20;
calculateIntersections();
//now here the UI should be updated
Thread.Sleep(1000);
}
因此,我将从逻辑计算中获得“可视化”。
我怎么能意识到这一点?
我为什么不能使用绑定(或者我不知道其他方式)的问题是,使用绑定时,我只会看到移动的最后一步。所以在向右移动200后我会看到红色圆圈...但是我想看到每一步。
我试过了。我计算了步骤,并在每次单击按钮时增加了它。但是多数民众赞成在舒适。我希望这就像一部“电影”,而不必每次都单击。而且,使用许多“ foreach”要比使用许多“计数器”要容易得多。
最佳答案
属性必须调用来自INotifyPropertyChanged
接口的PropertyChanged事件以使绑定起作用。这是实现这一目标的最快方法。
在后面的代码中
public partial class MainWindow : Window, INotifyPropertyChanged
{
private double _rcXValue;
public double RcXValue
{
get { return _rcXValue; }
set
{
_rcXValue = value;
if (PropertyChanged != null)
PropertyChanged(this, new PropertyChangedEventArgs("RcXValue"));
}
}
public MainWindow()
{
InitializeComponent();
}
private async void Button_Click(object sender, RoutedEventArgs e)
{
for (int i = 0; i < 10; i++)
{
RcXValue += 20; //UI should be updated automatically
calculateIntersections();
await Task.Delay(1000);
}
}
public event PropertyChangedEventHandler PropertyChanged;
}
在XAML中
<Window x:Class="WpfApp.MainWindow"
xmlns="http://schemas.microsoft.com/winfx/2006/xaml/presentation"
xmlns:x="http://schemas.microsoft.com/winfx/2006/xaml"
Title="MainWindow" Height="350" Width="525"
DataContext="{Binding RelativeSource={RelativeSource Self}}">
<Grid>
<Grid>
<Grid.RowDefinitions>
<RowDefinition Height="260*"/>
<RowDefinition Height="59*"/>
</Grid.RowDefinitions>
<Canvas>
<Ellipse Fill="Red" Height="17" Canvas.Left="{Binding RcXValue}" Stroke="Black" Canvas.Top="107" Width="17"/>
</Canvas>
<Button Content="Button" Grid.Row="1" Click="Button_Click"/>
</Grid>
</Grid>
</Window>
关于c# - WPF如何在运行时更新UI,我们在Stack Overflow上找到一个类似的问题:https://stackoverflow.com/questions/33317854/