Skip to main content
Quick Reference for AI Agents & Developers
  • User delegate: CometChat.userdelegate = self (conform to CometChatUserDelegate) — onUserOnline(user:), onUserOffline(user:)
  • Group delegate: CometChat.groupdelegate = self (conform to CometChatGroupDelegate) — member joined/left/kicked/banned events
  • Message delegate: CometChat.messagedelegate = self (conform to CometChatMessageDelegate) — message received/edited/deleted/reaction events
  • Call delegate: CometChat.calldelegate = self (conform to CometChatCallDelegate) — incoming/outgoing call events
  • Login delegate: CometChat.addLoginListener(_:_:) (conform to CometChatLoginDelegate) — login/logout success/failure events
  • Connection delegate: CometChat.addConnectionListener(_:_:) (conform to CometChatConnectionDelegate) — connection status events
  • AI Assistant delegate: CometChat.addAIAssistantListener(_:_:) (conform to AIAssistantEventsDelegate) — AI events
  • Related: User Presence · Receive Message · Ringing
CometChat provides 4 listeners (Delegates) viz.
  1. User Delegate (Listener)
  2. Group Delegate (Listener)
  3. Message Delegate (Listener)
  4. Call Delegate (Listener)

User Delegate Methods

The CometChat provides you with live events related to users. Below are the callback methods provided by the CometChatUserDelegate.
Delegate MethodInformation
onUserOnline(user: User)This method is triggered when a user comes online and is available to chat. The details of the user can be obtained from the user object received as the method parameter.
onUserOffline(user: User):This method is triggered when a user goes offline. The details of the user can be obtained from the User object received as the parameter.
In order to use the Delegate methods you must add protocol conformance CometChatUserDelegate as Shown Below:
extension ViewController : CometChatUserDelegate {

    func onUserOnline(user: User) {
      print(user.stringValue() + " status becomes online.")
    }

    func onUserOffline(user: User) {
      print(user.stringValue() + " status becomes offline.")
    }
}
Do not forget to set your view controller as a CometChat delegate probably in viewDidLoad() as CometChat.userdelegate = self
Event Trigger: Received via CometChatUserDelegate.onUserOnline(user:)user (User Object):
ParameterTypeDescription
uidString?Unique identifier of the user. Example: "cometchat-uid-2"
nameString?Display name of the user. Example: "George Alan"
avatarString?URL to the user’s avatar. Example: "https://assets.cometchat.io/sampleapp/v2/users/cometchat-uid-2.webp"
statusUserStatusUser’s current status. Example: .online
lastActiveAtDouble?Unix timestamp of last activity. Example: 1699800000
Event Trigger: Received via CometChatUserDelegate.onUserOffline(user:)user (User Object):
ParameterTypeDescription
uidString?Unique identifier of the user. Example: "cometchat-uid-2"
nameString?Display name of the user. Example: "George Alan"
avatarString?URL to the user’s avatar. Example: "https://assets.cometchat.io/sampleapp/v2/users/cometchat-uid-2.webp"
statusUserStatusUser’s current status. Example: .offline
lastActiveAtDouble?Unix timestamp of last activity. Example: 1699800100

Group Delegate Methods

The CometChatGroupDelegate provides you with all the real-time events related to groups. Below are the callback methods provided by the CometChatGroupDelegate.
MethodInformation
onGroupMemberJoined(action: Action, joinedUser: User, joinedGroup: Group)This method is triggered when a user joins any group. All the members present in the group will receive this event.
onGroupMemberLeft(action: Action, leftUser: User, leftGroup: Group)This method is triggered when a user who was a member of any group leaves the group. All the members of the group receive this event.
onGroupMemberKicked(action: Action, kickedUser: User, kickedBy: User, kickedFrom: Group)This method is triggered when a user is kicked from a group. All the members including the user receive this event
onGroupMemberBanned(action: Action, bannedUser: User, bannedBy: User, bannedFrom: Group)This method is triggered when a user is banned from a group. All the members including the user receive this event
onGroupMemberUnbanned(action: Action, unbannedUser: User, unbannedBy: User, unbannedFrom: Group)This method is triggered when a user is banned from a group. All the members of the group receive this event.
onGroupMemberScopeChanged(action: Action, updatedBy: User, updatedUser: User, scopeChangedTo: String, scopeChangedFrom: String, group: Group)This method is triggered when the scope of any Group Member has been changed. All the members that are a part of that group receive this event
onMemberAddedToGroup(action: Action, addedby: User, userAdded: User, addedTo: Group)This method is triggered when a user is added to any group. All the members including the user himself receive this event.
You can receive live events related to groups, In order to receive user Events, you must add protocol conformance CometChatGroupDelegate as shown below:
extension AppDelegate: CometChatGroupDelegate {

