SlideShare a Scribd company logo
1 of 29
CSE 310
PROGRAMMING IN JAVA
Control Statements
Control Statements
 A programming language uses control statements to
cause the flow of execution to advance and branch
based on changes to the state of a program.
 Java’s program control statements can be put into the
following categories: selection, iteration, and jump.
 Selection statements allow your program to choose
different paths of execution based upon the outcome
of an expression or the state of a variable.
 Iteration statements enable program execution to
repeat one or more statements (that is, iteration
statements form loops).
 Jump statements allow your program to execute in a
nonlinear fashion.
Java’s Selection Statements
 Java supports two selection statements: if and
switch.
 These statements allow you to control the flow of
your program’s execution based upon conditions
known only during run time.
 If
 The Java if statement tests the condition. It
executes the if block if condition is true.
 Syntax:
if(condition){
//code to be executed
}
Java’s Selection Statements
 IF-else
 The Java if-else statement also tests the condition. It
executes the if block if condition is true otherwise else
block is executed.
 Syntax:
if(condition){
//code if condition is true
}else{
//code if condition is false
}
 The if statement is Java’s conditional branch statement.
It can be used to route program execution through two
different paths. Here is the general form of the if
statement: Here, each statement may be a single
statement or a compound statement enclosed in curly
braces (that is, a block). The condition is any expression
that returns a boolean value.
Java’s Selection Statements
 Nested ifs
 A nested if is an if statement that is the target of an other if or
else. Nested ifs are very common in programming. When you
nest ifs, the main thing to remember is that an else statement
always refers to the nearest if statement that is within the
same block as the else and that is not already associated with
an else.
 Here is an example:
if(i == 10) {
if(j < 20) a = b;
if(k > 100) c = d; // this if is
else a = c; // associated with this else
}
else a = d; // this else refers to if(i == 10)
 As the comments indicate, the final else is not associated with
if(j<20)because it is not in the same block (even though it is
the nearest if without an else). Rather, the final else is
associated with if(i==10). The inner else refers to
if(k>100)because it is the closest if within the same block.
Java’s Selection Statements
 if-else-if Ladder
 A common programming construct that is based upon a
sequence of nested ifs is the if-else-if ladder. It looks like
this:
if(condition)
statement;
else if(condition)
statement;
else if(condition)
statement;
.
.
.
else
statement;
Java’s Selection Statements
 The if statements are executed from the top down.
As soon as one of the conditions controlling
 The if is true, the statement associated with that if is
executed, and the rest of the ladder is by passed. If
none of the conditions is true, then the final else
statement will be executed.
 The final else acts as a default condition; that is, if
all other conditional tests fail, then the last else
statement is performed.
 If there is no final else and all other conditions are
false, then no action will take place
Java’s Selection Statements
 switch
 The switch statement is Java’s multi way branch statement. It
provides an easy way to dispatch execution to different parts
of your code based on the value of an expression. As such, it
often provides a better alternative than a large series of if-else-
if statements. Here is the general form of a switch statement:
switch(expression){
case value1:
//code to be executed;
break; //optional
case value2:
//code to be executed;
break; //optional
......
default:
code to be executed if all cases are not matched;
}
Java’s Selection Statements
 The expression must be of type byte, short, int, or char; each of
the values specified in the case statements must be of a type
compatible with the expression.
 Each case value must be a unique literal (that is, it must be a
constant, not a variable). Duplicate case values are not allowed.
 The switch statement works like this: The value of the expression
is compared with each of the literal values in the case
statements. If a match is found, the code sequence following that
case statement is executed. If none of the constants matches the
value of the expression, then the default statement is executed.
However, the default statement is optional. If no case matches
and no default is present, then no further action is taken.
 The break statement is used inside the switch to terminate a
statement sequence. When a break statement is encountered,
execution branches to the first line of code that follows the entire
switch statement. This has the effect of “jumping out” of
theswitch
Java’s Selection Statements
 The conditional operator
 The value of a variable often depends on whether a particular
boolean expression is or is not true and on nothing else. For
instance one common operation is setting the value of a
variable to the maximum of two quantities. In Java you might
write
if (a > b) {
max = a; }
else {
max = b; }
 Setting a single variable to one of two states based on a
single condition is such a common use of if-else that a
shortcut has been devised for it, the conditional operator, ?:.
Using the conditional operator you can rewrite the above
example in a single line like this:
max = (a > b) ? a : b;
 (a > b) ? a : b; is an expression which returns one of two
values, a or b. The condition, (a > b), is tested. If it is true the
first value, a, is returned. If it is false, the second value, b, is
returned. Whichever value is returned is dependent on the
Iteration Statements
 Java’s iteration statements are for, while, and do-
while.
 These statements create what we commonly call
loops.
 As you probably know, a loop repeatedly
