Channel

The Channel component is the main entry point for many Stream Chat customizations and contains the majority of the content providers and a significant amount of the logic utilized by Stream Chat for React Native. Components, custom and out of the box, channel information, and UI integrated chat functions are disseminated by the contexts contained in Channel. MessageList, MessageInput, and Thread all rely on Channel to function correctly.

Basic Usage

Channel takes an instance of a StreamChat channel as a prop. You can create a channel, or if you are navigating from the ChannelList, access the selected channel via the parameter passed to the onSelect function.

import { StreamChat } from "stream-chat"; import {  Channel,  Chat,  MessageInput,  MessageList,  OverlayProvider, } from "stream-chat-react-native";  const client = StreamChat.getInstance("api_key");  export const App = () => {  const [channel, setChannel] = useState();   useEffect(() => {  const createAndWatchChannel = async () => {  const newChannel = client.channel("messaging", "channel_id");  await newChannel.watch();  setChannel(newChannel);  };   createAndWatchChannel();  }, []);   return (  <OverlayProvider>  <Chat client={client}>  <Channel channel={channel}>  <MessageList />  <MessageInput />  </Channel>  </Chat>  </OverlayProvider>  ); };

Context Providers

Channel contains providers for the ChannelContext, KeyboardContext, MessageInputContext, MessagesContext, PaginatedMessageListContext, AttachmentPickerContext, MessageComposerContext, ThreadContext, and TypingContext. These can be accessed using the corresponding hooks.

ContextHook
ChannelContextuseChannelContext
KeyboardContextuseKeyboardContext
MessageInputContextuseMessageInputContext
MessagesContextuseMessagesContext
PaginatedMessageListContextusePaginatedMessageListContext
AttachmentPickerContextuseAttachmentPickerContext
MessageComposerContextuseMessageComposerAPIContext
ThreadContextuseThreadContext
TypingContextuseTypingContext

UI Customizations

Channel is the entry point for customizing the majority of the Stream Chat for React Native SDK. The UI can be tailored to your design by replacing any number of components with custom components. Custom components provided as props to Channel will be utilized throughout the SDK where appropriate.

Customizing the message avatar can be done easily by providing a custom component to the appropriate prop.

import { Image } from "react-native"; import { Channel, useMessageContext } from "stream-chat-react-native";  const CustomAvatar = () => {  const { message } = useMessageContext();   return <Image source={{ uri: message.user?.image }} />; };  <Channel MessageAvatar={CustomAvatar} />;

Props

channel

Channel instance from the StreamChat client.

keyboardVerticalOffset

Distance between top of the screen and top of Channel component. This is often the header height.

Type
number

additionalKeyboardAvoidingViewProps

Additional props provided to the underlying KeyboardAvoidingView.

Type
Object

additionalTextInputProps

Additional props provided to the underlying TextInput within MessageInput.

Type
object

additionalPressableProps

Additional props provided to the underlying Pressable used by components within a message such as MessageContent.

Type
object

allowThreadMessagesInChannel

Display the Show thread message in channel button inside the thread MessageInput.

TypeDefault
booleantrue

ayncMessagesLockDistance

Controls how many pixels to the top side the user has to scroll in order to lock the recording view and allow the user to lift their finger from the screen without stopping the recording.

TypeDefault
Number50

ayncMessagesMinimumPressDuration

Controls the minimum duration(in milliseconds) that the user has to press on the record button in the composer, in order to start recording a new voice message.

TypeDefault
Number500

ayncMessagesMultiSendEnabled

When it’s enabled, recorded messages won’t be sent immediately. Instead they will “stack up” in the composer allowing the user to send multiple voice recording as part of the same message.

TypeDefault
Booleantrue

ayncMessagesSlideToCancelDistance

Controls how many pixels to the leading side the user has to scroll in order to cancel the recording of a voice message.

TypeDefault
Number100

audioRecordingEnabled

Controls whether the feature is enabled.

TypeDefault
Booleanfalse

attachmentPickerErrorText

Error text for AttachmentPickerError.

TypeDefault
String”Please enable access to your photos and videos so you can share them.”

attachmentPickerErrorButtonText

Text for the button within AttachmentPickerError that opens the apps OS level settings.

TypeDefault
String”Allow access to your Gallery”

attachmentPickerBottomSheetHeight

Height of the image picker bottom sheet when opened.

TypeDefault
Number40% of Window Height

attachmentSelectionBarHeight

Height of the attachment selection bar displayed on the attachment picker.

TypeDefault
Number52

attachmentPickerBottomSheetHandleHeight

Height of the image picker bottom sheet handle.

TypeDefault
Number20

bottomInset