  func onGroupMemberJoined(action: ActionMessage, joinedUser: User, joinedGroup: Group) {
    print("\(joinedUser.name) joined the group \(joinedGroup.name).")
  }

  func onGroupMemberLeft(action: ActionMessage, leftUser: User, leftGroup: Group) {
    print("\(leftUser.name) left the group \(leftGroup.name).")
  }

  func onGroupMemberKicked(action: ActionMessage, kickedUser: User, kickedBy: User, kickedFrom: Group) {
    print("\(kickedUser.name) kicked from the group \(kickedFrom.name) by \(kickedBy.name).")
  }

  func onGroupMemberBanned(action: ActionMessage, bannedUser: User, bannedBy: User, bannedFrom: Group) {
    print("\(bannedUser.name) banned from the group \(bannedFrom.name) by \(bannedBy.name).")
  }

  func onGroupMemberUnbanned(action: ActionMessage, unbannedUser: User, unbannedBy: User, unbannedFrom: Group) {
    print("\(unbannedUser.name) unbanned from the group \(unbannedFrom.name) by \(unbannedBy.name).")
  }

  func onGroupMemberScopeChanged(action: ActionMessage, scopeChangeduser: User, scopeChangedBy: User, scopeChangedTo: String, scopeChangedFrom: String, group: Group) {
    print("\(scopeChangedUser.name) scope changed from \(scopeChangedFrom) to \(scopeChangedTo) by \(scopeChangedBy.name) in the group \(group.name).")
  }
}
Do not forget to set your view controller as a CometChat delegate probably in viewDidLoad() as CometChat.groupdelegate = self
Event Trigger: Received via CometChatGroupDelegate.onGroupMemberJoined(action:joinedUser:joinedGroup:)action (ActionMessage Object):
ParameterTypeDescription
actionStringAction type. Example: "joined"
joinedUser (User Object):
ParameterTypeDescription
uidString?UID of the user who joined. Example: "cometchat-uid-3"
nameString?Display name. Example: "Nancy Grace"
joinedGroup (Group Object):
ParameterTypeDescription
guidStringGroup identifier. Example: "cometchat-guid-1"
nameString?Group name. Example: "My Group"
membersCountIntUpdated member count. Example: 6
Event Trigger: Received via CometChatGroupDelegate.onGroupMemberLeft(action:leftUser:leftGroup:)leftUser (User Object):
ParameterTypeDescription
uidString?UID of the user who left. Example: "cometchat-uid-3"
nameString?Display name. Example: "Nancy Grace"
leftGroup (Group Object):
ParameterTypeDescription
guidStringGroup identifier. Example: "cometchat-guid-1"
nameString?Group name. Example: "My Group"
membersCountIntUpdated member count. Example: 4
Event Trigger: Received via CometChatGroupDelegate.onGroupMemberKicked(action:kickedUser:kickedBy:kickedFrom:)kickedUser (User Object):
ParameterTypeDescription
uidString?UID of the kicked user. Example: "cometchat-uid-3"
nameString?Display name. Example: "Nancy Grace"
kickedBy (User Object):
ParameterTypeDescription
uidString?UID of the admin who kicked. Example: "cometchat-uid-1"
nameString?Display name. Example: "Andrew Joseph"
kickedFrom (Group Object):
ParameterTypeDescription
guidStringGroup identifier. Example: "cometchat-guid-1"
nameString?Group name. Example: "My Group"
Event Trigger: Received via CometChatGroupDelegate.onGroupMemberBanned(action:bannedUser:bannedBy:bannedFrom:)bannedUser (User Object):
ParameterTypeDescription
uidString?UID of the banned user. Example: "cometchat-uid-3"
nameString?Display name. Example: "Nancy Grace"
bannedBy (User Object):
ParameterTypeDescription
uidString?UID of the admin who banned. Example: "cometchat-uid-1"
nameString?Display name. Example: "Andrew Joseph"
bannedFrom (Group Object):
ParameterTypeDescription
guidStringGroup identifier. Example: "cometchat-guid-1"
nameString?Group name. Example: "My Group"
Event Trigger: Received via CometChatGroupDelegate.onGroupMemberScopeChanged(action:scopeChangeduser:scopeChangedBy:scopeChangedTo:scopeChangedFrom:group:)scopeChangeduser (User Object):
ParameterTypeDescription
uidString?UID of the user whose scope changed. Example: "cometchat-uid-2"
nameString?Display name. Example: "George Alan"
scopeChangedBy (User Object):
ParameterTypeDescription
uidString?UID of the admin who changed scope. Example: "cometchat-uid-1"
nameString?Display name. Example: "Andrew Joseph"
Scope Change Details:
ParameterTypeDescription
scopeChangedToStringNew scope. Example: "admin"
scopeChangedFromStringPrevious scope. Example: "participant"
group (Group Object):
ParameterTypeDescription
guidStringGroup identifier. Example: "cometchat-guid-1"
nameString?Group name. Example: "My Group"

