我怎能等到等完了才继续
本文关键字:继续 | 更新日期: 2023-09-27 18:12:55
我有两个方法:
private async Task<GeoCoordinate> CenterMapOnMyLocation()
{
Geolocator myGeolocator = new Geolocator();
Geoposition myGeoposition = await myGeolocator.GetGeopositionAsync();
Geocoordinate myGeocoordinate = myGeoposition.Coordinate;
GeoCoordinate myGeoCoordinate =
ConvertGeocoordinate(myGeocoordinate);
MapCenter = myGeoCoordinate;
if (MyLocation.Latitude == 0 && MyLocation.Longitude == 0)
{
MyLocation = MapCenter;
}
return myGeoCoordinate;
}
和
private void GetClosestLocations(GeoCoordinate myLocation)
{
var locations = new ObservableCollection<PushPinModel>
{
new PushPinModel
{
Location = new GeoCoordinate(51.569593, 10.103504),
LocationName = "1"
},
new PushPinModel
{
Location = new GeoCoordinate(-45.569593, 1.103504),
LocationName = "2"
},
new PushPinModel
{
Location = new GeoCoordinate(0, 0),
LocationName = "3"
}
};
foreach (var location in locations)
{
location.DistanceToMyLocation = HaversineDistance(myLocation, location.Location);
}
Treks = new ObservableCollection<PushPinModel>(locations.OrderBy(l => l.DistanceToMyLocation).Take(2).ToList());
}
在构造函数中我有这样的东西:
public NearbyControlViewModel()
{
var test = CenterMapOnMyLocation();
GetClosestLocations(test);
}
现在,我的问题是,当第二个方法在构造函数中调用时,"test"变量尚未初始化…因为它是异步的。我要做的是等待它初始化然后调用第二个方法。如果我从异步方法调用我的第二个方法,我会得到一个异常:InvalidOperationException - Collection处于不可写模式。Treks值被绑定到一个MapItemsControl。所以我猜问题是关于线程的。
您需要使用异步初始化。我在我的async
建设博客文章中给出了一些不同的解决方案。
如果不是构造函数:
public async Task SomeMethod()
{
var test = await CenterMapOnMyLocation();
GetClosestLocations(test);
}
但是-构造函数?也许只是不要那样做。试图在构造函数中等待可能是致命的——尤其是在一些同步上下文中——可能会立即死锁。
考虑在构造函数之后开始
可以在调用GetClosestLocation之前添加一个test.Wait();
;毕竟,你正在从CenterMapOnMyLocation获得一个任务。(编辑:但事实上,马克是对的,在那里等待是邪恶的。您可能应该重构以在构造函数之外调用异步代码。)