SlideShare a Scribd company logo
1 of 30
KNOW YOUR VARIABLES 
So far we have discussed variables in two contexts: 
As object state (instance variables) 
As local variables (variables declared within a method) 
Now we continue to discuss variables as: 
Arguments (values sent to a method by the calling 
code) 
Return types (values sent back to the caller of the 
method) 
LIS4930 © PIC
Declaring a variable 
Java cares about type. It won’t let 
you do something bizarre or 
dangerous, like stuff a Bicycle 
reference into a Dog variable – 
what would happen if someone 
tries to ask the bicycle to bark()? 
For the compiler to catch these 
potential problems, Java requires 
us to declare the type of the 
variable. Is it an integer? a Dog? a 
single Character? 
Variables come in two flavors: 
LIS4930 © PIC 
primitives 
object references
Declaring Variables 
You must follow two declaration rules: 
1 variables must have a type 
2 variables must have a name 
type name 
int count; 
LIS4930 © PIC
Think of Cups! 
Think of Java variables as different types of cups. Coffee cups, tea 
cups, beer cups, massive popcorn cups, Double Gulp cups. 
LIS4930 © PIC
“I’d like a tall Mocha, no make 
that an int.” 
A variable is just a cup. A container. It holds something. It has a size 
and a type. 
LIS4930 © PIC 
When you go to Starbucks you 
know they have different sized 
cups, so you order what you want 
and tell them the size you would 
like. 
short 
tall 
grand 
e 
venti 
In Java, primitives come in 
different sizes, and those sizes 
have names. The four 
containers here are for the four 
integer primitives in Java. 
byte 
short 
int 
long 
Just as they write your name on your cup in 
Starbucks, Java also requires you to give 
your variable a name.
Java Primitive 
Types 
Type Bit Depth Value Range Example 
boolean & char 
boolean (JVM-specific) true/false 
LIS4930 © PIC 
boolean is fun = 
true; 
char 16 bits 0 to 65535 char c = ‘f’; 
numeric (all are signed) 
byte 8 bits -128 to 127 byte b = 89; 
short 16 bits -32768 to 32767 short s = 67; 
int 32 bits 
-2147483648 to 
2147483647 
int x; 
long 64 bits -huge to huge long big = 3456789; 
float 32 bits varies float f = 32.5f; 
double 64 bits varies double d = 3456.78; 
Note the ‘f’. Java assumes 
anything with a floating point is a 
double otherwise.
Avoid Spillage! 
Now that you know the limits of each of 
the primitive Java types it is important 
not to assign a variable of a bigger type 
into a smaller one. This would be called 
spillage. And the compiler will complain! 
LIS4930 © PIC 
For example: 
int x = 24; 
byte b = x; //won’t work! 
You can assign a value to a variable in one of several 
ways including: 
• type a literal value after the equal sign (x = 12, isGood = true) 
• assign the value of one variable to another (x = y) 
• use an expression combining the two (x = y + 43)
Which statements are 
legal? 
LIS4930 © PIC 
 int x = 34.5; 
 boolean boo = x; 
 int g = 17; 
 int y = g; 
 y = y + 10; 
 short s; 
 s = y; 
 byte b = 3; 
 byte v = b; 
 short n = 12; 
 v = n; 
 byte k = 128;
What Are Good Variable 
Names? 
You know you need a name and a type for your 
variables. 
You know what the primitive types are. 
But what can you use for names? 
It must start with a letter, underscore (_), or dollar sign 
($). You can’t start a name with a number. 
After the first character, you can use numbers as well. 
Just don’t start it with a number. 
It can be anything you like, subject to those two rules, 
just so long as it isn’t one of Java’s reserved words. 
Here are the rules for naming variables 
LIS4930 © PIC 
int $_doggy 
float 
$_dog64 
long 
_anything
Reserved Words 
public static void 
boolean char byte short int 
longfloatdouble 
LIS4930 © PIC 
Don’t use any of 
these for you own 
variable names 
(memorize these) 
…or any of these! 
(don’t memorize 
these) 
Even if you don’t need to know what they mean, you still need to know you 
can’t use them yourself.
Remote Controlling Your 
Dog! 
You know how to declare a primitive variable and assign it a value. 
But now what about non-primitive variables? In other words, 
what about objects? 
 There is actually no such thing as an object variable. 
 There’s only an object reference variable. 
 An object reference variable holds bits that represent a 
way to access an object. 
 It doesn’t hold the object itself, but it holds something 