Message Delegate Methods

The CometChatMessageDelegate provides you with live events related to messages. Below are the callback methods provided by the CometChatMessageDelegate.
MethodInformation
onTextMessageReceived(textMessage: TextMessage)This event is triggered when a Text Message is received.
onMediaMessageReceived(mediaMessage: MediaMessage)This event is triggered when a Media Message is received.
onCustomMessageReceived(customMessage: CustomMessage)This event is triggered when a Custom Message is received.
onTypingStarted(_ typingDetails: TypingIndicator)This event is triggered when a user starts typing in a user/group conversation.
onTypingEnded(_ typingDetails: TypingIndicator)This event is triggered when a user stops typing in a user/group conversation.
onTransisentMessageReceived(_ message: TransientMessage)This event is triggered when a transient message is received.
onMessagesDelivered(receipt: MessageReceipt)This event is triggered when a set of messages are marked as delivered for any particular conversation.
onMessagesRead(receipt: MessageReceipt)This event is triggered when a set of messages are marked as read for any particular conversation.
onMessagesDeliveredToAll(receipt: MessageReceipt)This event is triggered when messages are delivered to all participants in a group.
onMessagesReadByAll(receipt: MessageReceipt)This event is triggered when messages are read by all participants in a group.
onMessageEdited(message: BaseMessage)This method is triggered when a particular message has been edited in a user/group conversation.
onMessageDeleted(message: BaseMessage)This event is triggered when a particular message is deleted in a user/group conversation.
onInteractiveMessageReceived(interactiveMessage: InteractiveMessage)This event is triggered when an Interactive Message is received.
onInteractionGoalCompleted(_ receipt: InteractionReceipt)This event is triggered when an interaction Goal is achieved.
onMessageReactionAdded(reactionEvent: ReactionEvent)This event is triggered when a reaction is added to a message.
onMessageReactionRemoved(reactionEvent: ReactionEvent)This event is triggered when a reaction is removed from a message.
onMessageModerated(_ message: BaseMessage)This event is triggered when a message is moderated.
onAIAssistantMessageReceived(_ message: AIAssistantMessage)This event is triggered when an AI Assistant message is received.
onAIToolResultMessageReceived(_ message: AIToolResultMessage)This event is triggered when an AI Tool result message is received.
onAIToolArgumentsMessageReceived(_ message: AIToolArgumentMessage)This event is triggered when an AI Tool arguments message is received.
In order to receive incoming messages, you must add protocol conformance CometChatMessageDelegate as Shown Below :
extension ViewController: CometChatMessageDelegate {

