data:image/s3,"s3://crabby-images/2523c/2523ce4b8b64bade795ffc89574cfc29f35428d3" alt="Deno 2.2 Improves Dependency Management and Expands Node.js Compatibility"
Security News
Deno 2.2 Improves Dependency Management and Expands Node.js Compatibility
Deno 2.2 enhances Node.js compatibility, improves dependency management, adds OpenTelemetry support, and expands linting and task automation for developers.
axios-rest-resource
Advanced tools
Schema-based HTTP client powered by axios. Built with Typescript. Heavily inspired by AngularJS' $resource.
Schema-based HTTP client powered by axios. Built with Typescript. Heavily inspired by AngularJS' $resource
.
npm i axios-rest-resource axios
Create resource module in your utils folder
// utils/resource.ts
import { ResourceBuilder } from 'axios-rest-resource'
export const resourceBuilder = new ResourceBuilder({
baseURL: 'http://localhost:3000',
})
Using a newly created resource builder create an actual resource
// api/entity1.js
import { resourceBuilder } from 'utils/resource'
export const entity1Resource = resourceBuilder.build('/entity1')
// exports an object
// {
// create: (requestConfig) => axiosPromise // sends POST http://localhost:3000/entity1,
// read: (requestConfig) => axiosPromise // sends GET http://localhost:3000/entity1,
// readOne: (requestConfig) => axiosPromise // sends GET http://localhost:3000/entity1/{id},
// remove: (requestConfig) => axiosPromise // sends DELETE http://localhost:3000/entity1/{id},
// update: (requestConfig) => axiosPromise // sends PUT http://localhost:3000/entity1/{id}
// }
Use your resource whenever you want to make an AJAX call
import { entity1Resource } from 'api/entity1'
const resRead = entity1Resource.read()
// sends GET http://localhost:3000/entity1
// resRead is a Promise of data received from the server
const resReadOne = entity1Resource.readOne({ params: { id } })
// for id = '123'
// sends GET http://localhost:3000/entity1/123
// resReadOne is a Promise of data received from the server
const resCreate = entity1Resource.create({ data })
// for data = { field1: 'test' }
// sends POST http://localhost:3000/entity1 with body { field1: 'test' }
// resCreate is a Promise of data received from the server
const resUpdate = entity1Resource.update({ data, params: { id } })
// for data = { field1: 'test' } and id = '123'
// sends PUT http://localhost:3000/entity1/123 with body { field1: 'test' }
// resUpdate is a Promise of data received from the server
const resRemove = entity1Resource.remove({ params: { id } })
// for id = '123'
// sends DELETE http://localhost:3000/entity1/123
// resRemove is a Promise of data received from the server
axios-rest-resource applies interceptorUrlFormatter interceptor by default. It handles {token} substitution in URLs.
You can customize the interface of your resource methods using withParams
and withResult
. These allow you to define type-safe parameter handling and response transformation, making your API calls more intuitive and type-safe.
Note: These are different from axios's built-in
transformRequest
andtransformResponse
. While axios's transforms modify the request/response data internally, ourwithParams
andwithResult
change the method's interface - how you call it and what it returns.
// api/users.ts
import { resourceBuilder } from 'utils/resource'
interface User {
id: number
email: string
}
interface SignInResponse {
token: string
user: User
}
export const usersResource = resourceBuilder.build('/users', {
signIn: {
method: 'post',
url: '/sign_in',
// Define method parameters and how they map to request config
withParams: (email: string, password: string) => ({
data: { email, password },
headers: { 'X-Custom': 'test' },
}),
// Define how response data maps to your type
withResult: (response): SignInResponse => ({
token: response.data.auth_token,
user: {
id: response.data.user.id,
email: response.data.user.email,
},
}),
},
getProfile: {
method: 'get',
// Only transform response
withResult: (response): User => ({
id: response.data.id,
email: response.data.email,
}),
},
register: {
method: 'post',
// Only transform parameters
withParams: (email: string, password: string) => ({
data: { email, password },
}),
},
})
// Usage with full type inference
const signInResult = await usersResource.signIn('email@example.com', 'password')
console.log(signInResult.token) // string
console.log(signInResult.user.id) // number
const profile = await usersResource.getProfile()
console.log(profile.email) // string
const registerResult = await usersResource.register('email@example.com', 'password')
console.log(registerResult.data) // axios response data
The interface customization provides:
Create resource module in your utils folder:
// utils/resource.ts
import { ResourceBuilder } from 'axios-rest-resource'
export const resourceBuilder = new ResourceBuilder({
baseURL: 'http://localhost:3000',
})
Extend the default schema with additional methods:
// api/entity2.js
import { resourceSchemaDefault } from 'axios-rest-resource'
import { resourceBuilder } from 'utils/resource'
export const entity2Resource = resourceBuilder.build('/entity2', {
...resourceSchemaDefault,
doSomething: {
method: 'post',
url: '/do-something',
},
})
// exports an object
// {
// create: (requestConfig) => axiosPromise // sends POST http://localhost:3000/entity2,
// read: (requestConfig) => axiosPromise // sends GET http://localhost:3000/entity2,
// readOne: (requestConfig) => axiosPromise // sends GET http://localhost:3000/entity2/{id},
// remove: (requestConfig) => axiosPromise // sends DELETE http://localhost:3000/entity2/{id},
// update: (requestConfig) => axiosPromise // sends PUT http://localhost:3000/entity2/{id},
// doSomething: (requestConfig) => axiosPromise // sends POST http://localhost:3000/entity2/do-something
// }
Example usage:
import { entity2Resource } from 'api/entity2'
const resRead = entity2Resource.read()
// sends GET http://localhost:3000/entity2
// resRead is a Promise of data received from the server
const resReadOne = entity2Resource.readOne({ params: { id } })
// for id = '123'
// sends GET http://localhost:3000/entity2/123
// resReadOne is a Promise of data received from the server
const resCreate = entity2Resource.create({ data })
// for data = { field1: 'test' }
// sends POST http://localhost:3000/entity2 with body { field1: 'test' }
// resCreate is a Promise of data received from the server
const resUpdate = entity2Resource.update({ data, params: { id } })
// for data = { field1: 'test' } and id = '123'
// sends PUT http://localhost:3000/entity2/123 with body { field1: 'test' }
// resUpdate is a Promise of data received from the server
const resRemove = entity2Resource.remove({ params: { id } })
// for id = '123'
// sends DELETE http://localhost:3000/entity2/123
// resRemove is a Promise of data received from the server
const resDoSomething = entity2Resource.doSomething()
// sends POST http://localhost:3000/entity2/do-something
// resDoSomething is a Promise of data received from the server
Create a completely custom schema without extending the default:
// api/entity.js
import { resourceBuilder } from 'utils/resource'
export const entityResource = resourceBuilder.build('/entity', {
doSomething: {
method: 'post',
url: '/do-something',
},
})
// exports an object
// {
// doSomething: (requestConfig) => axiosPromise // sends POST http://localhost:3000/entity/do-something
// }
Use only specific methods from the default schema:
// api/entity.js
import { resourceSchemaDefault } from 'axios-rest-resource'
import { resourceBuilder } from 'utils/resource'
const { read, readOne } = resourceSchemaDefault
export const entityResource = resourceBuilder.build('/entity', {
read,
readOne,
})
// exports an object
// {
// read: (requestConfig) => axiosPromise // sends GET http://localhost:3000/entity,
// readOne: (requestConfig) => axiosPromise // sends GET http://localhost:3000/entity/{id},
// }
If you're using Ruby on Rails, there is also a default schema that matches Rails' conventions for controller actions:
// api/entity.js
import { railsResourceSchema } from 'axios-rest-resource'
import { resourceBuilder } from 'utils/resource'
export const entityResource = resourceBuilder.build('/entity', railsResourceSchema)
// exports an object with Rails conventional action names:
// {
// index: (requestConfig) => axiosPromise // GET /entity (mapped from read)
// show: (requestConfig) => axiosPromise // GET /entity/{id} (mapped from readOne)
// create: (requestConfig) => axiosPromise // POST /entity
// update: (requestConfig) => axiosPromise // PUT /entity/{id}
// destroy: (requestConfig) => axiosPromise // DELETE /entity/{id} (mapped from remove)
// }
What does ResourceBuilder
do exactly upon creation?
When you call new ResourceBuilder(axiosConfig)
axiosConfig
doesn't have headers.Accept
property it sets it to 'application/json'.axiosConfig
to axios.create
.interceptorUrlFormatter
to request interceptors of the newly created instance of axios.axiosInstance
.Each instance of ResourceBuilder has its own axiosInstance
. It's useful if you want to do something more with your axios instance like adding an interceptor.
import { ResourceBuilder } from 'axios-rest-resource'
import axios, { AxiosInstance } from 'axios'
const resourceBuilder = new ResourceBuilder({
baseURL: 'http://localhost:3000',
})
resourceBuilder.axiosInstance.interceptors.response.use(myCustomResponeInterceptor)
export { resourceBuilder }
FAQs
Schema-based HTTP client powered by axios. Built with Typescript. Heavily inspired by AngularJS' $resource.
The npm package axios-rest-resource receives a total of 31 weekly downloads. As such, axios-rest-resource popularity was classified as not popular.
We found that axios-rest-resource demonstrated a healthy version release cadence and project activity because the last version was released less than a year ago. It has 0 open source maintainers collaborating on the project.
Did you know?
Socket for GitHub automatically highlights issues in each pull request and monitors the health of all your open source dependencies. Discover the contents of your packages and block harmful activity before you install or update your dependencies.
Security News
Deno 2.2 enhances Node.js compatibility, improves dependency management, adds OpenTelemetry support, and expands linting and task automation for developers.
Security News
React's CRA deprecation announcement sparked community criticism over framework recommendations, leading to quick updates acknowledging build tools like Vite as valid alternatives.
Security News
Ransomware payment rates hit an all-time low in 2024 as law enforcement crackdowns, stronger defenses, and shifting policies make attacks riskier and less profitable.