executes the same set of instructions until a
termination condition is met.
 As you will see, Java has a loop to fit any
programming need.
Iteration Statements
 while
 The while loop is Java’s most fundamental loop
statement. It repeats a statement or block while its
controlling expression is true. Here is its general
form:
while(condition) {
// body of loop
}
 The condition can be any Boolean expression. The
body of the loop will be executed as long as the
conditional expression is true. When condition
becomes false, control passes to the next line of
code immediately following the loop. The curly
braces are unnecessary if only a single statement is
being repeated.
Iteration Statements
 do-while
 As you just saw, if the conditional expression controlling a
while loop is initially false, then the body of the loop will not be
executed at all. However, sometimes it is desirable to execute
the body of a loop at least once, even if the conditional
expression is false to begin with. In other words, there are
times when you would like to test the termination expression at
the end of the loop rather than at the beginning. Fortunately,
Java supplies a loop that does just that: the do-while.
 The do-while loop always executes its body at least once,
because its conditional expression is at the bottom of the loop.
Its general form is
do {
// body of loop
} while (condition);
 Each iteration of the do-while loop first executes the body of
the loop and then evaluates the conditional expression. If this
expression is true, the loop will repeat. Otherwise, the loop
terminates. As with all of Java’s loops, condition must be a
Boolean expression
Iteration Statements
 for
 Here is the general form of the for statement:
for(initialization; condition; iteration) {
// body
}
 If only one statement is being repeated, there is no need for the
curly braces.
 The for loop operates as follows. When the loop first starts, the
initialization portion of the loop is executed. Generally, this is an
expression that sets the value of the loop control variable, which
acts as a counter that controls the loop. It is important to
understand that the initialization expression is only executed
once. Next, condition is evaluated. This must be a Boolean
expression. It usually tests the loop control variable against a
target value. If this expression is true, then the body of the loop is
executed. If it is false, the loop terminates. Next, the iteration
portion of the loop is executed. This is usually an expression that
increments or decrements the loop control variable. The loop
then iterates, first evaluating the conditional expression, then
executing the body of the loop, and then executing the iteration
expression with each pass. This process repeats until the
Iteration Statements
 The For-Each Version of the for Loop
 The general form of the for-each version of the for is
shown here:
for(type itr-var : collection)statement-block
 Here, type specifies the type and itr-var specifies the
name of an iteration variable that will receive the
elements from a collection, one at a time, from beginning
to end.
 The collection being cycled through is specified by
collection. There are various types of collections that can
be used with the for, but the only type used in this
chapter is the array.
 With each iteration of the loop, the next element in the
collection is retrieved and stored in itr-var. The loop
repeats until all elements in the collection have been
obtained.
 Because the iteration variable receives values from the
collection, type must be the same as (or compatible
Jump Statements
 Java supports three jump statements: break,
continue, and return.
 These statements transfer control to another part
of your program.
 Using break
 Using break to Exit a Loop
 Using break as a Form of Goto
 Using continue
 Using return
 Check whether a given integer is positive even, negative
even, positive odd or negative odd
 Greatest of two numbers/ three numbers
 / write data student %
 // if % is above 90 -> 'S'
 // if % is above 80 -> 'A'
 // if % is above 70 -> 'B'
 // if % is above 60 -> 'C'
 // if % is above 50 -> 'D'
 // otherwise below 50 -> fail
 }
 import java.util.Scanner;
 class per
 {
 public static void main(String[] args)
 {
 Scanner obj= new Scanner(System.in);
 System.out.println("enter age=");
 int per= obj.nextInt();
 //float per= obj.nextFloat();
 if (per>=90)
 System.out.println("S grade");
 else if((per<90)&&(per>=80))
 System.out.println("A grade");
 else if((per<80)&&(per>=70))
 System.out.println("B grade");
 else if((per<70)&&(per>=60))
 System.out.println("C grade");
 else if((per<60)&&(per>=50))
 System.out.println("D grade");
 else
 System.out.println("FAIL");
 }
Vowel or consent
 import java.util.Scanner;
 class age
 {
 public static void main(String[] args)
 {
 Scanner obj= new Scanner(System.in);
 System.out.println("enter string=");
 char ch= obj.next().charAt(0);
 if((ch=='a') || (ch=='e') || (ch=='i') || (ch=='o') || (ch=='u') || (ch=='A'))
 {System.out.println("vowel");}
 else
 {System.out.println("consonent");}
 }
 }
Check whether a given integer is positive even, negative even, positive odd or
negative odd
Find Largest Among three numbers
using if..else statement

 public class Largest {
 public static void main(String[] args) {
 double n1 = -4.5, n2 = 3.9, n3 = 2.5;
 if( n1 >= n2 && n1 >= n3)
 System.out.println(n1 + " is the largest number.");
 else if (n2 >= n1 && n2 >= n3)
 System.out.println(n2 + " is the largest number.");
 else
 System.out.println(n3 + " is the largest number.");
 }
 }
Java Switch Statement
 The Java switch statement executes one
statement from multiple conditions. It is like if-
else-if ladder statement. The switch statement
works with byte, short, int, long, enum types,
String and some wrapper types like Byte, Short,
Int, and Long. Since Java 7, you can
use strings in the switch statement.
 In other words, the switch statement tests the
equality of a variable against multiple values.
 Points to Remember
• There can be one or N number of case
values for a switch expression.
• The case value must be of switch expression
type only. The case value must be literal or
constant. It doesn't allow variables.
• The case values must be unique. In case of
duplicate value, it renders compile-time error.
• The Java switch expression must be of byte,
short, int, long (with its Wrapper
type), enums and string.
• Each case statement can have a break
statement which is optional. When control
reaches to the break statement, it jumps the
control after the switch expression. If a break
statement is not found, it executes the next
case.
• The case value can have a default label which is
optional.
 Syntax:
1. switch(expression){
2. case value1:
3. //code to be executed;
4. break; //optional
5. case value2:
6. //code to be executed;
7. break; //optional
8. ......
9.
10. default:
11. code to be executed if all cases are not matche
d;
12. }
 Write a program to
find out whether a
student is pass or fail;
if it requires a total of
40% and at least 33%
in each subject to
pass. Assume 3
subjects and take
marks as input from
the user.
 byte m1, m2, m3;
 // Scanner sc = new Scanner(System.in);
 // System.out.println("Enter your marks in Physics");
 // m1 = sc.nextByte();
 //
 // System.out.println("Enter your marks in Chemistry");
 // m2= sc.nextByte();
 //
 // System.out.println("Enter your marks in
Mathematics");
 // m3 = sc.nextByte();
 // float avg = (m1+m2+m3)/3.0f;
 // System.out.println("Your Overall percentage is: " +
avg);
 // if(avg>=40 && m1>=33 && m2>=33 && m3>=33){
 // System.out.println("Congratulations, You have
