SlideShare a Scribd company logo
1 of 28
Programming in Java
Lecture 3: Operators and Expressions
Contents
• Operators in Java
• Arithmetic Operators
• Bitwise Operators
• Relational Operators
• Logical Operators
Operators in Java
• Java’s operators can be grouped into
following four categories:
1. Arithmetic
2. Bitwise
3. Relational
4. Logical.
Arithmetic Operators
• used in mathematical expressions.
• operands of the arithmetic operators must be of a
numeric type.
• most operators in Java work just like they do in
C/C++.
• We can not use them on boolean types, but we can
use them on char types, since the char type in Java is,
essentially, a subset of int.
Arithmetic Operators
Operator Result
• + Addition
• - Subtraction (also unary minus)
• * Multiplication
• / Division
• % Modulus
• ++ Increment
• += Addition assignment
• -= Subtraction assignment
• *= Multiplication assignment
• /= Division assignment
• %= Modulus assignment
• - - Decrement
Modulus Operator (%)
• returns the remainder of a division operation.
• can be applied to floating-point types as well as integer types.
• This differs from C/C++, in which the % can only be applied to
integer types.
Example: Modulus.java
Arithmetic Assignment Operators
• used to combine an arithmetic operation with an assignment.
Thus, the statements of the form
var = var op expression;
can be rewritten as
var op= expression;
• In Java, statements like
a = a + 5;
can be written as
a += 5;
Similarly:
b = b % 3; can be written as b %= 3;
Increment and Decrement
• ++ and the - - are Java's increment and decrement operators.
• The increment operator increases its operand by one.
• x++; is equivalent to x = x + 1;
• The decrement operator decreases its operand by one.
• y--; is equivalent to y = y – 1;
• They can appear both in
• postfix form, where they follow the operand, and
• prefix form, where they precede the operand.
• In the prefix form, the operand is incremented or
decremented before the value is obtained for use in the
expression.
Example: x = 19; y = ++x;
Output: y = 20 and x = 20
• In postfix form, the previous value is obtained for use
in the expression, and then the operand is modified.
Example: x = 19; y = x++;
Output: y = 19 and x = 20
Bitwise Operators
• These operators act upon the individual bits of their
operands.
• can be applied to the integer types, long, int, short,
char, and byte.
Operator Result
~ Bitwise unary NOT
& Bitwise AND
| Bitwise OR
^ Bitwise exclusive OR
>> Shift right
>>> Shift right zero fill
<< Shift left
&= Bitwise AND assignment
|= Bitwise OR assignment
^= Bitwise exclusive OR assignment
>>= Shift right assignment
>>>= Shift right zero fill assignment
<<= Shift left assignment
Bitwise Logical Operators
• The bitwise logical operators are
• ~ (NOT)
• & (AND)
• | (OR)
• ^ (XOR)
• Example:
The Left Shift
• The left shift operator,<<, shifts all of the bits in
a value to the left a specified number of times.
value << num
• Example:
• 01000001 65
• << 2
• 00000100 4
The Right Shift
• The right shift operator, >>, shifts all of the bits
in a value to the right a specified number of times.
value >> num
• Example:
• 00100011 35
• >> 2
• 00001000 8
• When we are shifting right, the top (leftmost)
bits exposed by the right shift are filled in with
the previous contents of the top bit.
• This is called sign extension and serves to
preserve the sign of negative numbers when you
shift them right.
The Unsigned Right Shift
• In these cases, to shift a zero into the high-order bit no
matter what its initial value was. This is known as an
unsigned shift.
• To accomplish this, we will use Java’s unsigned, shift-right
operator, >>>, which always shifts zeros into the high-order
bit.
• Example:
• 11111111 11111111 11111111 11111111 –1 in
binary as an int
• >>>24
• 00000000 00000000 00000000 11111111 255 in
binary as an int
Bitwise Operator Compound Assignments
• combines the assignment with the bitwise operation.
• Similar to the algebraic operators
• For example, the following two statements, which shift the
value in a right by four bits, are equivalent:
a = a >> 4;
a >>= 4;
• Likewise,
a = a | b;
a |= b;
Relational Operators
• The relational operators determine the relationship that one
operand has to the other.
• Relational operators determine equality and ordering.
• The outcome of relational operations is a boolean value.
Operator Function
== equal to
!= not equal to
< less than
> greater than
<= less than or equal to
>= greater than or equal to
• The result produced by a relational operator is a boolean
value.
• For example, the following code fragment is perfectly
valid:
• int a = 4;
• int b = 1;
• boolean c = a < b;
•In this case, the result of a<b (which is false) is stored in c.
Boolean Logical Operators
• The Boolean logical operators shown here operate
only on boolean operands.
Operator Result
& Logical AND
| Logical OR
^ Logical XOR (exclusive OR)
|| Short-circuit OR
&& Short-circuit AND
! Logical unary NOT
&= AND assignment
|= OR assignment
^= XOR assignment
== Equal to
!= Not equal to
?: Ternary if-then-else
•All of the binary logical operators combine two
boolean values to form a resultant boolean value.
•The logical Boolean operators,&, |, and ^, operate
on boolean values in the same way that they operate
on the bits of an integer.
•The following table shows the effect of each
logical operation:
A B A | B A & B A ^ B ~ A
False False False False False True
True False True False True False
False True True False True True
True True True True False False
Short-Circuit Logical Operators
• These are secondary versions of the Boolean AND and OR operators,
and are known as short-circuit logical operators.
• OR operator results in true when A is true , no matter what B is.
• Similarly, AND operator results in false when A is false, no matter what
B is.
• If we use the || and && forms, rather than the | and & forms of these
operators, Java will not bother to evaluate the right-hand operand when the
outcome of the expression can be determined by the left operand alone.
•This is very useful when the right-hand operand depends on the value of
the left one in order to function properly.
• For example
if (denom != 0 && num / denom > 10)
• the following code fragment shows how you can take
advantage of short-circuit logical evaluation to be sure that a
division operation will be valid before evaluating it.
• circuit form of AND (&&) is used, there is no risk of
causing a run-time exception when denom is zero.
• If this line of code were written using the single & version
of AND, both sides would be evaluated, causing a run-time
exception when denom is zero.
The Assignment Operator
• The assignment operator is the single equal sign, =.
• The assignment operator works in Java much as it does in
any other computer language.
var = expression ;
• Here, the type of var must be compatible with the type of
expression.
• The assignment operator allows to create a chain of
assignments.
• For example:
int x, y, z;
x = y = z = 100; // set x, y, and z to 100
• This fragment sets the variables x , y, and z to 100 using a
single statement.
The ? Operator
• Java includes a special ternary (three-way)operator, ?, that
can replace certain types of if-then-else statements.
•The ? has this general form:
expression1 ? expression2 : expression3
• Here,expression1 can be any expression that evaluates to a
boolean value.
• If expression1 is true , then expression2 is evaluated;
otherwise, expression3 is evaluated.
• The result of the? operation is that of the expression
evaluated.
• Both expression2 and expression3 are required to return the
same type, which can’t be void.
• Example: TestTernary.java
ratio = denom == 0 ? 0 : num / denom ;
•When Java evaluates this assignment expression, it first looks
at the expression to the left of the question mark.
• If denom equals zero, then the expression between the
question mark and the colon is evaluated and used as the
value of the entire ? expression.
•If denom does not equal zero, then the expression after the
colon is evaluated and used for the value of the entire ?
expression.
•The result produced by the? operator is then assigned to ratio.
Operator Precedence
Highest
( ) [] .
++ -- %
+ -
>> >>> <<
> >= < <=
== !=
&
^
|
&&
||
?:
= Op=
Lowest
Questions

