有没有办法在Swift中锁定对象,就像在C#中一样

时间:2015-04-22 16:19:58

标签: swift multithreading

我有以下代码:

func foo() {
    var sum = 0
    var pendingElements = 10

    for i in 0 ..< 10 {
        proccessElementAsync(i) { value in
            sum += value
            pendingElements--

            if pendingElements == 0 {
                println(sum)
            }
        }
    }
}

在这种情况下,函数proccessElementAsync,如其名称所示,以异步方式处理其输入参数,当它完成时,调用其相应的完成处理程序。

这种方法的不便之处在于,由于变量pendingElements是通过多个线程访问的,因此语句if pendingElements == 0可能永远不会为true。

在C#中我们可以做类似的事情:

Object lockObject = new Object();
...

lock (lockObject) {
    pendingElements--;

    if (pendingElements == 0) {
        Console.WriteLine(sum);
    }
}

这确保了只能为一个线程同时访问此变量。有没有办法在Swift中获得相同的行为?

2 个答案:

答案 0 :(得分:15)

希望这会对你有所帮助。

func lock(obj: AnyObject, blk:() -> ()) {
    objc_sync_enter(obj)
    blk()
    objc_sync_exit(obj)
}

var pendingElements = 10

func foo() {
    var sum = 0
    var pendingElements = 10

    for i in 0 ..< 10 {
        proccessElementAsync(i) { value in

            lock(pendingElements) {
                sum += value
                pendingElements--

                if pendingElements == 0 {
                    println(sum)
                }
            }

        }
    }
}

答案 1 :(得分:4)

没有本机锁定工具,但有一些解决方法,如本SO问题中所述:

What is the Swift equivalent to Objective-C's "@synchronized"?

使用其中一个答案,您可以创建一个功能:

    func synchronize(lockObj: AnyObject!, closure: ()->()){
        objc_sync_enter(lockObj)
        closure()
        objc_sync_exit(lockObj)
    }

然后:

     func foo() {
        var sum = 0
        var pendingElements = 10

        for i in 0 ..< 10 {
            processElementAsync(i) { value in

                synchronize(pendingElements) {
                    sum += value
                    pendingElements--

                    if pendingElements == 0 {
                        println(sum)
                    }
                }

            }
        }
    }