如果我有绑定到数据源属性的 XAML 元素并且数据源更改得更快,那么人眼可以看到我假设 UI 也可以更快地重新绘制,然后人眼可以看到并浪费资源。属性更改引发标志而不是触发 UI 的重绘,然后在属性发生更改时触发 UI 重绘的计时器是否是一个好主意?还是我错过了如何重新绘制 UI?
问问题
1291 次
3 回答
0
您可以使用引发属性更改事件的延迟调用,也许像这样......
public static class DispatcherExtensions
{
private static Dictionary<string, DispatcherTimer> timers =
new Dictionary<string, DispatcherTimer>();
private static readonly object syncRoot = new object();
public static void DelayInvoke(this Dispatcher dispatcher, string namedInvocation,
Action action, TimeSpan delay,
DispatcherPriority priority = DispatcherPriority.Normal)
{
lock (syncRoot)
{
RemoveTimer(namedInvocation);
var timer = new DispatcherTimer(delay, priority, (s, e) => action(), dispatcher);
timer.Start();
timers.Add(namedInvocation, timer);
}
}
public static void CancelNamedInvocation(this Dispatcher dispatcher, string namedInvocation)
{
lock (syncRoot)
{
RemoveTimer(namedInvocation);
}
}
private static void RemoveTimer(string namedInvocation)
{
if (!timers.ContainsKey(namedInvocation)) return;
timers[namedInvocation].Stop();
timers.Remove(namedInvocation);
}
}
然后
private object _property;
public object Property
{
get { return _property; }
set
{
if (_property != value)
{
_property = value;
Dispatcher.DelayInvoke("PropertyChanged_Property",(Action)(() =>
{
RaisePropertyChanged("Property");
}),TimeSpan.FromMilliseconds(500));
}
}
}
虽然不确定我喜欢它...
于 2012-07-09T10:00:55.837 回答
-1
这种情况下的典型模式是将您的属性实现为
private object _property;
public object Property
{
get { return _property; }
set
{
if (_property != value)
{
_property = value;
RaisePropertyChanged("Property");
}
}
}
仅当值更改时才会更新您的绑定
于 2012-07-09T06:58:43.157 回答
-1
在这种情况下,触发 UI 更新的计时器是可行的方法。要保持 UI 流畅,请使用大约 40 毫秒的计时器间隔。
public class ViewModel
{
private Timer updateTimer;
public ViewModel()
{
updateTimer = new Timer();
updateTimer.Interval = 40;
updateTimer.Elapsed +=new ElapsedEventHandler(updateTimer_Elapsed);
updateTimer.Start();
}
private object _property;
public object Property
{
get { return _property; }
set
{
if (_property != value)
{
_property = value;
}
}
}
void updateTimer_Elapsed(object sender, ElapsedEventArgs e)
{
RaisePropertyChanged();
}
}
不带参数调用RaisePropertyChanged()
会强制 UI 刷新所有绑定。如果您不希望这样,您可以使用标志或注册表来标记需要更新的属性。
于 2012-07-09T07:01:10.567 回答