您的位置:首页 > Web前端 > JavaScript

JavaScript Lexical Scope

2015-07-11 00:50 537 查看
I understand them through examples :)

First, Lexical Scope (also called Static Scope), in C-like syntax:
void fun()
{
int x = 5;

void fun2()
{
printf("%d", x);
}
}


Every inner level can access its outer levels.

There is another way, called Dynamic Scope used by first implementation of Lisp, again in C-like Syntax:
void fun()
{
printf("%d", x);
}

void dummy1()
{
int x = 5;

fun();
}

void dummy2()
{
int x = 10;

fun();
}


Here
fun
can
either access
x
in
dummy1
or
dummy2
,
or any
x
in
any function that call
fun
with
x
declared
in it.
dummy1();


will print 5
dummy2();


will print 10

The first one is called static because it can be deduced at compile-time, the second is called dynamic because the outer scope is dynamic and depends on the chain call of the functions.

I find static scoping easier for the eye. Most languages went this way eventually even Lisp (can do both, right?). Dynamic scoping is like passing references of all variables to the called function.

An example of why the compiler can not deduce the outer dynamic scope of a function, consider our last example, if we write something like this:
if(/* some condition */)
dummy1();else
dummy2();


The call chain depends on a run time condition. If it is true, then the call chain looks like:
dummy1 --> fun()


If the condition is false:
dummy2 --> fun()


The outer scope of fun in both cases is the caller plus the caller of the caller and so on.

Just to mention that C language does not allow nested functions nor dynamic scoping.
内容来自用户分享和网络整理,不保证内容的准确性,如有侵权内容,可联系管理员处理 点击这里给我发消息
标签: