Skip to main content

Send Message

This document introduces how to send messages from the client, applicable to one-to-one chat, group chat, and chatroom.

Please note that the client SDK has a message sending rate limit, with a maximum of 5 messages per second.

Send Message

sendMessage is the basic interface for sending messages, which can be used to send built-in message types or custom messages in IMLib. For specific message types, IMLib also provides multiple convenient syntactic sugar methods.

Take calling sendMessage to send a text message mentioning @张三 in a group chat as an example.

  1. Define the target group conversation and instantiate the message to be sent. Since it's a group @ message, mentionedInfo needs to be added.

    // Define the target conversation, here we define a group type conversation
    const conversation = { conversationType: RongIMLib.ConversationType.GROUP, targetId: '<Target ID>' }
    // Instantiate the message to be sent, RongIMLib.TextMessage is a built-in text message
    const message = new RongIMLib.TextMessage({
    // Text content
    content: 'Text content',
    // (Optional) Additional information in the message, passed to the receiver
    extra: 'Additional information',
    // For group messages, if you need to send @ messages, add the mentionedInfo field
    mentionedInfo: {
    // @ type: all, individual
    type: RongIMLib.MentionedType.SINGAL,
    // @ user list
    userIdList: [zhangsan],
    // @ content
    mentionedContent: ''
    }
    })
  2. Construct the send options ISendMessageOptions, used to define some optional configurations in the sending behavior. Since it's a group @ message, isMentioned in options must be set to true.

    // Configuration properties
    const options = {
    // If you need to send @ messages, isMentioned needs to be set to true
    isMentioned: true,
    // Callback before sending the message, you can use the message returned by this callback for list rendering
    onSendBefore: (message) => {
    console.log('Callback before sending the message', message)
    }
    }
  3. Send the message. If the message is sent successfully, you can change the status of the message in the list to "sent successfully" based on the messageId field in the returned result.

    // Send the message
    RongIMLib.sendMessage(conversation, message, options).then(res => {
    if (res.code === RongIMLib.ErrorCode.SUCCESS) {
    // The message is sent successfully, you can change the status of the message in the list to "sent successfully" based on the messageId field in the returned result.
    console.log('Message sent successfully', res.data)
    } else {
    console.log('Message sending failed', res.code, res.msg)
    }
    })
  4. If the message fails to send, you can change the status of the message in the list to "failed to send" based on the messageId field in the returned result and resend the message.

    When the client encounters a message sending failure, the following situations may occur:

    1. The message was not delivered to the RC server, or the RC server returned a failure after delivery (others did not receive it).
    2. In some extreme cases (such as a weak network environment), the message may have been successfully delivered to the recipient. However, the sender did not receive the RC server's receipt in time, and after a timeout, it was considered a failure. In this case, resending the message on the client side will cause the recipient to receive the message repeatedly. For a detailed explanation of this issue, please refer to the FAQ.
  5. Resend the message. The resent message must be consistent with the original message.

tip

Starting from version 5.5.1, the SDK supports passing the original message's messageId in options when resending a message. The RC server will not deduplicate messages, and the application layer can use this ID to determine whether the message is a duplicate and handle it accordingly. This ID can be obtained from the message object returned by the onSendBefore callback or from the returned result.

    // Define the target conversation, here we define a group type conversation
const conversation = { conversationType: RongIMLib.ConversationType.GROUP, targetId: '<Target ID>' }
// Instantiate the message to be sent, RongIMLib.TextMessage is a built-in text message
const message = new RongIMLib.TextMessage({ content: 'Text content' })
// Configuration properties
const options = {
// The messageId of the resent message, which can be obtained from the message object returned by the onSendBefore callback or from the returned result
messageId: 0
}

RongIMLib.sendMessage(conversation, message, options).then(res => {
if (res.code === RongIMLib.ErrorCode.SUCCESS) {
// The message is sent successfully, you can change the status of the message in the list to "sent successfully" based on the messageId field in the returned result.
console.log('Message sent successfully', res.data)
} else {
// The message failed to send, you can change the status of the message in the list to "failed to send" based on the messageId field in the returned result.
console.log('Message sending failed', res.code, res.msg)
}
})

sendMessage Interface Description

