feat(thread-search): Make thread search indexing smarter

Summary:
- When accounts change, make sure sync has completed, and only add or
remove threads from the index based on accounts that were added or
removed instead of rebuilding the entire index from scratch

- When thread is updated, make sure to only update the index for threads
that belong to accounts that are not currently in the sync process

- Add more logging and docs

Test Plan: TODO

Reviewers: evan, bengotow

Reviewed By: bengotow

Differential Revision: https://phab.nylas.com/D2852
This commit is contained in:
Juan Tejada 2016-04-07 09:55:10 -07:00
parent ba0251fd7e
commit a2a3e8af3c
2 changed files with 122 additions and 37 deletions

View file

@ -9,7 +9,7 @@ import {
} from 'nylas-exports'
const INDEX_SIZE = 10000
const MAX_INDEX_SIZE = 25000
const MAX_INDEX_SIZE = 30000
const CHUNKS_PER_ACCOUNT = 10
const INDEXING_WAIT = 1000
const MESSAGE_BODY_LENGTH = 50000
@ -18,69 +18,130 @@ const MESSAGE_BODY_LENGTH = 50000
class SearchIndexStore {
constructor() {
this.accountIds = _.pluck(AccountStore.accounts(), 'id')
this.unsubscribers = []
}
activate() {
NylasSyncStatusStore.whenSyncComplete().then(() => {
const date = Date.now()
console.log('ThreadSearch: Initializing thread search index...')
this.initializeIndex(this.accountIds)
console.log('Thread Search: Initializing thread search index...')
this.accountIds = _.pluck(AccountStore.accounts(), 'id')
this.initializeIndex()
.then(() => {
console.log('ThreadSearch: Index built successfully in ' + ((Date.now() - date) / 1000) + 's')
console.log('Thread Search: Index built successfully in ' + ((Date.now() - date) / 1000) + 's')
this.unsubscribers = [
DatabaseStore.listen(::this.onDataChanged),
AccountStore.listen(::this.onAccountsChanged),
DatabaseStore.listen(::this.onDataChanged),
]
})
})
}
initializeIndex(accountIds) {
/**
* We only want to build the entire index if:
* - It doesn't exist yet
* - It is too big
*
* Otherwise, we just want to index accounts that haven't been indexed yet.
* An account may not have been indexed if it is added and the app is closed
* before sync completes
*/
initializeIndex() {
return DatabaseStore.searchIndexSize(Thread)
.then((size) => {
console.log('ThreadSearch: Current index size is ' + (size || 0) + ' threads')
console.log('Thread Search: Current index size is ' + (size || 0) + ' threads')
if (!size || size >= MAX_INDEX_SIZE || size === 0) {
return this.clearIndex().thenReturn(true)
return this.clearIndex().thenReturn(this.accountIds)
}
return Promise.resolve(false)
return this.getUnindexedAccounts()
})
.then((shouldRebuild) => {
if (shouldRebuild) {
.then((accountIds) => {
if (accountIds.length > 0) {
return this.buildIndex(accountIds)
}
return Promise.resolve()
})
}
/**
* When accounts change, we are only interested in knowing if an account has
* been added or removed
*
* - If an account has been added, we want to index its threads, but wait
* until that account has been successfully synced
*
* - If an account has been removed, we want to remove its threads from the
* index
*
* If the application is closed before sync is completed, the new account will
* be indexed via `initializeIndex`
*/
onAccountsChanged() {
const date = Date.now()
const newIds = _.pluck(AccountStore.accounts(), 'id')
if (newIds.length === this.accountIds.length) {
return;
}
_.defer(() => {
NylasSyncStatusStore.whenSyncComplete().then(() => {
const latestIds = _.pluck(AccountStore.accounts(), 'id')
if (_.isEqual(this.accountIds, latestIds)) {
return;
}
const date = Date.now()
console.log('Thread Search: Updating thread search index for accounts: ' + latestIds)
this.accountIds = newIds
this.clearIndex()
.then(() => this.buildIndex(this.accountIds))
.then(() => {
console.log('ThreadSearch: Index rebuilt successfully in ' + ((Date.now() - date) / 1000) + 's')
const newIds = _.difference(latestIds, this.accountIds)
const removedIds = _.difference(this.accountIds, latestIds)
const promises = []
if (newIds.length > 0) {
promises.push(this.buildIndex(newIds))
}
if (removedIds.length > 0) {
promises.push(
Promise.all(removedIds.map(id => DatabaseStore.unindexModelsForAccount(id, Thread)))
)
}
this.accountIds = latestIds
Promise.all(promises)
.then(() => {
console.log('Thread Search: Index updated successfully in ' + ((Date.now() - date) / 1000) + 's')
})
})
})
}
/**
* When a thread gets updated we will update the search index with the data
* from that thread if the account it belongs to is not being currently
* synced.
*
* When the account is successfully synced, its threads will be added to the
* index either via `onAccountsChanged` or via `initializeIndex` when the app
* starts
*/
onDataChanged(change) {
if (change.objectClass !== Thread.name) {
return;
}
const {objects, type} = change
let promises = []
if (type === 'persist') {
promises = objects.map(thread => this.updateThreadIndex(thread))
} else if (type === 'unpersist') {
promises = objects.map(thread => DatabaseStore.unindexModel(thread))
}
Promise.all(promises)
_.defer(() => {
const {objects, type} = change
const {isSyncCompleteForAccount} = NylasSyncStatusStore
const threads = objects.filter(({accountId}) => isSyncCompleteForAccount(accountId))
let promises = []
if (type === 'persist') {
promises = threads.map(::this.updateThreadIndex)
} else if (type === 'unpersist') {
promises = threads.map(::this.unindexThread)
}
Promise.all(promises)
})
}
buildIndex = (accountIds) => {
const sizePerAccount = Math.floor(INDEX_SIZE / accountIds.length)
return Promise.resolve(accountIds)
.each((accountId) => (
this.indexThreadsForAccount(accountId, sizePerAccount)
))
}
clearIndex() {
@ -90,11 +151,10 @@ class SearchIndexStore {
)
}
buildIndex(accountIds) {
const numAccounts = accountIds.length
return Promise.resolve(accountIds)
.each((accountId) => (
this.indexThreadsForAccount(accountId, Math.floor(INDEX_SIZE / numAccounts))
getUnindexedAccounts() {
return Promise.resolve(this.accountIds)
.filter((accId) => (
DatabaseStore.isIndexEmptyForAccount(accId, Thread)
))
}
@ -110,7 +170,7 @@ class SearchIndexStore {
.order(Thread.attributes.lastMessageReceivedTimestamp.descending())
.then((threads) => {
return Promise.all(
threads.map(thread => this.indexThread(thread))
threads.map(::this.indexThread)
).then(() => {
return new Promise((resolve) => setTimeout(resolve, INDEXING_WAIT))
})
@ -136,6 +196,10 @@ class SearchIndexStore {
)
}
unindexThread(thread) {
return DatabaseStore.unindexModel(thread)
}
getIndexData(thread) {
const messageBodies = (
thread.messages()

View file

@ -511,6 +511,9 @@ class DatabaseStore extends NylasStore
return @_triggerPromise
# Search Index Operations
createSearchIndexSql: (klass) =>
throw new Error("DatabaseStore::createSearchIndex - You must provide a class") unless klass
throw new Error("DatabaseStore::createSearchIndex - #{klass.name} must expose an array of `searchFields`") unless klass
@ -531,9 +534,19 @@ class DatabaseStore extends NylasStore
searchIndexSize: (klass) =>
searchTableName = "#{klass.name}Search"
sql = "SELECT COUNT(content_id) as count from `#{searchTableName}`"
sql = "SELECT COUNT(content_id) as count FROM `#{searchTableName}`"
return @_query(sql).then((result) => result[0].count)
isIndexEmptyForAccount: (accountId, modelKlass) =>
modelTable = modelKlass.name
searchTable = "#{modelTable}Search"
sql = (
"SELECT `#{searchTable}`.`content_id` FROM `#{searchTable}` INNER JOIN `#{modelTable}`
ON `#{modelTable}`.id = `#{searchTable}`.`content_id` WHERE `#{modelTable}`.`account_id` = ?
LIMIT 1"
)
return @_query(sql, [accountId]).then((result) => result.length is 0)
dropSearchIndex: (klass) =>
throw new Error("DatabaseStore::createSearchIndex - You must provide a class") unless klass
searchTableName = "#{klass.name}Search"
@ -582,6 +595,14 @@ class DatabaseStore extends NylasStore
)
return @_query(sql, [model.id])
unindexModelsForAccount: (accountId, modelKlass) =>
modelTable = modelKlass.name
searchTableName = "#{modelTable}Search"
sql = (
"DELETE FROM `#{searchTableName}` WHERE `#{searchTableName}`.`content_id` IN
(SELECT `id` FROM `#{modelTable}` WHERE `#{modelTable}`.`account_id` = ?)"
)
return @_query(sql, [accountId])
module.exports = new DatabaseStore()
module.exports.ChangeRecord = DatabaseChangeRecord