webhook-invalid-respond-with-value
This error occurs when you provide an invalid value for the respondWith option when creating a webhook. The respondWith option must be either "manual" or a Response object.
Error Message
Invalid `respondWith` value: [value]Why This Happens
When creating a webhook with createWebhook(), you can specify how the webhook should respond to incoming HTTP requests using the respondWith option. This option only accepts specific values:
-  "manual"- Allows you to manually send a response from within the workflow
-  A Responseobject - A pre-defined response to send immediately
-  undefined(default) - Returns a202 Acceptedresponse
Common Causes
Using an Invalid String Value
// Error - invalid string value
export async function webhookWorkflow() {
  "use workflow";
  const webhook = await createWebhook({
    respondWith: "automatic", // Error!
  });
}Solution: Use "manual" or provide a Response object.
// Fixed - use "manual"
export async function webhookWorkflow() {
  "use workflow";
  const webhook = await createWebhook({
    respondWith: "manual", 
  });
  const request = await webhook;
  // Send custom response
  await request.respondWith(new Response("OK", { status: 200 })); 
}Using a Non-Response Object
// Error - plain object instead of Response
export async function webhookWorkflow() {
  "use workflow";
  const webhook = await createWebhook({
    respondWith: { status: 200, body: "OK" }, // Error!
  });
}Solution: Create a proper Response object.
// Fixed - use Response constructor
export async function webhookWorkflow() {
  "use workflow";
  const webhook = await createWebhook({
    respondWith: new Response("OK", { status: 200 }), 
  });
}Valid Usage Examples
Default Behavior (202 Response)
// Returns 202 Accepted automatically
const webhook = await createWebhook();
const request = await webhook;
// No need to send a responseManual Response
// Manual response control
const webhook = await createWebhook({
  respondWith: "manual",
});
const request = await webhook;
// Process the request...
const data = await request.json();
// Send custom response
await request.respondWith(
  new Response(JSON.stringify({ success: true }), {
    status: 200,
    headers: { "Content-Type": "application/json" },
  })
);Pre-defined Response
// Immediate response
const webhook = await createWebhook({
  respondWith: new Response("Request received", { status: 200 }),
});
const request = await webhook;
// Response already sent