Height of items located below the MessageInput when present. This inset determines the underlying shift to the MessageList when it is opened.

This can also be set via the setBottomInset function provided by the useAttachmentPickerContext hook.

TypeDefault
Number0

compressImageQuality

Image compression quality prior to uploading.

On iOS values of 0.8 and above don’t reduce the quality noticeably in most images. A value of 0.8 will reduce the file size in iOS by approximately half compared to a value of 1.

TypeDefault
number 0 to 1
(1 is best quality)
iOS: 0.8
Android: 1

customMessageSwipeAction

The custom message swipe action that will be executed when the user swipes a message.

TypeDefault
({channel, message}: {channel: Channel, message: LocalMessage}) => voidThe default action is swipe to reply.

deletedMessagesVisibilityType

Controls the visibility of the deleted messages within the channel.

  • always: The deleted messages in the channel will be visible to both the sender and receiver.
  • never: The deleted messages will not be visible to anyone.
  • sender: The deleted messages in the channel will only be visible to sender.
  • receiver: The deleted messages in the channel will only be visible to receiver.
TypeDefault
enum(‘always’, ‘never’, ‘receiver’, ‘sender’)‘both’

disableKeyboardCompatibleView

Enable or disable the underlying KeyboardAvoidingView.

TypeDefault
booleanfalse

disableTypingIndicator

Disable typing indicator in MessageList.

TypeDefault
booleanfalse

dismissKeyboardOnMessageTouch

Dismiss the keyboard when a user touches any of the messages in the list.

TypeDefault
booleanfalse

doFileUploadRequest

Override of the file upload request when a user selects a file from the file picker. The function must return a Promise.

This can be used to store file attachments in your own custom CDN.

Type
Function

This matches the definition of UploadRequestFn from the stream-chat package.

export type UploadRequestFn = (  fileLike: FileReference | FileLike, ) => Promise<MinimumUploadRequestResult>;

doMarkReadRequest

Override the mark read request.

This prop should only be used for advanced functionality in which you want to conditionally allow mark-read requests.

Don not use this function to disable the read-receipts feature. If you would like to disable read-receipts, this can be done via Read Events on the dashboard.

Example

const doMarkReadRequest = (channel) => {  if (/** Some custom logic here */) {  channel.markRead();  } };
Type
Function
ParameterDescription
channelchannel instance
setChannelUnreadUiState | undefined(state) =>void

doSendMessageRequest

Override the send message request. This function must return a Promise equivalent to client.sendMessage.

This prop should only be used for advanced functionality in which you want to alter the message object before sending.

Example

const doSendMessageRequest = (channelId, messageObject) => {  if (/** Some custom logic here */) {  messageObject.isSpecial = true;  }  return channel.sendMessage(messageObject); }
Type
function
ParameterDescription
channelIdstring
messageObjectobject
optionsobject | undefined

doUpdateMessageRequest

Override the update message request. This function must return a Promise equivalent to client.updateMessage.

This prop should only be used for advanced functionality in which you want to alter the message object before updating it.

const doUpdateMessageRequest = (channelId, messageObject) => {  const numberOfUpdates = (messageObject.numberOfUpdates ?? 0) + 1;  const messageToSend = { ...messageObject, numberOfUpdates };  return client.updateMessage(messageToSend); };
Type
function
ParameterDescription
channelIdstring
messageObjectobject
optionsobject | undefined

enableMessageGroupingByUser

Note: This prop is available only in SDK version >= v3.9.0

If false, consecutive messages from same user won’t be grouped together.

TypeDefault
booleantrue

enableSwipeToReply

If true, the user can swipe to reply to a message.

TypeDefault
Booleantrue

enforceUniqueReaction

Limits reactions to one per user. If a user selects another reaction, their previous reaction will be replaced. This is similar to reaction UX of iMessage.

TypeDefault
booleanfalse

forceAlignMessages

Forces alignment of messages in the list to either the left or right side of the screen. By default, received messages are aligned on the left side of the screen, and sent messages are aligned on the right.

TypeDefault
’left’ | ‘right’ | falsefalse

formatDate

Format function that returns a string to be used for the date in the message status and delete message component.

Type
function
ParameterDescription
datedate to format provided as a string, Date, or number (Unix Timestamp)

getMessagesGroupStyles

Messages with message list are grouped with some smart logic for example avatar of sender only appears for last message of the group. Messages are grouped together on UI if they are sent back to back by a user within certain timeframe (this timeframe can be controlled by a prop MaxTimeBetweenGroupedMessages on Channel component). getMessagesGroupStyles prop can be used to override the logic which determines the position of particular message within a group of messages for example top, bottom, middle, single etc. And depending on value, certain UI elements are hidden or shown on UI e.g, message timestamp, user avatar etc. You can find the default logic in getGroupStyles function.

