xxxxxxxxxx
app.get('/ab(cd)?e', (req, res) => {
res.send('ab(cd)?e')
})
xxxxxxxxxx
for(int i = 0; i < 10; i++)
{
//do something
//NOTE: the integer name does not need to be i, and the loop
//doesn't need to start at 0. In addition, the 10 can be replaced
//with any value. In this case, the loop will run 10 times.
//Finally, the incrementation of i can be any value, in this case,
//i increments by one. To increment by 2, for example, you would
//use "i += 2", or "i = i+2"
}
xxxxxxxxxx
// Starting on 0:
for(int i = 0; i < 5; i++) {
System.out.println(i + 1);
}
// Starting on 1:
for(int i = 1; i <= 5; i++) {
System.out.println(i);
}
// Both for loops will iterate 5 times,
// printing the numbers 1 - 5.
xxxxxxxxxx
int values[] = {1,2,3,4};
for(int i = 0; i < values.length; i++)
{
System.out.println(values[i]);
}
xxxxxxxxxx
int[] numbers =
{1,2,3,4,5,6,7,8,9,10};
for (int item : numbers) {
System.out.println(item);
}
xxxxxxxxxx
// Starting on 0:
for(int i = 0; i < 5; i++) {
System.out.println(i + 1);
}
// Starting on 1:
for(int i = 1; i <= 5; i++) {
System.out.println(i);
}
xxxxxxxxxx
for(int i = 0; i < 10; i++){
System.out.println(i);
//this will print out every number for 0 to 9.
}
xxxxxxxxxx
// Java program to illustrate
// for-each loop
class For_Each
{
public static void main(String[] arg)
{
{
int[] marks = { 125, 132, 95, 116, 110 };
int highest_marks = maximum(marks);
System.out.println("The highest score is " + highest_marks);
}
}
public static int maximum(int[] numbers)
{
int maxSoFar = numbers[0];
// for each loop
for (int num : numbers)
{
if (num > maxSoFar)
{
maxSoFar = num;
}
}
return maxSoFar;
}
}