fbpx

Unit-I: Java Basics

1. a) Outline the Program Structure in Java

A typical Java program has the following structure:

java
public class ClassName { // Declaration of variables (optional) public static void main(String[] args) { // Main method // Code execution starts here } // Other methods and classes (optional) }
  • Class Declaration: Every Java program must have at least one class. A class contains methods and variables.
  • Main Method: public static void main(String[] args) is the entry point of any Java application. This method is invoked when the program is run.
  • Statements: These are the actions performed in the program, written inside the curly braces {} of the main method or other methods.

1. b) Types of Java Operators

Java provides several types of operators that can be used to perform various operations on variables and values.

  1. Arithmetic Operators: Used to perform basic arithmetic operations.

    • + (Addition), - (Subtraction), * (Multiplication), / (Division), % (Modulus)
    • Example:
      java
      int a = 10, b = 5; int result = a + b; // result is 15
  2. Relational Operators: Used to compare two values.

    • == (Equal to), != (Not equal to), > (Greater than), < (Less than), >= (Greater than or equal to), <= (Less than or equal to)
    • Example:
      java
      int a = 5, b = 10; boolean result = a < b; // result is true
  3. Logical Operators: Used to perform logical operations.

    • && (Logical AND), || (Logical OR), ! (Logical NOT)
    • Example:
      java
      boolean x = true, y = false; boolean result = x && y; // result is false
  4. Assignment Operators: Used to assign values to variables.

    • = (Assign), +=, -=, *=, /=, etc.
    • Example:
      java
      int a = 5; a += 10; // a is now 15
  5. Unary Operators: Operate on a single operand.

    • ++ (Increment), -- (Decrement), - (Negation)
    • Example:
      java
      int a = 5; a++; // a is now 6
  6. Ternary Operator: Conditional operator with three operands.

    • condition ? expr1 : expr2
    • Example:
      java
      int a = 10, b = 5; int result = (a > b) ? a : b; // result is 10
  7. Bitwise Operators: Perform operations on bits.

    • & (AND), | (OR), ^ (XOR), ~ (Complement), << (Left shift), >> (Right shift)
    • Example:
      java
      int a = 5, b = 3; int result = a & b; // result is 1

2. a) Tokens in Java

Java programs are made up of various basic elements known as tokens. These are the smallest units in Java syntax and include:

  1. Keywords: Reserved words that have special meaning in Java (e.g., class, public, if, while).
  2. Identifiers: Names given to variables, methods, classes, etc. (e.g., myVar, calculate(), MyClass).
  3. Literals: Constant values that are directly assigned to variables (e.g., 5, 3.14, 'A').
  4. Operators: Symbols used for performing operations (e.g., +, -, *).
  5. Separators: Used to separate various elements (e.g., ;, {}, []).

2. b) Command Line Arguments in Java

In Java, you can pass arguments to the main method via the command line. These arguments are stored in an array of strings.

  • Example:
java
public class CommandLineExample { public static void main(String[] args) { for (String arg : args) { System.out.println(arg); } } }
  • Usage:
bash
java CommandLineExample Hello World 123
  • Output:
 
Hello World 123

Command line arguments allow customizing the behavior of the main method based on user input.

3. a) Data Types in Java

Java supports two types of data types: primitive and reference.

  1. Primitive Data Types:

    • int: Integer values (e.g., int a = 10;)
    • double: Decimal numbers (e.g., double d = 3.14;)
    • char: Single characters (e.g., char c = 'A';)
    • boolean: True or false values (e.g., boolean flag = true;)
    • byte, short, long, float: Other numeric types.
  2. Reference Data Types:

    • These include objects, arrays, and strings.

3. b) Java Program to Read Values Using Scanner Class

java
import java.util.Scanner; public class ReadInput { public static void main(String[] args) { Scanner scanner = new Scanner(System.in); // Reading an integer System.out.print("Enter an integer: "); int num = scanner.nextInt(); // Reading a string System.out.print("Enter a string: "); String str = scanner.next(); // Output System.out.println("You entered integer: " + num); System.out.println("You entered string: " + str); } }

4. a) Iterative Statements in Java

Java supports three types of iteration statements:

  1. For Loop: Executes a block of statements a specific number of times.

    java
    for (int i = 0; i < 5; i++) { System.out.println(i); }
  2. While Loop: Executes a block of statements while a condition is true.

    java
    int i = 0; while (i < 5) { System.out.println(i); i++; }
  3. Do-While Loop: Executes a block of statements at least once, then repeats while a condition is true.

    java
    int i = 0; do { System.out.println(i); i++; } while (i < 5);

4. b) Type Casting & Automatic Promotion

  • Type Casting is the process of converting one data type into another, either explicitly (manual casting) or implicitly (automatic promotion).

    • Explicit Casting:

      java
      int a = 10; double b = (double) a; // Manual casting from int to double
    • Automatic Promotion: Happens when a smaller data type is converted into a larger data type (e.g., int to long).

      java
      int a = 10; long b = a; // Automatic promotion to long

