您可以使用 System.Threading.Timer 类,并理解它使用线程(如下所示)。计时器在构造函数中设置。它立即启动(第三个参数设置为 0),然后每 1000 毫秒执行一次(第 4 个参数)。在内部,代码立即调用 Dispatcher 来更新 UI。这样做的潜在好处是,您不会因为可以在另一个线程中完成的繁忙工作而占用 UI 线程(例如,不使用 BackgroundWorker)。
using System.Windows.Controls;
using System.Threading;
namespace SLTimers
{
public partial class MainPage : UserControl
{
private Timer _tmr;
private int _counter;
public MainPage()
{
InitializeComponent();
_tmr = new Timer((state) =>
{
++_counter;
this.Dispatcher.BeginInvoke(() =>
{
txtCounter.Text = _counter.ToString();
});
}, null, 0, 1000);
}
}
}
<UserControl x:Class="SLTimers.MainPage"
xmlns="http://schemas.microsoft.com/winfx/2006/xaml/presentation"
xmlns:x="http://schemas.microsoft.com/winfx/2006/xaml"
xmlns:d="http://schemas.microsoft.com/expression/blend/2008"
xmlns:mc="http://schemas.openxmlformats.org/markup-compatibility/2006"
mc:Ignorable="d"
d:DesignHeight="300" d:DesignWidth="400" xmlns:sdk="http://schemas.microsoft.com/winfx/2006/xaml/presentation/sdk">
<Grid x:Name="LayoutRoot" Background="White">
<TextBlock x:Name="txtCounter" Margin="12" FontSize="80" Text="0"/>
</Grid>
</UserControl>