Object Oriented Programming Computer Lab 1
Java Programming Assignments
Name: Tejas Sahoo
Roll Number: K057
1. Evaluation of Expressions
Given Assumptions:
int a = 1;
double d = 1.0;
Results of the Expressions:
-
a = 46 / 9;
Result:a = 5
(Integer division truncates the fractional part.) -
a = 46 % 9 + 4 * 4 - 2;
Result:a = 19
Explanation:
46 % 9 = 1
, then1 + 4 * 4 = 17
, and17 - 2 = 19
. -
a = 45 + 43 % 5 * (23 * 3 % 2);
Result:a = 45
Explanation:
43 % 5 = 3
,23 * 3 = 69
,69 % 2 = 1
, so45 + 3 * 1 = 45
. -
a %= 3 / a + 3;
Result:a = 0
Explanation:
(3 / a)
becomes3 / 1 = 3
, then3 + 3 = 6
.a %= 6
meansa = 5 % 6 = 0
. -
d = 4 + d * d + 4;
Result:d = 9.0
Explanation:
d * d = 1.0 * 1.0 = 1.0
,4 + 1.0 + 4 = 9.0
. -
d += 1.5 * 3 + (++a);
Result:d = 14.5
Explanation:
++a
incrementsa
to1
,1.5 * 3 = 4.5
,d += 4.5 + 1 = 9.0 + 5.5 = 14.5
. -
d -= 1.5 * 3 + a++;
Result:d = 9.0
Explanation:
a++
usesa = 1
and increments after,1.5 * 3 = 4.5
,d -= 4.5 + 1 = 14.5 - 5.5 = 9.0
.
2. Program to Check Whether a Number is Even or Odd
import java.util.Scanner;
public class EvenOdd {
public static void main(String[] args) {
Scanner scanner = new Scanner(System.in);
System.out.print("Enter an integer: ");
int number = scanner.nextInt();
if (number % 2 == 0) {
System.out.println(number + " is even.");
} else {
System.out.println(number + " is odd.");
}
scanner.close();
}
}
3. Program to Solve a Quadratic Equation
import java.util.Scanner;
public class QuadraticEquation {
public static void main(String[] args) {
Scanner scanner = new Scanner(System.in);
System.out.print("Enter coefficient a: ");
double a = scanner.nextDouble();
System.out.print("Enter coefficient b: ");
double b = scanner.nextDouble();
System.out.print("Enter coefficient c: ");
double c = scanner.nextDouble();
double discriminant = b * b - 4 * a * c;
if (discriminant > 0) {
double root1 = (-b + Math.sqrt(discriminant)) / (2 * a);
double root2 = (-b - Math.sqrt(discriminant)) / (2 * a);
System.out.println("The roots are real and unequal:");
System.out.println("Root 1 = " + root1);
System.out.println("Root 2 = " + root2);
} else if (discriminant == 0) {
double root = -b / (2 * a);
System.out.println("The roots are real and equal:");
System.out.println("Root = " + root);
} else {
System.out.println("The roots are imaginary (no real solutions).");
}
scanner.close();
}
}
References
Information
- date: 2025.01.09
- time: 14:59