I ran into a memory issue that I don't understand why this could happen. For me, It seems like ARC doesn't guarantee thread-safety.
Let see the code below
@propertyWrapper
public struct AtomicCollection<T> {
    private var value: [T]
    private var lock = NSLock()
    
    public var wrappedValue: [T] {
        set {
            lock.lock()
            defer { lock.unlock() }
            value = newValue
        }
        get {
            lock.lock()
            defer { lock.unlock() }
            return value
        }
    }
    
    public init(wrappedValue: [T]) {
        self.value = wrappedValue
    }
}
final class CollectionTest: XCTestCase {
    func testExample() throws {
        let rounds = 10000
        let exp = expectation(description: "test")
        exp.expectedFulfillmentCount = rounds
        
        @AtomicCollection var array: [Int] = []
        for i in 0..<rounds {
            DispatchQueue.global().async {
                array.append(i)
                exp.fulfill()
            }
        }
        
        wait(for: [exp])
    }
}
It will crash for various reasons (see screenshots below)
I know that the test doesn't reflect typical application usage. My app is quite different from traditional app so the code above is just the simplest form for proof of the issue.
One more thing to mention here is that array.count won't be equal to 10,000 as expected (probably because of copy-on-write snapshot)
So my questions are
- Is this a bug/undefined behavior/expected behavior of Swift/Obj-c ARC?
- Why this could happen?
- Any solutions suggest?
- How do you usually deal with thread-safe collection (array, dict, set)?