KEMBAR78
Newbie Guide To Unity Javascript | PDF | Inheritance (Object Oriented Programming) | Control Flow
0% found this document useful (0 votes)
120 views22 pages

Newbie Guide To Unity Javascript

This document provides an introduction to scripting with Unity Javascript (UnityScript), including explanations of variables, if statements, and looping. It explains key concepts such as declaring and assigning variables of different data types, using comparison and logical operators in if/else statements, and using for loops to repeat code. The summary covers the essential programming concepts in a simplified manner for beginners to understand the basics of Unity scripting.
Copyright
© Attribution Non-Commercial (BY-NC)
We take content rights seriously. If you suspect this is your content, claim it here.
Available Formats
Download as DOCX, PDF, TXT or read online on Scribd
0% found this document useful (0 votes)
120 views22 pages

Newbie Guide To Unity Javascript

This document provides an introduction to scripting with Unity Javascript (UnityScript), including explanations of variables, if statements, and looping. It explains key concepts such as declaring and assigning variables of different data types, using comparison and logical operators in if/else statements, and using for loops to repeat code. The summary covers the essential programming concepts in a simplified manner for beginners to understand the basics of Unity scripting.
Copyright
© Attribution Non-Commercial (BY-NC)
We take content rights seriously. If you suspect this is your content, claim it here.
Available Formats
Download as DOCX, PDF, TXT or read online on Scribd
You are on page 1/ 22

Newbie guide to Unity Javascript (long)

This is my introduction to scripting with the Unity version of Javascript, also known as UnityScript. It assumes no prior programming experience. If you have some prior programming experience, you may want to skip ahead to functions and classes. If you're an expert, you'll probably want to avoid this thread entirely, as you'll likely be offended at how much I simplified some concepts! :wink: If you want to run the sample code, you do need to be familiar with the Unity interface and know how to create a script and attach it to a game object. See links below. Intro to the Unity Interface: http://download.unity3d.com/support/...Essentials.pdf Intro to Scripting with Unity - read sections labeled "Our first script", and "Attaching the script". http://download.unity3d.com/support/...20Tutorial.pdf Text in RED applies to Unity iPhone users only.

VARIABLES
Think of a variable as a container that holds something. You can choose to name a variable anything you wish, as long as it contains no spaces, starts with a letter (preferably lower case), contains only letters, numbers, or underscores, and is not a reserved keyword. Use the keyword 'var' to create a variable. Let's call our first one 'box'. Code:
1. var box;

There you go, you've declared your first variable! If you're wondering about the semicolon at the end, statements (commands) in Javascript must end in a semicolon. iPhone programmers, if you declare a variable without setting it to a value, you must state what type the variable is, in this case String. Common types include String, int, float, boolean, and Array. Note that proper capitalization is necessary! var box : String; Of course, our box is empty, so let's set it to a value by adding the following line: Code:
1. box = "apple";

Now our box contains a text string (variable type), which happens to be "apple".

Note that you can declare your variable and set it to a value in the same statement: Code:
1. var box = "apple";

But once it's declared, you can't declare it again. You can, however, change it to another value (as long as the new value is the same type as the original). Code:
1. box = "orange";

In addition to text strings, variables can hold numbers: Code:


1. var number = 10;

This is an integer (int), which means whole numbers only... no decimal places. But we could also do a floating point number (float), which has decimal places: Code:
1. var myFloat = 10.5;

Variables can also contain booleans. A boolean is simply a true/false value: Code:
1. var gameOver = true;

We'll discuss these more later. Notice that a variable can normally only contain one thing at a time. But we can make a variable that contains multiple things, by creating an array: Code:
1. var applePie = Array("apple", "brown sugar", "butter", "pie crust");

This variable contains everything you need to make an apple pie! If we wanted to view the contents of applePie, we could output it to the Unity console using the Debug command. Add this line to the code above: Code:
1. Debug.Log(applePie);

On play, the console should display:

apple,brown sugar,butter,pie crust To access a single element (item) from an array, we can access it thru its index (position in array). This may seem confusing, but indexes start at 0. So index 0 is actually the first element in the array. Code:
1. var applePie = Array("apple", "brown sugar", "butter", "pie crust");

2. var item1 = applePie[0];

3. Debug.Log(item1);

You can actually use indexing with Strings as well. The following code displays the first character of "hello", the letter 'h': Code:
1. var myString = "hello";

2. Debug.Log(myString[0]);

Now lets alter our variables in other ways. We can add variables: Code:
1. var number1 = 10;

2. var number2 = 11;

3. var total = number1 + number2;

4. Debug.Log(total);

If you add an int (integer) to a float (floating point number) the result becomes a float: Code:
1. var number1 = 100;

2. var total = number1 + 1.5;

3. Debug.Log(total);