5. a) Selection Statements in Java

Selection statements are used to execute code based on conditions:

  1. If Statement: Executes a block of code if the condition is true.

    java
    if (x > 0) { System.out.println("Positive"); }
  2. If-Else Statement: Executes one block of code if the condition is true, otherwise executes another.

    java
    if (x > 0) { System.out.println("Positive"); } else { System.out.println("Negative"); }
  3. Switch Statement: Used to select one of many code blocks to execute.

    java
    switch (x) { case 1: System.out.println("One"); break; case 2: System.out.println("Two"); break; default: System.out.println("Default"); }

5. b) Object-Oriented Principles in Java

Java is based on Object-Oriented Programming (OOP) principles:

  1. Encapsulation: Bundling data (variables) and methods that operate on the data into a single unit (class).
  2. Inheritance: Mechanism by which one class can inherit fields and methods from another class.
  3. Polymorphism: Ability of an object to take on many forms. It includes method overloading and overriding.
  4. Abstraction: Hiding the implementation details and exposing only the functionality.

 

Java Programming Questions and Answers

1. a) Outline the Program Structure in Java

A basic Java program structure includes several key components:

public class Main {  // Class Declaration
    public static void main(String[] args) {  // Main Method
        System.out.println("Hello, World!");  // Output Statement
    }
}
    

Explanation: The program starts with the class declaration, followed by the main method, which is the entry point. Inside the main method, code is executed, and the program outputs text to the console.

1. b) Types of Java Operators

Java has several types of operators:

  • Arithmetic Operators: Used for mathematical operations (e.g., +, -, *, /)
  • Relational Operators: Used for comparisons (e.g., ==, !=, <, >)
  • Logical Operators: Used for logical operations (e.g., &&, ||, !)
  • Assignment Operators: Used to assign values to variables (e.g., =, +=, -=)
  • Increment/Decrement Operators: Used to increase or decrease the value of a variable (e.g., ++, –)

Example:

int a = 10, b = 5;
System.out.println(a + b);  // Output: 15
System.out.println(a == b); // Output: false
System.out.println(a > b);  // Output: true
    

2. a) Tokens in the Java Language

Tokens are the smallest elements in a program. Java’s tokens are:

  • Keywords: Reserved words like `class`, `public`, `if`, etc.
  • Identifiers: Names given to variables, methods, classes (e.g., `Main`, `sum`)
  • Literals: Constants like numbers or characters (e.g., `5`, `”Hello”`)
  • Operators: Symbols that perform operations (e.g., `+`, `-`, `*`)
  • Separators: Characters like semicolons and curly braces `{}`, `[]`, etc.

2. b) Command-Line Arguments

Command-line arguments allow you to customize the behavior of the `main()` method.

public class CommandLineExample {
    public static void main(String[] args) {
        if (args.length > 0) {
            System.out.println("Hello " + args[0]);
        } else {
            System.out.println("No arguments passed");
        }
    }
}
    

Example Execution:

$ java CommandLineExample John
Hello John
    

3. a) Data Types in Java

Java has two types of data types:

  • Primitive Data Types: `byte`, `short`, `int`, `long`, `float`, `double`, `char`, `boolean`
  • Reference Data Types: Objects and arrays (e.g., `String`, arrays)

Example:

int a = 100;
double b = 3.14;
boolean flag = true;
char c = 'A';
    

3. b) Java Program to Read from Keyboard Using Scanner Class

import java.util.Scanner;

public class ScannerExample {
    public static void main(String[] args) {
        Scanner scanner = new Scanner(System.in);

        System.out.print("Enter your name: ");
        String name = scanner.nextLine();

        System.out.print("Enter your age: ");
        int age = scanner.nextInt();

        System.out.println("Hello, " + name + ". You are " + age + " years old.");
    }
}
    

4. a) Types of Iterative Statements

Java has three types of iterative statements: `for`, `while`, and `do-while`.

For Loop Example:
for (int i = 0; i < 5; i++) {
    System.out.println(i); // Prints 0, 1, 2, 3, 4
}

While Loop Example:
int i = 0;
while (i < 5) {
    System.out.println(i); // Prints 0, 1, 2, 3, 4
    i++;
}

Do-While Loop Example:
int i = 0;
do {
    System.out.println(i); // Prints 0, 1, 2, 3, 4
    i++;
} while (i < 5);
    

4. b) Type Casting and Automatic Promotion

Type Casting: Converting one data type into another.

int a = 10;
double b = a; // Implicit casting

double c = 9.99;
int d = (int) c; // Explicit casting
    

Automatic Promotion: When operands are of different types, the smaller one is promoted to the larger type.

byte a = 10;
int b = 20;
System.out.println(a + b); // `a` is promoted to `int`
    


(Short Answers) :-

5. a) Selection Statements

Java supports selection statements like `if`, `if-else`, `if-else if`, and `switch`.

If Statement:
if (a > b) {
    System.out.println("a is greater");
}
    

5. b) Object-Oriented Principles in Java

