在使用iTween中遇到的最多的问题恐怕就是回调函数没有被调用了。
在iTween内部使用的是Unity的SendMessage方法来实现它的三个回调函数:onStart, onUpdate和onComplete。当给一个GameObject添加iTween方法后,iTween会把这个GameObject相关的所有回调都丢给该GameObject。但是在实际的编码中,我们经常遇到这样的问题:调用iTween方法的GameObject并不是需要执行iTween的GameObject。
以一个例子为例:
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
|
using
UnityEngine
;
using
System
.
Collections
;
public
class
UnderstandingCallbacks
:
MonoBehaviour
{
public
GameObject
target
;
void
Start
(
)
{
iTween
.
ShakePosition
(
target
,
iTween
.
Hash
(
"x"
,
1
,
"onComplete"
,
ShakeComplete
)
)
;
}
void
ShakeComplete
(
)
{
Debug
.
Log
(
"The shake completed!"
)
;
}
}
|
这段代码在运行的时候会发现ShakeComplete方法并没有被调用。原因很简单,iTween把onComplete方法丢到了target GameObject上,而不是UnderstandingCallbacks所在的GameObject上。
有两种方法来解决这个问题:
1. 创建一个新的脚本,把它attach到target GameObject上,然后把ShadeComplete函数挪到这个新的脚本里。
2. 另一种更简单的方法,使用iTween的回调函数target modifiers
iTween的三个回调函数都还有一个额外的target modifier属性,用来告诉iTween在哪个GameObject上调用回调函数,这三个属性为:onStartTarget, onUpdateTarget和onCompleteTarget
下面是用这种方法修改过的例子:
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
|
using
UnityEngine
;
using
System
.
Collections
;
public
class
UnderstandingCallbacks
:
MonoBehaviour
{
public
GameObject
target
;
void
Start
(
)
{
iTween
.
ShakePosition
(
target
,
iTween
.
Hash
(
"x"
,
1
,
"onComplete"
,
"ShakeComplete"
,
"onCompleteTarget"
,
gameObject
)
)
;
}
void
ShakeComplete
(
)
{
Debug
.
Log
(
"The shake completed!"
)
;
}
}
|
比第一种方法要简单的多,不是吗?
翻译自 http://pixelplacement.com/2011/02/21/understanding-itween-callbacks/