-
Notifications
You must be signed in to change notification settings - Fork 2
Commit
This commit does not belong to any branch on this repository, and may belong to a fork outside of the repository.
* feat: Add intial slack listener * chore: Register Slack as plugin * feat: Initial thread management
- Loading branch information
1 parent
0171cf0
commit 53584c0
Showing
9 changed files
with
1,211 additions
and
5 deletions.
There are no files selected for viewing
Large diffs are not rendered by default.
Oops, something went wrong.
This file contains bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
This file contains bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
This file contains bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
Original file line number | Diff line number | Diff line change |
---|---|---|
@@ -0,0 +1,191 @@ | ||
import { App, KnownEventFromType, webApi } from '@slack/bolt'; | ||
import { FastifySlackReceiver } from './receiver'; | ||
import { env } from '../../utilities/env'; | ||
import { FastifyInstance } from 'fastify'; | ||
import { logger } from '../observability/logger'; | ||
import { getRunsByMetadata } from '../workflows/metadata'; | ||
import { addMessageAndResume, createRunWithMessage, Run } from '../workflows/workflows'; | ||
import { AuthenticationError } from '../../utilities/errors'; | ||
import { ulid } from 'ulid'; | ||
|
||
let app: App | undefined; | ||
|
||
const THREAD_META_KEY = "stripeThreadTs"; | ||
const CHANNEL_META_KEY = "stripeChannel"; | ||
|
||
type MessageEvent = { | ||
event: KnownEventFromType<'message'>, | ||
client: webApi.WebClient | ||
clusterId: string | ||
} | ||
|
||
export const start = async (fastify: FastifyInstance) => { | ||
const SLACK_CLUSTER_ID = env.SLACK_CLUSTER_ID | ||
const SLACK_BOT_TOKEN = env.SLACK_BOT_TOKEN | ||
const SLACK_SIGNING_SECRET = env.SLACK_SIGNING_SECRET | ||
|
||
if ( | ||
!SLACK_CLUSTER_ID || | ||
!SLACK_BOT_TOKEN || | ||
!SLACK_SIGNING_SECRET | ||
) { | ||
logger.info("Missing Slack environment variables. Skipping Slack integration."); | ||
return | ||
} | ||
|
||
app = new App({ | ||
token: env.SLACK_BOT_TOKEN, | ||
receiver: new FastifySlackReceiver({ | ||
signingSecret: SLACK_SIGNING_SECRET, | ||
path: '/triggers/slack', | ||
fastify, | ||
}) | ||
}); | ||
|
||
// Event listener for direct messages | ||
app.event('message', async ({ event, client }) => { | ||
logger.info("Received message event. Responding.", event); | ||
|
||
if (isBotMessage(event)) { | ||
logger.info("Received message from bot. Ignoring.", event); | ||
return | ||
} | ||
|
||
if (!isDirectMessage(event)) { | ||
logger.info("Received message from channel. Ignoring.", event); | ||
return | ||
} | ||
|
||
try { | ||
await authenticateUser(event, client); | ||
|
||
if (hasThread(event)) { | ||
const [run] = await getRunsByMetadata({ | ||
clusterId: SLACK_CLUSTER_ID, | ||
key: THREAD_META_KEY, | ||
value: event.thread_ts, | ||
limit: 1, | ||
}); | ||
|
||
if (run) { | ||
await handleExistingThread({ | ||
event, | ||
client, | ||
run, | ||
clusterId: SLACK_CLUSTER_ID | ||
}); | ||
return | ||
} | ||
} | ||
|
||
await handleNewThread({ | ||
event, | ||
client, | ||
clusterId: SLACK_CLUSTER_ID | ||
}); | ||
|
||
} catch (error) { | ||
|
||
if (error instanceof AuthenticationError) { | ||
client.chat.postMessage({ | ||
thread_ts: event.ts, | ||
channel: event.channel, | ||
text: "Sorry, I couldn't authenticate you. Please ensure you have an Inferable account with the same email as your Slack account." | ||
}) | ||
return | ||
} | ||
|
||
logger.error('Error responding to Direct Message', { error }); | ||
} | ||
}); | ||
|
||
await app.start(); | ||
} | ||
|
||
export const stop = async () => await app?.stop(); | ||
|
||
// eslint-disable-next-line @typescript-eslint/no-explicit-any | ||
const hasThread = (e: any): e is { thread_ts: string } => { | ||
return typeof e?.thread_ts === 'string'; | ||
} | ||
|
||
const hasUser = (e: any): e is { user: string } => { | ||
return typeof e?.user === 'string'; | ||
} | ||
|
||
const isDirectMessage = (e: KnownEventFromType<'message'>): boolean => { | ||
return e.channel_type === 'im'; | ||
} | ||
|
||
const isBotMessage = (e: KnownEventFromType<'message'>): boolean => { | ||
return e.subtype === 'bot_message'; | ||
} | ||
|
||
const handleNewThread = async ({ | ||
event, | ||
client, | ||
clusterId | ||
}: MessageEvent) => { | ||
|
||
if ('text' in event && event.text) { | ||
const run = await createRunWithMessage({ | ||
clusterId, | ||
message: event.text, | ||
type: "human", | ||
metadata: { | ||
[THREAD_META_KEY]: event.ts, | ||
[CHANNEL_META_KEY]: event.channel | ||
}, | ||
}); | ||
|
||
client.chat.postMessage({ | ||
thread_ts: event.ts, | ||
channel: event.channel, | ||
mrkdwn: true, | ||
text: `On it. I will get back to you soon.\nRun ID: <${env.APP_ORIGIN}/clusters/${clusterId}/runs/${run.id}|${run.id}>`, | ||
}); | ||
return; | ||
} | ||
|
||
throw new Error("Event had no text"); | ||
} | ||
|
||
const handleExistingThread = async ({ | ||
event, | ||
run, | ||
} : MessageEvent & { run: Run }) => { | ||
if ('text' in event && event.text) { | ||
await addMessageAndResume({ | ||
id: ulid(), | ||
clusterId: run.clusterId, | ||
runId: run.id, | ||
message: event.text, | ||
type: "human", | ||
}) | ||
return | ||
} | ||
|
||
throw new Error("Event had no text") | ||
} | ||
|
||
const authenticateUser = async (event: KnownEventFromType<'message'>, client: webApi.WebClient) => { | ||
if (hasUser(event)) { | ||
const user = await client.users.info({ | ||
user: event.user, | ||
token: env.SLACK_BOT_TOKEN | ||
}) | ||
|
||
const confirmed = user.user?.is_email_confirmed | ||
const email = user.user?.profile?.email | ||
|
||
if (!confirmed || !email) { | ||
throw new AuthenticationError('Could not authenticate Slack user') | ||
} | ||
|
||
// TODO: Verify user in Clerk | ||
return | ||
} | ||
|
||
throw new Error("Event had no user") | ||
} | ||
|
This file contains bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
Original file line number | Diff line number | Diff line change |
---|---|---|
@@ -0,0 +1,154 @@ | ||
import { | ||
App, | ||
Receiver, | ||
ReceiverEvent, | ||
BufferedIncomingMessage, | ||
HTTPModuleFunctions as boltHelpers, | ||
HTTPResponseAck, | ||
Logger, | ||
LogLevel, | ||
} from '@slack/bolt' | ||
import { FastifyInstance, FastifyPluginCallback, FastifyReply, FastifyRequest } from 'fastify'; | ||
import { logger } from '../observability/logger'; | ||
|
||
const slackLogger: Logger = { | ||
debug: (message: string) => logger.debug(message), | ||
error: (message: string) => logger.error(message), | ||
info: (message: string) => logger.info(message), | ||
warn: (message: string) => logger.warn(message), | ||
getLevel: () => LogLevel.INFO, | ||
setLevel: () => void 0, | ||
setName: () => void 0, | ||
} | ||
|
||
type FastifySlackReceiverParams = { | ||
fastify: FastifyInstance | ||
path: string | ||
signingSecret: string | ||
} | ||
|
||
export class FastifySlackReceiver implements Receiver { | ||
private fastify: FastifyInstance; | ||
private app?: App; | ||
private path: string | ||
private signingSecret: string | ||
|
||
constructor({ | ||
path, | ||
fastify, | ||
signingSecret, | ||
}: FastifySlackReceiverParams) { | ||
this.fastify = fastify; | ||
this.path = path | ||
this.signingSecret = signingSecret | ||
} | ||
|
||
init(app: App) { | ||
this.app = app; | ||
} | ||
|
||
async start() { | ||
logger.info("Registering Slack receiver") | ||
|
||
// Register a seperate plugin and disable the content type parsers for the route | ||
const slackPlugin: FastifyPluginCallback = async (instance) => { | ||
const contentTypes = ['application/json', 'application/x-www-form-urlencoded']; | ||
|
||
instance.removeContentTypeParser(contentTypes); | ||
instance.addContentTypeParser(contentTypes, { parseAs: 'string' }, instance.defaultTextParser); | ||
|
||
instance.post('', (request, reply) => this.requestHandler(request, reply)); | ||
}; | ||
|
||
this.fastify.register(slackPlugin, { prefix: this.path }); | ||
} | ||
|
||
async stop() { | ||
this.fastify.server.close((err) => { | ||
if (err) { | ||
logger.error("Failed to stop Slack receiver gracefully", { | ||
error: err, | ||
}) | ||
} | ||
}) | ||
} | ||
|
||
async requestHandler(request: FastifyRequest, reply: FastifyReply) { | ||
|
||
const req = request.raw; | ||
const res = reply.raw; | ||
|
||
try { | ||
// Verify authenticity | ||
let bufferedReq: BufferedIncomingMessage; | ||
try { | ||
if (typeof request.body !== "string") { | ||
throw new Error("Expected Slack request body to be a string"); | ||
} | ||
|
||
// eslint-disable-next-line @typescript-eslint/no-explicit-any | ||
(req as any).rawBody = Buffer.from(request.body); | ||
|
||
bufferedReq = await boltHelpers.parseAndVerifyHTTPRequest( | ||
{ | ||
enabled: true, | ||
signingSecret: this.signingSecret, | ||
}, | ||
req, | ||
); | ||
} catch (error) { | ||
logger.warn("Failed to parse and verify Slack request", { | ||
error, | ||
}); | ||
boltHelpers.buildNoBodyResponse(res, 401); | ||
return; | ||
} | ||
|
||
// eslint-disable-next-line @typescript-eslint/no-explicit-any | ||
let body: any; | ||
try { | ||
body = boltHelpers.parseHTTPRequestBody(bufferedReq); | ||
} catch (error) { | ||
logger.warn("Malformed Slack request", { | ||
error, | ||
}); | ||
boltHelpers.buildNoBodyResponse(res, 400); | ||
return; | ||
} | ||
|
||
if (body.ssl_check) { | ||
boltHelpers.buildSSLCheckResponse(res); | ||
return; | ||
} | ||
|
||
if (body.type === 'url_verification') { | ||
boltHelpers.buildUrlVerificationResponse(res, body); | ||
return; | ||
} | ||
|
||
const ack = new HTTPResponseAck({ | ||
logger: slackLogger, | ||
processBeforeResponse: false, | ||
unhandledRequestHandler: () => { | ||
logger.warn("Unhandled Slack request"); | ||
}, | ||
httpRequest: bufferedReq, | ||
httpResponse: res, | ||
}); | ||
|
||
const event: ReceiverEvent = { | ||
body, | ||
ack: ack.bind(), | ||
retryNum: boltHelpers.extractRetryNumFromHTTPRequest(req), | ||
retryReason: boltHelpers.extractRetryReasonFromHTTPRequest(req), | ||
}; | ||
|
||
await this.app?.processEvent(event); | ||
|
||
} catch (error) { | ||
logger.error("Failed to handle Slack request", { | ||
error, | ||
}) | ||
} | ||
}; | ||
} |
This file contains bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
Oops, something went wrong.