More Related Content

What's hot

What's hot (16)

OPERATORS OF C++
OPERATORS OF C++OPERATORS OF C++
OPERATORS OF C++
 
9 cm604.10
9 cm604.109 cm604.10
9 cm604.10
 
SPL 6 | Operators in C
SPL 6 | Operators in CSPL 6 | Operators in C
SPL 6 | Operators in C
 
Operator Precedence and Associativity
Operator Precedence and AssociativityOperator Precedence and Associativity
Operator Precedence and Associativity
 
Shubhrat operator &amp; expression
Shubhrat operator &amp; expressionShubhrat operator &amp; expression
Shubhrat operator &amp; expression
 
Type Conversion, Precedence and Associativity
Type Conversion, Precedence and AssociativityType Conversion, Precedence and Associativity
Type Conversion, Precedence and Associativity
 
Operators in java
Operators in javaOperators in java
Operators in java
 
Nullable type in C#
Nullable type in C#Nullable type in C#
Nullable type in C#
 
Java 8 Functional Programming - I
Java 8 Functional Programming - IJava 8 Functional Programming - I
Java 8 Functional Programming - I
 
Lecture 4: Functions
Lecture 4: FunctionsLecture 4: Functions
Lecture 4: Functions
 
Operator.ppt
Operator.pptOperator.ppt
Operator.ppt
 
Oop using JAVA
Oop using JAVAOop using JAVA
Oop using JAVA
 
Type conversion, precedence, associativity in c programming
Type conversion, precedence, associativity in c programmingType conversion, precedence, associativity in c programming
Type conversion, precedence, associativity in c programming
 