like a pointer, or mapping to where the object is stored 
on the heap. We do know that whatever it is, it 
represents one and only one object. The JVM 
knows how to use the reference to get to the object. 
LIS4930 © PIC
Remote Controlling Your 
Dog! 
You can’t stuff an object into a variable. 
Objects live in one place and one place 
only – the garbage collectible heap! 
LIS4930 © PIC 
Although a primitive 
variable is full of bits 
representing the 
actual value of the 
variable, an object 
reference variable is 
full of bits 
representing a way 
to get to the 
object. 
byte 
short 
int 
lon 
g 
You use the dot operator 
(.) on a reference variable 
to say, “use the thing 
before the dot to get me 
the thing after the dot.” 
Think of it like pressing a 
button on the remote 
control for that object. 
Rufus.bark( 
); 
BARK
An Object Reference is Just 
Another Variable Value 
LIS4930 © PIC 
Primitive Variable 
byte x = 7; 
The bits representing 7 go 
into the variable. (00000111) 
Reference Variable 
Dog rufus = new Dog( ); 
The Dog object itself does not 
go into the Variable! 
int Dog
3 Steps To Making An 
Object 
1 Declare a reference 
variable Dog rufus = new 
Dog( ); 
2 Create an object 
Dog rufus = new 
Dog( ); 
3 Link the object and the reference 
Dog rufus = new Dog( 
); 
LIS4930 © PIC
What else about 
Object References? 
Can a reference variable be programmed to refer to something else – can a 
Dog reference variable be programmed to reference a Cat object? 
Can a Dog reference variable be programmed to reference a different Dog 
object? 
What about objects marked as final? 
Can a reference variable ever refer to nothing at all? 
LIS4930 © PIC 
Is null a value? 
If an object is the only reference to a particular object, and then its set to null 
(deprogrammed), it means that now nobody can get to that object it once 
referred to.
Life On The Garbage-Collectible 
Heap 
LIS4930 © PIC 
HEAP 
b 
Book 
c 
Book 
object 
Book 
object 
Book b = new 
Book(); 
Book c = new 
Book(); 
References: 2 
Objects: 2 
2 
1 
Book
Life On The Garbage-Collectible 
Heap 
LIS4930 © PIC 
HEAP 
b 
c 
Book 
object 
Book 
object 
Book d = c; 
References: 3 
Objects: 2 
d 
1 
2 
Book 
Book 
Book
Life On The Garbage-Collectible 
Book 
Heap 
LIS4930 © PIC 
HEAP 
b 
c 
Book 
object 
Book 
object 
c = b; 
References: 3 
Objects: 2 
d 
1 
2 
X 
Book 
Book
Life and Death on the 
Heap 
LIS4930 © PIC 
HEAP 
b 
c 
Book 
object 
Book 
object 
Book b = new 
Book(); 
Book c = new 
Book(); 
References: 2 
Objects: 2 
2 
1 
Book 
Book
Life and Death on the 
LIS4930 © PIC 
HEAP 
b 
Book 
c 
This guy is 
toast. 
Book 
object 
Book 
object 
b= c; 
Active References: 2 
Reachable Objects: 
1 
Abandoned Objects: 
2 
1 
Book 
Heap
Life and Death on the 
LIS4930 © PIC 
HEAP 
b 
c 
Still toast. 
Book 
object 
Book 
object 
c = null; 
Active References: 1 
null References: 1 
Reachable Objects: 
1 
Abandoned Objects: 
1 
2 
1 
X 
Book 
Book 
Heap
Array Variables 
An array variable is a remote to an array object. 
LIS4930 © PIC 
1 Declare an int array 
variable. 
int[ ] nums; 
2 Create a new int array 
with a length of 6, and 
assign it to the previously 
declared int[] variable 
nums 
nums = new int[6]; 
3 Give each elements in 
the array an int value. 
Remember, elements in 
an int array are just int 
variables. 
nums[0] = 6; 
nums[1] = 19; 
nums[2] = 44; 
nums[3] = 42; 
nums[4] = 10; 
nums[5] = 20;
Array Variables 
int int int int int int 
0 1 2 3 4 5 
LIS4930 © PIC 
int[ ] 
6 19 44 42 10 20 
nums 
int array object (int[ ]) 
NOTE: The array is an object, even 
though it’s an array of primitives.
Array Variables 
Every element in an array is just a variable. In other words, one of 
the eight primitive variable types or a reference variable. 
Anything you would put in a variable of that type can be assigned 
to an array element of that type. 
So in an array of type int (int[ ]), each element can hold an int. 
So in a Dog array, each element can hold a remote control to a 
Dog. 
Arrays are always objects, whether they’re 
declared to hold primitives or object references. 
LIS4930 © PIC 
The array itself is 
never a primitive.
Make an Array of Dogs 
LIS4930 © PIC 
1 Declare an Dog array 
Dog[ ] 
pets 
What’s Missing? 
variable. 
Dog[ ] pets; 
2 Create a new Dog array with a length of 6, 
and assign it to the previously declared 
Dog[ ] variable pets. 
pets = new 
Dog[6]; 
0 1 2 3 4 5 
Dog array object (Dog[ ]) 
Do 
g 
Do 
g 
Do 
g 
Do 
g 
Do 
g 
Do 
g
Make an Array of Dogs 
3 Create new Dog objects, and assign them 
to the array elements. Remember, 
elements in a Dog array are just Dog 
reference variables. We still need Dogs!!! 
LIS4930 © PIC 
Dog[ ] 
pets 
pets[0] = new Dog; 
pets[1] = new Dog; 
pets[2] = new Dog; 
0 1 2 3 4 5 
Dog array object (Dog[ ]) 
Do 
g 
Do 
g 
Do 
g 
Do 
g 
Do 
g 
Do 
g 
Dog objects
Control Your Dog 
LIS4930 © PIC 
Dog 
name 
bark() 
eat() 
chaseCat() 
Dog rufus = new Dog(); 
rufus.name = “Rufus”; 
rufus 
Dog 
name 
String 
Dog object 
What happens if the 
Dog is in a Dog 
array?
Dog Array 
LIS4930 © PIC 
Dog 
name 
bark() 
eat() 
chaseCat() 
Dog[ ] myDogs = new 
Dog[3]; 
myDogs[0] = new Dog(); 
myDogs[0].name = 
“Rufus”; 
myDogs[0].bark(); 
Dog Remote 
chaseCat 
bark 
eat 
When the Dog is in an array, we 
don’t have an actual variable name 
(like rufus). Instead we use array 
notation and push the remote 
control button (dot operator) on an 
object at a particular index (position) 
in the array. 
myDogs[0] Eg: myDogs[1].bark();
Java Cares About Type 
Once you’ve declared an array, you can’t put anything in it except 
things that are of the declared array type. 
You can’t put a Cat into a Dog array, or a double into an int array 
(spillage, remember?). You can, however, put a byte into an int 
array, because a byte will always fit into an int-sized cup. 
This is known as implicit widening. We’ll get into the details 
later, but for now just remember that the compiler won’t let you put the 
wrong thing in an array, based on the array’s declared type. I don’t’ belong 
LIS4930 © PIC 
here.
Dog Example 
LIS4930 © PIC 
Do you understand 
everything in this code? 
What does this mean? 
Dog 
name 
bark() 
eat() 
chaseCat()

