Skip to content

Commit

Permalink
chore(product): Improve product normalization and fix http router wit…
Browse files Browse the repository at this point in the history
…h tracing (#11724)

**What**
- Improve product normalization and prevent over fetching data
- Fix HTTP router wrap handler with tracing enabled
  • Loading branch information
adrien2p authored Mar 5, 2025
1 parent e81deb4 commit cc1309d
Show file tree
Hide file tree
Showing 15 changed files with 464 additions and 118 deletions.
7 changes: 7 additions & 0 deletions .changeset/heavy-items-own.md
Original file line number Diff line number Diff line change
@@ -0,0 +1,7 @@
---
"@medusajs/product": patch
"@medusajs/framework": patch
"@medusajs/medusa": patch
---

chore(product): Improve product normalization
Original file line number Diff line number Diff line change
@@ -0,0 +1,5 @@
import { Request, Response } from "express"

export function GET(req: Request, res: Response) {
throw new Error("Failed")
}
16 changes: 16 additions & 0 deletions packages/core/framework/src/http/__tests__/index.spec.ts
Original file line number Diff line number Diff line change
Expand Up @@ -36,6 +36,22 @@ describe("RoutesLoader", function () {
request = request_
})

it("should be handled by the error handler when a route handler fails", async function () {
const res = await request("GET", "/admin/fail", {
adminSession: {
jwt: {
userId: "admin_user",
},
},
})

expect(res.status).toBe(500)
console.log(res)
expect(res.text).toBe(
'{"code":"unknown_error","type":"unknown_error","message":"An unknown error occurred."}'
)
})

it("should return a status 200 on GET admin/order/:id", async function () {
const res = await request("GET", "/admin/orders/1000", {
adminSession: {
Expand Down
24 changes: 24 additions & 0 deletions packages/core/framework/src/http/__tests__/routes-loader.spec.ts
Original file line number Diff line number Diff line change
Expand Up @@ -9,6 +9,18 @@ describe("Routes loader", () => {

expect(loader.getRoutes()).toMatchInlineSnapshot(`
[
{
"absolutePath": "${BASE_DIR}/admin/fail/route.ts",
"handler": [Function],
"isRoute": true,
"matcher": "/admin/fail",
"method": "GET",
"optedOutOfAuth": false,
"relativePath": "/admin/fail/route.ts",
"shouldAppendAdminCors": true,
"shouldAppendAuthCors": false,
"shouldAppendStoreCors": false,
},
{
"absolutePath": "${BASE_DIR}/admin/orders/[id]/route.ts",
"handler": [Function],
Expand Down Expand Up @@ -205,6 +217,18 @@ describe("Routes loader", () => {

expect(loader.getRoutes()).toMatchInlineSnapshot(`
[
{
"absolutePath": "${BASE_DIR}/admin/fail/route.ts",
"handler": [Function],
"isRoute": true,
"matcher": "/admin/fail",
"method": "GET",
"optedOutOfAuth": false,
"relativePath": "/admin/fail/route.ts",
"shouldAppendAdminCors": true,
"shouldAppendAuthCors": false,
"shouldAppendStoreCors": false,
},
{
"absolutePath": "${BASE_DIR}/admin/orders/[id]/route.ts",
"handler": [Function],
Expand Down
12 changes: 6 additions & 6 deletions packages/core/framework/src/http/router.ts
Original file line number Diff line number Diff line change
Expand Up @@ -104,25 +104,25 @@ export class ApiLoader {
if ("isRoute" in route) {
logger.debug(`registering route ${route.method} ${route.matcher}`)
const handler = ApiLoader.traceRoute
? ApiLoader.traceRoute(wrapHandler(route.handler), {
? ApiLoader.traceRoute(route.handler, {
route: route.matcher,
method: route.method,
})
: wrapHandler(route.handler)
: route.handler

this.#app[route.method.toLowerCase()](route.matcher, handler)
this.#app[route.method.toLowerCase()](route.matcher, wrapHandler(handler))
return
}

if (!route.methods) {
logger.debug(`registering global middleware for ${route.matcher}`)
const handler = ApiLoader.traceMiddleware
? (ApiLoader.traceMiddleware(wrapHandler(route.handler), {
? (ApiLoader.traceMiddleware(route.handler, {
route: route.matcher,
}) as RequestHandler)
: (wrapHandler(route.handler) as RequestHandler)
: (route.handler as RequestHandler)

this.#app.use(route.matcher, handler)
this.#app.use(route.matcher, wrapHandler(handler))
return
}

Expand Down
1 change: 1 addition & 0 deletions packages/medusa/package.json
Original file line number Diff line number Diff line change
Expand Up @@ -60,6 +60,7 @@
"@types/multer": "^1.4.7",
"jest": "^29.7.0",
"rimraf": "^5.0.1",
"supertest": "^4.0.2",
"typescript": "^5.6.2",
"yalc": "1.0.0-pre.53"
},
Expand Down
20 changes: 20 additions & 0 deletions packages/medusa/src/instrumentation/__fixtures__/mocks/index.ts
Original file line number Diff line number Diff line change
@@ -0,0 +1,20 @@
import { ConfigModule } from "@medusajs/types"

export const customersGlobalMiddlewareMock = jest.fn()
export const customersCreateMiddlewareMock = jest.fn()
export const storeGlobalMiddlewareMock = jest.fn()

export const config = {
projectConfig: {
databaseLogging: false,
http: {
authCors: "http://localhost:9000",
storeCors: "http://localhost:8000",
adminCors: "http://localhost:7001",
jwtSecret: "supersecret",
cookieSecret: "superSecret",
},
},
featureFlags: {},
plugins: [],
} satisfies Partial<ConfigModule>
Original file line number Diff line number Diff line change
@@ -0,0 +1,6 @@
import { MedusaError } from "@medusajs/framework/utils"
import { Request, Response } from "express"

export function GET(req: Request, res: Response) {
throw new MedusaError(MedusaError.Types.INVALID_DATA, "Failed")
}
Original file line number Diff line number Diff line change
@@ -0,0 +1,15 @@
import { defineMiddlewares } from "@medusajs/framework"

export const errorHandlerMock = jest
.fn()
.mockImplementation((err, req, res, next) => {
console.log("errorHandlerMock", err)
return res.status(400).json({
type: err.code.toLowerCase(),
message: err.message,
})
})

export default defineMiddlewares({
errorHandler: (err, req, res, next) => errorHandlerMock(err, req, res, next),
})
183 changes: 183 additions & 0 deletions packages/medusa/src/instrumentation/__fixtures__/server/index.ts
Original file line number Diff line number Diff line change
@@ -0,0 +1,183 @@
import {
moduleLoader,
ModulesDefinition,
registerMedusaModule,
} from "@medusajs/modules-sdk"
import { ContainerRegistrationKeys, generateJwtToken } from "@medusajs/utils"
import { asValue } from "awilix"
import express from "express"
import querystring from "querystring"
import supertest from "supertest"

import { config } from "../mocks"
import { ConfigModule, MedusaContainer } from "@medusajs/types"
import { configManager } from "@medusajs/framework/config"
import {
ApiLoader,
container,
featureFlagsLoader,
logger,
MedusaRequest,
} from "@medusajs/framework"

function asArray(resolvers) {
return {
resolve: (container) =>
resolvers.map((resolver) => container.build(resolver)),
}
}

/**
* Sets up a test server that injects API Routes using the RoutesLoader
*
* @param {String} rootDir - The root directory of the project
*/
export const createServer = async (rootDir) => {
const app = express()

const moduleResolutions = {}
Object.entries(ModulesDefinition).forEach(([moduleKey, module]) => {
moduleResolutions[moduleKey] = registerMedusaModule(
moduleKey,
module.defaultModuleDeclaration,
undefined,
module
)[moduleKey]
})

configManager.loadConfig({
projectConfig: config as unknown as ConfigModule,
baseDir: rootDir,
})

container.registerAdd = function (this: MedusaContainer, name, registration) {
const storeKey = name + "_STORE"

if (this.registrations[storeKey] === undefined) {
this.register(storeKey, asValue([]))
}
const store = this.resolve(storeKey) as Array<any>

if (this.registrations[name] === undefined) {
this.register(name, asArray(store))
}
store.unshift(registration)

return this
}.bind(container)

container.register(ContainerRegistrationKeys.PG_CONNECTION, asValue({}))
container.register("configModule", asValue(config))
container.register({
logger: asValue({
error: () => {},
}),
manager: asValue({}),
})

app.set("trust proxy", 1)
app.use((req, _res, next) => {
req["session"] = {}
const data = req.get("Cookie")
if (data) {
req["session"] = {
...req["session"],
...JSON.parse(data),
}
}
next()
})

await featureFlagsLoader()
await moduleLoader({ container, moduleResolutions, logger })

app.use((req, res, next) => {
;(req as MedusaRequest).scope = container.createScope() as MedusaContainer
next()
})

await new ApiLoader({
app,
sourceDir: rootDir,
}).load()

const superRequest = supertest(app)

return {
request: async (method, url, opts: any = {}) => {
const { payload, query, headers = {} } = opts

const queryParams = query && querystring.stringify(query)
const req = superRequest[method.toLowerCase()](
`${url}${queryParams ? "?" + queryParams : ""}`
)
headers.Cookie = headers.Cookie || ""
if (opts.adminSession) {
const token = generateJwtToken(
{
actor_id: opts.adminSession.userId || opts.adminSession.jwt?.userId,
actor_type: "user",
app_metadata: {
user_id:
opts.adminSession.userId || opts.adminSession.jwt?.userId,
},
},
{
secret: config.projectConfig.http.jwtSecret!,
expiresIn: "1d",
}
)

headers.Authorization = `Bearer ${token}`
}

if (opts.clientSession) {
const token = generateJwtToken(
{
actor_id:
opts.clientSession.customer_id ||
opts.clientSession.jwt?.customer_id,
actor_type: "customer",
app_metadata: {
customer_id:
opts.clientSession.customer_id ||
opts.clientSession.jwt?.customer_id,
},
},
{ secret: config.projectConfig.http.jwtSecret!, expiresIn: "1d" }
)

headers.Authorization = `Bearer ${token}`
}

for (const name in headers) {
if ({}.hasOwnProperty.call(headers, name)) {
req.set(name, headers[name])
}
}

if (payload && !req.get("content-type")) {
req.set("Content-Type", "application/json")
}

if (!req.get("accept")) {
req.set("Accept", "application/json")
}

req.set("Host", "localhost")

let res
try {
res = await req.send(JSON.stringify(payload))
} catch (e) {
if (e.response) {
res = e.response
} else {
throw e
}
}

return res
},
}
}
50 changes: 50 additions & 0 deletions packages/medusa/src/instrumentation/__tests__/index.spec.ts
Original file line number Diff line number Diff line change
@@ -0,0 +1,50 @@
import { resolve } from "path"
import { errorHandlerMock } from "../__fixtures__/routers/middlewares"
import { createServer } from "../__fixtures__/server"
import { instrumentHttpLayer } from "../index"
import { MedusaError } from "@medusajs/framework/utils"

jest.setTimeout(30000)

jest.mock("../../commands/start", () => {
return {}
})

describe("HTTP Instrumentation", () => {
let request

afterEach(function () {
jest.clearAllMocks()
})

beforeAll(async function () {
instrumentHttpLayer()

const rootDir = resolve(__dirname, "../__fixtures__/routers")

const { request: request_ } = await createServer(rootDir)

request = request_
})

describe("traceRoute", () => {
it("should be handled by the error handler when a route fails", async () => {
const res = await request("GET", "/admin/fail", {
adminSession: {
jwt: {
userId: "admin_user",
},
},
})

expect(res.status).toBe(400)
expect(errorHandlerMock).toHaveBeenCalled()
expect(errorHandlerMock).toHaveBeenCalledWith(
new MedusaError(MedusaError.Types.INVALID_DATA, "Failed"),
expect.anything(),
expect.anything(),
expect.anything()
)
})
})
})
Loading

0 comments on commit cc1309d

Please sign in to comment.