tencent cloud

Tencent Real-Time Communication

お知らせ・リリースノート
製品アップデート情報
Tencent Cloudオーディオビデオ端末SDKの再生アップグレードおよび承認チェック追加に関するお知らせ
TRTCアプリケーションのサブスクリプションパッケージサービスのリリースに関する説明について
製品の説明
製品概要
基礎概念
製品の機能
製品の強み
ユースケース
性能データ
購入ガイド
Billing Overview
無料時間の説明
Monthly subscription
Pay-as-you-go
TRTC Overdue and Suspension Policy
課金に関するよくあるご質問
Refund Instructions
初心者ガイド
Demo体験
Call
コンポーネントの説明(TUICallKit)
Activate the Service
Run Demo
クイック導入
オフライン通知
Conversational Chat
クラウドレコーディング(TUICallKit)
AI Noise Reduction
インターフェースのカスタマイズ
Calls integration to Chat
Additional Features
No UI Integration
Server APIs
Client APIs
Solution
ErrorCode
公開ログ
よくある質問
ライブ配信
Billing of Video Live Component
Overview
Activating the Service (TUILiveKit)
Demo のクイックスタート
No UI Integration
UI Customization
Live Broadcast Monitoring
Video Live Streaming
Voice Chat Room
Advanced Features
Client APIs
Server APIs
Error Codes
Release Notes
FAQs
RTC Engine
Activate Service
SDKのダウンロード
APIコードサンプル
Usage Guidelines
クライアント側 API
高度な機能
RTC RESTFUL API
History
Introduction
API Category
Room Management APIs
Stream mixing and relay APIs
On-cloud recording APIs
Data Monitoring APIs
Pull stream Relay Related interface
Web Record APIs
AI Service APIs
Cloud Slicing APIs
Cloud Moderation APIs
Making API Requests
Call Quality Monitoring APIs
Usage Statistics APIs
Data Types
Appendix
Error Codes
コンソールガイド
アプリケーション管理
使用統計
監視ダッシュボード
開発支援
Solution
Real-Time Chorus
よくあるご質問
課金関連問題
機能関連
UserSig関連
ファイアウォールの制限の対応関連
インストールパッケージの圧縮に関するご質問
AndriodおよびiOS関連
Web端末関連
Flutter関連
Electron関連
TRTCCalling Web関連
オーディオビデオ品質関連
その他のご質問
旧バージョンのドキュメント
TUIRoom(Web)の統合
TUIRoom (Android)の統合
TUIRoom (iOS)の統合
TUIRoom (Flutter)の統合
TUIRoom (Electron)の統合
TUIRoom APIのクエリー
クラウドレコーディングと再生の実現(旧)
Protocols and Policies
セキュリティコンプライアンス認証
セキュリティホワイトペーパー
情報セキュリティの説明
Service Level Agreement
Apple Privacy Policy: PrivacyInfo.xcprivacy
TRTC ポリシー
プライバシーポリシー
データ処理とセキュリティ契約
用語集

Live Comments (Web)

PDF
フォーカスモード
フォントサイズ
最終更新日: 2025-12-31 17:09:16
This guide shows web developers how to quickly add a robust, high-performance live comment system to your live streaming app, using the BarrageState module from the AtomicXCore framework.




Core Features

BarrageState delivers a complete live comments solution for your live streaming app. Main features include:
Receiving and displaying live comment messages in your stream.
Sending text live comments to interact with your audience.
Sending custom live comments for scenarios like gifts, likes, and other advanced audience interactions.
Inserting system notifications into the local message list (for example, "Welcome XX to the live room").

Sample Project

For a full implementation, check out the BarrageList and BarrageInput components on GitHub.

Implementation

Step 1: Component Integration

Follow the Quick Start guide to integrate AtomicXCore and complete your initial setup.
Note:
Before proceeding, you must create or join a live room as described in Quick Start.

Step 2: Initialize and Listen for Live Comments

Get a BarrageState instance linked to your current live room's liveId, and watch the messageList to receive the latest list of live comment messages.
import { useBarrageState } from 'tuikit-atomicx-vue3';
import { watch } from 'vue'

const { messageList } = useBarrageState()

// Watch for real-time updates to messageList and update your UI accordingly
watch(messageList, (newVal, oldVal) => {
console.log(newVal)
});

Step 3: Send Text Live Comments

Use the sendTextMessage method to broadcast a plain text message to everyone in the live room.
import { useBarrageState } from 'tuikit-atomicx-vue3'

const { sendTextMessage } = useBarrageState();

const sendMessage = async () => {
try {
await sendTextMessage({
text: 'Welcome to the live room!',
extensionInfo: {
color: '#ff0000',
fontSize: '16px'
}
});
} catch (error) {
console.error('Failed to send message:', error);
}
}

API Parameters

Parameter
Type
Description
text
string
Text content to send.
extensionInfo
Record<string, string>
Additional extension info for custom business use.

Send Custom Live Comments

Send messages with custom business logic, such as gifts, likes, or gamified commands. The message format is defined by your business layer, and the receiver should parse and handle it using businessId and data.
import { useBarrageState } from 'tuikit-atomicx-vue3'
import { watch } from 'vue';

const { sendCustomMessage } = useBarrageState();

