Business API Design Specification -
Create Conversationmessage
A Business API is a set of logical actions centered around a main data object. These actions can range from simple CRUD operations to complex workflows that implement intricate business logic.
While the term “API” traditionally refers to an interface that allows software systems to interact, in Mindbricks a Business API represents a broader concept. It encapsulates a business workflow around a data object, going beyond basic CRUD operations to include rich, internally coordinated actions that can be fully designed and customized.
This document provides an in-depth explanation of the architectural
design of the createConversationMessage Business API. It
is intended to guide backend architects and developers in maintaining
the current design. Additionally, frontend developers and frontend AI
agents can use this document to understand how to properly consume
this API on the client side.
Main Data Object and CRUD Operation
The createConversationMessage Business API is designed to
handle a create operation on the
ConversationMessage data object. This operation is
performed under the specified conditions and may include additional,
coordinated actions as part of the workflow.
API Description
Send a new message in a conversation. Only thread participants can send; updates thread’s lastMessageAt.
API Frontend Description By The Backend Architect
Used when a user sends a message in a conversation (thread). On success, new message appears in thread; unread by receiver.
API Options
-
Auto Params :
trueDetermines whether input parameters should be auto-generated from the schema of the associated data object. Set tofalseif you want to define all input parameters manually. -
Raise Api Event :
trueIndicates whether the Business API should emit an API-level event after successful execution. This is typically used for audit trails, analytics, or external integrations. The event will be emitted to theconversationmessage-createdKafka Topic Note that the DB-Level events forcreate,updateanddeleteoperations will always be raised for internal reasons. -
Active Check : `` Controls how the system checks if a record is active (not soft-deleted or inactive). Uses the
ApiCheckOptionto determine whether this is checked during the query or after fetching the instance. -
Read From Entity Cache :
falseIf enabled, the API will attempt to read the target object from the Redis entity cache before querying the database. This can improve performance for frequently accessed records.
API Controllers
A Mindbricks Business API can be accessed through multiple interfaces, including REST, gRPC, WebSocket, Kafka, or Cron. The controllers listed below map the business workflow to a specific interface, enabling consistent interaction regardless of the communication channel.
REST Controller
The createConversationMessage Business API includes a
REST controller that can be triggered via the following route:
/v1/conversationmessages
By sending a request to this route using the service API address, you can execute this Business API. Parameters can be provided in multiple HTTP locations, including the URL path, URL query, request body, and request headers. Detailed information about these parameters is provided in the Parameters section.
MCP Tool
REST controllers also expose the Business API as a tool in the MCP,
making it accessible to AI agents. This
createConversationMessage Business API will be registered
as a tool on the MCP server within the service binding.
API Parameters
The createConversationMessage Business API has 8
parameters that must be sent from the controller. Note that all
parameters, except session and Redis parameters, should be provided by
the client.
Business API parameters can be:
-
Auto-generated by Mindbricks — inferred from the
CRUD type and the property definitions of the main data object when
the
autoParametersoption is enabled. - Custom parameters added by the architect — these can supplement or override the auto-generated parameters.
Regular Parameters
| Name | Type | Required | Default | Location | Data Path |
|---|---|---|---|---|---|
conversationMessageId |
ID |
No |
- |
body |
conversationMessageId |
| Description: | This id paremeter is used to create the data object with a given specific id. Leave null for automatic id. | ||||
content |
Text |
Yes |
- |
body |
content |
| Description: | Message text body. Sanitized before saving. | ||||
conversationThreadId |
ID |
Yes |
- |
body |
conversationThreadId |
| Description: | Parent thread for this message. | ||||
isRead |
Boolean |
Yes |
- |
body |
isRead |
| Description: | True if the receiver has read this message. | ||||
readAt |
Date |
No |
- |
body |
readAt |
| Description: | Timestamp when the receiver read the message (null if unread). | ||||
receiverId |
ID |
Yes |
- |
body |
receiverId |
| Description: | User receiving the message (must be the other participant of the thread). | ||||
senderId |
ID |
Yes |
- |
body |
senderId |
| Description: | User sending the message (must be a participant of the thread). | ||||
sentAt |
Date |
Yes |
- |
body |
sentAt |
| Description: | Timestamp when message was sent. | ||||
Parameter Transformations
Some parameters are post-processed using
transform scripts after being read from the request
but before validation or workflow execution. Only parameters with a
transform script are listed below.
No parameters are transformed in this API.
AUTH Configuration
The
authentication and authorization configuration
defines the core access rules for the
createConversationMessage Business API. These checks are
applied after parameter validation and before
executing the main business logic.
While these settings cover the most common scenarios, more
fine-grained or conditional access control—such as
permissions based on object context, nested memberships, or custom
workflows—should be implemented using explicit actions like
PermissionCheckAction,
MembershipCheckAction, or
ObjectPermissionCheckAction.
Login Requirement
This API requires login (loginRequired = true). Requests from non-logged-in users will return a
401 Unauthorized error. Login is necessary
but not sufficient, as additional role, permission,
or other authorization checks may still apply.
Ownership Checks
Role and Permission Settings
-
Absolute roles (bypass all auth checks):
Users with any of the following roles will bypass all authentication and authorization checks, including ownership, membership, and standard role/permission checks:
[superAdmin]
Data Clause
Defines custom field-value assignments used to modify or augment the
default payload for create and
update operations. These settings override values derived
from the session or parameters if explicitly provided.", Note
that a default data clause is always prepared by Mindbricks using data
property settings, however any property in the data clause can be
override by Data Clause Settings.
Custom Data Clause Override No custom data clause override configured
Actual Data Clause
The business api will use the following data clause. Note that any calculated value will be added to the data clause in the api manager.
{
id: this.conversationMessageId,
content: this.content,
conversationThreadId: this.conversationThreadId,
isRead: this.isRead,
readAt: this.readAt,
receiverId: this.receiverId,
senderId: this.senderId,
sentAt: this.sentAt,
isActive: true,
_archivedAt: null,
}
Business Logic Workflow
[1] Step : startBusinessApi
Manager initializes context, populates session and request objects, prepares internal structures for parameter handling and workflow execution.
You can use the following settings to change some behavior of this
step. apiOptions, restSettings,
grpcSettings, kafkaSettings,
socketSettings, cronSettings
[2] Action : fetchThread
Action Type: FetchObjectAction
Fetch parent conversation thread.
class Api {
async fetchThread() {
// Fetch Object on childObject conversationThread
const userQuery = {
$and: [{ id: this.conversationThreadId }, { isActive: true }],
};
const { convertUserQueryToSequelizeQuery } = require("common");
const scriptQuery = convertUserQueryToSequelizeQuery(userQuery);
// get object from db
const data = await getConversationThreadByQuery(scriptQuery);
if (!data) {
throw new NotFoundError(
"errMsg_FethcedObjectNotFound:conversationThread",
);
}
return data;
}
}
[3] Step : readParameters
Manager reads input parameters, normalizes missing values, applies default type casting, and stores them in the API context.
You can use the following settings to change some behavior of this
step. customParameters, redisParameters
[4] Step : transposeParameters
Manager transforms parameters, computes derived values, flattens or remaps arrays/objects, and adjusts formats for downstream processing.
[5] Step : checkParameters
Manager executes built-in validations: required field checks, type enforcement, and basic business rules. Prevents operation if validation fails.
[6] Action : validateParticipants
Action Type: ValidationAction
Sender or receiver must match session; only allowed for participants.
class Api {
async validateParticipants() {
if (this.checkAbsolute()) return true;
const isValid =
this.session.userId === this.senderId ||
this.session.userId === this.receiverId ||
true;
if (!isValid) {
throw new ForbiddenError(
"Only conversation participants may send message.",
);
}
return isValid;
}
}
[7] Step : checkBasicAuth
Manager performs authentication and authorization checks: verifies session, user roles, permissions, and tenant restrictions.
You can use the following settings to change some behavior of this
step. authOptions
[8] Step : buildDataClause
Manager constructs the final data object for creation, fills auto-generated fields (IDs, timestamps, owner fields), and ensures schema consistency.
You can use the following settings to change some behavior of this
step. dataClause
[9] Step : mainCreateOperation
Manager executes the database insert operation, updates indexes/caches, and triggers internal post-processing like linked default records.
[10] Action : updateThreadLastMessageAt
Action Type: UpdateCrudAction
Update thread’s lastMessageAt to now after new message.
class Api {
async updateThreadLastMessageAt() {
// Aggregated Update Operation on childObject conversationThread
const params = {
lastMessageAt: new Date(),
};
const userQuery = { id: this.conversationThreadId };
const { convertUserQueryToSequelizeQuery } = require("common");
const query = convertUserQueryToSequelizeQuery(userQuery);
const result = await updateConversationThreadByQuery(params, query, this);
if (!result) return null;
// if updated record is in main data update main data
if (this.dbResult) {
for (const item of result) {
if (item.id == this.dbResult.id) {
Object.assign(this.dbResult, item);
this.conversationMessage = this.dbResult;
}
}
}
if (result.length == 0) return null;
if (result.length == 1) return result[0];
return result;
}
}
[11] Step : buildOutput
Manager shapes the response: masks sensitive fields, resolves linked references, and formats output according to API contract.
[12] Step : sendResponse
Manager sends the response to the client and finalizes internal tasks like flushing logs or updating session state.
[13] Step : raiseApiEvent
Manager triggers API-level events (Kafka, WebSocket, async workflows) as the final internal step.
Rest Usage
Rest Client Parameters
Client parameters are the api parameters that are visible to client and will be populated by the client. Note that some api parameters are not visible to client because they are populated by internal system, session, calculation or joint sources.
The createConversationMessage api has got 7 regular
client parameters
| Parameter | Type | Required | Population |
|---|---|---|---|
| content | Text | true | request.body?.[“content”] |
| conversationThreadId | ID | true | request.body?.[“conversationThreadId”] |
| isRead | Boolean | true | request.body?.[“isRead”] |
| readAt | Date | false | request.body?.[“readAt”] |
| receiverId | ID | true | request.body?.[“receiverId”] |
| senderId | ID | true | request.body?.[“senderId”] |
| sentAt | Date | true | request.body?.[“sentAt”] |
REST Request
To access the api you can use the REST controller with the path POST /v1/conversationmessages
axios({
method: 'POST',
url: '/v1/conversationmessages',
data: {
content:"Text",
conversationThreadId:"ID",
isRead:"Boolean",
readAt:"Date",
receiverId:"ID",
senderId:"ID",
sentAt:"Date",
},
params: {
}
});
REST Response
The API response is encapsulated within a JSON envelope. Successful
operations return an HTTP status code of 200 for get, list, update, or
delete requests, and 201 for create requests. Each successful response
includes a "status": "OK" property.
For error handling, refer to the “Error Response” section.
Following JSON represents the most comprehensive form of the
conversationMessage object in the
respones. However, some properties may be omitted based on the
object’s internal logic.
{
"status": "OK",
"statusCode": "201",
"elapsedMs": 126,
"ssoTime": 120,
"source": "db",
"cacheKey": "hexCode",
"userId": "ID",
"sessionId": "ID",
"requestId": "ID",
"dataName": "conversationMessage",
"method": "POST",
"action": "create",
"appVersion": "Version",
"rowCount": 1,
"conversationMessage": {
"id": "ID",
"content": "Text",
"conversationThreadId": "ID",
"isRead": "Boolean",
"readAt": "Date",
"receiverId": "ID",
"senderId": "ID",
"sentAt": "Date",
"isActive": true,
"recordVersion": "Integer",
"createdAt": "Date",
"updatedAt": "Date",
"_owner": "ID"
}
}