obj-digger

2.4.1 • Public • Published

OBJ-DIGGER

NPM Version NPM License codecov

Safely access the properties of deeply nested objects.

How to install

Install it in your project via NPM:

npm i obj-digger

Then, import or require the package in your JS:

// ES
import dig from 'obj-digger';

// CJS
const dig = require('obj-digger');

How to use

obj-digger is just a single function.

// Basic Usage

let obj = {
  Alice: {
    age: 20,
    accounts: {
      twitter: 'alice123'
    }
  },
  Bob: {
    age: 30,
    accounts: {
      github: 'bob123'
    }
  }
};

let dug = dig(obj, 'Alice.accounts.twitter');
console.log( dug.key );   // 'twitter'
console.log( dug.value ); // 'alice123'

// Using object destructuring:
let { key, value } = dig(obj, 'Alice.accounts.twitter');
console.log( key );   // 'twitter'
console.log( value ); // 'alice123'

The 2nd parameter is a query that points at the property you want to access. If the property was not found, the returned object gets to have err object.

let dug = dig(obj, 'Alice.accounts.tiktok');
if (dug.err) console.error( dug.err.name ); // 'NoSuchKey'

A query can also be an array:

let dug = dig(obj, ['Alice', 'accounts', 'twitter']);

Advanced usage: Options

There is the optional 3rd parameter: options which enables you to easily manipulate deeply nested objects.

options.set

This option assigns its value to the query destination property if it exists.

let { value } = dig(obj, 'Alice.age', { set: 21 });
console.log( value );         // 21
console.log( obj.Alice.age ); // 21

options.makePath

If this option is true, all the intermediate objects in the query get to be created in the "digging" process if they don't exist.

console.log( obj.Charlie ); // undefined
dig(obj, 'Charlie.age', { makePath: true, set: 40 });
console.log( obj.Charlie ); // { age: 40 }

This creates the object obj.Charlie which didn't exist, and assigns 40 to obj.Charlie.age.

Your can also pass a function that returns a custom object:

dig(obj, 'Charlie.age', {
  makePath(obj, prop, depth) {
    //   obj: the current object
    //  prop: the property name
    // depth: the current nesting level
    let person new Person();
    person.foo = 'bar';
    return person;
  },
  set: 40
});

console.log( obj.Charlie.age ); // 40
console.log( obj.Charlie.foo ); // 'bar'
console.log( obj.Charlie instanceof Person ) // true

options.mutate

This option is a callback function that can be used to mutate the current value of the property into a different value.

console.log( obj.Bob.age ); // 30
dig(obj, 'Bob.age', { mutate: age => age * 2 });
console.log( obj.Bob.age ); // 60

The 1st parameter of options.mutate takes the current value of the queried property. And the return value of options.mutate becomes the new value.


options.stack

If this option is true, the return value gets to have stack property, which is an array of all the objects that obj-digger went through.

let dug = dig(obj, `Alice.accounts.twitter`, {stack: true});
dug.stack[0].value === obj                // true
dug.stack[1].key   === 'Alice'            // true
dug.stack[1].value === obj.Alice          // true
dug.stack[2].key   === 'accounts'         // true
dug.stack[2].value === obj.Alice.accounts // true

Also, dug.stack is structured like a doubly-linked-list, so you can access the adjacent objects via prev / next properties.

dug.stack[0].next === dug.stack[1] // true
dug.stack[1].prev === dug.stack[0] // true
dug.stack[1].next === dug.stack[2] // true
dug.stack[2].prev === dug.stack[1] // true

options.throw

If this option is true, the function throws errors when they occur.

try {
  dig(obj, 'non_existent', { throw: true });
} catch (e) {
  console.error(e); // 'NoSuchKey'
}

options.has

By default, obj-digger uses in operator to check if the object has the queried properties. If this behavior is not desirable, you can override it with options.has.

options.has takes a function that returns a boolean value. So, for example, you can pass Object.hasOwn:

dig(obj, 'xxx.yyy', { has: Object.hasOwn });

Advanced usage: Array Queries

If you want to dig multiple objects in an array like this:

// Example

let obj = {
  items: [ // array
    {
      type:   'book',
      title:  'The Origin of Consciousness in the Breakdown of the Bicameral Mind',
      author: 'Julian Jaynes'
    }, {
      type:     'movie',
      title:    'Mulholland Dr.',
      director: 'David Lynch'
    }, {
      type:   'album',
      title:  'Grace',
      artist: 'Jeff Buckley'
    }
  ]
};

Then, put square brackets [] to the name of the array property in the query, like this:

let dug = dig(obj, 'items[].type');

The return value, at this time, has a different structure. The function recusively operates for each object in the array, and stores each result into found property of the return value.

console.log( dug.found[0].value ); // 'book'
console.log( dug.found[1].value ); // 'movie'
console.log( dug.found[2].value ); // 'album'

// 'results' is deprecated, but still usable as an alias of 'found'
console.log( dug.results[0].value ); // 'book'

Advanced usage: Wildcards

You can use asterisk * character in the query as a wildcard which matches for any names of properties.

// Example

let obj = {
  mammals: {
    ape:   { legs: 2 },
    rhino: { legs: 4 }
  },
  birds: {
    ostrich: { legs: 2 },
    parrot:  { legs: 2 }
  },
  reptiles: {
    snake:     { legs: 0 },
    crocodile: { legs: 4 }
  }
};

let dug = dig(obj, 'mammals.*.legs');

Just like Array Queries, the function recursively operates for every object that is a direct child of obj.mammals in this example. And you get each result stored in dug.found object.

console.log( dug.found.ape.value );   // 2
console.log( dug.found.rhino.value ); // 4

“Let me guess… Diggin'!” — One tunneler

License

MIT License

Copyright (c) 2022 Satoshi Soma

Permission is hereby granted, free of charge, to any person obtaining a copy
of this software and associated documentation files (the "Software"), to deal
in the Software without restriction, including without limitation the rights
to use, copy, modify, merge, publish, distribute, sublicense, and/or sell
copies of the Software, and to permit persons to whom the Software is
furnished to do so, subject to the following conditions:

The above copyright notice and this permission notice shall be included in all
copies or substantial portions of the Software.

THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR
IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY,
FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE
AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER
LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM,
OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN THE
SOFTWARE.

Package Sidebar

Install

npm i obj-digger

Weekly Downloads

59

Version

2.4.1

License

MIT

Unpacked Size

21 kB

Total Files

5

Last publish

Collaborators

  • amekusa