Obviously, we can also subtract/divide/multiply ints and floats. Less obvious, we can also 'add' strings. This merges them together: Code:
1. var string1 = "apple";

2. var string2 = "cider";

3. var combo = string1 + string2;

4. Debug.Log(combo);

If we add a number to a string the result becomes a string. We can also multiply strings. Code:
1. var greeting = "howdy";

2. Debug.Log(greeting * 3);

Unfortunately, we can't divide or subtract strings. There are ways to split strings and remove parts of strings, but that is a more advanced topic. Let's wrap up our discussion on variables with incrementing numbers (changing their value by a set amount). First, declare a variable and set it to 1: Code:
1. var number = 1;

We can increment numbers various ways. Code:


1. number = number + 1;

The above adds 1 to our number, and it becomes 2. But programmers are lazy, and decided this was too long. So they abbreviated it to: Code:

1. number += 1;

This is simply shorthand for number = number + 1; But guess what? Lazy programmers decided even THIS was to long, and shortened it to: Code:
1. number ++;

Use whichever makes most sense to you, they all do the same thing! But note that if you choose to increment by a value other than 1, ++ won't work. ++ is shorthand for += 1 only. You can also do the same with subtraction: Code:
1. number --;

But for division and multiplication, you must use one of the longer forms: Code:
1. number = number/2;

2. number *= 2;

Note that an asterisk means multiply, a slash means divide.

IF STATEMENTS
If statements are conditional statements. If a condition evaluates as true, do something. We can do a comparison of two values by using two equal signs, == "number == 10" evaluates as true if our number variable equals 10, otherwise it evaluates as false. Note: it's important to remember to use two equal signs when comparing variables/values, but one equal sign when setting a variable to a value! The following creates a variable and sets it to true, checks to see if the variable equals true, and if so prints a text string to the console: Code:
1. var gameStarted = true;

2. if (gameStarted == true)

3.

Debug.Log("Game has started");

The above is actually redundant, since our variable 'gameStarted' is a boolean. There is no reason to check "if true equals true", just check "if true": Code:
1. var gameStarted = true;

2. if (gameStarted)

3.

Debug.Log("Game has started");

If you're wondering why I didn't put a semicolon behind if (gameStarted), it's because technically it is only the first half of the statement. I could have written it like so: Code:
1. if (gameStarted) Debug.Log("Game has started");

I could have also written it this way: Code:


1. if (gameStarted){

2.

Debug.Log("Game has started");

3. }

Those brackets represent a block of code, and tell the if statement to execute anything in between... if the condition is true! When if contains only one statement to execute, the brackets are optional. But if it contains more than one statement, you MUST use the brackets! Note that semicolons are not needed after brackets. Code:
1. var gameStarted = false;

2. If (gameStarted == false){

3.

gameStarted = true;

4.

Debug.Log("I just started the game");

5. }

Read the second line of code above. Remember those lazy programmers? They don't want to write Code:
1. if (gameStarted == false)

When they can just write: Code:


1. If (not gameStarted)

But you know what? Why write 'not' when I can shorten that too? Code:
1. if (! gameStarted)

Yes, an exclamation point means 'not' to lazy programmers! You can also combine this with equals, where it means "not equals": Code:
1. var answer = 1;

2. if (answer != 42) Debug.Log("Wrong question!");

You can also check for greater than or less than: Code:
1. var age = 18;

2. if (age > 18)

3.

Debug.Log("old enough");

4. else if (age < 18)

5.

Debug.Log("jailbait");

6. else

7.

Debug.Log("exactly 18");

Notice the 'else if' and 'else' keywords? if the first if statement condition fails (evaluates as false), it then checks the condition under else if. If that one fails, it will check the next else if (if one is available), and finally if all conditions fail, it executes the statement under else. Again, if the 'if', 'else if', or 'else' statements contain more than one statement, each block of code must be separated by brackets. You can also check for multiple conditions in a single statement: Code:
1. if (age >= 21 && sex == "female")

2.

buyDrink = true;

Above, we introduced greater than or equal to >= and the AND operator, which is two ampersand characters: &&. If both conditions are true, the statement is executed. If even one is false, the statement is not. Note: if you want to run the above code, remember to create variables for age (int), sex (String), and buyDrink (boolean) first! Code:
1. if (engine == "Unity" || developer == "friend")

2.

buyGame = true;

Above, we used the OR operator, which is two pipe characters: ||. If either condition is true, the statement is executed. If both are false, the statement is not. Note: if you want to run the above code, remember to create variables for engine (String), developer (String), and buyGame (boolean) first! If can also be used with the keyword 'in'. This is generally used with Arrays: Code:
1. var names = Array("max", "rick", "joe");

2. if ("joe" in names) Debug.Log("Found Joe!");

LOOPING
Looping allows you to repeat commands a certain amount of times, usually until some condition is met. What if you wanted to increment a number and display the results to the console? You could do it this way: Code:
1. var number = 0;

