通过方法访问时,对象未持有实例
本文关键字:实例 对象 方法 访问 | 更新日期: 2023-09-27 18:25:37
我创建了一个模型类"RestaurantList",它用json文件中的数据填充两个集合。在将对象实例化到ViewModel中的类之后,我将集合数据绑定到ItemsControl。
上面的一切都很好,但当我从ViewModel中的对象调用方法populatePartialList时,它不包含我实例化对象时的任何数据。这意味着,当我的方法试图重新填充PartialList时,它不能,因为它没有从FullList中找到数据。
编辑:我省略了一些代码,正如您在注释标签中看到的那样。我只是想让你了解我是如何做到这一点的。
我的基本问题是,当我调用方法populatePartialList时,为什么对象不包含任何数据。
我想这与事实有关,我正在将List数据绑定到ItemsControl,因此无法再访问它?那么在这种情况下该怎么办呢?我正在尝试制作一个非常简单的分页
编辑到上面;我尝试删除绑定,但仍然无法访问数据。
型号:
public class RestaurentList
{
private ObservableCollection<Restaurent> _fullList = new ObservableCollection<Restaurent>();
private ObservableCollection<Restaurent> _partialList = new ObservableCollection<Restaurent>();
public ObservableCollection<Restaurent> FullList
{
get { return _fullList; }
}
public ObservableCollection<Restaurent> PartialList
{
get { return _partialList; }
}
public RestaurentList()
{
populateList();
}
public void populatePartialList(int fromValue = 1)
{
int collectionAmount = _fullList.Count;
int itemsToShow = 2;
fromValue = (fromValue > collectionAmount ? 1 : fromValue);
foreach (Restaurent currentRestaurent in _fullList)
{
int currentId = Convert.ToInt32(currentRestaurent.UniqueId);
if (currentId == fromValue || (currentId > fromValue && currentId <= (fromValue + itemsToShow)-1))
{
_partialList.Add(currentRestaurent);
}
}
}
private async void populateList()
{
// Get json data
foreach (JsonValue restaurentValue in jsonArray)
{
// populate full list
foreach (JsonValue menuValue in restaurentObject["Menu"].GetArray())
{
// populate full list
}
this._fullList.Add(restaurent);
}
populatePartialList();
}
public override string ToString()
{
// Code
}
}
视图模型:
class ViewModelDefault : INotifyPropertyChanged
{
private RestaurentList _list;
public ObservableCollection<Restaurent> List
{
get { return _list.PartialList; }
}
public ViewModelDefault()
{
_list = new RestaurentList();
_list.populatePartialList(2); // This is where i don't see the data from RestaurentList
}
#region Notify
}
Jon:编辑
public RestaurentList()
{
PopulatePartialList();
}
public async void PopulatePartialList(int fromValue = 1)
{
await PopulateList();
int collectionAmount = _fullList.Count;
int itemsToShow = 2;
fromValue = (fromValue > collectionAmount ? 1 : fromValue);
foreach (Restaurent currentRestaurent in _fullList)
{
int currentId = Convert.ToInt32(currentRestaurent.UniqueId);
if (currentId == fromValue || (currentId > fromValue && currentId <= (fromValue + itemsToShow)-1))
{
_partialList.Add(currentRestaurent);
}
}
}
private async Task PopulateList()
{
}
在调用populatePartialList
:之前查看代码行
_list = new RestaurentList();
您已经创建了RestaurentList
的新实例。这将调用populateList()
,但而不是等待它完成。假设populateList
的实际实现包含await
操作,这意味着对populatePartialList(2)
的调用几乎肯定会在数据准备好之前发生。
您需要考虑异步在这里是如何工作的,以及希望如何工作。请注意,虽然不能有异步构造函数,但可以有一个异步静态方法。。。这对于CCD_ 7和CCD_。