C++
C++ C++
C++
 
Regular expression automata
Regular expression automataRegular expression automata
Regular expression automata
 
Operators
OperatorsOperators
Operators
 

Viewers also liked

L7 inheritance
L7 inheritanceL7 inheritance
L7 inheritanceteach4uin
 
T03 b basicioscanf
T03 b basicioscanfT03 b basicioscanf
T03 b basicioscanfteach4uin
 
.Net framework
.Net framework.Net framework
.Net frameworkteach4uin
 
L7 inheritance
L7 inheritanceL7 inheritance
L7 inheritanceteach4uin
 
L5 classes, objects, nested and inner class
L5 classes, objects, nested and inner classL5 classes, objects, nested and inner class
L5 classes, objects, nested and inner classteach4uin
 
Cprogrammingprogramcontrols
CprogrammingprogramcontrolsCprogrammingprogramcontrols
Cprogrammingprogramcontrolsteach4uin
 
New microsoft office power point presentation
New microsoft office power point presentationNew microsoft office power point presentation
New microsoft office power point presentationteach4uin
 
L11 array list
L11 array listL11 array list
L11 array listteach4uin
 
L21 io streams
L21 io streamsL21 io streams
L21 io streamsteach4uin
 
L2 datatypes and variables
L2 datatypes and variablesL2 datatypes and variables
L2 datatypes and variablesteach4uin
 
static dynamic html tags
static dynamic html tagsstatic dynamic html tags
static dynamic html tagsteach4uin
 
Scripting languages
Scripting languagesScripting languages
Scripting languagesteach4uin
 

Viewers also liked (18)

L7 inheritance
L7 inheritanceL7 inheritance
L7 inheritance
 
T03 b basicioscanf
T03 b basicioscanfT03 b basicioscanf
T03 b basicioscanf
 
.Net framework
.Net framework.Net framework
.Net framework
 
L7 inheritance
L7 inheritanceL7 inheritance
L7 inheritance
 
L5 classes, objects, nested and inner class
L5 classes, objects, nested and inner classL5 classes, objects, nested and inner class
L5 classes, objects, nested and inner class
 
Cprogrammingprogramcontrols
CprogrammingprogramcontrolsCprogrammingprogramcontrols
Cprogrammingprogramcontrols
 
intro to c
intro to cintro to c
intro to c
 
keyword
keywordkeyword
keyword
 
New microsoft office power point presentation
New microsoft office power point presentationNew microsoft office power point presentation
New microsoft office power point presentation
 
Asp db
Asp dbAsp db
Asp db
 
L11 array list
L11 array listL11 array list
L11 array list
 
keyword
keywordkeyword
keyword
 
L21 io streams
L21 io streamsL21 io streams
L21 io streams
 
L2 datatypes and variables
L2 datatypes and variablesL2 datatypes and variables
L2 datatypes and variables
 
Cinfo
CinfoCinfo
Cinfo
 
static dynamic html tags
static dynamic html tagsstatic dynamic html tags
static dynamic html tags
 
L18 applets
L18 appletsL18 applets
L18 applets
 
Scripting languages
Scripting languagesScripting languages
Scripting languages
 

Similar to L3 operators

4_A1208223655_21789_2_2018_04. Operators.ppt
4_A1208223655_21789_2_2018_04. Operators.ppt4_A1208223655_21789_2_2018_04. Operators.ppt
4_A1208223655_21789_2_2018_04. Operators.pptRithwikRanjan
 
OPERATORS IN C.pptx
OPERATORS IN C.pptxOPERATORS IN C.pptx
OPERATORS IN C.pptxSKUP1
 
OPERATORS IN C.pptx
OPERATORS IN C.pptxOPERATORS IN C.pptx
OPERATORS IN C.pptxLECO9
 
Unit ii chapter 1 operator and expressions in c
Unit ii chapter 1 operator and expressions in cUnit ii chapter 1 operator and expressions in c
Unit ii chapter 1 operator and expressions in cSowmya Jyothi
 
OCA JAVA - 3 Programming with Java Operators
 OCA JAVA - 3 Programming with Java Operators OCA JAVA - 3 Programming with Java Operators
OCA JAVA - 3 Programming with Java OperatorsFernando Gil
 
Operators in Python
Operators in PythonOperators in Python
Operators in PythonAnusuya123
 
OCA Java SE 8 Exam Chapter 2 Operators & Statements
OCA Java SE 8 Exam Chapter 2 Operators & StatementsOCA Java SE 8 Exam Chapter 2 Operators & Statements
OCA Java SE 8 Exam Chapter 2 Operators & Statementsİbrahim Kürce
 
