KEMBAR78
OOPs With Java Unit 1-Chapter-2 | PDF | Class (Computer Programming) | Data Type
0% found this document useful (0 votes)
8 views22 pages

OOPs With Java Unit 1-Chapter-2

Chapter 2 of 'Object Oriented Programming With JAVA' covers the basics of Java language, focusing on program structure, essential rules, and input/output statements. It emphasizes the importance of a well-structured Java program, including package declarations, import statements, class declarations, and the main method. Additionally, it discusses variable types, comments, and methods for capturing user input using classes like Scanner and BufferedReader.

Uploaded by

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

OOPs With Java Unit 1-Chapter-2

Chapter 2 of 'Object Oriented Programming With JAVA' covers the basics of Java language, focusing on program structure, essential rules, and input/output statements. It emphasizes the importance of a well-structured Java program, including package declarations, import statements, class declarations, and the main method. Additionally, it discusses variable types, comments, and methods for capturing user input using classes like Scanner and BufferedReader.

Uploaded by

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

Object Oriented Programming With JAVA

Chapter-2

JAVA Language Basics

Java Program Structure

A well-structured Java source file is crucial for maintaining organization and ensuring
smooth execution. This article has essential guidelines for structuring a Java program
effectively. By adhering to these recommended practices,
Program Structure
developers can enhance code readability and
 Essen al Rules
maintainability, leading to more efficient Java
 Programming Elements
 Comments application development. Discover the key
 Output Statements elements that every Java source file should
 Input Statements incorporate.
Variable
The structure of a Java program is organized
Constants
as follows:
Data Types
Tokens
Keywords 1. Package Declaration: A package is
Operators optional. it is a collection of related Java classes.
 Operator Precedence The package statement should be the first line
Type Cas ng in a Java file. It serves as a mechanism to
 Implicit Type Cas ng encapsulate a group of classes, sub-packages,
 Explicit type Cas ng and interfaces within a namespace, making
code management easier.

2. Import Statements: Import is optional statement, allow you to use classes from
other packages in your Java program. This makes it easier to utilize pre-written classes and
interfaces, enhancing code reusability and simplicity.

3. Class Declaration: it is required for every Java program. Every java program must
contain at least one class, which acts as a blueprint for objects. A class is a user-defined
template from which objects are created, providing structure and behaviour to the data.

4. Main Method: The main() method serves as the entry point for any executable Java
program. It's where the program begins execution, it is essential for running applications if
you are making an executable.

5. Methods and Variables: Methods are collections of statements designed to


perform specific tasks, often using variables to process data. Within the main() method,
statements are executed sequentially to carry out operations.
Object Oriented Programming With JAVA

Essential Rules for Constructing a Java Program


1. File Name Consistency: Ensure that the file name matches the public class
name. For example, if your public class is named MyMessage, the file should be named
MyMessage.java.
2. Public Class Limitation: Each Java file can contain only one public class. For
instance, if you are working with the file MyMessage.java, it should contain only one
public class named MyMessage.
3. CamelCase Convention: Define class and method names using camelCase.
For example, a method should be named myMethod().
4. Inclusion of main() Method: If your program is intended to be executable,
it must include a main() method. To run Java programs, we have these streamlined
steps:
Step 1: Write the Code-Create a new text file with the .java extension. Utilize a text

Program •Source Code

Java
Compiler

Virtual
machine •Byte Code

Java
Interpreter

Real
machine •Machine Code

editor such as Notepad, VS Code, IntelliJ, or Eclipse to write your Java code.
Step 2: Compile the Code-Use the Java compiler (javac) to convert your .java files
into bytecode, resulting in a .class file. Remember, Java source code must be
compiled before it can be executed.
Step 3: Run the Program-The Java Virtual Machine (JVM) interprets the bytecode
and executes it on the operating system. Use the JVM to run your compiled Java
program.
Let’s take a basic example of Hello world program.

public class Test //Defines a class named Test


{
public static void main(String[] args){ //main is the entry point of every
Java program
System.out.print("Hello, World!");//Prints "Hello, World!" to the
console.
}
}
Object Oriented Programming With JAVA
Output:

Please Note, in this example


