feat: add outcome attribute

This commit is contained in:
Mohamed Marrouchi 2025-03-03 09:54:31 +01:00
parent b3a5bc2ac3
commit 7e48eb6067
10 changed files with 267 additions and 108 deletions

View File

@ -1,5 +1,5 @@
/* /*
* Copyright © 2024 Hexastack. All rights reserved. * Copyright © 2025 Hexastack. All rights reserved.
* *
* Licensed under the GNU Affero General Public License v3.0 (AGPLv3) with the following additional terms: * Licensed under the GNU Affero General Public License v3.0 (AGPLv3) with the following additional terms:
* 1. The name "Hexabot" is a trademark of Hexastack. You may not use this name in derivative works without express written permission. * 1. The name "Hexabot" is a trademark of Hexastack. You may not use this name in derivative works without express written permission.
@ -251,6 +251,7 @@ describe('BlockController', () => {
name: 'block with nextBlocks', name: 'block with nextBlocks',
nextBlocks: [hasNextBlocks.id], nextBlocks: [hasNextBlocks.id],
patterns: ['Hi'], patterns: ['Hi'],
outcomes: [],
trigger_labels: [], trigger_labels: [],
assign_labels: [], assign_labels: [],
trigger_channels: [], trigger_channels: [],

View File

@ -1,5 +1,5 @@
/* /*
* Copyright © 2024 Hexastack. All rights reserved. * Copyright © 2025 Hexastack. All rights reserved.
* *
* Licensed under the GNU Affero General Public License v3.0 (AGPLv3) with the following additional terms: * Licensed under the GNU Affero General Public License v3.0 (AGPLv3) with the following additional terms:
* 1. The name "Hexabot" is a trademark of Hexastack. You may not use this name in derivative works without express written permission. * 1. The name "Hexabot" is a trademark of Hexastack. You may not use this name in derivative works without express written permission.
@ -45,6 +45,14 @@ export class BlockCreateDto {
@IsPatternList({ message: 'Patterns list is invalid' }) @IsPatternList({ message: 'Patterns list is invalid' })
patterns?: Pattern[] = []; patterns?: Pattern[] = [];
@ApiPropertyOptional({
description: "Block's outcomes",
type: Array,
})
@IsOptional()
@IsArray({ message: 'Outcomes are invalid' })
outcomes?: string[] = [];
@ApiPropertyOptional({ description: 'Block trigger labels', type: Array }) @ApiPropertyOptional({ description: 'Block trigger labels', type: Array })
@IsOptional() @IsOptional()
@IsArray() @IsArray()
@ -120,6 +128,7 @@ export class BlockCreateDto {
export class BlockUpdateDto extends PartialType( export class BlockUpdateDto extends PartialType(
OmitType(BlockCreateDto, [ OmitType(BlockCreateDto, [
'patterns', 'patterns',
'outcomes',
'trigger_labels', 'trigger_labels',
'assign_labels', 'assign_labels',
'trigger_channels', 'trigger_channels',
@ -130,6 +139,14 @@ export class BlockUpdateDto extends PartialType(
@IsPatternList({ message: 'Patterns list is invalid' }) @IsPatternList({ message: 'Patterns list is invalid' })
patterns?: Pattern[]; patterns?: Pattern[];
@ApiPropertyOptional({
description: "Block's outcomes",
type: Array,
})
@IsOptional()
@IsArray({ message: 'Outcomes are invalid' })
outcomes?: string[];
@ApiPropertyOptional({ description: 'Block trigger labels', type: Array }) @ApiPropertyOptional({ description: 'Block trigger labels', type: Array })
@IsOptional() @IsOptional()
@IsArray() @IsArray()

View File

@ -42,6 +42,12 @@ export class BlockStub extends BaseSchema {
}) })
patterns: Pattern[]; patterns: Pattern[];
@Prop({
type: Object,
default: [],
})
outcomes: string[];
@Prop([ @Prop([
{ {
type: MongooseSchema.Types.ObjectId, type: MongooseSchema.Types.ObjectId,

View File

@ -40,4 +40,5 @@ export enum PayloadType {
attachments = 'attachments', attachments = 'attachments',
quick_reply = 'quick_reply', quick_reply = 'quick_reply',
button = 'button', button = 'button',
outcome = 'outcome',
} }

View File

@ -6,14 +6,6 @@
* 2. All derivative works must include clear attribution to the original creator and software, Hexastack and Hexabot, in a prominent location (e.g., in the software's "About" section, documentation, and README file). * 2. All derivative works must include clear attribution to the original creator and software, Hexastack and Hexabot, in a prominent location (e.g., in the software's "About" section, documentation, and README file).
*/ */
/*
* Copyright © 2025 Hexastack. All rights reserved.
*
* Licensed under the GNU Affero General Public License v3.0 (AGPLv3) with the following additional terms:
* 1. The name "Hexabot" is a trademark of Hexastack. You may not use this name in derivative works without express written permission.
* 2. All derivative works must include clear attribution to the original creator and software, Hexastack and Hexabot, in a prominent location (e.g., in the software's "About" section, documentation, and README file).
*/
import { z } from 'zod'; import { z } from 'zod';
import { PluginName } from '@/plugins/types'; import { PluginName } from '@/plugins/types';
@ -62,6 +54,7 @@ export enum OutgoingMessageFormat {
attachment = 'attachment', attachment = 'attachment',
list = 'list', list = 'list',
carousel = 'carousel', carousel = 'carousel',
system = 'system',
} }
export const outgoingMessageFormatSchema = z.nativeEnum(OutgoingMessageFormat); export const outgoingMessageFormatSchema = z.nativeEnum(OutgoingMessageFormat);
@ -147,6 +140,15 @@ export type StdOutgoingAttachmentMessage = z.infer<
typeof stdOutgoingAttachmentMessageSchema typeof stdOutgoingAttachmentMessageSchema
>; >;
export const stdOutgoingSystemMessageSchema = z.object({
outcome: z.string().optional(), // "any" or any other string (in snake case)
data: z.any().optional(),
});
export type StdOutgoingSystemMessage = z.infer<
typeof stdOutgoingSystemMessageSchema
>;
export const pluginNameSchema = z export const pluginNameSchema = z
.string() .string()
.regex(/-plugin$/) as z.ZodType<PluginName>; .regex(/-plugin$/) as z.ZodType<PluginName>;
@ -290,7 +292,16 @@ export type StdOutgoingAttachmentEnvelope = z.infer<
typeof stdOutgoingAttachmentEnvelopeSchema typeof stdOutgoingAttachmentEnvelopeSchema
>; >;
export const stdOutgoingEnvelopeSchema = z.union([ export const stdOutgoingSystemEnvelopeSchema = z.object({
format: z.literal(OutgoingMessageFormat.system),
message: stdOutgoingSystemMessageSchema,
});
export type StdOutgoingSystemEnvelope = z.infer<
typeof stdOutgoingSystemEnvelopeSchema
>;
export const stdOutgoingMessageEnvelopeSchema = z.union([
stdOutgoingTextEnvelopeSchema, stdOutgoingTextEnvelopeSchema,
stdOutgoingQuickRepliesEnvelopeSchema, stdOutgoingQuickRepliesEnvelopeSchema,
stdOutgoingButtonsEnvelopeSchema, stdOutgoingButtonsEnvelopeSchema,
@ -298,6 +309,15 @@ export const stdOutgoingEnvelopeSchema = z.union([
stdOutgoingAttachmentEnvelopeSchema, stdOutgoingAttachmentEnvelopeSchema,
]); ]);
export type StdOutgoingMessageEnvelope = z.infer<
typeof stdOutgoingMessageEnvelopeSchema
>;
export const stdOutgoingEnvelopeSchema = z.union([
stdOutgoingMessageEnvelopeSchema,
stdOutgoingSystemEnvelopeSchema,
]);
export type StdOutgoingEnvelope = z.infer<typeof stdOutgoingEnvelopeSchema>; export type StdOutgoingEnvelope = z.infer<typeof stdOutgoingEnvelopeSchema>;
// is-valid-message-text validation // is-valid-message-text validation

View File

@ -11,6 +11,7 @@ import { OnEvent } from '@nestjs/event-emitter';
import { AttachmentService } from '@/attachment/services/attachment.service'; import { AttachmentService } from '@/attachment/services/attachment.service';
import EventWrapper from '@/channel/lib/EventWrapper'; import EventWrapper from '@/channel/lib/EventWrapper';
import { ChannelName } from '@/channel/types';
import { ContentService } from '@/cms/services/content.service'; import { ContentService } from '@/cms/services/content.service';
import { CONSOLE_CHANNEL_NAME } from '@/extensions/channels/console/settings'; import { CONSOLE_CHANNEL_NAME } from '@/extensions/channels/console/settings';
import { NLU } from '@/helper/types'; import { NLU } from '@/helper/types';
@ -27,11 +28,13 @@ import { BlockDto } from '../dto/block.dto';
import { BlockRepository } from '../repositories/block.repository'; import { BlockRepository } from '../repositories/block.repository';
import { Block, BlockFull, BlockPopulate } from '../schemas/block.schema'; import { Block, BlockFull, BlockPopulate } from '../schemas/block.schema';
import { Label } from '../schemas/label.schema'; import { Label } from '../schemas/label.schema';
import { Subscriber } from '../schemas/subscriber.schema';
import { Context } from '../schemas/types/context'; import { Context } from '../schemas/types/context';
import { import {
BlockMessage, BlockMessage,
OutgoingMessageFormat, OutgoingMessageFormat,
StdOutgoingEnvelope, StdOutgoingEnvelope,
StdOutgoingSystemEnvelope,
} from '../schemas/types/message'; } from '../schemas/types/message';
import { NlpPattern, PayloadPattern } from '../schemas/types/pattern'; import { NlpPattern, PayloadPattern } from '../schemas/types/pattern';
import { Payload, StdQuickReply } from '../schemas/types/quick-reply'; import { Payload, StdQuickReply } from '../schemas/types/quick-reply';
@ -57,10 +60,75 @@ export class BlockService extends BaseService<
super(repository); super(repository);
} }
/**
* Filters an array of blocks based on the specified channel.
*
* This function ensures that only blocks that are either:
* - Not restricted to specific trigger channels (`trigger_channels` is undefined or empty), or
* - Explicitly allow the given channel (or the console channel)
*
* are included in the returned array.
*
* @param blocks - The list of blocks to be filtered.
* @param channel - The name of the channel to filter blocks by.
*
* @returns The filtered array of blocks that are allowed for the given channel.
*/
filterBlocksByChannel<B extends Block | BlockFull>(
blocks: B[],
channel: ChannelName,
) {
return blocks.filter((b) => {
return (
!b.trigger_channels ||
b.trigger_channels.length === 0 ||
[...b.trigger_channels, CONSOLE_CHANNEL_NAME].includes(channel)
);
});
}
/**
* Filters an array of blocks based on subscriber labels.
*
* This function selects blocks that either:
* - Have no trigger labels (making them applicable to all subscribers), or
* - Contain at least one trigger label that matches a label from the provided list.
*
* The filtered blocks are then **sorted** in descending order by the number of trigger labels,
* ensuring that blocks with more specific targeting (more trigger labels) are prioritized.
*
* @param blocks - The list of blocks to be filtered.
* @param labels - The list of subscriber labels to match against.
* @returns The filtered and sorted list of blocks.
*/
filterBlocksBySubscriberLabels<B extends Block | BlockFull>(
blocks: B[],
profile?: Subscriber,
) {
if (!profile) {
return blocks;
}
return (
blocks
.filter((b) => {
const triggerLabels = b.trigger_labels.map((l) =>
typeof l === 'string' ? l : l.id,
);
return (
triggerLabels.length === 0 ||
triggerLabels.some((l) => profile.labels.includes(l))
);
})
// Priority goes to block who target users with labels
.sort((a, b) => b.trigger_labels.length - a.trigger_labels.length)
);
}
/** /**
* Find a block whose patterns matches the received event * Find a block whose patterns matches the received event
* *
* @param blocks blocks Starting/Next blocks in the conversation flow * @param filteredBlocks blocks Starting/Next blocks in the conversation flow
* @param event Received channel's message * @param event Received channel's message
* *
* @returns The block that matches * @returns The block that matches
@ -77,37 +145,15 @@ export class BlockService extends BaseService<
let block: BlockFull | undefined = undefined; let block: BlockFull | undefined = undefined;
const payload = event.getPayload(); const payload = event.getPayload();
// Perform a filter on the specific channels // Perform a filter to get the candidates blocks
const channel = event.getHandler().getName(); const filteredBlocks = this.filterBlocksBySubscriberLabels(
blocks = blocks.filter((b) => { this.filterBlocksByChannel(blocks, event.getHandler().getName()),
return ( event.getSender(),
!b.trigger_channels || );
b.trigger_channels.length === 0 ||
[...b.trigger_channels, CONSOLE_CHANNEL_NAME].includes(channel)
);
});
// Perform a filter on trigger labels
let userLabels: string[] = [];
const profile = event.getSender();
if (profile && Array.isArray(profile.labels)) {
userLabels = profile.labels.map((l) => l);
}
blocks = blocks
.filter((b) => {
const trigger_labels = b.trigger_labels.map(({ id }) => id);
return (
trigger_labels.length === 0 ||
trigger_labels.some((l) => userLabels.includes(l))
);
})
// Priority goes to block who target users with labels
.sort((a, b) => b.trigger_labels.length - a.trigger_labels.length);
// Perform a payload match & pick last createdAt // Perform a payload match & pick last createdAt
if (payload) { if (payload) {
block = blocks block = filteredBlocks
.filter((b) => { .filter((b) => {
return this.matchPayload(payload, b); return this.matchPayload(payload, b);
}) })
@ -131,7 +177,7 @@ export class BlockService extends BaseService<
} }
// Perform a text pattern match // Perform a text pattern match
block = blocks block = filteredBlocks
.filter((b) => { .filter((b) => {
return this.matchText(text, b); return this.matchText(text, b);
}) })
@ -141,7 +187,7 @@ export class BlockService extends BaseService<
if (!block && nlp) { if (!block && nlp) {
// Find block pattern having the best match of nlp entities // Find block pattern having the best match of nlp entities
let nlpBest = 0; let nlpBest = 0;
blocks.forEach((b, index, self) => { filteredBlocks.forEach((b, index, self) => {
const nlpPattern = this.matchNLP(nlp, b); const nlpPattern = this.matchNLP(nlp, b);
if (nlpPattern && nlpPattern.length > nlpBest) { if (nlpPattern && nlpPattern.length > nlpBest) {
nlpBest = nlpPattern.length; nlpBest = nlpPattern.length;
@ -295,6 +341,36 @@ export class BlockService extends BaseService<
}); });
} }
/**
* Matches an outcome-based block from a list of available blocks
* based on the outcome of a system message.
*
* @param blocks - An array of blocks to search for a matching outcome.
* @param envelope - The system message envelope containing the outcome to match.
*
* @returns - Returns the first matching block if found, otherwise returns `undefined`.
*/
matchOutcome(
blocks: Block[],
event: EventWrapper<any, any>,
envelope: StdOutgoingSystemEnvelope,
) {
// Perform a filter to get the candidates blocks
const filteredBlocks = this.filterBlocksBySubscriberLabels(
this.filterBlocksByChannel(blocks, event.getHandler().getName()),
event.getSender(),
);
return filteredBlocks.find((b) => {
return b.patterns
.filter(
(p) => typeof p === 'object' && 'type' in p && p.type === 'outcome',
)
.some((p: PayloadPattern) =>
['any', envelope.message.outcome].includes(p.value),
);
});
}
/** /**
* Replaces tokens with their context variables values in the provided text message * Replaces tokens with their context variables values in the provided text message
* *

View File

@ -1,5 +1,5 @@
/* /*
* Copyright © 2024 Hexastack. All rights reserved. * Copyright © 2025 Hexastack. All rights reserved.
* *
* Licensed under the GNU Affero General Public License v3.0 (AGPLv3) with the following additional terms: * Licensed under the GNU Affero General Public License v3.0 (AGPLv3) with the following additional terms:
* 1. The name "Hexabot" is a trademark of Hexastack. You may not use this name in derivative works without express written permission. * 1. The name "Hexabot" is a trademark of Hexastack. You may not use this name in derivative works without express written permission.
@ -201,7 +201,7 @@ describe('BlockService', () => {
let hasBotSpoken = false; let hasBotSpoken = false;
const clearMock = jest const clearMock = jest
.spyOn(botService, 'findBlockAndSendReply') .spyOn(botService, 'triggerBlock')
.mockImplementation( .mockImplementation(
( (
actualEvent: WebEventWrapper<typeof WEB_CHANNEL_NAME>, actualEvent: WebEventWrapper<typeof WEB_CHANNEL_NAME>,

View File

@ -21,8 +21,11 @@ import {
getDefaultConversationContext, getDefaultConversationContext,
} from '../schemas/conversation.schema'; } from '../schemas/conversation.schema';
import { Context } from '../schemas/types/context'; import { Context } from '../schemas/types/context';
import { IncomingMessageType } from '../schemas/types/message'; import {
import { SubscriberContext } from '../schemas/types/subscriberContext'; IncomingMessageType,
OutgoingMessageFormat,
StdOutgoingMessageEnvelope,
} from '../schemas/types/message';
import { BlockService } from './block.service'; import { BlockService } from './block.service';
import { ConversationService } from './conversation.service'; import { ConversationService } from './conversation.service';
@ -40,40 +43,24 @@ export class BotService {
) {} ) {}
/** /**
* Sends a processed message to the user based on a specified content block. * Sends a message to the subscriber via the appropriate messaging channel and handles related events.
* Replaces tokens within the block with context data, handles fallback scenarios,
* and assigns relevant labels to the user.
* *
* @param event - The incoming message or action that triggered the bot's response. * @param envelope - The outgoing message envelope containing the bot's response.
* @param block - The content block containing the message and options to be sent. * @param block - The content block containing the message and options to be sent.
* @param context - Optional. The conversation context object, containing relevant data for personalization. * @param context - Optional. The conversation context object, containing relevant data for personalization.
* @param fallback - Optional. Boolean flag indicating if this is a fallback message when no appropriate response was found. * @param fallback - Optional. Boolean flag indicating if this is a fallback message when no appropriate response was found.
* @param conversationId - Optional. The conversation ID to link the message to a specific conversation thread.
*
* @returns A promise that resolves with the message response, including the message ID.
*/ */
async sendMessageToSubscriber( async sendMessageToSubscriber(
envelope: StdOutgoingMessageEnvelope,
event: EventWrapper<any, any>, event: EventWrapper<any, any>,
block: BlockFull, block: BlockFull,
context?: Context, context?: Context,
fallback?: boolean, fallback?: boolean,
conservationId?: string,
) { ) {
context = context || getDefaultConversationContext();
fallback = typeof fallback !== 'undefined' ? fallback : false;
const options = block.options; const options = block.options;
this.logger.debug('Sending message ... ', event.getSenderForeignId());
// Process message : Replace tokens with context data and then send the message
const recipient = event.getSender(); const recipient = event.getSender();
const envelope = await this.blockService.processMessage(
block,
context,
recipient?.context as SubscriberContext,
fallback,
conservationId,
);
// Send message through the right channel // Send message through the right channel
this.logger.debug('Sending message ... ', event.getSenderForeignId());
const response = await event const response = await event
.getHandler() .getHandler()
.sendMessage(event, envelope, options, context); .sendMessage(event, envelope, options, context);
@ -114,35 +101,56 @@ export class BotService {
); );
this.logger.debug('Assigned labels ', blockLabels); this.logger.debug('Assigned labels ', blockLabels);
return response;
} }
/** /**
* Finds an appropriate reply block and sends it to the user. * Processes and executes a block, handling its associated messages and flow logic.
* If there are additional blocks or attached blocks, it continues the conversation flow. *
* Ends the conversation if no further blocks are available. * The function performs the following steps:
* 1. Retrieves the conversation context and recipient information.
* 2. Generates an outgoing message envelope from the block.
* 3. Sends the message to the subscriber unless it's a system message.
* 4. Handles block chaining:
* - If the block has an attached block, it recursively triggers the attached block.
* - If the block has multiple possible next blocks, it determines the next block based on the outcome of the system message.
* - If there are next blocks but no outcome-based matching, it updates the conversation state for the next steps.
* 5. If no further blocks exist, it ends the flow execution.
* *
* @param event - The incoming message or action that initiated this response. * @param event - The incoming message or action that initiated this response.
* @param convo - The current conversation context and flow. * @param convo - The current conversation context and flow.
* @param block - The content block to be processed and sent. * @param block - The content block to be processed and sent.
* @param fallback - Boolean indicating if this is a fallback response in case no appropriate reply was found. * @param fallback - Boolean indicating if this is a fallback response in case no appropriate reply was found.
* *
* @returns A promise that continues or ends the conversation based on available blocks. * @returns A promise that either continues or ends the flow execution based on the available blocks.
*/ */
async findBlockAndSendReply( async triggerBlock(
event: EventWrapper<any, any>, event: EventWrapper<any, any>,
convo: Conversation, convo: Conversation,
block: BlockFull, block: BlockFull,
fallback: boolean, fallback: boolean = false,
) { ) {
try { try {
await this.sendMessageToSubscriber( const context = convo.context || getDefaultConversationContext();
event, const recipient = event.getSender();
const envelope = await this.blockService.processMessage(
block, block,
convo.context, context,
recipient?.context,
fallback, fallback,
convo.id, convo.id,
); );
if (envelope.format !== OutgoingMessageFormat.system) {
await this.sendMessageToSubscriber(
envelope,
event,
block,
context,
fallback,
);
}
if (block.attachedBlock) { if (block.attachedBlock) {
// Sequential messaging ? // Sequential messaging ?
try { try {
@ -154,12 +162,7 @@ export class BotService {
'No attached block to be found with id ' + block.attachedBlock, 'No attached block to be found with id ' + block.attachedBlock,
); );
} }
return await this.findBlockAndSendReply( return await this.triggerBlock(event, convo, attachedBlock, fallback);
event,
convo,
attachedBlock,
fallback,
);
} catch (err) { } catch (err) {
this.logger.error('Unable to retrieve attached block', err); this.logger.error('Unable to retrieve attached block', err);
this.eventEmitter.emit('hook:conversation:end', convo, true); this.eventEmitter.emit('hook:conversation:end', convo, true);
@ -168,20 +171,47 @@ export class BotService {
Array.isArray(block.nextBlocks) && Array.isArray(block.nextBlocks) &&
block.nextBlocks.length > 0 block.nextBlocks.length > 0
) { ) {
// Conversation continues : Go forward to next blocks
this.logger.debug('Conversation continues ...', convo.id);
const nextIds = block.nextBlocks.map(({ id }) => id);
try { try {
await this.conversationService.updateOne(convo.id, { if (envelope.format === OutgoingMessageFormat.system) {
current: block.id, // System message: Trigger the next block based on the outcome
next: nextIds, this.logger.debug(
}); 'Matching the outcome against the next blocks ...',
convo.id,
);
const match = this.blockService.matchOutcome(
block.nextBlocks,
event,
envelope,
);
if (match) {
const nextBlock = await this.blockService.findOneAndPopulate(
match.id,
);
if (!nextBlock) {
throw new Error(
'No attached block to be found with id ' +
block.attachedBlock,
);
}
return await this.triggerBlock(event, convo, nextBlock, fallback);
} else {
this.logger.warn(
'Block outcome did not match any of the next blocks',
convo,
);
}
} else {
// Conversation continues : Go forward to next blocks
this.logger.debug('Conversation continues ...', convo.id);
const nextIds = block.nextBlocks.map(({ id }) => id);
await this.conversationService.updateOne(convo.id, {
current: block.id,
next: nextIds,
});
}
} catch (err) { } catch (err) {
this.logger.error( this.logger.error('Unable to continue the flow', convo, err);
'Unable to update conversation when going next',
convo,
err,
);
return; return;
} }
} else { } else {
@ -275,12 +305,7 @@ export class BotService {
// Otherwise, old captured const value may be replaced by another const value // Otherwise, old captured const value may be replaced by another const value
!fallback, !fallback,
); );
await this.findBlockAndSendReply( await this.triggerBlock(event, updatedConversation, next, fallback);
event,
updatedConversation,
next,
fallback,
);
} catch (err) { } catch (err) {
this.logger.error('Unable to store context data!', err); this.logger.error('Unable to store context data!', err);
return this.eventEmitter.emit('hook:conversation:end', convo, true); return this.eventEmitter.emit('hook:conversation:end', convo, true);
@ -376,12 +401,7 @@ export class BotService {
subscriber.id, subscriber.id,
block.name, block.name,
); );
return this.findBlockAndSendReply( return this.triggerBlock(event, updatedConversation, block, false);
event,
updatedConversation,
block,
false,
);
} catch (err) { } catch (err) {
this.logger.error('Unable to store context data!', err); this.logger.error('Unable to store context data!', err);
this.eventEmitter.emit('hook:conversation:end', convo, true); this.eventEmitter.emit('hook:conversation:end', convo, true);
@ -459,7 +479,7 @@ export class BotService {
'No global fallback block defined, sending a message ...', 'No global fallback block defined, sending a message ...',
err, err,
); );
this.sendMessageToSubscriber(event, { const globalFallbackBlock = {
id: 'global-fallback', id: 'global-fallback',
name: 'Global Fallback', name: 'Global Fallback',
message: settings.chatbot_settings.fallback_message, message: settings.chatbot_settings.fallback_message,
@ -473,7 +493,19 @@ export class BotService {
createdAt: new Date(), createdAt: new Date(),
updatedAt: new Date(), updatedAt: new Date(),
attachedBlock: null, attachedBlock: null,
} as any as BlockFull); } as any as BlockFull;
const envelope = await this.blockService.processMessage(
globalFallbackBlock,
getDefaultConversationContext(),
{ vars: {} }, // @TODO: use subscriber ctx
);
await this.sendMessageToSubscriber(
envelope as StdOutgoingMessageEnvelope,
event,
globalFallbackBlock,
);
} }
} }
// Do nothing ... // Do nothing ...