been promoted");
 // }
 // else{
 // System.out.println("Sorry, You have not been
promoted! Please try again.");
 // }
 Write a Java program
to find whether a year
entered by the user is
a leap year or not.
 // if the year is divided by 4
 if (year % 4 == 0) {
 // if the year is century
 if (year % 100 == 0) {
 // if year is divided by 400
 // then it is a leap year
 if (year % 400 == 0)
 leap = true;
 else
 leap = false;
 }

 // if the year is not century
 else
 leap = true;
 }

 else
 leap = false;
 if (leap)
 System.out.println(year + " is a leap year.");
 else
 System.out.println(year + " is not a leap year.");
 }
 }
 Quick Quiz 1: Write a program to print
first n odd numbers using a for loop.
 public class cwh_23_for_loop {
 public static void main(String[] args) {
 // for (int i=1; i<=10; i++){
 // System.out.println(i);
 // }
 // 2i = Even Numbers = 0, 2, 4, 6, 8
 // 2i+1 = Odd Numbers = 1, 3, 5, 7, 9
 //int n = 3;
 //for (int i =0; i<n; i++){
 // System.out.println(2*i+1);
 //}
 for(int i=5; i!=0; i--){
 System.out.println(i);
 }
 }
 }

More Related Content

Similar to 6.pptx

Lecture 7 Control Statements.pdf
Lecture 7 Control Statements.pdfLecture 7 Control Statements.pdf
Lecture 7 Control Statements.pdfSalmanKhurshid25
 
Java Decision Control
Java Decision ControlJava Decision Control
Java Decision ControlJayfee Ramos
 
web presentation 138.pptx
web presentation 138.pptxweb presentation 138.pptx
web presentation 138.pptxAbhiYadav655132
 
Decision Making and Branching in C
Decision Making and Branching  in CDecision Making and Branching  in C
Decision Making and Branching in CRAJ KUMAR
 
Chapter 4(1)
Chapter 4(1)Chapter 4(1)
Chapter 4(1)TejaswiB4
 
BSc. III Unit iii VB.NET
BSc. III Unit iii VB.NETBSc. III Unit iii VB.NET
BSc. III Unit iii VB.NETUjwala Junghare
 
Bansal presentation (1).pptx
Bansal presentation (1).pptxBansal presentation (1).pptx
Bansal presentation (1).pptxAbhiYadav655132
 
Constructs (Programming Methodology)
Constructs (Programming Methodology)Constructs (Programming Methodology)
Constructs (Programming Methodology)Jyoti Bhardwaj
 
Flow of control by deepak lakhlan
Flow of control by deepak lakhlanFlow of control by deepak lakhlan
Flow of control by deepak lakhlanDeepak Lakhlan
 
