Sending Custom Chat Attachments With Jetpack Compose

9 min read

In this tutorial, you’ll learn how to customize Stream’s Compose UI components and send custom files as attachments with AttachmentFactory.

Harun W.
Harun W.
Published October 7, 2021 Updated October 8, 2021
Sending custom chat attachments with Jetpack Compose

Specifically, this tutorial will cover:

  • What an AttachmentFactory is
  • Creating a custom AttachmentFactory
  • Customizing Stream Compose UI Components
  • Sending custom files as attachments
  • Adding previews for your custom attachment

Note: Stream recently announced their Jetpack Compose UI components, which are currently in beta. This follows the announcement of the stable version of Jetpack Compose. You can try out the new SDK in the Jetpack Compose Chat Tutorial.

The Stream Chat SDK supports several attachments by default, including images, URLs, gifs, and videos. With the XML UI components, you can create a custom AttachmentViewFactory class that renders your attachment preview. The good news is that with the Compose UI components, this is still achievable :]

But first, you'll need to understand what an AttachmentFactory is.

Note: all the code from this tutorial is available on GitHub.

Introduction to AttachmentFactory

AttachmentFactory is a class that allows you to build and render your attachments in a list of messages. The Stream Chat Compose SDK provides several default factories to transform images, files, and link attachments. You can get all the default factories using:

kotlin
val defaultFactories = StreamAttachmentFactories.defaultFactories()

If your app needs attachments other than those provided by the default factories, you have to create custom ones (you’ll cover this in the subsequent sections).

To create a custom AttachmentFactory, you'll need:

  • A view to show the attachment. In this case, this will be a composable function.
  • To create a new AttachmentFactory. Here, you supply a predicate that checks for your custom attachment and specifies how to render the attachment content.

Before creating a custom AttachmentFactory, you'll need to create an Attachment object.

Custom Password Attachment

To start, you have to prepare a message that you’ll send to a channel.

kotlin
val attachment = Attachment(
    type = "password",
    extraData = mutableMapOf("password" to "12345"),
)
val message = Message(
    cid = channelId,
    attachments = mutableListOf(attachment),
)

This is a message with an attachment that contains a password. You pass the password through the extraData property. By default, Stream’s Chat SDK doesn't know how to render the attachment’s content.
To render this, you'll create a composable that shows your password. Here's what the code looks like:

kotlin
// 1
@Composable
// 2
fun PasswordAttachmentView(attachmentState: AttachmentState) {
    // 3
    var showPassword by remember { mutableStateOf(false) }
    // 4
    val passwordAttachment = attachmentState.messageItem.message.attachments.first { it.type == "password" }

    Row(
        modifier = Modifier
            .padding(6.dp)
            .clip(ChatTheme.shapes.attachment)
            .background(Color.White)
    ) {

In the snippet above, you:

  1. Annotate the PasswordAttachmentView function using the @Composable annotation. This lets you build the component's UI with Compose as opposed to using XML.
  2. Pass in AttachmentState as an argument to the PasswordAttachmentView function. AttachmentState is a class that handles the state of the attachment. It has a MessageItem, Modifier, and onLongItemClick handler:
    • The MessageItem contains all the information about a particular attachment.
    • Modifier allows you to specify component size, padding, background, etc.
  3. Store the showPassword value in memory of the composable with the remember composable. This value triggers a recomposition of the composable when the value changes.
  4. Look for attachments whose type is password from the AttachmentState.
  5. Use the OutlinedTextField composable for handling user inputs. In this scenario, you're using it to display your password attachment:
    • You set the value of the OutlinedTextField by getting the extraData that you passed to the attachment.
    • Notice that the visualTransformation and trailingIcon are dependent on the value of showPassword. This helps in toggling the password visibility.

You've built the view that will render your attachment content. Next, you'll create a custom AttachmentFactory, which you need to show your attachment content.

Creating a Custom Password AttachmentFactory

To build your custom password message content, you have to create your own factory. It will look like this:

kotlin
@ExperimentalStreamChatApi
val customAttachmentFactories: List<AttachmentFactory> = listOf(
     AttachmentFactory(
        canHandle = { attachments -> attachments.any { it.type == "password" } },
        content = @Composable { PasswordAttachmentView(it) }
    )
)

This is a list of attachment factories. Each AttachmentFactory has the following two properties:

  • canHandle - a lambda function that accepts a list of attachments. You also specify what type of attachments the factory can handle. In this case, it's the attachments with type password.
  • content - specifies the composable that renders your password attachment content. It uses the PasswordAttachmentView composable that you created earlier.

The last thing to do is to add your custom factory to the ChatTheme. To do this, override the attachmentFactories in your ChatTheme wrapper:

kotlin
ChatTheme(
    attachmentFactories = customAttachmentFactories + defaultFactories
)

Here, you override the default factories by providing your own custom factoring and also adding the defaultFactories.

Now, when you send a message with a type password, it will appear in Message List like this:

Password attachment show

Tapping the password visibility icon, you'll see the password value:

Password attachment, hide password

The showPassword variable toggles the password content visibility. It also toggles the password visibility icon to change depending on what is shown. This view will render all attachments with type password by default.

You've seen how to send attachments that don't have files. In the next section, you'll learn how to record audio files and send them as custom attachments, too.

Custom Audio Attachment

Sending audio files is a sought-after feature in chat apps. With Stream Chat, you can send audio files as custom attachments. Similar to the password attachment, you'll need to:

  • Create and send your custom attachment.
  • Create a custom view for your attachment.
  • Add your custom AttachmentFactory.

Here's the message with the attachment:

kotlin
val attachment = Attachment(
    type = "audio",
    upload = File(output),
)
val message = Message(
    cid = channelId,
    attachments = mutableListOf(attachment),
)

For attachments with files, you have to use the upload property. It uploads your attachment. You can access the attachment using the url property of the attachment.

For more info about creating and sending attachments, read the Sending Custom Attachments guide.

You’ll use MediaRecorder to create the output file. We won't detail this functionality here, but you can find all the code for it in the sample project on GitHub.

Building your own app? Get early access to our Livestream or Video Calling API and launch in days!

You have your Attachment object ready. Next, you'll learn how to create a preview of the audio attachment content.

Custom Audio Attachments View

For audio, you'll need a UI with playback functionality so that you can listen to the audio that has been sent. You'll use the Android MediaPlayer for playing the audio file.

Here's the code for this component:

kotlin
@Composable
fun AudioAttachmentView(attachmentState: AttachmentState) {
    // 1
    var playing by remember { mutableStateOf(false) }
    // 2
    val audioAttachment = attachmentState.messageItem.message.attachments.first { it.type == "audio" }
    // 3
    val player = PlayerWrapper(
        player = MediaPlayer.create(LocalContext.current, Uri.parse(audioAttachment.url)),
        onStop = { playing = false },
    )

    // 4
    DisposableEffect(Unit) {
        onDispose { player.release() }

In the snippet above, you:

  1. Use the playing state variable to track the playback state. It helps in toggling between the play and stop icons.
  2. Get the audio attachment from AttachmentState.
  3. Create a PlayerWrapper instance. It has utility methods for playing, stopping, and releasing the MediaPlayer. You also pass the audio file as URI.
  4. Call the release() function from the PlayerWrapper class to clean up the MediaPlayer. This ensures your composable doesn't have any side effects and the PlayerWrapper is cleaned up when the composable leaves composition.
  5. Create an IconButton that changes state depending on the state of the player. Tapping this button plays the audio and shows the stop icon. Tapping the stop icon will stop the audio.
  6. Call the Text composable, which shows the name of the file.

You have the preview ready. Next, you'll create a custom messages screen with a record button at the bottom.

Customizing the Messages Screen

With the new Compose UI components, it's easy to add chat features to your app and customize these components to your needs. You learn how to customize some of these components in the following sections.

For the audio recording functionality, you need to add a recording icon on your message input layout like so:

Custom message composer

In the image above, notice the two new icons added:

  • A password icon that sends the password attachment you've learned about earlier in this article.
  • A microphone icon that enables all the recording functionality.

To get this UI, begin by customizing your Messages Screen:

kotlin
ChatTheme(
    attachmentFactories = customAttachmentFactories + defaultFactories
) {
    CustomUi(onBackPressed = { onBackPressed() })
}

Here, you use the ChatTheme from Stream’s Compose UI elements. It provides you with default styling, but you can choose to use a custom theme if you need different styling. You’ll also pass your custom factories to handle the custom attachments.

Set the content to a custom component that you'll implement with the following code:

kotlin
@Composable
fun CustomUi(onBackPressed: () -> Unit) {
    val isShowingAttachments = attachmentsPickerViewModel.isShowingAttachments
    val selectedMessage = listViewModel.currentMessagesState.selectedMessage
    val user by listViewModel.user.collectAsState()

    Box(modifier = Modifier.fillMaxSize()) {
        Scaffold(
            modifier = Modifier.fillMaxSize(),
            bottomBar = {
                CustomAudioComposer()
            },
            content = {
                Column(modifier = Modifier.fillMaxSize()) {
                    MessageListHeader(

Some of the code from the CustomMessageScreen is omitted for brevity. To explain the key components in the CustomUi composable: You're defining the parent layout, which is Box and Scaffold.

The Box layout allows you to show things on top of each other. Scaffold is a material design layout structure that makes it easier to add different material components like app bar, bottom navigation, and content. In the Scaffold you define:

  • bottomBar - This is the bottom bar with a MessageComposer for sending messages and attachments. By default, it only has the attachment icon. You'll add other icons and their actions, too. You'll see the contents of CustomAudioComposer in a moment.
  • content - This has the contents of the rest of the screen. You have a Column with a MessageListHeader and a MessageList.
    • MessageListHeader shows the back button, channels information (like members online), and displays the current user’s avatar.
    • The MessageList component shows messages in the selected channel. These two components are customizable depending on what information you want to display.

Next, you'll dive deep into the CustomAudioComposer component to see how you can add custom actions to MessageComposer.

Creating a Custom Message Composer

MessageComposer allows a user to type and send messages and add and send attachments, too.

kotlin
@Composable
fun CustomAudioComposer() {
    val buttonState by stateViewModel.isRecording.collectAsState()
    MessageComposer(
        modifier = Modifier
            .fillMaxWidth()
            .wrapContentHeight(),
        viewModel = composerViewModel,
        // 1
        integrations = {
            IconButton(
                modifier = Modifier
                    .align(Alignment.CenterVertically)
                    .width(35.dp)
                    .height(35.dp)

This is the CustomAudioComposer with the following two key components:

  • integrations - You use this to provide attachment integrations. By default, there are the image, file, and media capture attachments. In this custom attachment, there are three integrations: the default attachment browser button, a button for password integration, and a button with a microphone for audio integration. With these IconButtons, you can provide custom actions to handle them when they're selected. In this case, they handle sending passwords and audio attachments.
  • input - This has a MessageInput component where the user can type their messages.

And that's all you need for your custom messages screen with custom integrations. Once you run the app, your MessageComposer will look like this:

Custom message composer with integrations

When you tap on the microphone icon, you'll see a Toast with a "Recording started!" message:

Recording started screen

When you tap Stop, the recording will stop and your audio file will be uploaded:

Audio sent screen

The custom factory will render your audio attachment, which shows the audio name and a Play icon. When you tap play, your audio starts playing:

Playing audio screen

Notice the icon changes color and shows the stop icon now, which will stop playback when tapped.

This is how the two custom attachments look:

Password audio attachments

Congratulations! You've learned how to add custom attachments with and without files. Now, you can enhance your chat application with all these amazing custom features you've learned!

Conclusion

You've seen how easy it is to add custom attachments to Stream Compose UI components. You can add as many different custom attachment types as your app needs.

In case you missed it, you can find the full sample project with examples in this tutorial on GitHub.

The Compose SDK is still in beta. In case you have any feedback on using the SDK, reach the team on Twitter and on GitHub.

decorative lines
Integrating Video With Your App?
We've built a Video and Audio solution just for you. Check out our APIs and SDKs.
Learn more ->