Group styles returned by this function can be accessed by groupStyles value from MessageContext within custom components.

Type
function

globalUnreadCountLimit

Maximum number of unread messages to show as a count on a channel before adding a +. The max allowable is 255, which when reached displays as 255+.

TypeDefault
number255

giphyVersion

The Giphy version to render - check the keys of the Image Object for possible values.

TypeDefault
string’fixed_height’

handleAttachButtonPress

Function to customize the behaviour when the AttachButton is pressed in the message input.

Type
() => void

handleBan

Function called when the Ban User action is invoked from message actions list. This function does not override the default behavior of the Ban User action. Please refer to the guide on customizing message actions for details.

Type
function
ParameterDescription
messagemessage the action is called on

handleCopy

Function called when the Copy Message action is invoked from message actions list. This function does not override the default behavior of the Copy Message action. Please refer to the guide on customizing message actions for details.

Type
function
ParameterDescription
messagemessage the action is called on

handleDelete

Function called when the Delete Message action is invoked from message actions list. This function does not override the default behavior of the Delete Message action. Please refer to the guide on customizing message actions for details.

Type
function
ParameterDescription
messagemessage the action is called on

handleDeleteForMe

Function called when the Delete Message for me action is invoked from message actions list. This function does not override the default behavior of the Delete Message for me action. Please refer to the guide on customizing message actions for details.

Type
function
ParameterDescription
messagemessage the action is called on

handleEdit

Function called when the Edit Message action is invoked from message actions list. This function does not override the default behavior of the Edit Message action. Please refer to the guide on customizing message actions for details.

Type
function
ParameterDescription
messagemessage the action is called on

handleFlag

Function called when the Flag Message action is invoked from message actions list. This function does not override the default behavior of the Flag Message action. Please refer to the guide on customizing message actions for details.

Type
function
ParameterDescription
messagemessage the action is called on

handleMarkUnread

Function called when the Mark Unread action is invoked from message actions list. This function does not override the default behavior of the Mark Unread action. Please refer to the guide on customizing message actions for details.

Type
function
ParameterDescription
messagemessage the action is called on

handleMute

Function called when the Mute User action is invoked from message actions list. This function does not override the default behavior of the Mute User action. Please refer to the guide on customizing message actions for details.

Type
function
ParameterDescription
messagemessage the action is called on

handlePinMessage

Function called when the Pin to Conversation or Unpin from Conversation action is invoked from message actions list. This function does not override the default behavior of the Pin to Conversation or Unpin from Conversation action. Please refer to the guide on customizing message actions for details.

Type
function
ParameterDescription
messagemessage the action is called on

handleReaction

Function called when a reaction is selected in the message menu, this is called on both the add and remove action. This function does not override the default behavior of the reaction being selected. Please refer to the guide on customizing message actions for details.

Type
Function
ParameterDescription
messageMessage the action is called on.
reactionTypeString designating the type of reaction.

handleQuotedReply

Function called when the Reply action is invoked from message actions list. This function does not override the default behavior of the Reply action. Please refer to the guide on customizing message actions for details.

Type
function
ParameterDescription
messagemessage the action is called on

handleRetry

Function called when the Retry action is invoked from message actions list. This function does not override the default behavior of the Retry action. Please refer to the guide on customizing message actions for details.

Type
function
ParameterDescription
messagemessage the action is called on

handleThreadReply

Function called when the Thread Reply action is invoked from message actions list. This function does not override the default behavior of the Thread Reply action. Please refer to the guide on customizing message actions for details.

Type
function
ParameterDescription
messagemessage the action is called on

hasCameraPicker

Enable the camera picker on the MessageInput component.

TypeDefault
Booleantrue

hasCommands

Enable commands on the MessageInput component.

TypeDefault
booleantrue

hasFilePicker

Enable the file picker on the MessageInput component.

TypeDefault
Booleantrue

hasImagePicker

Enable the image picker on the MessageInput component.

TypeDefault
Booleantrue

hideDateSeparators

Hide inline date separators in MessageList component.

TypeDefault
booleanfalse

hideStickyDateHeader

Note: This prop is available only in SDK version >= v3.9.0

Hide sticky date header in MessageList component.

TypeDefault
booleanfalse

initialScrollToFirstUnreadMessage

Load messages in a channel at the first unread message.

TypeDefault
booleanfalse

isAttachmentEqual

Function which returns true if passing nextAttachment to render would return the same result as passing prevAttachment to render, otherwise return false.

Type
function
ParameterDescription
prevAttachmentprevious message attachment to be compared
nextAttachmentnext message attachment to be compared

keyboardBehavior

