KEMBAR78
Java Viva | PDF | Java Virtual Machine | Java (Programming Language)
0% found this document useful (0 votes)
20 views26 pages

Java Viva

This document provides a comprehensive introduction to Java programming, covering its features, structure, and key concepts such as data types, loops, arrays, object-oriented programming, inheritance, and exceptions. It explains the roles of various components like JDK, JRE, and JVM, as well as keywords, access modifiers, and operators. Additionally, it discusses advanced topics like nested classes, lambda expressions, and exception handling.

Uploaded by

saisahas2005
Copyright
© © All Rights Reserved
We take content rights seriously. If you suspect this is your content, claim it here.
Available Formats
Download as DOCX, PDF, TXT or read online on Scribd
0% found this document useful (0 votes)
20 views26 pages

Java Viva

This document provides a comprehensive introduction to Java programming, covering its features, structure, and key concepts such as data types, loops, arrays, object-oriented programming, inheritance, and exceptions. It explains the roles of various components like JDK, JRE, and JVM, as well as keywords, access modifiers, and operators. Additionally, it discusses advanced topics like nested classes, lambda expressions, and exception handling.

Uploaded by

saisahas2005
Copyright
© © All Rights Reserved
We take content rights seriously. If you suspect this is your content, claim it here.
Available Formats
Download as DOCX, PDF, TXT or read online on Scribd
You are on page 1/ 26

Unit I: Introduction to Java

🔹 1. What is Java?

Java is a high-level, object-oriented programming language developed by Sun Microsystems in 1995.


It is known for being platform-independent, meaning Java code can run on any system that has the
Java Virtual Machine (JVM).

🔹 2. What are the features of Java?

Feature Meaning

Platform Independent Java code is compiled into bytecode which can run on any system with JVM.

Java uses classes and objects to organize code, making it modular and
Object-Oriented
reusable.

Robust Strong memory management and error handling (like try-catch).

Secure Java has built-in security features like bytecode verification and no pointers.

Multithreaded Java can run multiple threads (small tasks) at the same time.

Portable Java programs can run on different machines without changes in code.

High Performance Uses Just-In-Time (JIT) compiler to convert bytecode to machine code quickly.

🔹 3. What is the structure of a Java program?

