Skip to content

[2.0] Support circular structure for logger #328

New issue

Have a question about this project? Sign up for a free GitHub account to open an issue and contact its maintainers and the community.

By clicking “Sign up for GitHub”, you agree to our terms of service and privacy statement. We’ll occasionally send you account related emails.

Already on GitHub? Sign in to your account

Merged
merged 2 commits into from
Sep 23, 2016
Merged
Show file tree
Hide file tree
Changes from all commits
Commits
File filter

Filter by extension

Filter by extension

Conversations
Failed to load comments.
Loading
Jump to
Jump to file
Failed to load files.
Loading
Diff view
Diff view
13 changes: 1 addition & 12 deletions src/index.js
Original file line number Diff line number Diff line change
@@ -1,6 +1,7 @@
import devtoolPlugin from './plugins/devtool'
import applyMixin from './mixin'
import { mapState, mapMutations, mapGetters, mapActions } from './helpers'
import { isObject, isPromise, assert } from './util'

let Vue // bind on install

Expand Down Expand Up @@ -157,10 +158,6 @@ class Store {
}
}

function assert (condition, msg) {
if (!condition) throw new Error(`[vuex] ${msg}`)
}

function updateModule (targetModule, newModule) {
if (newModule.actions) {
targetModule.actions = newModule.actions
Expand Down Expand Up @@ -339,14 +336,6 @@ function enableStrictMode (store) {
}, { deep: true, sync: true })
}

function isObject (obj) {
return obj !== null && typeof obj === 'object'
}

function isPromise (val) {
return val && typeof val.then === 'function'
}

function getNestedState (state, path) {
return path.length
? path.reduce((state, key) => state[key], state)
Expand Down
6 changes: 4 additions & 2 deletions src/plugins/logger.js
Original file line number Diff line number Diff line change
@@ -1,18 +1,20 @@
// Credits: borrowed code from fcomb/redux-logger

import { deepCopy } from '../util'

export default function createLogger ({
collapsed = true,
transformer = state => state,
mutationTransformer = mut => mut
} = {}) {
return store => {
let prevState = JSON.parse(JSON.stringify(store.state))
let prevState = deepCopy(store.state)

store.subscribe((mutation, state) => {
if (typeof console === 'undefined') {
return
}
const nextState = JSON.parse(JSON.stringify(state))
const nextState = deepCopy(state)
const time = new Date()
const formattedTime = ` @ ${pad(time.getHours(), 2)}:${pad(time.getMinutes(), 2)}:${pad(time.getSeconds(), 2)}.${pad(time.getMilliseconds(), 3)}`
const formattedMutation = mutationTransformer(mutation)
Expand Down
59 changes: 59 additions & 0 deletions src/util.js
Original file line number Diff line number Diff line change
@@ -0,0 +1,59 @@
/**
* Get the first item that pass the test
* by second argument function
*
* @param {Array} list
* @param {Function} f
* @return {*}
*/
function find (list, f) {
return list.filter(f)[0]
}

/**
* Deep copy the given object considering circular structure.
* This function caches all nested objects and its copies.
* If it detects circular structure, use cached copy to avoid infinite loop.
*
* @param {*} obj
* @param {Array<Object>} cache
* @return {*}
*/
export function deepCopy (obj, cache = []) {
// just return if obj is immutable value
if (obj === null || typeof obj !== 'object') {
return obj
}

// if obj is hit, it is in circular structure
const hit = find(cache, c => c.original === obj)
if (hit) {
return hit.copy
}

const copy = Array.isArray(obj) ? [] : {}
// put the copy into cache at first
// because we want to refer it in recursive deepCopy
cache.push({
original: obj,
copy
})

Object.keys(obj).forEach(key => {
copy[key] = deepCopy(obj[key], cache)
})

return copy
}

export function isObject (obj) {
return obj !== null && typeof obj === 'object'
}

export function isPromise (val) {
return val && typeof val.then === 'function'
}

export function assert (condition, msg) {
if (!condition) throw new Error(`[vuex] ${msg}`)
}
3 changes: 2 additions & 1 deletion test/unit/jasmine.json
Original file line number Diff line number Diff line change
@@ -1,7 +1,8 @@
{
"spec_dir": "test/unit",
"spec_files": [
"test.js"
"test.js",
"util.js"
],
"helpers": [
"../../node_modules/babel-register/lib/node.js"
Expand Down
41 changes: 41 additions & 0 deletions test/unit/util.js
Original file line number Diff line number Diff line change
@@ -0,0 +1,41 @@
import { deepCopy } from '../../src/util'

describe('util', () => {
it('deepCopy: nornal structure', () => {
const original = {
a: 1,
b: 'string',
c: true,
d: null,
e: undefined
}
const copy = deepCopy(original)

expect(copy).toEqual(original)
})

it('deepCopy: nested structure', () => {
const original = {
a: {
b: 1,
c: [2, 3, {
d: 4
}]
}
}
const copy = deepCopy(original)

expect(copy).toEqual(original)
})

it('deepCopy: circular structure', () => {
const original = {
a: 1
}
original.circular = original

const copy = deepCopy(original)

expect(copy).toEqual(original)
})
})