Behavior for the keyboard passed to the underlying KeyboardAvoidingView.

Type
’height’ | ‘position’ | ‘padding’

legacyImageViewerSwipeBehaviour

Note: This prop is available only in SDK version >= v3.9.0

Enables/disables the legacy image viewer behavior.

When true, within the image viewer you can keep swiping left to scroll through all the images that have been loaded within a channel so far. Be aware that this creates quite a lot of extra work for the JS thread to keep track of image attachments loaded in a channel and pre-populating them in the viewer for smooth transitions.

TypeDefault
booleanfalse

loadingMore

Override the loadingMore value supplied by the channel query logic.

Type
Boolean

loadingMoreRecent

Override the loadingMoreRecent value supplied by the channel query logic.

Type
Boolean

markdownRules

Object specifying rules defined within simple-markdown.

Type
object

markReadOnMount

Boolean to enable/disable the marking of channel as read when the Channel component is mounted.

Type
Boolean

maxMessageLength

Maximum length of the message text. The default value is supplied by the channel config.

Type
number

maxTimeBetweenGroupedMessages

Maximum time in milliseconds between consecutive messages from the same user to still consider them grouped together.

TypeDefault
numberinfinite

messageId

Load the channel at a specified message instead of the most recent message.

Type
string

messageActions

An array of, or function that returns and array of, actions that can be performed on a message shown in the message menu. Please refer to the guide on customizing message actions for details.

TypeDefault
Array | FunctionmessageActions
ParameterDescription
actionInfoAn object containing the original actions and relevant message data

messageContentOrder

Order in which to render the content of a message.

TypeDefault
array[‘quoted_reply’, ‘gallery’, ‘files’, ‘text’, ‘attachments’]

messageSwipeToReplyHitSlop

The hitSlop prop is used to define the area around the component where the user can interact with it.

This is for the message swipe to reply feature.

TypeDefault
Object{ top: number, left: number, bottom: number, right: number }{left: screenWidth, right: screenWidth}

messageTextNumberOfLines

Number of lines for the message text in the Message Overlay.

TypeDefault
number5

myMessageTheme

Theme applied to messages of the current user.

Type
object

Please make sure to memoize or pass static reference for this object.

newMessageStateUpdateThrottleInterval

Note: This prop is available only in SDK version >= v3.9.0

Throttling interval (in milliseconds) for react state update for channel, when new messages arrive in chat. By default state updates are throttled at 500 ms, but for high concurrency application this prop should be adjusted to 1000 ms to avoid excessive overload on JS thread.

TypeDefault
number500

numberOfLines

Maximum number of lines that underlying TextInput component within MessageInput should expand to.

TypeDefault
number5

numberOfAttachmentImagesToLoadPerCall

Number of images to load per call to CameraRoll.getPhotos.

TypeDefault
Number60

numberOfAttachmentPickerImageColumns

Number of columns to render within the image picker.

TypeDefault
Number3

onLongPressMessage

Function called when a user long presses a message. The default opens the message menu.

Type
function
ParameterDescription
payload{ actionHandlers, message }

onPressMessage

Function called when a user presses a message.

The default handler for message press interactions acts differently when pressing on reactions and attachments. You will have to handle these cases when overriding this function.

Type
function
ParameterDescription
payload{ additionalInfo, actionHandlers, message }

The additionalInfo prop is handy for getting information from certain click events. A good example of this is getting the user details when a textMention (for example @Enigma-I-am) is clicked.

For example:

 <Channel  onPressMessage={({ additionalInfo, defaultHandler, emitter }) => {   if (emitter === 'textMention') {  console.log(additionalInfo?.user);  return;  }   if (emitter === 'card' || emitter === 'textLink') {  console.log(additionalInfo?.url);  return;  }   if (emitter === 'fileAttachment') {  console.log(additionalInfo?.attachment);  return;  }   defaultHandler?.();  }}  >

The additionalInfo prop will change over time as we explore more use-cases for different emitter's.

onPressInMessage

Function called immediately when a touch is engaged on a message, before onPressMessage.

Type
function
ParameterDescription
payload{ actionHandlers, message }

overrideOwnCapabilities

Object to override the capabilities of current user, which are affected by number of factors such as user permissions, channel type configurations and channel settings. These capabilities are used to enable or disable certain UI features within the SDK. To know more about capabilities, please take a look at following documentation:

/chat/docs/javascript/channel_capabilities/

For example:

<Channel  overrideOwnCapabilities={{  uploadFile: false,  sendLinks: false  }}