Object-Oriented Principles in Java:

  • Encapsulation: Bundling data and methods together in a class.
  • Inheritance: A subclass can inherit properties and behaviors from a superclass.
  • Polymorphism: One method or class can behave in multiple ways (e.g., method overloading/overriding).
  • Abstraction: Hiding the implementation details and showing only the essential features.
Java Programming Questions and Answers

Java Programming Questions and Answers

5. a) List the Various Selection Statements

In Java, selection statements allow the program to make decisions and execute specific blocks of code based on conditions. The primary selection statements are:

  • If Statement: Executes a block of code if the condition is true.
  • If-Else Statement: Executes one block of code if the condition is true, and another block if it’s false.
  • If-Else If-Else Ladder: Evaluates multiple conditions in sequence.
  • Switch Statement: Used to select one of many code blocks to be executed based on a value.

Flowchart for If-Else Statement

[Start] --> [Condition]
   |               |
  Yes             No
   |               |
[Execute True]   [Execute False]
   |               |
 [End]           [End]
    

Example Program (If-Else Statement)

public class SelectionExample {
    public static void main(String[] args) {
        int a = 10, b = 20;

        if (a > b) {
            System.out.println("a is greater than b");
        } else {
            System.out.println("b is greater than a");
        }
    }
}
    

5. b) Explain Object-Oriented Principles in Detail

Object-Oriented Programming (OOP) is a paradigm based on the concept of objects, which are instances of classes. The four core principles of OOP are:

  • Encapsulation: This principle is about bundling the data (variables) and the methods (functions) that operate on the data into a single unit called a class. It also involves restricting access to certain components, making them private and providing public methods to access or modify them.

    Example: Using getters and setters to access private variables.

  • Inheritance: Inheritance allows one class to inherit fields and methods from another class. This promotes code reuse and method overriding.

    Example: A `Dog` class can inherit from an `Animal` class.

  • Polymorphism: Polymorphism means “many forms”. It allows objects to be treated as instances of their parent class, while having their own unique methods. Method Overloading and Method Overriding are examples of polymorphism.

    Example: Overloading the `add()` method with different parameters.

  • Abstraction: Abstraction hides complex implementation details and shows only the necessary functionality. This helps in focusing on what an object does rather than how it does it.

    Example: A `Car` class might have a `start()` method, but the internal engine starting mechanism is hidden from the user.

UNIT-II

1. a) Demonstrate About Class and Object. Write an Example Program.

In Java, a class is a blueprint for creating objects, and an object is an instance of a class. The class defines properties and behaviors, while the object represents specific data.

class Car {
    String model;
    int year;

    // Constructor
    Car(String model, int year) {
        this.model = model;
        this.year = year;
    }

    // Method to display car info
    void displayInfo() {
        System.out.println("Car model: " + model);
        System.out.println("Car year: " + year);
    }
}

public class Main {
    public static void main(String[] args) {
        Car car1 = new Car("Tesla Model S", 2022);  // Creating an object
        car1.displayInfo();  // Calling method on the object
    }
}
    

1. b) Make Use of Static Keyword in Java

The static keyword in Java is used for memory management. It is applied to variables, methods, and blocks. A static variable or method belongs to the class, rather than instances of the class. Static methods can be called without creating an instance of the class.

class Counter {
    static int count = 0;  // Static variable

    static void increment() {  // Static method
        count++;
    }
}

public class Main {
    public static void main(String[] args) {
        Counter.increment();
        Counter.increment();
        System.out.println("Counter: " + Counter.count);  // Output: 2
    }
}
    

2. a) What Are Various Access Specifiers? Develop a Java Program Using Anyone Access Specifier.

Access specifiers determine the visibility of classes, methods, and variables. The four main access specifiers in Java are:

  • public: Accessible from any other class.
  • private: Accessible only within the same class.
  • protected: Accessible within the same package and subclasses.
  • default (no specifier): Accessible only within the same package.
class Person {
    private String name;  // Private variable

    // Getter and Setter for name
    public void setName(String name) {
        this.name = name;
    }

    public String getName() {
        return name;
    }
}

public class Main {
    public static void main(String[] args) {
        Person p = new Person();
        p.setName("John");
        System.out.println("Person's name: " + p.getName());
    }
}
    

2. b) Examine Different Types of Constructors with Examples.

In Java, constructors are special methods used to initialize objects. There are two types of constructors:

  • Default Constructor: A constructor that takes no parameters and initializes default values.
  • Parameterized Constructor: A constructor that allows you to initialize objects with specific values when they are created.
class Student {
    String name;
    int age;

    // Default constructor
    Student() {
        name = "Unknown";
        age = 0;
    }

    // Parameterized constructor
    Student(String name, int age) {
        this.name = name;
        this.age = age;
    }
}

public class Main {
    public static void main(String[] args) {
        Student s1 = new Student();  // Using default constructor
        System.out.println("Name: " + s1.name + ", Age: " + s1.age);

        Student s2 = new Student("Alice", 22);  // Using parameterized constructor
        System.out.println("Name: " + s2.name + ", Age: " + s2.age);
    }
}