Edge Function 500 error response

Last edited: 4/1/2026

A 500 from an Edge Function means one of two things.

  • The function encountered an unhandled JavaScript error
  • Your code deliberately returned a 500 response

Quick triage#

If you received back the below message, then go to the JavaScript failure section:

1
Internal Server Error

If the body contained a custom message, or nothing at all, run the below query in Log Explorer after setting the time range:

1
select
2
console_logs.event_message,
3
cast(invocation_events.timestamp as datetime) as timestamp,
4
invocation_events.function_name
5
from
6
function_logs as console_logs
7
left join UNNEST(console_logs.metadata) as metadata on true
8
left join (
9
select
10
timestamp,
11
em.execution_id,
12
res.status_code,
13
req.pathname as function_name
14
from
15
function_edge_logs
16
left join UNNEST(metadata) as em on true
17
left join UNNEST(em.request) as req on true
18
left join UNNEST(em.response) as res on true
19
) as invocation_events
20
on metadata.execution_id = invocation_events.execution_id
21
where
22
invocation_events.status_code = 500
23
and metadata.level = 'error'
24
and metadata.event_type in ('Log', 'UncaughtException')
25
and console_logs.event_message like '%Error:%file:///%'
26
order by invocation_events.function_name, invocation_events.timestamp
27
limit 50;

Based on the output, go to the relevant section:

Your custom response returned a 500#

Somewhere in your function logic, you are returning a 500 response yourself:

Example:#

1
return new Response(JSON.stringify(data), {
2
headers: { ...corsHeaders, 'Content-Type': 'application/json' },
3
status: 500, // <-- you set this
4
})

Fix:#

  1. Search your function code for status: 500 (or status: "500")
  2. Trace back the condition that triggered it. Check any third-party API responses that might be feeding a 500 response back to the function.
  3. Add a try/catch block with a custom console.error() message before the code returns, so future occurrences leave a better trace.

See: Error handling in Edge Functions

JavaScript failure#

An unhandled JavaScript Error emerged during execution.

The function's log will produce an event_message with the error type. It may look like:

1
TypeError: Cannot read properties of undefined (reading 'some_func')
2
at Object.handler (file:///var/tmp/sb-compile-edge-runtime/source/index.ts:15:26)
3
at eventLoopTick (ext:core/01_core.js:175:7)
4
at async mapped (ext:runtime/http.js:246:20)

The first line tells you the error type and message. The stack trace points to the file and line number.

The Mozilla Foundation documents all error objects and what they mean:

However, you can also review the below example cases for an idea of possible causes.

Example cases#

TypeError: Undefined variables#

A TypeError occurs when any JavaScript datatype is misused. For instance, trying to execute a number as if it were a function would cause the error:

1
const some_num = 5
2
3
some_num() // TypeError: some_num is not a function

This issue often appears when working with returned objects from external APIs. One may assume a response has a certain shape, but if the value is actually null or undefined, using it without checking can lead to a TypeError.

1
const data = await req.json() // returns undefined if request body is empty
2
data.some_obj.some_val // TypeError: Cannot read properties of undefined

Fix 1: Type-check before using potentially unknown values:#

1
const { user_submission } = await req.json()
2
3
// checking value for appropriate datatype
4
if (typeof user_submission === 'undefined') {
5
return new Response(JSON.stringify({ message: 'Submission is empty. Please try again.' }), {
6
headers: { ...corsHeaders, 'Content-Type': 'application/json' },
7
status: 400,
8
})
9
}
10
11
// rest of code ...

Fix 2: Wrap problematic code in try/catch:#

One could use a try/catch/finally block to handle these errors:

1
try {
2
some_obj.some_func(); // TypeError: Cannot read properties of undefined
3
...
4
}
5
catch(err) {
6
// customize the error message
7
console.error('return object was misformatted:', err)
8
}
9
finally {
10
// add a custom error response for easier debugging
11
return new Response(JSON.stringify(
12
{ message: 'Could not parse return object' }),
13
{
14
headers: { ...corsHeaders, 'Content-Type': 'application/json' },
15
status: 500 // opt to customize the status code to better fit the situation
16
}
17
)
18
}

ReferenceError: Var is not defined#

A ReferenceError occurs when one tries to reference a variable that does not exist in the code's scope. Often times caused by a typo or missing import.

For instance, if one tries to access a variable before it is defined, they will encounter the error:

1
let a = some_uninitialized_var // ReferenceError: some_uninitialized_var is not defined...

Fix:#

  • Check the variable name in the error message against your code to ensure there are no typos
  • Make sure the variable is declared before it's used
  • If it's from a package, confirm the import exists and the export name is correct
  • If the error references a JavaScript internal, make sure it is compatible with the Supabase Runtime. If not, consider refactoring or updating the library's version

Custom errors#

You explicitly threw an error somewhere in your code, or a third-party package did:

1
throw new Error('custom, unhandled error')

Alternatively, in a try/catch blocks, you may have augmented the standard error message:

1
try {
2
// induce reference error
3
const a = unitialized_var // ReferenceError...
4
} catch (error) {
5
console.error('custom error message...', error) // modifying the original error message
6
}

When you customize the error response, it's important to define an appropriate new message. It may also be worthwhile changing the default 500 code returned during errors to a value more reflective of the situation for easier debugging in the future:

1
...
2
catch (error) {
3
console.error('custom error message...', error) // modifying the original error message
4
return new Response(JSON.stringify(
5
{ message: 'Permissions error, please sign in' }),
6
{
7
headers: { ...corsHeaders, 'Content-Type': 'application/json' },
8
status: 401 // customizing the status code
9
}
10
)
11
}

SyntaxError: Special case - CORS violation#

A SyntaxError error occurs when Deno's grammatical rules are violated, such as failing to close a parenthesis:

1
console.log('unclosed' ; // Uncaught SyntaxError: missing ) after argument list

In most cases, syntax violations can be fixed by removing a typo. There is a special case that is common enough that it is worth providing an example over: CORS violations.

When making calls from a browser, such as FireFox or Chrome, the site will make an OPTIONS request before sending over the actual payload. This is a security mechanism done to prevent Cross-Site-Request-Forgery attacks. To satisfy the request, you need to have a CORS handler in place:

1
const corsHeaders = {
2
'Access-Control-Allow-Origin': '*',
3
'Access-Control-Allow-Headers': 'authorization, x-client-info, apikey, content-type',
4
}
5
6
Deno.serve(async (req) => {
7
// CORS handler: manages OPTIONS request
8
if (req.method === 'OPTIONS') {
9
return new Response('ok', { headers: corsHeaders })
10
}
11
})

Without the OPTIONS handler, requests from the browser will be misinterpreted, resulting in an Unexpected end of JSON input error log.

1
SyntaxError: Unexpected end of JSON input
2
at parse (<anonymous>)
3
at packageData (ext:deno_fetch/22_body.js:408:14)
4
at consumeBody (ext:deno_fetch/22_body.js:261:12)
5
at eventLoopTick (ext:core/01_core.js:175:7)
6
at async Object.handler (file:///var/tmp/sb-compile-edge-runtime/source/index.ts:5:20)at async mapped (ext:runtime/http.js:246:20)

The solution is to follow our guide on adding CORS support.

It is also important to note that if any error occurs before the CORS check can be satisfied, the browser may falsely report CORS as the reason a request failed:

1
// returns before the CORS check can be satisfied
2
return
3
4
if (req.method === 'OPTIONS') {
5
return new Response('ok', { headers: corsHeaders })
6
}

So, when encountering these errors, it is still important to check the logs or run the request outside the browser to make sure it is actually the primary factor and not a side-effect of a larger issue.

Still stuck?#