JavaScript学习

语句结束符;
    可有可无;  若一行结尾没有; 解析时自动加上。 

定义变量操作符  var

    var 操作符如果省略掉,变量就变成了全局变量,  不建议使用。

    JavaScript是若类型,但是在编译器解析时还是有类型的。

    用typeof操作符返回变量类型     (注意:操作符是不需要()的)

var msg="jin tian shi ge hao ri zi";
alert(typeof msg);             //"string"     正确写法
alert(typeof(msg));              //"string"     可以使用,但不是必须的
alert(typeof 95);                //"number"

    typeof 返回的类型有:

    undefined--值未定义

    boolean--布尔类型

    string--字符串

    number--数值型

    object--对象或者null

    function--函数

    没有初始化的变量,值默认 undefined,  如  var msg=undefined  写法完全没有意义。

没有块级作用域

if(){
    var color = "blue"; 
} 
alert(color);      //blue 
 for(var i = 0; i < 10; i++){
    dosomething(i); 
 }
alert(i);          //10

全局变量函数内部不可见

<html>  
<head>  
<script type="text/javascript">  
   var scope = "global";  
   function f() {  
       alert(scope);  //显示undefined  
       var scope = "local";  
       alert(scope);  
   }  
   f();  
</script>  
</head>  
</html>

    对第一个alert()显示的是undefined,没有显示global,因为语句var scope="local"限制了变量scope的作用范围,scope变量为局部变量,全局变量scope在函数内部不可见。

你可能感兴趣的:(JavaScript)