  func onTextMessageReceived(textMessage: TextMessage) {
    print("TextMessage received successfully.")
  }

  func onMediaMessageReceived(mediaMessage: MediaMessage) {
    print("MediaMessage received successfully.")
  }

  func onCustomMessageReceived(customMessage: CustomMessage) {
    print("CustomMessage received successfully.")
  }

  func onMessageEdited(message: BaseMessage) {
    print("Message edited successfully.")
  }

  func onMessageDeleted(message: BaseMessage) {
    print("Message deleted successfully.")
  }

  func onTypingStarted(_ typingDetails: TypingIndicator) {
    print("Typing started received successfully")
  }

  func onTypingEnded(_ typingDetails: TypingIndicator) {
    print("Typing ended received successfully")
  }

  func onTransisentMessageReceived(_ message: TransientMessage) {
    print("Transient message received.")
  }

  func onMessagesDelivered(receipt: MessageReceipt) {
    print("Messages delivered receipt received.")
  }

  func onMessagesRead(receipt: MessageReceipt) {
    print("Messages read receipt received.")
  }

  func onMessagesDeliveredToAll(receipt: MessageReceipt) {
    print("Messages delivered to all receipt received.")
  }

  func onMessagesReadByAll(receipt: MessageReceipt) {
    print("Messages read by all receipt received.")
  }

  func onInteractiveMessageReceived(interactiveMessage: InteractiveMessage) {
    print("InteractiveMessage received successfully.")
  }

  func onInteractionGoalCompleted(_ receipt: InteractionReceipt) {
    print("Interaction goal completed.")
  }

  func onMessageReactionAdded(reactionEvent: ReactionEvent) {
    print("Reaction added to message.")
  }

  func onMessageReactionRemoved(reactionEvent: ReactionEvent) {
    print("Reaction removed from message.")
  }

  func onMessageModerated(_ message: BaseMessage) {
    print("Message moderated.")
  }

  func onAIAssistantMessageReceived(_ message: AIAssistantMessage) {
    print("AI Assistant message received.")
  }

  func onAIToolResultMessageReceived(_ message: AIToolResultMessage) {
    print("AI Tool result message received.")
  }

  func onAIToolArgumentsMessageReceived(_ message: AIToolArgumentMessage) {
    print("AI Tool arguments message received.")
  }
}
Do not forget to set your view controller as a CometChat delegate probably in viewDidLoad() as CometChat.messagedelegate = self
Event Trigger: Received via CometChatMessageDelegate.onTextMessageReceived(textMessage:)textMessage (TextMessage Object):
ParameterTypeDescription
idIntUnique message identifier. Example: 12345
textStringMessage content. Example: "Hello, how are you?"
senderUserSender details. Example: {"uid": "cometchat-uid-2", "name": "George Alan"}
receiverUidString?Receiver UID (for user messages). Example: "cometchat-uid-1"
receiverTypeReceiverTypeType of receiver. Example: .user or .group
sentAtDoubleUnix timestamp when sent. Example: 1699800000
deliveredAtDouble?Unix timestamp when delivered. Example: 1699800001
readAtDouble?Unix timestamp when read. Example: nil
Event Trigger: Received via CometChatMessageDelegate.onMediaMessageReceived(mediaMessage:)mediaMessage (MediaMessage Object):
ParameterTypeDescription
idIntUnique message identifier. Example: 12346
attachmentAttachmentMedia attachment details
attachment.fileUrlStringURL to the media file. Example: "https://..."
attachment.fileNameStringFile name. Example: "image.png"
attachment.fileExtensionStringFile extension. Example: "png"
attachment.fileMimeTypeStringMIME type. Example: "image/png"
attachment.fileSizeIntFile size in bytes. Example: 102400
senderUserSender details
sentAtDoubleUnix timestamp when sent. Example: 1699800000
Event Trigger: Received via CometChatMessageDelegate.onTypingStarted(_:) or onTypingEnded(_:)typingDetails (TypingIndicator Object):
ParameterTypeDescription
senderUserUser who is typing. Example: {"uid": "cometchat-uid-2", "name": "George Alan"}
receiverIdStringReceiver UID or GUID. Example: "cometchat-uid-1"
receiverTypeReceiverTypeType of receiver. Example: .user or .group
Event Trigger: Received via CometChatMessageDelegate.onMessagesDelivered(receipt:) or onMessagesRead(receipt:)receipt (MessageReceipt Object):
ParameterTypeDescription
messageIdIntID of the message. Example: 12345
senderUserUser who sent the receipt. Example: {"uid": "cometchat-uid-2"}
receiverIdStringReceiver UID or GUID. Example: "cometchat-uid-1"
receiverTypeReceiverTypeType of receiver. Example: .user
receiptTypeReceiptTypeType of receipt. Example: .delivered or .read
timestampDoubleUnix timestamp. Example: 1699800100
Event Trigger: Received via CometChatMessageDelegate.onMessageReactionAdded(reactionEvent:) or onMessageReactionRemoved(reactionEvent:)reactionEvent (ReactionEvent Object):
ParameterTypeDescription
reactionStringEmoji reaction. Example: "👍"
messageIdIntID of the message. Example: 12345
reactedByUserUser who reacted. Example: {"uid": "cometchat-uid-2", "name": "George Alan"}
receiverIdStringReceiver UID or GUID. Example: "cometchat-uid-1"
receiverTypeReceiverTypeType of receiver. Example: .user

