Post

WCDB卡顿

多线程读取值过程中,一方在删,一方在使用过程中导致崩溃的问题 clear-readUid-loop-setid-judge-close-use

线上遇到一个崩溃率飙升的案例,但是用户也没怎么反馈,后续查到原因是多线程操作wcdb,一边在清理关闭,一边在使用,使用了关闭后的实例后导致崩溃

伪代码如下:

1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
class Helper {
    var currentUsingUid: Int64?
    func useDb() {
        currentUsingUid = xxx
        getDBWoker(xxx).db.getObject(xxxxx)
    }
    func clearUnUseDb() {
        // 该方法在有内存压力、App进入后台、db实例过多时触发
        // 由于这里获取的id是值类型,获取后其他线程修改了这里获取到的值也不会改变
        let isUsingUid: Int64 = currentUsingUid ?? 0
        var keepDbWorkerList = []
        for dbWorker in dbWorkerList {
            // 由于isUsingUid是值类型,在获取后值就固定了,在其他线程里修改后,此后用于判断的就不准确了
            // 会出现前面获取到的是1,在此处判断的时候可能被多线程改成2了,导致2会被误判为可以清理,于是就关闭了db,然后那个修改成2的线程要使用db,于是就会崩溃
            if  dbWorker.id != isUsingUid, dbWorker.lastTime - Date().timeIntervalSince1970 > 60 {
                // 创建超过1分钟的db,没有再使用的,清理数据
                dbWorker.db.close()
            } else {
                keepDbWorkerList.append(dbWorker)
            }
        }
        self.dbWorkerList = keepDbWorkerList
    }
}

解决方案: 1、判断的值类型在使用时才实时获取 2、对设置和获取判断的值时加锁

伪代码如下:

1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
class Helper {
    private var mutex: pthread_mutex_t
    private var _currentUsingUid: Int64?
    var currentUsingUid: Int64? {
        get {
            defer {
                pthread_mutex_unlock(&self.mutex)
            }
            pthread_mutex_lock(&self.mutex)
            return _currentUsingUid
            
        }
        set {
            defer {
                pthread_mutex_unlock(&self.mutex)
            }
            pthread_mutex_lock(&self.mutex)
            _currentUsingUid = newValue
        }
    }
    init() {
        self.mutex = pthread_mutex_t()
        pthread_mutex_init(&self.mutex, nil)
    }
    func useDb() {
        currentUsingUid = xxx
        getDBWoker(xxx).db.getObject(xxxxx)
    }
    func clearUnUseDb() {
        // 该方法在有内存压力、App进入后台、db实例过多时触发
        var keepDbWorkerList = []
        for dbWorker in dbWorkerList {
            // 判断时在实时获取,并读写加锁
            if  dbWorker.id != currentUsingUid, dbWorker.lastTime - Date().timeIntervalSince1970 > 60 {
                // 创建超过1分钟的db,没有再使用的,清理数据
                dbWorker.db.close()
            } else {
                keepDbWorkerList.append(dbWorker)
            }
        }
        self.dbWorkerList = keepDbWorkerList
    }
}
This post is licensed under CC BY 4.0 by the author.