更新:解决了!请参阅下面的答案以获得解决方案。
我的应用在UICollectionView中显示了许多图像。当新项目插入太快而集合视图无法处理时,我目前遇到insertItemsAtIndexPaths问题。以下是例外情况:
NSInternalInconsistencyException原因:更新动画太多 在一个视图上 - 一次飞行限制为31
原来这是由于我的模型缓冲了多达20个新图像并立即将它们推送到数据源但不在集合视图批量更新块中。没有批量更新不是由于我的懒惰,而是因为我的数据源之间的抽象层实际上是.Net Observable集合(下面的代码)。
我想知道的是开发人员如何防止在飞行中达到31个动画的硬编码限制?我的意思是,当它发生时,你是敬酒。那么Apple的想法是什么?
Monotouch开发人员阅读代码的注意事项:
崩溃实际上是由UICollectionViewDataSourceFlatReadOnly压倒UIDataBoundCollectionView并使用CollectionChanged事件引起的,它代表底层的observable集合代理控件。这导致集合视图受到非批量 InsertItems 调用的影响。 (是保罗,它是一个ReactiveCollection)。
UIDataBoundCollectionView
/// <summary>
/// UITableView subclass that supports automatic updating in response
/// to DataSource changes if the DataSource supports INotifiyCollectionChanged
/// </summary>
[Register("UIDataBoundCollectionView")]
public class UIDataBoundCollectionView : UICollectionView,
IEnableLogger
{
public override NSObject WeakDataSource
{
get
{
return base.WeakDataSource;
}
set
{
var ncc = base.WeakDataSource as INotifyCollectionChanged;
if(ncc != null)
{
ncc.CollectionChanged -= OnDataSourceCollectionChanged;
}
base.WeakDataSource = value;
ncc = base.WeakDataSource as INotifyCollectionChanged;
if(ncc != null)
{
ncc.CollectionChanged += OnDataSourceCollectionChanged;
}
}
}
void OnDataSourceCollectionChanged(object sender, NotifyCollectionChangedEventArgs e)
{
NSIndexPath[] indexPaths;
switch(e.Action)
{
case NotifyCollectionChangedAction.Add:
indexPaths = IndexPathHelper.FromRange(e.NewStartingIndex, e.NewItems.Count);
InsertItems(indexPaths);
break;
case NotifyCollectionChangedAction.Remove:
indexPaths = IndexPathHelper.FromRange(e.OldStartingIndex, e.OldItems.Count);
DeleteItems(indexPaths);
break;
case NotifyCollectionChangedAction.Replace:
case NotifyCollectionChangedAction.Move:
PerformBatchUpdates(() =>
{
for(int i=0; i<e.OldItems.Count; i++)
MoveItem(NSIndexPath.FromItemSection(e.OldStartingIndex + i, 0), NSIndexPath.FromItemSection(e.NewStartingIndex + i, 0));
}, null);
break;
case NotifyCollectionChangedAction.Reset:
ReloadData();
break;
}
}
}
UICollectionViewDataSourceFlatReadOnly
/// <summary>
/// Binds a table to an flat (non-grouped) items collection
/// Supports dynamically changing collections through INotifyCollectionChanged
/// </summary>
public class UICollectionViewDataSourceFlatReadOnly : UICollectionViewDataSource,
ICollectionViewDataSource,
INotifyCollectionChanged
{
/// <summary>
/// Initializes a new instance of the <see cref="UICollectionViewDataSourceFlat"/> class.
/// </summary>
/// <param name="table">The table.</param>
/// <param name="items">The items.</param>
/// <param name="cellProvider">The cell provider</param>
public UICollectionViewDataSourceFlatReadOnly(IReadOnlyList<object> items, ICollectionViewCellProvider cellProvider)
{
this.items = items;
this.cellProvider = cellProvider;
// wire up proxying collection changes if supported by source
var ncc = items as INotifyCollectionChanged;
if(ncc != null)
{
// wire event handler
ncc.CollectionChanged += OnItemsChanged;
}
}
#region Properties
private IReadOnlyList<object> items;
private readonly ICollectionViewCellProvider cellProvider;
#endregion
#region Overrides of UICollectionViewDataSource
public override int NumberOfSections(UICollectionView collectionView)
{
return 1;
}
public override int GetItemsCount(UICollectionView collectionView, int section)
{
return items.Count;
}
/// <summary>
/// Gets the cell.
/// </summary>
/// <param name="tableView">The table view.</param>
/// <param name="indexPath">The index path.</param>
/// <returns></returns>
public override UICollectionViewCell GetCell(UICollectionView collectionView, NSIndexPath indexPath)
{
// reuse or create new cell
var cell = (UICollectionViewCell) collectionView.DequeueReusableCell(cellProvider.Identifier, indexPath);
// get the associated collection item
var item = GetItemAt(indexPath);
// update the cell
if(item != null)
cellProvider.UpdateCell(cell, item, collectionView.GetIndexPathsForSelectedItems().Contains(indexPath));
// done
return cell;
}
#endregion
#region Implementation of ICollectionViewDataSource
/// <summary>
/// Gets the item at.
/// </summary>
/// <param name="indexPath">The index path.</param>
/// <returns></returns>
public object GetItemAt(NSIndexPath indexPath)
{
return items[indexPath.Item];
}
public int ItemCount
{
get
{
return items.Count;
}
}
#endregion
#region INotifyCollectionChanged implementation
// UIDataBoundCollectionView will subscribe to this event
public event NotifyCollectionChangedEventHandler CollectionChanged;
#endregion
void OnItemsChanged(object sender, NotifyCollectionChangedEventArgs e)
{
if(CollectionChanged != null)
CollectionChanged(sender, e);
}
}
答案 0 :(得分:3)
酷!最新版本的RxUI具有与UITableView ReactiveTableViewSource类似的类。我对NSInternalInconsistencyException
:
答案 1 :(得分:2)
更新:在我写完这个答案差不多一年之后,我强烈建议使用ReactiveUI CollectionView / TableView绑定功能mentioned by Paul Betts。现在处于一个更加成熟的状态。
<小时/> 事实证明,解决方案比预期的要困难一些。由于RX,在UICollectionViewDataSourceFlatReadOnly中很容易解决每个项目插入或删除的速率限制。下一步涉及在UIDataBoundCollectionView中将这些更改一起批处理。 PerformBatchUpdate在这里没有帮助,但发出一个InsertItems调用所有插入的IndexPaths确实解决了这个问题。
由于UICollectionView验证其内部一致性的方式(即它在每个InsertItem或DeleteItems之后调用GetItemsCount等),我不得不将ItemCount管理移交给UIDataBoundCollectionView(那个很难吞下但是没有选择)
顺便说一下,表现非常出色。
以下是感兴趣的人的更新资料来源:
<强> ICollectionViewDataSource 强>
public interface ICollectionViewDataSource
{
/// <summary>
/// Gets the bound item at the specified index
/// </summary>
/// <param name="indexPath">The index path.</param>
/// <returns></returns>
object GetItemAt(NSIndexPath indexPath);
/// <summary>
/// Gets the actual item count.
/// </summary>
/// <value>The item count.</value>
int ActualItemCount { get; }
/// <summary>
/// Gets or sets the item count reported to UIKit
/// </summary>
/// <value>The item count.</value>
int ItemCount { get; set; }
/// <summary>
/// Observable providing change monitoring
/// </summary>
/// <value>The collection changed observable.</value>
IObservable<NotifyCollectionChangedEventArgs[]> CollectionChangedObservable { get; }
}
UIDataBoundCollectionView
[Register("UIDataBoundCollectionView")]
public class UIDataBoundCollectionView : UICollectionView,
IEnableLogger
{
public UIDataBoundCollectionView (NSObjectFlag t) : base(t)
{
}
public UIDataBoundCollectionView (IntPtr handle) : base(handle)
{
}
public UIDataBoundCollectionView (RectangleF frame, UICollectionViewLayout layout) : base(frame, layout)
{
}
public UIDataBoundCollectionView (NSCoder coder) : base(coder)
{
}
protected override void Dispose(bool disposing)
{
base.Dispose(disposing);
if(collectionChangedSubscription != null)
{
collectionChangedSubscription.Dispose();
collectionChangedSubscription = null;
}
}
IDisposable collectionChangedSubscription;
public override NSObject WeakDataSource
{
get
{
return base.WeakDataSource;
}
set
{
if(collectionChangedSubscription != null)
{
collectionChangedSubscription.Dispose();
collectionChangedSubscription = null;
}
base.WeakDataSource = value;
collectionChangedSubscription = ICVS.CollectionChangedObservable
.Subscribe(OnDataSourceCollectionChanged);
}
}
ICollectionViewDataSource ICVS
{
get { return (ICollectionViewDataSource) WeakDataSource; }
}
void OnDataSourceCollectionChanged(NotifyCollectionChangedEventArgs[] changes)
{
List<NSIndexPath> indexPaths = new List<NSIndexPath>();
int index = 0;
for(;index<changes.Length;index++)
{
var e = changes[index];
switch(e.Action)
{
case NotifyCollectionChangedAction.Add:
indexPaths.AddRange(IndexPathHelper.FromRange(e.NewStartingIndex, e.NewItems.Count));
ICVS.ItemCount++;
// attempt to batch subsequent changes of the same type
if(index < changes.Length - 1)
{
for(int i=index + 1; i<changes.Length; i++)
{
if(changes[i].Action == e.Action)
{
indexPaths.AddRange(IndexPathHelper.FromRange(changes[i].NewStartingIndex, changes[i].NewItems.Count));
index++;
ICVS.ItemCount++;
}
}
}
InsertItems(indexPaths.ToArray());
indexPaths.Clear();
break;
case NotifyCollectionChangedAction.Remove:
indexPaths.AddRange(IndexPathHelper.FromRange(e.OldStartingIndex, e.OldItems.Count));
ICVS.ItemCount--;
// attempt to batch subsequent changes of the same type
if(index < changes.Length - 1)
{
for(int i=index + 1; i<changes.Length; i++)
{
if(changes[i].Action == e.Action)
{
indexPaths.AddRange(IndexPathHelper.FromRange(changes[i].OldStartingIndex, changes[i].OldItems.Count));
index++;
ICVS.ItemCount--;
}
}
}
DeleteItems(indexPaths.ToArray());
indexPaths.Clear();
break;
case NotifyCollectionChangedAction.Replace:
case NotifyCollectionChangedAction.Move:
PerformBatchUpdates(() =>
{
for(int i=0; i<e.OldItems.Count; i++)
MoveItem(NSIndexPath.FromItemSection(e.OldStartingIndex + i, 0), NSIndexPath.FromItemSection(e.NewStartingIndex + i, 0));
}, null);
break;
case NotifyCollectionChangedAction.Reset:
ICVS.ItemCount = ICVS.ActualItemCount;
ReloadData();
break;
}
}
}
}
<强> UICollectionViewDataSourceFlatReadOnly 强>
public class UICollectionViewDataSourceFlatReadOnly : UICollectionViewDataSource,
ICollectionViewDataSource
{
/// <summary>
/// Initializes a new instance of the <see cref="UICollectionViewDataSourceFlat"/> class.
/// </summary>
/// <param name="table">The table.</param>
/// <param name="items">The items.</param>
/// <param name="cellProvider">The cell provider</param>
public UICollectionViewDataSourceFlatReadOnly(IReadOnlyList<object> items, ICollectionViewCellProvider cellProvider)
{
this.items = items;
this.cellProvider = cellProvider;
// wire up proxying collection changes if supported by source
var ncc = items as INotifyCollectionChanged;
if(ncc != null)
{
collectionChangedObservable = Observable.FromEventPattern<NotifyCollectionChangedEventHandler, NotifyCollectionChangedEventArgs>(
h => ncc.CollectionChanged += h, h => ncc.CollectionChanged -= h)
.SubscribeOn(TaskPoolScheduler.Default)
.Select(x => x.EventArgs)
.Buffer(TimeSpan.FromMilliseconds(100), 20)
.Where(x => x.Count > 0)
.Select(x => x.ToArray())
.ObserveOn(RxApp.MainThreadScheduler)
.StartWith(new[] { reset}); // ensure initial update
}
else
collectionChangedObservable = Observable.Return(reset);
}
#region Properties
private IReadOnlyList<object> items;
private readonly ICollectionViewCellProvider cellProvider;
IObservable<NotifyCollectionChangedEventArgs[]> collectionChangedObservable;
static readonly NotifyCollectionChangedEventArgs[] reset = new[] { new NotifyCollectionChangedEventArgs(NotifyCollectionChangedAction.Reset) };
#endregion
#region Overrides of UICollectionViewDataSource
public override int NumberOfSections(UICollectionView collectionView)
{
return 1;
}
public override int GetItemsCount(UICollectionView collectionView, int section)
{
return ItemCount;
}
/// <summary>
/// Gets the cell.
/// </summary>
/// <param name="tableView">The table view.</param>
/// <param name="indexPath">The index path.</param>
/// <returns></returns>
public override UICollectionViewCell GetCell(UICollectionView collectionView, NSIndexPath indexPath)
{
// reuse or create new cell
var cell = (UICollectionViewCell) collectionView.DequeueReusableCell(cellProvider.Identifier, indexPath);
// get the associated collection item
var item = GetItemAt(indexPath);
// update the cell
if(item != null)
cellProvider.UpdateCell(cell, item, collectionView.GetIndexPathsForSelectedItems().Contains(indexPath));
// done
return cell;
}
#endregion
#region Implementation of ICollectionViewDataSource
/// <summary>
/// Gets the item at.
/// </summary>
/// <param name="indexPath">The index path.</param>
/// <returns></returns>
public object GetItemAt(NSIndexPath indexPath)
{
return items[indexPath.Item];
}
public int ActualItemCount
{
get
{
return items.Count;
}
}
public int ItemCount { get; set; }
public IObservable<NotifyCollectionChangedEventArgs[]> CollectionChangedObservable
{
get
{
return collectionChangedObservable;
}
}
#endregion
}