Do While Repetition Structure
Do While Repetition StructureDo While Repetition Structure
Do While Repetition StructureShahzu2
 
Selection statements
Selection statementsSelection statements
Selection statementsHarsh Dabas
 
Java basics and java variables
Java basics and java variablesJava basics and java variables
Java basics and java variablesPushpendra Tyagi
 

Similar to 6.pptx (20)

Lecture 7 Control Statements.pdf
Lecture 7 Control Statements.pdfLecture 7 Control Statements.pdf
Lecture 7 Control Statements.pdf
 
Java Decision Control
Java Decision ControlJava Decision Control
Java Decision Control
 
web presentation 138.pptx
web presentation 138.pptxweb presentation 138.pptx
web presentation 138.pptx
 
Java -lec-4
Java -lec-4Java -lec-4
Java -lec-4
 
Decision Making and Branching in C
Decision Making and Branching  in CDecision Making and Branching  in C
Decision Making and Branching in C
 
If else statement 05 (js)
If else statement 05 (js)If else statement 05 (js)
If else statement 05 (js)
 
Chapter 4(1)
Chapter 4(1)Chapter 4(1)
Chapter 4(1)
 
BSc. III Unit iii VB.NET
BSc. III Unit iii VB.NETBSc. III Unit iii VB.NET
BSc. III Unit iii VB.NET
 
Bansal presentation (1).pptx
Bansal presentation (1).pptxBansal presentation (1).pptx
Bansal presentation (1).pptx
 
Constructs (Programming Methodology)
Constructs (Programming Methodology)Constructs (Programming Methodology)
Constructs (Programming Methodology)
 
Flow of control by deepak lakhlan
Flow of control by deepak lakhlanFlow of control by deepak lakhlan
Flow of control by deepak lakhlan
 
Do While Repetition Structure
Do While Repetition StructureDo While Repetition Structure
Do While Repetition Structure
 
Flow of control
Flow of controlFlow of control
Flow of control
 
C language 2
C language 2C language 2
C language 2
 
C++ STATEMENTS
C++ STATEMENTS C++ STATEMENTS
C++ STATEMENTS
 
Selection statements
Selection statementsSelection statements
Selection statements
 
Control structures
Control structuresControl structures
Control structures
 
Programming in Arduino (Part 2)
Programming in Arduino  (Part 2)Programming in Arduino  (Part 2)
Programming in Arduino (Part 2)
 
Unix shell scripts
Unix shell scriptsUnix shell scripts
Unix shell scripts
 
Java basics and java variables
Java basics and java variablesJava basics and java variables
Java basics and java variables
 

Recently uploaded

MENTAL STATUS EXAMINATION format.docx
MENTAL     STATUS EXAMINATION format.docxMENTAL     STATUS EXAMINATION format.docx
MENTAL STATUS EXAMINATION format.docxPoojaSen20
 
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
 
URLs and Routing in the Odoo 17 Website App
URLs and Routing in the Odoo 17 Website AppURLs and Routing in the Odoo 17 Website App
URLs and Routing in the Odoo 17 Website AppCeline George
 
How to Make a Pirate ship Primary Education.pptx
How to Make a Pirate ship Primary Education.pptxHow to Make a Pirate ship Primary Education.pptx
How to Make a Pirate ship Primary Education.pptxmanuelaromero2013
 
Industrial Policy - 1948, 1956, 1973, 1977, 1980, 1991
Industrial Policy - 1948, 1956, 1973, 1977, 1980, 1991Industrial Policy - 1948, 1956, 1973, 1977, 1980, 1991
Industrial Policy - 1948, 1956, 1973, 1977, 1980, 1991RKavithamani
 
Kisan Call Centre - To harness potential of ICT in Agriculture by answer farm...
Kisan Call Centre - To harness potential of ICT in Agriculture by answer farm...Kisan Call Centre - To harness potential of ICT in Agriculture by answer farm...
Kisan Call Centre - To harness potential of ICT in Agriculture by answer farm...Krashi Coaching
 
Solving Puzzles Benefits Everyone (English).pptx
Solving Puzzles Benefits Everyone (English).pptxSolving Puzzles Benefits Everyone (English).pptx
Solving Puzzles Benefits Everyone (English).pptxOH TEIK BIN
 
Hybridoma Technology ( Production , Purification , and Application )
Hybridoma Technology  ( Production , Purification , and Application  ) Hybridoma Technology  ( Production , Purification , and Application  )
Hybridoma Technology ( Production , Purification , and Application ) Sakshi Ghasle
 
Employee wellbeing at the workplace.pptx
Employee wellbeing at the workplace.pptxEmployee wellbeing at the workplace.pptx
Employee wellbeing at the workplace.pptxNirmalaLoungPoorunde1
 
