0

我在一个变量中有一个对象, var o={}; 我想做一些事情,比如.push()在数组中为我的对象做的方法。

JS代码:

// Array:
var ar=[];
ar.push('omid');
ar.push('F');
var got=ar[1];
// above code is standard but not what I'm looking for !
/*-------------------------------------*/


// Object:
var obj={};

/*  obj.push('key','value'); // I want do something like this
    var got2=obj.getVal('key'); // And this
*/

这可能吗?

4

3 回答 3

4
var obj = {}

// use this if you are hardcoding the key names
obj.key = 'value'
obj.key // => 'value'

// use this if you have strings with the key names in them
obj['key2'] = 'value'
obj['key2'] // => 'value'

// also use the second method if you have keys with odd names
obj.! = 'value' // => SyntaxError
obj['!'] = 'value' // => OK
于 2013-08-31T15:37:20.163 回答
3

由于 Object-Literals 使用Key->Value模型,因此没有 JS方法来“推送”一个值。

您可以使用点表示法:

var Obj = {};

Obj.foo = "bar";

console.log(Obj);

或括号表示法:

var Obj = {},
    foo = "foo";

Obj[foo]   = "bar";
Obj["bar"] = "foo";

console.log(Obj);

考虑阅读https://developer.mozilla.org/en-US/docs/Web/JavaScript/Guide/Working_with_Objects,因为用这些知识武装自己在未来将是无价的。

于 2013-08-31T15:54:06.227 回答
2

这是一些使它工作的javascript魔术。看一看。

var obj = {};
Object.defineProperty(obj,'push',{
 value:function(x,y){
  this[x]=y;
 }
});

obj.push('name','whattttt');  <<<this works!!!

obj;
//{name:'whattttt'}
obj.name or obj['name']..
//whattttt

我使用 Object.defineProperty定义.push函数的原因是因为我不希望它显示为对象的属性。因此,如果您在对象中有 3 个项目,这将始终是第 4 个。并且总是弄乱循环。但是,使用这种方法。您可以使属性隐藏但可访问。

虽然我不知道当已经有一种简单的方法时你为什么要使用这种方法。

分配一个值这样做

obj.variable = 'value';

如果值键是数字或奇怪的这样做...

obj[1] = 'yes';

要访问号码或奇怪的名字,您也可以这样做

obj[1];

最后分配随机密钥或在代码中生成的密钥,而不是硬编码,而不是使用这种形式。

var person= 'him';

obj[him]='hello';
于 2013-08-31T15:58:14.090 回答