mirror of
https://github.com/Foundry376/Mailspring.git
synced 2025-02-24 08:04:11 +08:00
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
241 lines
6.6 KiB
JavaScript
241 lines
6.6 KiB
JavaScript
import _ from 'underscore'
|
|
import {
|
|
Utils,
|
|
Thread,
|
|
AccountStore,
|
|
DatabaseStore,
|
|
NylasSyncStatusStore,
|
|
QuotedHTMLTransformer,
|
|
} from 'nylas-exports'
|
|
|
|
const INDEX_SIZE = 10000
|
|
const MAX_INDEX_SIZE = 30000
|
|
const CHUNKS_PER_ACCOUNT = 10
|
|
const INDEXING_WAIT = 1000
|
|
const MESSAGE_BODY_LENGTH = 50000
|
|
|
|
|
|
class SearchIndexStore {
|
|
|
|
constructor() {
|
|
this.unsubscribers = []
|
|
}
|
|
|
|
activate() {
|
|
NylasSyncStatusStore.whenSyncComplete().then(() => {
|
|
const date = Date.now()
|
|
console.log('Thread Search: Initializing thread search index...')
|
|
|
|
this.accountIds = _.pluck(AccountStore.accounts(), 'id')
|
|
this.initializeIndex()
|
|
.then(() => {
|
|
console.log('Thread Search: Index built successfully in ' + ((Date.now() - date) / 1000) + 's')
|
|
this.unsubscribers = [
|
|
AccountStore.listen(::this.onAccountsChanged),
|
|
DatabaseStore.listen(::this.onDataChanged),
|
|
]
|
|
})
|
|
})
|
|
}
|
|
|
|
/**
|
|
* 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('Thread Search: Current index size is ' + (size || 0) + ' threads')
|
|
if (!size || size >= MAX_INDEX_SIZE || size === 0) {
|
|
return this.clearIndex().thenReturn(this.accountIds)
|
|
}
|
|
return this.getUnindexedAccounts()
|
|
})
|
|
.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() {
|
|
_.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)
|
|
|
|
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;
|
|
}
|
|
_.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() {
|
|
return (
|
|
DatabaseStore.dropSearchIndex(Thread)
|
|
.then(() => DatabaseStore.createSearchIndex(Thread))
|
|
)
|
|
}
|
|
|
|
getUnindexedAccounts() {
|
|
return Promise.resolve(this.accountIds)
|
|
.filter((accId) => (
|
|
DatabaseStore.isIndexEmptyForAccount(accId, Thread)
|
|
))
|
|
}
|
|
|
|
indexThreadsForAccount(accountId, indexSize) {
|
|
const chunkSize = Math.floor(indexSize / CHUNKS_PER_ACCOUNT)
|
|
const chunks = Promise.resolve(_.times(CHUNKS_PER_ACCOUNT, () => chunkSize))
|
|
|
|
return chunks.each((size, idx) => {
|
|
return DatabaseStore.findAll(Thread)
|
|
.where({accountId})
|
|
.limit(size)
|
|
.offset(size * idx)
|
|
.order(Thread.attributes.lastMessageReceivedTimestamp.descending())
|
|
.then((threads) => {
|
|
return Promise.all(
|
|
threads.map(::this.indexThread)
|
|
).then(() => {
|
|
return new Promise((resolve) => setTimeout(resolve, INDEXING_WAIT))
|
|
})
|
|
})
|
|
})
|
|
}
|
|
|
|
indexThread(thread) {
|
|
return (
|
|
this.getIndexData(thread)
|
|
.then((indexData) => (
|
|
DatabaseStore.indexModel(thread, indexData)
|
|
))
|
|
)
|
|
}
|
|
|
|
updateThreadIndex(thread) {
|
|
return (
|
|
this.getIndexData(thread)
|
|
.then((indexData) => (
|
|
DatabaseStore.updateModelIndex(thread, indexData)
|
|
))
|
|
)
|
|
}
|
|
|
|
unindexThread(thread) {
|
|
return DatabaseStore.unindexModel(thread)
|
|
}
|
|
|
|
getIndexData(thread) {
|
|
const messageBodies = (
|
|
thread.messages()
|
|
.then((messages) => (
|
|
Promise.resolve(
|
|
messages
|
|
.map(({body, snippet}) => (
|
|
!_.isString(body) ?
|
|
{snippet} :
|
|
{body: QuotedHTMLTransformer.removeQuotedHTML(body)}
|
|
))
|
|
.map(({body, snippet}) => (
|
|
snippet ?
|
|
snippet :
|
|
Utils.extractTextFromHtml(body, {maxLength: MESSAGE_BODY_LENGTH}).replace(/(\s)+/g, ' ')
|
|
))
|
|
.join(' ')
|
|
)
|
|
))
|
|
)
|
|
const participants = (
|
|
thread.participants
|
|
.map(({name, email}) => `${name} ${email}`)
|
|
.join(" ")
|
|
)
|
|
|
|
return Promise.props({
|
|
participants,
|
|
body: messageBodies,
|
|
subject: thread.subject,
|
|
})
|
|
}
|
|
|
|
deactivate() {
|
|
this.unsubscribers.forEach(unsub => unsub())
|
|
}
|
|
}
|
|
|
|
export default new SearchIndexStore()
|