如何在javascript中访问对象属性

时间:2013-08-27 11:43:12

标签: javascript html5

function test(results) {
        //Populate the ComboBox with unique values

        var Gov;
        var values = [];
        var features = results.features;
        var og;
        for (i = 0; i < features.length; i++) {

            var aGOV = {
                "GovName": features[i].attributes.ENG_NAME,
                "GovNO": features[i].attributes.GOV_NO,
                "Shape": features[i].geometry
            }
           og = new Option(features[i].attributes.ENG_NAME, aGOV);
            var cbx = document.getElementById("cbxGov");
            cbx.options.add(og);
        }

    }

    function gov_selection_change() 
    {
        var cbx = document.getElementById("cbxGov");

        var itm = cbx.options[cbx.selectedIndex].value.hasOwnProperty("Shape");
    }

html代码

<select id="cbxGov" onchange="gov_selection_change()">

我的问题是我无法在我的gov_selection_change()函数中访问aGOV的属性,它显示它没有这样的属性,它是假的。

2 个答案:

答案 0 :(得分:0)

变量aGOV仅在result()函数的上下文中可用。如果要从不同的函数中使用它,请将其声明为全局变量。

示例:

var aGOV;

function result()
{
    // initialize aGOV
}

function gov_selection_change()
{
    // now you can access the aGOV variable
}

答案 1 :(得分:0)

HTMLOptionElement的value属性始终返回DOMString(a.k.a。文本),而不是对象。

因此,您必须在查找字典中保存要访问的内容,然后将返回的值用作查找键。

var lookupDictionary = {};

function test(results) {
    var lookupKey,
        og;
    //...

    // don´t get the element in the loop
    var cbx = document.getElementById("cbxGov");

    //...

    for (i = 0; i < features.length; i++) {
        lookupKey = features[i].attributes.GOV_NO;

        lookupDictionary[lookupKey] = {
            "GovName": features[i].attributes.ENG_NAME,
            "GovNO": features[i].attributes.GOV_NO,
            "Shape": features[i].geometry
        }

        og = new Option(features[i].attributes.ENG_NAME, lookupKey );
        cbx.options.add( og );
    }
}

function gov_selection_change() {
    var cbx = document.getElementById("cbxGov");
    var key = cbx.options[cbx.selectedIndex].value;
    var itm = lookupDictionary[key].hasOwnProperty("Shape");
}