包详细信息

error-serializer

ehmicky20.1kMIT8.0.1

Convert errors to/from plain objects

convert, error, error-handling, error-monitoring

自述文件

Node Browsers TypeScript Codecov Minified size Mastodon Medium

Convert errors to/from plain objects.

Features

Example

import { parse, serialize } from 'error-serializer'

const error = new TypeError('example')
const errorObject = serialize(error)
// Plain object: { name: 'TypeError', message: 'example', stack: '...' }

const errorString = JSON.stringify(errorObject)
const newErrorObject = JSON.parse(errorString)

const newError = parse(newErrorObject)
// Error instance: 'TypeError: example ...'

Install

npm install error-serializer

This package works in both Node.js >=18.18.0 and browsers.

This is an ES module. It must be loaded using an import or import() statement, not require(). If TypeScript is used, it must be configured to output ES modules, not CommonJS.

API

serialize(errorInstance, options?)

errorInstance any\ options Options?\ Return value: ErrorObject

Convert an Error instance into a plain object.

Options

Object with the following optional properties.

shallow

Type: boolean\ Default: false

Unless this option is true, nested errors are also serialized. They can be inside other errors, plain objects or arrays.

const error = new Error('example')
error.inner = new Error('inner')
serialize(error).inner // { name: 'Error', message: 'inner', ... }
serialize(error, { shallow: true }).inner // Error: inner ...

loose

Type: boolean\ Default: false

By default, when the argument is not an Error instance, it is converted to one. If this option is true, it is kept as is instead.

serialize('example') // { name: 'Error', message: 'example', ... }
serialize('example', { loose: true }) // 'example'

include

Type: string[]

Only pick specific properties.

serialize(error, { include: ['message'] }) // { message: 'example' }

exclude

Type: string[]

Omit specific properties.

serialize(error, { exclude: ['stack'] }) // { name: 'Error', message: 'example' }

transformObject(errorObject, errorInstance)

Type: (errorObject, errorInstance) => void

Transform each error plain object.

errorObject is the error after serialization. It must be directly mutated.

errorInstance is the error before serialization.

parse(errorObject, options?)

errorObject any\ options Options?\ Return value: Error

Convert an error plain object into an Error instance.

Options

Object with the following optional properties.

classes

Type: object

Custom error classes to keep when parsing.

  • Each key is an errorObject.name
  • Each value is the error class to use
const errorObject = serialize(new CustomError('example'))
// `CustomError` class is kept
const error = parse(errorObject, { classes: { CustomError } })
// Map `CustomError` to another class
const otherError = parse(errorObject, { classes: { CustomError: TypeError } })

shallow

Type: boolean\ Default: false

Unless this option is true, nested error plain objects are also parsed. They can be inside other errors, plain objects or arrays.

const error = new Error('example')
error.inner = new Error('inner')
const errorObject = serialize(error)

parse(errorObject).inner // Error: inner ...
parse(errorObject, { shallow: true }).inner // { name: 'Error', message: ... }

loose

Type: boolean\ Default: false

By default, when the argument is not an error plain object, it is converted to one. If this option is true, it is kept as is instead.

parse('example') // Error: example
parse('example', { loose: true }) // 'example'

transformArgs(constructorArgs, errorObject, ErrorClass)

Type: (constructorArgs, errorObject, ErrorClass) => void

Transform the arguments passed to each new Error().

constructorArgs is the array of arguments. Usually, constructorArgs[0] is the error message and constructorArgs[1] is the constructor options object. constructorArgs must be directly mutated.

errorObject is the error before parsing. ErrorClass is its class.

transformInstance(errorInstance, errorObject)

Type: (errorInstance, errorObject) => void

Transform each Error instance.

errorInstance is the error after parsing. It must be directly mutated.

errorObject is the error before parsing.

Usage

JSON safety

Error plain objects are always safe to serialize with JSON.

const error = new Error('example')
error.cycle = error

// Cycles make `JSON.stringify()` throw, so they are removed
serialize(error).cycle // undefined

error.toJSON()

serialize() can be used as error.toJSON().

class CustomError extends Error {
  /* constructor(...) { ... } */

  toJSON() {
    return serialize(this)
  }
}
const error = new CustomError('example')

error.toJSON()
// { name: 'CustomError', message: 'example', stack: '...' }
JSON.stringify(error)
// '{"name":"CustomError","message":"example","stack":"..."}'

Custom serialization/parsing

Errors are converted to/from plain objects, not strings. This allows any serialization/parsing logic to be performed.

import { dump, load } from 'js-yaml'

const error = new Error('example')
const errorObject = serialize(error)
const errorYamlString = dump(errorObject)
// name: Error
// message: example
// stack: Error: example ...
const newErrorObject = load(errorYamlString)
const newError = parse(newErrorObject) // Error: example

Additional error properties

const error = new TypeError('example')
error.prop = true

const errorObject = serialize(error)
console.log(errorObject.prop) // true
const newError = parse(errorObject)
console.log(newError.prop) // true

Omit additional error properties

const error = new Error('example')
error.prop = true

const errorObject = serialize(error, { include: ['name', 'message', 'stack'] })
console.log(errorObject.prop) // undefined
console.log(errorObject) // { name: 'Error', message: 'example', stack: '...' }

Omit stack traces

const error = new Error('example')

const errorObject = serialize(error, { exclude: ['stack'] })
console.log(errorObject.stack) // undefined
console.log(errorObject) // { name: 'Error', message: 'example' }

Deep serialization/parsing

The loose option can be used to deeply serialize/parse objects and arrays.

const error = new Error('example')
const deepArray = serialize([{}, { error }], { loose: true })

const jsonString = JSON.stringify(deepArray)
const newDeepArray = JSON.parse(jsonString)

