Skip to content
Merged
Show file tree
Hide file tree
Changes from 4 commits
Commits
File filter

Filter by extension

Filter by extension

Conversations
Failed to load comments.
Loading
Jump to
Jump to file
Failed to load files.
Loading
Diff view
Diff view
93 changes: 79 additions & 14 deletions apps/coordinator/src/index.ts
Original file line number Diff line number Diff line change
Expand Up @@ -11,7 +11,7 @@ import {
} from "@trigger.dev/core/v3";
import { ZodNamespace } from "@trigger.dev/core/v3/zodNamespace";
import { ZodSocketConnection } from "@trigger.dev/core/v3/zodSocket";
import { HttpReply, getTextBody } from "@trigger.dev/core/v3/apps";
import { ExponentialBackoff, HttpReply, getTextBody } from "@trigger.dev/core/v3/apps";
import { ChaosMonkey } from "./chaosMonkey";
import { Checkpointer } from "./checkpointer";
import { boolFromEnv, numFromEnv, safeJsonParse } from "./util";
Expand All @@ -30,6 +30,11 @@ const PLATFORM_WS_PORT = process.env.PLATFORM_WS_PORT || 3030;
const PLATFORM_SECRET = process.env.PLATFORM_SECRET || "coordinator-secret";
const SECURE_CONNECTION = ["1", "true"].includes(process.env.SECURE_CONNECTION ?? "false");

const TASK_RUN_COMPLETED_WITH_ACK_TIMEOUT_MS =
parseInt(process.env.TASK_RUN_COMPLETED_WITH_ACK_TIMEOUT_MS || "") || 30_000;
const TASK_RUN_COMPLETED_WITH_ACK_MAX_RETRIES =
parseInt(process.env.TASK_RUN_COMPLETED_WITH_ACK_MAX_RETRIES || "") || 7;

const logger = new SimpleStructuredLogger("coordinator", undefined, { nodeName: NODE_NAME });
const chaosMonkey = new ChaosMonkey(
!!process.env.CHAOS_MONKEY_ENABLED,
Expand Down Expand Up @@ -720,37 +725,97 @@ class TaskCoordinator {

await chaosMonkey.call({ throwErrors: false });

const completeWithoutCheckpoint = (shouldExit: boolean) => {
const sendCompletionWithAck = async (): Promise<boolean> => {
try {
const response = await this.#platformSocket?.sendWithAck(
"TASK_RUN_COMPLETED_WITH_ACK",
{
version: "v2",
execution,
completion,
},
TASK_RUN_COMPLETED_WITH_ACK_TIMEOUT_MS
);

if (!response) {
log.error("TASK_RUN_COMPLETED_WITH_ACK: no response");
return false;
}

if (!response.success) {
log.error("TASK_RUN_COMPLETED_WITH_ACK: error response", {
error: response.error,
});
return false;
}

log.log("TASK_RUN_COMPLETED_WITH_ACK: successful response");
return true;
} catch (error) {
log.error("TASK_RUN_COMPLETED_WITH_ACK: threw error", { error });
return false;
}
};

const completeWithoutCheckpoint = async (shouldExit: boolean) => {
const supportsRetryCheckpoints = message.version === "v1";

this.#platformSocket?.send("TASK_RUN_COMPLETED", {
version: supportsRetryCheckpoints ? "v1" : "v2",
execution,
completion,
});
callback({ willCheckpointAndRestore: false, shouldExit });

if (supportsRetryCheckpoints) {
// This is only here for backwards compat
this.#platformSocket?.send("TASK_RUN_COMPLETED", {
version: "v1",
execution,
completion,
});
} else {
// 99.99% of runs should end up here

const completedWithAckBackoff = new ExponentialBackoff("FullJitter").maxRetries(
TASK_RUN_COMPLETED_WITH_ACK_MAX_RETRIES
);

const result = await completedWithAckBackoff.execute(
async ({ retry, delay, elapsedMs }) => {
logger.log("TASK_RUN_COMPLETED_WITH_ACK: sending with backoff", {
retry,
delay,
elapsedMs,
});
return await sendCompletionWithAck();
}
);

if (!result.success) {
logger.error("TASK_RUN_COMPLETED_WITH_ACK: failed to send with backoff", result);
return;
}

logger.log("TASK_RUN_COMPLETED_WITH_ACK: sent with backoff", result);
}
};

if (completion.ok) {
completeWithoutCheckpoint(true);
await completeWithoutCheckpoint(true);
return;
}

