Code_Function
stringlengths 13
13.9k
| Message
stringlengths 10
1.46k
|
---|---|
@Composable public fun SearchInput(query: String,onValueChange: (String) -> Unit,modifier: Modifier = Modifier,onSearchStarted: () -> Unit = {},leadingIcon: @Composable RowScope.() -> Unit = { DefaultSearchLeadingIcon() }, label: @Composable () -> Unit = { DefaultSearchLabel() }, ) { var isFocused by remember { mutableStateOf(false) } val trailingIcon: (@Composable RowScope.() -> Unit)? = if (isFocused && query.isNotEmpty()) { @Composable { IconButton( modifier = Modifier .weight(1f) .size(24.dp), onClick = { onValueChange("") }, content = { Icon( painter = painterResource(id = R.drawable.stream_compose_ic_clear), contentDescription = stringResource(id = R.string.stream_compose_search_input_cancel), tint = ChatTheme.colors.textLowEmphasis, ) } ) } } else null InputField( modifier = modifier .onFocusEvent { newState -> val wasPreviouslyFocused = isFocused if (!wasPreviouslyFocused && newState.isFocused) { onSearchStarted() } isFocused = newState.isFocused},value = query,onValueChange = onValueChange, decorationBox = { innerTextField ->Row(Modifier.fillMaxWidth(),verticalAlignment = Alignment.CenterVertically) {leadingIcon() Box(modifier = Modifier.weight(8f)) { if (query.isEmpty()) { label() } innerTextField() } trailingIcon?.invoke(this) } }, maxLines = 1, innerPadding = PaddingValues(4.dp) ) } | The search component that allows the user to fill in a search query and filter their items. It also holds a clear action, that is active when the search is in focus and not empty, to clear the input. @param query Current query value. @param onValueChange Handler when the value changes. @param modifier Modifier for styling. @param onSearchStarted Handler when the search starts, by focusing the input field. @param leadingIcon The icon at the start of the search component that's customizable, but shows [DefaultSearchLeadingIcon] by default. @param label The label shown in the search component, when there's no input. |
@Composable public fun SimpleDialog( title: String, message: String, onPositiveAction: () -> Unit, onDismiss: () -> Unit, modifier: Modifier = Modifier, ) { AlertDialog( modifier = modifier, onDismissRequest = onDismiss, title = { Text( text = title, color = ChatTheme.colors.textHighEmphasis, style = ChatTheme.typography.title3Bold, ) }, text = { Text( text = message, color = ChatTheme.colors.textHighEmphasis, style = ChatTheme.typography.body, ) }, confirmButton = { TextButton( colors = ButtonDefaults.textButtonColors(contentColor = ChatTheme.colors.primaryAccent), onClick = { onPositiveAction() } ) { Text(text = stringResource(id = R.string.stream_compose_ok)) } }, dismissButton = { TextButton( colors = ButtonDefaults.textButtonColors(contentColor = ChatTheme.colors.primaryAccent), onClick = onDismiss ) { Text(text = stringResource(id = R.string.stream_compose_cancel)) } }, backgroundColor = ChatTheme.colors.barsBackground, ) } | Generic dialog component that allows us to prompt the user. |
@Composable public fun SimpleMenu( modifier: Modifier = Modifier, shape: Shape = ChatTheme.shapes.bottomSheet, overlayColor: Color = ChatTheme.colors.overlay, onDismiss: () -> Unit = {}, headerContent: @Composable ColumnScope.() -> Unit = {}, centerContent: @Composable ColumnScope.() -> Unit = {}, ) { Box( modifier = Modifier .background(overlayColor) .fillMaxSize() .clickable( onClick = onDismiss, indication = null, interactionSource = remember { MutableInteractionSource() } ) ) { Card( modifier = modifier.clickable( onClick = {},indication = null, interactionSource = remember { MutableInteractionSource() } ), shape = shape, backgroundColor = ChatTheme.colors.barsBackground ) { Column { headerContent() centerContent()}}}BackHandler(enabled = true, onBack = onDismiss)} | Represents a reusable and generic modal menu useful for showing info about selected items. |
@Composable public fun Timestamp( date: Date?, modifier: Modifier = Modifier,formatter: DateFormatter = ChatTheme.dateFormatter,formatType: DateFormatType = DATE, ) {val timestamp = if (LocalInspectionMode.current) {"13:49"} else {when (formatType) {TIME -> formatter.formatTime(date)DATE -> formatter.formatDate(date)}}Text(modifier = modifier,text = timestamp,style = ChatTheme.typography.footnote,color = ChatTheme.colors.textLowEmphasis)} | Represents a timestamp in the app, that's used primarily for channels and messages. |
@Composable public fun TypingIndicator(modifier: Modifier = Modifier) { Row(modifier = modifier, horizontalArrangement = Arrangement.spacedBy(3.dp)) { TypingIndicatorAnimatedDot(0 * DotAnimationDurationMillis) TypingIndicatorAnimatedDot(1 * DotAnimationDurationMillis) TypingIndicatorAnimatedDot(2 * DotAnimationDurationMillis) } } | Represents a simple typing indicator that consists of three animated dots |
@Composable public fun TypingIndicatorAnimatedDot( initialDelayMillis: Int, ) { val alpha = remember { Animatable(0.5f) } LaunchedEffect(initialDelayMillis) { delay(initialDelayMillis.toLong()) alpha.animateTo( targetValue = 1f, animationSpec = infiniteRepeatable( animation = tween( durationMillis = DotAnimationDurationMillis, delayMillis = DotAnimationDurationMillis, ), repeatMode = RepeatMode.Reverse, ), ) } val color: Color = ChatTheme.colors.textLowEmphasis.copy(alpha = alpha.value) Box( Modifier.background(color, CircleShape).size(5.dp) ) } | Show a dot with infinite alpha animation |
@Composable internal fun DefaultFilesPickerItem( fileItem: AttachmentPickerItemState, onItemSelected: (AttachmentPickerItemState) -> Unit, ) { Row( Modifier.fillMaxWidth().clickable(interactionSource = remember { MutableInteractionSource() },indication = rememberRipple(),onClick = { onItemSelected(fileItem) }).padding(vertical = 8.dp, horizontal = 16.dp),verticalAlignment = Alignment.CenterVertically) { Box(contentAlignment = Alignment.Center) { Checkbox(checked = fileItem.isSelected,onCheckedChange = null,colors = CheckboxDefaults.colors(checkedColor = ChatTheme.colors.primaryAccent,uncheckedColor = ChatTheme.colors.disabled,checkmarkColor = Color.White,disabledColor = ChatTheme.colors.disabled,disabledIndeterminateColor = ChatTheme.colors.disabled),)} FilesPickerItemImage( fileItem = fileItem, modifier = Modifier .padding(start = 16.dp) .size(size = 40.dp) ) Column( modifier = Modifier.padding(start = 16.dp), horizontalAlignment = Alignment.Start, verticalArrangement = Arrangement.Center ) { Text( text = fileItem.attachmentMetaData.title ?: "", style = ChatTheme.typography.bodyBold, color = ChatTheme.colors.textHighEmphasis, ) Text( text = MediaStringUtil.convertFileSizeByteCount(fileItem.attachmentMetaData.size), style = ChatTheme.typography.footnote, color = ChatTheme.colors.textLowEmphasis, ) } } } | Represents a single item in the file picker list.@param fileItem File to render.@param onItemSelected Handler when the item is selected. |
@Composable public fun FilesPicker( files: List<AttachmentPickerItemState>, onItemSelected: (AttachmentPickerItemState) -> Unit, onBrowseFilesResult: (List<Uri>) -> Unit, modifier: Modifier = Modifier, itemContent: @Composable (AttachmentPickerItemState) -> Unit = { DefaultFilesPickerItem( fileItem = it, onItemSelected = onItemSelected ) }, ) { val fileSelectContract = rememberLauncherForActivityResult(contract = SelectFilesContract()) { onBrowseFilesResult(it) } Column(modifier = modifier) { Row(Modifier.fillMaxWidth()) { Text( modifier = Modifier.padding(16.dp), text = stringResource(id = R.string.stream_compose_recent_files), style = ChatTheme.typography.bodyBold, color = ChatTheme.colors.textHighEmphasis, ) Spacer(modifier = Modifier.weight(6f)) IconButton( content = { Icon( painter = painterResource(id = R.drawable.stream_compose_ic_more_files), contentDescription = stringResource(id = R.string.stream_compose_send_attachment), tint = ChatTheme.colors.primaryAccent, ) }, onClick = { fileSelectContract.launch(Unit) } ) } LazyColumn(modifier) { items(files) { fileItem -> itemContent(fileItem) } } } } | Shows the UI for files the user can pick for message attachments. Exposes the logic of selecting items and browsing for extra files. |
@Composable public fun FilesPickerItemImage( fileItem: AttachmentPickerItemState, modifier: Modifier = Modifier, ) { val attachment = fileItem.attachmentMetaData val isImage = fileItem.attachmentMetaData.type == "image" val painter = if (isImage) { val dataToLoad = attachment.uri ?: attachment.file rememberStreamImagePainter(dataToLoad) } else { painterResource(id = MimeTypeIconProvider.getIconRes(attachment.mimeType)) } val shape = if (isImage) ChatTheme.shapes.imageThumbnail else null val imageModifier = modifier.let { baseModifier -> if (shape != null) baseModifier.clip(shape) else baseModifier } Image( modifier = imageModifier, painter = painter, contentDescription = null, contentScale = if (isImage) ContentScale.Crop else ContentScale.Fit ) } | Represents the image that's shown in file picker items. This can be either an image/icon that represents the file type or a thumbnail in case the file type is an image. |
@Composable private fun AvatarPreview( imageUrl: String, initials: String, ) { ChatTheme { Avatar( modifier = Modifier.size(36.dp), imageUrl = imageUrl, initials = initials ) } } | Shows [Avatar] preview for the provided parameters. |
@Preview(showBackground = true, name = "Avatar Preview (Without image URL)") @Composable private fun AvatarWithoutImageUrlPreview() { AvatarPreview(imageUrl ="",initials = "JC" ) } | Preview of [Avatar] for a user which is online.Should show a background gradient with fallback initials. |
@Preview(showBackground = true, name = "Avatar Preview (With image URL)") @Composable private fun AvatarWithImageUrlPreview() { AvatarPreview( imageUrl = "https://sample.com/image.png", initials = "JC" ) } | Preview of [Avatar] for a valid image URL.Should show the provided image. |
@Composable public fun Avatar( imageUrl: String, initials: String, modifier: Modifier = Modifier, shape: Shape = ChatTheme.shapes.avatar, textStyle: TextStyle = ChatTheme.typography.title3Bold, placeholderPainter: Painter? = null, contentDescription: String? = null, initialsAvatarOffset: DpOffset = DpOffset(0.dp, 0.dp), onClick: (() -> Unit)? = null, ) { if (LocalInspectionMode.current && imageUrl.isNotBlank()) { ImageAvatar( modifier = modifier, shape = shape, painter = painterResource(id = R.drawable.stream_compose_preview_avatar), contentDescription = contentDescription,onClick = onClick)return}if (imageUrl.isBlank()) {InitialsAvatar(modifier = modifier, initials = initials, shape = shape,textStyle = textStyle,onClick = onClick,avatarOffset = initialsAvatarOffset)return}val painter = rememberStreamImagePainter(data = imageUrl,placeholderPainter = painterResource(id = R.drawable.stream_compose_preview_avatar))if (painter.state is AsyncImagePainter.State.Error) {InitialsAvatar( modifier = modifier, initials = initials, shape = shape, textStyle = textStyle, onClick = onClick, avatarOffset = initialsAvatarOffset ) } else if (painter.state is AsyncImagePainter.State.Loading && placeholderPainter != null) { ImageAvatar( modifier = modifier, shape = shape, painter = placeholderPainter, contentDescription = contentDescription, onClick = onClick ) } else { ImageAvatar( modifier = modifier, shape = shape, painter = painter, contentDescription = contentDescription, onClick = onClick ) } } | An avatar that renders an image from the provided image URL. In case the image URL was empty or there was an error loading the image, it falls back to the initials avatar. |
@Composable private fun ChannelAvatarPreview(channel: Channel) { ChatTheme { ChannelAvatar( channel = channel, currentUser = PreviewUserData.user1, modifier = Modifier.size(36.dp) ) } } | Shows [ChannelAvatar] preview for the provided parameters. |
@Preview(showBackground = true, name = "ChannelAvatar Preview (Many members)") @Composable private fun ChannelAvatarForChannelWithManyMembersPreview() {ChannelAvatarPreview(PreviewChannelData.channelWithManyMembers) } | Preview of [ChannelAvatar] for a channel without image and with many members. Should show an avatar with 4 sections that represent the avatars of the first 4 members of the channel. |
@Composable public fun ChannelAvatar( channel: Channel,currentUser: User?,modifier: Modifier = Modifier,shape: Shape = ChatTheme.shapes.avatar,textStyle: TextStyle = ChatTheme.typography.title3Bold,groupAvatarTextStyle: TextStyle = ChatTheme.typography.captionBold,showOnlineIndicator: Boolean = true,onlineIndicatorAlignment: OnlineIndicatorAlignment = OnlineIndicatorAlignment.TopEnd,onlineIndicator: @Composable BoxScope.() -> Unit = {DefaultOnlineIndicator(onlineIndicatorAlignment)}, contentDescription: String? = null,onClick: (() -> Unit)? = null,) {val members = channel.membersval memberCount = members.sizewhen {channel.image.isNotEmpty() -> { Avatar( modifier = modifier,imageUrl = channel.image,initials = channel.initials,textStyle = textStyle,shape = shape,contentDescription = contentDescription,onClick = onClick)}memberCount == 1 -> {val user = members.first().userUserAvatar(modifier = modifier,user = user,shape = shape,contentDescription = user.name, showOnlineIndicator = showOnlineIndicator,onlineIndicatorAlignment = onlineIndicatorAlignment,onlineIndicator = onlineIndicator,onClick = onClick)}memberCount == 2 && members.any { it.user.id == currentUser?.id } -> {val user = members.first { it.user.id != currentUser?.id }.user UserAvatar(modifier = modifier,user = user,shape = shape, contentDescription = user.name,showOnlineIndicator = showOnlineIndicator,onlineIndicatorAlignment = onlineIndicatorAlignment,onlineIndicator = onlineIndicator, onClick = onClick)}else -> {val users = members.filter { it.user.id != currentUser?.id }.map { it.user }GroupAvatar(users = users,modifier = modifier,shape = shape,textStyle = groupAvatarTextStyle,onClick = onClick,)}}} | Represents the [Channel] avatar that's shown when browsing channels or when you open the Messages screen.Based on the state of the [Channel] and the number of members, it shows different types of images. |
@Preview(showBackground = true, name = "ChannelAvatar Preview (With image)") @Composable private fun ChannelWithImageAvatarPreview() { ChannelAvatarPreview(PreviewChannelData.channelWithImage) } | Preview of [ChannelAvatar] for a channel with an avatar image. Should show a channel image. |
@Preview(showBackground = true, name = "ChannelAvatar Preview (Online user)") @Composable private fun ChannelAvatarForDirectChannelWithOnlineUserPreview() { ChannelAvatarPreview(PreviewChannelData.channelWithOnlineUser) } | Preview of [ChannelAvatar] for a direct conversation with an online user. Should show a user avatar with an online indicator. |
@Preview(showBackground = true, name = "ChannelAvatar Preview (Only one user)")@Composableprivate fun ChannelAvatarForDirectChannelWithOneUserPreview() { ChannelAvatarPreview(PreviewChannelData.channelWithOneUser) } | Preview of [ChannelAvatar] for a direct conversation with only one user.Should show a user avatar with an online indicator. |
@Preview(showBackground = true, name = "ChannelAvatar Preview (Few members)") @Composable private fun ChannelAvatarForChannelWithFewMembersPreview() { ChannelAvatarPreview(PreviewChannelData.channelWithFewMembers) } | Preview of [ChannelAvatar] for a channel without image and with few members.Should show an avatar with 2 sections that represent the avatars of the first 2 members of the channel. |
@Composable public fun GroupAvatar( users: List<User>, modifier: Modifier = Modifier, shape: Shape = ChatTheme.shapes.avatar, textStyle: TextStyle = ChatTheme.typography.captionBold, onClick: (() -> Unit)? = null, ) { val avatarUsers = users.take(DefaultNumberOfAvatars) val imageCount = avatarUsers.size val clickableModifier: Modifier = if (onClick != null) { modifier.clickable( onClick = onClick, indication = rememberRipple(bounded = false), interactionSource = remember { MutableInteractionSource() } ) } else { modifier } Row(clickableModifier.clip(shape)) { Column( modifier = Modifier .weight(1f, fill = false).fillMaxHeight()) {for (imageIndex in 0 until imageCount step 2) {if (imageIndex < imageCount) {UserAvatar(modifier = Modifier.weight(1f).fillMaxSize(),user = avatarUsers[imageIndex],shape = RectangleShape,textStyle = textStyle,showOnlineIndicator = false,initialsAvatarOffset = getAvatarPositionOffset(dimens = ChatTheme.dimens,userPosition = imageIndex, memberCount = imageCount))}}}Column(modifier = Modifier.weight(1f, fill = false).fillMaxHeight()) {for (imageIndex in 1 until imageCount step 2) {if (imageIndex < imageCount) {UserAvatar(modifier = Modifier.weight(1f).fillMaxSize(),user = avatarUsers[imageIndex],shape = RectangleShape,textStyle = textStyle,showOnlineIndicator = false,initialsAvatarOffset = getAvatarPositionOffset(dimens = ChatTheme.dimens,userPosition = imageIndex,memberCount = imageCount))}}}}} | Represents an avatar with a matrix of user images or initials. |
@Composable public fun ImageAvatar( painter: Painter, modifier: Modifier = Modifier, shape: Shape = ChatTheme.shapes.avatar, contentDescription: String? = null, onClick: (() -> Unit)? = null, ) { val clickableModifier: Modifier = if (onClick != null) { modifier.clickable( onClick = onClick, indication = rememberRipple(bounded = false), interactionSource = remember { MutableInteractionSource() } ) } else { modifier } Image( modifier = clickableModifier.clip(shape), contentScale = ContentScale.Crop,painter = painter, contentDescription = contentDescription ) } | Renders an image the [painter] provides. It allows for customization,uses the 'avatar' shape from [ChatTheme.shapes] for the clipping and exposes an [onClick] action. |
@Composable public fun InitialsAvatar( initials: String, modifier: Modifier = Modifier,shape: Shape = ChatTheme.shapes.avatar,textStyle: TextStyle = ChatTheme.typography.title3Bold,avatarOffset: DpOffset = DpOffset(0.dp, 0.dp),onClick: (() -> Unit)? = null,) {val clickableModifier: Modifier = if (onClick != null) { modifier.clickable(onClick = onClick,indication = rememberRipple(bounded = false),interactionSource = remember { MutableInteractionSource() })} else {modifier } val initialsGradient = initialsGradient(initials = initials) Box( modifier = clickableModifier.clip(shape).background(brush = initialsGradient)) { Text(modifier = Modifier.align(Alignment.Center) .offset(avatarOffset.x, avatarOffset.y),text = initials,style = textStyle,color = Color.White)} } | Represents a special avatar case when we need to show the initials instead of an image. Usually happens when there are no images to show in the avatar. |
@Composable public fun UserAvatar( user: User, modifier: Modifier = Modifier, shape: Shape = ChatTheme.shapes.avatar, textStyle: TextStyle = ChatTheme.typography.title3Bold, contentDescription: String? = null, showOnlineIndicator: Boolean = true, onlineIndicatorAlignment: OnlineIndicatorAlignment = OnlineIndicatorAlignment.TopEnd, initialsAvatarOffset: DpOffset = DpOffset(0.dp, 0.dp), onlineIndicator: @Composable BoxScope.() -> Unit = { DefaultOnlineIndicator(onlineIndicatorAlignment) }, onClick: (() -> Unit)? = null, ) { Box(modifier = modifier) { Avatar( modifier = Modifier.fillMaxSize(), imageUrl = user.image, initials = user.initials, textStyle = textStyle, shape = shape, contentDescription = contentDescription, onClick = onClick, initialsAvatarOffset = initialsAvatarOffset ) if (showOnlineIndicator && user.online) { onlineIndicator() } } } | Represents the [User] avatar that's shown on the Messages screen or in headers of DMs. Based on the state within the [User], we either show an image or their initials. |
@Composable internal fun BoxScope.DefaultOnlineIndicator(onlineIndicatorAlignment: OnlineIndicatorAlignment) { OnlineIndicator(modifier = Modifier.align(onlineIndicatorAlignment.alignment)) } | The default online indicator for channel members. |
@Preview(showBackground = true, name = "UserAvatar Preview (With avatar image)") @Composable private fun UserAvatarForUserWithImagePreview() { UserAvatarPreview(PreviewUserData.userWithImage) } | Preview of [UserAvatar] for a user with avatar image. Should show a placeholder that represents user avatar image. |
@Preview(showBackground = true, name = "UserAvatar Preview (With online status)") @Composable private fun UserAvatarForOnlineUserPreview() { UserAvatarPreview(PreviewUserData.userWithOnlineStatus) } | Preview of [UserAvatar] for a user which is online. Should show an avatar with an online indicator in the upper right corner. |
@Preview(showBackground = true, name = "UserAvatar Preview (Without avatar image)") @Composable private fun UserAvatarForUserWithoutImagePreview() { UserAvatarPreview(PreviewUserData.userWithoutImage) } | Preview of [UserAvatar] for a user without avatar image.Should show background gradient and user initials. |
@Composable private fun UserAvatarPreview(user: User) { ChatTheme { UserAvatar( modifier = Modifier.size(36.dp), user = user, showOnlineIndicator = true, ) } } | Shows [UserAvatar] preview for the provided parameters. |
@Composable public fun ChannelMembers(members: List<Member>,modifier: Modifier = Modifier,) {LazyRow(modifier = modifier.fillMaxWidth().padding(vertical = 24.dp),horizontalArrangement = Arrangement.Center,contentPadding = PaddingValues(start = 16.dp, end = 16.dp)) {items(members) { member ->ChannelMembersItem( modifier = Modifier.width(ChatTheme.dimens.selectedChannelMenuUserItemWidth).padding(horizontal = ChatTheme.dimens.selectedChannelMenuUserItemHorizontalPadding),member = member,)}}} | Represents a list of members in the channel. |
@Preview(showBackground = true, name = "ChannelMembers Preview (One member)") @Composable private fun OneMemberChannelMembersPreview() { ChatTheme { ChannelMembers(members = PreviewMembersData.oneMember) } } | Preview of [ChannelMembers] with one channel member. |
@Preview(showBackground = true, name = "ChannelMembers Preview (Many members)")@Composableprivate fun ManyMembersChannelMembersPreview() {ChatTheme { ChannelMembers(members = PreviewMembersData.manyMembers) } } | Preview of [ChannelMembers] with many channel members. |
@Composable internal fun ChannelMembersItem( member: Member, modifier: Modifier = Modifier, ) { val memberName = member.user.name Column( modifier = modifier, verticalArrangement = Arrangement.Center, horizontalAlignment = Alignment.CenterHorizontally ) { UserAvatar( modifier = Modifier.size(ChatTheme.dimens.selectedChannelMenuUserItemAvatarSize), user = member.user, contentDescription = memberName ) Text( text = memberName, style = ChatTheme.typography.footnoteBold, overflow = TextOverflow.Ellipsis, maxLines = 1, color = ChatTheme.colors.textHighEmphasis, ) } } | The UI component that shows a user avatar and user name, as a member of a channel. |
@Preview(showBackground = true, name = "ChannelMembersItem Preview") @Composable private fun ChannelMemberItemPreview() { ChatTheme { ChannelMembersItem(Member(user = PreviewUserData.user1)) } } | Preview of [ChannelMembersItem].Should show user avatar and user name. |
@Composable public fun ChannelOptions( options: List<ChannelOptionState>, onChannelOptionClick: (ChannelAction) -> Unit, modifier: Modifier = Modifier, ) { LazyColumn( modifier = modifier.fillMaxWidth().wrapContentHeight()) {items(options) { option ->Spacer(modifier = Modifier.fillMaxWidth().height(0.5.dp).background(color = ChatTheme.colors.borders)) ChannelOptionsItem(title = option.title,titleColor = option.titleColor,leadingIcon = {Icon(modifier = Modifier.size(56.dp).padding(16.dp), painter = option.iconPainter,tint = option.iconColor,contentDescription = null)},onClick = { onChannelOptionClick(option.action) })}}} | This is the default bottom drawer UI that shows up when the user long taps on a channel item. It sets up different actions that we provide, based on user permissions. |
@Composable public fun buildDefaultChannelOptionsState( selectedChannel: Channel, isMuted: Boolean, ownCapabilities: Set<String>, ): List<ChannelOptionState> { val canLeaveChannel = ownCapabilities.contains(ChannelCapabilities.LEAVE_CHANNEL) val canDeleteChannel = ownCapabilities.contains(ChannelCapabilities.DELETE_CHANNEL) return listOfNotNull( ChannelOptionState( title = stringResource(id = R.string.stream_compose_selected_channel_menu_view_info), titleColor = ChatTheme.colors.textHighEmphasis, iconPainter = painterResource(id = R.drawable.stream_compose_ic_person), iconColor = ChatTheme.colors.textLowEmphasis, action = ViewInfo(selectedChannel) ), if (canLeaveChannel) { ChannelOptionState( title = stringResource(id = R.string.stream_compose_selected_channel_menu_leave_group), titleColor = ChatTheme.colors.textHighEmphasis, iconPainter = painterResource(id = R.drawable.stream_compose_ic_person_remove), iconColor = ChatTheme.colors.textLowEmphasis, action = LeaveGroup(selectedChannel) ) } else null, if (isMuted) { ChannelOptionState( title = stringResource(id = R.string.stream_compose_selected_channel_menu_unmute_channel), titleColor = ChatTheme.colors.textHighEmphasis, iconPainter = painterResource(id = R.drawable.stream_compose_ic_unmute), iconColor = ChatTheme.colors.textLowEmphasis, action = UnmuteChannel(selectedChannel) ) } else { ChannelOptionState( title = stringResource(id = R.string.stream_compose_selected_channel_menu_mute_channel), titleColor = ChatTheme.colors.textHighEmphasis, iconPainter = painterResource(id = R.drawable.stream_compose_ic_mute), iconColor = ChatTheme.colors.textLowEmphasis, action = MuteChannel(selectedChannel) ) }, if (canDeleteChannel) { ChannelOptionState( title = stringResource(id = R.string.stream_compose_selected_channel_menu_delete_conversation), titleColor = ChatTheme.colors.errorAccent, iconPainter = painterResource(id = R.drawable.stream_compose_ic_delete), iconColor = ChatTheme.colors.errorAccent, action = DeleteConversation(selectedChannel) ) } else null, ChannelOptionState( title = stringResource(id = R.string.stream_compose_selected_channel_menu_dismiss), titleColor = ChatTheme.colors.textHighEmphasis, iconPainter = painterResource(id = R.drawable.stream_compose_ic_clear), iconColor = ChatTheme.colors.textLowEmphasis, action = Cancel, ) ) } | Builds the default list of channel options, based on the current user and the state of the channel. |
@Preview(showBackground = true, name = "ChannelOptions Preview") @Composable private fun ChannelOptionsPreview() { ChatTheme { ChannelOptions( options = buildDefaultChannelOptionsState( selectedChannel = PreviewChannelData.channelWithMessages, isMuted = false, ownCapabilities = ChannelCapabilities.toSet() ), onChannelOptionClick = {} ) } } | Preview of [ChannelOptions]. Should show a list of available actions for the channel. |
@Composable internal fun ChannelOptionsItem( title: String,titleColor: Color,leadingIcon: @Composable () -> Unit,onClick: () -> Unit,modifier: Modifier = Modifier,) {Row( modifier.fillMaxWidth().height(56.dp).clickable(onClick = onClick,indication = rememberRipple(),interactionSource = remember { MutableInteractionSource() }), verticalAlignment = Alignment.CenterVertically,horizontalArrangement = Arrangement.Start) {leadingIcon()Text(text = title,style = ChatTheme.typography.bodyBold,color = titleColor)}} | Default component for selected channel menu options. |
@Preview(showBackground = true, name = "ChannelOptionsItem Preview") @Composableprivate fun ChannelOptionsItemPreview() {ChatTheme {ChannelOptionsItem( title = stringResource(id = R.string.stream_compose_selected_channel_menu_view_info),titleColor = ChatTheme.colors.textHighEmphasis,leadingIcon = {Icon(modifier = Modifier.size(56.dp).padding(16.dp),painter = painterResource(id = R.drawable.stream_compose_ic_person),tint = ChatTheme.colors.textLowEmphasis,contentDescription = null)}, onClick = {} ) } } | Preview of [ChannelOptionsItem]. Should show a channel action item with an icon and a name. |
@Composable public fun MessageReadStatusIcon( channel: Channel, message: Message, currentUser: User?, modifier: Modifier = Modifier, ) { val readStatues = channel.getReadStatuses(userToIgnore = currentUser)val readCount = readStatues.count { it.time >= message.getCreatedAtOrThrow().time }val isMessageRead = readCount != 0 MessageReadStatusIcon(message = message,isMessageRead = isMessageRead,modifier = modifier,)} | Shows a delivery status indicator for a particular message |
@Composable public fun MessageReadStatusIcon(message: Message,isMessageRead: Boolean,modifier: Modifier = Modifier,) {val syncStatus = message.syncStatus when { isMessageRead -> { Icon( modifier = modifier, painter = painterResource(id = R.drawable.stream_compose_message_seen), contentDescription = null, tint = ChatTheme.colors.primaryAccent, ) } syncStatus == SyncStatus.SYNC_NEEDED || syncStatus == SyncStatus.AWAITING_ATTACHMENTS -> { Icon( modifier = modifier, painter = painterResource(id = R.drawable.stream_compose_ic_clock), contentDescription = null, tint = ChatTheme.colors.textLowEmphasis, ) } syncStatus == SyncStatus.COMPLETED -> { Icon( modifier = modifier, painter = painterResource(id = R.drawable.stream_compose_message_sent), contentDescription = null, tint = ChatTheme.colors.textLowEmphasis, ) } } } | Shows a delivery status indicator for a particular message. |
@Preview(showBackground = true, name = "MessageReadStatusIcon Preview (Seen message)")@Composableprivate fun SeenMessageReadStatusIcon() {ChatTheme { MessageReadStatusIcon( message = PreviewMessageData.message2, isMessageRead = true, ) }} | Preview of [MessageReadStatusIcon] for a seen message. Should show a double tick indicator. |
@Composable public fun UnreadCountIndicator( unreadCount: Int, modifier: Modifier = Modifier, color: Color = ChatTheme.colors.errorAccent, ) { val displayText = if (unreadCount > LimitTooManyUnreadCount) UnreadCountMany else unreadCount.toString() val shape = RoundedCornerShape(9.dp) Box( modifier = modifier .defaultMinSize(minWidth = 18.dp, minHeight = 18.dp) .background(shape = shape, color = color) .padding(horizontal = 4.dp), contentAlignment = Alignment.Center ) { Text( text = displayText, color = Color.White, textAlign = TextAlign.Center, style = ChatTheme.typography.captionBold ) } } | Shows the unread count badge for each channel item, to showcase how many messages the user didn't read. |
@Preview(showBackground = true, name = "UnreadCountIndicator Preview (Few unread messages)")@Composableprivate fun FewMessagesUnreadCountIndicatorPreview() { ChatTheme { UnreadCountIndicator(unreadCount = 5) } } | Preview of [UnreadCountIndicator] with few unread messages.Should show a badge with the number of unread messages. |
@Preview(showBackground = true, name = "UnreadCountIndicator Preview (Many unread messages)") @Composableprivate fun ManyMessagesUnreadCountIndicatorPreview() {ChatTheme {UnreadCountIndicator(unreadCount = 200)} } | Preview of [UnreadCountIndicator] with many unread messages. Should show a badge with the placeholder text. |
@Composable public fun CoolDownIndicator( coolDownTime: Int, modifier: Modifier = Modifier, ) {Box( modifier = modifier.size(48.dp).padding(12.dp).background(shape = RoundedCornerShape(24.dp), color = ChatTheme.colors.disabled),contentAlignment = Alignment.Center) {Text(text = coolDownTime.toString(),color = Color.White,textAlign = TextAlign.Center,style = ChatTheme.typography.bodyBold)}} | Represent a timer that show the remaining time until the user is allowed to send the next message. |
@Composablepublic fun InputField(value: String,onValueChange: (String) -> Unit,modifier: Modifier = Modifier,enabled: Boolean = true,maxLines: Int = Int.MAX_VALUE,border: BorderStroke = BorderStroke(1.dp, ChatTheme.colors.borders),innerPadding: PaddingValues = PaddingValues(horizontal = 16.dp, vertical = 8.dp),keyboardOptions: KeyboardOptions = KeyboardOptions(capitalization = KeyboardCapitalization.Sentences),decorationBox: @Composable (innerTextField:@Composable () -> Unit) -> Unit,) {var textFieldValueState by remember { mutableStateOf(TextFieldValue(text = value)) } val selection = if (textFieldValueState.isCursorAtTheEnd()) {TextRange(value.length)} else {textFieldValueState.selection}val textFieldValue = textFieldValueState.copy(text = value,selection = selection) val description = stringResource(id = R.string.stream_compose_cd_message_input) BasicTextField(modifier = modifier.border(border = border, shape =ChatTheme.shapes.inputField).clip(ChatTheme.shapes.inputField).background(ChatTheme.colors.inputBackground).padding(innerPadding).semantics {contentDescription = description },value = textFieldValue,onValueChange = {textFieldValueState = itif (value != it.text) {onValueChange(it.text)}},textStyle = ChatTheme.typography.body.copy(color = ChatTheme.colors.textHighEmphasis,textDirection = TextDirection.Content),cursorBrush = SolidColor(ChatTheme.colors.primaryAccent),decorationBox = { innerTextField -> decorationBox(innerTextField) },maxLines = maxLines,singleLine = maxLines == 1,enabled = enabled,keyboardOptions = keyboardOptions)} | Custom input field that we use for our UI. It's fairly simple - shows a basic input with clipped corners and a border stroke, with some extra padding on each side.Within it, we allow for custom decoration, so that the user can define what the input field looks like when filled with content. |
private fun TextFieldValue.isCursorAtTheEnd(): Boolean {val textLength = text.lengthval selectionStart = selection.startval selectionEnd = selection.endreturn textLength == selectionStart && textLength == selectionEnd} | Check if the [TextFieldValue] state represents a UI with the cursor at the end of the input. |
@Composable public fun MessageInputOptions( activeAction: MessageAction,onCancelAction: () -> Unit,modifier: Modifier = Modifier,) {val optionImage =painterResource(id = if (activeAction is Reply) R.drawable.stream_compose_ic_reply else R.drawable.stream_compose_ic_edit)val title = stringResource(id = if (activeAction is Reply) R.string.stream_compose_reply_to_messageelse R.string.stream_compose_edit_message)Row(modifier, verticalAlignment = Alignment.CenterVertically,horizontalArrangement = Arrangement.SpaceBetween) {Icon(modifier = Modifier.padding(4.dp), painter = optionImage,contentDescription = null,tint = ChatTheme.colors.textLowEmphasis,)Text(text = title,style = ChatTheme.typography.bodyBold,color = ChatTheme.colors.textHighEmphasis,)Icon(modifier = Modifier.padding(4.dp).clickable(onClick = onCancelAction,indication = rememberRipple(bounded = false), interactionSource = remember { MutableInteractionSource() }),painter = painterResource(id = R.drawable.stream_compose_ic_close),contentDescription = stringResource(id= R.string.stream_compose_cancel),tint = ChatTheme.colors.textLowEmphasis,)}} | Shows the options "header" for the message input component. This is based on the currently active message action - [io.getstream.chat.android.common.state.Reply] or [io.getstream.chat.android.common.state.Edit]. |
@Composable public fun MessageOptionItem( option: MessageOptionItemState, modifier: Modifier = Modifier, verticalAlignment: Alignment.Vertical = Alignment.CenterVertically, horizontalArrangement: Arrangement.Horizontal = Arrangement.Start, ) { val title = stringResource(id = option.title) Row( modifier = modifier, verticalAlignment = verticalAlignment,horizontalArrangement = horizontalArrangement ) { Icon( modifier = Modifier.padding(horizontal = 16.dp), painter = option.iconPainter, tint = option.iconColor, contentDescription = title, ) Text( text = title, style = ChatTheme.typography.body, color = option.titleColor ) } } | Each option item in the column of options. |
@Preview(showBackground = true, name = "MessageOptionItem Preview")@Composableprivate fun MessageOptionItemPreview() {ChatTheme {val option = MessageOptionItemState(title = R.string.stream_compose_reply,iconPainter = painterResource(R.drawable.stream_compose_ic_reply),action = Reply(PreviewMessageData.message1),titleColor = ChatTheme.colors.textHighEmphasis,iconColor = ChatTheme.colors.textLowEmphasis,)MessageOptionItem(modifier = Modifier.fillMaxWidth(),option = option)}} | Preview of [MessageOptionItem]. |
@Preview(showBackground = true, name = "MessageOptions Preview (Own Message)") @Composableprivate fun MessageOptionsForOwnMessagePreview() { MessageOptionsPreview( messageUser = PreviewUserData.user1, currentUser = PreviewUserData.user1, syncStatus = SyncStatus.COMPLETED, ) } | Preview of [MessageOptions] for a delivered message of the current user. |
@Preview(showBackground = true, name = "MessageOptions Preview (Theirs Message)") @Composable private fun MessageOptionsForTheirsMessagePreview() { MessageOptionsPreview( messageUser = PreviewUserData.user1, currentUser = PreviewUserData.user2, syncStatus = SyncStatus.COMPLETED, ) } | Preview of [MessageOptions] for theirs message. |
@Preview(showBackground = true, name = "MessageOptions Preview (Failed Message)") @Composable private fun MessageOptionsForFailedMessagePreview() { MessageOptionsPreview( messageUser = PreviewUserData.user1, currentUser = PreviewUserData.user1, syncStatus = SyncStatus.FAILED_PERMANENTLY, ) } | Preview of [MessageOptions] for a failed message. |
@Composable private fun MessageOptionsPreview( messageUser: User, currentUser: User, syncStatus: SyncStatus, ) { ChatTheme { val selectedMMessage = PreviewMessageData.message1.copy( user = messageUser, syncStatus = syncStatus ) val messageOptionsStateList = defaultMessageOptionsState( selectedMessage = selectedMMessage, currentUser = currentUser, isInThread = false, ownCapabilities = ChannelCapabilities.toSet() ) MessageOptions(options = messageOptionsStateList, onMessageOptionSelected = {}) } } | Shows [MessageOptions] preview for the provided parameters. |
@Composable public fun ModeratedMessageDialog( message: Message, onDismissRequest: () -> Unit, onDialogOptionInteraction: (message: Message, option: ModeratedMessageOption) -> Unit, modifier: Modifier = Modifier, moderatedMessageOptions: List<ModeratedMessageOption> = defaultMessageModerationOptions(), dialogTitle: @Composable () -> Unit = { DefaultModeratedMessageDialogTitle() }, dialogDescription: @Composable () -> Unit = { DefaultModeratedMessageDialogDescription() }, dialogOptions: @Composable () -> Unit = { DefaultModeratedDialogOptions( message = message, moderatedMessageOptions = moderatedMessageOptions, onDialogOptionInteraction = onDialogOptionInteraction, onDismissRequest = onDismissRequest ) }, ) { Dialog(onDismissRequest = onDismissRequest) { Column( modifier = modifier, horizontalAlignment = Alignment.CenterHorizontally ) { dialogTitle() dialogDescription() dialogOptions() } } } | Dialog that is shown when user clicks or long taps on a moderated message. Gives the user the ability to either send the message again, edit it and then send it or to delete it. |
@Composable internal fun DefaultModeratedDialogOptions( message: Message, moderatedMessageOptions: List<ModeratedMessageOption>, onDialogOptionInteraction: (message: Message, option: ModeratedMessageOption) -> Unit, onDismissRequest: () -> Unit, ) { Spacer(modifier = Modifier.height(12.dp)) ModeratedMessageDialogOptions( message = message, options = moderatedMessageOptions, onDismissRequest = onDismissRequest,onDialogOptionInteraction onDialogOptionInteraction)} | Represents the default content shown for the moderated message dialog options.By default we show the options to send the message anyway, edit it or delete it. |
@Composable internal fun DefaultModeratedMessageDialogTitle() { Spacer(modifier = Modifier.height(12.dp))val painter = painterResource(id = R.drawable.stream_compose_ic_flag)Image(painter = painter,contentDescription = "",colorFilter = ColorFilter.tint(ChatTheme.colors.primaryAccent),)Spacer(modifier = Modifier.height(4.dp))Text(text = stringResource(id = R.string.stream_ui_moderation_dialog_title),textAlign = TextAlign.Center,style = ChatTheme.typography.title3,color =ChatTheme.colors.textHighEmphasis)} | Moderated message dialog title composable. Shows an icon and a title. |
@Composableinternal fun DefaultModeratedMessageDialogDescription() {Spacer(modifier = Modifier.height(12.dp))Text(modifier = Modifier.fillMaxWidth().padding(horizontal = 8.dp),text = stringResource(id = R.string.stream_ui_moderation_dialog_description),textAlign = TextAlign.Center,style = ChatTheme.typography.body,color = ChatTheme.colors.textLowEmphasis)]} | Moderated message dialog description composable. |
@Composable public fun ModeratedMessageDialogOptions(message: Message,options: List<ModeratedMessageOption>,modifier: Modifier = Modifier,onDismissRequest:() -> Unit = {},onDialogOptionInteraction: (message: Message, option: ModeratedMessageOption) -> Unit = { _, _ -> },itemContent:@Composable(ModeratedMessageOption)-> Unit = { option ->DefaultModeratedMessageOptionItem(message, option, onDismissRequest, onDialogOptionInteraction)},) {LazyColumn(modifier = modifier){items(options) { option ->itemContent(option)}}} | Composable that represents the dialog options a user can select to act upon a moderated message. |
@Composableinternal fun DefaultModeratedMessageOptionItem(message: Message,option: ModeratedMessageOption,onDismissRequest: () -> Unit,onDialogOptionInteraction: (message: Message, option: ModeratedMessageOption) -> Unit,) {ModeratedMessageOptionItem(option = option,modifier = Modifier.fillMaxWidth().height(50.dp).clickable(interactionSource = remember { MutableInteractionSource() },indication = rememberRipple()) {onDialogOptionInteraction(message, option)onDismissRequest()})} | Represents the default moderated message options item. By default shows only text of the action a user can perform. |
@Composable public fun ModeratedMessageOptionItem( option: ModeratedMessageOption, modifier: Modifier = Modifier, ) { Divider(color = ChatTheme.colors.borders) Box( modifier = modifier, contentAlignment = Alignment.Center ) { Text( text = stringResource(id = option.text), style = ChatTheme.typography.body, color = ChatTheme.colors.primaryAccent ) } } | Composable that represents a single option inside the [ModeratedMessageDialog].By default shows only text of the action a user can perform. |
@ExperimentalFoundationApi @Composable public fun ExtendedReactionsOptions( ownReactions: List<Reaction>, onReactionOptionSelected: (ReactionOptionItemState) -> Unit, modifier: Modifier = Modifier, cells: GridCells = GridCells.Fixed(DefaultNumberOfColumns), reactionTypes: Map<String, ReactionIcon> = ChatTheme.reactionIconFactory.createReactionIcons(), itemContent: @Composable LazyGridScope.(ReactionOptionItemState) -> Unit = { option -> DefaultExtendedReactionsItemContent( option = option, onReactionOptionSelected = onReactionOptionSelected ) }, ) { val options = reactionTypes.entries.map { (type, reactionIcon) - val isSelected = ownReactions.any { ownReaction -> ownReaction.type == type } ReactionOptionItemState( painter = reactionIcon.getPainter(isSelected), type = type ) } LazyVerticalGrid(modifier = modifier, columns = cells) { items(options) { item -> key(item.type) { [email protected](item) } } } } | Displays all available reactions a user can set on a message. |
@Composable internal fun DefaultExtendedReactionsItemContent( option: ReactionOptionItemState, onReactionOptionSelected: (ReactionOptionItemState) -> Unit, ) { ReactionOptionItem( modifier = Modifier .padding(vertical = 8.dp) .clickable( interactionSource = remember { MutableInteractionSource() }, indication = rememberRipple(bounded = false), onClick = { onReactionOptionSelected(option) } ), option = option) } | The default item content inside [ExtendedReactionsOptions]. Shows an individual reaction. |
@ExperimentalFoundationApi @Preview(showBackground = true, name = "ExtendedReactionOptions Preview")@Composable internal fun ExtendedReactionOptionsPreview() { ChatTheme {ExtendedReactionsOptions(ownReactions = listOf(),onReactionOptionSelected = {})}} | Preview for [ExtendedReactionsOptions] with no reaction selected. |
@ExperimentalFoundationApi @Preview(showBackground = true, name = "ExtendedReactionOptions Preview (With Own Reaction)") @Composable internal fun ExtendedReactionOptionsWithOwnReactionPreview() {ChatTheme {ExtendedReactionsOptions(ownReactions = listOf(Reaction(messageId = "messageId",type = "haha"),onReactionOptionSelected = {})}} | Preview for [ExtendedReactionsOptions] with a selected reaction. |
@Composable public fun ReactionOptionItem( option: ReactionOptionItemState, modifier: Modifier = Modifier, ) { Image( modifier = modifier, painter = option.painter, contentDescription = option.type, ) } | Individual reaction item. |
@Preview(showBackground = true, name = "ReactionOptionItem Preview (Not Selected)") @Composableprivate fun ReactionOptionItemNotSelectedPreview() {ChatTheme {(option = PreviewReactionOptionData.reactionOption1())}} | Preview of [ReactionOptionItem] in its non selected state. |
@Preview(showBackground = true, name = "ReactionOptionItem Preview (Selected)")@Composableprivate fun ReactionOptionItemSelectedPreview() {ChatTheme {ReactionOptionItem(option = PreviewReactionOptionData.reactionOption2())}} | Preview of [ReactionOptionItem] in its selected state. |
@Composablepublic fun ReactionOptions(ownReactions: List<Reaction>,onReactionOptionSelected: (ReactionOptionItemState) -> Unit,onShowMoreReactionsSelected: () -> Unit,modifier: Modifier = Modifier,numberOfReactionsShown: Int = DefaultNumberOfReactionsShown,horizontalArrangement: Arrangement.Horizontal =Arrangement.SpaceBetween,reactionTypes: Map<String, ReactionIcon> = ChatTheme.reactionIconFactory.createReactionIcons(),@DrawableReshowMoreReactionsIcon: Int = R.drawable.stream_compose_ic_more, itemContent: @Composable RowScope.(ReactionOptionItemState) -> Unit = { option -> DefaultReactionOptionItem( option = option, onReactionOptionSelected = onReactionOptionSelected ) }, ) { val options = reactionTypes.entries.map { (type, reactionIcon) -> val isSelected = ownReactions.any { ownReaction -> ownReaction.type == type } val painter = reactionIcon.getPainter(isSelected) ReactionOptionItemState( painter = painter, type = type ) }Row( modifier = modifier, horizontalArrangement = horizontalArrangement ) { options.take(numberOfReactionsShown).forEach { option -> key(option.type) { itemContent(option) } } if(options.size > numberOfReactionsShown) { Icon( modifier = Modifier.clickable( interactionSource = remember { MutableInteractionSource() }, indication = rememberRipple(bounded = false), onClick = { onShowMoreReactionsSelected() } ), painter = painterResource(id = showMoreReactionsIcon), contentDescription = LocalContext.current.getString(R.string.stream_compose_show_more_reactions), tint = ChatTheme.colors.textLowEmphasis, ) } } } | Displays all available reactions. |
@Composable internal fun DefaultReactionOptionItem(option: ReactionOptionItemState,onReactionOptionSelected: (ReactionOptionItemState) -> Unit,){ReactionOptionItem(modifier = Modifier.size(24.dp).size(ChatTheme.dimens.reactionOptionItemIconSize).clickable(interactionSource = remember { MutableInteractionSource() },indication = rememberRipple(bounded = false),onClick = { onReactionOptionSelected(option) }),option = option)} | The default reaction option item. |
@Preview(showBackground = true, name = "ReactionOptions Preview") @Composable private fun ReactionOptionsPreview() { ChatTheme { val reactionType = ChatTheme.reactionIconFactory.createReactionIcons().keys.firstOrNull() if (reactionType != null) { ReactionOptions(ownReactions =listOf(Reaction(reactionType)),onReactionOptionSelected = {},onShowMoreReactionsSelected = {}}} | Preview of [ReactionOptions] with a single item selected. |
@OptIn(ExperimentalFoundationApi::class) @Composable public fun ReactionsPicker( message: Message, onMessageAction: (MessageAction) -> Unit, modifier: Modifier = Modifier, shape: Shape = ChatTheme.shapes.bottomSheet, overlayColor: Color = ChatTheme.colors.overlay, cells: GridCells = GridCells.Fixed(DefaultNumberOfReactions), onDismiss: () -> Unit = {}, reactionTypes: Map<String, ReactionIcon> = ChatTheme.reactionIconFactory.createReactionIcons(), headerContent: @Composable ColumnScope.() -> Unit = {}, centerContent: @Composable ColumnScope.() -> Unit = { DefaultReactionsPickerCenterContent( message = message, onMessageAction = onMessageAction, cells = cells, reactionTypes = reactionTypes ) }, ) { SimpleMenu( modifier = modifier, shape = shape, overlayColor = overlayColor, headerContent = headerContent, centerContent = centerContent, onDismiss = onDismiss ) } | Displays all of the available reactions the user can set on a message. |
@OptIn(ExperimentalFoundationApi::class) @Composable internal fun DefaultReactionsPickerCenterContent( message: Message, onMessageAction: (MessageAction) -> Unit, cells: GridCells = GridCells.Fixed(DefaultNumberOfReactions), reactionTypes: Map<String, ReactionIcon> = ChatTheme.reactionIconFactory.createReactionIcons(),{ ExtendedReactionsOptions(modifier = Modifier.padding(start = 16.dp, end = 16.dp, top = 12.dp, bottom = 12.dp),reactionTypes = reactionTypes,ownReactions = message.ownReactions,onReactionOptionSelected = { reactionOptionItemState ->onMessageAction(React(reaction = Reaction(messageId = message.id, reactionOptionItemState.type),message = message))},cells = cells)} | The Default center content for the [ReactionsPicker]. Shows all available reactions. |
@ExperimentalFoundationApi@Preview(showBackground = true, name = "ReactionPicker Preview")@Composableinternal fun ReactionPickerPreview() {ChatTheme {ReactionsPicker(message = PreviewMessageData.messageWithOwnReaction,onMessageAction = {})}} | Preview of [ReactionsPicker] with a reaction selected. |
@Composable public fun SelectedMessageMenu( message: Message, messageOptions: List<MessageOptionItemState>,ownCapabilities: Set<String>,onMessageAction: (MessageAction) -> Unit, onShowMoreReactionsSelected: () -> Unit, modifier: Modifier = Modifier, shape: Shape = ChatTheme.shapes.bottomSheet, overlayColor: Color = ChatTheme.colors.overlay, reactionTypes: Map<String, ReactionIcon> = ChatTheme.reactionIconFactory.createReactionIcons(), @DrawableRes showMoreReactionsIcon: Int = R.drawable.stream_compose_ic_more, onDismiss: () -> Unit = {}, headerContent: @Composable ColumnScope.() -> Unit = { val canLeaveReaction = ownCapabilities.contains(ChannelCapabilities.SEND_REACTION) if (canLeaveReaction) { DefaultSelectedMessageReactionOptions( message = message, reactionTypes = reactionTypes, showMoreReactionsDrawableRes = showMoreReactionsIcon, onMessageAction = onMessageAction, showMoreReactionsIcon = onShowMoreReactionsSelected ) } }, centerContent: @Composable ColumnScope.() -> Unit = {DefaultSelectedMessageOptions( messageOptions =messageOptions,onMessageAction = onMessageAction ) }, ) { SimpleMenu( modifier = modifier, shape = shape, overlayColor = overlayColor, onDismiss = onDismiss, headerContent = headerContent, centerContent = centerContent ) } | Represents the options user can take after selecting a message. |
@Composable internal fun DefaultSelectedMessageOptions( messageOptions: List<MessageOptionItemState>, onMessageAction: (MessageAction) -> Unit, ) { MessageOptions( options = messageOptions, onMessageOptionSelected = { onMessageAction(it.action) } ) } | Default selected message options. |
@Preview(showBackground = true, name = "SelectedMessageMenu Preview")@Composableprivate fun SelectedMessageMenuPreview() {ChatTheme {val messageOptionsStateList = defaultMessageOptionsState(selectedMessage = Message(),currentUser = User(),isInThread = false,ownCapabilities = ChannelCapabilities.toSet())SelectedMessageMenu(message = Message(),messageOptions = messageOptionsStateList,onMessageAction = {}, onShowMoreReactionsSelected = {},ownCapabilities = ChannelCapabilities.toSet())}} | Preview of [SelectedMessageMenu]. |
@Composable public fun SelectedReactionsMenu(message: Message,currentUser: User?,ownCapabilities: Set<String>,onMessageAction: (MessageAction) -> Unit,onShowMoreReactionsSelected: () -> Unit,modifier: Modifier = Modifier,shape: Shape = ChatTheme.shapes.bottomSheet,overlayColor: Color = ChatTheme.colors.overlay,reactionTypes: Map<String, ReactionIcon> = ChatTheme.reactionIconFactory.createReactionIcons(),@DrawableRes showMoreReactionsIcon: Int = R.drawable.stream_compose_ic_more,onDismiss: () -> Unit = {},headerContent: @Composable ColumnScope.() -> Unit = {val canLeaveReaction = ownCapabilities.contains(ChannelCapabilities.SEND_REACTION)if (canLeaveReaction) {DefaultSelectedReactionsHeaderContent(message = message,reactionTypes =reactionTypes,showMoreReactionsIcon = showMoreReactionsIcon,onMessageAction = onMessageAction,onShowMoreReactionsSelected =onShowMoreReactionsSelected)}},centerContent: @Composable ColumnScope.() -> Unit = {DefaultSelectedReactionsCenterContent(message = message,currentUser = currentUser)},) {SimpleMenu(modifier = modifier,shape = shape,overlayColor = overlayColor,onDismiss = onDismiss, headerContent = headerContent,centerContent = centerContent)} | Represents the list of user reactions. |
@Composableinternal fun DefaultSelectedReactionsHeaderContent(message: Message,reactionTypes: Map<String, ReactionIcon>,@DrawableRes showMoreReactionsIcon: Int = R.drawable.stream_compose_ic_more,onMessageAction: (MessageAction) -> Unit,onShowMoreReactionsSelected: () -> Unit,) ReactionOptions(modifier = Modifier.fillMaxWidth().padding(start = 16.dp, end = 16.dp, bottom = 8.dp, top = 20.dp),reactionTypes = reactionTypes,showMoreReactionsIcon = showMoreReactionsIcon,onReactionOptionSelected = {onMessageAction(React(reaction = Reaction(messageId = message.id, type = it.type),message = message) ])},onShowMoreReactionsSelected = onShowMoreReactionsSelected,ownReactions = message.ownReactions)} | Default header content for the selected reactions menu. |
@Composableinternal fun DefaultSelectedReactionsCenterContent(message: Message,currentUser: User?,) {UserReactions(modifier = Modifier.fillMaxWidth().heightIn(max = ChatTheme.dimens.userReactionsMaxHeight).padding(vertical = 16.dp),items = buildUserReactionItems(message = message,currentUser = currentUser))} | Default center content for the selected reactions menu. |
@Composableprivate fun buildUserReactionItems(message: Message,currentUser: User?,): List<UserReactionItemState> {val iconFactory = ChatTheme.reactionIconFactoryreturn message.latestReactions.filter { it.user != null && iconFactory.isReactionSupported(it.type) }.map {val user = requireNotNull(it.user) val type = it.typeval isMine = currentUser?.id == user.idval painter = iconFactory.createReactionIcon(type).getPainter(isMine)UserReactionItemState(user = user,painter = painter,type = type)}} | Builds a list of user reactions, based on the current user and the selected message. |
@Preview@Composableprivate fun OneSelectedReactionMenuPreview() {ChatTheme {val message = Message(latestReactions = PreviewReactionData.oneReaction.toMutableList())SelectedReactionsMenu(message = message,currentUser = PreviewUserData.user1,onMessageAction = {} ,onShowMoreReactionsSelected = {},ownCapabilities = ChannelCapabilities.toSet())}} | Preview of the [SelectedReactionsMenu] component with 1 reaction. |
@Preview@Composableprivate fun ManySelectedReactionsMenuPreview() {ChatTheme {val message = Message(latestReactions = PreviewReactionData.manyReaction.toMutableList())SelectedReactionsMenu(message = message,currentUser = PreviewUserData.user1,onMessageAction = {}, onShowMoreReactionsSelected = {},ownCapabilities = ChannelCapabilities.toSet())}} | Preview of the [SelectedReactionsMenu] component with many reactions. |
@Composablepublic fun SuggestionList(modifier: Modifier = Modifier,shape: Shape = ChatTheme.shapes.suggestionList,contentPadding: PaddingValues = PaddingValues(vertical = ChatTheme.dimens.suggestionListPadding),headerContent: @Composable () -> Unit = {},centerContent: @Composable () -> Unit,) {Popup(popupPositionProvider = AboveAnchorPopupPositionProvider()) {Card(modifier = modifier,elevation = ChatTheme.dimens.suggestionListElevation,shape = shape,backgroundColor = ChatTheme.colors.barsBackground,) {Column(Modifier.padding(contentPadding)) {headerContent()centerContent()}}}} | Represents the suggestion list popup that allows user to auto complete the current input. |
@Composable public fun MentionSuggestionList(users: List<User>,modifier: Modifier = Modifier,onMentionSelected: (User) -> Unit = {},itemContent: @Composable (User) > Unit = { user ->DefaultMentionSuggestionItem(user = user,onMentionSelected = onMentionSelected,)},) {SuggestionList(modifier = modifier.fillMaxWidth().heightIn(max = ChatTheme.dimens.suggestionListMaxHeight)) {LazyColumn(horizontalAlignment = Alignment.CenterHorizontally) {items(items = users,key = User::id) { user ->itemContent(user)}}}} | Represents the mention suggestion list popup. |
@Composable internal fun DefaultMentionSuggestionItem(user: User, onMentionSelected: (User) -> Unit,) { MentionSuggestionItem( user = user, onMentionSelected = onMentionSelected, ) } | The default mention suggestion item. |
@Composable public fun MentionSuggestionItem(user: User,onMentionSelected: (User) -> Unit,modifier: Modifier = Modifier,leadingContent: @Composable RowScope.(User) -> Unit = {DefaultMentionSuggestionItemLeadingContent(user = it)},centerContent: @Composable RowScope.(User) -> Unit = {DefaultMentionSuggestionItemCenterContent(user = it)},trailingContent: @Composable RowScope.(User) -> Unit = {DefaultMentionSuggestionItemTrailingContent()},) {Row(modifier = modifier.fillMaxWidth().wrapContentHeight().clickable(onClick = { onMentionSelected(user) },indication = rememberRipple(),interactionSource = remember { MutableInteractionSource() }).padding(vertical = ChatTheme.dimens.mentionSuggestionItemVerticalPadding,horizontal = ChatTheme.dimens.mentionSuggestionItemHorizontalPadding),verticalAlignment = Alignment.CenterVertically,) {leadingContent(user)centerContent(user)trailingContent(user)}} | Represents the mention suggestion item in the mention suggestion list popup. |
@Composable internal fun DefaultMentionSuggestionItemLeadingContent(user: User) { UserAvatar( modifier = Modifier .padding(end = 8.dp) .size(ChatTheme.dimens.mentionSuggestionItemAvatarSize), user = user, showOnlineIndicator = true, ) } | Represents the default content shown at the start of the mention list item. |
@Composable internal fun RowScope.DefaultMentionSuggestionItemCenterContent(user: User) {Column(modifier = Modifier.weight(1f).wrapContentHeight()) {Text(text = user.name,style = ChatTheme.typography.bodyBold,color = ChatTheme.colors.textHighEmphasis,maxLines = 1,overflow = TextOverflow.Ellipsis)Text(text = "@${user.id}",style = ChatTheme.typography.footnote,color = ChatTheme.colors.textLowEmphasis,maxLines = 1,overflow = TextOverflow.Ellipsis)}=} | Represents the center portion of the mention item, that show the user name and the user ID. |
@Composableinternal fun DefaultMentionSuggestionItemTrailingContent() {Icon(modifier = Modifier.padding(start = 8.dp).size(24.dp),painter = painterResource(id = R.drawable.stream_compose_ic_mention),contentDescription = null,tint = ChatTheme.colors.primaryAccent)} | Represents the default content shown at the end of the mention list item. |
@Composable public fun CommandSuggestionItem( command: Command,modifier: Modifier = Modifier,onCommandSelected: (Command) -> Unit = {},leadingContent: @Composable RowScope.(Command) -> Unit = {DefaultCommandSuggestionItemLeadingContent()},centerContent: @Composable RowScope.(Command) -> Unit = {DefaultCommandSuggestionItemCenterContent(command = it)},) {Row(modifier = modifier.fillMaxWidth().wrapContentHeight().clickable(onClick = { onCommandSelected(command) },indication = rememberRipple(),interactionSource = remember { MutableInteractionSource() }).padding(vertical = ChatTheme.dimens.commandSuggestionItemVerticalPadding,horizontal = ChatTheme.dimens.commandSuggestionItemHorizontalPadding),verticalAlignment =Alignment.CenterVertically,) {leadingContent(command)centerContent(command)}} | Represents the command suggestion item in the command suggestion list popup. |
@Composableinternal fun DefaultCommandSuggestionItemLeadingContent() {Image(modifier = Modifier.padding(end = 8.dp).size(ChatTheme.dimens.commandSuggestionItemIconSize),painter = painterResource(id = R.drawable.stream_compose_ic_giphy),contentDescription = null)} | Represents the default content shown at the start of the command list item. |
@Composable internal fun RowScope.DefaultCommandSuggestionItemCenterContent(command: Command,modifier: Modifier = Modifier,) {val commandDescription = LocalContext.current.getString(R.string.stream_compose_message_composer_command_template,command.name,command.args)Row(modifier = modifier.weight(1f).wrapContentHeight(),verticalAlignment = Alignment.CenterVertically) {Text(text = command.name.replaceFirstChar(Char::uppercase),style = ChatTheme.typography.bodyBold,color = ChatTheme.colors.textHighEmphasis,maxLines = 1,overflow = TextOverflow.Ellipsis) Spacer(modifier = Modifier.width(8.dp)) Text(text = commandDescription, style = ChatTheme.typography.body,color = ChatTheme.colors.textLowEmphasis,maxLines = 1,overflow = TextOverflow.Ellipsis)}} | Represents the center portion of the command item, that show the user name and the user ID. |
@Composable public fun CommandSuggestionList(commands: List<Command>,modifier: Modifier = Modifier,onCommandSelected: (Command) -> Unit = {},itemContent: @Composable (Command) -> Unit = { command -> DefaultCommandSuggestionItem( command = command, onCommandSelected = onCommandSelected, ) }, ) { SuggestionList( modifier = modifier.fillMaxWidth() .heightIn(max = ChatTheme.dimens.suggestionListMaxHeight) .padding(ChatTheme.dimens.suggestionListPadding), headerContent = {Row(modifier = Modifier.fillMaxWidth().height(40.dp),verticalAlignment = Alignment.CenterVertically) {Icon(modifier = Modifier.padding(horizontal = 8.dp).size(24.dp),painter = painterResource(id = R.drawable.stream_compose_ic_command),tint = ChatTheme.colors.primaryAccent,contentDescription = null)Text( text = stringResource(id = R.string.stream_compose_message_composer_instant_commands),style = ChatTheme.typography.body,maxLines = 1,color = ChatTheme.colors.textLowEmphasis)}}) {LazyColumn(horizontalAlignment = Alignment.CenterHorizontally) {items(items = commands,key = Command::name) { command -> itemContent(command)}}}} | Represents the command suggestion list popup. |
@Composable internal fun DefaultCommandSuggestionItem(command: Command,onCommandSelected: (Command) -> Unit,) {CommandSuggestionItem(command = command, onCommandSelected = onCommandSelected) } | The default command suggestion item. |
@Composable public fun UserReactionItem(item: UserReactionItemState,modifier: Modifier = Modifier,) {val (user, painter, type) = item Column(modifier = modifier,horizontalAlignment = Alignment.CenterHorizontally) {val isMine = user.id == ChatClient.instance().getCurrentUser()?.idval isStartAlignment = ChatTheme.messageOptionsUserReactionAlignment.isStartAlignment(isMine) val alignment = if (isStartAlignment) Alignment.BottomStart else Alignment.BottomEnd Box(modifier = Modifier.width(64.dp)) { UserAvatar(user = user,showOnlineIndicator = false,modifier = Modifier.size(ChatTheme.dimens.userReactionItemAvatarSize)) Image(modifier = Modifier.background(shape = RoundedCornerShape(16.dp), color = ChatTheme.colors.barsBackground).size(ChatTheme.dimens.userReactionItemIconSize).padding(4.dp).align(alignment),painter = painter,contentDescription = type,)} Spacer(modifier = Modifier.height(8.dp))Text(text = user.name,style = ChatTheme.typography.footnoteBold,maxLines = 1,overflow = TextOverflow.Ellipsis,color = ChatTheme.colors.textHighEmphasis,textAlign = TextAlign.Center,)}} | Represent a reaction item with the user who left it. |
@Preview@Composablepublic fun CurrentUserReactionItemPreview() {ChatTheme {UserReactionItem(item = PreviewUserReactionData.user1Reaction())}} | Preview of the [UserReactionItem] component with a reaction left by the current user. |
@Preview@Composablepublic fun OtherUserReactionItemPreview() {ChatTheme {UserReactionItem(item = PreviewUserReactionData.user2Reaction()) } } | Preview of the [UserReactionItem] component with a reaction left by another user. |
@OptIn(ExperimentalFoundationApi::class) @Composablepublic fun UserReactions( items: List<UserReactionItemState>,modifier: Modifier = Modifier,itemContent: @Composable (UserReactionItemState) -> Unit = {DefaultUserReactionItem(item = it)},) {val reactionCount = items.sizeval reactionCountText = LocalContext.current.resources.getQuantityString(R.plurals.stream_compose_message_reactions,reactionCount,reactionCount)Column(horizontalAlignment = Alignment.CenterHorizontally,modifier = modifier.background(ChatTheme.colors.barsBackground)) {Text(text = reactionCountText,style = ChatTheme.typography.title3Bold,maxLines = 1,overflow = TextOverflow.Ellipsis,color = ChatTheme.colors.textHighEmphasis) Spacer(modifier = Modifier.height(16.dp)) if (reactionCount > 0) {BoxWithConstraints(modifier = Modifier.fillMaxWidth(),contentAlignment = Alignment.Center) {val reactionItemWidth = ChatTheme.dimens.userReactionItemWidth val maxColumns = maxOf((maxWidth / reactionItemWidth).toInt(), 1)val columns = reactionCount.coerceAtMost(maxColumns) val reactionGridWidth = reactionItemWidth * columns LazyVerticalGrid(modifier = Modifier.width(reactionGridWidth).align(Alignment.Center),columns = GridCells.Fixed(columns)) {items(reactionCount) { index ->itemContent(items[index])}}}}}} | Represent a section with a list of reactions left for the message. |
Subsets and Splits