Skip to content

Commit

Permalink
WIP: basic chat implementation
Browse files Browse the repository at this point in the history
  • Loading branch information
ttypic committed Sep 9, 2024
1 parent 0ee8e80 commit 8b3b076
Show file tree
Hide file tree
Showing 6 changed files with 111 additions and 38 deletions.
9 changes: 5 additions & 4 deletions chat-android/src/main/java/com/ably/chat/ChatApi.kt
Original file line number Diff line number Diff line change
Expand Up @@ -17,19 +17,20 @@ private const val API_PROTOCOL_VERSION = 3
private const val PROTOCOL_VERSION_PARAM_NAME = "v"
private val apiProtocolParam = Param(PROTOCOL_VERSION_PARAM_NAME, API_PROTOCOL_VERSION.toString())

// TODO make this class internal
class ChatApi(private val realtimeClient: RealtimeClient, private val clientId: String) {
internal class ChatApi(private val realtimeClient: RealtimeClient, private val clientId: String) {

/**
* Get messages from the Chat Backend
*
* @return paginated result with messages
*/
suspend fun getMessages(roomId: String, params: QueryOptions): PaginatedResult<Message> {
suspend fun getMessages(roomId: String, options: QueryOptions, fromSerial: String? = null): PaginatedResult<Message> {
val baseParams = options.toParams()
val params = fromSerial?.let { baseParams + Param("fromSerial", it) } ?: baseParams
return makeAuthorizedPaginatedRequest(
url = "/chat/v1/rooms/$roomId/messages",
method = "GET",
params = params.toParams(),
params = params,
) {
Message(
timeserial = it.requireString("timeserial"),
Expand Down
3 changes: 2 additions & 1 deletion chat-android/src/main/java/com/ably/chat/ChatClient.kt
Original file line number Diff line number Diff line change
Expand Up @@ -37,7 +37,8 @@ interface ChatClient {
val clientOptions: ClientOptions
}

fun ChatClient(realtimeClient: RealtimeClient, clientOptions: ClientOptions): ChatClient = DefaultChatClient(realtimeClient, clientOptions)
fun ChatClient(realtimeClient: RealtimeClient, clientOptions: ClientOptions = ClientOptions()): ChatClient =
DefaultChatClient(realtimeClient, clientOptions)

internal class DefaultChatClient(
override val realtime: RealtimeClient,
Expand Down
79 changes: 72 additions & 7 deletions chat-android/src/main/java/com/ably/chat/Messages.kt
Original file line number Diff line number Diff line change
Expand Up @@ -2,7 +2,13 @@

package com.ably.chat

import com.ably.chat.QueryOptions.MessageOrder.NewestFirst
import com.google.gson.JsonObject
import io.ably.lib.realtime.Channel
import io.ably.lib.realtime.Channel.MessageListener
import io.ably.lib.realtime.ChannelState
import kotlin.coroutines.resume
import kotlin.coroutines.suspendCoroutine

/**
* This interface is used to interact with messages in a chat room: subscribing
Expand Down Expand Up @@ -91,7 +97,7 @@ data class QueryOptions(
/**
* The order of messages in the query result.
*/
val orderBy: MessageOrder = MessageOrder.NewestFirst,
val orderBy: MessageOrder = NewestFirst,
) {
/**
* Represents direction to query messages in.
Expand Down Expand Up @@ -169,26 +175,73 @@ data class SendMessageParams(
val headers: MessageHeaders? = null,
)

interface MessagesSubscription: Cancellation {
interface MessagesSubscription : Cancellation {
suspend fun getPreviousMessages(queryOptions: QueryOptions): PaginatedResult<Message>
}

class DefaultMessages(
internal class DefaultMessagesSubscription(
private val chatApi: ChatApi,
private val roomId: String,
private val cancellation: Cancellation,
private val timeserialProvider: suspend () -> String,
) : MessagesSubscription {
override fun cancel() {
cancellation.cancel()
}

override suspend fun getPreviousMessages(queryOptions: QueryOptions): PaginatedResult<Message> {
val fromSerial = timeserialProvider()
return chatApi.getMessages(
roomId = roomId,
options = queryOptions.copy(orderBy = NewestFirst),
fromSerial = fromSerial,
)
}
}

internal class DefaultMessages(
private val roomId: String,
private val realtimeClient: RealtimeClient,
realtimeClient: RealtimeClient,
private val chatApi: ChatApi,
) : Messages {

private var observers: Set<Messages.Listener> = emptySet()

private var channelSerial: String? = null

/**
* the channel name for the chat messages channel.
*/
private val messagesChannelName = "$roomId::\$chat::\$chatMessages"

override val channel: Channel
get() = realtimeClient.channels.get(messagesChannelName, ChatChannelOptions())
override val channel: Channel = realtimeClient.channels.get(messagesChannelName, ChatChannelOptions())

override fun subscribe(listener: Messages.Listener): MessagesSubscription {
TODO("Not yet implemented")
observers += listener
val messageListener = MessageListener {
val pubSubMessage = it!!
val chatMessage = Message(
roomId = roomId,
createdAt = pubSubMessage.timestamp,
clientId = pubSubMessage.clientId,
timeserial = pubSubMessage.extras.asJsonObject().get("timeserial").asString,
text = (pubSubMessage.data as JsonObject).get("text").asString,
metadata = mapOf(), // rawPubSubMessage.data.metadata
headers = mapOf(), // rawPubSubMessage.extras.headers
)
observers.forEach { listener -> listener.onEvent(MessageEvent(type = MessageEventType.Created, message = chatMessage)) }
}
channel.subscribe(messageListener)

return DefaultMessagesSubscription(
chatApi = chatApi,
roomId = roomId,
cancellation = {
observers -= listener
channel.unsubscribe(messageListener)
},
timeserialProvider = { getChannelSerial() },
)
}

override suspend fun get(options: QueryOptions): PaginatedResult<Message> = chatApi.getMessages(roomId, options)
Expand All @@ -198,4 +251,16 @@ class DefaultMessages(
override fun onDiscontinuity(listener: EmitsDiscontinuities.Listener): Cancellation {
TODO("Not yet implemented")
}

private suspend fun readAttachmentProperties() = suspendCoroutine { continuation ->
channel.once(ChannelState.attached) {
continuation.resume(channel.properties)
}
}

private suspend fun getChannelSerial(): String {
if (channelSerial != null) return channelSerial!!
channelSerial = readAttachmentProperties().channelSerial
return channelSerial!!
}
}
15 changes: 6 additions & 9 deletions chat-android/src/main/java/com/ably/chat/Rooms.kt
Original file line number Diff line number Diff line change
@@ -1,8 +1,5 @@
package com.ably.chat

import io.ably.lib.types.AblyException
import io.ably.lib.types.ErrorInfo

/**
* Manages the lifecycle of chat rooms.
*/
Expand All @@ -24,7 +21,7 @@ interface Rooms {
* @throws {@link ErrorInfo} if a room with the same ID but different options already exists.
* @returns Room A new or existing Room object.
*/
fun get(roomId: String, options: RoomOptions): Room
fun get(roomId: String, options: RoomOptions = RoomOptions()): Room

/**
* Release the Room object if it exists. This method only releases the reference
Expand Down Expand Up @@ -60,11 +57,11 @@ internal class DefaultRooms(
)
}

if (room.options != options) {
throw AblyException.fromErrorInfo(
ErrorInfo("Room already exists with different options", HttpStatusCodes.BadRequest, ErrorCodes.BadRequest),
)
}
// if (room.options != options) {
// throw AblyException.fromErrorInfo(
// ErrorInfo("Room already exists with different options", HttpStatusCodes.BadRequest, ErrorCodes.BadRequest),
// )
// }

room
}
Expand Down
2 changes: 1 addition & 1 deletion chat-android/src/main/java/com/ably/chat/Utils.kt
Original file line number Diff line number Diff line change
Expand Up @@ -39,7 +39,7 @@ suspend fun Channel.detachCoroutine() = suspendCoroutine { continuation ->
fun ChatChannelOptions(init: (ChannelOptions.() -> Unit)? = null): ChannelOptions {
val options = ChannelOptions()
init?.let { options.it() }
options.params = options.params + mapOf(
options.params = (options.params ?: mapOf()) + mapOf(
AGENT_PARAMETER_NAME to "chat-kotlin/${BuildConfig.APP_VERSION}",
)
return options
Expand Down
41 changes: 25 additions & 16 deletions example/src/main/java/com/ably/chat/example/MainActivity.kt
Original file line number Diff line number Diff line change
Expand Up @@ -20,6 +20,7 @@ import androidx.compose.material3.Scaffold
import androidx.compose.material3.Text
import androidx.compose.material3.TextField
import androidx.compose.runtime.Composable
import androidx.compose.runtime.DisposableEffect
import androidx.compose.runtime.getValue
import androidx.compose.runtime.mutableStateOf
import androidx.compose.runtime.remember
Expand All @@ -30,10 +31,9 @@ import androidx.compose.ui.Modifier
import androidx.compose.ui.graphics.Color
import androidx.compose.ui.text.input.TextFieldValue
import androidx.compose.ui.unit.dp
import com.ably.chat.ChatApi
import com.ably.chat.ChatClient
import com.ably.chat.Message
import com.ably.chat.QueryOptions
import com.ably.chat.QueryOptions.MessageOrder.OldestFirst
import com.ably.chat.RealtimeClient
import com.ably.chat.SendMessageParams
import com.ably.chat.example.ui.theme.AblyChatExampleTheme
Expand All @@ -46,20 +46,23 @@ val randomClientId = UUID.randomUUID().toString()
class MainActivity : ComponentActivity() {
override fun onCreate(savedInstanceState: Bundle?) {
super.onCreate(savedInstanceState)

val realtimeClient = RealtimeClient(
ClientOptions().apply {
key = BuildConfig.ABLY_KEY
clientId = randomClientId
logLevel = 2
},
)
val chatApi = ChatApi(realtimeClient, randomClientId)

val chatClient = ChatClient(realtimeClient)

enableEdgeToEdge()
setContent {
AblyChatExampleTheme {
Scaffold(modifier = Modifier.fillMaxSize()) { innerPadding ->
Chat(
chatApi,
chatClient,
modifier = Modifier.padding(innerPadding),
)
}
Expand All @@ -69,26 +72,33 @@ class MainActivity : ComponentActivity() {
}

@Composable
fun Chat(chatApi: ChatApi, modifier: Modifier = Modifier) {
fun Chat(chatClient: ChatClient, modifier: Modifier = Modifier) {
var messageText by remember { mutableStateOf(TextFieldValue("")) }
var sending by remember { mutableStateOf(false) }
var messages by remember { mutableStateOf(listOf<Message>()) }
val coroutineScope = rememberCoroutineScope()

val roomId = "my-room"
val room = chatClient.rooms.get(roomId)

DisposableEffect(Unit) {
val subscription = room.messages.subscribe {
messages += it.message
}

coroutineScope.launch {
messages = subscription.getPreviousMessages(QueryOptions()).items
}

onDispose {
subscription.cancel()
}
}

Column(
modifier = Modifier.fillMaxSize(),
modifier = modifier.fillMaxSize(),
verticalArrangement = Arrangement.SpaceBetween,
) {
Button(modifier = modifier.align(Alignment.CenterHorizontally), onClick = {
coroutineScope.launch {
messages = chatApi.getMessages(roomId, QueryOptions(orderBy = OldestFirst)).items
}
}) {
Text("Load")
}

LazyColumn(
modifier = Modifier.weight(1f).padding(16.dp),
userScrollEnabled = true,
Expand All @@ -105,8 +115,7 @@ fun Chat(chatApi: ChatApi, modifier: Modifier = Modifier) {
) {
sending = true
coroutineScope.launch {
chatApi.sendMessage(
roomId,
room.messages.send(
SendMessageParams(
text = messageText.text,
),
Expand Down

0 comments on commit 8b3b076

Please sign in to comment.