class- This keyword is essential for declaring a class.
public- An access specifier that allows access from anywhere within the program.
static- Used to make a function static, meaning you don't need to create an instance of the
class to use it.
main()-This serves as the entry point of the program and is where compilation begins.
String[] args- Allows users to input parameters from the command line. This can also be
written as String args[].
System.out.print- Used to output text to the command line or console.
Another Example:
package com.example; // 1. Package Declaration (Optional)
import java.util.Scanner; // 2. Import Statements (Optional)
public class MyMessage { // 3. Class Declaration (Required)
private String text; // 4. Instance Variables (Optional)
public MyMessage(String msg) { // 5. Constructor (Optional)
this.text = msg;
}
public void displayText() { // 6. Methods (Optional)
System.out.println("Message: " + text);
}
public static void main(String[] args){// 7. Main Method (If Executable)
MyMessage t = new MyMessage("Hello, World!");
t.displayText();
}
}
Output:

Comments in Java

Comments in Java are essential for enhancing code clarity, improving readability, and
preventing certain code sections from executing during testing or debugging phases. Java
offers three types of comments:

1. Single-Line Comments: These are ideal for brief explanations or for temporarily disabling
a single line of code. The syntax for a single-line comment is:

// This is a single-line comment


Object Oriented Programming With JAVA
Example:

public class MyProg {


public static void main (String [] args) {
int i=25; //i is a variable of int type
System.out.println(i);
}
}
Output:

2. Multi-Line Comments -Multi-line comments are a valuable tool for adding


extensive explanations or detailed descriptions within your code. This feature is particularly
useful when you need to provide context or clarify complex sections, making your code more
understandable and easier to maintain.

Syntax:

/*
This is a
multi-line
comment
*/
Example:

public class MyProg {


public static void main (String[] args) {
/* this is multiline comment in java here
We are printing value of variable in java. */
int i=25;
System.out.println(i);
}
}
Output:

3. Java Documentation Comment- The documentation comment plays a crucial


role in generating an API documentation. To create comprehensive API documentation, you
must utilize the Javadoc tool. Here's the syntax for a documentation comment:
/**
* This
* is a
* documentation
* comment
*/
Example:
Object Oriented Programming With JAVA
/** The Calculator class provides methods to get addition and subtraction of
given 2 numbers. */
public class Calculator {
/** The add() method returns addition of given numbers. */
public static int add(int a, int b){
return a+b;
}
/** The sub() method returns subtraction of given numbers. */
public static int sub(int a, int b){
return a-b;
} }

Output statement
An output statement in Java allows us to display variable values, expressions, and
various string contents on the console.

For instance, the System.out.print("Hello World!"); statement prints "Hello World!" to the
console. In this context:
System- it is a predefined class available in the java.lang package.
out- it is a static member of the System class.
print- it is a method used to output text to the console without advancing to a new
line, keeping the cursor on the same line.

Alternatively, System.out.println("Hello World!"); prints the text and then moves the cursor to
the next line, allowing subsequent output to appear beneath it.

Java also supports formatted output with the System.out.printf("Age: %d, Pi: %.2f", age, pi);
statement. This method functions similarly to language C's printf(), using format specifiers such
as %d for integers, %f for floats, and %s for strings.

In addition, Java supports escape sequences to manage formatting within strings. Examples
include:
System.out.println("Hello\nworld!"); \\which uses \n to start a new line
within the string.
System.out.println("C:\\Users\\Documents"); \\where the double backslash
\\ represents a single backslash in the output.

Input statement
In Java programming, user input can be obtained from several sources, including the
keyboard, files, command-line arguments, or GUI components. The most popular method for
capturing user input is by utilizing the Scanner class, though Java offers additional techniques
for input reading.

1. Scanner Class-The Scanner class is a part of the java.util package and is specially
designed to read various types of input, such as integers, floating-point numbers, and strings,
Object Oriented Programming With JAVA
directly from the console. To make use of the Scanner class, you must first create an instance
of it.
As one of the key tools for reading keyboard input, the Java java.util.Scanner class splits
input into tokens using a default whitespace delimiter. This class offers numerous methods to
seamlessly read and parse various primitive data types and strings using regular expressions.
The Scanner class is a subclass of the Object class and implements the Iterator and Closeable
interfaces.
Here is the syntax for creating a Scanner object:

Scanner objectName = new Scanner(System.in);

