44

我在 JavaScript 中使用哈希表,我想在哈希表中显示以下值

one   -[1,10,5]
two   -[2]
three -[3, 30, 300, etc.]

我找到了以下代码。它适用于以下数据。

   one  -[1]
   two  -[2]
   three-[3]

如何将 one-[1,2] 值分配给哈希表以及如何访问它?

<script type="text/javascript">
    function Hash()
    {
        this.length = 0;
        this.items = new Array();
        for (var i = 0; i < arguments.length; i += 2) {
            if (typeof(arguments[i + 1]) != 'undefined') {
                this.items[arguments[i]] = arguments[i + 1];
                this.length++;
            }
        }

        this.removeItem = function(in_key)
        {
            var tmp_value;
            if (typeof(this.items[in_key]) != 'undefined') {
                this.length--;
                var tmp_value = this.items[in_key];
                delete this.items[in_key];
            }
            return tmp_value;
        }

        this.getItem = function(in_key) {
            return this.items[in_key];
        }

        this.setItem = function(in_key, in_value)
        {
            if (typeof(in_value) != 'undefined') {
                if (typeof(this.items[in_key]) == 'undefined') {
                    this.length++;
                }

                this.items[in_key] = in_value;
            }
            return in_value;
        }

        this.hasItem = function(in_key)
        {
            return typeof(this.items[in_key]) != 'undefined';
        }
    }

    var myHash = new Hash('one',1,'two', 2, 'three',3 );

    for (var i in myHash.items) {
        alert('key is: ' + i + ', value is: ' + myHash.items[i]);
    }
</script>

我该怎么做?

4

4 回答 4

85

使用上面的函数,你会做:

var myHash = new Hash('one',[1,10,5],'two', [2], 'three',[3,30,300]);

当然,以下也可以工作:

var myHash = {}; // New object
myHash['one'] = [1,10,5];
myHash['two'] = [2];
myHash['three'] = [3, 30, 300];

因为 JavaScript 中的所有对象都是哈希表!然而,它会更难迭代,因为 usingforeach(var item in object)也会让你获得它的所有功能等,但这可能就足够了,这取决于你的需要。

于 2009-01-19T09:43:32.217 回答
34

如果您只想在查找表中存储一些静态值,则可以使用Object Literal(与JSON使用的格式相同)紧凑地执行此操作:

var table = { one: [1,10,5], two: [2], three: [3, 30, 300] }

然后使用 JavaScript 的关联数组语法访问它们:

alert(table['one']);    // Will alert with [1,10,5]
alert(table['one'][1]); // Will alert with 10
于 2009-01-19T09:47:05.223 回答
8

你可以使用我的 JavaScript 哈希表实现,jshashtable。它允许将任何对象用作键,而不仅仅是字符串。

于 2010-07-08T22:05:59.720 回答
5

Javascript 解释器本机将对象存储在哈希表中。如果您担心原型链的污染,您可以随时执行以下操作:

// Simple ECMA5 hash table
Hash = function(oSource){
  for(sKey in oSource) if(Object.prototype.hasOwnProperty.call(oSource, sKey)) this[sKey] = oSource[sKey];
};
Hash.prototype = Object.create(null);

var oHash = new Hash({foo: 'bar'});
oHash.foo === 'bar'; // true
oHash['foo'] === 'bar'; // true
oHash['meow'] = 'another prop'; // true
oHash.hasOwnProperty === undefined; // true
Object.keys(oHash); // ['foo', 'meow']
oHash instanceof Hash; // true
于 2013-07-25T19:48:40.383 回答