给定数组,创建一个函数并返回一个数字

我需要编写一个函数 priceLookup(items, itemName),然后返回所调用商品的价格。如果没有与传入的名称匹配的项目,该函数应返回 undefined,如果数组中有多个项目与名称匹配,则该函数应返回第一个匹配的项目的价格。


示例输出:


priceLookup(items, "Effective Programming Habits") //=> 13.99

给定数组:


let items = [

  {

    itemName: "Effective Programming Habits",

    type: "book",

    price: 13.99

  },

  {

    itemName: "Creation 3005",

    type: "computer",

    price: 299.99

  },

  {

    itemName: "Finding Your Center",

    type: "book",

    price: 15.00

  }

]

到目前为止我所拥有的:


function priceLookup(items, itemName) {

  if (items.length === 0) return undefined;

  

  for (let i = 0; i < items.length; i++) {

    let result = items.filter(price => items.price);

    return result;

  }

我以为我可以使用 filter() 方法在调用每个名称时返回价格,但是,这会返回一个空数组。(我确定我做错了)


HUX布斯
浏览 120回答 1
1回答

LEATH

既然要找到第一个匹配项,如果存在,则应该使用.find, not - 并且除了数组方法之外.filter不需要循环。for您还应该返回找到的对象的价格,而不是整个对象的价格。function priceLookup(items, itemName) {&nbsp; const found = items.find(item => item.itemName === itemName);&nbsp; if (found) return found.price;}let items = [&nbsp; {&nbsp; &nbsp; itemName: "Effective Programming Habits",&nbsp; &nbsp; type: "book",&nbsp; &nbsp; price: 13.99&nbsp; },&nbsp; {&nbsp; &nbsp; itemName: "Creation 3005",&nbsp; &nbsp; type: "computer",&nbsp; &nbsp; price: 299.99&nbsp; },&nbsp; {&nbsp; &nbsp; itemName: "Finding Your Center",&nbsp; &nbsp; type: "book",&nbsp; &nbsp; price: 15.00&nbsp; }]function priceLookup(items, itemName) {&nbsp; const found = items.find(item => item.itemName === itemName);&nbsp; if (found) return found.price;}console.log(priceLookup(items, "Effective Programming Habits"));
打开App,查看更多内容
随时随地看视频慕课网APP

相关分类

JavaScript