More Related Content

What's hot (20)

String handling session 5
String handling session 5String handling session 5
String handling session 5
 
Wrapper classes
Wrapper classes Wrapper classes
Wrapper classes
 
String and string buffer
String and string bufferString and string buffer
String and string buffer
 
Java String
Java String Java String
Java String
 
Wrapper class (130240116056)
Wrapper class (130240116056)Wrapper class (130240116056)
Wrapper class (130240116056)
 
L13 string handling(string class)
L13 string handling(string class)L13 string handling(string class)
L13 string handling(string class)
 
Lecture20 vector
Lecture20 vectorLecture20 vector
Lecture20 vector
 
String, string builder, string buffer
String, string builder, string bufferString, string builder, string buffer
String, string builder, string buffer
 
Arrays string handling java packages
Arrays string handling java packagesArrays string handling java packages
Arrays string handling java packages
 
Strings
StringsStrings
Strings
 
Java Wrapper Classes and I/O Mechanisms
Java Wrapper Classes and I/O MechanismsJava Wrapper Classes and I/O Mechanisms
Java Wrapper Classes and I/O Mechanisms
 
Autoboxing and unboxing
Autoboxing and unboxingAutoboxing and unboxing
Autoboxing and unboxing
 
L9 wrapper classes
L9 wrapper classesL9 wrapper classes
L9 wrapper classes
 
wrapper classes
wrapper classeswrapper classes
wrapper classes
 
Chapter 7 String
Chapter 7 StringChapter 7 String
Chapter 7 String
 
Function Java Vector class
Function Java Vector classFunction Java Vector class
Function Java Vector class
 
Wrapper classes
Wrapper classesWrapper classes
Wrapper classes
 
Java 1.5 - whats new and modern patterns (2007)
Java 1.5 - whats new and modern patterns (2007)Java 1.5 - whats new and modern patterns (2007)
Java 1.5 - whats new and modern patterns (2007)
 
String Handling
String HandlingString Handling
String Handling
 
String handling(string buffer class)
String handling(string buffer class)String handling(string buffer class)
String handling(string buffer class)
 

Viewers also liked

java basic for begginers
java basic for begginersjava basic for begginers
java basic for begginersdivaskrgupta007
 
Object oriented programming-with_java
Object oriented programming-with_javaObject oriented programming-with_java
Object oriented programming-with_javaHoang Nguyen
 
Collections Framework
Collections FrameworkCollections Framework
Collections FrameworkSunil OS
 
Rays Technologies
Rays TechnologiesRays Technologies
Rays TechnologiesSunil OS
 
C# Variables and Operators
C# Variables and OperatorsC# Variables and Operators
C# Variables and OperatorsSunil OS
 