IOS Swift Language 3rd tutorial
IOS Swift Language 3rd tutorialIOS Swift Language 3rd tutorial
IOS Swift Language 3rd tutorialHassan A-j
 
operators and expressions in c++
 operators and expressions in c++ operators and expressions in c++
operators and expressions in c++sanya6900
 
Operators and Expressions in C++
Operators and Expressions in C++Operators and Expressions in C++
Operators and Expressions in C++Praveen M Jigajinni
 
Operators in java script
Operators   in  java scriptOperators   in  java script
Operators in java scriptAbhinav Somani
 
Operation and expression in c++
Operation and expression in c++Operation and expression in c++
Operation and expression in c++Online
 

Similar to L3 operators (20)

4_A1208223655_21789_2_2018_04. Operators.ppt
4_A1208223655_21789_2_2018_04. Operators.ppt4_A1208223655_21789_2_2018_04. Operators.ppt
4_A1208223655_21789_2_2018_04. Operators.ppt
 
OPERATORS IN C.pptx
OPERATORS IN C.pptxOPERATORS IN C.pptx
OPERATORS IN C.pptx
 
OPERATORS IN C.pptx
OPERATORS IN C.pptxOPERATORS IN C.pptx
OPERATORS IN C.pptx
 
Operators and Expressions
Operators and ExpressionsOperators and Expressions
Operators and Expressions
 
Operators in C Programming
Operators in C ProgrammingOperators in C Programming
Operators in C Programming
 
Unit ii chapter 1 operator and expressions in c
Unit ii chapter 1 operator and expressions in cUnit ii chapter 1 operator and expressions in c
Unit ii chapter 1 operator and expressions in c
 
OCA JAVA - 3 Programming with Java Operators
 OCA JAVA - 3 Programming with Java Operators OCA JAVA - 3 Programming with Java Operators
OCA JAVA - 3 Programming with Java Operators
 
Operators in Python
Operators in PythonOperators in Python
Operators in Python
 
Chap 3(operator expression)
Chap 3(operator expression)Chap 3(operator expression)
Chap 3(operator expression)
 
unit1 python.pptx
unit1 python.pptxunit1 python.pptx
unit1 python.pptx
 
OCA Java SE 8 Exam Chapter 2 Operators & Statements
OCA Java SE 8 Exam Chapter 2 Operators & StatementsOCA Java SE 8 Exam Chapter 2 Operators & Statements
OCA Java SE 8 Exam Chapter 2 Operators & Statements
 
IOS Swift Language 3rd tutorial
IOS Swift Language 3rd tutorialIOS Swift Language 3rd tutorial
IOS Swift Language 3rd tutorial
 
Types of Operators in C
Types of Operators in CTypes of Operators in C
Types of Operators in C
 
operators and expressions in c++
 operators and expressions in c++ operators and expressions in c++
operators and expressions in c++
 
Py-Slides-2 (1).ppt
Py-Slides-2 (1).pptPy-Slides-2 (1).ppt
Py-Slides-2 (1).ppt
 
Py-Slides-2.ppt
Py-Slides-2.pptPy-Slides-2.ppt
Py-Slides-2.ppt
 
Py-Slides-2.ppt
Py-Slides-2.pptPy-Slides-2.ppt
Py-Slides-2.ppt
 
Operators and Expressions in C++
Operators and Expressions in C++Operators and Expressions in C++
Operators and Expressions in C++
 
Operators in java script
Operators   in  java scriptOperators   in  java script
Operators in java script
 
Operation and expression in c++
Operation and expression in c++Operation and expression in c++
Operation and expression in c++
 

More from teach4uin

Master pages
Master pagesMaster pages
Master pagesteach4uin
 
State management
State managementState management
State managementteach4uin
 
security configuration
security configurationsecurity configuration
security configurationteach4uin
 
static dynamic html tags
 static dynamic html tags static dynamic html tags
static dynamic html tagsteach4uin
 
.Net overview
.Net overview.Net overview
.Net overviewteach4uin
 
Stdlib functions lesson
Stdlib functions lessonStdlib functions lesson
Stdlib functions lessonteach4uin
 
storage clas
storage classtorage clas
storage clasteach4uin
 
Cprogrammingoperator
CprogrammingoperatorCprogrammingoperator
Cprogrammingoperatorteach4uin
 
3 data-types-in-c
3 data-types-in-c3 data-types-in-c
3 data-types-in-cteach4uin
 

More from teach4uin (20)

Controls
ControlsControls
Controls
 
validation
validationvalidation
validation
 
validation
validationvalidation
validation
 
Master pages
Master pagesMaster pages
Master pages
 
Css1
Css1Css1
Css1
 
Code model
Code modelCode model
Code model
 
State management
State managementState management
State management
 
security configuration
security configurationsecurity configuration
security configuration
 
static dynamic html tags
 static dynamic html tags static dynamic html tags
static dynamic html tags
 
.Net overview
.Net overview.Net overview
.Net overview
 
Stdlib functions lesson
Stdlib functions lessonStdlib functions lesson
Stdlib functions lesson
 
enums
enumsenums
enums
 
memory
memorymemory
memory
 
array
arrayarray
array
 
storage clas
storage classtorage clas
storage clas
 
Cprogrammingoperator
CprogrammingoperatorCprogrammingoperator
Cprogrammingoperator
 
3 data-types-in-c
3 data-types-in-c3 data-types-in-c
3 data-types-in-c
 
functions
functionsfunctions
functions
 
file
filefile
file
 
structure
structurestructure
structure
 

Recently uploaded

Unraveling Multimodality with Large Language Models.pdf
Unraveling Multimodality with Large Language Models.pdfUnraveling Multimodality with Large Language Models.pdf
Unraveling Multimodality with Large Language Models.pdfAlex Barbosa Coqueiro
 
Advanced Test Driven-Development @ php[tek] 2024
Advanced Test Driven-Development @ php[tek] 2024Advanced Test Driven-Development @ php[tek] 2024
Advanced Test Driven-Development @ php[tek] 2024Scott Keck-Warren
 
"Subclassing and Composition – A Pythonic Tour of Trade-Offs", Hynek Schlawack
"Subclassing and Composition – A Pythonic Tour of Trade-Offs", Hynek Schlawack"Subclassing and Composition – A Pythonic Tour of Trade-Offs", Hynek Schlawack
"Subclassing and Composition – A Pythonic Tour of Trade-Offs", Hynek SchlawackFwdays
 
Tampa BSides - Chef's Tour of Microsoft Security Adoption Framework (SAF)
Tampa BSides - Chef's Tour of Microsoft Security Adoption Framework (SAF)Tampa BSides - Chef's Tour of Microsoft Security Adoption Framework (SAF)
Tampa BSides - Chef's Tour of Microsoft Security Adoption Framework (SAF)Mark Simos
 
Nell’iperspazio con Rocket: il Framework Web di Rust!
Nell’iperspazio con Rocket: il Framework Web di Rust!Nell’iperspazio con Rocket: il Framework Web di Rust!
Nell’iperspazio con Rocket: il Framework Web di Rust!Commit University
 
costume and set research powerpoint presentation
costume and set research powerpoint presentationcostume and set research powerpoint presentation
costume and set research powerpoint presentationphoebematthew05
 
Human Factors of XR: Using Human Factors to Design XR Systems
Human Factors of XR: Using Human Factors to Design XR SystemsHuman Factors of XR: Using Human Factors to Design XR Systems
Human Factors of XR: Using Human Factors to Design XR SystemsMark Billinghurst
 
Integration and Automation in Practice: CI/CD in Mule Integration and Automat...
Integration and Automation in Practice: CI/CD in Mule Integration and Automat...Integration and Automation in Practice: CI/CD in Mule Integration and Automat...
Integration and Automation in Practice: CI/CD in Mule Integration and Automat...Patryk Bandurski
 
Unleash Your Potential - Namagunga Girls Coding Club
Unleash Your Potential - Namagunga Girls Coding ClubUnleash Your Potential - Namagunga Girls Coding Club
Unleash Your Potential - Namagunga Girls Coding ClubKalema Edgar
 
Kotlin Multiplatform & Compose Multiplatform - Starter kit for pragmatics
Kotlin Multiplatform & Compose Multiplatform - Starter kit for pragmaticsKotlin Multiplatform & Compose Multiplatform - Starter kit for pragmatics
Kotlin Multiplatform & Compose Multiplatform - Starter kit for pragmaticscarlostorres15106
 
Pigging Solutions in Pet Food Manufacturing
Pigging Solutions in Pet Food ManufacturingPigging Solutions in Pet Food Manufacturing
Pigging Solutions in Pet Food ManufacturingPigging Solutions
 
"Federated learning: out of reach no matter how close",Oleksandr Lapshyn
"Federated learning: out of reach no matter how close",Oleksandr Lapshyn"Federated learning: out of reach no matter how close",Oleksandr Lapshyn
"Federated learning: out of reach no matter how close",Oleksandr LapshynFwdays
 
Install Stable Diffusion in windows machine
Install Stable Diffusion in windows machineInstall Stable Diffusion in windows machine
Install Stable Diffusion in windows machinePadma Pradeep
 
Transcript: New from BookNet Canada for 2024: BNC CataList - Tech Forum 2024
Transcript: New from BookNet Canada for 2024: BNC CataList - Tech Forum 2024Transcript: New from BookNet Canada for 2024: BNC CataList - Tech Forum 2024
Transcript: New from BookNet Canada for 2024: BNC CataList - Tech Forum 2024BookNet Canada
 
Dev Dives: Streamline document processing with UiPath Studio Web
Dev Dives: Streamline document processing with UiPath Studio WebDev Dives: Streamline document processing with UiPath Studio Web
Dev Dives: Streamline document processing with UiPath Studio WebUiPathCommunity
 
Artificial intelligence in cctv survelliance.pptx
Artificial intelligence in cctv survelliance.pptxArtificial intelligence in cctv survelliance.pptx
Artificial intelligence in cctv survelliance.pptxhariprasad279825
 
Powerpoint exploring the locations used in television show Time Clash
Powerpoint exploring the locations used in television show Time ClashPowerpoint exploring the locations used in television show Time Clash
Powerpoint exploring the locations used in television show Time Clashcharlottematthew16
 
CloudStudio User manual (basic edition):
CloudStudio User manual (basic edition):CloudStudio User manual (basic edition):
CloudStudio User manual (basic edition):comworks
 

Recently uploaded (20)

Unraveling Multimodality with Large Language Models.pdf
Unraveling Multimodality with Large Language Models.pdfUnraveling Multimodality with Large Language Models.pdf
Unraveling Multimodality with Large Language Models.pdf
 
Advanced Test Driven-Development @ php[tek] 2024
Advanced Test Driven-Development @ php[tek] 2024Advanced Test Driven-Development @ php[tek] 2024
Advanced Test Driven-Development @ php[tek] 2024
 
"Subclassing and Composition – A Pythonic Tour of Trade-Offs", Hynek Schlawack
"Subclassing and Composition – A Pythonic Tour of Trade-Offs", Hynek Schlawack"Subclassing and Composition – A Pythonic Tour of Trade-Offs", Hynek Schlawack
"Subclassing and Composition – A Pythonic Tour of Trade-Offs", Hynek Schlawack
 
Tampa BSides - Chef's Tour of Microsoft Security Adoption Framework (SAF)
Tampa BSides - Chef's Tour of Microsoft Security Adoption Framework (SAF)Tampa BSides - Chef's Tour of Microsoft Security Adoption Framework (SAF)
Tampa BSides - Chef's Tour of Microsoft Security Adoption Framework (SAF)
 
Nell’iperspazio con Rocket: il Framework Web di Rust!
Nell’iperspazio con Rocket: il Framework Web di Rust!Nell’iperspazio con Rocket: il Framework Web di Rust!
Nell’iperspazio con Rocket: il Framework Web di Rust!
 
costume and set research powerpoint presentation
costume and set research powerpoint presentationcostume and set research powerpoint presentation
costume and set research powerpoint presentation
 
Human Factors of XR: Using Human Factors to Design XR Systems
Human Factors of XR: Using Human Factors to Design XR SystemsHuman Factors of XR: Using Human Factors to Design XR Systems
Human Factors of XR: Using Human Factors to Design XR Systems
 
Integration and Automation in Practice: CI/CD in Mule Integration and Automat...
Integration and Automation in Practice: CI/CD in Mule Integration and Automat...Integration and Automation in Practice: CI/CD in Mule Integration and Automat...
Integration and Automation in Practice: CI/CD in Mule Integration and Automat...
 
Unleash Your Potential - Namagunga Girls Coding Club
Unleash Your Potential - Namagunga Girls Coding ClubUnleash Your Potential - Namagunga Girls Coding Club
Unleash Your Potential - Namagunga Girls Coding Club
 
Kotlin Multiplatform & Compose Multiplatform - Starter kit for pragmatics
Kotlin Multiplatform & Compose Multiplatform - Starter kit for pragmaticsKotlin Multiplatform & Compose Multiplatform - Starter kit for pragmatics
Kotlin Multiplatform & Compose Multiplatform - Starter kit for pragmatics
 
Pigging Solutions in Pet Food Manufacturing
Pigging Solutions in Pet Food ManufacturingPigging Solutions in Pet Food Manufacturing
Pigging Solutions in Pet Food Manufacturing
 
"Federated learning: out of reach no matter how close",Oleksandr Lapshyn
"Federated learning: out of reach no matter how close",Oleksandr Lapshyn"Federated learning: out of reach no matter how close",Oleksandr Lapshyn
"Federated learning: out of reach no matter how close",Oleksandr Lapshyn
 
Install Stable Diffusion in windows machine
Install Stable Diffusion in windows machineInstall Stable Diffusion in windows machine
Install Stable Diffusion in windows machine
 