Methods used:
Methods Description
public string next(); it returns the next token from the scanner.
public string nextLine(); it moves the scanner position to the next line and returns
the value as a string.
public short nextShort(); it scans the next token as a short value.
public byte nextByte(); it scans the next token as byte.
public int nextInt(); it scans the next token as an integer value.
public float nextFloat(); it scans the next token as a float value.
public long nextLong(); it scans the next token as a long value.
public boolean nextBoolean(); it scans the next token as a true/false value.
public double nextDouble(); it scans the next token as a double value.
Example:
import java.util.Scanner; // Import Scanner class
public class MyProg {
public static void main(String[] args) {
Scanner obj = new Scanner(System.in); // Create Scanner object
System.out.print("Enter an integer: ");
int num = obj.nextInt(); // Reading an integer
System.out.print("Enter a floating value: ");
double decimal = obj.nextDouble(); // Reading a floating-point number
System.out.print("Enter a single word: ");
String word = obj.next(); // Reading a single word
obj.nextLine(); // Reading a full line
System.out.print("Enter a full sentence: ");
String sentence = obj.nextLine();
System.out.println("\nYou entered:"); // Printing the input
System.out.println("Integer: " + num);
System.out.println("Floating value: " + decimal);
System.out.println("Word: " + word);
System.out.println("Sentence: " + sentence);
obj.close(); // Close Scanner object
}
}
Output:
Object Oriented Programming With JAVA

2.Console Class-The Java Console class is a valuable tool for capturing input directly
from the system console. It offers methods specifically designed for reading text and securely
handling passwords. When you utilize the Console class to read a password, it ensures that the
password is not displayed on the screen, providing an extra layer of security.

The java.io.Console class seamlessly integrates with the system console, and it has been
available since Java 1.5. Below is an example to demonstrate how to read text input from the
console using the Console class:
String text = System.console().readLine();
System.out.println("Text is: " + text);
Example:
import java.io.Console;
class MyProg{
public static void main(String args[]){
System.out.println("Enter your name: ");
Console c=System.console();
String name=c.readLine(); //reading string
//Or
String name=System.console().readLine();
System.out.println("Name :"+name);
}
}
Output:

3.Using BufferedReader Class: The BufferedReader class, part of the java.io


package, offers a faster and more efficient option for handling large input compared to the
Scanner class.
Example:
import java.io.BufferedReader;
import java.io.IOException;
import java.io.InputStreamReader;
public class MyProg {
public static void main(String[] args) throws IOException {
Object Oriented Programming With JAVA
BufferedReader reader = new BufferedReader(new InputStreamReader(System.in));
System.out.print("Enter your name: ");
String name = reader.readLine(); // Reads a full line
System.out.print("Enter your marks: ");
int marks = Integer.parseInt(reader.readLine()); // Convert String to int
System.out.println("\nHello, " + name + "! You have marks: " + marks);
}
}
Output:

Variables
In Java programming, a variable acts as a container for storing data that can be
modified throughout the execution of a program. Each Java variable is associated with a
specific type that determines the kind of data it can hold, such as integers, characters, or
floating-point numbers. Understanding variable types in Java is crucial for efficient coding and
program execution.

Rules of variable declaration:

a) the name of the variable is the combination of characters (A to Z or a to z), Numbers


(0-9) and two special symbol such as underscore (_) and Doller ($).
Ex: int a; //valid variable name
int _a; //valid variable name
int $a; //valid variable name
int a2; //valid variable name
int 2a; //invalid variable name
b) variable name always mentions in the left side of assignment operator.
Ex: int a=10;
c) First character of variable name can be a letters or underscore or Doller.
Ex: int a;
Int _a;
int $a;
d) There should be no blanks between the name of the variable.
Ex: int sum=10;//valid
int su_m=10;//valid
int su m=10;//invalid
e) Case sensitive in java
Ex: int ab;//both are not same
int AB;
f) Can not use keyword as variable name.
Object Oriented Programming With JAVA
Ex: int int;//invalid
Int class;//invalid

Mainly variable are classified in three categories in Java.

(a) Local Variables


(b) Instance Variables (Non-Static Variables)
(c) Static Variables (Class Variables)
(a) Local Variables- Local variables are declared within a method, constructor, or block, and
their scope is limited to the block where they are declared. These variables must be
initialized before use, as they do not have default values. A local variable, therefore, is any
variable declared inside a method or constructor, excluding the header.

