/**
* @param {Object|Array} obj
* @return {Object}
*/
var invertObject = function(obj) {
};
2822. 对象反转
给定一个对象 obj
,返回一个反转的对象 invertedObj
。
invertedObj
应该以 obj
的键作为值,以 obj
的值作为键。题目保证 obj
中的值仅为字符串。该函数应该处理重复值,也就是说,如果在 obj
中有多个具有相同值的键,那么 invertedObj
应该将该值映射到一个包含所有相应键的数组中。
示例 1:
输入:obj = {"a": "1", "b": "2", "c": "3", "d": "4"} 输出:invertedObj = {"1": "a", "2": "b", "3": "c", "4": "d"} 解释:obj 中的键变成 invertedObj 中的值,而 obj 中的值变成 invertedObj 中的键。
示例 2:
输入:obj = {"a": "1", "b": "2", "c": "2", "d": "4"} 输出:invertedObj = {"1": "a", "2": ["b", "c"], "4": "d"} 解释:在 obj 中有两个具有相同值的键,invertedObj 将该值映射到一个包含所有对应键的数组中。
示例 3:
输入:obj = ["1", "2", "3", "4"] 输出:invertedObj = {"1": "0", "2": "1", "3": "2", "4": "3"} 解释:数组也是对象,因此数组已经转换为一个对象,obj 中的键(索引)变成了 invertedObj 中的值,而 obj 中的值变成了 invertedObj 中的键。
提示:
obj
是一个有效的 JSON 对象typeof obj[key] === "string"
2 <= JSON.stringify(obj).length <= 10**5
原站题解
javascript 解法, 执行用时: 3312 ms, 内存消耗: 70.5 MB, 提交时间: 2023-10-15 13:23:22
/** * @param {Object} obj * @return {Object} */ var invertObject = function(obj) { if (obj instanceof Array) { return obj.reduce((acc, value, index) => { if (acc[value] === undefined) { acc[value] = `${index}` } else { acc[value] = [].concat(acc[value], `${index}`) } return acc }, {}) } else { return Object.keys(obj).reduce((acc, key) => { if (acc[obj[key]] === undefined) { acc[obj[key]] = key } else { acc[obj[key]] = [].concat(acc[obj[key]], key) } return acc }, {}) } };