Classes, objects in JAVA
Classes, objects in JAVAClasses, objects in JAVA
Classes, objects in JAVAAbhilash Nair
 

Viewers also liked (7)

java basic for begginers
java basic for begginersjava basic for begginers
java basic for begginers
 
Object oriented programming-with_java
Object oriented programming-with_javaObject oriented programming-with_java
Object oriented programming-with_java
 
Collections Framework
Collections FrameworkCollections Framework
Collections Framework
 
Rays Technologies
Rays TechnologiesRays Technologies
Rays Technologies
 
C# Basics
C# BasicsC# Basics
C# Basics
 
C# Variables and Operators
C# Variables and OperatorsC# Variables and Operators
C# Variables and Operators
 
Classes, objects in JAVA
Classes, objects in JAVAClasses, objects in JAVA
Classes, objects in JAVA
 

Similar to 04 Variables

Similar to 04 Variables (20)

Python basics
Python basicsPython basics
Python basics
 
Data handling CBSE PYTHON CLASS 11
Data handling CBSE PYTHON CLASS 11Data handling CBSE PYTHON CLASS 11
Data handling CBSE PYTHON CLASS 11
 
12 constructors
12 constructors12 constructors
12 constructors
 
vectors.(join ALL INDIA POLYTECHNIC (AICTE)).pptx
vectors.(join ALL INDIA POLYTECHNIC (AICTE)).pptxvectors.(join ALL INDIA POLYTECHNIC (AICTE)).pptx
vectors.(join ALL INDIA POLYTECHNIC (AICTE)).pptx
 
Python-04| Fundamental data types vs immutability
Python-04| Fundamental data types vs immutabilityPython-04| Fundamental data types vs immutability
Python-04| Fundamental data types vs immutability
 
03 Variables - Chang.pptx
03 Variables - Chang.pptx03 Variables - Chang.pptx
03 Variables - Chang.pptx
 
P1
P1P1
P1
 
Anton Kasyanov, Introduction to Python, Lecture2
Anton Kasyanov, Introduction to Python, Lecture2Anton Kasyanov, Introduction to Python, Lecture2
Anton Kasyanov, Introduction to Python, Lecture2
 
Python interview questions
Python interview questionsPython interview questions
Python interview questions
 
Lesson1
Lesson1Lesson1
Lesson1
 
Python Homework Help
Python Homework HelpPython Homework Help
Python Homework Help
 
Python Homework Help
Python Homework HelpPython Homework Help
Python Homework Help
 
Primitive Wrappers
Primitive WrappersPrimitive Wrappers
Primitive Wrappers
 
C Programming - Refresher - Part III
C Programming - Refresher - Part IIIC Programming - Refresher - Part III
C Programming - Refresher - Part III
 
Course set three full notes
Course set three full notesCourse set three full notes
Course set three full notes
 
Python programming
Python  programmingPython  programming
Python programming
 
CS-XII Python Fundamentals.pdf
CS-XII Python Fundamentals.pdfCS-XII Python Fundamentals.pdf
CS-XII Python Fundamentals.pdf
 
l7-pointers.ppt
l7-pointers.pptl7-pointers.ppt
l7-pointers.ppt
 
Acm aleppo cpc training sixth session
Acm aleppo cpc training sixth sessionAcm aleppo cpc training sixth session
Acm aleppo cpc training sixth session
 
Python (Data Analysis) cleaning and visualize
Python (Data Analysis) cleaning and visualizePython (Data Analysis) cleaning and visualize
Python (Data Analysis) cleaning and visualize
 

Recently uploaded

Introduction to AI in Higher Education_draft.pptx
Introduction to AI in Higher Education_draft.pptxIntroduction to AI in Higher Education_draft.pptx
Introduction to AI in Higher Education_draft.pptxpboyjonauth
 
Enzyme, Pharmaceutical Aids, Miscellaneous Last Part of Chapter no 5th.pdf
Enzyme, Pharmaceutical Aids, Miscellaneous Last Part of Chapter no 5th.pdfEnzyme, Pharmaceutical Aids, Miscellaneous Last Part of Chapter no 5th.pdf
Enzyme, Pharmaceutical Aids, Miscellaneous Last Part of Chapter no 5th.pdfSumit Tiwari
 
18-04-UA_REPORT_MEDIALITERAСY_INDEX-DM_23-1-final-eng.pdf
18-04-UA_REPORT_MEDIALITERAСY_INDEX-DM_23-1-final-eng.pdf18-04-UA_REPORT_MEDIALITERAСY_INDEX-DM_23-1-final-eng.pdf
18-04-UA_REPORT_MEDIALITERAСY_INDEX-DM_23-1-final-eng.pdfssuser54595a
 
DATA STRUCTURE AND ALGORITHM for beginners
DATA STRUCTURE AND ALGORITHM for beginnersDATA STRUCTURE AND ALGORITHM for beginners
DATA STRUCTURE AND ALGORITHM for beginnersSabitha Banu
 
