U4 | Iteration
4.1 while Loops
- A while loop is a fundamental control structure in programming used for repeated execution of a block of code as long as a condition is true.
- The loop starts by evaluating the condition. If the condition is true, the code inside the loop is executed.
- After each iteration, the condition is re-evaluated, and if it’s still true, the loop continues.
If the condition is false initially, the loop code is never executed.
- While loops are used when you don’t know in advance how many times the loop needs to execute.
- There’s a risk of infinite loops if the condition never becomes false, so be cautious.
You can use variables and complex expressions as loop conditions.
- It’s essential to update the loop control variable within the loop to prevent infinite loops.
- While loops are typically used for tasks such as iterating over collections or waiting for a specific condition to be met.
- You can always break out of a while loop prematurely using the break statement.
Example of While Loops
public class PyramidPattern {
public static void main(String[] args) {
int height = 5;
int row = 1;
while (row <= height) {
int spaces = height - row;
int stars = 2 * row - 1;
// Print spaces
int spaceCount = spaces;
while (spaceCount > 0) {
System.out.print(" ");
spaceCount--;
}
// Print stars
int starCount = stars;
while (starCount > 0) {
System.out.print("*");
starCount--;
}
System.out.println(); // Move to the next line for the next row
row++;
}
}
}
4.2 for Loops
- Iterative statement that checks for condition
- Repeatedly execute a a block of code as long as the condition is met
- Condition specifies amount of times
for Loops vs. while Loops
- while Loops: use when number of iterations is unknown
- for Loops: use when number of iterations is known
int i = 0;
while (i < 5) {
System.out.println(i);
i++;
}
for (int i = 0; i < 5; i++) {
System.out.println(i);
}
- Three parts in for loop header: variable initialization, Boolean (conditional) expression, and increment/decrement statement
Question: Which part is which?
- variable initialization (int i=0): sets variable before loop starts
- Boolean (conditional) expression (i < 5): defines condition for loop to run, in this case, the loop continues as long as i is less than 5, so loops 5 times i 05
- increment/decrement statement (i++): increases variable each time code block in the loop is executed, in this case it increases by 1
- variable can be used in the code block for other various reasons besides specifying how many times the loop will repeat
- Boolean (conditional) expression and increment/decrement statement together determine how many times the loop will repeat
4.3 Developing Algorithms Using Strings
LEARNING OBJECTIVES:
For algorithms in the context of a particular specification that involves String
objects:
- identify standard algorithms
- modify standard algorithms
- develop an algorithm
Java has many methods that are helpful when working with strings:
String .substring
–> retrieves portion of a string
String .equals
–> compares two strings
String .length
–> returns length of a string
for Loop
–> iterating through characters of a string
Finding a substring within a string
We can use the “window” method:
A “window” is created the same length as the substring. We then iterate through the main string in sections and compare to the substring
For example:
I T E R A T E
with substring “ERA”
public class StringFinder {
public static void main(String[] args) {
String word = "iterate";
String sub = "era";
boolean found = false; // will be set to true once substring is found
for (int i = 0; i <= word.length()-sub.length(); i++) { //iterating forwards: starting at first index (0) and going to the length of the word.. let's try word.length
String portion = word.substring(i, i + sub.length());
System.out.println(portion);
if (portion.equals(sub)){ // make sure you use .equals!!
found = true;
break;
}
}
if (found)
System.out.println("substring is found within string!");
else
System.out.println("substring is NOT within string");
}
}
StringFinder.main(null);
ite
ter
era
substring is found within string!
POPCORN HACK: Run the code.. what happened? How can we fix it?
Tell us below!
What happened was that the widnow was set as 2 so that
Another issue:
I T E R A T E
What if our substring was the word “RATE”? Note that RATE is at the end of the whole string
HACKS
Create a algorithm similar to the one above. Except this time, use iteration to count the number of vowels within the main string.
HINT: Use the boolean expressions we have learned in previous lessons. Which would you use when comparing your “window” with multiple options of substrings?
4.4 Nested Iteration
nested iteration
occurs when we have a loop inside of another loop, similar to nested conditional statements in unit 3
When you have one loop inside another, the inner loop has to finish all its rounds before the outer loop moves to the next round. If the inner loop has a "stop" command, it only stops for that round of the outer loop. The next time the outer loop starts a new round, the inner loop starts over.
If you have two nested loops without stops, and the outer one runs n times while the inner one runs m times each time the outer one goes around, the inner loop will run m times n times, which is m * n times in total. This rule also applies if you have more than two nested loops. To find the total number of times the innermost loop runs, just multiply how many times each loop runs per round.
```java
public class NestedLoopsDemo {
public static void main(String[] args) {
int n = 3; //numb of times the outside loop runs
int m = 2; //numb of times the inside loop runs
//the nested loops
for (int i = 1; i <= n; i++) {
System.out.println("Outer loop iteration: " + i);
for (int j = 1; j <= m; j++) {
System.out.println("Inner loop iteration: " + j);
}
}
}
}
NestedLoopsDemo.main(null)
```
### Break Statement
**break statement**
is used to exit a loop prematurely, typically when a certain condition is met. In the case of nested loops, it can be used to break out of the innermost loop.
```java
public class BreakExample {
public static void main(String[] args) {
for (int i = 1; i <= 3; i++) {
System.out.println("Outer loop iteration " + i);
for (int j = 1; j <= 3; j++) {
System.out.println("Inner loop iteration " + j);
if (i == 2 && j == 2) {
System.out.println("Breaking inner loop");
break; //break out of the inside loop when i is 2 and j is 2.
}
}
}
}
}
BreakExample.main(null)
```
### Popcorn HACK
When the targetNumber is found, you can print a message and use the break statement to exit the loop. When it's not found, you can print a message indicating that the number was not found.
```java
public class BreakHack {
public static void main(String[] args) {
int targetNumber = 42; // Number we want
int[] numbers = {10, 20, 30, 40, 50, 60, 70}; // Number array
boolean found = false; // Initialize a boolean variable to keep track if the number is found
for (int number : numbers) {
if (number == targetNumber) {
// If number is found
System.out.println("Number " + targetNumber + " found!");
found = true; // Set found to true
break; // Exit the loop
}
}
if (!found) {
// If number isn't found
System.out.println("Number " + targetNumber + " was not found.");
}
}
}
// Here's what the code does:
// It initializes a boolean variable found to keep track of whether the number is found.
// It loops through the numbers array and checks if each element is equal to targetNumber.
// If targetNumber is found, it prints a message, sets found to true, and exits the loop using break.
// After the loop, it checks if found is still false. If so, it prints a message indicating that the number was not found.
// Now you can run the main method in the BreakHack class to see the program in action. If targetNumber is found, it will print a message. If not, it will print a different message indicating that the number was not found.
```
### Continue Statement
**continue statement**
is used to skip the current iteration of a loop and move to the next iteration. In the case of nested loops, it applies to the innermost loop.
```java
public class ContinueExample {
public static void main(String[] args) {
for (int i = 1; i <= 3; i++) {
System.out.println("Outer loop iteration " + i);
for (int j = 1; j <= 3; j++) {
if (i == 2 && j == 2) {
System.out.println("Skipping inner loop iteration " + j);
continue; //skip the iteration when i is 2 and j is 2.
}
System.out.println("Inner loop iteration " + j);
}
}
}
}
ContinueExample.main(null)
```
### Patterns and Shapes
```java
import java.util.Scanner;
public class InteractivePyramid {
public static void main(String[] args) {
Scanner scanner = new Scanner(System.in);
System.out.print("Enter the symbol you want to use: ");
char symbol = scanner.next().charAt(0);
System.out.print("Enter the number of rows for the pyramid: ");
int numRows = scanner.nextInt();
for (int i = 1; i <= numRows; i++) {
//print space before the symbol
for (int j = 1; j <= numRows - i; j++) {
System.out.print(" ");
}
//print
for (int k = 1; k <= 2 * i - 1; k++) {
System.out.print(symbol);
}
System.out.println(); //next line
}
scanner.close();
}
}
InteractivePyramid.main(null)
```
## Hacks
1. **Modify pyramid code:**
- Create different patterns (other then pyramid) by modifying nested loop structure
2. **Questions**
- What is a nested iteration, continue statement, and break statement (in your own words)?
Nested iteration refers to the situation where one loop (like a for or while loop) is placed inside another loop. This allows you to perform repetitive tasks in a structured manner. In a nested loop, the inner loop executes its entire cycle for each iteration of the outer loop. This can be useful for tasks that involve multiple levels of repetition or when dealing with multi-dimensional data structures like 2D arrays.
- Create a simple example of a continue statement **or** break statement
public class ContinueExample {
public static void main(String[] args) {
for (int i = 1; i <= 5; i++) {
if (i == 3) {
// When i equals 3, skip the rest of the loop and continue to the next iteration.
continue;
}
System.out.println("Iteration " + i);
}
}
}
---
# 4.5 Informal Code Analysis
Learning objective: Compute statement execution counts & informal run-time comparison of iterative statements
Essential Knowledge: A statement execution count indicates the number of times a statement is executed by the program
What IS informal code analysis?
Answer: Computing the informal runtime based on the number of times a statement is executed..
```java
// CODE EXAMPLE #1 (for loop)
public class InformalCodeAnalysis {
public static void main(String[] args) {
int count = 0;
for (int k = 0; k < 30; k++)
{
if (k % 3 == 0) // statement 1
{
count++; // statement 2
}
}
}
}
```
How many times will statement 1 execute?
Answer: 9
How many times will statement 2 execute?
Answer: 10
```java
// CODE EXAMPLE #2 (for loop)
public class InformalCodeAnalysis {
public static void main(String[] args) {
int count = 0;
for (int k = 4; k < 30; k+=3)
{
count++; // statement 3
}
}
}
```
How many times will statement 3 execute?
Answer: 2
```java
// Rewrite the code segment below to have a faster run-time based on statement execution counts
for (int k = 0; k < 135; k++)
{
if (k % 5 == 0)
{
System.out.println(k);
}
}
```
```java
// CODE EXAMPLE #3 (while loop)
int num = (int)(Math.random() * 10);
while (num % 2 != 0)
{
num = (int)(Math.random() * 10) // statement 4
}
```
What is the min/max number of times statement 4 will execute?
Answer: 0 minimum and 12 maximum
```java
// CODE EXAMPLE #4 (nested loop)
for (int outer = 0; outer < 3; outer++)
{
for (int inner = 0; inner < 4; inner++)
{
// statement #5
}
}
```
How many times will statement #5 execute?
Answer: 12 times
```java
// CODE EXAMPLE #5 (nested loop)
int k = 0;
while (k < 5)
{
int x = (int)(Math.random() * 6) + 1;
while (x != 6)
{
// statement #6
x = (int)(Math.random() * 6) + 1;
}
k++;
}
```
How many times will statement #6 execute?
Answer: Between 5 and 10 times
# 4.5 Hacks
#1 How many times will statement #1 and statement #2 execute in the code segments below?
Iteration over a 1000 times
```java
for (int k = 0; k < 1000; k++)
{
// statement #1
}
```
| System.out.println(k);
cannot find symbol
symbol: variable k
```java
for (int k = 6; k < 50; k++)
{
// statement #2
}
```
#2 How many times will statement #3 execute for the code segment below?
```java
int k = 1;
while (k <=7)
{
for (int z = 0; z < 4; z++)
{
// statement #3
}
k++;
}
```
#3 Create 3 seperate code segments that execute a statement 10 times using:
(a) a for loop
(b) a while loop
(c) a nested loop
```java
// 3a code
```
```java
// 3b code
```
```java
// 3c code
```
# Practice 2D Arrays
### Problem 1:
Replace the “ADD CODE HERE” below with the code to declare and create a 3 by 3 two-dimensional int array named table. The finished code will print the values 0 to 8.
```java
public class Problem1
{
public static void main(String[] args)
{
// ADD CODE HERE //
// Should print the values in table
int count = 0;
for (int row = 0; row < table.length; row++)
{
for (int col = 0; col < table.length; col++)
{
table[row][col] = count;
count++;
System.out.print(table[row][col] + " ");
}
}-
}
}
Problem1.main(null);
```
### Problem 2: