我需要启动我的resetTimer()在程序加载-这是如何做到的
本文关键字:加载 何做 程序 启动 我的 resetTimer | 更新日期: 2023-09-27 18:13:35
我正在学习一些WPF,并编写了这个小程序,读取Excel文件中的数据并在保存时更新UI。只有在第一次保存后,我的ResetTimer()函数才能工作。但是GetDisplayData()确实会加载数据,并且程序会在保存时更新数据。只有在第一次保存之前,计时器才会启动。
但是我希望计时器立即开始,以防在加载时Excel文件上没有保存事件。
我能做些什么来让它工作,似乎每当我尝试把它放在window_loaded或其他地方,我的程序循环或不加载数据。
谢谢你的帮助。
using System;
using System.Data;
using System.IO;
using System.Windows;
using System.Windows.Threading;
namespace WPFReadExcel
{
/// <summary>
/// Interaction logic for MainWindow.xaml
/// </summary>
public partial class MainWindow : Window
{
private const string ExcelPath = @"C:'";
private const string ExcelPathFile = @"C:'DataSource.xlsx";
DataTable _dashBoardData = new DataTable();
public MainWindow()
{
InitializeComponent();
}
protected void Window_Loaded(object sender, RoutedEventArgs e)
{
GetDisplayData();
StartFileSystemWatcher();
}
public void GetDisplayData()
{
var excelData = new ExcelData();
_dashBoardData = excelData.ReadExcelFile("Live", ExcelPathFile);
Dispatcher.BeginInvoke(DispatcherPriority.Normal, new Action(() =>
{
ExcelDataGrid.ItemsSource = _dashBoardData.AsDataView();
RefreshDateTime.Content = "Refresh at: " +
DateTime.Now.ToShortTimeString();
}
));
}
private void ResetDisplayData()
{
if (_dashBoardData != null) _dashBoardData.Dispose();
GetDisplayData();
ResetTimer();
}
private void ResetTimer()
{
while (true)
{
System.Threading.Thread.Sleep(20000);
ResetDisplayData();
}
}
private void StartFileSystemWatcher()
{
if (string.IsNullOrWhiteSpace(ExcelPath))
return;
FileSystemWatcher watcher = new FileSystemWatcher();
// set directory to watch
watcher.Path = ExcelPath;
// set what to watch for
watcher.NotifyFilter = NotifyFilters.LastWrite;
// set event handlers
watcher.Changed += new FileSystemEventHandler(watcher_Changed);
// start watching
watcher.EnableRaisingEvents = true;
}
private void watcher_Changed(object sender, FileSystemEventArgs e)
{
ResetDisplayData();
}
private void Label_Loaded(object sender, RoutedEventArgs e)
{
RefreshDateTime.Content = "Refresh at: " + DateTime.Now.ToShortTimeString();
}
}
}
Window.Loaded
事件是您想要做的正确位置:
protected void Window_Loaded(object sender, RoutedEventArgs e)
{
ResetTimer();
GetDisplayData();
StartFileSystemWatcher();
}
然而,似乎你没有在任何地方使用Timer
,所以你的问题和你的方法名称是不合适的。在WPF中,我们使用DispatcherTimer
类。首先,您需要初始化它,然后启动它:
private DispatcherTimer timer = new DispatcherTimer();
…
private void ResetTimer()
{
timer.Interval = TimeSpan.FromSeconds(20);
timer.Tick += Timer_Tick;
timer.Start();
}
private void Timer_Tick(object sender, EventArgs e)
{
ResetDisplayData();
}
作为你的信息,你真的不可能写出比这更糟糕的代码,因为它会阻塞你的UI,使你的应用程序无响应:
while (true)
{
System.Threading.Thread.Sleep(20000);
ResetDisplayData();
}