Как создать подкласс NSOperation в Swift, чтобы поставить в очередь объекты SKAction для последовательного выполнения?

обкрадывать предоставленаотличное решение Objective-C для создания подклассов NSOperation для создания механизма последовательной очереди объектов SKAction. Я успешно реализовал это в своем собственном проекте Swift.

import SpriteKit

class ActionOperation : NSOperation
{
    let _node: SKNode // The sprite node on which an action is to be performed
    let _action: SKAction // The action to perform on the sprite node
    var _finished = false // Our read-write mirror of the super's read-only finished property
    var _executing = false // Our read-write mirror of the super's read-only executing property

    /// Override read-only superclass property as read-write.
    override var executing: Bool {
        get { return _executing }
        set {
            willChangeValueForKey("isExecuting")
            _executing = newValue
            didChangeValueForKey("isExecuting")
        }
    }

    /// Override read-only superclass property as read-write.
    override var finished: Bool {
        get { return _finished }
        set {
            willChangeValueForKey("isFinished")
            _finished = newValue
            didChangeValueForKey("isFinished")
        }
    }

    /// Save off node and associated action for when it's time to run the action via start().
    init(node: SKNode, action: SKAction) {

    // This is equiv to ObjC:
    // - (instancetype)initWithNode(SKNode *)node (SKAction *)action
    // See "Exposing Swift Interfaces in Objective-C" at https://developer.apple.com/library/mac/documentation/Swift/Conceptual/BuildingCocoaApps/InteractingWithObjective-CAPIs.html#//apple_ref/doc/uid/TP40014216-CH4-XID_35

        _node = node
        _action = action
        super.init()
    }

    /// Add the node action to the main operation queue.
    override func start()
    {
        if cancelled {
            finished = true
            return
        }

        executing = true

        NSOperationQueue.mainQueue().addOperationWithBlock {
            self._node.runAction(self._action) {
                self.executing = false
                self.finished = true
            }
        }
    }
}

Чтобы использовать ActionOperation, создайте экземпляр члена класса NSOperationQueue в своем клиентском классе:

var operationQueue = NSOperationQueue()

Добавьте эту важную строку в ваш метод init:

operationQueue.maxConcurrentOperationCount = 1; // disallow follow actions from overlapping one another

И тогда, когда вы будете готовы добавить SKActions к нему так, чтобы они запускались последовательно:

operationQueue.addOperation(ActionOperation(node: mySKNode, action: mySKAction))

Если вам нужно прекратить действия в любой момент:

operationQueue.cancelAllOperations() // this renders the queue unusable; you will need to recreate it if needing to queue anymore actions

Надеюсь, это поможет!

Ответы на вопрос(3)

Ваш ответ на вопрос