Home > OS >  Can't access object's properties by argument of a function
Can't access object's properties by argument of a function

Time:09-24

Why array[i].key (where key === "surname") within the function doesn't work, meanwhile array[i].surname works perfectly?

let objects = [
    { name: 'Jack', surname: 'Jackson' },
    { name: 'Ivar', surname: 'Bjornsson' },
    { name: 'John', surname: 'Mickelson' }
];

function sort (array, key) {
    for (let i = 0; i < array.length; i  ) {
        console.log(array[i].key)// Somehow the "key", which is equal to "surname" doesn't work;
        // here will be undefined;
        console.log(array[i].surname)//But here writing 'surname' directly works fine;
        // the correct answer will be there;
        console.log(key)// However, key === surname
    }
}

sort(objects, 'surname');

CodePudding user response:

You have to access the property with square brackets:

let objects = [
    { name: 'Jack', surname: 'Jackson' },
    { name: 'Ivar', surname: 'Bjornsson' },
    { name: 'John', surname: 'Mickelson' }
];

function sort (array, key) {
    for (let i = 0; i < array.length; i  ) {
        console.log(array[i][key])// Somehow the "key", which is equal to "surname" doesn't work;
        // here will be undefined;
        console.log(array[i].surname)//But here writing 'surname' directly works fine;
        // the correct answer will be there;
        console.log(key)// However, key === surname
    }
}

sort(objects, 'surname');

This

array[i].key

is equivalent to

array[i]['key']
  • Related