我的任务是编写一个函数,用于将元素的值与第二个对象中相同位置的值交换。
{placeOne:10,placeTwo:20},{ten:"firstPlace",twenty:"secondPlace"}
{placeOne:"firstPlace",placeTwo:"secondPlace"},{ten:10,twenty:20} // should equal this
我想尝试一种将对象值推入数组的方法,然后遍历对象并将每个位置设置为数组中的位置。
但是我在同时循环遍历对象和数组时遇到了麻烦,所以我无法解决这个问题。
到目前为止我所拥有的。
function swapObj(obj1,obj2){
let obj1Arr = [];
let obj2Arr = [];
for(var i in obj1) {
obj1Arr.push(obj1[i]);
}
for(var k in obj2) {
obj2Arr.push(obj2[k])
}
swapObj({placeOne:10,placeTwo:20,placeThree:30,},
{ten:"firstPlace",twenty:"secondPlace",thirty:"thirdPlace"}
)
答案 0 :(得分:1)
如果我理解你的问题,应该这样做(每一步都用注释解释):
const swapValues = (a, b) => {
// obtain arrays of entries ([key, value] pairs) of input objects
// assuming the entries come in insertion order,
// which is true in practice for all major JS engines
const entriesA = Object.entries(a)
const entriesB = Object.entries(b)
// output is a pair of objects:
// first with keys from a, but values from b
// at corresponding entry indices
// second with keys from b, but values from a
// at corresponding entry indices
// assuming both objects have the same number of entries
// (might want to check that)
return entriesA.reduce(
// for each entry from a with keyA, valueA and index
(acc, [keyA, valueA], index) => {
// get corresponding entry from b
const entryB = entriesB[index]
// with keyB and valueB
const [keyB, valueB] = entryB
// put valueB at keyA in the first output object
acc[0][keyA] = valueB
// put valueA at keyB in the second output object
acc[1][keyB] = valueA
return acc
},
// initially the output objects are empty:
[{}, {}]
)
}
console.log(swapValues(
{placeOne: 10, placeTwo: 20},
{ten: "a", twenty: "b"}
)) // -> [ { placeOne: 'a', placeTwo: 'b' }, { ten: 10, twenty: 20 } ]
您可能希望将其改编为您的JS版本。请注意,没有输入对象的突变 - 您将获得两个全新的对象(如果它们将嵌套对象作为值,则可以与输入对象共享一些结构)。