Incoming and Outgoing Shipments in 1 STEP Using Odoo 17
Incoming and Outgoing Shipments in 1 STEP Using Odoo 17Incoming and Outgoing Shipments in 1 STEP Using Odoo 17
Incoming and Outgoing Shipments in 1 STEP Using Odoo 17Celine George
 
call girls in Kamla Market (DELHI) 🔝 >༒9953330565🔝 genuine Escort Service 🔝✔️✔️
call girls in Kamla Market (DELHI) 🔝 >༒9953330565🔝 genuine Escort Service 🔝✔️✔️call girls in Kamla Market (DELHI) 🔝 >༒9953330565🔝 genuine Escort Service 🔝✔️✔️
call girls in Kamla Market (DELHI) 🔝 >༒9953330565🔝 genuine Escort Service 🔝✔️✔️9953056974 Low Rate Call Girls In Saket, Delhi NCR
 
Final demo Grade 9 for demo Plan dessert.pptx
Final demo Grade 9 for demo Plan dessert.pptxFinal demo Grade 9 for demo Plan dessert.pptx
Final demo Grade 9 for demo Plan dessert.pptxAvyJaneVismanos
 
Pharmacognosy Flower 3. Compositae 2023.pdf
Pharmacognosy Flower 3. Compositae 2023.pdfPharmacognosy Flower 3. Compositae 2023.pdf
Pharmacognosy Flower 3. Compositae 2023.pdfMahmoud M. Sallam
 
ECONOMIC CONTEXT - PAPER 1 Q3: NEWSPAPERS.pptx
ECONOMIC CONTEXT - PAPER 1 Q3: NEWSPAPERS.pptxECONOMIC CONTEXT - PAPER 1 Q3: NEWSPAPERS.pptx
ECONOMIC CONTEXT - PAPER 1 Q3: NEWSPAPERS.pptxiammrhaywood
 
EPANDING THE CONTENT OF AN OUTLINE using notes.pptx
EPANDING THE CONTENT OF AN OUTLINE using notes.pptxEPANDING THE CONTENT OF AN OUTLINE using notes.pptx
EPANDING THE CONTENT OF AN OUTLINE using notes.pptxRaymartEstabillo3
 
Full Stack Web Development Course for Beginners
Full Stack Web Development Course  for BeginnersFull Stack Web Development Course  for Beginners
Full Stack Web Development Course for BeginnersSabitha Banu
 
CELL CYCLE Division Science 8 quarter IV.pptx
CELL CYCLE Division Science 8 quarter IV.pptxCELL CYCLE Division Science 8 quarter IV.pptx
CELL CYCLE Division Science 8 quarter IV.pptxJiesonDelaCerna
 
Employee wellbeing at the workplace.pptx
Employee wellbeing at the workplace.pptxEmployee wellbeing at the workplace.pptx
Employee wellbeing at the workplace.pptxNirmalaLoungPoorunde1
 
Hierarchy of management that covers different levels of management
Hierarchy of management that covers different levels of managementHierarchy of management that covers different levels of management
Hierarchy of management that covers different levels of managementmkooblal
 
Alper Gobel In Media Res Media Component
Alper Gobel In Media Res Media ComponentAlper Gobel In Media Res Media Component
Alper Gobel In Media Res Media ComponentInMediaRes1
 
How to Configure Email Server in Odoo 17
How to Configure Email Server in Odoo 17How to Configure Email Server in Odoo 17
How to Configure Email Server in Odoo 17Celine George
 
Interactive Powerpoint_How to Master effective communication
Interactive Powerpoint_How to Master effective communicationInteractive Powerpoint_How to Master effective communication
Interactive Powerpoint_How to Master effective communicationnomboosow
 

Recently uploaded (20)

Introduction to AI in Higher Education_draft.pptx
Introduction to AI in Higher Education_draft.pptxIntroduction to AI in Higher Education_draft.pptx
Introduction to AI in Higher Education_draft.pptx
 
Enzyme, Pharmaceutical Aids, Miscellaneous Last Part of Chapter no 5th.pdf
Enzyme, Pharmaceutical Aids, Miscellaneous Last Part of Chapter no 5th.pdfEnzyme, Pharmaceutical Aids, Miscellaneous Last Part of Chapter no 5th.pdf
Enzyme, Pharmaceutical Aids, Miscellaneous Last Part of Chapter no 5th.pdf
 
Model Call Girl in Bikash Puri Delhi reach out to us at 🔝9953056974🔝
Model Call Girl in Bikash Puri  Delhi reach out to us at 🔝9953056974🔝Model Call Girl in Bikash Puri  Delhi reach out to us at 🔝9953056974🔝
Model Call Girl in Bikash Puri Delhi reach out to us at 🔝9953056974🔝
 