Available keys for the object:

  • banChannelMembers When false, “Block User” message action won’t be available within message menu.
  • deleteAnyMessage When false, “Delete Message” action won’t be available for received message within message menu.
  • deleteOwnMessage When false, “Delete Message” action won’t be available for own message within message menu.
  • flagMessage When false, “Flag Message” message action won’t be available within message menu.
  • pinMessage When false, “Pin Message” action won’t be available within message menu.
  • quoteMessage When false, “Reply” message action won’t be available within message menu.
  • readEvents When false, read receipts for message won’t be rendered.
  • sendLinks When false, user will not be allowed to send URLs in message.
  • sendMessage When false, message input component will render SendMessageDisallowedIndicator instead of input box.
  • sendReaction When false, reaction selector (OverlayReactionList) component won’t be available within message menu.
  • sendReply When false, “Thread Reply” message action won’t be available within message menu.
  • sendTypingEvents When false, typing events won’t be sent from current user.
  • updateAnyMessage When false, “Edit Message” action won’t be available for received messages within message menu.
  • updateOwnMessage When false, “Edit Message” action won’t be available for own messages within message menu.
  • uploadFile When false, upload file button (AttachButton) won’t be available within MessageInput component.
Type
object

reactionListPosition

The position of the reaction list in the message component. By default, the reaction list is positioned on top the message content.

TypeDefault value
top | bottom’top’

selectReaction

Full override of the reaction function on a message. This function must return a function that takes as a parameter the reactionType as a string. Please refer to the guide on customizing message actions for details.

Type
function | null
ParameterDescription
messagemessage the action is called on

setInputRef

Callback function to set the ref on the underlying TextInput in MessageInput.

Type
function
ParameterDescription
refref of the TextInput

shouldShowUnreadUnderlay

Boolean to enable/disable the message underlay background when there are unread messages in the Message List.

TypeDefault
boolean|undefinedtrue

stateUpdateThrottleInterval

Note: This prop is available only in SDK version >= v3.9.0

Throttling interval (in milliseconds) for react state update for channel, (except new messages). By default state updates are throttled at 500 ms, but for high concurrency application this prop should be adjusted to 1000 ms to avoid excessive overload on JS thread.

TypeDefault
number500

supportedReactions

List of reactions which can be added on message. Please refer to the guide on customizing reactions for details.

TypeDefault
ArrayreactionData

thread

Can be either a LocalMessage object or a ThreadType that when set indicates a thread is open. Both of the types may be used interchangeably.

When used with the Thread component this will display the thread. When used with the standard MessageList component this will prevent any singleton components in the OverlayProvider form getting out of sync.

thread should be set on all Channel components when a thread is open.

Type
object

threadList

Tells the Channel component if it is rendering a thread. We use this flag to avoid concurrency problems between a regular channel and a channel containing a thread.

Type
boolean

openPollCreationDialog

Function called immediately when the poll creation button is clicked in the attachment picker. Can be used to override the default behaviour of the poll creation UI appearing as a Modal.

If overridden, a payload is passed containing the sendMessage callback from MessageInputContext is passed, so that CreatePoll

Type
function
ParameterDescription
payload{ sendMessage }

closePollCreationDialog

Function called whenever the close button is pressed on the poll creation modal. Has no effect if PollCreateContent is custom.

Type
function

hasCreatePoll

A boolean value that is responsible for controlling whether the poll creation button is visible or not.

Type
boolean

topInset

Distance from the top of the screen the attachment picker should open to when expanded. This is often set to the header height.

This can also be set via the setTopInset function provided by the useAttachmentPickerContext hook.

TypeDefault
Number0

maximumMessageLimit

This component is available since version 8.6.2 of the SDK.

A prop that controls the number of messages that will be kept in memory at any given time.

It is particularly useful for usages of Channel and MessageList in situations where we have a really high traffic of messages (i.e a livestream) where it is inconvenient (and unnecessary) to keep every single message we’ve received in memory.

Technical caveats:

  • It will affect how the underlying MessageList works
  • Whenever going past the maximumMessageLimit, the oldest messages will be pruned (only in memory)
  • Messages will not be pruned if we have scrolled near the current top of the MessageList
  • Pagination will still work as normal for messages we’ve removed from memory
Type
number

UI Components Props

AttachButton

Component to render the attach button next to input box.

TypeDefault
ComponentTypeAttachButton

Attachment

Component for rendering attachments in MessageList.

Available props:

  • attachment {object}
TypeDefault
ComponentTypeAttachment

AttachmentActions

Component to render additional actions on attachment. for example send, shuffle, cancel in case of Giphy.

TypeDefault
ComponentTypeAttachmentActions

AudioAttachment

Component for rendering the Audio Attachment

TypeDefault
ComponentTypeAudioAttachment

AudioAttachmentUploadPreview

Component prop used to customize the audio attachment upload preview when its uploading/uploaded in the MessageInput.