Call Delegate Methods

The CometChatCallDelegate provides you with live events related to calls. Below are the callback methods provided by the CometChatCallDelegate.
MethodInformation
onIncomingCallReceived(incomingCall: Call?, error: CometChatException?)This event is triggered when the logged-in user receives an incoming call. The details of the call can be obtained from the Call object received as the method parameter.
onOutgoingCallAccepted(acceptedCall: Call?, error: CometChatException?)This event is triggered when the call initiated by the logged-in user is accepted by the recipient. The details of the call can be obtained from the Call object received as the method parameter.
onOutgoingCallRejected(rejectedCall: Call?, error: CometChatException?)This event is triggered when the call initiated by the logged-in user is rejected by the recipient. The details of the call can be obtained from the Call object received as the method parameter
onIncomingCallCancelled(canceledCall: Call?, error: CometChatException?)This event is triggered when an incoming call is canceled by the initiator of the call. The details of the call can be obtained from the Call object received as the method parameter
onCallEndedMessageReceived(endedCall: Call?, error: CometChatException?)This event is triggered when a call ended message is received. The details of the call can be obtained from the Call object received as the method parameter
In order to receive all call events, you must add protocol conformance CometChatCallDelegate as Shown Below :
extension ViewController: CometChatCallDelegate {

  func onIncomingCallReceived(incomingCall: Call?, error: CometChatException?) {
    print("Incoming call " + (incomingCall?.stringValue() ?? ""))
  }

  func onOutgoingCallAccepted(acceptedCall: Call?, error: CometChatException?) {
    print("Outgoing call accepted " + (acceptedCall?.stringValue() ?? ""))
  }

  func onOutgoingCallRejected(rejectedCall: Call?, error: CometChatException?) {
    print("Rejected call " + (rejectedCall?.stringValue() ?? ""))
  }

  func onIncomingCallCancelled(canceledCall: Call?, error: CometChatException?) {
    print("Cancelled call " + (canceledCall?.stringValue() ?? ""))
  }