18-04-UA_REPORT_MEDIALITERAСY_INDEX-DM_23-1-final-eng.pdf
18-04-UA_REPORT_MEDIALITERAСY_INDEX-DM_23-1-final-eng.pdf18-04-UA_REPORT_MEDIALITERAСY_INDEX-DM_23-1-final-eng.pdf
18-04-UA_REPORT_MEDIALITERAСY_INDEX-DM_23-1-final-eng.pdf
 
DATA STRUCTURE AND ALGORITHM for beginners
DATA STRUCTURE AND ALGORITHM for beginnersDATA STRUCTURE AND ALGORITHM for beginners
DATA STRUCTURE AND ALGORITHM for beginners
 
Incoming and Outgoing Shipments in 1 STEP Using Odoo 17
Incoming and Outgoing Shipments in 1 STEP Using Odoo 17Incoming and Outgoing Shipments in 1 STEP Using Odoo 17
Incoming and Outgoing Shipments in 1 STEP Using Odoo 17
 
call girls in Kamla Market (DELHI) 🔝 >༒9953330565🔝 genuine Escort Service 🔝✔️✔️
call girls in Kamla Market (DELHI) 🔝 >༒9953330565🔝 genuine Escort Service 🔝✔️✔️call girls in Kamla Market (DELHI) 🔝 >༒9953330565🔝 genuine Escort Service 🔝✔️✔️
call girls in Kamla Market (DELHI) 🔝 >༒9953330565🔝 genuine Escort Service 🔝✔️✔️
 
Final demo Grade 9 for demo Plan dessert.pptx
Final demo Grade 9 for demo Plan dessert.pptxFinal demo Grade 9 for demo Plan dessert.pptx
Final demo Grade 9 for demo Plan dessert.pptx
 
Pharmacognosy Flower 3. Compositae 2023.pdf
Pharmacognosy Flower 3. Compositae 2023.pdfPharmacognosy Flower 3. Compositae 2023.pdf
Pharmacognosy Flower 3. Compositae 2023.pdf
 
ECONOMIC CONTEXT - PAPER 1 Q3: NEWSPAPERS.pptx
ECONOMIC CONTEXT - PAPER 1 Q3: NEWSPAPERS.pptxECONOMIC CONTEXT - PAPER 1 Q3: NEWSPAPERS.pptx
ECONOMIC CONTEXT - PAPER 1 Q3: NEWSPAPERS.pptx
 
EPANDING THE CONTENT OF AN OUTLINE using notes.pptx
EPANDING THE CONTENT OF AN OUTLINE using notes.pptxEPANDING THE CONTENT OF AN OUTLINE using notes.pptx
EPANDING THE CONTENT OF AN OUTLINE using notes.pptx
 
Full Stack Web Development Course for Beginners
Full Stack Web Development Course  for BeginnersFull Stack Web Development Course  for Beginners
Full Stack Web Development Course for Beginners
 
CELL CYCLE Division Science 8 quarter IV.pptx
CELL CYCLE Division Science 8 quarter IV.pptxCELL CYCLE Division Science 8 quarter IV.pptx
CELL CYCLE Division Science 8 quarter IV.pptx
 
ESSENTIAL of (CS/IT/IS) class 06 (database)
ESSENTIAL of (CS/IT/IS) class 06 (database)ESSENTIAL of (CS/IT/IS) class 06 (database)
ESSENTIAL of (CS/IT/IS) class 06 (database)
 
Employee wellbeing at the workplace.pptx
Employee wellbeing at the workplace.pptxEmployee wellbeing at the workplace.pptx
Employee wellbeing at the workplace.pptx
 
Hierarchy of management that covers different levels of management
Hierarchy of management that covers different levels of managementHierarchy of management that covers different levels of management
Hierarchy of management that covers different levels of management
 
OS-operating systems- ch04 (Threads) ...
OS-operating systems- ch04 (Threads) ...OS-operating systems- ch04 (Threads) ...
OS-operating systems- ch04 (Threads) ...
 
Alper Gobel In Media Res Media Component
Alper Gobel In Media Res Media ComponentAlper Gobel In Media Res Media Component
Alper Gobel In Media Res Media Component
 
How to Configure Email Server in Odoo 17
How to Configure Email Server in Odoo 17How to Configure Email Server in Odoo 17
How to Configure Email Server in Odoo 17
 
Interactive Powerpoint_How to Master effective communication
Interactive Powerpoint_How to Master effective communicationInteractive Powerpoint_How to Master effective communication
Interactive Powerpoint_How to Master effective communication
 

