0
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()">

我的问题是我无法在我的 ) 函数中访问 aGOV 的属性 gov_selection_change(,它表明它没有这样的属性,它是错误的。

4

2 回答 2

0

HTMLOptionElement的 value 属性总是返回一个 DOMString(又名文本),而不是一个对象。

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

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");
}
于 2013-08-27T11:58:04.183 回答
0

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

例子:

var aGOV;

function result()
{
    // initialize aGOV
}

function gov_selection_change()
{
    // now you can access the aGOV variable
}
于 2013-08-27T11:53:14.020 回答