3

我在 php 中有这段代码可以在 js 中翻译(准确地说是节点)

$config['test'] = array(
     "something" => "http://something.com/web/stats_data2.php"
    ,"somethingelse" =>"http://somethingelse.com/web/stats_data2.php"
    ,"anothersomething" =>"http://anothersomething.com/web/stats_data2.php"
);

所以我开始写这个:

config.test = [
      something = 'http://something.com/web/stats_data2.php'
    , somethingelse = 'http://somethingelse.com/web/stats_data2.php'
    , anothersomething = 'http://anothersomething.com/web/stats_data2.php']

但我不确定是否不应该这样写:

config.test.something = 'http://something.com/web/stats_data2.php';
config.test.something = 'http://somethingelse.com/web/stats_data2.php';
config.test.anothersomething = 'http://anothersomething.com/web/stats_data2.php';

目标是,如果我执行 console.log(config.test.['something']);,则在输出中包含链接。

有没有办法在没有服务器的情况下测试它(因为我明天之前没有),还是我的语法好?

4

3 回答 3

8

Javascript 没有关联数组,只有普通对象:

var myObj = {
    myProp: 'test',
    mySecondProp: 'tester'
};

alert(myObj['myProp']); // alerts 'test'

myObj.myThirdProp = 'testing'; // still works

for (var i in myObj) {
    if (!myObj.hasOwnProperty(i)) continue; // safety!
    alert(myObj[i]);
}
// will alert all 3 the props

用于将 PHP 数组转换为 javascript 使用json_encode

但是,如果您想安全起见,您也需要引用属性,因为保留关键字会使您的构造在某些浏览器中失败,或者某些压缩系统不会接受:

var obj1 = {
    function: 'boss',       // unsafe
    'function': 'employee'  // safe
};

console.log(obj1.function);    // unsafe
console.log(obj1['function']); // safe
于 2013-09-16T15:34:02.910 回答
5

只需使用您的配置创建一个通用对象:

var config = {
   test: {
      something: 'http://something.com/web/stats_data2.php',
      anothersomething: 'http://anothersomething.com/web/stats_data2.php'
   }
};

然后你可以这样使用它:

var something = config.test.something;

或者

var something = config.test['something'];

或者

var something = config['test']['something'];

没有太多要测试的内容,但如果您愿意,可以使用 Firebug 或 Chrome 开发者工具等工具。

于 2013-09-16T15:35:20.583 回答
1

使用chrome浏览器,默认打开控制台,快捷键是F12. 您可以在控制台中测试您的代码。

于 2013-09-16T15:35:39.557 回答