TypeDefault
ComponentTypeAudioAttachmentUploadPreview

AudioRecorder

Custom UI component to render audio recorder controls in MessageInput.

TypeDefault
ComponentTypeAudioRecorder

AudioRecordingInProgress

Custom UI component to render audio recording in progress in MessageInput. It renders the waveform, duration etc, for the recording.

TypeDefault
ComponentTypeAudioRecordingInProgress

AudioRecordingLockIndicator

Custom UI component to render audio recording lock indicator in MessageInput that can be dragged up to lock the recording start.

TypeDefault
ComponentTypeAudioRecordingLockIndicator

AudioRecordingPreview

Custom UI component to render audio recording preview in MessageInput that allows playing the recording.

TypeDefault
ComponentTypeAudioRecordingPreview

AudioRecordingWaveform

Custom UI component to render audio recording waveform in MessageInput.

TypeDefault
ComponentTypeAudioRecordingWaveform

AutoCompleteSuggestionHeader

Component to render the autocomplete suggestion header.

TypeDefault
ComponentTypeAutoCompleteSuggestionHeader

AutoCompleteSuggestionItem

Component to render the autocomplete suggestion item.

TypeDefault
ComponentTypeAutoCompleteSuggestionItem

AutoCompleteSuggestionList

Component to render the autocomplete suggestion list.

TypeDefault
ComponentTypeAutoCompleteSuggestionList

AttachmentPickerBottomSheetHandle

Bottom sheet handle component for image picker.

TypeDefault
ComponentTypeundefined | AttachmentPickerBottomSheetHandle

AttachmentPickerSelectionBar

Component to render and customize the attachment picker selection bar that displays the image, file and camera icons._createMdxContent

TypeDefault
ComponentTypeundefined | AttachmentPickerSelectionBar

AttachmentPickerIOSSelectMorePhotos

Component to render select more photos option for selected gallery access in iOS.

TypeDefault
ComponentTypeundefined | AttachmentPickerIOSSelectMorePhotos

AttachmentPickerError

Error component displayed when the app doesn’t have permissions to access photos on the device.

TypeDefault
ComponentTypeundefined | AttachmentPickerError

AttachmentPickerErrorImage

Image component within AttachmentPickerError.

TypeDefault
ComponentTypeundefined | AttachmentPickerErrorImage

AttachmentUploadPreviewList

Component to render preview of attached files and images, within the MessageInput component.

TypeDefault
ComponentTypeAttachmentUploadPreviewList

AttachmentUploadProgressIndicator

Component to render progress indicator on the image/files being uploaded in the message input.

TypeDefault
ComponentTypeAttachmentUploadProgressIndicator

CameraSelectorIcon

Camera selector component displayed in the attachment selector bar.

TypeDefault
ComponentTypeundefined | CameraSelectorIcon

CooldownTimer

The cooldown timer is a component that displays a countdown timer for message sending cooldowns in the MessageInput. It helps to inform users about the remaining time before they can send another message.

TypeDefault
ComponentTypeCooldownTimer

Card

Component to render any custom type of attachment. Please check the guides for Custom Attachment

TypeDefault
ComponentTypeCard

CardCover

Component to render main body for Card component which renders custom type of attachment. Please check the guides for Custom Attachment.

Type
ComponentType

CardFooter

Component to render footer for Card component which renders custom type of attachment. Please check the guides for Custom Attachment.

Type
ComponentType

CardHeader

Component to render header for Card component which renders custom type of attachment. Please check the guides for Custom Attachment.

Type
ComponentType

CommandsButton

Component to render button next to input box, which when pressed opens commands list.

TypeDefault
ComponentTypeCommandsButton

CommandInput

Component to render the message input in an active command state.

TypeDefault
ComponentTypeCommandInput

DateHeader

Component to render sticky date header within enclosed MessageList component.

TypeDefault
ComponentTypeDateHeader

EmptyStateIndicator

Component to render, when channel has no messages.

TypeDefault
ComponentTypeEmptyStateIndicator

FileAttachmentIcon

Component to render file icon for file type attachment.

TypeDefault
ComponentTypeFileIcon

FileAttachment

Component to render ‘file’ type attachment in MessageList.

TypeDefault
ComponentTypeFileAttachment

FileAttachmentGroup

Component to render group of file type attachments, when there are multiple file type attachments in message.

TypeDefault
ComponentTypeFileAttachmentGroup

FileSelectorIcon

File selector component displayed in the attachment selector bar.

TypeDefault
ComponentTypeundefined | FileSelectorIcon

ImageSelectorIcon

Image selector component displayed in the attachment selector bar.

