Skip to main content
Quick Reference
// Send a message and check moderation status
CometChat.sendMessage(textMessage).then((message) => {
  const status = message.getModerationStatus();
  // CometChat.ModerationStatus.PENDING | APPROVED | DISAPPROVED
});

// Listen for moderation results
CometChat.addMessageListener("listenerId", new CometChat.MessageListener({
  onMessageModerated: (message) => {
    const status = message.getModerationStatus();
  }
}));

Overview

AI Moderation in the CometChat SDK helps ensure that your chat application remains safe and compliant by automatically reviewing messages for inappropriate content. This feature leverages AI to moderate messages in real-time, reducing manual intervention and improving user experience.
For a broader understanding of moderation features, configuring rules, and managing flagged messages, see the Moderation Overview.

Prerequisites

Before using AI Moderation, ensure the following:
  1. Moderation is enabled for your app in the CometChat Dashboard
  2. Moderation rules are configured under Moderation > Rules
  3. You’re using a CometChat SDK version that supports moderation

How It Works

StepDescription
1. Send MessageApp sends a text, image, or video message
2. Pending StatusMessage is sent with PENDING moderation status
3. AI ProcessingModeration service analyzes the content
4. Result EventonMessageModerated event fires with final status

Supported Message Types

Moderation is triggered only for the following message types:
Message TypeModeratedNotes
Text MessagesContent analyzed for inappropriate text
Image MessagesImages scanned for unsafe content
Video MessagesVideos analyzed for prohibited content
Custom MessagesNot subject to AI moderation
Action MessagesNot subject to AI moderation

Moderation Status

The getModerationStatus() method returns one of the following values:
StatusEnum ValueDescription
PendingCometChat.ModerationStatus.PENDINGMessage is being processed by moderation
ApprovedCometChat.ModerationStatus.APPROVEDMessage passed moderation and is visible
DisapprovedCometChat.ModerationStatus.DISAPPROVEDMessage violated rules and was blocked

Implementation

Step 1: Send a Message and Check Initial Status

When you send a text, image, or video message, check the initial moderation status:
const textMessage = new CometChat.TextMessage(
  receiverUID,
  "Hello, how are you?",
  CometChat.RECEIVER_TYPE.USER
);

CometChat.sendMessage(textMessage).then(
  (message) => {
    // Check moderation status
    const status = message.getModerationStatus();
    
    if (status === CometChat.ModerationStatus.PENDING) {
      console.log("Message is under moderation review");
      // Show pending indicator in UI
    }
  },
  (error) => {
    console.log("Message sending failed:", error);
  }
);

Step 2: Listen for Moderation Results

Register a message listener to receive moderation results in real-time:
const listenerID = "MODERATION_LISTENER";

CometChat.addMessageListener(
  listenerID,
  new CometChat.MessageListener({
    onMessageModerated: (message) => {
      if (
        message instanceof CometChat.TextMessage ||
        message instanceof CometChat.MediaMessage
      ) {
        const status = message.getModerationStatus();
        const messageId = message.getId();

        switch (status) {
          case CometChat.ModerationStatus.APPROVED:
            console.log(`Message ${messageId} approved`);
            // Update UI to show message normally
            break;

          case CometChat.ModerationStatus.DISAPPROVED:
            console.log(`Message ${messageId} blocked`);
            // Handle blocked message (hide or show warning)
            handleDisapprovedMessage(message);
            break;
        }
      }
    }
  })
);

// Don't forget to remove the listener when done
// CometChat.removeMessageListener(listenerID);
Always remove message listeners when the component unmounts to prevent memory leaks.
CometChat.removeMessageListener("MODERATION_LISTENER");

Step 3: Handle Disapproved Messages

When a message is disapproved, handle it appropriately in your UI:
function handleDisapprovedMessage(message) {
  const messageId = message.getId();
  
  // Option 1: Hide the message completely
  hideMessageFromUI(messageId);
  
  // Option 2: Show a placeholder message
  showBlockedPlaceholder(messageId, "This message was blocked by moderation");
  
  // Option 3: Notify the sender (if it's their message)
  if (message.getSender().getUid() === currentUserUID) {
    showNotification("Your message was blocked due to policy violation");
  }
}
  • Always check getModerationStatus() after sending a message to show appropriate UI indicators (e.g., a pending badge)
  • Register the onMessageModerated listener early in your app lifecycle so you don’t miss moderation results
  • Provide clear feedback to users when their message is disapproved — avoid silently hiding content without explanation
  • Custom and Action messages are not moderated — if you need moderation on custom message types, implement your own server-side checks
  • Consider caching moderation status locally to avoid re-checking on message list re-renders
  • Moderation status always PENDING: Ensure moderation rules are configured in the CometChat Dashboard under Moderation > Rules.
  • onMessageModerated not firing: Verify you registered a MessageListener with the correct listener ID and that moderation is enabled for your app.
  • Custom messages not being moderated: This is expected — AI Moderation only applies to text, image, and video messages.
  • Disapproved messages still visible: Make sure your onMessageModerated handler updates the UI when a message status changes to DISAPPROVED.

Next Steps