sendMessage method accepts three parameters: conversation, message, and options.

  • conversation defines the target conversation. See IConversationOption.

    ParameterTypeDescription
    conversationTypeConversationTypeConversation type
    targetIdstringReceiver ID
  • message is the content of the message to be sent, supporting IMLib built-in messages (e.g., RongIMLib.TextMessage) or custom message instances implemented via RongIMLib.registerMessageType().

  • options defines some optional configurations in the sending behavior, such as whether it can be expanded, push notifications, etc. See ISendMessageOptions

    ParameterTypeDescription
    isStatusMessageboolean(Deprecated) Whether it is a status message (optional)
    disableNotificationbooleanWhether to send a silent message (optional)
    pushContentstringPush information (optional)
    pushDatastringAdditional information carried by the push notification (optional)
    isMentionedbooleanWhether it is an @ message. Only valid when conversationType is group or ultra group (optional)
    mentionedType1|2(Deprecated) @ message type, 1: @ all 2: @ specified users (optional) Deprecated
    mentionedUserIdListstring[](Deprecated) List of user IDs being @ (optional)
    directionalUserIdListstring[]Used to send targeted messages, only valid when conversationType is group or ultra group. Note, if SDK version < 5.9.4, only groups support targeted messages. (optional)
    isVoipPushbooleanWhen the recipient is an iOS device and offline, they will receive a Voip Push. This configuration has no effect on Android. (optional)
    canIncludeExpansionbooleanWhether the message can be expanded
    expansion[key: string]: stringMessage expansion content data (optional)
    isFilerWhiteBlacklistbooleanBlocklist/Allowlist (optional)
    pushConfigIPushConfigMobile push configuration (optional) (similar to MessagePushConfig on Android and iOS)
    onSendBeforeFunctionCallback before sending the message, supported from version 5.4.0
    messageIdnumberWhen resending a message, pass the messageId of the message to be resent. All parameters of the resent message must be consistent with the original message. Supported from version 5.5.1
    disableUpdateLastMessagebooleanDisable updating the last message of the conversation, default is false. Supported from version 5.12.2.
    • IPushConfig Parameter Description

      ParameterTypeDescription
      pushTitlestringPush title, if not set: for one-to-one chat, the sender's name is displayed as the notification title; for group chat, the group name is displayed as the notification title; for custom messages, no title is displayed by default;
      pushContentstringPush content
      pushDatastringAdditional information for remote push
      iOSConfigIiOSPushConfig(optional)
      androidConfigIAndroidPushConfig(optional)
      disablePushTitlebooleanWhether to display the push title. Only effective for iOS platform
      forceShowDetailContentbooleanWhether to force push
      templateIdstringPush template ID
      harmonyOSConfigIHarmonyOSPushConfig(optional))

Built-in Message Types

IMLib provides predefined message types such as text, voice, image, GIF, file, etc.

Text Message

ITextMessageBody Parameter Description

KeyTypeRequiredDescription
contentstringYesText content

Code Example

new RongIMLib.TextMessage({ content: '' })

Image Message

IImageMessageBody Parameter Description

KeyTypeRequiredDescription
contentstringYesImage thumbnail, should be a Base64 string. Generate the thumbnail yourself (suggested longest side not exceeding 240 pixels), encode it in Base64, and place it in content. The Base64 string length is recommended to be 5k, with a maximum of 10k. Note that some tools may include a Data URI prefix when converting images to Base64. For example: data:image/jpeg;base64,/9j/4AAQSkZJRgABAgAAZABkAAD. Please discard the Data URI prefix and only keep the data part, for example: /9j/4AAQSkZJRgABAgAAZABkAAD.
imageUristringYesRemote access address of the image

Code Example

new RongIMLib.ImageMessage({
content: '', // Image thumbnail, should be a Base64 string, and must not exceed 80KB
imageUri: '' // Remote access address of the image
})

File Message

IFileMessageBody Parameter Description

KeyTypeRequiredDescription
namestringYesFile name
sizenumberYesImage size, unit Byte
typestringYesFile type
fileUrlstringYesRemote download address of the file

Code Example

new RongIMLib.FileMessage({
name: '',
size: 1000,
type: '',
fileUrl: ''
})

HQ Voice

IHQVoiceMessageBody Parameter Description

KeyTypeRequiredDescription
remoteUrlstringYesRemote media resource address
durationnumberYesVoice duration, unit s. Please ensure the voice duration to be sent is within 60s
typestringNoEncoding type, default aac. If your business also uses the Global IM UIKit SDK on Android/iOS, please use the default aac format, because Global IM UIKit's audio recording and playback only support the aac format by default and cannot play other formats. If your Android/iOS App will handle audio recording and playback on its own, you can choose the format as needed.

Code Example

new RongIMLib.HQVoiceMessage({
remoteUrl: '<aac file address>',
duration: 60,
})

Short Video Message

ISightMessageBody Parameter Description