  func onCallEndedMessageReceived(endedCall: Call?, error: CometChatException?) {
    print("Call ended " + (endedCall?.stringValue() ?? ""))
  }
}
Do not forget to set your view controller as a CometChat delegate probably in viewDidLoad() as CometChat.calldelegate = self
Event Trigger: Received via CometChatCallDelegate.onIncomingCallReceived(incomingCall:error:)incomingCall (Call Object):
ParameterTypeDescription
sessionIdStringUnique call session ID. Example: "v1.us.12345.abcdef"
callInitiatorUserUser who initiated the call. Example: {"uid": "cometchat-uid-2", "name": "George Alan"}
callReceiverUserUser receiving the call. Example: {"uid": "cometchat-uid-1", "name": "Andrew Joseph"}
callTypeCallTypeType of call. Example: .audio or .video
callStatusCallStatusCurrent call status. Example: .initiated
initiatedAtDoubleUnix timestamp when initiated. Example: 1699800000
Event Trigger: Received via CometChatCallDelegate.onOutgoingCallAccepted(acceptedCall:error:)acceptedCall (Call Object):
ParameterTypeDescription
sessionIdStringUnique call session ID. Example: "v1.us.12345.abcdef"
callInitiatorUserUser who initiated the call. Example: {"uid": "cometchat-uid-1"}
callReceiverUserUser who accepted. Example: {"uid": "cometchat-uid-2"}
callTypeCallTypeType of call. Example: .video
callStatusCallStatusCurrent call status. Example: .ongoing
Event Trigger: Received via CometChatCallDelegate.onOutgoingCallRejected(rejectedCall:error:)rejectedCall (Call Object):
ParameterTypeDescription
sessionIdStringUnique call session ID. Example: "v1.us.12345.abcdef"
callInitiatorUserUser who initiated the call. Example: {"uid": "cometchat-uid-1"}
callReceiverUserUser who rejected. Example: {"uid": "cometchat-uid-2"}
callStatusCallStatusCurrent call status. Example: .rejected
Event Trigger: Received via CometChatCallDelegate.onCallEndedMessageReceived(endedCall:error:)endedCall (Call Object):
ParameterTypeDescription
sessionIdStringUnique call session ID. Example: "v1.us.12345.abcdef"
callInitiatorUserUser who initiated the call. Example: {"uid": "cometchat-uid-1"}
callReceiverUserOther participant. Example: {"uid": "cometchat-uid-2"}
callStatusCallStatusCurrent call status. Example: .ended
initiatedAtDoubleUnix timestamp when initiated. Example: 1699800000
joinedAtDouble?Unix timestamp when joined. Example: 1699800005
endedAtDouble?Unix timestamp when ended. Example: 1699800300

Login Delegate Methods

The CometChatLoginDelegate provides you with live events related to login and logout. Below are the callback methods provided by the CometChatLoginDelegate.
MethodInformation
onLoginSuccess(user: User)This event is triggered when a user successfully logs in.
onLoginFailed(error: CometChatException?)This event is triggered when a login attempt fails.
onLogoutSuccess()This event is triggered when a user successfully logs out.
onLogoutFailed(error: CometChatException?)This event is triggered when a logout attempt fails.
In order to receive login/logout events, you must add protocol conformance CometChatLoginDelegate as shown below:
extension ViewController: CometChatLoginDelegate {

  func onLoginSuccess(user: User) {
    print("Login successful for user: " + user.stringValue())
  }

  func onLoginFailed(error: CometChatException?) {
    print("Login failed with error: " + (error?.errorDescription ?? "Unknown error"))
  }

  func onLogoutSuccess() {
    print("Logout successful")
  }

  func onLogoutFailed(error: CometChatException?) {
    print("Logout failed with error: " + (error?.errorDescription ?? "Unknown error"))
  }
}
To add the login listener:
CometChat.addLoginListener("unique_listener_id", self)
To remove the login listener:
CometChat.removeLoginListener("unique_listener_id")
Event Trigger: Received via CometChatLoginDelegate.onLoginSuccess(user:)user (User Object):
ParameterTypeDescription
uidString?Unique identifier of the logged-in user. Example: "cometchat-uid-1"
nameString?Display name. Example: "Andrew Joseph"
avatarString?URL to the user’s avatar. Example: "https://assets.cometchat.io/..."
statusUserStatusUser’s status. Example: .online
authTokenString?Authentication token. Example: "abc123..."
Event Trigger: Received via CometChatLoginDelegate.onLoginFailed(error:)error (CometChatException Object):
ParameterTypeDescription
errorCodeStringError code. Example: "ERR_UID_NOT_FOUND"
errorDescriptionStringError message. Example: "User with the given UID does not exist"
Event Trigger: Received via CometChatLoginDelegate.onLogoutSuccess()
ParameterTypeDescription
(none)VoidNo parameters passed to this callback
Effect:
ActionDescription
Session clearedUser session and auth token cleared
WebSocketDisconnected from real-time server

