0

我希望用户键入一个 ID 号。当用户单击一个按钮时,代码将查找一个包含所有 id 编号列表的数组,以检查它是否存在。然后它将检查该 ID 号的价格。根据价格和查找的 ID 号,我希望它动态更改名为“成本”的变量。例如,用户键入数字“5555” 代码查找 ID 5555 是否存在,如果存在,则检查该 ID 的价格。基于这个价格,我希望它改变一个叫做成本的变量。同样,如果我查找“1234”的 id。它会查找 id(如果存在),获取价格,然后更改名为 cost 的变量。

我什至不知道从哪里开始。我正在考虑使用数组来映射 id 编号和价格,但我不知道这是否可行。我希望一个数字本质上等于另一个数字,然后根据第二个数字更改一个变量,我想不出该怎么做。

id[0] = new Array(2)
id[1] = "5555";
id[2] = "6789";
price = new Array(2)
price[0] = 45;
price[1] = 18;
4

1 回答 1

1

您可以将对象用作字典之类的对象。

// Default val for cost
var cost = -1;

// Create your dictionary (key/value pairs)
// "key": value (e.g. The key "5555" maps to the value '45')
var list = {
    "5555": 45,
    "6789": 18
};

// jQuery click event wiring (not relevant to the question)
$("#yourButton").click(function() {
    // Get the value of the input field with the id 'yourInput' (this is done with jQuery)
    var input = $("#yourInput").val();

    // If the list has a key that matches what the user typed,
    // set `cost` to its value, otherwise, set it to negative one.
    // This is shorthand syntax. See below for its equivalent
    cost = list[input] || -1;

    // Above is equivalent to
    /*
    if (list[input])
        cost = list[input];
    else
        cost = -1;
    */

    // Log the value of cost to the console
    console.log(cost);
});
于 2012-04-14T04:27:16.943 回答