if (
completion.error.type === "INTERNAL_ERROR" &&
completion.error.code === "TASK_RUN_CANCELLED"
) {
completeWithoutCheckpoint(true);
await completeWithoutCheckpoint(true);
return;
}

if (completion.retry === undefined) {
completeWithoutCheckpoint(true);
await completeWithoutCheckpoint(true);
return;
}

if (completion.retry.delay < this.#delayThresholdInMs) {
completeWithoutCheckpoint(false);
await completeWithoutCheckpoint(false);

// Prevents runs that fail fast from never sending a heartbeat
this.#sendRunHeartbeat(socket.data.runId);
Expand All @@ -759,7 +824,7 @@ class TaskCoordinator {
}

if (message.version === "v2") {
completeWithoutCheckpoint(true);
await completeWithoutCheckpoint(true);
return;
}

Expand All @@ -768,7 +833,7 @@ class TaskCoordinator {
const willCheckpointAndRestore = canCheckpoint || willSimulate;

if (!willCheckpointAndRestore) {
completeWithoutCheckpoint(false);
await completeWithoutCheckpoint(false);
return;
}

Expand All @@ -792,7 +857,7 @@ class TaskCoordinator {

if (!checkpoint) {
log.error("Failed to checkpoint");
completeWithoutCheckpoint(false);
await completeWithoutCheckpoint(false);
return;
}

Expand Down
38 changes: 38 additions & 0 deletions apps/webapp/app/v3/handleSocketIo.server.ts
Original file line number Diff line number Diff line change
Expand Up @@ -136,6 +136,44 @@ function createCoordinatorNamespace(io: Server) {
checkpoint: message.checkpoint,
});
},
TASK_RUN_COMPLETED_WITH_ACK: async (message) => {
try {
const completeAttempt = new CompleteAttemptService({
supportsRetryCheckpoints: message.version === "v1",
});
await completeAttempt.call({
completion: message.completion,
execution: message.execution,
checkpoint: message.checkpoint,
});

return {
success: true,
};
} catch (error) {
const friendlyError =
error instanceof Error
? {
name: error.name,
message: error.message,
stack: error.stack,
}
: {
name: "UnknownError",
message: String(error),
};

logger.error("Error while completing attempt with ack", {
error: friendlyError,
message,
});

return {
success: false,
error: friendlyError,
};
}
},
TASK_RUN_FAILED_TO_RUN: async (message) => {
await sharedQueueTasks.taskRunFailed(message.completion);
},
Expand Down
14 changes: 14 additions & 0 deletions packages/core/src/v3/schemas/messages.ts
Original file line number Diff line number Diff line change
Expand Up @@ -435,6 +435,20 @@ export const CoordinatorToPlatformMessages = {
.optional(),
}),
},
TASK_RUN_COMPLETED_WITH_ACK: {
message: z.object({
version: z.enum(["v1", "v2"]).default("v2"),
execution: ProdTaskRunExecution,
completion: TaskRunExecutionResult,
checkpoint: z
.object({
docker: z.boolean(),
location: z.string(),
})
.optional(),
}),
callback: AckCallbackResult,
},
TASK_RUN_FAILED_TO_RUN: {
message: z.object({
version: z.literal("v1").default("v1"),
Expand Down
7 changes: 5 additions & 2 deletions packages/core/src/v3/zodSocket.ts
Original file line number Diff line number Diff line change
Expand Up @@ -293,7 +293,8 @@ export class ZodSocketMessageSender<TMessageCatalog extends ZodSocketMessageCata

public async sendWithAck<K extends GetSocketMessagesWithCallback<TMessageCatalog>>(
type: K,
payload: z.input<GetSocketMessageSchema<TMessageCatalog, K>>
payload: z.input<GetSocketMessageSchema<TMessageCatalog, K>>,
timeout?: number
): Promise<z.infer<GetSocketCallbackSchema<TMessageCatalog, K>>> {
const schema = this.#schema[type]?.["message"];

Expand All @@ -307,8 +308,10 @@ export class ZodSocketMessageSender<TMessageCatalog extends ZodSocketMessageCata
throw new Error(`Failed to parse message payload: ${JSON.stringify(parsedPayload.error)}`);
}

const socket = timeout ? this.#socket.timeout(timeout) : this.#socket;

// @ts-expect-error
const callbackResult = await this.#socket.emitWithAck(type, { payload, version: "v1" });
const callbackResult = await socket.emitWithAck(type, { payload, version: "v1" });

return callbackResult;
}
Expand Down
Loading