Local variables differ from instance variables in that access specifiers can only be applied
to instance variables, not to argument or local variables. Additionally, local variables can
be defined within specific blocks, such as an "if" block or an "else" block. In these cases,
their scope is confined to the block in which they are declared. This ensures that local
variables are only accessible where they are relevant within the code.
public class MyProg {
public static void main(String[] args) {
int a = 50; // Local variable
System.out.println("Value: " + a);
}
}
Output:

(b) Instance Variables (Non-Static Variables)- Instance variables in a class are declared
outside methods and are specific to each object of that class. These variables have default
values of 0, null, or false, depending on their type. Defined exclusively within a class and
not within any method or constructor, instance variables are so named because each object
(or instance) of the class retains its own copy. The access specifier set on these variables
determines their scope. We have discussed access specifiers previously. The lifespan of
instance variables is tied to the lifespan of their respective objects. Once an object is no
longer in use, the Java garbage collector will destroy it, as it no longer has any references.
class Person {
String name; // Instance variable
int age; // Instance variable
void display() {
System.out.println("Name: " + name + ", Age: " + age);
}
public static void main(String[] args) {
Person p1 = new Person(); // Creating an object
p1.name = "Ram";
p1.age = 21;
p1. display ();
Object Oriented Programming With JAVA
}
}
Output:

(c) Static Variables (Class Variables)- In programming, variables declared with the
"static" keyword inside a class are shared across all objects of that class. These static
variables are stored in memory only once in the class area, and they are accessible to
every instance of the class. It's important to note that static variables cannot be local
variables.
class Emp {
static String school = "TechnoSpl"; // Static variable
String name; // Instance variable
Emp (String name) {
this.name = name;
}
void display() {
System.out.println("Employee: " + name + ", School: " + school);
}
public static void main(String[] args) {
Emp e1 = new Emp ("Ram");
Emp e2 = new Emp ("Shyam");
e1.display();
e2.display();
}
}
Output:

Constants
A constant is a type of variable whose value is set permanently upon declaration and
cannot be altered. Once a constant is assigned a value, it remains unchanged. Constants play
a crucial role in programming by providing fixed values. These values are essential for
maintaining consistency in a program, particularly when defining mathematical constants,
configuration settings, or immutable labels. Understanding the use of constants can enhance
code reliability and readability.
Syntax: modifier final datatype CONSTANTNAME = value; //global constant
modifier static final datatype CONSTANTNAME = value; //constant within a class
the final keyword is used to declare a variable as a constant, meaning its value cannot be
changed once assigned. The datatype specifies what kind of data the constant will hold, such
as int, double, or String. By convention, constant names should be in uppercase letters, and
their values must be initialized at the time of declaration.
Object Oriented Programming With JAVA
Java supports three types of constants:

Integer Constant: Declare an integer constant using the final int keyword.
Example: final int MAX_VALUE = 100;
Floating Point Constant: Define a floating-point constant with the final double keyword.
Example: final double PI = 3.14159;
String Constant: Create a string constant using the final String keyword.
Example: final String ERROR_MESSAGE = "Invalid input!”;

Data Types
In Java, data types determine what kind of data a variable can hold, making it crucial
for coding. As a statically typed language, Java requires you to specify the data type when you
declare a variable.
Data types may be two types:
1.Primitive Data Types- (Stores simple values like numbers, characters, and Booleans)
2.Non-Primitive Data Types- (Stores complex objects like arrays, strings, and user-defined

classes)

1. Primitive Data Types - Primitive data types are fundamental building blocks in
programming that store basic values and use a fixed amount of memory.

Data Type Size Default Value Example


byte 1 byte 0 byte b = 100;
short 2 bytes 0 short s = 200;
int 4 bytes 0 int a = 10000;
long 8 bytes 0L long b = 1000000000L;
float 4 bytes 0.0f float dec = 54.79f;
Object Oriented Programming With JAVA
Data Type Size Default Value Example
double 8 bytes 0.0d double pi = 3.14159;
char 2 bytes '\u0000' (null) char letter = 'D';
boolean 1 bit false boolean iNumeric = true;

2. Non-Primitive Data Types- Non-primitive types store references to objects' memory


addresses.

Data Type Description Example