Software Engineering Methodologies (overview)
Software Engineering Methodologies (overview)Software Engineering Methodologies (overview)
Software Engineering Methodologies (overview)eniolaolutunde
 
Introduction to ArtificiaI Intelligence in Higher Education
Introduction to ArtificiaI Intelligence in Higher EducationIntroduction to ArtificiaI Intelligence in Higher Education
Introduction to ArtificiaI Intelligence in Higher Educationpboyjonauth
 
Science 7 - LAND and SEA BREEZE and its Characteristics
Science 7 - LAND and SEA BREEZE and its CharacteristicsScience 7 - LAND and SEA BREEZE and its Characteristics
Science 7 - LAND and SEA BREEZE and its CharacteristicsKarinaGenton
 
Organic Name Reactions for the students and aspirants of Chemistry12th.pptx
Organic Name Reactions  for the students and aspirants of Chemistry12th.pptxOrganic Name Reactions  for the students and aspirants of Chemistry12th.pptx
Organic Name Reactions for the students and aspirants of Chemistry12th.pptxVS Mahajan Coaching Centre
 
mini mental status format.docx
mini    mental       status     format.docxmini    mental       status     format.docx
mini mental status format.docxPoojaSen20
 
Separation of Lanthanides/ Lanthanides and Actinides
Separation of Lanthanides/ Lanthanides and ActinidesSeparation of Lanthanides/ Lanthanides and Actinides
Separation of Lanthanides/ Lanthanides and ActinidesFatimaKhan178732
 
Contemporary philippine arts from the regions_PPT_Module_12 [Autosaved] (1).pptx
Contemporary philippine arts from the regions_PPT_Module_12 [Autosaved] (1).pptxContemporary philippine arts from the regions_PPT_Module_12 [Autosaved] (1).pptx
Contemporary philippine arts from the regions_PPT_Module_12 [Autosaved] (1).pptxRoyAbrique
 
Sanyam Choudhary Chemistry practical.pdf
Sanyam Choudhary Chemistry practical.pdfSanyam Choudhary Chemistry practical.pdf
Sanyam Choudhary Chemistry practical.pdfsanyamsingh5019
 

Recently uploaded (20)

MENTAL STATUS EXAMINATION format.docx
MENTAL     STATUS EXAMINATION format.docxMENTAL     STATUS EXAMINATION format.docx
MENTAL STATUS EXAMINATION format.docx
 
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
 
URLs and Routing in the Odoo 17 Website App
URLs and Routing in the Odoo 17 Website AppURLs and Routing in the Odoo 17 Website App
URLs and Routing in the Odoo 17 Website App
 
How to Make a Pirate ship Primary Education.pptx
How to Make a Pirate ship Primary Education.pptxHow to Make a Pirate ship Primary Education.pptx
How to Make a Pirate ship Primary Education.pptx
 
Industrial Policy - 1948, 1956, 1973, 1977, 1980, 1991
Industrial Policy - 1948, 1956, 1973, 1977, 1980, 1991Industrial Policy - 1948, 1956, 1973, 1977, 1980, 1991
Industrial Policy - 1948, 1956, 1973, 1977, 1980, 1991
 
Kisan Call Centre - To harness potential of ICT in Agriculture by answer farm...
Kisan Call Centre - To harness potential of ICT in Agriculture by answer farm...Kisan Call Centre - To harness potential of ICT in Agriculture by answer farm...
Kisan Call Centre - To harness potential of ICT in Agriculture by answer farm...
 
Staff of Color (SOC) Retention Efforts DDSD
Staff of Color (SOC) Retention Efforts DDSDStaff of Color (SOC) Retention Efforts DDSD
Staff of Color (SOC) Retention Efforts DDSD
 
Solving Puzzles Benefits Everyone (English).pptx
Solving Puzzles Benefits Everyone (English).pptxSolving Puzzles Benefits Everyone (English).pptx
Solving Puzzles Benefits Everyone (English).pptx
 
Hybridoma Technology ( Production , Purification , and Application )
Hybridoma Technology  ( Production , Purification , and Application  ) Hybridoma Technology  ( Production , Purification , and Application  )
Hybridoma Technology ( Production , Purification , and Application )
 
Employee wellbeing at the workplace.pptx
Employee wellbeing at the workplace.pptxEmployee wellbeing at the workplace.pptx
Employee wellbeing at the workplace.pptx
 
Software Engineering Methodologies (overview)
Software Engineering Methodologies (overview)Software Engineering Methodologies (overview)
Software Engineering Methodologies (overview)
 
Model Call Girl in Tilak Nagar Delhi reach out to us at 🔝9953056974🔝
Model Call Girl in Tilak Nagar Delhi reach out to us at 🔝9953056974🔝Model Call Girl in Tilak Nagar Delhi reach out to us at 🔝9953056974🔝
Model Call Girl in Tilak Nagar Delhi reach out to us at 🔝9953056974🔝
 
