我告诉Timer在构造函数中启动。它启动,但当它到达Timer.Elapsed事件时,它只运行方法中的第一个if语句。我已经检查了isWatching
是否为真,确实如此,但它仍然完全跳过了它。它甚至没有到达if(isWatching)
线。
代码:
主窗口.xaml.cs:
public partial class MainWindow : Window
{
public SessionManager SM { get; private set; }
public MainWindow()
{
SM = new SessionManager();
SM.NewDayEvent += SplitSession;
///code
}
}
SessionManager.cs(本文省略了一些变量):
public class SessionManager : INotifyPropertyChanged
{
public delegate void NewDayEventHandler(object sender, EventArgs ea);
public event NewDayEventHandler NewDayEvent;
private bool _isWatching;
private Timer _timer;
private bool isWatching
{
get
{
return _isWatching;
}
set
{
_isWatching = value;
if (!_isWatching)
{
_clockWatch.Stop();
}
else
{
_clockWatch.Start();
}
}
}
#endregion
public SessionManager()
{
_clockWatch = new Stopwatch();
_timer = new Timer(1000);
_timer.Elapsed += timerElapsed;//focus on this here
_isWatching = false;
current_time = new DateTime();
CurrentTime = DateTime.Now;
_timer.Start();
}
public void timerElapsed(object sender, ElapsedEventArgs e)
{
CurrentTime = DateTime.Now;
if (CurrentTime.TimeOfDay == TimeSpan.Parse("9:32 AM") && NewDayEvent != null)
{
NewDayEvent(this, new EventArgs());
}
if (isWatching)
{
if (CurrentSession != null)
{
//update the timespent variable of the current timeEntry
if (CurrentSession.currentTimeEntry != null)
{
CurrentSession.currentTimeEntry.TimeSpent = _clockWatch.Elapsed;
calculateTotalTime();
CalculateFilteredTimeSpent();
}
}
}
}
}
调用TimeSpan.Parse()
时没有使用正确的格式。做你想做的事情的正确方法是:
TimeSpan.Parse("9:32")
您当前的代码片段抛出一个System.FormatException
:
A first chance exception of type 'System.FormatException' occurred in mscorlib.dll
然而,对于你想要实现的目标,每天在特定的时间触发一次行动,上述方法可能不是最好的,因为成功的几率很小。计时器将每1000ms运行一次,然后返回包含毫秒的当前时间。因此,计时器流逝事件可以在9:32.0001调用,并且可能永远不会通过该条件。一个更好的选择可能是:
if (CurrentTime.TimeOfDay >= TimeSpan.Parse("9:32") && NewDayEvent != null)
这将在该时间过后触发不止一次,因此您可以添加一个标志来跟踪最后一个事件的处理日期。
或者,您也可以查看.NET 4.5中的ScheduleAction或此处的一些解决方案。