我正在为我正在进行的项目实施一个计时器。只要按下按钮,就会触发计时器。
首次按下时,它会设置计时器的持续时间,然后启动计时器。只要计时器滴答,程序就会减少持续时间并将其打印到屏幕上。它工作正常......直到你在计时器运行时再次按下按钮。执行此操作时,tick事件中的操作将发生在按钮运行时按下的次数。
我的XAML看起来像这样。
<Grid Grid.Row="1">
<Grid.RowDefinitions>
<RowDefinition Height="*" />
<RowDefinition Height="*" />
</Grid.RowDefinitions>
<TextBlock x:Name="tBox" Text="TIMER" Grid.Row="0" HorizontalAlignment="Center" Style="{StaticResource PhoneTextTitle2Style}"/>
<TextBlock x:Name="timer" Text="00" Grid.Row="1" HorizontalAlignment="Center" Style="{StaticResource PhoneTextTitle1Style}"/>
</Grid>
<Button
Grid.Row="1"
Grid.Column="0"
Content="Online"
HorizontalAlignment="Center"
Width="200"
Height="75" Click="trigger" />
我的C#看起来像这样:
public partial class MainPage : PhoneApplicationPage
{
int duration = 0;
int converted = 0;
int count = 0;
DispatcherTimer tmr = new DispatcherTimer();
// Constructor
public MainPage()
{
InitializeComponent();
}
private void trigger(object sender, RoutedEventArgs e)
{
resetTimer();
timer.Text = "30";
tmr.Interval = TimeSpan.FromSeconds(1);
tmr.Tick += OnTimerTick;
tmr.Start();
}
void OnTimerTick(object sender, EventArgs args)
{
converted = duration - 1;
timer.Text = converted.ToString();
duration = converted;
tBox.Text = strConvert;
count = count + 1;
if (duration == 0)
{
tmr.Stop();
}
}
void resetTimer()
{
count = 0;
DispatcherTimer tmr = new DispatcherTimer();
tmr.Interval = TimeSpan.FromSeconds(0);
duration = 30;
converted = 0;
tmr.Stop();
}
}
答案 0 :(得分:2)
不要在方法中为Tick
事件添加处理程序。添加Tick
事件处理程序,设置间隔,并在创建窗口时(即在构造函数中)创建一次计时器,然后在按下按钮时只创建Start
计时器。
按下按钮时也不应创建新的计时器;你可以而且应该重复使用现有的计时器。
你实际上并没有多次触发计时器。发生的事情是,每次按下按钮时,您都会将相同的方法作为处理程序添加到Tick
事件中,因此当Tick
事件触发一次时,您的方法是多次打电话。在已经运行的计时器上调用Start
不会导致它多次触发,它只会重置它的间隔(我认为是期望的)。
答案 1 :(得分:0)
在关闭现有计时器之前,重写reset方法以不创建新的计时器参考。
void resetTimer()
{
count = 0;
tmr.Stop();
tmr.Interval = TimeSpan.FromSeconds(0);
duration = 30;
converted = 0;
}
同样,在页面加载时设置Tick事件处理程序
// Constructor
public MainPage()
{
InitializeComponent();
timer.Text = "30";
tmr.Interval = TimeSpan.FromSeconds(1);
tmr.Tick += OnTimerTick;
}
private void trigger(object sender, RoutedEventArgs e)
{
resetTimer();
tmr.Start();
}
更重要的是,
你应该在执行tick方法时停止计时器,除非你运行多次,如果tick方法需要一段时间才能执行
void OnTimerTick(object sender, EventArgs args)
{
tmr.Stop();
converted = duration - 1;
timer.Text = converted.ToString();
duration = converted;
tBox.Text = strConvert;
count = count + 1;
tmr.Start();
}
答案 2 :(得分:0)
问题是你每次调用trigger()时都会添加一个OnTimerTick处理程序方法的新实例,无论何时用户点击按钮,我都会假设它是签名。
我会做两件事之一;删除/禁用trigger()方法体中的按钮,以便用户不能多次单击它,或者在附加对OnTimerTick的引用之前检查Tick事件以确保它为null(没有处理程序)。