给UICollectionView添加类似UITableView的索引

刚给UICollectionView写了个索引view,就像微信联系人右边的字母索引一样,封装成了个库,放在github上LXMCollectionIndexView;
这里记录一下其中遇到的问题:

首先说一点感受,因为之前一段敲的代码不多,这次写个控件敲起代码来居然有点磕磕绊绊,没有之前天天写业务代码时的流畅感,有点让我意外,果然敲代码敲的少了也会手生啊,所以不管其他工作有多忙,还是得花点时间来敲点代码~

基本思路是在CollectionView上面添加一个透明的IndexView,indexView的最右边是字母,用CALayer或者UILable画出来,重写hitTest方法让透明部分手势可以穿透过去,而字母的部分可以响应手势,手势开始以后,即使移动到透明部分,也继续响应手势。注意,这里必须是首先同字母区域识别出了touch事件再移动到透明区域才行,直接从透明区域开始的话,touch事件会穿透indexView,不应该被indexView识别。

1,贝塞尔曲线的画弧线的方法,一开始画出来的效果跟自己想象的不一样,然后从新看了一下文档,才发现绘制的方向跟数学上学的不一样,文档上画了一张图:

Figure 1: Angles in the default coordinate system

配合clockwise可以画出任意想要的弧度

2,用到一个iOS10以后才有的类,但工程本身是支持iOS9的,类的属性是不支持@available的,只有类或者计算属性可以声明@available,那怎么给类添加一个某个版本后才可用的属性呢?

在stackOverFlow上找到了个牛逼的方法:

    private var _impactFeedbackGenerator: Any? = nil

    @available(iOS 10.0, *)
    fileprivate var impactFeedbackGenerator: UIImpactFeedbackGenerator {

        if _impactFeedbackGenerator == nil {

            _impactFeedbackGenerator = UIImpactFeedbackGenerator()

        }

        return _impactFeedbackGenerator as! UIImpactFeedbackGenerator

    }

用计算属性和一个私有的以为为nil的变量来实现;

3,直接修改CALayer的属性,默认是有隐式动画的,可以用CATransaction的方法来关闭隐式动画,如:

    CATransaction.begin()

    CATransaction.setDisableActions(true)

    indicator.alpha = 1

    CATransaction.commit()

4,UICollectionView调用

open func cellForItem(at indexPath: IndexPath) -> UICollectionViewCell?
open func supplementaryView(forElementKind elementKind: String, at indexPath: IndexPath) -> UICollectionReusableView?
方法很可能会取到nil,但是相应的

open func layoutAttributesForItem(at indexPath: IndexPath) -> UICollectionViewLayoutAttributes?
open func layoutAttributesForSupplementaryElement(ofKind kind: String, at indexPath: IndexPath) -> UICollectionViewLayoutAttributes?
方法基本上都能取到值,所以可以用后面这两个方法类确定滑动位置之类的东西

5,touch事件的相关方法

- (void)touchesBegan:(NSSet *)touches withEvent:(nullable UIEvent *)event;

- (void)touchesMoved:(NSSet *)touches withEvent:(nullable UIEvent *)event;

- (void)touchesEnded:(NSSet *)touches withEvent:(nullable UIEvent *)event;

- (void)touchesCancelled:(NSSet *)touches withEvent:(nullable UIEvent *)event;

配合

- (nullable UIView *)hitTest:(CGPoint)point withEvent:(nullable UIEvent *)event;   // recursively calls -pointInside:withEvent:. point is in the receiver's coordinate system

- (BOOL)pointInside:(CGPoint)point withEvent:(nullable UIEvent *)event;   // default returns YES if point is in bounds

基本可以替代手势的API,效果和手势基本一样,可以酌情使用

你可能感兴趣的:(给UICollectionView添加类似UITableView的索引)