Introduction to ArtificiaI Intelligence in Higher Education
Introduction to ArtificiaI Intelligence in Higher EducationIntroduction to ArtificiaI Intelligence in Higher Education
Introduction to ArtificiaI Intelligence in Higher Education
 
TataKelola dan KamSiber Kecerdasan Buatan v022.pdf
TataKelola dan KamSiber Kecerdasan Buatan v022.pdfTataKelola dan KamSiber Kecerdasan Buatan v022.pdf
TataKelola dan KamSiber Kecerdasan Buatan v022.pdf
 
Science 7 - LAND and SEA BREEZE and its Characteristics
Science 7 - LAND and SEA BREEZE and its CharacteristicsScience 7 - LAND and SEA BREEZE and its Characteristics
Science 7 - LAND and SEA BREEZE and its Characteristics
 
Organic Name Reactions for the students and aspirants of Chemistry12th.pptx
Organic Name Reactions  for the students and aspirants of Chemistry12th.pptxOrganic Name Reactions  for the students and aspirants of Chemistry12th.pptx
Organic Name Reactions for the students and aspirants of Chemistry12th.pptx
 
mini mental status format.docx
mini    mental       status     format.docxmini    mental       status     format.docx
mini mental status format.docx
 
Separation of Lanthanides/ Lanthanides and Actinides
Separation of Lanthanides/ Lanthanides and ActinidesSeparation of Lanthanides/ Lanthanides and Actinides
Separation of Lanthanides/ Lanthanides and Actinides
 
Contemporary philippine arts from the regions_PPT_Module_12 [Autosaved] (1).pptx
Contemporary philippine arts from the regions_PPT_Module_12 [Autosaved] (1).pptxContemporary philippine arts from the regions_PPT_Module_12 [Autosaved] (1).pptx
Contemporary philippine arts from the regions_PPT_Module_12 [Autosaved] (1).pptx
 
Sanyam Choudhary Chemistry practical.pdf
Sanyam Choudhary Chemistry practical.pdfSanyam Choudhary Chemistry practical.pdf
Sanyam Choudhary Chemistry practical.pdf
 

