CATransaction是 Core Animation 中的事务类,在iOS中的图层中,图层的每个改变都是事务的一部分,CATransaction可以对多个layer的属性同时进行修改,同时负责成批的把多个图层树的修改作为一个原子更新到渲染树。
/* CoreAnimation - CATransaction.h
Copyright (c) 2006-2016, Apple Inc.
All rights reserved. */`
/* Transactions are CoreAnimation's mechanism for batching multiple layer-
* tree operations into atomic updates to the render tree. Every
* modification to the layer tree requires a transaction to be part of.
*
* CoreAnimation supports two kinds of transactions, "explicit" transactions
* and "implicit" transactions.
*
* Explicit transactions are where the programmer calls `[CATransaction
* begin]' before modifying the layer tree, and `[CATransaction commit]'
* afterwards.
*
* Implicit transactions are created automatically by CoreAnimation when the
* layer tree is modified by a thread without an active transaction.
* They are committed automatically when the thread's run-loop next
* iterates. In some circumstances (i.e. no run-loop, or the run-loop
* is blocked) it may be necessary to use explicit transactions to get
* timely render tree updates. */
@available(iOS 2.0, *)
open class CATransaction : NSObject
CATransaction事务类分为隐式事务和显式事务,注意以下两组概念的区分:
1.隐式动画和隐式事务:
隐式动画通过隐式事务实现动画 。
2.显式动画和显式事务:
显式动画有多种实现方式,显式事务是一种实现显式动画的方式。
一、隐式事务
除显式事务外,任何对于CALayer属性的修改,都是隐式事务.这样的事务会在run-loop中被提交.
当图层树被没有获得事务的线程修改的时候将会自动创建隐式事务,当线程的运行循环(run-loop)执行下次迭代的时候将会自动提交事务。 但是,当在同一个运行循环(runloop)的线程修改图层的属性时,你必须使用显式事务。以下皆是隐式事务。
override func viewDidLoad() {
super.viewDidLoad()
// Do any additional setup after loading the view, typically from a nib.
layer = CALayer()
layer.bounds = CGRect(x: 0, y: 0, width: 100, height: 100)
layer.position = CGPoint.init(x: 150, y: 100)
layer.backgroundColor = UIColor.red.cgColor
layer.borderColor = UIColor.black.cgColor
layer.opacity = 1.0
self.view.layer.addSublayer(layer)
}
可以通过下面的方法查看动画的效果,前提是让动画效果出来:
override func touchesBegan(_ touches: Set, with event: UIEvent?) {
super.touchesBegan(touches, with: event)
// 设置变化动画过程是否显示,默认为true不显示
CATransaction.setDisableActions(false)
// 设置圆角
layer.cornerRadius = (layer.cornerRadius == 0.0) ? 30.0 : 0.0
// 设置透明度
layer.opacity = (layer.opacity == 1.0) ? 0.5 : 1.0
}
二、显式事务
在你修改图层树之前,可以通过给 CATransaction 类发送一个 begin 消息来创建一个显式事务,修改完成之后发送 comit 消息。显式事务在同时设置多个图层的属性的时候(例如当布局多个图层的时候),暂时的禁用图层的行为,或者暂时修改动画的时间的时候非常有用 。
override func touchesBegan(_ touches: Set, with event: UIEvent?) {
super.touchesBegan(touches, with: event)
// 开启事务
CATransaction.begin()
// 显式事务默认开启动画效果,kCFBooleanTrue关闭
CATransaction.setValue(kCFBooleanFalse, forKey: kCATransactionDisableActions)
// 动画执行时间
CATransaction.setValue(5.0, forKey: kCATransactionAnimationDuration)
layer.cornerRadius = (layer.cornerRadius == 0.0) ? 30.0 : 0.0
layer.opacity = (layer.opacity == 1.0) ? 0.5 : 1.0
// 提交事务
CATransaction.commit()
}