class MyClass {

public static void main(String[] args) {

System.out.println("Hello, Java!");

 class defines the class

 main() method is the program’s entry point

 Statements are written inside { }

🔹 4. What is the role of main() method?

main() is the starting point of the Java program. It must be written as:

public static void main(String[] args)


🔹 5. What are command-line arguments?

They are inputs passed while running the program from the terminal.

Example:

java MyClass Hello

args[0] will contain "Hello" in the code.

🔹 6. What is JDK, JRE, and JVM?

Component Meaning

JDK Java Development Kit – used to develop Java programs (includes compiler + JRE).

JRE Java Runtime Environment – needed to run Java programs (includes JVM + libraries).

JVM Java Virtual Machine – runs the compiled Java bytecode on your system.

🔹 7. What are primitive data types in Java?

Java has 8 primitive types:

Type Example

byte 8-bit number

short 16-bit number

int 32-bit number

long 64-bit number

float Decimal with 32-bit

double Decimal with 64-bit

char Single character

boolean true/false value

🔹 8. What is type conversion?

Converting one type of data to another:

 Implicit: Done automatically


int a = 10; float b = a;
 Explicit: Done manually using casting
double d = 9.8; int x = (int)d;

🔹 9. What is a wrapper class?

Wrapper classes convert primitive types into objects.


Example:

int x = 5;

Integer obj = new Integer(x);

Wrapper classes:

 int → Integer

 float → Float

 char → Character, etc.

🔹 10. What is a keyword?

Keywords are reserved words in Java with special meanings.


Examples: class, public, static, if, else, etc.
👉 You cannot use keywords as variable names.

🔹 11. What are identifiers?

Identifiers are names used for classes, variables, and methods.


Rules:

 Can contain letters, digits, _, $

 Cannot start with a digit

 Cannot be a keyword

🔹 12. What is the static keyword used for?

The static keyword means the method or variable belongs to the class, not to an object.

Example:

static int count = 0;

Can be used without creating an object.

🔹 13. What are access modifiers in Java?

They control the visibility of classes and members.


Modifier Access Level

public Visible everywhere

private Visible only in the same class

protected Visible in subclass and package

default Visible only in the same package

🔹 14. What are arithmetic and logical operators in Java?

 Arithmetic: +, -, *, /, %

 Logical: && (AND), || (OR), ! (NOT)

Example:

int a = 5, b = 10;

System.out.println(a + b); // 15

System.out.println(a > 0 && b > 0); // true

🔹 15. What are bitwise operators?

These operate on binary bits:

Operator Description

& AND

` `

^ XOR

~ NOT

<< Left shift

>> Right shift

🔹 16. What is the ternary operator?

A shorthand for if-else:

int max = (a > b) ? a : b;

🔹 17. What is operator precedence?


It tells the order in which operators are evaluated.

Example:

int result = 5 + 3 * 2; // result = 11 (multiplication first)

🔹 18. What are conditional statements in Java?

Used for decision-making:

if, else:

if (a > b) {

System.out.println("A is greater");

} else {

System.out.println("B is greater");

switch-case:

int day = 2;

switch(day) {

case 1: System.out.println("Monday"); break;

case 2: System.out.println("Tuesday"); break;

default: System.out.println("Other day");

🔹 19. Why use switch-case instead of if-else?

Use switch when you have multiple fixed options (like days, grades).
It is cleaner and easier to manage than many if-else statements.

🔹 20. Simple Java Program Example

class HelloWorld {

public static void main(String[] args) {

System.out.println("Hello, Java!");

}
}

Unit II: Loops, Arrays, OOP, and Strings

🔹 1. What are loops in Java?

Loops are used to repeat a block of code multiple times.

🔹 2. What are the types of loops in Java?

Loop Type Usage Example

for Runs a block a fixed number of times

while Runs while a condition is true

do-while Runs at least once, then checks condition

for-each Used to loop through arrays or collections

🔹 3. Syntax of all loop types?

✅ For loop:

for(int i = 0; i < 5; i++) {

System.out.println(i);

✅ While loop:

int i = 0;

while(i < 5) {

System.out.println(i);

i++;

}
✅ Do-while loop:

int i = 0;

do {

System.out.println(i);

i++;

} while(i < 5);

✅ For-each loop:

int[] nums = {10, 20, 30};

for(int n : nums) {

System.out.println(n);

🔹 4. What is an array in Java?

An array is a collection of elements of the same type stored in a single variable.

Example:

int[] arr = {1, 2, 3};

🔹 5. What are multi-dimensional arrays?

These are arrays of arrays.

Example (2D array):

int[][] matrix = {

{1, 2},

{3, 4}

};

🔹 6. How do you access array elements?

int[] arr = {10, 20, 30};

System.out.println(arr[0]); // Output: 10

🔹 7. What is varargs in Java?


varargs means variable number of arguments.

Example:

void sum(int... numbers) {

for(int n : numbers)

System.out.println(n);

🔹 8. What is an Enum in Java?

Enums are used to define a fixed set of constants.

Example:

enum Day { MONDAY, TUESDAY, WEDNESDAY }

Day d = Day.MONDAY;

🔹 9. What are classes and objects?

 A class is a blueprint.

 An object is an actual instance of that blueprint.

class Car {

int speed;

Car myCar = new Car();

🔹 10. What is a constructor?

A constructor is a special method used to initialize objects.

class Student {

Student() {

System.out.println("Constructor called");

}
🔹 11. What is method overloading?

When two or more methods have the same name but different parameters.

void print(int a) {}

void print(String b) {}

🔹 12. What is constructor overloading?

When a class has multiple constructors with different parameter lists.

Student() {}

Student(String name) {}

🔹 13. What is the this keyword?

this refers to the current object.

class A {

int x;

A(int x) {

this.x = x;

🔹 14. What is an initializer block?

A block that runs before the constructor.

class Test {

System.out.println("Initializer Block");

🔹 15. What is the String class?

A class to work with text (strings).

Example:

String s = "Hello";
🔹 16. What are some methods of the String class?

Method Use

length() Returns the number of characters

charAt(i) Returns character at index i

toUpperCase() Converts to uppercase

equals() Checks if two strings are equal

substring() Extracts a part of the string

🔹 17. What is StringBuilder?

A mutable string class (you can change it after creating it).

Example:

StringBuilder sb = new StringBuilder("Hello");

sb.append(" World");

System.out.println(sb); // Hello World

🔹 18. Difference between String and StringBuilder?

String StringBuilder

Immutable (cannot be changed) Mutable (can be modified)

Slower for updates Faster for multiple changes

Unit III: Inheritance, Polymorphism, Abstract Class,


and Interface

🔹 1. What is Inheritance in Java?

Inheritance means one class (child) can inherit properties and methods from another class (parent).

class Animal {

void sound() { System.out.println("Animal Sound"); }

}
class Dog extends Animal {

void bark() { System.out.println("Dog barks"); }

🔹 2. What is Method Overriding?

When a subclass provides its own version of a method that is already defined in its parent class.

class Animal {

void sound() { System.out.println("Animal sound"); }

class Dog extends Animal {

void sound() { System.out.println("Dog barks"); }

🔹 3. What is the super keyword used for?

 To access parent class methods or constructors from a child class.

class Animal {

void sound() { System.out.println("Animal sound"); }

class Dog extends Animal {

void sound() {

super.sound(); // calls parent method

System.out.println("Dog barks");

🔹 4. What is the Object class in Java?

 Object is the parent class of all classes in Java.

 It has methods like toString(), equals(), hashCode() etc.


🔹 5. What is toString() method?

 It converts an object into a string format.

 You can override it to print meaningful data.

class Student {

public String toString() {

return "Student Object";

🔹 6. What is the equals() method?

 It checks if two objects are equal based on values (not memory address if overridden).

public boolean equals(Object o) {

// check values instead of just reference

🔹 7. What is the final keyword?

 Final class: cannot be inherited

 Final method: cannot be overridden

 Final variable: value cannot be changed

final int x = 10;

🔹 8. What is the instanceof operator?

 Used to check if an object is an instance of a specific class.

if (obj instanceof String) {

System.out.println("It is a String");

🔹 9. What is an Abstract Class?

 A class with abstract methods (no body).

 Can't be instantiated.
abstract class Shape {

abstract void draw(); // no body

🔹 10. What is an Abstract Method?

 A method without a body, written in an abstract class.

abstract void draw();

🔹 11. What is an Interface in Java?

 A blueprint of a class.

 All methods are public and abstract by default.

interface Drawable {

void draw();

🔹 12. Can a class implement multiple interfaces?

Yes, a class can implement more than one interface (Java supports multiple interface inheritance).

interface A {

void show();

interface B {

void display();

class C implements A, B {

public void show() {}

public void display() {}

🔹 13. What are static and default methods in interfaces (Java 8)?

 Default methods have a body and can be overridden.

 Static methods belong to the interface, not the implementing class.


interface A {

default void show() {

System.out.println("Default method");

static void greet() {

System.out.println("Static method");

🔹 14. Difference between Abstract Class and Interface?

Feature Abstract Class Interface

Can have Both abstract + normal methods Only abstract (until Java 7)

Constructors Yes No

Multiple Inheritance Not possible Possible (via interfaces)

Unit IV: Nested Class, Lambda Expressions, Utility


Classes, Exceptions and Assertions

🔹 1. What is a Nested Class?

A nested class is a class defined inside another class.

There are 4 types:

1. Static nested class

2. Non-static (Inner) class

3. Local inner class

4. Anonymous inner class

🔹 2. What is a Static Nested Class?

 Defined inside another class using the static keyword.


 Does not require an object of outer class to access.

class Outer {

static class Inner {

void show() {

System.out.println("Static Inner Class");

🔹 3. What is a Non-Static (Inner) Class?

 Defined inside another class without static.

 Needs an object of the outer class to create its object.

class Outer {

class Inner {

void show() {

System.out.println("Non-static Inner Class");

🔹 4. What is a Local Inner Class?

 A class defined inside a method.

void display() {

class Local {

void msg() { System.out.println("Local Inner Class"); }

Local obj = new Local();

obj.msg();

🔹 5. What is an Anonymous Inner Class?


 A class without a name, created to override a method quickly.

Thread t = new Thread() {

public void run() {

System.out.println("Anonymous class");

};

🔹 6. What is a Functional Interface?

An interface with only one abstract method.

Example:

@FunctionalInterface

interface Sayable {

void say();

🔹 7. What is a Lambda Expression in Java?

 Short way to write functions without names.

 Mostly used with functional interfaces.

interface Sayable {

void say();

Sayable s = () -> System.out.println("Hello using lambda!");

🔹 8. How to work with Date in Java?

Use java.time package:

import java.time.LocalDate;

import java.time.LocalDateTime;

LocalDate date = LocalDate.now();

LocalDateTime datetime = LocalDateTime.now();


🔹 9. What is an Exception in Java?

An exception is an unexpected problem that occurs during runtime (like dividing by zero).

🔹 10. What is the Exception Hierarchy?

Category Examples

Checked Exceptions IOException, SQLException

Unchecked Exceptions NullPointerException, ArithmeticException

Key Points:

 Checked Exceptions: These are exceptions that must be either caught or declared in the
method signature using the throws keyword. Examples include IOException and
SQLException.

 Unchecked Exceptions: These exceptions do not need to be explicitly handled or declared.


They usually indicate programming errors. Examples include NullPointerException and
ArithmeticException.

🔹 11. What is Exception Propagation?

If an exception occurs in a method and it's not handled there, it moves to the calling method.

🔹 12. What are try, catch, and finally blocks?

 try – place the risky code

 catch – handle the exception

 finally – always executes

try {

int a = 10 / 0;

} catch (ArithmeticException e) {

System.out.println("Can't divide by zero");

} finally {

System.out.println("Finally block always runs");

}
🔹 13. What is the difference between throw and throws?

Keyword Meaning Example

throw Used to throw an exception manually throw new ArithmeticException();

Used in method declaration to declare possible void readFile() throws


throws
exceptions IOException

🔹 14. What is Multi-catch block?

Allows you to catch multiple exceptions in one block.

try {

// code

} catch (IOException | SQLException e) {

e.printStackTrace();

🔹 15. What is Try-with-resources?

It is used to automatically close resources like files.

try (BufferedReader br = new BufferedReader(new FileReader("file.txt"))) {

System.out.println(br.readLine());

🔹 16. What are Custom Exceptions?

Your own defined exception classes by extending Exception class.

class MyException extends Exception {

MyException(String msg) {

super(msg);

🔹 17. What is an Assertion in Java?

 Used for debugging/testing.


 assert is used to test assumptions.

int age = 18;

assert age >= 18 : "Age is less than 18";

Unit V: I/O Fundamentals and Generics

🔹 1. What is I/O in Java?

I/O stands for Input and Output.


It is used to:

 Input: Take data from the user, a file, or a device (like keyboard or network).

 Output: Send data to the screen, a file, or a device (like printer).

Java provides java.io and java.nio packages to handle I/O operations.

🔹 2. What is a Stream in Java?

A stream is a continuous flow of data.


Java uses streams to read from and write to data sources like files, memory, or the console.

Type Used for

Byte Stream For binary data (images, audio)

Character Stream For text data (strings, files)

🔹 3. Which classes are used to read and write data from files?

Purpose Class Name

Read characters FileReader, BufferedReader

Write characters FileWriter, BufferedWriter

Read bytes FileInputStream


Purpose Class Name

Write bytes FileOutputStream

🔹 4. How do you read a file using BufferedReader?

BufferedReader br = new BufferedReader(new FileReader("file.txt"));

String line;

while ((line = br.readLine()) != null) {

System.out.println(line);

br.close();

It reads text line by line efficiently.

🔹 5. What is Serialization in Java?

Serialization is the process of converting an object into a byte stream so that it can be saved to a file
or sent over a network.

 The class must implement the Serializable interface.

 ObjectOutputStream is used for serialization.

ObjectOutputStream out = new ObjectOutputStream(new FileOutputStream("data.txt"));

out.writeObject(myObject);

out.close();

🔹 6. What is Deserialization?

It is the reverse of serialization — converting a byte stream back into an object.

ObjectInputStream in = new ObjectInputStream(new FileInputStream("data.txt"));

MyClass obj = (MyClass) in.readObject();

in.close();

🔹 7. What is Generics in Java?


Generics allow classes, interfaces, and methods to operate on objects of various types while
providing type safety.

Example:

class Box<T> {

T value;

void set(T val) { value = val; }

T get() { return value; }

You can use:

Box<String> nameBox = new Box<>();

Box<Integer> numberBox = new Box<>();

🔹 8. What is the Diamond Operator <>?

It’s a shorthand to avoid repeating type information.

ArrayList<String> list = new ArrayList<>(); // Compiler infers the type

🔹 9. What is a Bounded Type in Generics?

You can limit the types that can be used.

class Box<T extends Number> { } // Only Number or its subclasses (Integer, Float, etc.)

🔹 10. What is Wildcard in Generics?

Wildcards are used when you don’t know the exact type.

Wildcard Meaning Example

? Any type List<?>

? extends Number Any subclass of Number List<? extends Number>

? super Integer Any superclass of Integer List<? super Integer>

Key Points:

 ?: Represents any type. It's the most general wildcard.

 ? extends Number: Represents a wildcard for any type that is a subclass of Number
(including Number itself).

 ? super Integer: Represents a wildcard for any type that is a superclass of Integer (including
Integer itself).
🔹 11. What is the use of Generics?

 Type safety (detects errors at compile time)

 Code reusability

 No need to cast

 Better readability

🔹 12. What is the difference between Collection and Generics?

Collection (like ArrayList) Generics

Stores multiple elements Works with any type

Can be used with Generics Is a feature that adds flexibility

🔹 13. What is Object Serialization used for?

Used to:

 Save object data to a file

 Send object data over the network

 Store session data in applications

🔹 14. What happens if a class is not Serializable?

If a class does not implement Serializable, Java throws NotSerializableException during serialization.

🔹 15. What is the transient keyword?

It is used to skip certain fields from serialization.

transient int temp; // This variable won't be saved

Unit VI: Collections and Java Database Programming

🔹 1. What is the Collection Framework in Java?

The Collection Framework is a part of the java.util package.


It provides ready-to-use classes and interfaces to store and manipulate groups of data.
🔹 2. What are the main interfaces in the Collection framework?

The Java Collection Framework provides several core interfaces that define common behaviors for
different types of collections. Each interface is designed to serve a specific data handling purpose.
These interfaces are part of the java.util package.

Below is a detailed table describing the key interfaces:

These interfaces provide a standardized way to work with groups of objects and support
polymorphism, making Java programs more flexible and reusable.

🔹 3. What is an ArrayList? How do you use it?

 ArrayList is a resizable array.

 Part of the java.util package.

 Allows duplicates and maintains insertion order.

ArrayList<String> list = new ArrayList<>();

list.add("Apple");

list.add("Banana");

🔹 4. What is TreeSet? How is it different from HashSet?

 TreeSet stores elements in sorted order (natural or custom).

 It doesn’t allow duplicates.

 Belongs to java.util.

TreeSet uses either:

 Comparable (for natural sorting)

 Comparator (for custom sorting)

🔹 5. What is the difference between Comparable and Comparator?

Feature Comparable Comparator

Package java.lang java.util

Method compareTo() compare()

Sorting Logic Inside the class Outside the class

Use One sorting only Multiple custom sortings


Feature Comparable Comparator

Key Points:

 Comparable: This interface allows objects of a class to compare themselves to each other by
overriding the compareTo() method. It's used when there's a natural order for the objects,
and only one way to sort them.

 Comparator: This interface allows you to define custom sorting logic, outside of the class
itself. It's more flexible, allowing you to define multiple ways to sort objects.

🔹 6. What is HashMap in Java?

 HashMap stores key-value pairs.

 It does not allow duplicate keys.

 Belongs to the java.util package.

HashMap<Integer, String> map = new HashMap<>();

map.put(1, "One");

map.put(2, "Two");

🔹 7. What is a Deque?

 A Deque is a double-ended queue.

 You can insert or remove elements from both ends.

 Class: ArrayDeque in java.util.

Deque<String> deque = new ArrayDeque<>();

deque.addFirst("A");

deque.addLast("B");

🔹 8. What is JDBC?

 JDBC stands for Java Database Connectivity.

 It is an API to connect and run SQL queries from Java.


🔹 9. What are the JDBC Driver Types?

Type Name Description

Type 1 JDBC-ODBC Bridge Uses ODBC driver; outdated

Type 2 Native-API Driver Uses native code; platform-dependent

Type 3 Network Protocol Driver Uses middleware server

Type 4 Thin Driver Directly connects to DB using Java; most used

Key Points:

 Type 1 (JDBC-ODBC Bridge): This was an early solution, but it is now outdated and not
recommended for use in modern applications.

 Type 2 (Native-API Driver): Relies on platform-specific native code, which makes it


dependent on the operating system.

 Type 3 (Network Protocol Driver): Works with a middleware server to communicate


between the client and the database, making it more flexible.

 Type 4 (Thin Driver): The most widely used driver, as it communicates directly with the
database using Java and is platform-independent.

🔹 10. What are the steps to connect to a database using JDBC?

1. Load the Driver


Class.forName("com.mysql.cj.jdbc.Driver");

2. Establish connection
Connection con = DriverManager.getConnection(...)

3. Create statement
Statement stmt = con.createStatement();

4. Execute query
ResultSet rs = stmt.executeQuery("SELECT * FROM table");

5. Process results
while(rs.next()) { System.out.println(rs.getString(1)); }

6. Close connection
con.close();

🔹 11. What are CRUD operations in JDBC?


CRUD stands for:

Operation SQL Command

C Create / Insert

R Read / Select

U Update

D Delete

🔹 12. What is a PreparedStatement?

 It is used for executing parameterized SQL queries.

 Prevents SQL injection.

PreparedStatement ps = con.prepareStatement("INSERT INTO student VALUES (?, ?)");

ps.setInt(1, 1);

ps.setString(2, "Ravi");

ps.executeUpdate();

🔹 13. What are non-conventional databases?

They are NoSQL databases like MongoDB or Cassandra.


They store data differently (not rows/columns) and are used for big data or flexible schemas.

🔹 14. What package is used for JDBC?

java.sql is the main package used in JDBC.


It provides classes like Connection, Statement, ResultSet, etc.

You might also like