6.pptx

  • 3. Control Statements  A programming language uses control statements to cause the flow of execution to advance and branch based on changes to the state of a program.  Java’s program control statements can be put into the following categories: selection, iteration, and jump.  Selection statements allow your program to choose different paths of execution based upon the outcome of an expression or the state of a variable.  Iteration statements enable program execution to repeat one or more statements (that is, iteration statements form loops).  Jump statements allow your program to execute in a nonlinear fashion.
  • 4. Java’s Selection Statements  Java supports two selection statements: if and switch.  These statements allow you to control the flow of your program’s execution based upon conditions known only during run time.  If  The Java if statement tests the condition. It executes the if block if condition is true.  Syntax: if(condition){ //code to be executed }
  • 5. Java’s Selection Statements  IF-else  The Java if-else statement also tests the condition. It executes the if block if condition is true otherwise else block is executed.  Syntax: if(condition){ //code if condition is true }else{ //code if condition is false }  The if statement is Java’s conditional branch statement. It can be used to route program execution through two different paths. Here is the general form of the if statement: Here, each statement may be a single statement or a compound statement enclosed in curly braces (that is, a block). The condition is any expression that returns a boolean value.
  • 6. Java’s Selection Statements  Nested ifs  A nested if is an if statement that is the target of an other if or else. Nested ifs are very common in programming. When you nest ifs, the main thing to remember is that an else statement always refers to the nearest if statement that is within the same block as the else and that is not already associated with an else.  Here is an example: if(i == 10) { if(j < 20) a = b; if(k > 100) c = d; // this if is else a = c; // associated with this else } else a = d; // this else refers to if(i == 10)  As the comments indicate, the final else is not associated with if(j<20)because it is not in the same block (even though it is the nearest if without an else). Rather, the final else is associated with if(i==10). The inner else refers to if(k>100)because it is the closest if within the same block.
  • 7. Java’s Selection Statements  if-else-if Ladder  A common programming construct that is based upon a sequence of nested ifs is the if-else-if ladder. It looks like this: if(condition) statement; else if(condition) statement; else if(condition) statement; . . . else statement;
  • 8. Java’s Selection Statements  The if statements are executed from the top down. As soon as one of the conditions controlling  The if is true, the statement associated with that if is executed, and the rest of the ladder is by passed. If none of the conditions is true, then the final else statement will be executed.  The final else acts as a default condition; that is, if all other conditional tests fail, then the last else statement is performed.  If there is no final else and all other conditions are false, then no action will take place
  • 9. Java’s Selection Statements  switch  The switch statement is Java’s multi way branch statement. It provides an easy way to dispatch execution to different parts of your code based on the value of an expression. As such, it often provides a better alternative than a large series of if-else- if statements. Here is the general form of a switch statement: switch(expression){ case value1: //code to be executed; break; //optional case value2: //code to be executed; break; //optional ...... default: code to be executed if all cases are not matched; }
  • 10. Java’s Selection Statements  The expression must be of type byte, short, int, or char; each of the values specified in the case statements must be of a type compatible with the expression.  Each case value must be a unique literal (that is, it must be a constant, not a variable). Duplicate case values are not allowed.  The switch statement works like this: The value of the expression is compared with each of the literal values in the case statements. If a match is found, the code sequence following that case statement is executed. If none of the constants matches the value of the expression, then the default statement is executed. However, the default statement is optional. If no case matches and no default is present, then no further action is taken.  The break statement is used inside the switch to terminate a statement sequence. When a break statement is encountered, execution branches to the first line of code that follows the entire switch statement. This has the effect of “jumping out” of theswitch
  • 11. Java’s Selection Statements  The conditional operator  The value of a variable often depends on whether a particular boolean expression is or is not true and on nothing else. For instance one common operation is setting the value of a variable to the maximum of two quantities. In Java you might write if (a > b) { max = a; } else { max = b; }  Setting a single variable to one of two states based on a single condition is such a common use of if-else that a shortcut has been devised for it, the conditional operator, ?:. Using the conditional operator you can rewrite the above example in a single line like this: max = (a > b) ? a : b;  (a > b) ? a : b; is an expression which returns one of two values, a or b. The condition, (a > b), is tested. If it is true the first value, a, is returned. If it is false, the second value, b, is returned. Whichever value is returned is dependent on the
  • 12. Iteration Statements  Java’s iteration statements are for, while, and do- while.  These statements create what we commonly call loops.  As you probably know, a loop repeatedly executes the same set of instructions until a termination condition is met.  As you will see, Java has a loop to fit any programming need.
  • 13. Iteration Statements  while  The while loop is Java’s most fundamental loop statement. It repeats a statement or block while its controlling expression is true. Here is its general form: while(condition) { // body of loop }  The condition can be any Boolean expression. The body of the loop will be executed as long as the conditional expression is true. When condition becomes false, control passes to the next line of code immediately following the loop. The curly braces are unnecessary if only a single statement is being repeated.
  • 14. Iteration Statements  do-while  As you just saw, if the conditional expression controlling a while loop is initially false, then the body of the loop will not be executed at all. However, sometimes it is desirable to execute the body of a loop at least once, even if the conditional expression is false to begin with. In other words, there are times when you would like to test the termination expression at the end of the loop rather than at the beginning. Fortunately, Java supplies a loop that does just that: the do-while.  The do-while loop always executes its body at least once, because its conditional expression is at the bottom of the loop. Its general form is do { // body of loop } while (condition);  Each iteration of the do-while loop first executes the body of the loop and then evaluates the conditional expression. If this expression is true, the loop will repeat. Otherwise, the loop terminates. As with all of Java’s loops, condition must be a Boolean expression
  • 15. Iteration Statements  for  Here is the general form of the for statement: for(initialization; condition; iteration) { // body }  If only one statement is being repeated, there is no need for the curly braces.  The for loop operates as follows. When the loop first starts, the initialization portion of the loop is executed. Generally, this is an expression that sets the value of the loop control variable, which acts as a counter that controls the loop. It is important to understand that the initialization expression is only executed once. Next, condition is evaluated. This must be a Boolean expression. It usually tests the loop control variable against a target value. If this expression is true, then the body of the loop is executed. If it is false, the loop terminates. Next, the iteration portion of the loop is executed. This is usually an expression that increments or decrements the loop control variable. The loop then iterates, first evaluating the conditional expression, then executing the body of the loop, and then executing the iteration expression with each pass. This process repeats until the
  • 16. Iteration Statements  The For-Each Version of the for Loop  The general form of the for-each version of the for is shown here: for(type itr-var : collection)statement-block  Here, type specifies the type and itr-var specifies the name of an iteration variable that will receive the elements from a collection, one at a time, from beginning to end.  The collection being cycled through is specified by collection. There are various types of collections that can be used with the for, but the only type used in this chapter is the array.  With each iteration of the loop, the next element in the collection is retrieved and stored in itr-var. The loop repeats until all elements in the collection have been obtained.  Because the iteration variable receives values from the collection, type must be the same as (or compatible
  • 17. Jump Statements  Java supports three jump statements: break, continue, and return.  These statements transfer control to another part of your program.  Using break  Using break to Exit a Loop  Using break as a Form of Goto  Using continue  Using return
  • 18.  Check whether a given integer is positive even, negative even, positive odd or negative odd  Greatest of two numbers/ three numbers
  • 19.  / write data student %  // if % is above 90 -> 'S'  // if % is above 80 -> 'A'  // if % is above 70 -> 'B'  // if % is above 60 -> 'C'  // if % is above 50 -> 'D'  // otherwise below 50 -> fail  }  import java.util.Scanner;  class per  {  public static void main(String[] args)  {  Scanner obj= new Scanner(System.in);  System.out.println("enter age=");  int per= obj.nextInt();  //float per= obj.nextFloat();  if (per>=90)  System.out.println("S grade");  else if((per<90)&&(per>=80))  System.out.println("A grade");  else if((per<80)&&(per>=70))  System.out.println("B grade");  else if((per<70)&&(per>=60))  System.out.println("C grade");  else if((per<60)&&(per>=50))  System.out.println("D grade");  else  System.out.println("FAIL");  }
  • 20. Vowel or consent  import java.util.Scanner;  class age  {  public static void main(String[] args)  {  Scanner obj= new Scanner(System.in);  System.out.println("enter string=");  char ch= obj.next().charAt(0);  if((ch=='a') || (ch=='e') || (ch=='i') || (ch=='o') || (ch=='u') || (ch=='A'))  {System.out.println("vowel");}  else  {System.out.println("consonent");}  }  }
  • 21. Check whether a given integer is positive even, negative even, positive odd or negative odd
  • 22. Find Largest Among three numbers using if..else statement   public class Largest {  public static void main(String[] args) {  double n1 = -4.5, n2 = 3.9, n3 = 2.5;  if( n1 >= n2 && n1 >= n3)  System.out.println(n1 + " is the largest number.");  else if (n2 >= n1 && n2 >= n3)  System.out.println(n2 + " is the largest number.");  else  System.out.println(n3 + " is the largest number.");  }  }
  • 23. Java Switch Statement  The Java switch statement executes one statement from multiple conditions. It is like if- else-if ladder statement. The switch statement works with byte, short, int, long, enum types, String and some wrapper types like Byte, Short, Int, and Long. Since Java 7, you can use strings in the switch statement.  In other words, the switch statement tests the equality of a variable against multiple values.  Points to Remember • There can be one or N number of case values for a switch expression. • The case value must be of switch expression type only. The case value must be literal or constant. It doesn't allow variables. • The case values must be unique. In case of duplicate value, it renders compile-time error. • The Java switch expression must be of byte, short, int, long (with its Wrapper type), enums and string. • Each case statement can have a break statement which is optional. When control reaches to the break statement, it jumps the control after the switch expression. If a break statement is not found, it executes the next case. • The case value can have a default label which is optional.  Syntax: 1. switch(expression){ 2. case value1: 3. //code to be executed; 4. break; //optional 5. case value2: 6. //code to be executed; 7. break; //optional 8. ...... 9. 10. default: 11. code to be executed if all cases are not matche d; 12. }
  • 24.
  • 25.  Write a program to find out whether a student is pass or fail; if it requires a total of 40% and at least 33% in each subject to pass. Assume 3 subjects and take marks as input from the user.
  • 26.  byte m1, m2, m3;  // Scanner sc = new Scanner(System.in);  // System.out.println("Enter your marks in Physics");  // m1 = sc.nextByte();  //  // System.out.println("Enter your marks in Chemistry");  // m2= sc.nextByte();  //  // System.out.println("Enter your marks in Mathematics");  // m3 = sc.nextByte();  // float avg = (m1+m2+m3)/3.0f;  // System.out.println("Your Overall percentage is: " + avg);  // if(avg>=40 && m1>=33 && m2>=33 && m3>=33){  // System.out.println("Congratulations, You have been promoted");  // }  // else{  // System.out.println("Sorry, You have not been promoted! Please try again.");  // }
  • 27.  Write a Java program to find whether a year entered by the user is a leap year or not.
  • 28.  // if the year is divided by 4  if (year % 4 == 0) {  // if the year is century  if (year % 100 == 0) {  // if year is divided by 400  // then it is a leap year  if (year % 400 == 0)  leap = true;  else  leap = false;  }   // if the year is not century  else  leap = true;  }   else  leap = false;  if (leap)  System.out.println(year + " is a leap year.");  else  System.out.println(year + " is not a leap year.");  }  }
  • 29.  Quick Quiz 1: Write a program to print first n odd numbers using a for loop.  public class cwh_23_for_loop {  public static void main(String[] args) {  // for (int i=1; i<=10; i++){  // System.out.println(i);  // }  // 2i = Even Numbers = 0, 2, 4, 6, 8  // 2i+1 = Odd Numbers = 1, 3, 5, 7, 9  //int n = 3;  //for (int i =0; i<n; i++){  // System.out.println(2*i+1);  //}  for(int i=5; i!=0; i--){  System.out.println(i);  }  }  }