我可能会离开,或者非常接近。无论哪种方式,我现在是SOL。 :)
我希望能够使用扩展方法在类上设置属性,但是该类可能(或可能不)在非UI线程上更新,并从类强制执行更新到UI线程(实现INotifyPropertyChanged等)。
我的课程定义如下:
public class ClassToUpdate : UIObservableItem
{
private readonly Dispatcher mDispatcher = Dispatcher.CurrentDispatcher;
private Boolean mPropertyToUpdate = false;
public ClassToUpdate() : base()
{
}
public Dispatcher Dispatcher
{
get { return mDispatcher; }
}
public Boolean PropertyToUpdate
{
get { return mPropertyToUpdate; }
set { SetValue("PropertyToUpdate", ref mPropertyToUpdate, value; }
}
}
我有一个扩展方法类定义如下:
static class ExtensionMethods
{
public static IEnumerable<T> SetMyProperty<T>(this IEnumerable<T> sourceList,
Boolean newValue)
{
ClassToUpdate firstClass = sourceList.FirstOrDefault() as ClassToUpdate;
if (firstClass.Dispatcher.Thread.ManagedThreadId !=
System.Threading.Thread.CurrentThread.ManagedThreadId)
{
// WHAT GOES HERE?
}
else
{
foreach (var classToUpdate in sourceList)
{
(classToUpdate as ClassToUpdate ).PropertyToUpdate = newValue;
yield return classToUpdate;
}
}
}
}
显然,我正在寻找扩展方法中的“这里有什么”。
谢谢, WTS
答案 0 :(得分:1)
//这里有什么?
mDispatcher.Invoke(new Action(() => sourceList.SetMyProperty(newValue)));
作为旁注,如果您需要检查当前线程是否可以访问UI,则无需比较线程ID。您只需要调用CheckAccess
方法:
if (firstClass.Dispatcher.CheckAccess())
{
...
}
出于某种原因,这种方法隐藏在Intellisense中......不知道为什么
更新
好的,我的答案并不完全准确......你仍然需要yield return
集合中的每个项目,而Invoke不会这样做。这是您方法的另一个版本:
public static IEnumerable<T> SetMyProperty<T>(this IEnumerable<T> sourceList, bool newValue)
where T : ClassToUpdate
{
Action<T> setProperty = t => t.PropertyToUpdate = newValue;
foreach(var t in sourceList)
{
if (t.Dispatcher.CheckAccess())
{
action(t);
}
else
{
t.Dispatcher.Invoke(action, new object[] { t });
}
}
}
请注意,我在泛型类型参数上添加了一个constaint,并且我删除了强制转换(你的方式,泛型并没有带来任何好处)
答案 1 :(得分:0)
在上面的例子中,只是为了清理一些小错别字(希望不加我自己的错字),这是示例的最终解决方案。
public static IEnumerable<T> SetMyProperty<T>(this IEnumerable<T> sourceList,
bool newValue) where T : ClassToUpdate
{
Action<T> setProperty = t => t.PropertyToUpdate = newValue;
foreach(var t in sourceList)
{
if (t.Dispatcher.CheckAccess())
{
setProperty(t);
}
else
{
t.Dispatcher.Invoke(setProperty, new object[] { t });
}
yield return t;
}
}