comments | difficulty | edit_url | tags | |
---|---|---|---|---|
true |
Easy |
|
Given two arrays keysArr
and valuesArr
, return a new object obj
. Each key-value pair in obj
should come from keysArr[i]
and valuesArr[i]
.
If a duplicate key exists at a previous index, that key-value should be excluded. In other words, only the first key should be added to the object.
If the key is not a string, it should be converted into a string by calling String()
on it.
Example 1:
Input: keysArr = ["a", "b", "c"], valuesArr = [1, 2, 3] Output: {"a": 1, "b": 2, "c": 3} Explanation: The keys "a", "b", and "c" are paired with the values 1, 2, and 3 respectively.
Example 2:
Input: keysArr = ["1", 1, false], valuesArr = [4, 5, 6] Output: {"1": 4, "false": 6} Explanation: First, all the elements in keysArr are converted into strings. We can see there are two occurrences of "1". The value associated with the first occurrence of "1" is used: 4.
Example 3:
Input: keysArr = [], valuesArr = [] Output: {} Explanation: There are no keys so an empty object is returned.
Constraints:
keysArr
andvaluesArr
are valid JSON arrays2 <= JSON.stringify(keysArr).length, JSON.stringify(valuesArr).length <= 5 * 105
keysArr.length === valuesArr.length
function createObject(keysArr: any[], valuesArr: any[]): Record<string, any> {
const ans: Record<string, any> = {};
for (let i = 0; i < keysArr.length; ++i) {
const k = String(keysArr[i]);
if (ans[k] === undefined) {
ans[k] = valuesArr[i];
}
}
return ans;
}
/**
* @param {Array} keysArr
* @param {Array} valuesArr
* @return {Object}
*/
var createObject = function (keysArr, valuesArr) {
const ans = {};
for (let i = 0; i < keysArr.length; ++i) {
const k = keysArr[i] + '';
if (ans[k] === undefined) {
ans[k] = valuesArr[i];
}
}
return ans;
};