Transcript: New from BookNet Canada for 2024: BNC CataList - Tech Forum 2024
Transcript: New from BookNet Canada for 2024: BNC CataList - Tech Forum 2024Transcript: New from BookNet Canada for 2024: BNC CataList - Tech Forum 2024
Transcript: New from BookNet Canada for 2024: BNC CataList - Tech Forum 2024
 
Dev Dives: Streamline document processing with UiPath Studio Web
Dev Dives: Streamline document processing with UiPath Studio WebDev Dives: Streamline document processing with UiPath Studio Web
Dev Dives: Streamline document processing with UiPath Studio Web
 
Artificial intelligence in cctv survelliance.pptx
Artificial intelligence in cctv survelliance.pptxArtificial intelligence in cctv survelliance.pptx
Artificial intelligence in cctv survelliance.pptx
 
E-Vehicle_Hacking_by_Parul Sharma_null_owasp.pptx
E-Vehicle_Hacking_by_Parul Sharma_null_owasp.pptxE-Vehicle_Hacking_by_Parul Sharma_null_owasp.pptx
E-Vehicle_Hacking_by_Parul Sharma_null_owasp.pptx
 
Powerpoint exploring the locations used in television show Time Clash
Powerpoint exploring the locations used in television show Time ClashPowerpoint exploring the locations used in television show Time Clash
Powerpoint exploring the locations used in television show Time Clash
 
DMCC Future of Trade Web3 - Special Edition
DMCC Future of Trade Web3 - Special EditionDMCC Future of Trade Web3 - Special Edition
DMCC Future of Trade Web3 - Special Edition
 
CloudStudio User manual (basic edition):
CloudStudio User manual (basic edition):CloudStudio User manual (basic edition):
CloudStudio User manual (basic edition):
 