String Stores text String str = "mystring";
Array Stores multiple values of the same type int[] numbers = {1, 2, 3, 4};
class Car {
Class User-defined blueprint for objects String model;
}
interface engine {
Interface Defines a contract for implementing classes void start ();
}
Tokens

In Java programming, tokens represent the smallest elements that a compiler can
recognize. These tokens are essential in constructing every Java statement and expression.
Example:

a) Keyword- int, static, void, float……total 52 in count.


b) Identifier- variable, method, class, package
c) Operator-+, -, *, /.. etc
d) Separator- ; , : , (), {}, []
e) Literals- true, false, null
class MyProg{
public static void main (String args[]){
int a=10, b=20;
int c=a+b;
System.out.print(“Sum=”+c);
}
}
Output:
Object Oriented Programming With JAVA
Keywords

In Java programming, keywords are reserved words that carry a specific meaning for
the compiler and are pivotal in defining the structure and behaviour of Java programs. These
keywords, which total 52, cannot be used as names for variables, classes, or methods.

1. Data Type Keywords- Java is a robust, strongly typed programming language,


which means every variable requires a specific data type declaration. These data types dictate
the kind of data a variable can contain. Java offers 8 primitive data types, each with its unique
keyword for variable declaration.

Keyword Description
byte 8-bit integer
short 16-bit integer
int 32-bit integer
long 64-bit integer
float 32-bit floating-point
double 64-bit floating-point
char 16-bit Unicode character
boolean true or false

2. Control Flow Keywords- Control flow keywords in Java are essential for
managing the execution order of program statements. These keywords determine if code
executes sequentially, conditionally, or repeatedly. Below are the key Java control flow
statements:

Keyword Description
if Executes a block if if-condition is true
else Executes a block if if-condition is false
switch Selects a case from multiple options
case Defines a case inside a switch statement
default Executes if no case matches in switch
while Repeats a block while a condition is true
do Executes at least once, then repeats while condition is true
for Loop with initialization, condition, and update
break Exits from loop or switch
continue Skips the current loop iteration
return Returns a value from a method

3. Exception Handling Keywords- Exception handling in Java is a crucial


mechanism designed to manage runtime errors, ensuring the seamless execution of programs.
Object Oriented Programming With JAVA
By using specific keywords, Java allows developers to handle exceptions systematically and
efficiently.

Keyword Description
try Defines a block to test for exceptions
catch Handles exceptions thrown by try
finally Executes code after try and catch
throw Throws an exception manually
throws Declares exceptions a method might throw

4. Class and Object Keywords- Java is a versatile object-oriented programming


(OOP) language where the focus is on classes and objects. With Java, developers have access
to specific keywords that simplify the definition, creation, and management of classes and
objects.

Keyword Description
class Defines a class
interface Defines an interface
extends Inherits a class
implements Implements an interface
this Refers to the current object
super Refers to the parent class
new Creates a new object
instanceof Checks if an object is an instance of a class

5. Access Modifiers- Access modifiers in Java are essential in managing the


visibility and accessibility of classes, methods, and variables. They determine who can access
specific sections of the code. Java offers four main types of access modifiers:

Keyword Accessibility
public Anywhere
private only within the class
protected within the package and subclasses
default within the same package

6. Package and Import Keywords- By using these keywords, developers can


streamline their code management, enhance code reuse, and maintain a clean project
structure.

Keyword Description
package Defines a package
Object Oriented Programming With JAVA
Keyword Description
import Imports a package or class

7. Non-Access Modifiers- In Java, non-access modifiers play a crucial role in


shaping the behaviour of classes, methods, and variables without influencing access control.
These modifiers are essential for defining aspects such as immutability, inheritance, thread
safety, and overall performance.

Keyword Description
static Belongs to the class, not instance
final Prevents modification (variables, methods, and classes)
abstract Defines an abstract class or method
synchronized Controls thread access
volatile Tells JVM that a variable can be changed by multiple threads
transient Prevents serialization of a field

8. Multi-Threading Keywords- Java offers robust built-in support for multi-


threading through specific keywords designed to manage threads effectively. These keywords
are crucial for concurrent programming, ensuring efficient execution, synchronization, and
thread safety.

Keyword Description
synchronized Controls access to shared resources
volatile Ensures visibility of changes to a variable across threads

9. Other Keywords-Java offers the others important keywords for different


types of operation and functionality.