const newError = parse(newDeepArray, { loose: true })[1].error // Error: example

Transforming

const errors = [new Error('test secret')]
errors[0].date = new Date()

const errorObjects = serialize(errors, {
  loose: true,
  // Serialize `Date` instances as strings
  transformObject: (errorObject) => {
    errorObject.date = errorObject.date.toString()
  },
})
console.log(errorObjects[0].date) // Date string

const newErrors = parse(errorObjects, {
  loose: true,
  // Transform error message
  transformArgs: (constructorArgs) => {
    constructorArgs[0] = constructorArgs[0].replace('secret', '***')
  },
  // Parse date strings as `Date` instances
  transformInstance: (error) => {
    error.date = new Date(error.date)
  },
})
console.log(newErrors[0].message) // 'test ***'
console.log(newErrors[0].date) // `Date` instance

error.cause and AggregateError

const innerErrors = [new Error('one'), new Error('two')]
const cause = new Error('three')
const error = new AggregateError(innerErrors, 'four', { cause })

const errorObject = serialize(error)
// {
//   name: 'AggregateError',
//   message: 'four',
//   stack: '...',
//   cause: { name: 'Error', message: 'three', stack: '...' },
//   errors: [{ name: 'Error', message: 'one', stack: '...' }, ...],
// }
const newError = parse(errorObject)
// AggregateError: four
//   [cause]: Error: three
//   [errors]: [Error: one, Error: two]

Constructors

By default, when an error with custom classes is parsed, its constructor is not called. In most cases, this is not a problem since any property previously set by that constructor is still preserved, providing it is serializable and enumerable.

However, the error.constructorArgs property can be set to call the constructor with those arguments. It it throws, Error will be used as a fallback error class.

class CustomError extends Error {
  constructor(prefix, message) {
    super(`${prefix} - ${message}`)
    this.constructorArgs = [prefix, message]
  }
}
CustomError.prototype.name = 'CustomError'

const error = new CustomError('Prefix', 'example')

const errorObject = serialize(error)
// This calls `new CustomError('Prefix', 'example')`
const newError = parse(errorObject, { classes: { CustomError } })

Related projects

Support

For any question, don't hesitate to submit an issue on GitHub.

Everyone is welcome regardless of personal background. We enforce a Code of conduct in order to promote a positive and inclusive environment.

Contributing

This project was made with ❤️. The simplest way to give back is by starring and sharing it online.

If the documentation is unclear or has a typo, please click on the page's Edit button (pencil icon) and suggest a correction.

If you would like to help us fix a bug or add a new feature, please check our guidelines. Pull requests are welcome!

ehmicky
ehmicky

💻 🎨 🤔 📖
Pedro Augusto de Paula Barbosa
Pedro Augusto de Paula Barbosa

🐛 📖

更新日志

8.0.1

Documentation

  • Improve documentation in README.md

8.0.0

Breaking changes

serialize(error, {
-  beforeSerialize: (error) => {
-    error.date = error.date.toString()
-  },
-  afterSerialize: (error, errorObject) => {
-    error.date = new Date(error.date)
-  },
+  transformObject: (errorObject, error) => {
+    errorObject.date = errorObject.date.toString()
+  },
})
parse(errorObject, {
-  beforeParse: (errorObject) => {
-    errorObject.date = new Date(errorObject.date)
-  },
-  afterParse: (errorObject, error) => {
-    errorObject.date = errorObject.date.toString()
-  },
+  transformInstance: (error, errorObject) => {
+    error.date = new Date(error.date)
+  },
})

Features

7.0.0

Breaking changes

  • Minimal supported Node.js version is now 18.18.0

6.0.1

Dependencies

  • Upgrade internal dependencies

6.0.0

Breaking changes

  • Minimal supported Node.js version is now 16.17.0

5.1.0

Features

  • Improve documentation

5.0.0

Breaking changes

  • The normalize option was renamed to loose. Its value has been inverted: normalize: false is now loose: true.
  • The default value of the loose option is now false.
    • If the argument to serialize() is not an error instance, it is now normalized to one, unless loose: true is used
    • If the argument to parse() is not an error plain object, it is now normalized to one, unless loose: true is used

4.2.0

Features

  • Improve input validation

4.1.0

Features

  • A second argument error is now passed to afterSerialize()
  • A second argument errorObject is now passed to afterParse()

4.0.0

Breaking changes

Features

3.7.0

Features

  • Improve tree-shaking support

3.6.0

Features

  • Add browser support

3.5.1

Bug fixes

  • Fix package.json

3.5.0

  • Switch to MIT license

3.4.0

Features

3.3.0

Features

3.2.0

Features

  • Improve support for SpiderMonkey and JavaScriptCore

3.1.0

Features

  • Constructors parameters can now be kept by setting error.constructorArgs

3.0.0

Breaking changes

  • The loose option was renamed to normalize. Its value has been inverted: loose: true is now normalize: false.
  • The default value of the normalize option is now false.
    • If the argument to serialize() is not an error instance, it is not normalized to one anymore, unless normalize: true is used
    • If the argument to parse() is not an error plain object, it is not normalized to one anymore, unless normalize: true is used

Features

2.0.0

Breaking changes

1.4.0

Features

  • Improve error handling

1.3.4

Bug fixes

  • Fix TypeScript types of types option

1.3.3

Bug fixes

  • Fix TypeScript types of types option

1.3.2

Bug fixes

  • Fix main functions' return value's TypeScript types

1.3.1

Bug fixes

  • Fix main function's return value's type

1.3.0

Features

1.2.1

Bug fixes

  • Make it work with cross-realm errors

1.2.0

Features

  • Reduce npm package size

1.1.0

Initial release.