Connection Delegate Methods

The CometChatConnectionDelegate provides you with live events related to the WebSocket connection status. Below are the callback methods provided by the CometChatConnectionDelegate.
MethodInformation
connecting()This event is triggered when the SDK is attempting to establish a connection.
connected()This event is triggered when the SDK successfully establishes a connection.
disconnected()This event is triggered when the SDK disconnects from the server.
onfeatureThrottled()This event is triggered when a feature is throttled due to rate limiting.
onConnectionError(error: CometChatException)This event is triggered when there is an error in the connection.
In order to receive connection events, you must add protocol conformance CometChatConnectionDelegate as shown below:
extension ViewController: CometChatConnectionDelegate {

  func connecting() {
    print("Connecting to CometChat...")
  }

  func connected() {
    print("Connected to CometChat")
  }

  func disconnected() {
    print("Disconnected from CometChat")
  }

  func onfeatureThrottled() {
    print("Feature throttled")
  }

  func onConnectionError(error: CometChatException) {
    print("Connection error: " + error.errorDescription)
  }
}
To add the connection listener:
CometChat.addConnectionListener("unique_listener_id", self)
To remove the connection listener:
CometChat.removeConnectionListener("unique_listener_id")
connecting() Event:
ParameterTypeDescription
(none)VoidNo parameters passed to this callback
Event Trigger: SDK is attempting to establish WebSocket connectionconnected() Event:
ParameterTypeDescription
(none)VoidNo parameters passed to this callback
Event Trigger: WebSocket connection successfully establisheddisconnected() Event:
ParameterTypeDescription
(none)VoidNo parameters passed to this callback
Event Trigger: WebSocket connection lostonfeatureThrottled() Event:
ParameterTypeDescription
(none)VoidNo parameters passed to this callback
Event Trigger: Feature rate-limited due to excessive requestsonConnectionError(error:) Event:
ParameterTypeDescription
errorCometChatExceptionConnection error details
error.errorCodeStringError code. Example: "ERR_WEBSOCKET_ERROR"
error.errorDescriptionStringError message. Example: "Failed to establish connection"
Connection Flow:
StepEventDescription
1disconnected()Connection breaks
2connecting()SDK auto-reconnects
3connected()Reconnection successful

AI Assistant Events Delegate

The AIAssistantEventsDelegate provides you with live events related to AI Assistant features. Below are the callback methods provided by the AIAssistantEventsDelegate.
MethodInformation
onAIAssistantEventReceived(_ event: AIAssistantBaseEvent)This event is triggered when an AI Assistant event is received.
In order to receive AI Assistant events, you must add protocol conformance AIAssistantEventsDelegate as shown below:
extension ViewController: AIAssistantEventsDelegate {

  func onAIAssistantEventReceived(_ event: AIAssistantBaseEvent) {
    print("AI Assistant event received: " + event.stringValue())
  }
}
To add the AI Assistant listener:
CometChat.addAIAssistantListener("unique_listener_id", self)
To remove the AI Assistant listener:
CometChat.removeAIAssistantListener("unique_listener_id")
Event Trigger: Received via AIAssistantEventsDelegate.onAIAssistantEventReceived(_:)event (AIAssistantBaseEvent Object):
ParameterTypeDescription
typeStringEvent type identifier. Example: "run_start", "text_message_content", "run_finished"
idStringRun ID for the event. Example: "run_abc123"
Event Types:
TypeDescription
run_startNew AI run has begun
tool_call_startAgent decided to invoke a tool
tool_call_argumentsArguments being passed to the tool
tool_call_endTool execution completed
tool_call_resultTool’s output is available
text_message_startAgent started composing a reply
text_message_contentStreaming content chunk
text_message_endAgent reply is complete
run_finishedRun is finalized