2. number += 1;

3. Debug.Log(number);

4. number += 1;

5. Debug.Log(number);

6. number += 1;

7. Debug.Log(number);

And so on... but this is redundant, and there is nothing lazy programmers hate more than rewriting the same code over and over! So lets use a For Loop: Code:
1. var number = 0;

2. for (i=1; i<=10; i++){

3.

number += 1;

4.

Debug.Log(number);

5. }

Okay, that for statement on the second line may look a little confusing. But it's pretty simple actually. i=1 -created a temporary variable i and set it to 1. Note that you don't need to use var to declare it, it's implied. i<=10 -how long to run the loop. In that case, continue to run while i is less than or equal to 10. i++ -how to increment loop. In this case, we are incrementing by 1, so we use the i++, shorthand for i+=1 If we're just printing 1 thru 10, our code above could be shortened. We don't really need the number variable: Code:
1. for (i=1; i<=10; i++)

2.

Debug.Log(i);

Just like if statements, brackets are optional when there is only one statement to execute. Talk about beating a dead horse... We can also count backwards: Code:
1. for (i=10; i>0; i--)

2.

Debug.Log(i);

Or print all even numbers between 1 and 10: Code:


1. for (i=2; i<=10; i+=2)

2.

Debug.Log(i);

We could also use a While loop, an alternative to For statements. While executes repeatedly until a condition is true. Code:
1. var number = 0;

2. while (number < 10){

3.

number ++;

4.

Debug.Log(number);

5. }

While loops are most useful when used with booleans. Just make sure the escape condition is eventually met, or you'll be stuck in an infinite loop and the game will most likely crash! Code:
1. var playerJumping = true;

2. var counter = 0;

3. while (playerJumping){

4.

//do jump stuff

5.

counter += 1;

6.

if (counter > 100) playerJumping = false;

7. }

8. Debug.Log("While loop ended");

Notice the fourth line of code above? The one that starts with two slashes? This means the text afterwards is a comment, and will not be executed. Comments are useful for noting how your code works for yourself or others, for putting in placeholder text to be replaced later (as above), or for commenting out sections of your code for debug purposes.

FUNCTIONS
If you thought loops were a time saver, wait until you find out about functions! Functions allow you to execute a whole bunch of statements in a single command. But lets keep things simple at first. Lets define (create) a function that simply displays "Hello world" on the console.

Code:
1. function SayHello(){

2.

Debug.Log("Hello world");

3. }

To execute, or 'call' this function, simply type: Code:


1. SayHello();

Note the parenthesis after our function. They are required, both when we define our function and call it. Also note that our function name is capitalized. It doesn't have to be, but capitalizing function names is the norm in Unity. What if we wanted a function to say different things? We can pass a value, or argument, to the function: Code:
1. function Say(text){

2.

Debug.Log(text);

3. }