KeyTypeRequiredDescription
sightUrlstringYesRemote video resource address. If your business also uses the Global IM UIKit SDK on Android/iOS, you must use H.264 + AAC encoded files, because Global IM UIKit's short video recording and playback only support this encoding combination.
contentstringYesBase64 string of the first frame thumbnail of the short video. Generate the thumbnail yourself (suggested longest side not exceeding 240 pixels), encode it in Base64, and place it in content. The Base64 string length is recommended to be 5k, with a maximum of 10k. Note that some tools may include a Data URI prefix when converting images to Base64. For example: data:image/jpeg;base64,/9j/4AAQSkZJRgABAgAAZABkAAD. Please discard the Data URI prefix and only keep the data part, for example: /9j/4AAQSkZJRgABAgAAZABkAAD.
durationnumberYesVideo duration. Please note that the default video duration limit on the server is 2 minutes. If you need to adjust the limit, please contact business.
sizenumberYesVideo size, unit Byte
namenumberYesVideo name

Code Example

new RongIMLib.SightMessage({
sightUrl: "<Remote address of the video resource>",
content: "<Base64 of the thumbnail>"
duration: 10,
size: 100,
name: "Video name"
})

GIF Message

IGIFMessageBody Parameter Description

KeyTypeRequiredDescription
gifDataSizenumberYesGIF image file size, unit Byte
remoteUrlstringYesRemote storage address of the GIF image
widthnumberYesImage width
heightnumberYesImage height

Code Example

new RongIMLib.GIFMessage({
gifDataSize: 30,
remoteUrl: '<Image address>',
width: 300,
height: 200
})

Reference Message

IReferenceMessageBody Parameter Description

ParameterTypeRequiredDescription
referMsgUserIdstringYesUser ID of the referenced message sender
referMsganyYesReferenced message object
contentstringYesInput text message content
objNamestringYesReferenced message type

Code Example

new RongIMLib.ReferenceMessage({
referMsgUserId: '<User ID of the referenced message>',
referMsg: {
content: 'Referenced message text'
},
referMsgUid: 'Message UId of the referenced message',
content: 'Sent message content',
objName: RongIMLib.MessageType.TEXT
})

Location Message

ILocationMessageBody Parameter Description

ParameterTypeRequiredDescription
longitudenumberYesLongitude
latitudenumberYesLatitude
poistringYesLocation information
contentstringYesLocation thumbnail, the image needs to be a Base64 string without a prefix

Code Example

new RongIMLib.LocationMessage({
latitude: '<Longitude of the location>',
longitude: '<Latitude of the location>',
poi: 'Location information',
content: '<base64>'
})

Rich Text Message

IRichContentMessageBody Parameter Description

ParameterTypeRequiredDescription
titlestringYesTitle
contentstringYesIntroduction content
imageUristringYesDisplayed image address
urlstringYesArticle link address

Code Example

new RongIMLib.RichContentMessage({
title: 'Title',
content: 'Introduction content',
imageUri: '<Image address>',
url: '<Article link address>'
})

Gray Bar Message

tip

Supported from version 5.8.1

IInformationNotificationMessageBody Parameter Description

ParameterTypeRequiredDescription
messagestringYesPrompt bar message content
extrastringNoAdditional information of the prompt bar

Code Example

new RongIMLib.InformationNotificationMessage({
message: 'Prompt bar message content',
extra: 'Additional information of the prompt bar',
})

Command Message

tip

Supported from version 5.8.1

ICommandMessageBody Parameter Description

ParameterTypeRequiredDescription
namestringYesCommand name
datastringYesCommand content

Code Example

new RongIMLib.CommandMessage({
name: 'Command name',
data: 'Command content',
})

Group Notification Message

tip

Supported from v5.8.1

IGroupNotificationMessageBody Parameters

ParameterTypeRequiredDescription
operatorUserIdstringYesOperator ID
operationstringYesOperation name
datastringYesOperation data
messagestringYesMessage content
extrastringNoExtension info

Example:

new RongIMLib.GroupNotificationMessage({
operatorUserId: 'Operator ID',
operation: 'Operation name',
data: 'Operation data',
message: 'Message content'
})

Emoji Message

For Web, send Emoji messages as text messages (TextMessage).

  • RC provides an Emoji plugin with 128 built-in Emoji images. Can be used in message input or extended.
  • Must send native Emoji characters when sending messages. Use symbolToEmoji for conversion.
  • Web SDK receives Emoji as Unicode. Convert to display correctly.

Example:

const conversation = { conversationType: RongIMLib.ConversationType.PRIVATE, targetId: '<Target Id>' }
const message = new RongIMLib.TextMessage({ content: '😀' })
RongIMLib.sendMessage(conversation, message).then(res => {})

Emoji Plugin

  • Compatibility

    ChromeFirefoxSafariIEEdgeiPhoneAndroid
    30+30+10+7+✔️iOS 8.0+ Safari & WeChat BrowserAndroid 4.4+ Chrome & WeChat Browser
  • Include Plugin

    <!-- Uncompressed -->
    <script src=\"https://cdn.ronghub.com/RongEmoji-2.2.11.js\"></script>
    <!-- Compressed -->
    <script src=\"https://cdn.ronghub.com/RongEmoji-2.2.11.min.js\"></script>
danger
  1. When using import * as RongIMLib from '@rongcloud/imlib-next', prefix Emoji plugin calls with window. E.g., window.RongIMLib.RongIMEmoji.init()
  2. RongEmoji plugin only supports CDN inclusion, not npm
  • Initialize Emoji (default)

    RongIMLib.RongIMEmoji.init();
  • Initialize Emoji (custom config)

    config parameters:

    ParameterTypeRequiredDescriptionMin Version
    sizeNumberNoEmoji size (default 24, 18-58 recommended)2.2.6
    urlStringNoEmoji background image URL2.2.6
    langStringNoEmoji name language (default zh)2.2.6
    extensionObjectNoExtended Emoji2.2.6
    var config = {
    size: 25,
    url: '//f2e.cn.ronghub.com/sdk/emoji-48.png',
    lang: 'en',
    extension: {
    dataSource: {
    u1F914: { // Custom u1F914 Emoji
    en: 'thinking face',
    zh: '思考',
    tag: '🤔',
    position: '0 0'
    }
    },
    url: '//cdn.ronghub.com/thinking-face.png'
    }
    };
    RongIMLib.RongIMEmoji.init(config);
  • Get List

    var list = RongIMLib.RongIMEmoji.list;
    /*list => [{
    unicode: 'u1F600',
    emoji: '😀',
    node: span,
    symbol: '[笑嘻嘻]'
    }]
    */
  • Emoji to Text

    Display Emoji names when native Emoji isn't supported.

    var message = '😀😁Test Emoji';
    RongIMLib.RongIMEmoji.emojiToSymbol(message);
    // => '[笑嘻嘻][露齿而笑]Test Emoji'
  • Text to Emoji

    Must use native Emoji characters when sending.

    var message = '[笑嘻嘻][露齿而笑]Test Emoji';
    RongIMLib.RongIMEmoji.symbolToEmoji(message);
    // => '😀😁Test Emoji'
  • Emoji to HTML

    Convert received Emoji (Unicode) to HTML for display.

    var message = '\\uf600Test Emoji';
    RongIMLib.RongIMEmoji.emojiToHTML(message);
    // => \"<span class='rong-emoji-content' name='[笑嘻嘻]'>😀</span>Test Emoji\"
  • Text to HTML

    var message = '[露齿而笑]Test Emoji';
    RongIMLib.RongIMEmoji.symbolToHTML(message);
    // => \"<span class='rong-emoji-content' name='[露齿而笑]'>😁</span>Test Emoji\"

Extension Attributes

All messages support user and extra extension attributes for custom data.

  • user: Carries user data (id, name, portraitUri, extra)
  • extra: String data (custom serialization/deserialization)

Example

new RongIMLib.TextMessage({
content: '',
extra: '',
user: {
id: '',
name: '',
portraitUri: '',
extra: ''
}
})

Syntactic Sugar

IMLib provides syntactic sugar methods for sending FileMessage, ImageMessage, HQVoiceMessage, SightMessage, and GIFMessage, simplifying local resource upload and message construction.

Send File Message

Parameters

ParameterTypeRequiredDescription
conversationIConversationOptionYesConversation
msgBody[ISendFileMessageOptions]YesMessage content
hooks[IUploadHooks]NoUpload callbacks
sendOptions[IUploadMessageOption]NoMessage config

Example

const conversation = {
conversationType: RongIMLib.ConversationType.PRIVATE,
targetId: ''
}
const msgBody = {
file, // File to upload
user: { id: '', name: '', portraitUri: '', extra: '' }, // Optional user info
extra: '' // Optional pass-through data
}
const hooks = {
onProgress (progress) {}, // Upload progress
onComplete (fileInfo) { // Upload complete
console.log(fileInfo.url) // File URL
// Return custom message if needed
}
}
const options = {
contentDisposition: 'attachment' // 'inline' | 'attachment'
},