// Send a custom live comment, for example, a gift
const sendGiftMessage = async (giftId: string, giftCount: number) => {
// 1. Set a business-specific ID
const businessId = 'live_gift';
// 2. Encode business data as a JSON string
const giftData = { gift_id: giftId, gift_count: giftCount };
// 3. Call the API to send the custom message
try {
await sendCustomMessage({
businessId,
data: JSON.stringify(giftData)
});
} catch (error) {
console.error('Failed to send gift message:', error);
}
};

API Parameters

Parameter
Type
Description
businessId
string
Unique business identifier, such as "live_gift", used by the receiver to distinguish different custom messages.
data
string
Business data, typically a JSON-formatted string.

Step 4: Insert Local Tip Message

Add a local message to the current user's message list. This message is not sent to other users in the live room. Use this for system welcomes, warnings, or operation tips.
import { useBarrageState } from 'tuikit-atomicx-vue3'

const { appendLocalTip } = useBarrageState()

const systemTip = {
liveId: 'live123',
sender: {
userId: 'system',
userName: 'jasper',
avatarUrl: '',
},
sequence: Date.now(), // Message sequence number for sorting
timestampInSecond: Math.floor(Date.now() / 1000), // 10-digit Unix timestamp
messageType: 0, // Message type enum value (e.g., 0 for plain text message; see API enum definition)
textContent: 'Welcome to the live room', // Text content to display
extensionInfo: { type: 'system' }, // Extension field for special UI rendering
}

appendLocalTip(systemTip)

Step 5: Manage User Speaking Permissions (Mute and Unmute)

Hosts or admins can control which users can send messages in the live room.

Mute/Unmute Individual Users

Use the disableSendMessage API from LiveAudienceState to mute or unmute a specific user. This status persists—even if the user rejoins the live room, their mute state remains.
import { useLiveAudienceState } from 'tuikit-atomicx-vue3';

const { disableSendMessage } = useLiveAudienceState()

// If isDisable is true, the user is muted.
// If isDisable is false, the user is unmuted.
await disableSendMessage({ userId: 'user123', isDisable: true });

Enable/Disable Global Mute

To mute all users in the live room (usually except the host), update the live room info using the updateLiveInfo API from LiveListState.
import { useLiveListState } from 'tuikit-atomicx-vue3';

// 1. Get a LiveListState instance
const { updateLiveInfo } = useLiveListState();

const setGlobalMute = async (shouldMute: boolean) => {
try {
// 2. Call the update API
// LiveListState will automatically merge and update the live room info based on the parameters
await updateLiveInfo({
// Maps to the isMessageDisable field in LiveInfo
// true: mute all audience members
// false: allow audience members to send messages
isMessageDisable: shouldMute
});
console.log(`Global mute status updated to: ${shouldMute}`);
} catch (error) {
console.error('Failed to update global mute:', error);
}
};

// Example usage: Enable global mute
await setGlobalMute(true);

API Documentation

For full details on all public APIs, properties, and methods for BarrageState and related classes, see the official API documentation for the AtomicXCore framework.

FAQs

How can we implement advanced styles like "colored live comments" or "gift live comments" beyond basic text?

You can use custom messages via sendCustomMessage. BarrageState supports flexible custom message formats, so you can define message structures and styles to fit your business needs.
Implementation Approach
1. Define the Data Structure: Work with your client and server teams to design the JSON structure for custom messages. For example, a colored live comment might look like:
{ "type": "colored_text", "text": "This is a colored live comment!", "color": "#FF5733" }
2. Sender: Convert this JSON structure to a string and send it using the data parameter of sendCustomMessage. Set businessId to a unique identifier for your business, such as "barrage_style_v1".
3. Receiver: When you receive a live comment message, check if its messageType is 'CUSTOM' and whether the businessId matches. If so, parse the data string (usually as JSON), and render your custom UI style based on the parsed data (for example, color, text).

Why doesn’t my sent message appear in the message list after calling sendTextMessage?

Troubleshooting steps:
1. Check for errors in catch: The sendTextMessage method includes error handling. Review the callback result for success or failure. If it fails, the error message will indicate the reason (such as "You have been muted", "Network error", etc.).
2. Confirm subscription timing: Make sure you subscribe to barrageState after the corresponding liveId live stream has started. If you start listening before joining the live room, you may miss some messages.
3. Check liveId: Ensure the liveId used to create the BarrageState instance, join the live room, and send messages is exactly the same—including case sensitivity.
4. Network issues: Verify that the device’s network connection is stable. Message sending depends on network connectivity.

How can new viewers see historical barrage messages sent before they joined the live room?

AtomicXCore supports retrieving historical chat messages, but you need to enable this feature in the server console. Once configured, the SDK handles everything automatically—no additional client code is required.

Step 1: Configure in the Live Console

1. Log in to Console > Live > Configuration, and select your target application at the top of the page.
2. On the Live Configuration page, select View Past Messages, and set Previous Messages Viewable to specify the number of messages (up to a maximum of 50) that new viewers can see.




Step 2: Automatic Retrieval on the Client Side

After completing the above configuration, no changes are needed in your client code.
When a new user joins the live room, AtomicXCore automatically retrieves the configured number of historical chat messages in the background. These messages are delivered to the UI layer through the BarrageState subscription channel, just like real-time messages. Your application will receive and display these historical chat messages in the same way as live messages.

ヘルプとサポート

この記事はお役に立ちましたか?

フィードバック