L3 operators

  • 1. Programming in Java Lecture 3: Operators and Expressions
  • 2. Contents • Operators in Java • Arithmetic Operators • Bitwise Operators • Relational Operators • Logical Operators
  • 3. Operators in Java • Java’s operators can be grouped into following four categories: 1. Arithmetic 2. Bitwise 3. Relational 4. Logical.
  • 4. Arithmetic Operators • used in mathematical expressions. • operands of the arithmetic operators must be of a numeric type. • most operators in Java work just like they do in C/C++. • We can not use them on boolean types, but we can use them on char types, since the char type in Java is, essentially, a subset of int.
  • 5. Arithmetic Operators Operator Result • + Addition • - Subtraction (also unary minus) • * Multiplication • / Division • % Modulus • ++ Increment • += Addition assignment • -= Subtraction assignment • *= Multiplication assignment • /= Division assignment • %= Modulus assignment • - - Decrement
  • 6. Modulus Operator (%) • returns the remainder of a division operation. • can be applied to floating-point types as well as integer types. • This differs from C/C++, in which the % can only be applied to integer types. Example: Modulus.java
  • 7. Arithmetic Assignment Operators • used to combine an arithmetic operation with an assignment. Thus, the statements of the form var = var op expression; can be rewritten as var op= expression; • In Java, statements like a = a + 5; can be written as a += 5; Similarly: b = b % 3; can be written as b %= 3;
  • 8. Increment and Decrement • ++ and the - - are Java's increment and decrement operators. • The increment operator increases its operand by one. • x++; is equivalent to x = x + 1; • The decrement operator decreases its operand by one. • y--; is equivalent to y = y – 1; • They can appear both in • postfix form, where they follow the operand, and • prefix form, where they precede the operand.
  • 9. • In the prefix form, the operand is incremented or decremented before the value is obtained for use in the expression. Example: x = 19; y = ++x; Output: y = 20 and x = 20 • In postfix form, the previous value is obtained for use in the expression, and then the operand is modified. Example: x = 19; y = x++; Output: y = 19 and x = 20
  • 10. Bitwise Operators • These operators act upon the individual bits of their operands. • can be applied to the integer types, long, int, short, char, and byte.
  • 11. Operator Result ~ Bitwise unary NOT & Bitwise AND | Bitwise OR ^ Bitwise exclusive OR >> Shift right >>> Shift right zero fill << Shift left &= Bitwise AND assignment |= Bitwise OR assignment ^= Bitwise exclusive OR assignment >>= Shift right assignment >>>= Shift right zero fill assignment <<= Shift left assignment
  • 12. Bitwise Logical Operators • The bitwise logical operators are • ~ (NOT) • & (AND) • | (OR) • ^ (XOR) • Example:
  • 13. The Left Shift • The left shift operator,<<, shifts all of the bits in a value to the left a specified number of times. value << num • Example: • 01000001 65 • << 2 • 00000100 4
  • 14. The Right Shift • The right shift operator, >>, shifts all of the bits in a value to the right a specified number of times. value >> num • Example: • 00100011 35 • >> 2 • 00001000 8
  • 15. • When we are shifting right, the top (leftmost) bits exposed by the right shift are filled in with the previous contents of the top bit. • This is called sign extension and serves to preserve the sign of negative numbers when you shift them right.
  • 16. The Unsigned Right Shift • In these cases, to shift a zero into the high-order bit no matter what its initial value was. This is known as an unsigned shift. • To accomplish this, we will use Java’s unsigned, shift-right operator, >>>, which always shifts zeros into the high-order bit. • Example: • 11111111 11111111 11111111 11111111 –1 in binary as an int • >>>24 • 00000000 00000000 00000000 11111111 255 in binary as an int
  • 17. Bitwise Operator Compound Assignments • combines the assignment with the bitwise operation. • Similar to the algebraic operators • For example, the following two statements, which shift the value in a right by four bits, are equivalent: a = a >> 4; a >>= 4; • Likewise, a = a | b; a |= b;
  • 18. Relational Operators • The relational operators determine the relationship that one operand has to the other. • Relational operators determine equality and ordering. • The outcome of relational operations is a boolean value. Operator Function == equal to != not equal to < less than > greater than <= less than or equal to >= greater than or equal to
  • 19. • The result produced by a relational operator is a boolean value. • For example, the following code fragment is perfectly valid: • int a = 4; • int b = 1; • boolean c = a < b; •In this case, the result of a<b (which is false) is stored in c.
  • 20. Boolean Logical Operators • The Boolean logical operators shown here operate only on boolean operands. Operator Result & Logical AND | Logical OR ^ Logical XOR (exclusive OR) || Short-circuit OR && Short-circuit AND ! Logical unary NOT &= AND assignment |= OR assignment ^= XOR assignment == Equal to != Not equal to ?: Ternary if-then-else
  • 21. •All of the binary logical operators combine two boolean values to form a resultant boolean value. •The logical Boolean operators,&, |, and ^, operate on boolean values in the same way that they operate on the bits of an integer. •The following table shows the effect of each logical operation: A B A | B A & B A ^ B ~ A False False False False False True True False True False True False False True True False True True True True True True False False
  • 22. Short-Circuit Logical Operators • These are secondary versions of the Boolean AND and OR operators, and are known as short-circuit logical operators. • OR operator results in true when A is true , no matter what B is. • Similarly, AND operator results in false when A is false, no matter what B is. • If we use the || and && forms, rather than the | and & forms of these operators, Java will not bother to evaluate the right-hand operand when the outcome of the expression can be determined by the left operand alone. •This is very useful when the right-hand operand depends on the value of the left one in order to function properly.
  • 23. • For example if (denom != 0 && num / denom > 10) • the following code fragment shows how you can take advantage of short-circuit logical evaluation to be sure that a division operation will be valid before evaluating it. • circuit form of AND (&&) is used, there is no risk of causing a run-time exception when denom is zero. • If this line of code were written using the single & version of AND, both sides would be evaluated, causing a run-time exception when denom is zero.
  • 24. The Assignment Operator • The assignment operator is the single equal sign, =. • The assignment operator works in Java much as it does in any other computer language. var = expression ; • Here, the type of var must be compatible with the type of expression. • The assignment operator allows to create a chain of assignments. • For example: int x, y, z; x = y = z = 100; // set x, y, and z to 100 • This fragment sets the variables x , y, and z to 100 using a single statement.
  • 25. The ? Operator • Java includes a special ternary (three-way)operator, ?, that can replace certain types of if-then-else statements. •The ? has this general form: expression1 ? expression2 : expression3 • Here,expression1 can be any expression that evaluates to a boolean value. • If expression1 is true , then expression2 is evaluated; otherwise, expression3 is evaluated. • The result of the? operation is that of the expression evaluated. • Both expression2 and expression3 are required to return the same type, which can’t be void.
  • 26. • Example: TestTernary.java ratio = denom == 0 ? 0 : num / denom ; •When Java evaluates this assignment expression, it first looks at the expression to the left of the question mark. • If denom equals zero, then the expression between the question mark and the colon is evaluated and used as the value of the entire ? expression. •If denom does not equal zero, then the expression after the colon is evaluated and used for the value of the entire ? expression. •The result produced by the? operator is then assigned to ratio.
  • 27. Operator Precedence Highest ( ) [] . ++ -- % + - >> >>> << > >= < <= == != & ^ | && || ?: = Op= Lowest

Editor's Notes

  1. 이 TP에서는 자바의 생성 배경과 그 동안 자바가 어떻게 발전해 왔는지에 대해 설명한다.