主线程上 HTML 中的 NSAttributedString 的行为就像多线程

问题描述 投票:0回答:1

我正在主线程上将一些 HTML 转换为

NSAttributedString
(Apple 告诉您的方式)。这需要一些时间,然后继续执行块的其余部分。

现在,如果另一个块也排队在 main 线程中运行(例如,在从 HTTP 请求获得响应之后),我希望它在 after 一切都完成后运行,但这不是发生的情况:它们并行运行,就好像它们在不同的线程上一样。我确实在各处都放置了断言,确保它位于主线程上。

我做了一个实验“单视图应用程序”项目来测试这一点,其中包含一个非常长的 html 字符串(如

<p>lorem</p> ipsum <b>dolor</b> <i><u>sit</u> amet</i>
)和一个具有以下代码的视图控制器:

import UIKit

class ViewController: UIViewController {

    override func viewDidLoad() {
        super.viewDidLoad()

        dispatchStuff()
        for _ in 0..<10 {
            // slowOperation()
            parseHTML()
        }
    }

    func dispatchStuff() {
        for i in 0..<10 {
            let wait = Double(i) * 0.2
            DispatchQueue.main.asyncAfter(deadline: .now() + wait) {
                assert(Thread.isMainThread, "not main thread!")
                print("🔶 dispatched after \(wait) seconds")
            }
        }
    }

    // just loads a big lorem ipsum full of html tags
    let html: String = {
        let filepath = Bundle.main.path(forResource: "test", ofType: "txt")!
        return try! String(contentsOfFile: filepath)
    }()

    var n = 0
    func slowOperation() {
        n += 1
        assert(Thread.isMainThread, "not main thread!")
        print("slowOperation \(n) START")
        var x = [0]
        for i in 0..<10000 {
            x.removeAll()
            for j in 0..<i {
                x.append(j)
            }
        }
        print("slowOperation \(n) END")
        print("")
    }

    var m = 0
    func parseHTML() {
        m += 1
        assert(Thread.isMainThread, "not main thread!")
        print("parseHTML \(m) START")
        let options = [NSAttributedString.DocumentReadingOptionKey.documentType: NSAttributedString.DocumentType.html]
        let attrString = try! NSAttributedString(data: Data(html.utf8), options: options, documentAttributes: nil)
        print("parseHTML \(m) END")
        print("")
    }
}

如果运行它,控制台如下所示:

parseHTML() uncommented

...全部混合在一起,这就是(对我来说)令人惊讶的行为。

但是,如果在

viewDidLoad()
中对
parseHTML()
的调用进行注释并取消注释
slowOperation()
,您将得到类似这样的内容:

slowOperation() uncommented

...这正是我所期望的。那么,这里发生了什么?我对线程如何工作的理解严重错误吗?

html swift multithreading concurrency nsattributedstring
1个回答
12
投票

我原来的怀疑是正确的。

NSAttributedString init(data:options:documentAttributes:)
的实现会调用
CFRunLoopRun()
。这样做允许队列(在本例中为主队列)上的其他排队块/闭包运行。

这就是为什么您在主队列上看到看似异步输出的原因。

我将您的代码放入一个简单的命令行应用程序中,并在

print
中的
dispatchStuff
上设置断点。堆栈跟踪显示,在调用
NSAttributedString init
期间,存在对
_CGRunLoopRun
的内部调用,这会导致从
dispatchStuff
调用排队的闭包之一。

enter image description here

© www.soinside.com 2019 - 2024. All rights reserved.