在我的触摸开始方法我把这个简单的代码行淡化为背景颜色。
PreLinear
一切都运行正常,但问题是代码没有使用ios 7做任何事情。我想知道是否有另一种方法可以使背景淡入不同的颜色,或者是否有&#39 ; s是此代码的ios 7版本。
答案 0 :(得分:2)
有多种方法可以从一种颜色过渡到另一种颜色。最直接的方法之一是在两种颜色之间进行线性插值,方法是将起始颜色的RGB分量逐渐增大一部分,随着时间的推移逐渐减小结束颜色的RBG分量:
red = starting_red * (1.0 - fraction) + ending_red * fraction
green = starting_green * (1.0 - fraction) + ending_green* fraction
blue = starting_blue * (1.0 - fraction) + ending_blue * fraction
其中fraction
从0开始,以1的增量结束于
fraction += delta_time * step_size
实现此方法的一种方法是将代码添加到didMoveToView
的{{1}}方法中。但是,如果您的游戏包含多个场景,则更好的策略是扩展GameScene
以添加创建自定义操作的类方法,以便所有场景都可以使用它。
首先,定义一个结构来存储起始和结束RGB颜色分量。在SKAction
的定义之外添加此内容。
GameScene
然后,通过添加以下方法扩展struct ColorComponents {
var red:CGFloat
var green:CGFloat
var blue:CGFloat
init(color:SKColor) {
self.init()
var alpha:CGFloat = 0
color.getRed(&red, green: &green, blue: &blue, alpha: &alpha)
}
init() {
red = 0
green = 0
blue = 0
}
}
,将背景颜色更改为其他颜色。请注意,扩展必须在类之外定义。
SKAction
最后,创建并运行extension SKAction {
static func changeColor(startColor:SKColor, endColor:SKColor, duration:NSTimeInterval) -> SKAction {
// Extract and store starting and ending colors' RGB components
let start = ColorComponents(color: startColor)
let end = ColorComponents(color: endColor)
// Compute the step size
let stepSize = CGFloat(1/duration)
// Define a custom class to gradually change a scene's background color
let change = SKAction.customActionWithDuration(duration) {
node, time in
let fraction = time * stepSize
let red = start.red * (1.0 - fraction) + end.red * fraction
let green = start.green * (1.0 - fraction) + end.green * fraction
let blue = start.blue * (1.0 - fraction) + end.blue * fraction
if let scene = node as? SKScene {
scene.backgroundColor = SKColor(red: red, green: green, blue: blue, alpha: 1.0)
}
}
return change
}
}
SKAction
将此添加到runAction(SKAction.changeColor(backgroundColor, endColor: SKColor.blueColor(), duration: 5))
子类中的didMoveToView
,例如SKScene
。