04 Variables

  • 1. KNOW YOUR VARIABLES So far we have discussed variables in two contexts: As object state (instance variables) As local variables (variables declared within a method) Now we continue to discuss variables as: Arguments (values sent to a method by the calling code) Return types (values sent back to the caller of the method) LIS4930 © PIC
  • 2. Declaring a variable Java cares about type. It won’t let you do something bizarre or dangerous, like stuff a Bicycle reference into a Dog variable – what would happen if someone tries to ask the bicycle to bark()? For the compiler to catch these potential problems, Java requires us to declare the type of the variable. Is it an integer? a Dog? a single Character? Variables come in two flavors: LIS4930 © PIC primitives object references
  • 3. Declaring Variables You must follow two declaration rules: 1 variables must have a type 2 variables must have a name type name int count; LIS4930 © PIC
  • 4. Think of Cups! Think of Java variables as different types of cups. Coffee cups, tea cups, beer cups, massive popcorn cups, Double Gulp cups. LIS4930 © PIC
  • 5. “I’d like a tall Mocha, no make that an int.” A variable is just a cup. A container. It holds something. It has a size and a type. LIS4930 © PIC When you go to Starbucks you know they have different sized cups, so you order what you want and tell them the size you would like. short tall grand e venti In Java, primitives come in different sizes, and those sizes have names. The four containers here are for the four integer primitives in Java. byte short int long Just as they write your name on your cup in Starbucks, Java also requires you to give your variable a name.
  • 6. Java Primitive Types Type Bit Depth Value Range Example boolean & char boolean (JVM-specific) true/false LIS4930 © PIC boolean is fun = true; char 16 bits 0 to 65535 char c = ‘f’; numeric (all are signed) byte 8 bits -128 to 127 byte b = 89; short 16 bits -32768 to 32767 short s = 67; int 32 bits -2147483648 to 2147483647 int x; long 64 bits -huge to huge long big = 3456789; float 32 bits varies float f = 32.5f; double 64 bits varies double d = 3456.78; Note the ‘f’. Java assumes anything with a floating point is a double otherwise.
  • 7. Avoid Spillage! Now that you know the limits of each of the primitive Java types it is important not to assign a variable of a bigger type into a smaller one. This would be called spillage. And the compiler will complain! LIS4930 © PIC For example: int x = 24; byte b = x; //won’t work! You can assign a value to a variable in one of several ways including: • type a literal value after the equal sign (x = 12, isGood = true) • assign the value of one variable to another (x = y) • use an expression combining the two (x = y + 43)
  • 8. Which statements are legal? LIS4930 © PIC  int x = 34.5;  boolean boo = x;  int g = 17;  int y = g;  y = y + 10;  short s;  s = y;  byte b = 3;  byte v = b;  short n = 12;  v = n;  byte k = 128;
  • 9. What Are Good Variable Names? You know you need a name and a type for your variables. You know what the primitive types are. But what can you use for names? It must start with a letter, underscore (_), or dollar sign ($). You can’t start a name with a number. After the first character, you can use numbers as well. Just don’t start it with a number. It can be anything you like, subject to those two rules, just so long as it isn’t one of Java’s reserved words. Here are the rules for naming variables LIS4930 © PIC int $_doggy float $_dog64 long _anything
  • 10. Reserved Words public static void boolean char byte short int longfloatdouble LIS4930 © PIC Don’t use any of these for you own variable names (memorize these) …or any of these! (don’t memorize these) Even if you don’t need to know what they mean, you still need to know you can’t use them yourself.
  • 11. Remote Controlling Your Dog! You know how to declare a primitive variable and assign it a value. But now what about non-primitive variables? In other words, what about objects?  There is actually no such thing as an object variable.  There’s only an object reference variable.  An object reference variable holds bits that represent a way to access an object.  It doesn’t hold the object itself, but it holds something like a pointer, or mapping to where the object is stored on the heap. We do know that whatever it is, it represents one and only one object. The JVM knows how to use the reference to get to the object. LIS4930 © PIC
  • 12. Remote Controlling Your Dog! You can’t stuff an object into a variable. Objects live in one place and one place only – the garbage collectible heap! LIS4930 © PIC Although a primitive variable is full of bits representing the actual value of the variable, an object reference variable is full of bits representing a way to get to the object. byte short int lon g You use the dot operator (.) on a reference variable to say, “use the thing before the dot to get me the thing after the dot.” Think of it like pressing a button on the remote control for that object. Rufus.bark( ); BARK
  • 13. An Object Reference is Just Another Variable Value LIS4930 © PIC Primitive Variable byte x = 7; The bits representing 7 go into the variable. (00000111) Reference Variable Dog rufus = new Dog( ); The Dog object itself does not go into the Variable! int Dog
  • 14. 3 Steps To Making An Object 1 Declare a reference variable Dog rufus = new Dog( ); 2 Create an object Dog rufus = new Dog( ); 3 Link the object and the reference Dog rufus = new Dog( ); LIS4930 © PIC
  • 15. What else about Object References? Can a reference variable be programmed to refer to something else – can a Dog reference variable be programmed to reference a Cat object? Can a Dog reference variable be programmed to reference a different Dog object? What about objects marked as final? Can a reference variable ever refer to nothing at all? LIS4930 © PIC Is null a value? If an object is the only reference to a particular object, and then its set to null (deprogrammed), it means that now nobody can get to that object it once referred to.
  • 16. Life On The Garbage-Collectible Heap LIS4930 © PIC HEAP b Book c Book object Book object Book b = new Book(); Book c = new Book(); References: 2 Objects: 2 2 1 Book
  • 17. Life On The Garbage-Collectible Heap LIS4930 © PIC HEAP b c Book object Book object Book d = c; References: 3 Objects: 2 d 1 2 Book Book Book
  • 18. Life On The Garbage-Collectible Book Heap LIS4930 © PIC HEAP b c Book object Book object c = b; References: 3 Objects: 2 d 1 2 X Book Book
  • 19. Life and Death on the Heap LIS4930 © PIC HEAP b c Book object Book object Book b = new Book(); Book c = new Book(); References: 2 Objects: 2 2 1 Book Book
  • 20. Life and Death on the LIS4930 © PIC HEAP b Book c This guy is toast. Book object Book object b= c; Active References: 2 Reachable Objects: 1 Abandoned Objects: 2 1 Book Heap
  • 21. Life and Death on the LIS4930 © PIC HEAP b c Still toast. Book object Book object c = null; Active References: 1 null References: 1 Reachable Objects: 1 Abandoned Objects: 1 2 1 X Book Book Heap
  • 22. Array Variables An array variable is a remote to an array object. LIS4930 © PIC 1 Declare an int array variable. int[ ] nums; 2 Create a new int array with a length of 6, and assign it to the previously declared int[] variable nums nums = new int[6]; 3 Give each elements in the array an int value. Remember, elements in an int array are just int variables. nums[0] = 6; nums[1] = 19; nums[2] = 44; nums[3] = 42; nums[4] = 10; nums[5] = 20;
  • 23. Array Variables int int int int int int 0 1 2 3 4 5 LIS4930 © PIC int[ ] 6 19 44 42 10 20 nums int array object (int[ ]) NOTE: The array is an object, even though it’s an array of primitives.
  • 24. Array Variables Every element in an array is just a variable. In other words, one of the eight primitive variable types or a reference variable. Anything you would put in a variable of that type can be assigned to an array element of that type. So in an array of type int (int[ ]), each element can hold an int. So in a Dog array, each element can hold a remote control to a Dog. Arrays are always objects, whether they’re declared to hold primitives or object references. LIS4930 © PIC The array itself is never a primitive.
  • 25. Make an Array of Dogs LIS4930 © PIC 1 Declare an Dog array Dog[ ] pets What’s Missing? variable. Dog[ ] pets; 2 Create a new Dog array with a length of 6, and assign it to the previously declared Dog[ ] variable pets. pets = new Dog[6]; 0 1 2 3 4 5 Dog array object (Dog[ ]) Do g Do g Do g Do g Do g Do g
  • 26. Make an Array of Dogs 3 Create new Dog objects, and assign them to the array elements. Remember, elements in a Dog array are just Dog reference variables. We still need Dogs!!! LIS4930 © PIC Dog[ ] pets pets[0] = new Dog; pets[1] = new Dog; pets[2] = new Dog; 0 1 2 3 4 5 Dog array object (Dog[ ]) Do g Do g Do g Do g Do g Do g Dog objects
  • 27. Control Your Dog LIS4930 © PIC Dog name bark() eat() chaseCat() Dog rufus = new Dog(); rufus.name = “Rufus”; rufus Dog name String Dog object What happens if the Dog is in a Dog array?
  • 28. Dog Array LIS4930 © PIC Dog name bark() eat() chaseCat() Dog[ ] myDogs = new Dog[3]; myDogs[0] = new Dog(); myDogs[0].name = “Rufus”; myDogs[0].bark(); Dog Remote chaseCat bark eat When the Dog is in an array, we don’t have an actual variable name (like rufus). Instead we use array notation and push the remote control button (dot operator) on an object at a particular index (position) in the array. myDogs[0] Eg: myDogs[1].bark();
  • 29. Java Cares About Type Once you’ve declared an array, you can’t put anything in it except things that are of the declared array type. You can’t put a Cat into a Dog array, or a double into an int array (spillage, remember?). You can, however, put a byte into an int array, because a byte will always fit into an int-sized cup. This is known as implicit widening. We’ll get into the details later, but for now just remember that the compiler won’t let you put the wrong thing in an array, based on the array’s declared type. I don’t’ belong LIS4930 © PIC here.
  • 30. Dog Example LIS4930 © PIC Do you understand everything in this code? What does this mean? Dog name bark() eat() chaseCat()

Editor's Notes

  1. When you see a statement like: “an object of type X”, think of type and class as synonyms.