RongIMLib.sendFileMessage(
conversation,
msgBody,
hooks,
options
).then(({ code, data: message }) => {
if (code === 0) {
// Success
}
})

Send Image Message

Parameters

ParameterTypeRequiredDescription
conversationIConversationOptionYesConversation
msgBody[ISendImageMessageOptions]YesMessage content
hooks[IUploadHooks]NoUpload callbacks
sendOptions[IImageMessageOption]NoMessage config

Example

const conversation = {
conversationType: RongIMLib.ConversationType.PRIVATE,
targetId: ''
}
const msgBody = {
file, // File to upload
user: { id: '', name: '', portraitUri: '', extra: '' }, // Optional user info
extra: '' // Optional pass-through data
}
const hooks = {
onProgress (progress) {}, // Upload progress
onComplete (fileInfo) { // Upload complete
console.log(fileInfo.url) // File URL
// Return custom message if needed
}
}
const options = {
contentDisposition: 'inline' // 'inline' | 'attachment'
},

RongIMLib.sendImageMessage(
conversation,
msgBody,
hooks,
options
).then(({ code, data: message }) => {
if (code === 0) {
// Success
}
})

Send High-Quality Voice Message

tip

Use default aac format if using Global IM UIKit on Android/iOS. Custom format supported if handling audio separately.

Parameters

ParameterTypeRequiredDescription
conversationIConversationOptionYesConversation
msgBody[ISendHQVoiceMessageOptions]YesMessage content
hooks[IUploadHooks]NoUpload callbacks
sendOptions[IUploadMessageOption]NoMessage config

Example

const conversation = {
conversationType: RongIMLib.ConversationType.PRIVATE,
targetId: ''
}
const msgBody = {
file, // File to upload
user: { id: '', name: '', portraitUri: '', extra: '' }, // Optional user info
extra: '' // Optional pass-through data
}
const hooks = {
onProgress (progress) {}, // Upload progress
onComplete (fileInfo) { // Upload complete
console.log(fileInfo.url) // File URL
// Return custom message if needed
}
}
const options = {
contentDisposition: 'attachment' // 'inline' | 'attachment'
},

RongIMLib.sendHQVoiceMessage(
conversation,
msgBody,
hooks,
options
).then(({ code, data: message }) => {
if (code === 0) {
// Success
}
})

Send Short Video Message

tip

Must use H.264 + AAC encoded files if using Global IM UIKit on Android/iOS.

Parameters

ParameterTypeRequiredDescription
conversationIConversationOptionYesConversation
msgBody[ISendSightMessageOptions]YesMessage content
hooks[IUploadHooks]NoUpload callbacks
sendOptions[IUploadMessageOption]NoMessage config

Example

const conversation = {
conversationType: RongIMLib.ConversationType.PRIVATE,
targetId: ''
}
const msgBody = {
file, // File to upload
user: { id: '', name: '', portraitUri: '', extra: '' }, // Optional user info
extra: '', // Optional pass-through data
duration: 10, // Duration
thumbnail: '' // Thumbnail
}
const hooks = {
onProgress (progress) {}, // Upload progress
onComplete (fileInfo) { // Upload complete
console.log(fileInfo.url) // File URL
// Return custom message if needed
}
}
const options = {
contentDisposition: 'attachment' // 'inline' | 'attachment'
},

RongIMLib.sendSightMessage(
conversation,
msgBody,
hooks,
options
).then(({ code, data: message }) => {
if (code === 0) {
// Success
}
})

Send Typing Status

Use sendTypingStatusMessage to sync typing status to a conversation.

Example

RongIMLib.sendTypingStatusMessage({
conversationType: RongIMLib.ConversationType.PRIVATE,
targetId: '<targetId>'
}, RongIMLib.MessageType.TEXT)

Why Resending Failed Messages May Cause Duplicates

Occurs when sender has poor network.

Scenario

A sends message to B. Message reaches server and is delivered to B, but A doesn't receive acknowledgment due to network issues. If A resends, B receives duplicate.

Solution

Server doesn't deduplicate. From SDK v5.5.1, include original messageId when resending. Handle duplicates at application level using senderUserId and messageId.

Legacy Issues

  1. When recalling resent messages, only one may be recalled
  2. When receiving duplicates, unread count still increases

How to Forward/Broadcast Messages

Forward: IMLib SDK doesn't provide forward API. Implement by calling send message API.

Broadcast: Broadcast means sending to multiple users (or Target IDs). Consider these approaches: