deep-keys
Version:
Creates an array composed of the own enumerable property names(including nested) of an object.
58 lines (53 loc) • 1.75 kB
JavaScript
/**
* @description
* returns {boolean} True if `value` is an `Object` but not `null`
* @param value
* @returns {boolean}
*/
function isObject(value) {
return value !== null && typeof value === 'object' && !(value instanceof Date);
}
/**
* @description
* Determines if a reference is an `Array`.
* @param {*} value Reference to check.
* @returns {boolean} True if `value` is an `Array`.
*/
var isArray = Array.isArray;
function deepKeys(obj, stack, parent, intermediate) {
Object.keys(obj).forEach(function(el) {
// Escape . in the element name
var escaped = el.replace(/\./g, '\\\.');
// If it's a nested object
if(isObject(obj[el]) && !isArray(obj[el])) {
// Concatenate the new parent if exist
var p = parent ? parent + '.' + escaped : parent;
// Push intermediate parent key if flag is true
if (intermediate) stack.push(parent ? p : escaped);
deepKeys(obj[el], stack, p || escaped, intermediate);
} else {
// Create and save the key
var key = parent ? parent + '.' + escaped : escaped;
stack.push(key)
}
});
return stack
}
/**
* @description
* Get an object, and return an array composed of it's properties names(nested too).
* With intermediate equals to true, we include also the intermediate parent keys into the result
* @param obj {Object}
* @param intermediate {Boolean}
* @returns {Array}
* @example
* deepKeys({ a:1, b: { c:2, d: { e: 3 } } }) ==> ["a", "b.c", "b.d.e"]
* @example
* deepKeys({ b: { c:2, d: { e: 3 } } }, true) ==> ["b", "b.c", "b.d", "b.d.e"]
* @example
* deepKeys({ 'a.': { b: 1 }) ==> ["a\..b"]
*/
module.exports = function (obj, intermediate) {
return deepKeys(obj, [], null, intermediate);
};
;