How do i prevent duplicates in RealmSwift List?

半城伤御伤魂 提交于 2019-12-05 07:47:42

It depends on what kind of data coming from the server. If entire playlist data always come (you can always replace existing playlist data), you can just remove the list to empty, then append them.

realm.write {
    user.playlists.removeAll() // empty playlists before adding

    for playlistData in allPlaylistData {
        let playlist = Playlist()
        ...
        user.playlists.append(playlist)
    }
}

If differential data coming from the server (also some are duplicated), you have to check whether the data already exists.

realm.write {
    for playlistData in allPlaylistData {
        let playlist = Playlist()
        ...

        realm.add(playlist, update: true) // Must add to Realm before check

        guard let index = user.playlists.indexOf(playlist) else {
            // Nothing to do if exists
            continue
        }
        user.playlists.append(playlist)
    }
}

I optimize the answer from @kishikava katsumi

All playlist objects are added to the database in one call instead of adding the in for loop. And also instead of returning index for every playlist I used faster function user.playlists.contains(playlist)

Here is the code. Thanks to the @kishikava katsumi for setting it up.

let fetchedPlaylists: [Playlist] = ...

try! realm.write {
  realm.add(fetchedPlaylists, update: true)
  for playlist in fetchedPlaylists {
    guard !user.playlists.contains(playlist) else {
      continue
    }
    user.playlists.append(playlist)
  }
}
易学教程内所有资源均来自网络或用户发布的内容,如有违反法律规定的内容欢迎反馈
该文章没有解决你所遇到的问题?点击提问,说说你的问题,让更多的人一起探讨吧!