
Security News
Oracle Drags Its Feet in the JavaScript Trademark Dispute
Oracle seeks to dismiss fraud claims in the JavaScript trademark dispute, delaying the case and avoiding questions about its right to the name.
vue-logger-plugin
Advanced tools
Flexible logging functionality for Vue.js with support for custom hook operations.
Note: Versions 2.x support Vue 3 and versions 1.x support Vue 2. For documentation related to Vue 2, view a 1.x tag
npm i vue-logger-plugin
The logging implementation can be installed by creating a logger instance using createlogger
and providing that logger instance to the Vue App.use
method.
Here is the simplest usage:
main.js
import { createApp } from 'vue';
import { createLogger } from 'vue-logger-plugin'
import App from './App.vue'
createApp(App)
.use(createLogger())
.mount('#app')
Doing the above will install the logger with the basic default options.
For advanced usage (i.e. using conditional options and hooks), it is recommended to export the constructed logger instance in a separate file and then import into your main file.
logger/index.js
import { createLogger } from 'vue-logger-plugin'
// create logger with options
const logger = createLogger({
enabled: true,
level: 'debug',
beforeHooks: [ ... ],
afterHooks: [ ... ]
})
export default logger
main.js
import { createApp } from 'vue'
import App from './App.vue'
import logger from './logger'
createApp(App)
.use(logger)
.mount('#app')
More information about hooks can be found in the Hooks section.
Name | Type | Default | Description |
---|---|---|---|
enabled | boolean | true | enable/disable logger |
consoleEnabled | boolean | true | enable/disable console output |
level | string | 'debug' | the logging level (one of: debug, info, warn, error, log) |
callerInfo | boolean | false | whether information about the caller function should be included |
prefixFormat | string | (see below) | provide a custom formatted string for the log message prefix (preceeds the log arguments) |
beforeHooks | LoggerHook[] | [] | hooks invoked before a statement is logged, can be used to alter log arguments (use carefully) |
afterHooks | LoggerHook[] | [] | hooks invoked after a statement is logged |
log <-- error <-- warn <-- info <-- debug
(from left to right: least inclusive to most inclusive)
Specify an appropriate level to limit the amount of information logged. For example, using the 'warn' level will log the 'log', 'error', and 'warn' events but not the 'info' or 'debug' events.
Note: Depending on your browser, the debug level may be labeled as "Verbose" instead of "Debug". Ensure this level is enabled if looking for debug logs in the browser console. Chrome uses verbose for these logs, see docs here.
Setting enabled
to false will disable all logger functionality (console output + hook invocations).
Setting consoleEnabled
to false will disable just the console output but will still invoke the hooks.
So, for example, if you want to prevent writing logs to the browser console but still invoke a hook (i.e. to send logs to a server) then you would set enabled: true
and consoleEnabled: false
.
Setting callerInfo
to true will result in caller function information (fileName, functionName, lineNumber) being determined and included in the log, as well as being included in events provided to hooks, for each log function invocation.
Use the prefixFormat
option to customize the message prefix (portion of log statement that appears before the arguments provided to the log function).
This can as well be used to inject additional information into the message prefix, such as timestamps or user identifiers for example.
The value of this option must be a function which accepts a partial LogEvent object and returns a string. The provided LogEvent object contains only log level
and caller
information.
The default for this option is:
prefixFormat: ({ level, caller }) => (
caller
? `[${level.toUpperCase()}] [${caller?.fileName}:${caller?.functionName}:${caller?.lineNumber}]`
: `[${level.toUpperCase()}]`
)
Hooks allow for advanced customization of the logger implementation, providing operations to be run before and after logging is performed. These are defined on options as beforeHooks
and afterHooks
.
As of version 2.2.0, asynchronous & async/await support has been added, allowing for hooks which return a Promise from their
run
function.
Invoked before a statement is logged, can alter the log arguments which can impact the log output.
Invoked after a statement is logged, cannot impact the log output.
The following hooks are available in this package and can be used by simply importing and adding them to the beforeHooks and/or afterHooks arrays of your options.
StringifyObjectsHook
Applies JSON.stringify on all objects provided as arguments to a logging method.
import { createLogger, StringifyObjectsHook } from 'vue-logger-plugin'
const logger = createLogger({
// ... (other options)
beforeHooks: [ StringifyObjectsHook ]
})
StringifyAndParseObjectsHook
Applies JSON.stringify and JSON.parse on all objects provided as arguments to a logging method.
import { createLogger, StringifyAndParseObjectsHook } from 'vue-logger-plugin'
const logger = createLogger({
// ... (other options)
beforeHooks: [ StringifyAndParseObjectsHook ]
})
The above are best used as 'before hooks' as they may purposefully alter the log output. This way you are sure you are seeing the value of an object at the moment you log it. Otherwise, many browsers provide a live view that constantly updates as values change.
You can easily write your own hooks to apply custom logic. A hook must implement a run
function to handle a log event (an object containing the log level and the array of arguments which were passed to the logging method), and may optionally implement an install
function which is invoked during plugin installation (or at the time of logger options application - see Usage section).
For reference, here are the interfaces:
export interface LoggerHook {
run (event: LogEvent): void | Promise<void>
install? (options: LoggerOptions): void
props?: { [key: string]: any }
}
export interface LogEvent {
level: LogLevel // 'debug' | 'info' | 'warn' | 'error' | 'log'
argumentArray: any[]
caller?: CallerInfo
}
export interface CallerInfo {
fileName?: string
functionName?: string
lineNumber?: string
}
This is a basic example demonstrating how you could have the logger send log data to a server using an Axios client.
logger/index.ts
import { createLogger, StringifyObjectsHook, LoggerHook, LogEvent } from 'vue-logger-plugin'
import axios from 'axios'
const ServerLogHook: LoggerHook = {
run(event: LogEvent) {
axios.post('/log', { severity: event.level, data: event.argumentArray })
}
// example using async/await:
// async run(event: LogEvent) {
// await axios.post('/log', { severity: event.level, data: event.argumentArray })
// }
}
const options: LoggerOptions = {
// ... (other options)
beforeHooks: [ StringifyObjectsHook ],
afterHooks: [ ServerLogHook ]
}
export default logger
Options API: The logger instance will be available on global properties as $log
and $logger
.
Composition API: Import and use the useLogger
method to inject the logger instance.
import { defineComponent } from 'vue'
import { useLogger } from 'vue-logger-plugin'
export default defineComponent({
// example using composition api
setup() {
const log = useLogger()
log.info('Setting up MyComponent...')
return {}
},
// example using options api
methods: {
test() {
const testObject = {
name: 'test',
value: 'this is a test object'
}
this.$log.debug('Test Message', testObject)
this.$log.info('Test Message', testObject)
this.$log.warn('Test Message', testObject)
this.$log.error('Test Message', testObject)
this.$log.log('Test Message', testObject)
// change options
this.$log.apply({ level: 'error' }) // applies new log level
this.$log.warn('This is not logged now')
}
}
})
As described in the Vue Plugin Install section above, options can be provided to the createLogger
function for customizing the logging implementation. As well, the logger options can be applied at any time to the logger on the Vue instance via the apply
function (as demonstrated in the above example code). This allows for on-demand enabling/disabling of the logger and adjusting log levels as needed from within your components. Any options available to createLogger are also available to the apply function.
This project is licensed under the MIT License - see the LICENSE file for details.
[2.2.3] - 2022-05-24
FAQs
Flexible logging functionality for Vue.js 2 & 3
The npm package vue-logger-plugin receives a total of 6,901 weekly downloads. As such, vue-logger-plugin popularity was classified as popular.
We found that vue-logger-plugin demonstrated a not healthy version release cadence and project activity because the last version was released a year ago. It has 1 open source maintainer 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
Oracle seeks to dismiss fraud claims in the JavaScript trademark dispute, delaying the case and avoiding questions about its right to the name.
Security News
The Linux Foundation is warning open source developers that compliance with global sanctions is mandatory, highlighting legal risks and restrictions on contributions.
Security News
Maven Central now validates Sigstore signatures, making it easier for developers to verify the provenance of Java packages.