Keyword Description
enum Defines an enumeration
assert Used for debugging
strictfp Ensures floating-point calculations follow IEEE 754

Operators

Operators in Java are crucial symbols used to perform a variety of operations on


variables and values. Java offers a diverse range of operators, including arithmetic, logical,
bitwise, relational, and assignment operators. Explore the different types of operators in Java
below to enhance your programming skills and improve code efficiency.
1) Unary Operator,
2) Arithmetic Operator,
3) shift Operator,
Object Oriented Programming With JAVA
4)Relational Operator,
5)Bitwise Operator,
6)Logical Operator,
7)Ternary Operator and
8)Assignment Operator.
1) Arithmetic Operators -These operators used for basic mathematical operations for our
program.

Operator Description Example


+ Addition int c = a + b;
- Subtraction int c = a - b;
* Multiplication int c = a * b;
/ Division int c = a / b;
% Modulus (Remainder) int c = a % b;
Example:
public class MyProg {
public static void main(String[] args) {
int a = 10, b = 5;
System.out.println("Sum: " + (a + b));
System.out.println("Difference: " + (a - b));
System.out.println("Product: " + (a * b));
System.out.println("Division: " + (a / b));
System.out.println("Remainder: " + (a % b));
}
}
Output:

2) Relational Operators-These operators used to compare two values and return true or
false.

Operator Description Example


== Equal to boolean c=a==b
!= Not equal to boolean c =a! = b
> Greater than boolean c =a > b
< Less than boolean c =a < b
>= Greater than or equal to boolean c =a >= b
<= Less than or equal to boolean c =a <= b

public class MyProg {


Object Oriented Programming With JAVA
public static void main(String[] args) {
int x = 20, y = 10;
System.out.println(x == y); // false
System.out.println(x != y); // true
System.out.println(x > y); // true
System.out.println(x < y); // false
}
}
Output:

3) Logical Operators- These operators used for logical operations between operands and
returns Boolean values.

Operator Description Example


&& Logical AND (Both conditions must be true) (a > 5 && b < 10)
|| Logical OR (one or more conditions must be true) (a > 0 || b < 5)
! Logical NOT (Reverses the condition) !(a > 5)

public class MyProg {


public static void main(String[] args) {
boolean a = (5 > 3);
boolean b = (10 < 2);
System.out.println(a && b); // false
System.out.println(a || b); // true
System.out.println(!a); // false
}
}
Output:

4) Bitwise Operators - These operators used for bit-level operations on integers.


Operator Description Example

& Bitwise AND a&b


| Bitwise OR a|b
^ Bitwise XOR a^b
~ Bitwise Complement ~a
Object Oriented Programming With JAVA
Operator Description Example

<< Left Shift a << 2


>> Right Shift a >> 2
>>> Unsigned Right Shift a >>> 2

public class MyProg {


public static void main(String[] args) {
int a = 3, b = 9;
System.out.println("AND: " + (a & b)); // 1
System.out.println("OR: " + (a | b)); // 11
System.out.println("XOR: " + (a ^ b)); // 10
System.out.println("Left Shift: " + (a << 1)); // 6
System.out.println("Right Shift: " + (a >> 1));// 1
}}
Output:

5) Assignment Operators - These operators used to assign values to variables.

Operator Example Equivalent To


= a=b Assign b to a
+= a += b a=a+b
-= a -= b a=a-b
*= a *= b a=a*b
/= a /= b a=a/b
%= a %= b a=a%b

public class MyProg {


public static void main(String[] args) {
int x = 2;
x += 5; // x = x + 5
System.out.println(x);
}
}
Output:
Object Oriented Programming With JAVA

6) Unary Operators- These operators used to work on a single operand.

Operator Description Example


+ Positive number (default) +a
- Negative number -a
++ Increment (Increase by 1) a++ or ++a
-- Decrement (Decrease by 1) a-- or --a

public class MyProg {


public static void main(String[] args) {
int a = 3;
System.out.println(a++); // Output: 3
System.out.println(++a); // Output: 5
}
}
Output:

7) Ternary Operator - shorthand way to write decision making without using if-else.it is
called conditional operator also.
Syntax: (condition? expr1: expr2)
public class MyProg {
public static void main(String[] args) {
int a = 150, b = 78;
int min = (a < b) ? a : b;
System.out.println("Smaller value: " + min);
}
}
Output:

8) Shift operator- The shift operators in Java are used to manipulate bits of a number by
shifting them left or right. Java provides three types of shift operators:
1. Left Shift (<<)-Shifts bits to the left, filling the empty bits with 0. Equivalent to
multiplying by 2n (where n is the number of shifts).
int a = 15; // 15 in binary: 0000 1111
int result = a << 2; // Shift left by 2: 0011 1100 (20 in decimal)
Object Oriented Programming With JAVA
System.out.println(result); // Output: 60

2. Right Shift (>>)-Shifts bits to the right, filling empty bits with the sign bit (MSB).
Equivalent to dividing by 2n, keeping the sign.
int a = 60; // 60 in binary: 0011 1100
int result = a >> 2; // Shift right by 2: 0000 1111 (15 in decimal)
System.out.println(result); // Output: 15

3. Unsigned Right Shift (>>>)-Shifts bits to the right, always filling empty bits with 0
(no sign extension).Used for unsigned (logical) shifting.

int a = -20; // -20 in binary: 1111 1111 1111 1111 1111 1111 1110 1100
int result = a >>> 2; // Logical shift right by 2
System.out.println(result); // Output: A large positive number

Operator Precedence Table (Highest 1 to Lowest 15)- Operator precedence is


crucial in determining the sequence in which operations are executed in expressions.
Operators with higher precedence are processed before those with lower precedence,
ensuring accurate computations. Here's a comprehensive hierarchy table listing operators
from the highest precedence (1) to the lowest (15).

Precedence Operator Description Associativity


Parentheses, Array Access, Member
1 (), [], . Left to Right
Access
Unary, Increment/Decrement,
2 ++, --, +, -, ~, ! Positive/Negative, Bitwise NOT, Right to Left
Logical NOT
3 *, /, % Multiplication, Division, Modulus Left to Right
4 +, - Addition, Subtraction Left to Right
Bitwise Shift Left, Right, Unsigned
5 <<, >>, >>> Left to Right
Right
<, <=, >, >=,
6 Relational, Type Comparison Left to Right
instanceof
Object Oriented Programming With JAVA
Precedence Operator Description Associativity
7 ==, != Equality, Inequality Left to Right
8 & Bitwise AND Left to Right
9 ^ Bitwise XOR Left to Right
10 | Bitwise inclusive OR Left to Right
11 && Logical AND Left to Right
12 || Logical OR Left to Right
13 ?: Ternary Conditional Right to Left
=, +=, -=, *=, /=, %=,
14 <<=, >>=, >>>=, Assignment Operators Right to Left
&=, ^=
15 , Comma (Separates Expressions) Left to Right

Type Casting

Type casting in Java involves converting a variable from one data type to another, a crucial
step for ensuring compatibility and seamless operation execution across different data types.
Java provides type casting for reference types (objects) through upcasting and down casting
within inheritance structures. There are primarily two types of type casting in Java:

1. Implicit Type Casting (Small to Big)


2. Explicit Type Casting (Big to Small)

1.Implicit Type Casting - Implicit type conversion, also known as automatic type
conversion, occurs when the compiler automatically converts a smaller data type into a larger
data type.

public class MyProg {


public static void main(String[] args) {
int num = 10; // Integer (4 bytes)
double doubleNum = num; // Automatically converted to double (8 bytes)
System.out.println("Integer value: " + num);
System.out.println("Double value: " + doubleNum); // 10.0
}
}
Output:

2.Explicit Type Casting - Explicit type casting, also referred to as manual type conversion,
occurs when a programmer manually converts a larger data type into a smaller one. By default,
Object Oriented Programming With JAVA
the compiler doesn't permit explicit type casting automatically. Here are the key rules for
explicit type conversion:

1. Manual Process: Type casting must be performed manually using parentheses to


specify the desired data type (e.g., (data type) ).
2. Potential Data Loss: There is a risk of data loss if the target data type cannot
accommodate the full value of the original data.
3. Size Consideration: The destination data type should be smaller than the source data
type to ensure proper conversion.

public class MyProg {


public static void main (String[] args) {
double a = 45.70; // Double (8 bytes)
int b = (int) a; // Manually cast to int (4 bytes)
System.out.println("Double value: " + a); // Double value
System.out.println("Integer value: " + b); // Decimal part discarded
}
}
Output:

You might also like