Above, text is the argument, a temporary variable that can be used within the function only. iPhone programmers, you should also state what type the argument is, in this case String. function Say(text : String){ Now when we call our function, we have to provide an argument: Code:
1. Say("Functions are cool!");

We can also pass variables: Code:


1. var mytext = "I want a pizza";

2. Say(mytext);

Another useful thing functions can do is return a value. The following function checks to see if a number is even and if so it returns true, else it returns false: Code:
1. function EvenNumber(number){ //iPhone programmers, remember to add type to arg (number : int);

2.

if (number % 2 == 0)

3.

// NOTE: % is the mod operator. It gets the remainder of number divided by 2

4.

return true;

5.

else

6.

return false;

7. }

8.

9. var num = 10;

10. if ( EvenNumber(num) )

11.

Debug.Log("Number " + num + " is even");

When the return command is executed in a function, the function is immediately exited (stops running). Returns don't have to return a value: Code:
1. function Update(){

2.

if (!gameStarted) return; //exit function

3. }

The Update() function above is one of the main functions in Unity. You do not have to call it manually, it gets called automatically every frame.

OVERLOADING FUNCTIONS
Functions can be overloaded. Sounds complicated, but it's really quite simple. It means you can have multiple versions of a function that handles different types of arguments, or different numbers of arguments. To handle different types of arguments, simply use the colon : to state the type of argument being passed. Common types include String, int, float, boolean, and Array. Note that proper capitalization is necessary! Code:
1. function PrintType(item : String){

2.

Debug.Log("I'm a string, type String");

3. }

4.

5. function PrintType(item : int){

6.

Debug.Log("I'm an integer, type int");

7. }

8.

9. function PrintType(item : float){

10.

Debug.Log("I'm a float, type float");

11. }

12.

13. function PrintType(item : boolean){

14.

Debug.Log("I'm a boolean, type boolean");

15. }

16.

17. function PrintType(item : Array){

18.

Debug.Log("I'm an array, type Array");

19. }

20.

21. function PrintType(item: GameObject){ //catches everything else

22.

Debug.Log("I'm something else");

23. }

24.

25. function PrintType(){

26.

Debug.Log("You forgot to supply an argument!");

27. }

28.

29. PrintType();

30. PrintType("hello");

31. PrintType(true);

CLASSES
So variables have different types, such as String and int. But what if you need a new type that does something different? Classes are simply new types that YOU create. Code:
1. class Person{

2.

var name;

3.

var career;

4. }

5.

6. //Create objects of type Person

7. var john = Person();

8. john.name = "John Smith";

9. john.career = "doctor";

10. Debug.Log(john.name + " is a " + john.career);

The above class has two class variables, or properties, name and career. You access them by typing the name of the instance (in this case, John) followed by a period and the name of the property. You can also pass arguments when creating instances of a class. You do this by creating a constructor, which is a special function that is automatically called whenever a new instance of your class is created. This function has the same name as your class, and is used to initialize the class: Code:
1. class Animal{

2.

var name;

3.

function Animal(n : String){ //this is the constructor

4.

name = n;

5.

Debug.Log(name + " was born!");

6.

7. }

8.

9. cat = Animal("Whiskers"); creating instances!

//var keyword is optional when

Classes can have regular functions as well. Class functions are sometimes called methods. Again, you access these by typing the name of your instance followed by a period and the function name (don't forget the parenthesis). This is useful for having instances interact with one another: Code:
1. class Person{

2.

var name : String;

3.

function Person(n : String){

4.

name = n;

5.

6.

function kiss(p : Person){

7.

Debug.Log(name + " kissed " +

p.name + "!");

8.

9. }

10.

11. jenni = Person("Jenni");

12. bob = Person("Bob");

13. jenni.kiss(bob);

INHERITANCE
Classes can inherit or extend (add functionality to) another class. The class that gets inherited from is usually called the base class or the parent class. The extended class is also called the child class or the derived class. This will be our base class: Code:
1. class Person{

2.

var name : String;

3.

function Person(n : String){ //constructor

4.

name = n;

5.

6.

function Walk(){ //class function

7.

Debug.Log(name + " is walking");

8.

9. }

To extend this class, create a new class with the keyword 'extends': Code:
1. class Woman extends Person{

2.

var sex : String;

3.

function Woman(n : String){ //constructor

4. name

super(n);

//calls the original constructor and sets

5.

sex = "female"; //adds additional functionality to the extended class

6.

7.

function Walk(){

8.

super.Walk(); //calls the original function

9.

Debug.Log("And she is so sexy!"); //adds additional functionality to the extended class

10.

11. }

Note that we can access the base/parent class properties and functions by using the keyword 'super'. If we create an instance of Woman and call function Walk(), both the parent and child function are called: Code:
1. amanda = Woman("Amanda");

2. amanda.Walk();

BUILT IN TYPES AND PROPERTIES


Now you're probably wondering, "if classes, the types I create, can have properties and functions, why can't the built in types"? They do, actually. To convert an int to a String, use the built-in function ToString(): Code:
1. var number = 10;

2. var text = number.ToString();

To get the length of an Array (or a String), use the built-in property length: Code:
1. var animals = Array("cat", "dog", "pig", "dolphin", "chimpanzee");

2. var total = animals.length;

You can use this in a for loop. Add the following two lines to the code above: Code:
1. for (i=0; i<animals.length; i++){

2.

Debug.Log(animals[i]);

3. }

This displays the contents of our array, one item at a time. To add an item to an Array, use the function Add(): Code:
1. animals.Add("lemur");

To split a String into an array, use the function Split(): Code:


1. var sentence = "The quick brown fox jumped over the lazy dog";

2. var words = sentence.Split(" "[0]);

3. Debug.Log(Array(words));

To get a part of a String, use the function Substring(). Substring takes two arguments, the starting index and the ending index: Code:
1. var sentence = "The quick brown fox jumped over the lazy dog";

2. var firstHalf = sentence.Substring(0, 19);

3. Debug.Log(firstHalf);

To capitalize a text string, use the function ToUpper(); Code:


1. var mission = "go make cool games!";

2. Debug.Log( mission.ToUpper() );

As you might expect, there is also a ToLower() function. Code:


1. Debug.Log( ("THE END").ToLower() );

ADDITIONAL INFO
Intro to Scripting with Unity http://download.unity3d.com/support/...20Tutorial.pdf Intro to Unity Programming on Unify Wiki http://www.unifycommunity.com/wiki/i..._Chapter_1_Old Unity Script Reference Page http://unity3d.com/support/documenta...riptReference/ MSDN - This is for advanced programmers. Search for JSCRIPT, as it's quite similar to Unity javascript. http://msdn.microsoft.com/en-us/library/aa187916.aspx

You might also like