mirror of
https://github.com/oxen-io/session-android.git
synced 2024-11-23 18:15:22 +00:00
[SES-1966] Attachment batch download and tidy-up (#1507)
* Attachment batch download * Addressed feedback and test issues * Feedback fixes * timedWindow for flow * Feedback * Dispatchers * Remove `flowOn` * New implementation of timedBuffer * Organise import * Feedback * Fix test * Tidied up logic around `eligibleForDownload` * Updated comment --------- Co-authored-by: fanchao <git@fanchao.dev>
This commit is contained in:
parent
fec67e282a
commit
0da949c8e6
@ -0,0 +1,115 @@
|
|||||||
|
package org.thoughtcrime.securesms.conversation.v2
|
||||||
|
|
||||||
|
import kotlinx.coroutines.CoroutineScope
|
||||||
|
import kotlinx.coroutines.Dispatchers
|
||||||
|
import kotlinx.coroutines.SupervisorJob
|
||||||
|
import kotlinx.coroutines.channels.Channel
|
||||||
|
import kotlinx.coroutines.channels.Channel.Factory.UNLIMITED
|
||||||
|
import kotlinx.coroutines.flow.map
|
||||||
|
import kotlinx.coroutines.flow.receiveAsFlow
|
||||||
|
import kotlinx.coroutines.launch
|
||||||
|
import kotlinx.coroutines.plus
|
||||||
|
import org.session.libsession.database.MessageDataProvider
|
||||||
|
import org.session.libsession.database.StorageProtocol
|
||||||
|
import org.session.libsession.messaging.jobs.AttachmentDownloadJob
|
||||||
|
import org.session.libsession.messaging.jobs.AttachmentUploadJob
|
||||||
|
import org.session.libsession.messaging.jobs.JobQueue
|
||||||
|
import org.session.libsession.messaging.sending_receiving.attachments.AttachmentTransferProgress
|
||||||
|
import org.session.libsession.messaging.sending_receiving.attachments.DatabaseAttachment
|
||||||
|
import org.session.libsignal.utilities.Log
|
||||||
|
import org.thoughtcrime.securesms.util.flatten
|
||||||
|
import org.thoughtcrime.securesms.util.timedBuffer
|
||||||
|
|
||||||
|
/**
|
||||||
|
* [AttachmentDownloadHandler] is responsible for handling attachment download requests. These
|
||||||
|
* requests will go through different level of checking before they are queued for download.
|
||||||
|
*
|
||||||
|
* To use this handler, call [onAttachmentDownloadRequest] with the attachment that needs to be
|
||||||
|
* downloaded. The call to [onAttachmentDownloadRequest] is cheap and can be called multiple times.
|
||||||
|
*/
|
||||||
|
class AttachmentDownloadHandler(
|
||||||
|
private val storage: StorageProtocol,
|
||||||
|
private val messageDataProvider: MessageDataProvider,
|
||||||
|
jobQueue: JobQueue = JobQueue.shared,
|
||||||
|
scope: CoroutineScope = CoroutineScope(Dispatchers.Default) + SupervisorJob(),
|
||||||
|
) {
|
||||||
|
companion object {
|
||||||
|
private const val BUFFER_TIMEOUT_MILLS = 500L
|
||||||
|
private const val BUFFER_MAX_ITEMS = 10
|
||||||
|
private const val LOG_TAG = "AttachmentDownloadHelper"
|
||||||
|
}
|
||||||
|
|
||||||
|
private val downloadRequests = Channel<DatabaseAttachment>(UNLIMITED)
|
||||||
|
|
||||||
|
init {
|
||||||
|
scope.launch(Dispatchers.Default) {
|
||||||
|
downloadRequests
|
||||||
|
.receiveAsFlow()
|
||||||
|
.timedBuffer(BUFFER_TIMEOUT_MILLS, BUFFER_MAX_ITEMS)
|
||||||
|
.map(::filterEligibleAttachments)
|
||||||
|
.flatten()
|
||||||
|
.collect { attachment ->
|
||||||
|
jobQueue.add(
|
||||||
|
AttachmentDownloadJob(
|
||||||
|
attachmentID = attachment.attachmentId.rowId,
|
||||||
|
databaseMessageID = attachment.mmsId
|
||||||
|
)
|
||||||
|
)
|
||||||
|
}
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
/**
|
||||||
|
* Filter attachments that are eligible for creating download jobs.
|
||||||
|
*
|
||||||
|
*/
|
||||||
|
private fun filterEligibleAttachments(attachments: List<DatabaseAttachment>): List<DatabaseAttachment> {
|
||||||
|
val pendingAttachmentIDs = storage
|
||||||
|
.getAllPendingJobs(AttachmentDownloadJob.KEY, AttachmentUploadJob.KEY)
|
||||||
|
.values
|
||||||
|
.mapNotNull {
|
||||||
|
(it as? AttachmentUploadJob)?.attachmentID
|
||||||
|
?: (it as? AttachmentDownloadJob)?.attachmentID
|
||||||
|
}
|
||||||
|
.toSet()
|
||||||
|
|
||||||
|
|
||||||
|
return attachments.filter { attachment ->
|
||||||
|
eligibleForDownloadTask(
|
||||||
|
attachment,
|
||||||
|
pendingAttachmentIDs,
|
||||||
|
)
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
/**
|
||||||
|
* Check if the attachment is eligible for download task.
|
||||||
|
*/
|
||||||
|
private fun eligibleForDownloadTask(
|
||||||
|
attachment: DatabaseAttachment,
|
||||||
|
pendingJobsAttachmentRowIDs: Set<Long>,
|
||||||
|
): Boolean {
|
||||||
|
if (attachment.attachmentId.rowId in pendingJobsAttachmentRowIDs) {
|
||||||
|
return false
|
||||||
|
}
|
||||||
|
|
||||||
|
val threadID = storage.getThreadIdForMms(attachment.mmsId)
|
||||||
|
|
||||||
|
return AttachmentDownloadJob.eligibleForDownload(
|
||||||
|
threadID, storage, messageDataProvider, attachment.mmsId,
|
||||||
|
)
|
||||||
|
}
|
||||||
|
|
||||||
|
|
||||||
|
fun onAttachmentDownloadRequest(attachment: DatabaseAttachment) {
|
||||||
|
if (attachment.transferState != AttachmentTransferProgress.TRANSFER_PROGRESS_PENDING) {
|
||||||
|
Log.i(
|
||||||
|
LOG_TAG,
|
||||||
|
"Attachment ${attachment.attachmentId} is not pending, skipping download"
|
||||||
|
)
|
||||||
|
return
|
||||||
|
}
|
||||||
|
|
||||||
|
downloadRequests.trySend(attachment)
|
||||||
|
}
|
||||||
|
}
|
@ -333,11 +333,7 @@ class ConversationActivityV2 : PassphraseRequiredActionBarActivity(), InputBarDe
|
|||||||
onDeselect(message, position, it)
|
onDeselect(message, position, it)
|
||||||
}
|
}
|
||||||
},
|
},
|
||||||
onAttachmentNeedsDownload = { attachmentId, mmsId ->
|
onAttachmentNeedsDownload = viewModel::onAttachmentDownloadRequest,
|
||||||
lifecycleScope.launch(Dispatchers.IO) {
|
|
||||||
JobQueue.shared.add(AttachmentDownloadJob(attachmentId, mmsId))
|
|
||||||
}
|
|
||||||
},
|
|
||||||
glide = glide,
|
glide = glide,
|
||||||
lifecycleCoroutineScope = lifecycleScope
|
lifecycleCoroutineScope = lifecycleScope
|
||||||
)
|
)
|
||||||
|
@ -19,6 +19,7 @@ import kotlinx.coroutines.isActive
|
|||||||
import kotlinx.coroutines.launch
|
import kotlinx.coroutines.launch
|
||||||
import network.loki.messenger.R
|
import network.loki.messenger.R
|
||||||
import org.session.libsession.messaging.contacts.Contact
|
import org.session.libsession.messaging.contacts.Contact
|
||||||
|
import org.session.libsession.messaging.sending_receiving.attachments.DatabaseAttachment
|
||||||
import org.thoughtcrime.securesms.conversation.v2.messages.ControlMessageView
|
import org.thoughtcrime.securesms.conversation.v2.messages.ControlMessageView
|
||||||
import org.thoughtcrime.securesms.conversation.v2.messages.VisibleMessageView
|
import org.thoughtcrime.securesms.conversation.v2.messages.VisibleMessageView
|
||||||
import org.thoughtcrime.securesms.conversation.v2.messages.VisibleMessageViewDelegate
|
import org.thoughtcrime.securesms.conversation.v2.messages.VisibleMessageViewDelegate
|
||||||
@ -40,7 +41,7 @@ class ConversationAdapter(
|
|||||||
private val onItemSwipeToReply: (MessageRecord, Int) -> Unit,
|
private val onItemSwipeToReply: (MessageRecord, Int) -> Unit,
|
||||||
private val onItemLongPress: (MessageRecord, Int, VisibleMessageView) -> Unit,
|
private val onItemLongPress: (MessageRecord, Int, VisibleMessageView) -> Unit,
|
||||||
private val onDeselect: (MessageRecord, Int) -> Unit,
|
private val onDeselect: (MessageRecord, Int) -> Unit,
|
||||||
private val onAttachmentNeedsDownload: (Long, Long) -> Unit,
|
private val onAttachmentNeedsDownload: (DatabaseAttachment) -> Unit,
|
||||||
private val glide: GlideRequests,
|
private val glide: GlideRequests,
|
||||||
lifecycleCoroutineScope: LifecycleCoroutineScope
|
lifecycleCoroutineScope: LifecycleCoroutineScope
|
||||||
) : CursorRecyclerViewAdapter<ViewHolder>(context, cursor) {
|
) : CursorRecyclerViewAdapter<ViewHolder>(context, cursor) {
|
||||||
|
@ -1,46 +1,44 @@
|
|||||||
package org.thoughtcrime.securesms.conversation.v2
|
package org.thoughtcrime.securesms.conversation.v2
|
||||||
|
|
||||||
import android.content.Context
|
import android.content.Context
|
||||||
|
|
||||||
import androidx.lifecycle.ViewModel
|
import androidx.lifecycle.ViewModel
|
||||||
import androidx.lifecycle.ViewModelProvider
|
import androidx.lifecycle.ViewModelProvider
|
||||||
import androidx.lifecycle.viewModelScope
|
import androidx.lifecycle.viewModelScope
|
||||||
|
|
||||||
import com.goterl.lazysodium.utils.KeyPair
|
import com.goterl.lazysodium.utils.KeyPair
|
||||||
|
|
||||||
import dagger.assisted.Assisted
|
import dagger.assisted.Assisted
|
||||||
import dagger.assisted.AssistedInject
|
import dagger.assisted.AssistedInject
|
||||||
|
|
||||||
import kotlinx.coroutines.Dispatchers
|
import kotlinx.coroutines.Dispatchers
|
||||||
import kotlinx.coroutines.GlobalScope
|
import kotlinx.coroutines.GlobalScope
|
||||||
import kotlinx.coroutines.flow.MutableStateFlow
|
import kotlinx.coroutines.flow.MutableStateFlow
|
||||||
import kotlinx.coroutines.flow.StateFlow
|
import kotlinx.coroutines.flow.StateFlow
|
||||||
import kotlinx.coroutines.flow.update
|
import kotlinx.coroutines.flow.update
|
||||||
import kotlinx.coroutines.launch
|
import kotlinx.coroutines.launch
|
||||||
|
import org.session.libsession.database.MessageDataProvider
|
||||||
import org.session.libsession.messaging.messages.ExpirationConfiguration
|
import org.session.libsession.messaging.messages.ExpirationConfiguration
|
||||||
import org.session.libsession.messaging.open_groups.OpenGroup
|
import org.session.libsession.messaging.open_groups.OpenGroup
|
||||||
import org.session.libsession.messaging.open_groups.OpenGroupApi
|
import org.session.libsession.messaging.open_groups.OpenGroupApi
|
||||||
|
import org.session.libsession.messaging.sending_receiving.attachments.DatabaseAttachment
|
||||||
import org.session.libsession.messaging.utilities.SessionId
|
import org.session.libsession.messaging.utilities.SessionId
|
||||||
import org.session.libsession.messaging.utilities.SodiumUtilities
|
import org.session.libsession.messaging.utilities.SodiumUtilities
|
||||||
import org.session.libsession.utilities.Address
|
import org.session.libsession.utilities.Address
|
||||||
import org.session.libsession.utilities.recipients.Recipient
|
import org.session.libsession.utilities.recipients.Recipient
|
||||||
import org.session.libsignal.utilities.IdPrefix
|
import org.session.libsignal.utilities.IdPrefix
|
||||||
import org.session.libsignal.utilities.Log
|
import org.session.libsignal.utilities.Log
|
||||||
|
import org.thoughtcrime.securesms.database.MmsDatabase
|
||||||
import org.thoughtcrime.securesms.audio.AudioSlidePlayer
|
import org.thoughtcrime.securesms.audio.AudioSlidePlayer
|
||||||
|
|
||||||
import org.thoughtcrime.securesms.database.Storage
|
import org.thoughtcrime.securesms.database.Storage
|
||||||
import org.thoughtcrime.securesms.database.model.MessageRecord
|
import org.thoughtcrime.securesms.database.model.MessageRecord
|
||||||
import org.thoughtcrime.securesms.database.model.MmsMessageRecord
|
import org.thoughtcrime.securesms.database.model.MmsMessageRecord
|
||||||
import org.thoughtcrime.securesms.repository.ConversationRepository
|
import org.thoughtcrime.securesms.repository.ConversationRepository
|
||||||
|
|
||||||
import java.util.UUID
|
import java.util.UUID
|
||||||
|
|
||||||
class ConversationViewModel(
|
class ConversationViewModel(
|
||||||
val threadId: Long,
|
val threadId: Long,
|
||||||
val edKeyPair: KeyPair?,
|
val edKeyPair: KeyPair?,
|
||||||
private val repository: ConversationRepository,
|
private val repository: ConversationRepository,
|
||||||
private val storage: Storage
|
private val storage: Storage,
|
||||||
|
private val messageDataProvider: MessageDataProvider,
|
||||||
|
database: MmsDatabase,
|
||||||
) : ViewModel() {
|
) : ViewModel() {
|
||||||
|
|
||||||
val showSendAfterApprovalText: Boolean
|
val showSendAfterApprovalText: Boolean
|
||||||
@ -92,6 +90,11 @@ class ConversationViewModel(
|
|||||||
// allow reactions if the open group is null (normal conversations) or the open group's capabilities include reactions
|
// allow reactions if the open group is null (normal conversations) or the open group's capabilities include reactions
|
||||||
get() = (openGroup == null || OpenGroupApi.Capability.REACTIONS.name.lowercase() in serverCapabilities)
|
get() = (openGroup == null || OpenGroupApi.Capability.REACTIONS.name.lowercase() in serverCapabilities)
|
||||||
|
|
||||||
|
private val attachmentDownloadHandler = AttachmentDownloadHandler(
|
||||||
|
storage = storage,
|
||||||
|
messageDataProvider = messageDataProvider,
|
||||||
|
scope = viewModelScope,
|
||||||
|
)
|
||||||
|
|
||||||
init {
|
init {
|
||||||
viewModelScope.launch(Dispatchers.IO) {
|
viewModelScope.launch(Dispatchers.IO) {
|
||||||
@ -265,6 +268,10 @@ class ConversationViewModel(
|
|||||||
storage.getLastLegacyRecipient(address.serialize())?.let { Recipient.from(context, Address.fromSerialized(it), false) }
|
storage.getLastLegacyRecipient(address.serialize())?.let { Recipient.from(context, Address.fromSerialized(it), false) }
|
||||||
}
|
}
|
||||||
|
|
||||||
|
fun onAttachmentDownloadRequest(attachment: DatabaseAttachment) {
|
||||||
|
attachmentDownloadHandler.onAttachmentDownloadRequest(attachment)
|
||||||
|
}
|
||||||
|
|
||||||
@dagger.assisted.AssistedFactory
|
@dagger.assisted.AssistedFactory
|
||||||
interface AssistedFactory {
|
interface AssistedFactory {
|
||||||
fun create(threadId: Long, edKeyPair: KeyPair?): Factory
|
fun create(threadId: Long, edKeyPair: KeyPair?): Factory
|
||||||
@ -275,11 +282,20 @@ class ConversationViewModel(
|
|||||||
@Assisted private val threadId: Long,
|
@Assisted private val threadId: Long,
|
||||||
@Assisted private val edKeyPair: KeyPair?,
|
@Assisted private val edKeyPair: KeyPair?,
|
||||||
private val repository: ConversationRepository,
|
private val repository: ConversationRepository,
|
||||||
private val storage: Storage
|
private val storage: Storage,
|
||||||
|
private val mmsDatabase: MmsDatabase,
|
||||||
|
private val messageDataProvider: MessageDataProvider,
|
||||||
) : ViewModelProvider.Factory {
|
) : ViewModelProvider.Factory {
|
||||||
|
|
||||||
override fun <T : ViewModel> create(modelClass: Class<T>): T {
|
override fun <T : ViewModel> create(modelClass: Class<T>): T {
|
||||||
return ConversationViewModel(threadId, edKeyPair, repository, storage) as T
|
return ConversationViewModel(
|
||||||
|
threadId = threadId,
|
||||||
|
edKeyPair = edKeyPair,
|
||||||
|
repository = repository,
|
||||||
|
storage = storage,
|
||||||
|
messageDataProvider = messageDataProvider,
|
||||||
|
database = mmsDatabase
|
||||||
|
) as T
|
||||||
}
|
}
|
||||||
}
|
}
|
||||||
}
|
}
|
||||||
|
@ -55,6 +55,7 @@ import dagger.hilt.android.AndroidEntryPoint
|
|||||||
import kotlinx.coroutines.launch
|
import kotlinx.coroutines.launch
|
||||||
import network.loki.messenger.R
|
import network.loki.messenger.R
|
||||||
import network.loki.messenger.databinding.ViewVisibleMessageContentBinding
|
import network.loki.messenger.databinding.ViewVisibleMessageContentBinding
|
||||||
|
import org.session.libsession.messaging.sending_receiving.attachments.DatabaseAttachment
|
||||||
import org.thoughtcrime.securesms.MediaPreviewActivity.getPreviewIntent
|
import org.thoughtcrime.securesms.MediaPreviewActivity.getPreviewIntent
|
||||||
import org.thoughtcrime.securesms.PassphraseRequiredActionBarActivity
|
import org.thoughtcrime.securesms.PassphraseRequiredActionBarActivity
|
||||||
import org.thoughtcrime.securesms.database.Storage
|
import org.thoughtcrime.securesms.database.Storage
|
||||||
@ -149,7 +150,7 @@ fun MessageDetails(
|
|||||||
onResend: (() -> Unit)? = null,
|
onResend: (() -> Unit)? = null,
|
||||||
onDelete: () -> Unit = {},
|
onDelete: () -> Unit = {},
|
||||||
onClickImage: (Int) -> Unit = {},
|
onClickImage: (Int) -> Unit = {},
|
||||||
onAttachmentNeedsDownload: (Long, Long) -> Unit = { _, _ -> }
|
onAttachmentNeedsDownload: (DatabaseAttachment) -> Unit = { _ -> }
|
||||||
) {
|
) {
|
||||||
Column(
|
Column(
|
||||||
modifier = Modifier
|
modifier = Modifier
|
||||||
|
@ -124,7 +124,7 @@ class MessageDetailsViewModel @Inject constructor(
|
|||||||
if (slide.transferState == AttachmentTransferProgress.TRANSFER_PROGRESS_FAILED) {
|
if (slide.transferState == AttachmentTransferProgress.TRANSFER_PROGRESS_FAILED) {
|
||||||
// Restart download here (on IO thread)
|
// Restart download here (on IO thread)
|
||||||
(slide.asAttachment() as? DatabaseAttachment)?.let { attachment ->
|
(slide.asAttachment() as? DatabaseAttachment)?.let { attachment ->
|
||||||
onAttachmentNeedsDownload(attachment.attachmentId.rowId, state.mmsRecord.getId())
|
onAttachmentNeedsDownload(attachment)
|
||||||
}
|
}
|
||||||
}
|
}
|
||||||
|
|
||||||
@ -137,9 +137,9 @@ class MessageDetailsViewModel @Inject constructor(
|
|||||||
}
|
}
|
||||||
}
|
}
|
||||||
|
|
||||||
fun onAttachmentNeedsDownload(attachmentId: Long, mmsId: Long) {
|
fun onAttachmentNeedsDownload(attachment: DatabaseAttachment) {
|
||||||
viewModelScope.launch(Dispatchers.IO) {
|
viewModelScope.launch(Dispatchers.IO) {
|
||||||
JobQueue.shared.add(AttachmentDownloadJob(attachmentId, mmsId))
|
JobQueue.shared.add(AttachmentDownloadJob(attachment.attachmentId.rowId, attachment.mmsId))
|
||||||
}
|
}
|
||||||
}
|
}
|
||||||
}
|
}
|
||||||
|
@ -48,7 +48,7 @@ class AlbumThumbnailView : RelativeLayout {
|
|||||||
|
|
||||||
// region Interaction
|
// region Interaction
|
||||||
|
|
||||||
fun calculateHitObject(event: MotionEvent, mms: MmsMessageRecord, threadRecipient: Recipient, onAttachmentNeedsDownload: (Long, Long) -> Unit) {
|
fun calculateHitObject(event: MotionEvent, mms: MmsMessageRecord, threadRecipient: Recipient, onAttachmentNeedsDownload: (DatabaseAttachment) -> Unit) {
|
||||||
val rawXInt = event.rawX.toInt()
|
val rawXInt = event.rawX.toInt()
|
||||||
val rawYInt = event.rawY.toInt()
|
val rawYInt = event.rawY.toInt()
|
||||||
val eventRect = Rect(rawXInt, rawYInt, rawXInt, rawYInt)
|
val eventRect = Rect(rawXInt, rawYInt, rawXInt, rawYInt)
|
||||||
@ -63,7 +63,7 @@ class AlbumThumbnailView : RelativeLayout {
|
|||||||
if (slide.transferState == AttachmentTransferProgress.TRANSFER_PROGRESS_FAILED) {
|
if (slide.transferState == AttachmentTransferProgress.TRANSFER_PROGRESS_FAILED) {
|
||||||
// Restart download here (on IO thread)
|
// Restart download here (on IO thread)
|
||||||
(slide.asAttachment() as? DatabaseAttachment)?.let { attachment ->
|
(slide.asAttachment() as? DatabaseAttachment)?.let { attachment ->
|
||||||
onAttachmentNeedsDownload(attachment.attachmentId.rowId, mms.getId())
|
onAttachmentNeedsDownload(attachment)
|
||||||
}
|
}
|
||||||
}
|
}
|
||||||
if (slide.isInProgress) return@forEach
|
if (slide.isInProgress) return@forEach
|
||||||
|
@ -66,7 +66,7 @@ class VisibleMessageContentView : ConstraintLayout {
|
|||||||
thread: Recipient,
|
thread: Recipient,
|
||||||
searchQuery: String? = null,
|
searchQuery: String? = null,
|
||||||
contactIsTrusted: Boolean = true,
|
contactIsTrusted: Boolean = true,
|
||||||
onAttachmentNeedsDownload: (Long, Long) -> Unit,
|
onAttachmentNeedsDownload: (DatabaseAttachment) -> Unit,
|
||||||
suppressThumbnails: Boolean = false
|
suppressThumbnails: Boolean = false
|
||||||
) {
|
) {
|
||||||
// Background
|
// Background
|
||||||
@ -135,19 +135,11 @@ class VisibleMessageContentView : ConstraintLayout {
|
|||||||
if (message is MmsMessageRecord) {
|
if (message is MmsMessageRecord) {
|
||||||
message.slideDeck.asAttachments().forEach { attach ->
|
message.slideDeck.asAttachments().forEach { attach ->
|
||||||
val dbAttachment = attach as? DatabaseAttachment ?: return@forEach
|
val dbAttachment = attach as? DatabaseAttachment ?: return@forEach
|
||||||
val attachmentId = dbAttachment.attachmentId.rowId
|
onAttachmentNeedsDownload(dbAttachment)
|
||||||
if (attach.transferState == AttachmentTransferProgress.TRANSFER_PROGRESS_PENDING
|
|
||||||
&& MessagingModuleConfiguration.shared.storage.getAttachmentUploadJob(attachmentId) == null) {
|
|
||||||
onAttachmentNeedsDownload(attachmentId, dbAttachment.mmsId)
|
|
||||||
}
|
|
||||||
}
|
}
|
||||||
message.linkPreviews.forEach { preview ->
|
message.linkPreviews.forEach { preview ->
|
||||||
val previewThumbnail = preview.getThumbnail().orNull() as? DatabaseAttachment ?: return@forEach
|
val previewThumbnail = preview.getThumbnail().orNull() as? DatabaseAttachment ?: return@forEach
|
||||||
val attachmentId = previewThumbnail.attachmentId.rowId
|
onAttachmentNeedsDownload(previewThumbnail)
|
||||||
if (previewThumbnail.transferState == AttachmentTransferProgress.TRANSFER_PROGRESS_PENDING
|
|
||||||
&& MessagingModuleConfiguration.shared.storage.getAttachmentUploadJob(attachmentId) == null) {
|
|
||||||
onAttachmentNeedsDownload(attachmentId, previewThumbnail.mmsId)
|
|
||||||
}
|
|
||||||
}
|
}
|
||||||
}
|
}
|
||||||
|
|
||||||
|
@ -34,6 +34,7 @@ import network.loki.messenger.databinding.ViewstubVisibleMessageMarkerContainerB
|
|||||||
import org.session.libsession.messaging.contacts.Contact
|
import org.session.libsession.messaging.contacts.Contact
|
||||||
import org.session.libsession.messaging.contacts.Contact.ContactContext
|
import org.session.libsession.messaging.contacts.Contact.ContactContext
|
||||||
import org.session.libsession.messaging.open_groups.OpenGroupApi
|
import org.session.libsession.messaging.open_groups.OpenGroupApi
|
||||||
|
import org.session.libsession.messaging.sending_receiving.attachments.DatabaseAttachment
|
||||||
import org.session.libsession.utilities.Address
|
import org.session.libsession.utilities.Address
|
||||||
import org.session.libsession.utilities.ViewUtil
|
import org.session.libsession.utilities.ViewUtil
|
||||||
import org.session.libsession.utilities.getColorFromAttr
|
import org.session.libsession.utilities.getColorFromAttr
|
||||||
@ -145,7 +146,7 @@ class VisibleMessageView : FrameLayout {
|
|||||||
senderSessionID: String,
|
senderSessionID: String,
|
||||||
lastSeen: Long,
|
lastSeen: Long,
|
||||||
delegate: VisibleMessageViewDelegate? = null,
|
delegate: VisibleMessageViewDelegate? = null,
|
||||||
onAttachmentNeedsDownload: (Long, Long) -> Unit,
|
onAttachmentNeedsDownload: (DatabaseAttachment) -> Unit,
|
||||||
lastSentMessageId: Long
|
lastSentMessageId: Long
|
||||||
) {
|
) {
|
||||||
replyDisabled = message.isOpenGroupInvitation
|
replyDisabled = message.isOpenGroupInvitation
|
||||||
|
@ -3,6 +3,7 @@ package org.thoughtcrime.securesms.database
|
|||||||
import android.content.ContentValues
|
import android.content.ContentValues
|
||||||
import android.content.Context
|
import android.content.Context
|
||||||
import android.database.Cursor
|
import android.database.Cursor
|
||||||
|
import org.json.JSONArray
|
||||||
import org.session.libsession.messaging.jobs.AttachmentDownloadJob
|
import org.session.libsession.messaging.jobs.AttachmentDownloadJob
|
||||||
import org.session.libsession.messaging.jobs.AttachmentUploadJob
|
import org.session.libsession.messaging.jobs.AttachmentUploadJob
|
||||||
import org.session.libsession.messaging.jobs.BackgroundGroupAddJob
|
import org.session.libsession.messaging.jobs.BackgroundGroupAddJob
|
||||||
@ -50,14 +51,18 @@ class SessionJobDatabase(context: Context, helper: SQLCipherOpenHelper) : Databa
|
|||||||
databaseHelper.writableDatabase.delete(sessionJobTable, "${Companion.jobID} = ?", arrayOf( jobID ))
|
databaseHelper.writableDatabase.delete(sessionJobTable, "${Companion.jobID} = ?", arrayOf( jobID ))
|
||||||
}
|
}
|
||||||
|
|
||||||
fun getAllJobs(type: String): Map<String, Job?> {
|
fun getAllJobs(vararg types: String): Map<String, Job?> {
|
||||||
val database = databaseHelper.readableDatabase
|
val database = databaseHelper.readableDatabase
|
||||||
return database.getAll(sessionJobTable, "$jobType = ?", arrayOf( type )) { cursor ->
|
return database.getAll(
|
||||||
|
sessionJobTable,
|
||||||
|
"$jobType IN (SELECT value FROM json_each(?))", // Use json_each to bypass limitation of SQLite's IN operator binding
|
||||||
|
arrayOf( JSONArray(types).toString() )
|
||||||
|
) { cursor ->
|
||||||
val jobID = cursor.getString(jobID)
|
val jobID = cursor.getString(jobID)
|
||||||
try {
|
try {
|
||||||
jobID to jobFromCursor(cursor)
|
jobID to jobFromCursor(cursor)
|
||||||
} catch (e: Exception) {
|
} catch (e: Exception) {
|
||||||
Log.e("Loki", "Error deserializing job of type: $type.", e)
|
Log.e("Loki", "Error deserializing job of type: $types.", e)
|
||||||
jobID to null
|
jobID to null
|
||||||
}
|
}
|
||||||
}.toMap()
|
}.toMap()
|
||||||
|
@ -397,8 +397,8 @@ open class Storage(
|
|||||||
DatabaseComponent.get(context).sessionJobDatabase().markJobAsFailedPermanently(jobId)
|
DatabaseComponent.get(context).sessionJobDatabase().markJobAsFailedPermanently(jobId)
|
||||||
}
|
}
|
||||||
|
|
||||||
override fun getAllPendingJobs(type: String): Map<String, Job?> {
|
override fun getAllPendingJobs(vararg types: String): Map<String, Job?> {
|
||||||
return DatabaseComponent.get(context).sessionJobDatabase().getAllJobs(type)
|
return DatabaseComponent.get(context).sessionJobDatabase().getAllJobs(*types)
|
||||||
}
|
}
|
||||||
|
|
||||||
override fun getAttachmentUploadJob(attachmentID: Long): AttachmentUploadJob? {
|
override fun getAttachmentUploadJob(attachmentID: Long): AttachmentUploadJob? {
|
||||||
|
@ -0,0 +1,44 @@
|
|||||||
|
package org.thoughtcrime.securesms.util
|
||||||
|
|
||||||
|
import kotlinx.coroutines.ExperimentalCoroutinesApi
|
||||||
|
import kotlinx.coroutines.delay
|
||||||
|
import kotlinx.coroutines.flow.Flow
|
||||||
|
import kotlinx.coroutines.flow.asFlow
|
||||||
|
import kotlinx.coroutines.flow.channelFlow
|
||||||
|
import kotlinx.coroutines.flow.collectLatest
|
||||||
|
import kotlinx.coroutines.flow.flatMapConcat
|
||||||
|
|
||||||
|
/**
|
||||||
|
* Buffers items from the flow and emits them in batches. The batch will have size [maxItems] and
|
||||||
|
* time [timeoutMillis] limit.
|
||||||
|
*/
|
||||||
|
fun <T> Flow<T>.timedBuffer(timeoutMillis: Long, maxItems: Int): Flow<List<T>> {
|
||||||
|
return channelFlow {
|
||||||
|
val buffer = mutableListOf<T>()
|
||||||
|
var bufferBeganAt = -1L
|
||||||
|
|
||||||
|
collectLatest { value ->
|
||||||
|
if (buffer.isEmpty()) {
|
||||||
|
bufferBeganAt = System.currentTimeMillis()
|
||||||
|
}
|
||||||
|
|
||||||
|
buffer.add(value)
|
||||||
|
|
||||||
|
if (buffer.size < maxItems) {
|
||||||
|
// If the buffer is not full, wait until the time limit is reached.
|
||||||
|
// The delay here, as a suspension point, will be cancelled by `collectLatest`,
|
||||||
|
// if another item is collected while we are waiting for the `delay` to complete.
|
||||||
|
// Once the delay is cancelled, another round of `collectLatest` will be restarted.
|
||||||
|
delay((System.currentTimeMillis() + timeoutMillis - bufferBeganAt).coerceAtLeast(0L))
|
||||||
|
}
|
||||||
|
|
||||||
|
// When we reach here, it's either the buffer is full, or the timeout has been reached:
|
||||||
|
// send out the buffer and reset the state
|
||||||
|
send(buffer.toList())
|
||||||
|
buffer.clear()
|
||||||
|
}
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
@OptIn(ExperimentalCoroutinesApi::class)
|
||||||
|
fun <T> Flow<Iterable<T>>.flatten(): Flow<T> = flatMapConcat { it.asFlow() }
|
@ -23,6 +23,7 @@ import org.session.libsession.utilities.recipients.Recipient
|
|||||||
import org.session.libsignal.utilities.Log
|
import org.session.libsignal.utilities.Log
|
||||||
import org.thoughtcrime.securesms.BaseViewModelTest
|
import org.thoughtcrime.securesms.BaseViewModelTest
|
||||||
import org.thoughtcrime.securesms.NoOpLogger
|
import org.thoughtcrime.securesms.NoOpLogger
|
||||||
|
import org.thoughtcrime.securesms.database.MmsDatabase
|
||||||
import org.thoughtcrime.securesms.database.Storage
|
import org.thoughtcrime.securesms.database.Storage
|
||||||
import org.thoughtcrime.securesms.database.model.MessageRecord
|
import org.thoughtcrime.securesms.database.model.MessageRecord
|
||||||
import org.thoughtcrime.securesms.repository.ConversationRepository
|
import org.thoughtcrime.securesms.repository.ConversationRepository
|
||||||
@ -32,6 +33,7 @@ class ConversationViewModelTest: BaseViewModelTest() {
|
|||||||
|
|
||||||
private val repository = mock<ConversationRepository>()
|
private val repository = mock<ConversationRepository>()
|
||||||
private val storage = mock<Storage>()
|
private val storage = mock<Storage>()
|
||||||
|
private val mmsDatabase = mock<MmsDatabase>()
|
||||||
|
|
||||||
private val threadId = 123L
|
private val threadId = 123L
|
||||||
private val edKeyPair = mock<KeyPair>()
|
private val edKeyPair = mock<KeyPair>()
|
||||||
@ -39,7 +41,7 @@ class ConversationViewModelTest: BaseViewModelTest() {
|
|||||||
private lateinit var messageRecord: MessageRecord
|
private lateinit var messageRecord: MessageRecord
|
||||||
|
|
||||||
private val viewModel: ConversationViewModel by lazy {
|
private val viewModel: ConversationViewModel by lazy {
|
||||||
ConversationViewModel(threadId, edKeyPair, repository, storage)
|
ConversationViewModel(threadId, edKeyPair, repository, storage, mock(), mmsDatabase)
|
||||||
}
|
}
|
||||||
|
|
||||||
@Before
|
@Before
|
||||||
|
@ -0,0 +1,52 @@
|
|||||||
|
package org.thoughtcrime.securesms.util
|
||||||
|
|
||||||
|
import kotlinx.coroutines.ExperimentalCoroutinesApi
|
||||||
|
import kotlinx.coroutines.flow.flow
|
||||||
|
import kotlinx.coroutines.flow.flowOf
|
||||||
|
import kotlinx.coroutines.flow.toCollection
|
||||||
|
import kotlinx.coroutines.flow.toList
|
||||||
|
import kotlinx.coroutines.test.runTest
|
||||||
|
import org.junit.Assert.assertEquals
|
||||||
|
import org.junit.Test
|
||||||
|
|
||||||
|
class FlowUtilsTest {
|
||||||
|
|
||||||
|
@Test
|
||||||
|
fun `timedBuffer should emit buffer when it's full`() = runTest {
|
||||||
|
// Given
|
||||||
|
val flow = flowOf(1, 2, 3, 4, 5, 6, 7, 8, 9, 10)
|
||||||
|
val timeoutMillis = 1000L
|
||||||
|
val maxItems = 5
|
||||||
|
|
||||||
|
// When
|
||||||
|
val result = flow.timedBuffer(timeoutMillis, maxItems).toList()
|
||||||
|
|
||||||
|
// Then
|
||||||
|
assertEquals(2, result.size)
|
||||||
|
assertEquals(listOf(1, 2, 3, 4, 5), result[0])
|
||||||
|
assertEquals(listOf(6, 7, 8, 9, 10), result[1])
|
||||||
|
}
|
||||||
|
|
||||||
|
@OptIn(ExperimentalCoroutinesApi::class)
|
||||||
|
@Test
|
||||||
|
fun `timedBuffer should emit buffer when timeout expires`() = runTest {
|
||||||
|
// Given
|
||||||
|
val flow = flow {
|
||||||
|
emit(1)
|
||||||
|
emit(2)
|
||||||
|
emit(3)
|
||||||
|
testScheduler.advanceTimeBy(200L)
|
||||||
|
emit(4)
|
||||||
|
}
|
||||||
|
val timeoutMillis = 100L
|
||||||
|
val maxItems = 5
|
||||||
|
|
||||||
|
// When
|
||||||
|
val result = flow.timedBuffer(timeoutMillis, maxItems).toList()
|
||||||
|
|
||||||
|
// Then
|
||||||
|
assertEquals(2, result.size)
|
||||||
|
assertEquals(listOf(1, 2, 3), result[0])
|
||||||
|
assertEquals(listOf(4), result[1])
|
||||||
|
}
|
||||||
|
}
|
@ -53,7 +53,7 @@ interface StorageProtocol {
|
|||||||
fun persistJob(job: Job)
|
fun persistJob(job: Job)
|
||||||
fun markJobAsSucceeded(jobId: String)
|
fun markJobAsSucceeded(jobId: String)
|
||||||
fun markJobAsFailedPermanently(jobId: String)
|
fun markJobAsFailedPermanently(jobId: String)
|
||||||
fun getAllPendingJobs(type: String): Map<String,Job?>
|
fun getAllPendingJobs(vararg types: String): Map<String,Job?>
|
||||||
fun getAttachmentUploadJob(attachmentID: Long): AttachmentUploadJob?
|
fun getAttachmentUploadJob(attachmentID: Long): AttachmentUploadJob?
|
||||||
fun getMessageSendJob(messageSendJobID: String): MessageSendJob?
|
fun getMessageSendJob(messageSendJobID: String): MessageSendJob?
|
||||||
fun getMessageReceiveJob(messageReceiveJobID: String): Job?
|
fun getMessageReceiveJob(messageReceiveJobID: String): Job?
|
||||||
|
@ -1,6 +1,8 @@
|
|||||||
package org.session.libsession.messaging.jobs
|
package org.session.libsession.messaging.jobs
|
||||||
|
|
||||||
import okhttp3.HttpUrl
|
import okhttp3.HttpUrl
|
||||||
|
import org.session.libsession.database.MessageDataProvider
|
||||||
|
import org.session.libsession.database.StorageProtocol
|
||||||
import org.session.libsession.messaging.MessagingModuleConfiguration
|
import org.session.libsession.messaging.MessagingModuleConfiguration
|
||||||
import org.session.libsession.messaging.open_groups.OpenGroupApi
|
import org.session.libsession.messaging.open_groups.OpenGroupApi
|
||||||
import org.session.libsession.messaging.sending_receiving.attachments.AttachmentId
|
import org.session.libsession.messaging.sending_receiving.attachments.AttachmentId
|
||||||
@ -40,6 +42,36 @@ class AttachmentDownloadJob(val attachmentID: Long, val databaseMessageID: Long)
|
|||||||
// Keys used for database storage
|
// Keys used for database storage
|
||||||
private val ATTACHMENT_ID_KEY = "attachment_id"
|
private val ATTACHMENT_ID_KEY = "attachment_id"
|
||||||
private val TS_INCOMING_MESSAGE_ID_KEY = "tsIncoming_message_id"
|
private val TS_INCOMING_MESSAGE_ID_KEY = "tsIncoming_message_id"
|
||||||
|
|
||||||
|
/**
|
||||||
|
* Check if the attachment in the given message is eligible for download.
|
||||||
|
*
|
||||||
|
* Note that this function only checks for the eligibility of the attachment in the sense
|
||||||
|
* of whether the download is allowed, it does not check if the download has already taken
|
||||||
|
* place.
|
||||||
|
*/
|
||||||
|
fun eligibleForDownload(threadID: Long,
|
||||||
|
storage: StorageProtocol,
|
||||||
|
messageDataProvider: MessageDataProvider,
|
||||||
|
databaseMessageID: Long): Boolean {
|
||||||
|
val threadRecipient = storage.getRecipientForThread(threadID) ?: return false
|
||||||
|
|
||||||
|
// if we are the sender we are always eligible
|
||||||
|
val selfSend = messageDataProvider.isMmsOutgoing(databaseMessageID)
|
||||||
|
if (selfSend) {
|
||||||
|
return true
|
||||||
|
}
|
||||||
|
|
||||||
|
// you can't be eligible without a sender
|
||||||
|
val sender = messageDataProvider.getIndividualRecipientForMms(databaseMessageID)?.address?.serialize()
|
||||||
|
?: return false
|
||||||
|
|
||||||
|
// you can't be eligible without a contact entry
|
||||||
|
val contact = storage.getContactWithSessionID(sender) ?: return false
|
||||||
|
|
||||||
|
// we are eligible if we are receiving a group message or the contact is trusted
|
||||||
|
return threadRecipient.isGroupRecipient || contact.isTrusted
|
||||||
|
}
|
||||||
}
|
}
|
||||||
|
|
||||||
override suspend fun execute(dispatcherName: String) {
|
override suspend fun execute(dispatcherName: String) {
|
||||||
@ -88,21 +120,7 @@ class AttachmentDownloadJob(val attachmentID: Long, val databaseMessageID: Long)
|
|||||||
return
|
return
|
||||||
}
|
}
|
||||||
|
|
||||||
val threadRecipient = storage.getRecipientForThread(threadID)
|
if (!eligibleForDownload(threadID, storage, messageDataProvider, databaseMessageID)) {
|
||||||
val selfSend = messageDataProvider.isMmsOutgoing(databaseMessageID)
|
|
||||||
val sender = if (selfSend) {
|
|
||||||
storage.getUserPublicKey()
|
|
||||||
} else {
|
|
||||||
messageDataProvider.getIndividualRecipientForMms(databaseMessageID)?.address?.serialize()
|
|
||||||
}
|
|
||||||
val contact = sender?.let { storage.getContactWithSessionID(it) }
|
|
||||||
if (threadRecipient == null || sender == null || (contact == null && !selfSend)) {
|
|
||||||
handleFailure(Error.NoSender, null)
|
|
||||||
return
|
|
||||||
}
|
|
||||||
if (!threadRecipient.isGroupRecipient && contact?.isTrusted != true && storage.getUserPublicKey() != sender) {
|
|
||||||
// if we aren't receiving a group message, a message from ourselves (self-send) and the contact sending is not trusted:
|
|
||||||
// do not continue, but do not fail
|
|
||||||
handleFailure(Error.NoSender, null)
|
handleFailure(Error.NoSender, null)
|
||||||
return
|
return
|
||||||
}
|
}
|
||||||
|
@ -102,7 +102,7 @@ class JobQueue : JobDelegate {
|
|||||||
execute(dispatcherName)
|
execute(dispatcherName)
|
||||||
}
|
}
|
||||||
catch (e: Exception) {
|
catch (e: Exception) {
|
||||||
Log.d(dispatcherName, "unhandledJobException: ${javaClass.simpleName} (id: $id)")
|
Log.d(dispatcherName, "unhandledJobException: ${javaClass.simpleName} (id: $id)", e)
|
||||||
this@JobQueue.handleJobFailed(this, dispatcherName, e)
|
this@JobQueue.handleJobFailed(this, dispatcherName, e)
|
||||||
}
|
}
|
||||||
}
|
}
|
||||||
|
Loading…
Reference in New Issue
Block a user