Articles → JavaScript → Variables In Javascript
Variables In Javascript
- What are variables? How to use it JavaScript application?
- Rules for creating variables.
- Global variables and local variables.
<html>
<head>
<title>Variable example</title>
<script language="JavaScript">
function ClickMe()
{
var alert_text = "Hi, this is the variable tutorial";
alert(alert_text);
}
</script>
</head>
<body>
<form>
<input type="button" name="btnComments" value="Click Me" onclick="javascript:ClickMe();">
</form>
</body>
</html>
- Variable name should not be a keyword. In the above example if we rewrite the function like
function ClickMe() {
var new = "Hi, this is the variable tutorial";
alert(new);
}
- Variable name should always start with alphabet or underscore(_). Let us see what will happen if we change the variable name from alert_text to 00alert_text.
function ClickMe() {
var 00alert_text = "Hi, this is the variable tutorial";
alert(00alert_text);
}
- Variable names are case senstive so alert_text and Alert_text are 2 different variables.
Global And Local Variable
- A local variable is visible within the function where it is defined.
- A global variable is visible through out the page.
var global_variable = "This is the global variable";
function ClickMe() {
var local_variable = "This is the local variable";
alert(local_variable);
ClickMeAgain();
}
function ClickMeAgain() {
alert(global_variable);
}