TypeDefault
ComponentTypeundefined | ImageSelectorIcon

VideoRecorderSelectorIcon

Video recorder selector component displayed in the attachment selector bar.

TypeDefault
ComponentTypeundefined | VideoRecorderSelectorIcon

FileAttachmentUploadPreview

Component prop used to customize the file attachment upload preview when its uploading/uploaded in the MessageInput.

TypeDefault
ComponentTypeFileAttachmentUploadPreview

ImageAttachmentUploadPreview

Component prop used to customize the image attachment upload preview when its uploading/uploaded in the MessageInput.

TypeDefault
ComponentTypeImageAttachmentUploadPreview

VideoAttachmentUploadPreview

Component prop used to customize the video attachment upload preview when its uploading/uploaded in the MessageInput.

TypeDefault
ComponentTypeVideoAttachmentUploadPreview

ImageOverlaySelectedComponent

Indicator component used to designate an image as selected in the image picker.

TypeDefault
ComponentTypeundefined | ImageOverlaySelectedComponent

FlatList

FlatList component for underlying MessageList component.

TypeDefault
ComponentTypeflat-list-mvcp

Component to render ‘image’ type attachments in the MessageList.

TypeDefault
ComponentTypeGallery

Giphy

Component to render Giphy type attachments in MessageList.

TypeDefault
ComponentTypeGiphy

ImageLoadingFailedIndicator

Component to render when image fails to load in Gallery.

TypeDefault
ComponentTypeImageLoadingFailedIndicator

ImageLoadingIndicator

Component to render when image is loading in Gallery.

TypeDefault
ComponentTypeImageLoadingIndicator

InlineDateSeparator

Component to render inline date separators between messages which were created at a difference of more than a day.

TypeDefault
ComponentTypeInlineDateSeparator

InlineUnreadIndicator

Component to render inline separator in MessageList, to indicate the position of last read message in list.

TypeDefault
ComponentTypeInlineUnreadIndicator

Input

Component to render UI part of enclosed MessageInput component. Please read section in guides about Customizing Message Input.

Type
ComponentType

InputButtons

Component to render action buttons (CommandsButton and AttachButton) on left side of input box, within enclosed MessageInput component.

TypeDefault
ComponentTypeInputButtons

InputEditingStateHeader

Component to render the header when a message is been edited on the message input.

TypeDefault
ComponentTypeInputEditingStateHeader

InputReplyStateHeader

Component to render the header on the message input when a message is been replied to.

TypeDefault
ComponentTypeInputReplyStateHeader

KeyboardCompatibleView

Component to override underlying default KeyboardCompatibleView. Generally you won’t need to use this prop at all, you can simply use following props instead:

TypeDefault
ComponentTypeKeyboardCompatibleView

LoadingErrorIndicator

Component to render full screen error indicator, when channel fails to load.

TypeDefault
ComponentTypeLoadingErrorIndicator

LoadingIndicator

Component to render full screen error indicator, when channel fails to load.

TypeDefault
ComponentTypeLoadingIndicator

MessageActionList

Component for rendering a message action list within the message menu.

TypeDefault
ComponentTypeMessageActionList | undefined

MessageActionListItem

Component for rendering message action list items within a message action list.

TypeDefault
ComponentTypeMessageActionListItem | undefined

MessageAvatar

Component to render avatar of sender for message, within MessageList. This component is only rendered for messages from other users.

TypeDefault
ComponentTypeMessageAvatar

MessageBounce

Component to render bounce action handler on click or long press of a Bounced message, within MessageList.

TypeDefault
ComponentTypeMessageBounce

MessageContent

Component to render content of message including status, attachments, reactions etc., within MessageList.

TypeDefault
ComponentTypeMessageContent

MessageDeleted

Component to render deleted message.

TypeDefault
ComponentTypeMessageDeleted

MessageEditedTimestamp

Component to render message edited label in message when the message is clicked, within MessageList. This component is only rendered for messages from other users.

TypeDefault
ComponentTypeMessageEditedTimestamp

MessageError

Component to customize the message error component.

TypeDefault
ComponentTypeMessageError

MessageFooter

Component to render footer for message, within MessageList.

TypeDefault
ComponentTypeMessageFooter

MessageHeader

Component to render header for message, within MessageList.

Type
ComponentType

MessageMenu

Component to customize the message contextual menu which allows users to perform actions on a message and react to messages.

TypeDefault
ComponentTypeMessageMenu | undefined

MessagePinnedHeader

Component to render pinned message label for message, within MessageList.

Type
ComponentType

MessageReplies

Component to show number of thread replies and avatars of members who replied on message

TypeDefault
ComponentTypeMessageReplies

MessageRepliesAvatars

Component to show avatars of members who thread replied on message.

TypeDefault
ComponentTypeMessageRepliesAvatars

MessageSimple

Component to render a message within MessageList.

Please check guides section for Customizing Message UI for details.

TypeDefault
ComponentTypeMessageSimple

MessageStatus

Component to render status of message, which includes time and read-receipts.

TypeDefault
ComponentTypeMessageStatus

MessageSwipeContent

Component that renders when the user swipes on a message.

TypeDefault
ComponentTypeMessageSwipeContent | undefined

MessageSystem

Component to render system type messages. Purpose of system messages is to inform user about changes to channel. System messages are part of message history, and have a property type set as system. You can add system messages within message history in following scenarios:

TypeDefault
ComponentTypeMessageSystem

MessageText

Component to render text of message. By default, we use Simple Markdown package to render the text content of message. If you decide to use this prop, please be aware that you will need to handle the markdown rendering yourself.

TypeDefault
ComponentTyperenderText

MessageReactionPicker

Reaction selector component displayed within the message menu when user long presses a message.

TypeDefault
ComponentTypeMessageReactionPicker | undefined

MessageUserReactionsAvatar

Component for rendering an avatar in the message user reactions in the message menu.

TypeDefault
ComponentTypeMessageUserReactionsAvatar | undefined

MessageUserReactionsItem

Component prop to customize the individual user reaction item in the MessageUserReactions component of MessageMenu. This includes the avatar, reaction type, and the name of the person who has reacted, etc.

TypeDefault
ComponentTypeMessageUserReactionsItem | undefined

MessageUserReactions

List of reactions component within the message menu.

TypeDefault
ComponentTypeMessageUserReactions | undefined

MoreOptionsButton

Component to render a button within enclosed MessageInput, which when pressed shows more options such as AttachButton, CommandsButton.

TypeDefault
ComponentTypeMoreOptionsButton

NetworkDownIndicator

Component to render an indicator at top of the channel, which shows up when there is some issue with network or connection.

TypeDefault
ComponentTypeNetworkDownIndicator

ReactionListBottom

Component to render list of reactions at the bottom of the message bubble.

TypeDefault
ComponentTypeReactionListBottom

ReactionListTop

Component to render list of reactions at top of the message bubble.

TypeDefault
ComponentTypeReactionListTop

Reply

Component to render preview of parent of message for quoted reply.

TypeDefault
ComponentTypeReply

ScrollToBottomButton

Component to render a button which when pressed, scrolls the message list to bottom.

TypeDefault
ComponentTypeScrollToBottomButton

SendButton

Component to render a send message button, within enclosed MessageInput component.

TypeDefault
ComponentTypeSendButton

SendMessageDisallowedIndicator

Component to render indicator stating send message feature is not allowed for current user.

TypeDefault
ComponentTypeSendMessageDisallowedIndicator

ShowThreadMessageInChannelButton

Component to render a checkbox within enclosed Thread component, which when checked sets a show_in_channel property to true on a message.

TypeDefault
ComponentTypeShowThreadMessageInChannelButton

StartAudioRecordingButton

Custom UI component for audio recording mic button in MessageInput.

TypeDefault
ComponentTypeStartAudioRecordingButton

TypingIndicator

Component to render typing indicator within enclosed MessageList component.

TypeDefault
ComponentTypeTypingIndicator

TypingIndicatorContainer

Component to render container in which typing indicator gets rendered within enclosed MessageList component.

TypeDefault
ComponentTypeTypingIndicatorContainer

UnreadMessagesNotification

Component to render the floating unread indicator on the message list when the first unread message is not in the view.

TypeDefault
ComponentTypeUnreadMessagesNotification

UrlPreview

Component to render preview of URLs in MessageList.

TypeDefault
ComponentTypeCard

CreatePollContent

A custom UI component used to render the entire poll creation form. It has access to the CreatePollContext values by default through the useCreatePollContext hook.

TypeDefault
ComponentTypeCreatePollContent

PollContent

A Component prop used to render the content of the Poll component in MessageList.

The component has full access to the entire Poll reactive state through the usePollState hook.

TypeDefault
ComponentTypePollContent

Props

PollHeader

A Component prop used to render the header of the PollContent component.

TypeDefault
ComponentTypePollHeader
PollButtons

A Component prop used to render the buttons of the PollContent component.

TypeDefault
ComponentTypePollButtons

StreamingMessageView

Custom UI component to display an AI generated message.

TypeDefault
componentStreamingMessageView

StopMessageStreamingButton

Custom UI component to display the button to stop AI generation instead of the SendButton one in MessageInput.

TypeDefault
componentStopMessageStreamingButton

© Getstream.io, Inc. All Rights Reserved.