View File

@ -136,6 +136,7 @@ describe('TranslationService', () => {
const block: Block = { const block: Block = {
name: 'Ollama Plugin', name: 'Ollama Plugin',
patterns: [], patterns: [],
outcomes: [],
assign_labels: [], assign_labels: [],
trigger_channels: [], trigger_channels: [],
trigger_labels: [], trigger_labels: [],

View File

@ -35,6 +35,7 @@ export const blocks: TBlockFixtures['values'][] = [
{ {
name: 'hasNextBlocks', name: 'hasNextBlocks',
patterns: ['Hi'], patterns: ['Hi'],
outcomes: [],
category: null, category: null,
options: { options: {
typing: 0, typing: 0,
@ -53,6 +54,7 @@ export const blocks: TBlockFixtures['values'][] = [
{ {
name: 'hasPreviousBlocks', name: 'hasPreviousBlocks',
patterns: ['colors'], patterns: ['colors'],
outcomes: [],
category: null, category: null,
options: { options: {
typing: 0, typing: 0,
@ -90,6 +92,7 @@ export const blocks: TBlockFixtures['values'][] = [
{ {
name: 'buttons', name: 'buttons',
patterns: ['about'], patterns: ['about'],
outcomes: [],
category: null, category: null,
options: { options: {
typing: 0, typing: 0,
@ -127,6 +130,7 @@ export const blocks: TBlockFixtures['values'][] = [
{ {
name: 'attachment', name: 'attachment',
patterns: ['image'], patterns: ['image'],
outcomes: [],
category: null, category: null,
options: { options: {
typing: 0, typing: 0,
@ -153,6 +157,7 @@ export const blocks: TBlockFixtures['values'][] = [
{ {
name: 'test', name: 'test',
patterns: ['yes'], patterns: ['yes'],
outcomes: [],
category: null, category: null,
//to be verified //to be verified
options: { options: {