KEMBAR78
Java Programmer Certification | PDF | Method (Computer Programming) | Class (Computer Programming)
0% found this document useful (0 votes)
1K views59 pages

Java Programmer Certification

1. Java identifiers can contain letters and digits but must start with a letter, and cannot contain spaces or special characters like #. The $ character should only be used in mechanically generated code or for accessing legacy names. 2. Certain keywords like abstract, boolean, and if cannot be used as identifiers as they are reserved. The keywords const and goto are also reserved but not currently used. 3. The literals true, false, and null are reserved and have special meanings in Java.

Uploaded by

api-27399718
Copyright
© Attribution Non-Commercial (BY-NC)
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)
1K views59 pages

Java Programmer Certification

1. Java identifiers can contain letters and digits but must start with a letter, and cannot contain spaces or special characters like #. The $ character should only be used in mechanically generated code or for accessing legacy names. 2. Certain keywords like abstract, boolean, and if cannot be used as identifiers as they are reserved. The keywords const and goto are also reserved but not currently used. 3. The literals true, false, and null are reserved and have special meanings in Java.

Uploaded by

api-27399718
Copyright
© Attribution Non-Commercial (BY-NC)
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/ 59

Java Programmer Certification Notes

An identifier is an unlimited-length sequence of Java letters and Java digits, the


first of which must be a Java letter. [4chevy, all/clear, get-lot-fred are illegal, not contain space or #]
The $ character should be used only in mechanically generated Java code or, rarely, to access pre-existing names
on legacy systems.

Keywords
The following character sequences, formed from ASCII letters, are reserved for
use as keywords and cannot be used as identifiers (§3.8): (46 words)
Modifier Primitive Loops Access Exception Inheritance Miscellaneous
Types
abstract boolean if private throw class new
final byte else protected throws interface const
native char do public try super goto
volatile double while package catch this instanceof
static float for import finally implements
synchronized int switch extends
transient long case
short default
void break
continue
return
Not used
The keywords const and goto are reserved by Java, even though they are not currently used in Java.
Reserved Literals
While true and false might appear to be keywords, they are technically Boolean literals (§3.10.3). Similarly,
while null might appear to be a keyword, it is technically the null literal (§3.10.7).
There null, true,false are reserved as predefined literals not keywords

Datatype width(bits) Min value Wrapper class


Max value
1 boolean NA true, false Boolean
2 byte 8 -27, 27 -1 Byte
3 short 16 -215, 215 - 1 Short
4 char 16 0x0, 0xffff [must be is single quotes & not Character
double quotes] i.e from 0 to 65535
5 int 32 -231, 231 - 1 Integer
6 long 64 -263, 263 - 1 Long
7 float 32 ±MIN_VALUE = 1.4e-45f; Float
±MAX_VALUE = 3.4028235e+38f;
8 double 64 ±MIN_VALUE = 5e-324; Double
±MAX_VALUE =
1.7976931348623157e+308;
0xY is hexadecimal literal , while 0Y is octal literal
/uxxx can be used anywhere in source code to represent Unicode char
e.g. char a = '\u0061', char \u0061 = 'a', ch\u0061r a = 'a' are valid
'0' to '9' is \u0030 to \u0039 | 'A' to 'Z' is \u0041 to \u005a | 'a' to 'z' is \u0061 to \u007a
'' = \u0020 \b = \u0008 \t = \u0009 \n = \u000a \r = \u000d
A floating-point literal is of type float if it is suffixed with an ASCII letter F or f; otherwise its type is double
(default type of floating point literal is double) and it can optionally be suffixed with an ASCII
letter D or d.

Compiled by Veena Iyer [reference book:PGJC by Mughal -Rasmussen & Thinking in Java, Bruce Eckel]
There is no provision for expressing floating-point literals in other than decimal radix. (method intBitsToFloat
(§20.9.23) of class Float & method longBitsToDouble (§20.10.22) of class Double provide a way to
express floating-point values in terms of hexadecimal or octal integer literals.

Language fundametals
• A source file can contain atmost one public class definition, and the file name must match the name
of the public class.
• A source file can contain any number of non-public classes, but each will be compiled into a separate .class file.
• Having a public class in a source file is not a must. Even if a source file doesn't have a public class
the compiler won't complain.
Package declaration can never occur after an import statement.
An empty file is a valid source file.
public static void main(String[] args){} //ORDER of public & static is irrelevant
public void static main is invalid declaration arg[0] is first parm after class name e.g. java test a b c [0]=a

Initialization
! Static & Instance/member variables are automatically initialized to default value.
! Static variable initialized once when class is loaded, instance variables are initialized everytime an object is
created.
! Local variables must be explicitly initialized
Associativity Operator
Left Postfix [] . (parm) expr++ expr--

Right Prefix Unary ++expr --expr +expr -expr ~ !


Object creation & cast new (type)

Left Multiplication */%


Addition +-
Shift << (left shift fill 0) ±x << y = ±x * 2y
>> (right shift fill with sign bit 0/1) for +ve x >> y = x / 2y
>>> (right shift fill with 0 on left)
ternary operators
Relational < <= > >= instanceof
Equality == !=
Bitwise AND & (compare ever bit)
Bitwise XOR ^
Bitwise OR |
logical AND &&
logical OR ||

Right Conditional ?:
Assignment = += - = *= /= %= <<= >>= >>>= &= ^= |=
e.g. k= j =10 is (k = (j=10))
! Boolean and null cannot be cast to any other type.
! "The null type has one value, the null reference, represented by the literal null, which is formed from ASCII
characters. A null literal is always of the null type".
! &&, || and ! apply only to boolean Order for Bitwise is &, ^, |
! Using Not(~) operator : ~n = -(n+1) ie -10 = -(-10+1)=9
v1 = 41 v2 = ~v1 i.e.Not(x) = opp sign(x+1) therefore v2 = -42
! >> : Divide 18>>3 = 18 / (2^3) = 18/8 = 2
! << : Mulitply 3<<3 = 3 * (2^3) = 3 * 8 = 24

Compiled by Veena Iyer [reference book:PGJC by Mughal -Rasmussen & Thinking in Java, Bruce Eckel]
Type Casting
Widening
byte short
int long float double
char
char c = 'a';
int i = c; //implicit widening
Unary Numeric Promotion converts operands byte, short and char to int by applying an implicit widening
conversion (+, -, ~, array creation new int[5], indexing array arr['a'] evaluate to int value , << , >> , >>>)
Binary Numeric Promotion It T is broader that int, both operands are converted to T otherwise both operands
are converted to int (arithmetic, relational, equality, bitwise)
Assigning references does not copy the state of the source object on the RHS, only the reference value.(creates
aliases)

Type conversions on assignment


If destination is char, byte, short & source is an int whose value can be determined to be in range of destination
type, implicit narrowing occurs. e.g.
narrowing primitive conversions involving int literals
short s = 10 , char sym = 12 //int in range no cast required
byte t = (byte) 128 //int not in range (- 128 to 127) cast required

narrowing primitive conversions involving int variable


int i = -20;
final int j = 20; //constant
final int k = i; //value determinable only at runtime
byte b1 = j ; //final value in range, no cast required
byte b2 = (byte)i; //value of i not determinable cast required
byte b3 = (byte)k; //value of k not determinable cast required

All other narrowing requires explicit cast


float fl = (float)100.5D;
int in = (int) fl;

Narrowing between char, byte & short requires explicit cast


short val = (short)'a';
byte b = 32;
char c = (char) b;

-4.0/0.0 result -INF (NEGATIVE_INFINITY)


0.0/0.0 result NaN (Not a Number)

Numeric promotion in arithmetic expression


byte b = 3; //int in range, no cast required
b = (byte) -b; //explicit narrowing conversion required on assignment as -b becomes int
int i = ++b;
For Extended Assignment Operators (opr=)
x*=a x=(T) (x * a) is implied
e.g. byte b = 2;
b += 10; //no cast required as it implies b = (byte) (b +10);
but b = b+10; //compile error. Explicit type cast required

Compiled by Veena Iyer [reference book:PGJC by Mughal -Rasmussen & Thinking in Java, Bruce Eckel]
Strings
package testPackage;
class Test {
public static void main(String[] args) {
String hello = "Hello", lo = "lo";
System.out.print((hello == "Hello") + " "); //true string literals in same Cl & Pkg
System.out.print((Other.hello == hello) + " "); //true string literals in diff Cl &
same Pkg
System.out.print((other.Other.hello == hello) + " ");//true string literals in diff Cl
& diff Pkg
System.out.print((hello == ("Hel"+"lo")) + " ");//true string comptd at compile treated as literl
System.out.print((hello == ("Hel"+lo)) + " "); //false strings comptd at runtime r distinct
System.out.println(hello == ("Hel"+lo).intern()); //true result of explicitly interning
}
}
class Other { static String hello = "Hello"; }
and the compilation unit:
package other;
public class Other { static String hello = "Hello"; }

produces the output:


true true true true false true

This example illustrates six points:


• Literal strings within the same class (§8) in the same package (§7) represent references to the same String
object (§4.3.1).
• Literal strings within different classes in the same package represent references to the same String object.
• Literal strings within different classes in different packages likewise represent references to the same String
object.
• Strings computed by constant expressions (§15.27) are computed at compile time and then treated as if they
were literals.
• Strings computed at run time are newly created and therefore distinct.
• The result of explicitly interning a computed string is the same string as any pre-existing literal string with the
same contents.

equals
Equality for String objects means same Result of applying "==" operator to any two objects of
character string e.g. any type:
String m1 = "Hello" String s1 = "hi";
String m2 = "Hello" String s2 = "hi";
m1.equals(m2) is true System.out.println(s1==s2);//true string literals
Equality for Boolean objects means String s1 = new String("hi");
same primitive value e.g. String s2 = new String("hi");
Boolean b1 = new Boolean(true); System.out.println(s1 == s2);//false different references
Boolean b2 = new Boolean(true);
then b1.equals(b2) is true System.out.println(b1 == b2);//false different references
a.equals(null) //NullPointerException at
runtime

StringBuffer sb1 = new StringBuffer("hi");


StringBuffer sb2 = new StringBuffer("hi");
System.out.println(sb1 == sb2); //false different references
System.out.println(sb1.equals(sb2)); //false NOTE: StringBuffer does not override the equals()
method & hence compare the obj references

Compiled by Veena Iyer [reference book:PGJC by Mughal -Rasmussen & Thinking in Java, Bruce Eckel]
Shift Operator Examples
<<
byte a = 32, b;
int j;
j = a<<3 //256 32*23
b = (byte) a<<3; //0 only last 8bits are considered
a<<3
= 0000 0000 0000 0000 0000 0000 0010 0000 <<3
= 0000 0000 0000 0000 0000 0001 0000 0000
= 0x0 0 0 0 0 1 0 0
= 0x0000100
= 256
1098 7654 3210 9876 5432 1098 7654 3210

>>
byte a = -42; //1101 0110
int result = b>>4; //-3

b>>4 //FILLS with whatever the MSB bit is


= 1111 1111 1111 1111 1111 1111 1101 0110 >>4
= 1111 1111 1111 1111 1111 1111 1111 1101 >>4
= 0xfffffffa (2's complement of 1101 = 3) 0010
=-3 00 01
0011

Parameter Passing
In Java, all parameters are passed by value
For primitives, you pass a copy of the actual value.
For references to objects, you pass a copy of the reference

• Passing Primitives
If Actual Parameter is Primitive datatype, it is copied to the formal parameter. Formal parameter acts as local
variable in the method & cannot change the actual parameter.

• Passing References
If the actual parameter is a reference to an object(instantiation of class or array of reference to object) then the
reference value is passed and not the object itself.
i.e. actual & formal parameters are aliases to the same object during invocation of the method
the change is only to the state(members) of the object not to the reference itself.

Compiled by Veena Iyer [reference book:PGJC by Mughal -Rasmussen & Thinking in Java, Bruce Eckel]
Arrays
• In Java, Arrays are object. An array with length n can be indexed by the integers 0 to n-1.
therefore ith element has index i-1
• Arrays with an interface type as the component type are allowed.(component = any class type that implements
the interface)
• Arrays with an abstract class type as the component type are allowed. .(component =any subclass of the
abstract class that is not itself abstract.)
• Arrays must be indexed by int values; short, byte, or char values may also be used as index values
• All array accesses are checked at run time.
• The size of the array is never given during declaration of array reference. (implicit by init)
e.g. int a[4] = {1,2,3,4} //illegal
int a[] = {1,2,3,4} //legal
declarations
int a[][] = new int [4][4]; //legal
int[][] a = new int[4][4]; //legal
int[] a[] = new int[4][4]; //legal
int []a[] = new int[4][]; //legal note [][4] not allowed

• Array Type do not have a heirarchy & cannot be cast to another primitive array type e.g.
byte [] ba = {1,2,3,4};
int [] ia = ba; //COMPILE time error incompatible types found : byte[] | required: int[]

The members of an array type are all of the following:


• length - The public final field length, which contains the number of components of the array (length
may be positive or zero)
•clone() - All the members inherited from class Object; the only method of Object that is not inherited is its
clone method . The public method clone, which overrides the method of the same name in class Object and
throws no checked exceptions
A clone of a multidimensional array is shallow, which is to say that it creates only a single new array.
Subarrays are shared.
• The string “ [I " is the run-time type signature for the class object “array with component type int”

Compiled by Veena Iyer [reference book:PGJC by Mughal -Rasmussen & Thinking in Java, Bruce Eckel]
Scope & Accessibility
UML notation Members
public + Accessible everywhere
protected # any class in same pkg & subclass in other pkg
default only classes in same pkg (Package accessibilty)
private - Not accessible outside the class it is defined in
PUBLIC Sub class Any PROTECTED Sub class Any
(inherited) class (nested class) (inherited) Class
Same Pkg Y Y Same Pkg Y Y
Outside Pkg Y Y Outside Pkg Y No
A SC in another pkgg can only access protected members in the
superclass via reference of it own type or subtype
DEFAULT Sub class Any PRIVATE Sub class Any
(inherited) class (nested class) (inherited) Class
Same Pkg Y Y Same Pkg No No
Outside Pkg No No Outside Pkg No No

Access Modifiers for class


Classes cannot be abstract & final at the same time
abstract
! class may contain abstract (no method body) / non-abstract methods(instance methods) / final methods
! cannot be instantiated (no 'new')
! interface is implied
final
! cannot be extended ie. subclassed no inheritance
! all methods are implicitly final
! no interfaces

Access Modifiers for members

Variables Methods
static class variable • Static methods can access only static members
(applicable to instance, static, • overriden method should also be static
local variables) • cannot use this.x in main() as it is static
final constants methods cannot be overridden
abstract N.A no method body
synchronized N.A one thread at a time
native N.A method implemented in another language C/C++
transient value will not be persistent if N.A
the object is serialized
volatile value can change N.A.
asynchronously
static
• Known at Compile time- Static methods does not come under runtime Polymorphism. They are known at
compile time itself. The CLASS owns the STATIC method and not the object of the class. So only the class
type determines which static method is invoked and not the object at runtime which is determining the static
method.
• There is NO WAY A REFERENCE of Superclass can call the static method of the subclass
• Static methods have an implicit object reference this and must always supply an explicit object reference
when referring to non-static members.

Compiled by Veena Iyer [reference book:PGJC by Mughal -Rasmussen & Thinking in Java, Bruce Eckel]
class MyClass{
static MyClass rf;
String[] ag;
public static void main(String args[]){ //static method
rf = new MyClass();
rf.func(args);
}
public void func(String[] args) //non static method
{
rf.ag = args; //explicit object reference needed
System.out.println(rf.ag[1]);
}
}

final
! must be initialized once before it is used
! final when used as argument in a method
primitive - can not change the value
reference cannot change the reference
! reference cannot be changed but state/value can be changed
e.g. final Light aL = new Light();
aL .watts = 60; //state can be changed
aL = new Light() //NOT OK. no changing final reference
! Blank Finals
1. final not initialized when declared are blank finals
2. blank finals must be initialized in the constructor
3. Each object can have different value (using random) & yet retain immutability quality

native
e.g. generally use static intitializer
static {
System.loadLibrary("NativeLib");
}
native void nativeMethod();

transient
• Transient modifier should not be specified for static variables as these do not belong to objects
• Transient variable can be both static and final
• The class need not be Serializable or Externalizable to declare its fields as "transient" [ though its meaningless
to do so ]
• But to write the instance of the class ( serialize) into a stream, the class need to implement Serializable or
Externalizable, else "NotSerializableException" will be thrown.
• Objects can be stored using serialization i.e. they can be later retrieved in the same state as when they were
serialized. these are persistent objects.
• Transient indicates that the variable need not be saved when the object is put in persistent storage.
class x implements Serializable{ //Serializable saves the value of the non-transient instances
transient int Temperature;
}

volatile
Since thread can share variables, there can be inconsistency in value of the variable.
Volatile modifier informs the compiler that it should not attempt to perform optimization on the variable i.e.
variable modification is allowed. e.g. volatile long clockReading (return correct current time)

Compiled by Veena Iyer [reference book:PGJC by Mughal -Rasmussen & Thinking in Java, Bruce Eckel]
Flow Control
{{}} is a valid statement block

if - else
condition statement can contain
! method calls
! only expr which evaluates to boolean value can be used as condition
if(false); else; // is legal

switch
! control falls through next statement unless appropriate action is taken
! all labels are optional
! at most one default label
! labels can be specified in any order
! type of the expression must be char, byte, short or int [cannot be boolean /long /floating pt] the type of
case labels must be assignable to the type of switch expr
! can be nested & labels can be redefined in the nested blocks

for
• all expressions in header are optional (two semicolons are mandatory) for(;;) is infinite loop
• multiple variables can be given but must be of the SAME type

do | while
! ondition must evaluate to boolean value
! while(true) is an infinite loop

break
! transfer control out of the current context (closest enclosing block)
! not possible to break out of if statement
e.g. if(true) {break; }
! but if it is placed inside a labeled block, switch or loop usage of 'break' in if is valid.
! for loop : out of the loop body, terminating the loop & going to next statement after loop
! break outer - comes out of the loop labeled as 'outer' e.g.
block: { break block; } //valid

continue
! can be used with for , while, do-while loop
! the rest of the loop is skipped with the execution continuing with the <incr expr>
block: {break continue;} //is invalid

scope
{
int x = 12;
{
int x = 96; //illegal use of x
}
}

{
int x = 12;
{
int q = 96; //scope of x & q
}
} //only x

Compiled by Veena Iyer [reference book:PGJC by Mughal -Rasmussen & Thinking in Java, Bruce Eckel]
Exceptions
checked exceptions
! except RuntimeException (Arithmethic, Null Pointer..), Error (AWT, linkage, thread, VM) and their subclass,
all exceptions are checked exceptions
! must explicitly deal with it
! An overriding method can't throw more or broader checked exceptions - this is not true for overloading
methods

try-catch-finally
! block notation is mandatory
! must be in try-catch-finally order
! for each try block zero or more catch block but only ONE finally block
! if finally block is specified it is guaranteed to be executed regardless of cause of exit (cause of exit can be a
catch,normal exit,return)
catch block
! type of exception must be assignable to the type of argument in the catch block
! header of catch takes exactly one argument
! code of first match of catch block is executed and all other catch blocks are skipped & execute finally
! compiler complains if the catch of the superclass excptn shadows the catch block of the subclass excptn
e.g. Exception & then ArithmethicException is specified //error then order must be changed.
! find the catch block that handles it , then do finally block else exception handled by default top-level
exception handler will have to catch it.
e.g. RuntimeException re = null;
throw re; //NullPointerException occurs as throw requires a throwable object

throw
e.g. try{
if (n1 == 0) throw new DivbyZero("/ by 0")
} catch (DivbyZero e){
}

throws
! can be a superclass of actual expression thrown e.g.
class Divbyzero extends Exception{ }
public void div() throws DivbyZero{ } ------a
public void div() throws Exception{ } ------b are valid
! overriding method in the subclass can only specify none, all or a subset of the exception classes
! The main method can declare that it throws checked exceptions just like any other method

Exception
ClassNotFoundException | ClassNotSupportedException,
IllegalAccessException | InstantiationException | IterruptedException | NoSuchMethodException
RuntimeException ->
EmptyStackException, NoSuchElementException, ArithmeticException,
ArrayStoreException, ClassCastException, IllegalMonitorStateException,
NegativeArraySizeException, NullPointerException, SecurityException.
IllegalArgumentException -> (IllegalThreadStateException, NumberFormatException)
IndexOutOfBoundsException -> (ArrayIndexOutOfBoundsException,
StringIndexOutOfBoundsException)
AWTException
IOException ->
EOFException, FileNotFoundException, InterruptedIOException,
UTFDataFormatException, MalformedURLException, ProtocolException, SockException,
UnknownHostException, UnknownServiceException.

Compiled by Veena Iyer [reference book:PGJC by Mughal -Rasmussen & Thinking in Java, Bruce Eckel]
OOPs
! extends clause is used to specify inheritance
! In Java , classes can only extend a single class but there is no limit to how many classes can extend the same
class
! All members of the superclass are inherited by the subclass (inheritance is different from accessibility)
! A subclass reference can be assigned to a superclass reference e.g. Object objRef = stringRef;
! cannot invoke the methods EXCLUSIVE to subclass via the superclass reference
e.g. objRef.length() //compile error as length is a method of subclass String
! the actual method invoked is determined by dynamic method lookup at runtime e.g objRef.equals("Java")
//calls the overriden method equals from String class & not Objet class
! need to explicitly cast the value of superclass reference to a subclass type (down-casting)

The subclass of a non-abstract class can be declared abstract

All arrays are objects.

Compiled by Veena Iyer [reference book:PGJC by Mughal -Rasmussen & Thinking in Java, Bruce Eckel]
Method Overriding / Variable Shadowing / Method Overloading
! must have the same method signature & same return type
! cannot "narrow" accessibility
this.x = p, this(3) ----calls constructor, this.dovalue() ---method call
super() ---constructor call
Overriding Methods
1. Only methods that can be accessed can be overridden.
• private methods cannot be overridden
• final methods cannot be overridden.
• overriden static method must also be static
2. specify none, all or subset of exceptions specified in throws clause of overridden method (When you override
a method, you can throw only the exceptions that have been specified in the base-class version of the
method.)
3. Aliasing happens automatically during parameter passing (actual reference does not change)
4. parameters can be final in overridden method
5. subclass can use the keyword super to invoke the method in super class
6. super.super.x() is not allowed as super is a keyword not an attribute (1)
7. Variables are shadowed not overrriden
8. cast only changes the type of reference not the class of the object see (2)
9. casting the this reference has no effect on which method is invoked (3)

class Superclass{
protected String x = "Super variable";
protected void methodA(){ System.out.println("Super method"); }
public void banner(){ System.out.println("Let there be Light"); }
}

class Subclass extends Superclass{


public String x = "Sub variable";
//private void methodA(){ //ERROR attempting to assign weaker access privileges;
protected void methodA(){ System.out.println("Sub method"); }
public void banner(){ System.out.println("Let there be Tube Light"); }
}

class Childclass extends Subclass{


public String x = "Child variable";
public void methodA(){
System.out.println("\nUse of super & this keyword");
super.banner(); //call the method from immediate parent class if it exists
// else looks for the class above parent in heirarchy & so on
//super.super.banner() is not allowed to access top-level class method-(1)
System.out.println("Child method");
((Superclass)this).banner(); //still prints the method from immed parent ---(2)
System.out.println(((Superclass)this).x + "\n"); //prints the variable from super class --(3)
}
}
public class test{
boolean methodB(Superclass A){ return true; } //overload
boolean methodB(Subclass A){ return false; }
public static void main(String args[]){
Subclass sc = new Subclass(); // sub -> sub
Superclass sp = sc; // super ---> sub
Superclass ssp = new Superclass(); // super -> super
Childclass ch = new Childclass();

Compiled by Veena Iyer [reference book:PGJC by Mughal -Rasmussen & Thinking in Java, Bruce Eckel]
//Overridden Method
sc.methodA(); // "Sub method"
sp.methodA(); // "Sub method" current object type method is invoked (use super)
ssp.methodA(); // "Super method"
ch.methodA(); // Let there be Light , Child method, Let there be Light, Super Variable

//Shadowed Variables
System.out.println(sc.x); // "Sub variable"
System.out.println(sp.x); // "Super variable" type of reference is used
System.out.println(ssp.x); // "Super variable"
System.out.println(ch.x); // "Child variable"
//Overloading
test t = new test();
System.out.println(t.methodB(sc)); // false sp has 2 methodB - superclass /subclass
// more specific one is chosen
System.out.println(t.methodB(sp)); // true
System.out.println(t.methodB(ssp)); // true
}
}

Constructors
! Constructors have no return type i.e. void classname() is a method & not a constructor
! Constructors can be private, protected or public
Private Constructors Suppose that you want to create a class but you don’t want it to be instantiated as an
object. Just declare the class’s constructors as private.
! Constructors cannot be final , static or abstract.
! Constructors cannot be overridden but can be locally (same class) overloaded
! Local chaining of constructors is possible with the use of this reference
e.g. A(){this(0,true) } calls the appropriate constructor
A(int,boolean) {this(a,b,"X")} and so on
A(int,boolean,char) {……}
! super() is used in subclass to invoke constructors of the immediate superclass
! Java specifies that when using this() or super() it must occur as the first statement in a constructor (i.e both
can not occur in the same constructor)
! if constructor does not have this() or super() then a super() call to the default constructor of super class is
inserted (e.g. first constructor called is Object class) provided the subclass does not define non-default
constructors in which case call super() constructor with right args e.g. super(0,true,"X") or it will look for
default constructor in superclass
e.g. class A{
A(){this("1","2")}; A(x,y) {this(x,y,"Z"}; A(x,y,z){…}
}
class B extends A{ B(string s) //will automatically call default constructor from a super()
{ print s; }
e.g Mysub(int x, int y){super(num); count = x);
Mysub(int x) { this(x,x);)

Compiled by Veena Iyer [reference book:PGJC by Mughal -Rasmussen & Thinking in Java, Bruce Eckel]
Interfaces

! interface is abstract by definition & cannot be instantiated , all declarations are public
! interface methods
! must be public
! cannot be static
! all methods are implicitly abstract
! constants (variables) in interfaces
! are public, static, & final
! access can be done without using dot(.) notation e.g.
interface Constants{…}
LENGTH_UNITS or Constants.LENGTH_UNITS
! a class can implement an interface partly or wholly
! wholly then all the methods must be implemented
! if partly then declare the class as abstract
! multiple interface inheritance is allowed
! interface can extend several interfaces

Abstract Class Interface


must not be instantiated must not be instantiated
may contain static and final data variables are implicitly static and final
abstract class can have non-abstract methods but, methods are implicitly abstract.
abstract method should be Therefore, all methods should be
inside an abstract class implemented in the subclass which
implements it. no method
implementation strictly in the interface.
abstract method should not contain any of these methods in interface should not contain
keywords - private, final, static, native, any of these keywords - protected, private, final,
synchronized [pfsns] static, native, synchronized [ppfsns]
methods are not implicitly public methods are implicitly public even if not
specified (be careful when overriding)
can have constructors interfaces can't have constructors
(should contain body)

Normally you cannot put any code inside an interface,but a static inner class can be part of an interface
class Interface{
static class inner{
int i,j;
public inner() {}
void f(){}
}
}

Compiled by Veena Iyer [reference book:PGJC by Mughal -Rasmussen & Thinking in Java, Bruce Eckel]
Rules for Reference assignments takes place at compile time [not runtime]
Always draw hierarchy diagram subclass → superclass, child - - - > super interface
Sourcetype srcRef;
DestinationType dstRef = srcRef;
dstRef = srcRef when
Source Destination
Super class superclass = subclass
Class
Interface the interface class implements

Super Interface
Interface
Object

Array type such that it can be converted to destn


Array
Object / Object[]

instanceof operator
! If instanceof operator is false then the cast involving the operands will throw a ClassCastException at runtime
i.e.It is the actual object reference at runtime is compared with the type specified on the RHS and not the type
of the reference
! literal null is not an instance of any reference type
boolean t2 = "String" instanceof Object //is true as always creates a string object for it ie extends Obj
boolean t1 = null instanceof Pizza //Always false null not an instance
! An instance of superclass is not an instance of subclass
! An instance of a class is not an instance of an unrelated (or Peer class) class.
! An instance of a class is not an instance of an interface that it does not implement (unrelated)
! An instance of a array of non-primitive type is an instance of both Object & Object[] types
class A {}
class B extends A{}
class C extends B { }
class B1 extends A{}
class C1 extends B1{}
A objA = new B(); //subclass to superclass
//String s = (String) L1; compile time error inconvertible types
//r1 = L1 instanceof String; compile time error inconvertible types
System.out.println( objA instanceof B1); //false Peer Class
//B1 bBl = (B1) aA; //runtime error java.lang.ClassCastException: B
System.out.println( objA instanceof C); //false Superclass not instance of subclass
//C objC = (C) objA; //runtime error java.lang.ClassCastException: B
A objC1 = new C1();
System.out.println( objC1 instanceof B1); //true SubClass instance of super class
B1 objB1 = (B1) objC1; //cast required from type A to B1
A[] arrA;
B[] arrB;
arrA = new A[10];
arrB = new B[20];
System.out.println( arrB instanceof A[]); //true SubClass instance of super class
//arrB = arrA; //compile time error incompatible types (sub=super)
arrB = (B[])arrA; //runtime java.lang.ClassCastException:
arrA = arrB; //change reference A to B
arrB = (B[])arrA; //explicit cast required super to sub

Compiled by Veena Iyer [reference book:PGJC by Mughal -Rasmussen & Thinking in Java, Bruce Eckel]
Top-Level Nested Class (DEFINES BOTH static & non-static members)
! top-level class can have only default or public modifier but its nested class can have any modifier
! nested class defined within the enclosing class with the static keyword
! The static nested class is tied only to the outer class, not an instance of the outer class. e.g. Outer.Inner i =
new Outer.Inner(); // i instanceof Outer = false
! A static nested top-level class can be instantiated w/o any reference to any instance of the enclosing context /
nesting. Inner n = new Inner(); // outer instance is not a must for static class
static nested class Enclosing context OWN
Static methods only static only static
(no this reference)
Non-static methods only static all
Inner Classes - All inner classes can DEFINE ONLY non-static members
Inner classes can have STATIC FINAL members. Outer class has a distinct type from enclosing class &
instanceOf does not take the outer class type into consideration
Types of inner class Modifier Outer Access to Enclosing context members
for class Insta
& local nce
variables exist
Non-Static Inner all Yes all members
Class
Local Class (as Non-Static none Yes all members - enclosing class
member variables - in local final variables - enclosing method
blocks class within a implicitly Static No ! static members (encl class)
method, constructor) if context is static ! local final variables (encl method)
Anonymous Inner Non-Static none Yes all members
class (as expressions) local final variables
implicitly Static No ! static members
if context is static ! local final variables
Non-static inner class
! nested class defined within the enclosing class without the static keyword
! an instance of a non-static inner class can ONLY exist with an instance of its enclosing class.
<enclosing object reference>.new e.g topref.new NonStaticclass();
! multiple objects of the inner classes can be associated with an object of an enclosing class at runtime
Toplevelclass t
t.InRef1
t.InRef2
! can refer to members of enclosing class including private members
! special this to access members of enclosing class <enclosing class name>.this.<member> [shadow]
Local classes
! A local class cannot be specified the keyword static
! getclass() returns <enclosing classname>$1$localclassname
only non-static members can be defined in Enclosin Enclo Super class Super class
local class g Context sing of Enclosing of local class
method class class
Non Static local class final all all all
1. requires an instance of enclosing class
2. return type of enclosing context is generally a
supertype of the local class
Static Local class final only only static all
1. cannot be declared static, implicitly static if static
enclosing context is static
2. can be invoked either through the class name
or an instance of class

Compiled by Veena Iyer [reference book:PGJC by Mughal -Rasmussen & Thinking in Java, Bruce Eckel]
Anonymous classes
! Access rules and Instantiation rules for anonymous class are same as for local classes
! no name, combines the process of definition & instantiation into a single step
! context decides if the class is static or non-static
! anonymous class cannot define constructors no extends clause is used in the construct e.g.
( new <superclass classname> (<optional argument list>)
{ <class declaration>}
);

for interface
(new <interface name> ()
{<class declarations> }
); -> no implements is used
getclass() on anonymous class returns $<nos> i.e. Painter$1 , Painter$2 for the 2 anonymous classes
! anonymous class implicitly extends the Object class
Declaration: 1>Outer o = new Outer();
// Inner i = new Inner(); // NO! Can't instantiate Inner by itself!
Outer.Inner i = o.new Inner();
2> Inner i = new Outer().new Inner(); //instance of outerclass a must if non-static inner class
! Either override or implement abstarct methods of the superclass in an anonymous class. Any other
member cannot be accessed.

e.g.
class Painter{
public Shape createShape () { //non static anonymous class
return new Shape(){…..
public void draw() {}
}; // -> no extends is used for a super class Shape
}

public static IDraw createIDraw () { //static method


return new IDraw(){….. //hence static anonymous class
public void draw() {}
}; // -> no implement is used for a implementing interface
}
}

new Painter().new createShape(); //enclosing instance context a must for non-static


Painter.new createIDraw(); //enclosing instance context not mandatory static

Compiled by Veena Iyer [reference book:PGJC by Mughal -Rasmussen & Thinking in Java, Bruce Eckel]
Nested • Nested Top-Level class is a nested class that is class outer {
Top- declared "static" int a, b;
Level • Nested top-level classes are used as a convenient static class myInner {
class way to group related classes. int c, d;
[not an • This is, but a new kind of top-level class void innerMethod() {.....}
inner • Since static doesn't have a "this" pointer to an }
class] instance of the enclosing class, a nested class has no void outerMethod() {
access to the instance data of objects for its enclosing myInner mi = new myInner();
class. }
• Any class outside the declaring class accesses the }
nested class with the declaring class name acting class other {
similarly to a package.(eg, If class "top" has nested outer.myInner outInner = new outer.myInner();
top-level class called "myNested", this would be }
referred to as top.myNested)
• Top-level inner classes implicitly have access
only to static variables.
Member • A nested class cannot define any "static" variables class outer {
class • Scope of the inner class is the entire parent in int a=5;
which it is directly nested. ie, the inner class can class myInner {
reference any members in its parent. int c=a; //access to all members of encls.
• The parent must declare an instance of an inner void innerMethod(){...}
class before it can invoke the inner class methods, }
assign to data fields and so on (including private void outerMethod() {
ones) myInner mi1 = new myInner();
• Unlike nested top-level classes, inner classes are myInner mi1 = new myInner();
not directly part of a package and are not visible mi1.c = mi2.c + 30;
outside the class in which they are nested. }
}
Local • This is an inner class declared within a block, class MyClass {
class typically within a method public static void main(String[]
• It is not a member of the enclosing class. args) {
• Their visibility is only within the block of their final String s = “some local
declaration. results”;
• In order for the class to be useful beyond the class Local {
declaration block, it would need to implement a Local()
more publicly available interface. {System.out.println(s);}
}
• Because local classes are not members, the
new Local();
modifiers public, protected, private, and static are
}
not usable.
}
• Local classes can access only final varaibles or
parameters.
Anonym • A variation on a local class. The class is declared public class A extends JApplet {
ous and instantiated within a single expression JButton b = new JButton("click");
class • These classes are simply inner classes that are public void init() {
not given a specific name. b.addActionListener(new ActionListener() {
• When you don't even need a name because you public void actionPerformed(ActionEvent e)
really just want to pass a method that does {System.out.println("Action Performed"); }
something, then you can get away with creating } );
an anonymous inner class. }
• Typically, a class is not named when it is used Extending a class :
only once. new SuperClassName(arguments) {
• We are declaring an object of an anonymous // Class body
class type that either implements the interface or }
extends the class. If it extends the class, then any Implementing an interface
methods we define may override the new InterfaceName() {
corresponding methods of the base class. // Implement interface methods
}

Compiled by Veena Iyer [reference book:PGJC by Mughal -Rasmussen & Thinking in Java, Bruce Eckel]
Garbage Collection
! Circular references does not prevent GC.
! Finalizer is called only once on the object before being gc, an object can be resurrected once
! Object class contains finalize() method therefore all objects have finalize method
protected void finalize() throws Throwable{…}
! Normal exception handling occurs even in the finalize() method
! It is not mandatory to call the overriden method finalize() from superclass
Finalizers are not implicitly chained like a constructors for subclass
! Overloading the finalize() method is allowed but only the original method will be called by GC
! Overridden definitions of finalize method in subclass will not be able to throw checked exception

Operands must be defined before they are used (no forward reference)
Initializer
Instance initializer & Static initializer expressions
! instance variable initialized when object is created
! are executed in the order they are defined
! Initializer expressions cannot pass on checked exceptions - it must be caught & handled

Static Initializer Block


! executed just once when the class is initialized
! usually used to initialize static variable, load external libraries for native methods
static{;} is valid block
! a class can have more than one static block
! Static Initializer Block cannot pass on checked exceptions - it must be caught & handled as no
constructor is involved in the class init

Instance Initializer blocks


! similar to static blocks but act as constructors during object creation
! used to
a> factor out code common to all the constructors of the class e.g. final instance variables, in anonymous
class which does not have constructors
b> initialize any final blank variables

! a class can have more than one instance instance init block
! exception handling is similar as above except that
! if an instance initializer block does not catch a checked exception that can occur during its execution then
the exception must be declared in the throws clause of every constructor in the class
! Instance initializer in anonymous class can throw any exception

Order of initialization
For a class
1. Final
2. Static expr & blocks in order they r specified in class
3. Object creation -> Super class initialization (static variable , constructors)
4. Instance variable & expr in order they r specified in class
5. Local chaining of Constructors of object

Note: The method invoked can access the state (default contents) of the object before this has been completely
initialized (overriding)

For a interface
1. static initializer expressions

Compiled by Veena Iyer [reference book:PGJC by Mughal -Rasmussen & Thinking in Java, Bruce Eckel]
Threads
! Start a thread - start()
! When extending the Thread class to provide a thread's behavior run() method must be overriden
! extend Thread class or implement Runnable interface
Thread class implements Runnable interface
Thread(Runnable threadTarget)
Thread(Runnable threadTarget, String threadName) , getname() returns name of the thread
! All Java objects have a monitor and each object can be used as a MUTUALLY EXCLUSIVE Lock
! Program terminates when the last non-deamon thread ends (daemon thread can continue to run in the b/g)
! Daemon threads run in the background and do not prevent a program from terminating. For example, the
garbage collector is a daemon thread
1. setDeamon(boolean) makes it a daemon thread before the thread is started (else
IllegalThreadStateException) and
2. isDaemon() to check type of thread
! All threads are spawned from the main thread. The main() method can finish but the program will continue
until all user threads are done
If a parent thread [e.g.main()]creates some child threads and starts, them eventhough the parent
thread finishes its work

Synchronized Methods
! methods of an object executed by one thread at a time (push , pop)
public synchronized Object pop(){…}
public synchronized Object push(){…}
! Steps
thread must enter the object's monitor (gain ownership of the monitor - by call to method)
any other thread wishing to execute the same method has to wait
in the meantime it can execute any other synchronized
! Non-synchronized method of the object can be called at any time by any thread i.e can run concurrently
with synchronized methods
! Synchronized methods can be static - a thread acquires the class monitor before executing the static
synchronized methods
! Synchronization of static methods in a class is independent from the synchronization of instance methods
on objects of the class
! subclass can decide whether the inherited definition of the sync method will remain sync

Synchronized Blocks
! the sync block allows arbitrary code to be sync on the monitor of an arbitrary object
synchronized(<Object reference>) { …}
! Once a thread has entered the code block after acquiring the monitor of the specified object, no other thread
will be able to execute the code block or another code requiring monitor until the monitor is released by the
object
! Object specification & { } are mandatory
! Synchronizing on an inner object and on its associated outer object are independent of each other unless
enforced as in the code
special form of this operator can be used to sync on the outer object associated with an object of inner class
class Outer{
class Inner{
synchronized(Outer.this){….}
}
}

Compiled by Veena Iyer [reference book:PGJC by Mughal -Rasmussen & Thinking in Java, Bruce Eckel]
Thread
Ready-to-Run
start() leaving non-runnable
scheduling yield() entering
non-runnable non-runnable state
Running Waiting Sleeping Blocked
wait() sleep(time) blocking
terminates notify() / operation
notifyall()
Dead

! A thread in waiting [Wait()] state must be notified by another thread in order to move to R-to-R
! The blocking operation must complete before the thread can move to Ready-to-Run state
! When a thread performs an I/O operation, it enters the waiting state It remains in the waiting state until the
I/O operation is completed. The thread is said to be blocked on I/O or blocking on I/O
! A call to static yield() in the Thread class will cause the current running object to move to R-to-R state wait
for its turn to get the CPU time. The thread scheduler decides which thread gets to run.
If there are no threads waiting in the R-to-R state then the thread continues execution else priority decides
which thread should be executed - highest priority, equal priority
! A thread once in Dead state cannot be resurrected.
! JVM also dies when the System.exit or exit method of Runtime is called
! Thread priority Thread.MIN_PRIORITY = 1 to highest Thread.MAX_PRIORITY = 10 default is
Thread.NORM_PRIORITY = 5
! inherits priority of parent thread & can be explicitly set using setPriority() & getPriority to read (in Thread
class)

Thread Scheduler are implementation and platform dependent therefor unpredictable & usually employ
! Peremptive scheduling
! Time-sliced / Round-robin

Waiting & Notifying


void wait(long timeout) throws throws InterruptedException // comes out of this waiting when the time
void wait(long timeout,int nanos) throws throws InterruptedException // elapses then goes directly to
//Ready State with notify() call
void wait() throws InterruptedException
void notify() //is a method of Object class
void notifyAll()

! Threads are required to own the object monitor when calling the wait() method.
! In waiting state the thread realease/relinquishes the monitor/lock of the object.
! notify() is a method of Object class
! wait(), notify() & notifyAll() methods must be executed in synchronized code, otherwise the call will result
in IllegalMonitorState Exception
public void pop() {
try{
wait(); //causes wait to execute in a loop
//the loop ensures that the condition is always tested after notification moving thread back to wait state
// incase the condition is not met
}catch(Interrupt e){}
stakarr[top--] = null
notify()…;
}

Compiled by Veena Iyer [reference book:PGJC by Mughal -Rasmussen & Thinking in Java, Bruce Eckel]
A call to notify() has no consequence if there are not thread waiting

boolean isalive() method is used to find if the thread is alive or dead.


e.g. Parent thread finds if any child threads are alive before terminating itself
isAlive() will return true at all states (including suspended) except when the thread is in new state or dead state

void join() throws InterruptedException


A call to this method invoked on a thread will wait & not return until the thread has completed

try{
cA.join();
if(!cA.isAlive()) println….
}catch(Interrupted e){…}

! interrupt() method does not stop the thread from executing The thread which called this interrupt() continues
as usual. The thread on which the interrupt() is invoked may/may not respond to this interruption i.e.
InterruptedException is thrown if the current thread is interrupted by another thread
! interrupt() invokes InterruptedException
! Uncaught exceptions for threads are handled by ThreadGroup.uncaughtException()

Compiled by Veena Iyer [reference book:PGJC by Mughal -Rasmussen & Thinking in Java, Bruce Eckel]
java.lang Package
Class
The 'Class' | 'ClassLoader' class can be used to load other classes
There is a 'Class' object for each class that is a part of your program
e.g. Class.forName("Gum") loads class named Gum
Gum.class returns handle to the class (checked at compile time)
Object o = pets.elementAt[j];
petType[I].isInstance (o); checks if it is instance of the given type of pet
The Class class provides over 30 methods that support the runtime processing of an object’s class and interface
information. This class does not have a constructor. Objects of this class, referred to as class descriptors, are
automatically created as classes are loaded by the Java virtual machine. Despite their name, class descriptors are
used for interfaces as well as classes.

getName()and return the String containing the name of a class or interface toString() method
toString() differs in that it prepends the string class or interface, depending on whether the
class descriptor is a class or an interface
static forName() the class specified by a String object and returns a class descriptor for that class.
getSuperclass() method returns the class descriptor of the superclass of a class
isInterface() identifies whether a class descriptor applies to a class or an interface
getInterfaces() method returns an array of Class objects that specify the interfaces of a class, if
any
newInstance() method creates an object that is a new instance of the specified class. It can be
used in lieu of a class’s constructor, although it is generally safer and clearer to
use a constructor rather than newInstance()
useful to create instances of classes not known at compile time.
getClassLoader() returns the class loader of a class, if one exists
Classes are not usually loaded by a class loader. However, if a class is loaded
from outside the CLASSPATH, such as over a network, a class loader is used to
convert the class byte stream into a class descriptor

System class
in, out, and err variables ! are, by default, assigned to the standard input, output, and error streams,
setIn(), setOut(), and which are used to support console I/O.
setErr() ! methods can be used to reassign these variables to other streams.

getProperties() / gets all the system properties and stores them in an object of class
getproperty Properties
setProperties() / sets the system properties to the values of a Properties object
setProperty()
identityClone() returns the hash code associated with an object.
getSecurityManager() and
setSecurityManager()
exit(),
gc(),
load(), loadLibrary(),
runFinalizersOnExit(), and
runFinalization()
arraycopy()
currentTimeMillis()
getenv()

Compiled by Veena Iyer [reference book:PGJC by Mughal -Rasmussen & Thinking in Java, Bruce Eckel]
java.lang Package
Throwable Class
The Throwable class is at the top of the Java error-and-exception hierarchy. It is extended by the Error and
Exception classes and provides methods that are common to both classes.
getMessage() retrieve any messages that are supplied in the creation of
Throwable objects.
fillInStackTrace() and supply and print information that is used to trace the propagation
printStackTrace(PrintStream) of exceptions and errors throughout a program’s execution.

Error Class
! superclass to define abnormal and fatal events that should not occur. It provides two constructors and no other
methods.
! Four major classes of errors extend the Error class: AWTError, LinkageError, ThreadDeath, and
VirtualMachineError.
! The AWTError class identifies fatal errors that occur in the Abstract Window Toolkit packages. It is a single
identifier for all AWT errors and is not subclassed.
! The LinkageError class is used to define errors that occur as the result of incompatibilities between dependent
classes. These incompatibilities result when class Y depends on class X, which is changed before class Y can
be recompiled. The LinkageError class is extensively subclassed to identify specific manifestations of this
type of error.
! The ThreadDeath error class is used to indicate that a thread has been stopped. Instances of this class can be
caught and then rethrown to ensure that a thread is gracefully terminated, although this is not recommended.
The ThreadDeath class is not subclassed.
! The VirtualMachineError class is used to identify fatal errors occurring in the operation of the Java Virtual
Machine. It has four subclasses: InternalError, OutOfMemoryError, StackOverflowError, and
UnknownError.

Exception Class
provides a common superclass for the exceptions that can be defined for Java programs and applets.

Compiled by Veena Iyer [reference book:PGJC by Mughal -Rasmussen & Thinking in Java, Bruce Eckel]
Object class
Object is a root class of EVERY inheritance heirarchy. All arrays are genuine objects
int hashCode()
Class getClass()
boolean equals(Object obj) object value equality (contents are
compared not reference)
obj.equals(null) is always false
String toString() if a subclass does not override this
method it returns a textual representation
of the object <classname>@<hashcode>
protected Object clone throws CloneNotSupportedException
protected void finalize() throws Throwable - does nothing & can be overrided for
garbage collections
all wait() methods, notify() & notifyAll() are methods defined in Object class. If
the current thread is not the owner of the
object's monitor an
IllegalMonitorStateException is thrown

final Wrapper Class


In order to manipulate primitive values as objects, java.lang package provides a final wrapper class for each.
! The objects of wrapper class that can be instantiated are immutable.
! Void class is not instantiable
Constructors two This constructor throws NumberFormatException if the parameter is not valid
type
takes primitive Character cObj = new Character('\n');
value Integer iObj = new Integer(2000);
Byte bt = new Byte((byte)16); //cast mandatory
takes a string & returns object of the corresponding wrapper class except Character class
Boolean b = new Boolean("TrUe"); //case ignored : true
Boolean b1 = new Boolean("XX"); //false default value is assigned
Integer ix = new Integer("2001"); //2001
valueOf(String s) static method
every wrapper class except Character class
• String to Wrapper Object
e.g Integer intObj = Integer.valueOf("2010");//converts string to type
overrides methods. hashCode() return hashcode value based on primitive value of wrapper
toString(), object
equals(), e.g. String intStr = intObj.toString(); // "2010"
hashCode() boolean itest = intObj1.equals(intObj2); //false obj value equality
typeValue() • Wrapper objects to primitive value
e.g. char c = charobj.charValue();
intValue(), booleanValue(),doubleValue()
Boolean Class : Objects for boolean values : Boolean.TRUE | Boolean.FALSE
Void Class is a wrapper class , denotes the Class object representing the primitive type void
Character Class According to Unicode value Character.MIN_VALUE & Character.MAX_VALUE constants.
static methods
1. static boolean isTitleCase(char c), static boolean isLowerCase(char c) , static boolean isUpperCase(char
c)
2. isLetterOrDigit(char c) , isDigit(char c), isLetter(char c)
3. static char toTitleCase(char c), static char toLowerCase(char c), static char toUpperCase(char c)
e.g. if(Character.isLowerCase(ch)) ch = Character.toUpperCase(ch);
Abstract Number Class
! wrapper classes Byte, Short, Integer, Long, Float, Double are subclass of abstract Numeric class

Compiled by Veena Iyer [reference book:PGJC by Mughal -Rasmussen & Thinking in Java, Bruce Eckel]
! constants <wrapperclass>.MIN_VALUE , <wrapperclass>.MAX_VALUE
static method parseType(String s) • String object argument to primitive numeric value
e.g. byte v = Byte.parseByte("16")
int v1 = Integer.parseInt("7UP") //NumberFormatException
double d1 = Double.parseDouble("3.14")

final Math class


Constants: Math.E Math.PI
Static Methods:
Random generator static double random() between 0.0 to 1.0
Rounding static <type> abs(<type> x) e.g. static long abs(long x)
Functions overloaded method int, long float, double long l = Math.abs(2010L)
static <type> max(<type> m, <type> n) / e.g. long m =
min(type m,type n) Math.max(1984L,2010L)
static double ceil(double d)
static double floor(double d)
static int round(float f)
static long round(double d)
Exponential static double pow(double d1, doube d2) e.g double r = Math.pow(2.0,4.0)
static double exp(double d) e.g. double r = Math.exp(2.0)
static double log(double d) e.g. double r = Math.log(2.0)
static double sqrt(double d) e.g. double r = Math.sqrt(2.0)
Trignometry static double sin(double d) //d - is angle in radians
static double cos(double d)
static double tan(double d)
static double asin(double d)

String class
! final String class - implements immutable character strings Read-Only once created & initialized
! StringBuffer class - dynamic character strings
! both are thread-safe

final String class


Constructo Only one anonymous String object is shared String str1 = "Hello"
rs by all string literals with the same content String str2 = "Hello" //both denote the
same anonymous String object (reference
same)
creates a new String object String(String s) String str3 = new String("Hello");
//new String() is an empty string
can also be done from arrays of bytes, byte[] b = {97, 98, 98, 97} ;
characters or StringBuffers String s = new String(b); // stores "abba"
StringBuffer strBuf = new
StringBuffer("axe");
String s = new String(strBuf);
Reading int length()
methods char charAt(int index) str.charAt(j)
first character is at index 0 & last at index -1.
if index is not valid
StringIndexOutOfBoundsException is
thrown.
Searching int indexOf(int ch) //first occurrence of character from
String beginning
int indexOf(int ch,int fromIndex)

Compiled by Veena Iyer [reference book:PGJC by Mughal -Rasmussen & Thinking in Java, Bruce Eckel]
int indexOf(String s) //first occurrence of string
int indexOf(String s,int fromIndex)
int lastIndexOf(int ch) & other overloaded methods //first
occurrence from end of string
! String replace(char old,char new)
e.g. String s = "Java Jives" String p = "One man, one vote"
String x = s.replace('J','W') // x = "Wava Wives"
int t1 = s.indexOf('J') // 0
int t2 = s.lastIndexOf('J') //5
int t3 = p.lastIndexOf("One",8) //0
Comparin boolean test = 'a' < 'b' //unicode are tested i.e.true as 0x61 < 0x62
g methods boolean equals(Object o)
boolean equalsIgnoreCase(String s)
int compareTo(Object o) //object is a String object else
ClassCastException
int compareTo(String s) //string literal
0 strings are equals String str1 = new String("abba");
> 0 string1 is lexicographically greater than String str2 = new String("aha");
the argument int compval = str1.compareTo(str2)
< 0 string1 is lexicographically less than the //negative str1<str2
argument
Case toUpperCase(), toLowerCase() if no change same object is returned
conversion else a new object is created
locale = Locale.getDefault() (Locale locale) denotes to specific
geographical region
Concatena String concat(String s)
tion
Extracting String trim() //remove leading & trailing spaces)
substring String substring(int startindex)
String substring(int startindex,int e.g. String s = "kakapo"
endindex) s = s.substring(2,5) //return kap
Convert ! static String valueOf(Object obj) same as obj.toString()
objects & ! static String valueOf(char[] character) String astr = String.valueOf("make a str");
primitive ! static String valueOf(<type> x) String cstr = String.valueOf(new
type to where type boolean, char, int, float, long, char[]{'a','b','c'};
String double String sstr = String.valueOf(Math.PI)
Miscellane toCharArray() //string characters into an array of characters
ous getBytes() //string to array of bytes
methods startsWith() //prefix
endsWith() //suffix
hashCode()

Compiled by Veena Iyer [reference book:PGJC by Mughal -Rasmussen & Thinking in Java, Bruce Eckel]
final StringBuffer Class
characters & the capacity of the buffer can be changed dynamically
Constructors ! StringBuffer(String s) //capacity = length of string + 16
! StringBuffer(int capacity) //capacity > 0
! StringBuffer() //capacity = 16 characters
Changing & ! int length()
Reading ! char charAt(int index)
Characters ! void setCharAt(int index, char ch)
Manipulating Stringbuffer
Append ! StringBuffer append(Object obj)
! StringBuffer append(String s)
! StringBuffer append(char c) // similarly boolean, int, long, float,double converts
! // primitive directly applying String.valueOf()
! StringBuffer append(char[] str)
! StringBuffer append(char[] str, int offset,int len)
Insert ! StringBuffer insert(int offset,Object obj)
! StringBuffer insert(int offset,String s)
! StringBuffer insert(int offset,char[] str)
! StringBuffer insert(int offset,char c) // similarly boolean, int, long, float,double
Delete ! StringBuffer deleteCharAt(int index) //delete a character
! StringBuffer delete(int start, int end) //deletes a substring
Reverse StringBuffer reverse()
Concatenation in String is implemented using string buffers
e.g. String s = "4" + "U" + "only" is same as
String s = new StringBuffer().append(4).append("U").append("Only").toString();
Controlling ! int capacity() //nos of char buffer can occupy
Capacity ! void ensureCapacity(int minCapacity)
! void setLength(int newLength) //newLength >= 0
to compact a string buffer& remove any additional capacity
buffer.setLength(buffer.length())

String == StringBuffer //error illegal expression as neither of them is a superclass of the other
e.g. String s = "hello"
StringBuffer sb = new StringBuffer("hello")
if(s == sb) print "A" //error

public class trial { public class trial {


public void method1(StringBuffer s1, StringBuffer s2){ public static void main(String[] args){
s1.append("There"); StringBuffer sb1 = new StringBuffer("Hello");
s2 = s1; //create a new s2 sb2 is unchanged StringBuffer sb2 = new StringBuffer("Hello");
} sb1.append("There");
public static void main(String[] args){ sb2 = sb1;
StringBuffer sb1 = new StringBuffer("Hello"); System.out.println("sb1 is "+sb1+"\nsb2 is "
StringBuffer sb2 = new StringBuffer("Hello"); +sb2);
trial sbt = new trial(); } }
sbt.method1(sb1, sb2); Output: sb1 is HelloThere sb2 is HelloThere
System.out.println("sb1 is " + sb1 + "\nsb2 is " + sb2);
} } Output: sb1 is HelloThere sb2 is Hello
String s1 = "Hello1"; StringBuffer sb1 = new StringBuffer("Hello2");
int v = 6; //System.out.println(sb1+v); //COMPILE Error operator + cannot
System.out.println(s1+8); be applied to java.lang.StringBuffer,int
System.out.println(s1+v); System.out.println(sb1.append(v));

Compiled by Veena Iyer [reference book:PGJC by Mughal -Rasmussen & Thinking in Java, Bruce Eckel]
Collections & Maps
<interfaces>
<interfaces> Map
Collection
HashMap

no duplicates/
unique <interfaces> sequence &posn <interfaces> HashTable <interfaces>
elements Set need not be unique List SortedMap

HashSet <interfaces> ArrayList Vector LinkedList TreeMap


SortedSet
(1) does not contain elements
(2) mapping / keys are unique
<key,value>
TreeSet

Interfaces Implementation (java.util)


Collection Set
Set→ SortedSet ! Hash Set
List ! TreeSet
Maps List
SortedMap ! ArrayList
! Vector
! LinkedList
Map
! HashTable, HashMap
! TreeMap
! no direct implementation of Collection interface
! allows data to be passed from one collection to another [same for map]
! Collections & Maps are not interchangeable

java.util.Collections has static methods


! static int binarySearch(List l,Object key)
! static void fill(List l,Object o) e.g. Arrays class : char[] bar= new char[5]; Arrays.fill(bar,'*') //fill 5 *
! static void shuffle(List l)
! static void sort(List l) e.g. Collections.sort(keys1)
Decorators for thread-safety & data immutabilty
Decorators for Thread-safety
Collection synchronizedCollection(Collection c)
Set synchronizedSet(Set s)
List synchronizedList(List l)
Map synchronizedMap(Map m)
SortedSet synchronizedSortedSet(SortedSet s)
SortedMap synchronizedSortedMap(SortedMap m)
e.g
Collection syncDecorator = Collections.synchronizedSortedSet(someCollection)
synchronized(syncDecorator){
for(Iterator it=syncDecorator.iterator();it.hasNest();)
doSomething(it.next);
}
Decorator for Unmodifiable /Read-only access
Collection unmodifiableCollection(Collection c) similarly for Set,List,Map,SortedSet,SortedMap
Create a immutable list: List nCopies(int n,Object o)

Compiled by Veena Iyer [reference book:PGJC by Mughal -Rasmussen & Thinking in Java, Bruce Eckel]
Single Set list: Collections.singleton(Object o)
Collections
Constants: EMPTY_SET, EMPTY_LIST
Some operations are optional (UnsupportedOperationException is thrown). Methods common to Sets & Lists
Basic operations Bulk operations
int size void clear() empty
boolean isEmpty()
boolean contains(Object element) - no change boolean containsAll(Collection c) →b subset of a
boolean add(Object element) //optional boolean addAll(Collection c) →a U b
append at end - changes collection
boolean remove(Object element) //optional boolean removeAll(Collection c) →a - b
delete 1st occurrence - changes collection boolean retainAll(Collection c) →a intersect b

Bridge between Arrays & Colletion interface Iterator(){


! Arrays class has asList() to createlist view of arrays boolean hasNext();
Collection class Conversion to Arrays Object next();
! Object toArray() void remove(); //optional
Object toArray(Object a[]) type of array can be specified }

HashSet
Constructors
! HashSet()
! HashSet(Collection c)
! HashSet(int initialCapacity) //nos of buckets in hash table
! HashSet(int initialCapacity, float loadFactor) // (nos elements/total capacity)

List
Reading Object get(int index) range 0 to size()- 1
Replace Object set(int index,Object element) //optional - replace
Insert void add(int index,Object element) //optional -insert
void addAll(int index, Collection c) //optional
Delete Object remove(int index) //optional -delete
Search int indexOf(Object o) //if found the 1st & last occurrence else -1
int lastIndexOf(Object o)
List subList(int fromIndex,int //view can be manipulated & will reflect in the
toIndex) actual list
//from - inclusive, to - exclusive
Looping ListIterator listIterator() //start from 1st
ListIterator listIterator(int index)
interface ListIterator extends Iterator{
boolean hasNext();
boolean hasPrevious();

Object next(); //element after the cursoe


Object previous();

int nextIndex();
int previousIndex();
void remove(); //optional
void set(Object o); //optional
void add(Object o); //optional
}
//start from the index position

Compiled by Veena Iyer [reference book:PGJC by Mughal -Rasmussen & Thinking in Java, Bruce Eckel]
ArrayList, Vector, LinkedList
! ArrayList primary implementation of the List interface as it has better performance
! All list have constructor to create empty list
! ArrayList & Vector have additional constructor with an existing collection
! Vector is Thread-Safe meaning any concurrent calls to the vector will not compromise its integrity i.e. uses
synchronization

Note: All methods defined in Set are also defined in Collections


List defines additional methods

Vector , BitSet, Stack , HashTable always STORE elements as OBJECTS hence explcit cast required when
retrieving elements. Therefore primitives cannot be added directly.They must be converted to object
Vector methods - all methods are synchronized
• addElement( Object),
• removeElement(Object),
• elementAt(i),
• size()

HashTable does not have any final methods

Array Class
• equals()
• sort()
• fill()
• binarySearch()
• asList() - converts to a list

java.util.Collection is the root interface


java.util.Collections
• is not an interface or abstract base class
• All methods are static

Compiled by Veena Iyer [reference book:PGJC by Mughal -Rasmussen & Thinking in Java, Bruce Eckel]
Stack Class (LIFO) extends the Vector class
a single default constructor, Stack(), that is used to create an empty stack.
push() placed on the stack using the method
pop() throw EmptyStackException retrieved from the stack
peek() throw EmptyStackException returns the top element of the stack without popping it off
search() enables you to search through a stack to see if a particular object
is contained on the stack
empty() to determine whether a stack is empty

BitSet Class (On/Off)


! The BitSet class is used to represent and manipulate a set of bits. Each individual bit is represented by a
boolean value, and can be indexed much like an array or Vector. A bit set is a growable set, the capacity of
which is increased as needed. The bits of a bit set are sometimes referred to as flags.
! Two BitSet constructors are provided. One enables the initial capacity of a BitSet object to be specified. The
other is a default constructor that initializes a BitSet to a default size.
! The BitSet access methods provide and, or, and exclusive or logical operations on bit sets, enable specific bits
to be set and cleared, and override general methods declared for the Object class.
! minimum size is 64 bits
! set(i), clear(i)

Linked List - addFirst(),addLast(),getFirst(),getLast(),removeFirst(),removeLast()

Properties Class
• Properties are extensions of the Dictionary and Hashtable classes and are defined in the java.util package
• The Properties class is a subclass of Hashtable that can be read from or written to a stream.
• It also has a 2nd HashTable to hold default properties.
• It also provides the capability to specify a set of default values to be used if a specified key is not found in the
table.
• Properties supports two constructors: a default constructor with no parameters and a constructor that accepts
the default properties to be associated with the Properties object being constructed.
• The Properties class declares several new access methods.
getProperty() enables a property to be retrieved using a String object as a key. A second overloaded
getProperty() method allows a value string to be used as the default, in case the key is
not contained in the Properties object
load() are used to load a Properties object from an input stream
save() save it to an output stream. The save() method enables an optional header comment to
be saved at the beginning of the saved object’s position in the output stream.
propertyNames() provides an enumeration of all the property keys
list() provides a convenient way to print a Properties object on a PrintStream object

Observer Interface and Observable Class


! used to implement an abstract system by which observable objects can be observed by objects that implement
the Observer interface.
! These objects maintain a list of observers. When an observable object is updated, it invokes the update()
method of its observers to notify them that it has changed state.
! The update() method is the only method that is specified in the Observer interface. The method takes the
Observable object and a second notification message Object as its parameters.
! The Observable class is an abstract class that must be subclassed by Observable objects. It provides several
methods for adding, deleting, and notifying observers and for manipulating change status.
! Not a part of Collections API
! Not related to GUI components

Compiled by Veena Iyer [reference book:PGJC by Mughal -Rasmussen & Thinking in Java, Bruce Eckel]
Map
Basic operation Bulk Operation
int size()
boolean isEmpty()
Object get(Object key)
Object put(Object key, Object value) //optional Object putAll(Map t) //optional
Object remove(Object key) //optional void clear() //optional
boolean containsKey(Object key)
boolean containsValue(Object value)
Views
! Set keySet()
! Collection value() //several keys can map to same value/duplicate value
! Set entrySet
Map.Entry interface
interface Entry{
Object getKey();
Object getValue();
Object setValue();
}
Map subMap(int fromKey, int toKey)

HashMap and HashTable


! HashMap provide primary implementation
! HashTable is threadSafe
! Constructors : empty, existing , (capacity,load factor)

Implement Comparable interface [natural order]


int compareTo(Object o1) //implemented by String, Date & File class

Implement Comparator interface [total order]


int compare(Object o1,Object o2) // 0, >0, <0 works like compareTo of string class

SortedSet SortedMap
SortedSet headSet(Object toElement) //less than SortedMap headMap(Object toKey)
SortedSet tailSet(Object fromElement) //greater or = SortedMap tailMap(Object fromKey)
SortedSet subSet(Object fromElent,Object toElement SortedMap subMap(Object fromKey,Object toKey
Object first() Object firstKey()
Object last() Object lastKey()
Comparator compare() Comparator compare()

TreeSet TreeMap
TreeSet() TreeMap()
TreeSet(Comparator c) TreeMap(Comparator c)
TreeSet(Collection c) TreeMap(Map m)
TreeSet(SortedSet s) TreeMap(SortedMap m)

Compiled by Veena Iyer [reference book:PGJC by Mughal -Rasmussen & Thinking in Java, Bruce Eckel]
GUI
JFC has 2 frameworks AWT & SWING
AWT - dependent on underlying windowing system
Swing - light-weight that is not dependent on the underlying windowing system, pluggable look & feel

java.lang.Object

Component {abstract} GUI Control Components {abstract}


Non-Menu related are concrete subclasses of MenuComponent
this class
Container
MenuBar MenuItem
Panel top-level
not top-level, Window Menu CheckboxMenuItem
no title, no title,
no menu no border,
no menus PopupMenu
java.applet.Applet
Dialog Frame
title title icon
border menu-bar
modal

Component
Size Coordinates Bounds
Dimension getSize() Point getLocation() Rectangle getBounds()
void setSize(int width,int height) void setLocation(int x,int y) void setBounds(int x, int y, int
void setSize(Dimension d) void setLocation(Point p) width,int height)
void setBounds(Rectangle r)
Color Font void setEnabled(boolean b)
void setForeground(Color c) void setFont(Font f) void setVisible(boolean b)
void setBackground(Color c) Font getFont() visible default is T for all components
Color getBackground() except Window,Frame&Dialog
Color getForeground()|
add(PopupMenu popup)

Top-Level window cannot be incorporated into other components


Window Class
! void pack() //initiates layout management - window sizing
! void show()
! void dispose() //free window resources but does not delete the window

Frame Class Dialog Class (non-modal by default)


Constructors Constructors
Frame() Dialog(Frame parent)
Frame(String title) Dialog(Frame parent, boolean modal)
Dialog(Frame parent, String title)
methods Dialog(Frame parent, String title,
void setMenuBar(Menubar mb) boolean modal)

GUI Components
1. Button
2. Canvas

Compiled by Veena Iyer [reference book:PGJC by Mughal -Rasmussen & Thinking in Java, Bruce Eckel]
3. Checkbox (an be used as radio buttons with CheckboxGroup). CheckboxGroup is not a subclass of
Component & does not have graphical representation
4. Choice (pop up /drop-down menu)
5. Label
6. List (scrollable list - single or multiselect)
7. Scrollbar
8. TextComponent (does not provide any public constructors therefore not instantiable), 2 subclasses
! TextField
! TextArea

GUI Constructor Methods


Component
Button Button() String getLabel()
Button(String label) void setLabel(String label)
Canvas no default graphical representation the paint() method is usually overriden in
is subclassed to drawings, images subclass
e.g. public void paint(Graphic g){
class DrawRectRegion extends Canvas g.drawRect(0,0,150,150)
{…} }
Checkbox Checkbox() ! boolean getState()
& Checkbox(String label) void setState(boolean b)
CheckboxG Checkbox(String label, boolean state) //default state is unchecked
roup Checkbox(String label, boolean state, ! String getLabel()
CheckboxGoup group) void setLabel(String label)
Checkbox(String label, ! Checkbox getSelectedCheckbox()
CheckboxGoup group, void setSelectedCheckbox(Checkbox box)
boolean state) ! CheckboxGroup getCheckboxGroup()
CheckboxGroup() void setCheckboxGroup(CheckboxGroup g)
Choice Choice() void add(String item)

e.g. Choice c = new Choice() int getItemCount()


c.add("One); //add choices to compon String getItem(int index)
c.add("Two); String getSelectedItem()
add(c); //add comp to container int getSelectedIndex()
c.select("Two"); void select(int pos)
void select(String str)
Label Label() String getText()
Label(String text) void setText(String text)
Label(String text,int alignment) int getAlignment()
where integer constants LEFT, RIGHT, void setAlignment(int alignment)
CENTER default is left
List List() void add(String item)
List(int rows) void add(String item,int index)
List(int rows,int multipleMode)
int getItemCount()
e.g. String[] fruits = {"Mango","Apple"}; String getSelectedItem()
List fList = new List(fruit.length-1,true) int getSelectedIndex()
for(j=0…) void select(int pos)
fList.add(fruit[j]); void select(String str)

void getRows()
boolean isMultipleMode()
String[] getItems();
String[] getSelectedItems();

Compiled by Veena Iyer [reference book:PGJC by Mughal -Rasmussen & Thinking in Java, Bruce Eckel]
void deselect(int index)
Scrollbar Scrollbar() ! int getValue()
Scrollbar(int orientation) void setValue(int value)
Scrollbar(int orientation, int value,int ! int getMinimum()
visibleAmount, int min, int maximum) void setMinimum(int newMin)
! int getMaximum()
HORIZONTAL, VERTICAL void setMaximum(int newMax)
vertical scrollbar is default

! int getVisibleAmount() //scrollbar width


void setVisibleAmount(int newAmount)
! int getUnitIncrement()
void setUnitIncrement(int v)
! int getBlockIncrement()
void setBlockIncrement(int b)

TextField TextField() String getText()


TextField(String text) void setText(String s)
TextField(int columns) //col width
TextField(String text,int columns) int getColumns() //width of textfield/textare
TextArea TextArea() void setColumns(int columns)
TextArea(String text)
TextArea(int rows, int columns) String getSelectedText()
TextArea(String text, int rows, int columns)
TextArea(String text, int rows, int columns, boolean isEditable()
int scrollbars) void setEditable(boolean b)

SCROLLBARS_BOTH nos of columns is a measure of the size of the


SCROLLBARS_HORIZONTAL text line according to the particular font used
SCROLLBARS_VERTICAL for rendering the text
SCROLLBARS_NONE

e.g. CheckboxGroup cbgroup1 = new CheckboxGroup(), cbgroup2 = new CheckboxGroup();


CheckboxGroup[] groups = {cbgroup1,cbgroup1,cbgroup2,cbgroup2,null};
setLayout(new FlowLayout());
for(int i = 0;i<groups.length;i++)
add(new Checkbox("box: "+i,true,groups[i]));
pack();
Output shows box1, box3 & box4 selected
Note here: All checkboxes are selected when they are created. But within a checkboxgroup only one can be
selected Therefore
between box 0 & box 1 of group1- most recent one box1 is selected
between box 2 & box 3 of group2- most recent one box3 is selected
box4 is regular checkbox - box4 is selected

Compiled by Veena Iyer [reference book:PGJC by Mughal -Rasmussen & Thinking in Java, Bruce Eckel]
abstract MenuComponent class
! getFont() and setFont()—Gets and sets the font associated with the menu component.
! getName() and setName()—Gets and sets the name of the menu component.
! getParent()—Returns the parent container of the menu component
! The MenuComponent class has two direct superclasses, MenuBar and MenuItem, which provide most of the
methods for creating and using menus

MenuBar class MenuItem class


! displayed at the top of an application window by a define menu item with a textual label
Frame object Menu Class
! assigned a set of Menu objects ! implements a pull-down menu
! add()/remove() methods adds or removes menus to ! nested to create submenus
menu-bar ! add(), addSeparator(),insertSeparator()
! A Frame object can have one and only one method
MenuBar object, which is set using the Menu instance
setMenuBar() method of the Frame class 1. Instances of MenuBar
! The MenuBar class lets a special menu be 2. MenuItem
designated as a Help menu. It is set using the 3. CheckboxMenuItem
setHelpMenu() method.
! The getMenu() and getHelpMenu() methods are
used to retrieve the Menu objects that have been
added to a MenuBar.

PopupMenu Class
! PopupMenu is not a subclass of Component but instances can be added the panel as pop-up menu associated
with the component. (see add method in component)
! Popup menus cannot be contained in a menu-bar

FileDialog
! The FileDialog class is used to construct dialog boxes that support the selection of files for input and output operations.
! It is a subclass of the Dialog class and provides three constructors.
! These constructors take as arguments the Frame window that contains the dialog box, the title to be used at the top of the
dialog box, and a mode parameter that can be set to the LOAD or SAVE constants defined by FileDialog.
! FileDialog provides methods that are used to access the directory getDirectory() and filename getFile() of the user-
selected file and to specify an object that implements the FileNameFilter interface.
! The FileNameFilter interface is defined in the java.io package. It defines the accept() method, which is used to determine
the filenames that should be included in a file list.

ScrollPane
! The ScrollPane class simplifies the development of scrollable applications. The ScrollPane class is like a combination of
a panel and vertical and horizontal scrollbars.
! The great thing about it is that it performs all the scrollbar event handling and screen redrawing internally & hence is
significantly faster.
! The ScrollPane class extends the Container class and, therefore, can contain other components.
! It is designed to automate scrolling for a single, contained component, such as a Canvas object.
! It provides two constructors—a single parameterless constructor and a constructor that takes an int argument. The
parameterless constructor creates a ScrollPane object that displays scrollbars only when they are needed.
! The other constructor takes one of the three constants: SCROLLBARS_ALWAYS, SCROLLBARS_AS_NEEDED,
and SCROLLBARS_NEVER. These constants determine if and when scrollbars are displayed by the ScrollPane
object.
! The initial size of the ScrollPane object is 100×100 pixels. The setSize() method can be used to resize it.
! The ScrollPane class provides methods for accessing and updating its internal scrollbars, but in most cases this is both
unnecessary and ill-advised. Other methods are provided to get and set the current scrollbar positions.

Compiled by Veena Iyer [reference book:PGJC by Mughal -Rasmussen & Thinking in Java, Bruce Eckel]
Layout Manager

Absolute Positioning and Sizing: The AWT will also let you use absolute positioning and sizing. This is
accomplished through a null layout manager.
FlowLayout direction - left-right
maintain preferred size of component(comp size never change evenif cont resize)
default for Panel - Applet
BorderLayout 5 components
directions - north, south, east, west, center (not all regions need to be occupied)
comp can be explicitly added to a region using constraint
if North | South - prefer to honor preferred height but width is stretched/changed
if East | West - prefer to honor preferred width but height is stretched/changed
Center takes up whatever space is left
default for Window-Frame-Dialog
GridLayout rectangular grid(rows,col) all cell are of same size
one comp in each cell , comp resized to fit in the cell
direction - top-to bottom & left to right
CardLayout direction - stack of indexed cards
only top component visible
GridBagLayout rectangular grid but flexible layout
a component can occupy multiple cells of grid but region it occupies is always rect
comp can be of different sizes

! LayoutManager getLayout()/ void setLayout(LayoutManager mgr) of the Container Class


! The LayoutManager2 interface extends the LayoutManager interface to deal with constraint-based layouts
! container calls the appropriate layout manager
! The preferred size of a component is returned by its getPreferredSize() method
! Size of checkbox is unaffected e
! Panel & Applet are containers that must be attached to a parent container
! Top-level (Window, Frame & Dialog) containers that are independent & cannot be put in another container

Component add(Component c) void remove(int index)


Component add(Component c,int index) void remove(Component c)
Component add(Component c,Object constraints) void removeAll()
Component add(Component c,Object constraints,int index)
index = -1 is default placement placing component at end

! validate(), invalidate() and doLayout() methods can be used to cause a container to be laid out again.
! validate() method is used by the AWT to cause a container to lay out its subcomponents after the components
it contains have been added to or modified.
! invalidate() method causes a component and all of its containers to be marked as needing to be laid out.
! doLayout() method is used to tell a layout manager to layout a component.

Compiled by Veena Iyer [reference book:PGJC by Mughal -Rasmussen & Thinking in Java, Bruce Eckel]
Constructors
Flow Layout FlowLayout()
FlowLayout(int alignment)
FlowLayout(int alignment, int horizontalgap, int verticalgap)
LEFT,CENTER(default)RIGHT
default gap = 5 pixel
BorderLayout BorderLayout()
BorderLayout(int horizontalgap, int verticalgap)
NORTH,SOUTH,EAST,WEST,CENTER(default)
use constraints in add to specify direction as "North", "South","East","West,"Center"
(case-sensitive)
GridLayout GridLayout()
GridLayout(int rows,int columns)
GridLayout(int rows,int columns, int horizontalgap, int verticalgap)
either row or cols can be zero but not both e.g GridLayout(1,0) 1 row any nos of cols
default gap = 0 pixel
CardLayout CardLayout() void first(Container parent)
CardLayout(int horizontalgap, int void next(Container parent)
verticalgap) void previous(Container parent)
default gap = 0 pixel void last(Container parent)
void show(Container parent,String name)

GridBagLayout
x 0 1 2
label choice
List
Checkbox

Constructor
GridBagLayout() - note dimensions are not specified
GridBagConstraints() - these constraints can be reused for adding other components
GridBagConstraints(
int gridx, int gridy, -Location Row,Col on upper left corner [GridbagConstraints.RELATIVE]
int gridwidth,int gridheight, - Dimension or nos of cells occupied
GridbagConstraints.RELATIVE - same as previous component
GridbagConstraints.REMAINDER - end of row [1 cell]
double weightx,double weighty, - Growth Factor/slack i.e. comp can be resized [zero]
int anchor, - Where to place it - CENTER(default),NORTH,SOUTH,EAST,WEST,
NORTHEAST,NORTHWEST,SOUTHEAST,SOUTHWEST
int fill, - stretch & fill NONE (default) ,HORIZONTAL, VERTICAL, BOTH
Insets insets, - external padding (top,left,bottom,right) [ (0,0,0,0)]
int ipadx,int ipady) - internal padding to each side of the component(2*ipadx,2*ipady) [0,0]

Compiled by Veena Iyer [reference book:PGJC by Mughal -Rasmussen & Thinking in Java, Bruce Eckel]
GUI Event Handling
Events are represented by objects in Java

java.lang.Object
S - high-level semantic events
to represent user-interaction
with GUI component java.util.EventObject Object getSource()
L- lowlevel input or window
operations
java.awt.AWTEvent int getID()

java.awt.event
S S S S
ActionEvent AdjustmentEvent ComponentEvent ItemEvent TextEvent

ContainerEvent FocusEvent InputEvent PaintEvent WindowEvent


{abstract}

KeyEvent MouseEvent

! A GUI component may handle its own events by simply implementing the associated event-handling
interfaces.
! However, it is also possible to extend the component’s class and override its event dispatching methods.
! AWT components have methods of the form processXEvent(), where X refers to the event generated by the
component. These methods dispatch events to the appropriate event listeners. You can override these methods
to control the way in which events are dispatched. For example, the Button class uses the
processActionEvent() method to dispatch ActionEvents to event listeners. You can override
processActionEvent() in a subclass of Button to control how event dispatching takes place.
! In addition to overriding the component’s event-dispatching method, you may also need to enable the event.
This automatically takes place when an event listener is added to a component. However, if you do not add an
event listener for the component, you’ll have to invoke its enableEvents() method, passing the event
identifier (defined in the AWTEvent class) as an argument. For example, to enable the ActionEvent in an
object that is a subclass of Button, you invoke the following method for that object:
object.enableEvents(AWTEvent.ACTION_EVENT_MASK);

Compiled by Veena Iyer [reference book:PGJC by Mughal -Rasmussen & Thinking in Java, Bruce Eckel]
Component
ActionEvent Button String getActionCommand()
List int getModifiers() retruns sum of modifier constants -
MenuItem SHIFT_MASK | CTRL_MASK | META_MASK |
TextField ALT_MASK
AdjustmentEvent Scrollbar int getValue()
ItemEvent Checkbox Object getItem()
CheckboxMenuItem int getStateChange() [SELECTED | DESELECTED]
Choice
List
TextEvent TextField
TextArea

ComponentEvent when comp is Component & Component getComponent()


(handled internally AWT) hidden,show,moved,resized its subclasses
ContainerEvent when added or removed Container
(handled internally AWT)
FocusEvent when gains or loses focus Component boolean isTemporary() focus
InputEvent abstract class getwhen() returns when the
key or mouse event occurred
KeyEvent when presses or releases Component & KEY_PRESSED
key or both its subclasses KEY_RELEASED
KEY_TYPED
(keypress+keyrelease)

int getKeyCode()
char getKeyChar()
MouseEvent when moves or presses the Component & MOUSE_PRESSED
mouse its subclasses MOUSE_RELEASED
MOUSE_CLICKED
MOUSE_DRAGGED
MOUSE_MOVED
MOUSE_ENTERED
(boundary of component)
MOUSE_EXITED

int getX()
int getY()
Point getPoint()
void translatePoint(int dx,int
dy)
int getClickCount()

PaintEvent WHEN paint()/update


handled internally methods are invoked
WindowEvent when an important Window class WINDOW_OPENED
operation is performed on a & its WINDOW_CLOSING
window given by constants subclasses WINDOW_CLOSED
WINDOW_ICONIFIED
WINDOW_DEICONIFIED
WINDOW_ACTIVATED
WINDOW_DEACTIVATED
Window getWindow()

Compiled by Veena Iyer [reference book:PGJC by Mughal -Rasmussen & Thinking in Java, Bruce Eckel]
Principle of Event Delegation Model
Authority for event handling is delegated by implementing event listener interfaces to provide implementations
that do the event handling
All events (XXX) listeners can be registered or removed
! addXXXListener e.g. <source>.addActionListener(<listener>)
! removeXXXListener
Notification of all listeners is not guaranteed to occur in the same thread.
PaintEvent class is never handled in the event listener model
addActionListener & addItemListener are not part of java.awt.Component
addMouseListener,addMouseMotionListener,addKeyListener are part of java.awt.Component
Since implementing interfaces means you have to implement all methods (unused as stubs)
Adapters implements stubs for all methods for the corresponding interface. (Applicable for low-level
listeners only)
Event Type Listener Interfaces Listener methods Adapter
java.util.EventListener Implementation
ActionEvent ActionListener actionPerformed(ActionEvent e) N.A.
AdjustmentEvent AdjustmentListener AdjustmentValueChanged(AdjustmentEvent N.A
e)
ItemEvent ItemListener itemStateChanged(ItemEvent e) N.A
TextEvent TextListener textValueChanged(TextEvent e) N.A

ComponentEvent ComponentListener componentHidden(ComponentEvent e) ComponentAda


componentMoved(ComponentEvent e) pter
componentResized(ComponentEvent e)
componentShown(ComponentEvent e)
ContainerEvent ContainerListener componentAdded(ContainerEvent e) ContainerAdap
componentRemoved(ContainerEvent e) ter
FocusEvent FocusListener focusGained(FocusEvent e) FocusAdapter
focusLost(FocusEvent e)
KeyEvent KeyListener keyPressed(KeyEvent e) KeyAdapter
keyRelease(KeyEvent e)
keyTyped(KeyEvent e)
MouseEvent MouseListener mousePressed(MouseEvent e) MouseAdapter
mouseReleased(MouseEvent e)
mouseClicked(MouseEvent e)
mouseEntered(MouseEvent e)
mouseExited(MouseEvent e)
MouseMotionListener mouseDragged(MouseEvent e) MouseMotion
mouseMoved(MouseEvent e) Adapter
WindowEvent WindowListener windowOpened(WindowEvent e) WindowAdapte
windowClosing(WindowEvent e) r
windowClosed(WindowEvent e)
windowIconified(WindowEvent e)
windowDeiconified(WindowEvent e)
windowActivated(WindowEvent e)
windowDeActivated(WindowEvent e)
Explicit Event Handling
When an XEvent is received by a component, it is dispatched by the processEvent() method to a corresponding
processXEvent() method of the component.
To enable all events of interest enableEvents() is passed a bit mask formed by OR'ing X_EVENT_MASK
e.g. enableEvents(AWTEvent.WINDOW_EVENT_MASK| AWTEvent.KEY_EVENT_MASK)
public void processWindowEvent(WindowEvent e){
if(e.getID() == WindowEvent.WINDOW_CLOSING) <methodname()>;
super.processWindowEvent(e);}

Compiled by Veena Iyer [reference book:PGJC by Mughal -Rasmussen & Thinking in Java, Bruce Eckel]
Graphics / Painting
Abstract class java.awt.Graphics provides a device-independent interface for rendering graphics.
An instance of the Graphics class or its subclasses cannot be created directly using a constructor as abstract
class.
All graphics object are instance of java.awt.Graphics2D but the signature of paint() uses graphics for
compatibility with older version
It provides graphics context that can render the following targets
Components void repaint()
void update(Graphics g)
void paint(Graphics g)
Images
Printers

User Thread (i.e. application) indirect call to update through repaint()


AWT Thread (i.e. AWT event handlers) direct call to paint() when the size of the component is changed
! calling repaint() eventually leads to invocation of update()
! repaint() clears the component screen-area , update() fills current b/g & foreground colors, it invokes paint()
! Note repaint() schedules painting & method ends immediately
! Most GUI control components are drawn using the underlying windowing system therefore graphics
should not be used for drawing them (do not override paint() method for these)
Components that do not have external graphical representation can be rendered namely
! Canvas class
! Container class & it subclass : Window,Frame,Dialog,Panel,Applet
! Subclasses of Component which are not part of AWT

Graphics class
To obtain the graphics context
create() method for a new object
getGraphics() method from existing
The creator of the graphics context should ensure that dispose() method is called to free resources
Properties encapsulated in Graphics class
! Drawing Color
! Font Font getFont() | void setFont(Font c) similar one from Component class can be used
! Clip region
! Paint Mode
Components class methods used for a component are
sizing Dimension getsize() | Insets getInsets()
color Color getBackground() Color getForeground() Color getColor()
void setBackground(Color c) void setForeground(Color c) void setColor(Color c)
constructors Color(int r,int g,int b) 0-255
Color(float r,float g,float b) 0.0-1.0
Color(int rgb) bits r = 16-23, g=8 -15, b = 0-7
13 predefined colors [CASE-SENSITIVE]
Color.black white red blue green yellow
darkGray gray lightGray
magenta orange pink cyan
class SystemColor provides the desktop color scheme for current platform (constants -
SystemColor.desktop for background for desktop
SystemColor.ontrol for controls
SystemColor.menuText for text color for menus
e.g. class A extends Applet{
public void init(){ setFore…()}
public void paint(Graphics g){g.drawString("Hi there",75,50);}
}

Compiled by Veena Iyer [reference book:PGJC by Mughal -Rasmussen & Thinking in Java, Bruce Eckel]
Text void drawString(String str,int x,int y) //baseline at the specified coord
Rendering void drawChars(char[] data,int offset,int length,int x,int y) //start at offset
void drawBytes(byte[] data, int offset,int length,int x,int y)
Line void drawLine(int x1,int y1,int x2,int y2)
Rectangle void drawRect(int x,int y,int width,int height)outline : [area = (width+1)(height+1) pxl]
void fillRect(int x,int y,int width,int height) fill : [area = width X height]

void drawRoundRect(int x,int y,int width,int height,int arcWidth,int arcHeight)


void fillRoundRect(int x,int y,int width,int height,int arcWidth,int arcHeight)

void draw3DRect(int x,int y,int width,int height,int arcWidth,int arcHeight,boolean


raised)
void fill3DRect(int x,int y,int width,int height,int arcWidth,int arcHeight,boolean raised)
void clearRect(int x,int y,int width,int height)
Ovals oval is bounded by an invisible rectangle
void drawOval(int x,int y,int width,int height)
void fillOval(int x,int y,int width,int height)
Arc circular or elliptical
starting point = starting angle in degrees (+ve angle counterclockwise direction)
arc is bounded by a rectangle

void drawArc(int x, int y, int width,int height, int startAngle, int arcAngle)
void fillArc(int x, int y, int width,int height, int startAngle, int arcAngle)
Polygons constructor : Polygon(int[] xpoints,int[] ypoints,int npoints)

void drawPolygon(int[] xPoints,int[] yPoints,int nPoints)


void drawPolygon(Polygon p)
void fillPolygon(int[] xPoints,int[] yPoints,int nPoints)
void fillPolygon(Polygon p)

void drawPolyline(int[] xPoints,int[] yPoints,int nPoints) //last vertex is not connected to


the first vertex
Image boolean drawImage(Image img,int x,int y,ImageObserver observer)

call getGraphics() on the Image object

Component class implements the ImageObserver interface


first call the image is loaded.
If loading is incomplete the ImageObserver object is notified when more image is
available & call imageUpdate() method -> repaint() -> paint()
Thus paint() is repeatedly called until the loading process is completed
createImage(int x,int y) //Component class - creates image from scratch

getImage()
addImage(Image img, int i)

Compiled by Veena Iyer [reference book:PGJC by Mughal -Rasmussen & Thinking in Java, Bruce Eckel]
Font class
Font availability is platform dependent
canglyph(char c) can be used to find if a font has a glyph for the given character
translate(int x,int y) to translate the origin
constructor: Font(String name,int style,int size)
Common fonts on all platforms
"Serif"(variable pitch) "SansSerif" w/o serif "Monospaced"(fixed pitch)
"Dialog" "DialogInput" "Symbol"
Style
Font.BOLD Font.ITALIC Font.PLAIN (Font.BOLD | Font.ITALIC) //both
Size typographic point where 1 point = 1/72 inch

Properties of a font are accessed by using FontMetrics class. All measurements are in pixels
int getAscent() [baseline to top of char e.g. char 't']
int getDescent() [baseline to bottom e.g. char 'p'
int getMaxAscent() [baseline to ascentline e.g. char 'M' taking into consideration all characters for a font]
int getMaxDescent() [baseline to descentline]
int getLeading() [space between between 2 adjacent lines : descent of first & ascent of second]
int getHeight() [between baseline of adjacent lines]
int getMaxAdvance() [distance between one character & next in same line]
int charWidth(int ch)
int charHeight(int ch)
int stringWidth() [advance width of chars in the specified string]

To obtain fontmetric
use a component
Font f1 = new Font("Dialog",Font.ITALIC,12);
FontMetrics m1 = component.getFontMetrics(f1);
graphics context
FontMetrics m2 = graphicsContext.getFontMetrics();
FontMetrics m3 = graphicsContext.getFontMetrics(f2);

Clipping
A Graphics object maintains a clip region.
The clip region of the graphic context defines area in which all drawing will be done.
Rectangle getClipBounds()
Shape getClip()
void setClip(int x,int y,int width,int height)
void setClip(Shape clip)

Every GUI has an AWT thread that monitors the user input & event handling

Painting Modes
void setPaintMode() //overwrite paint mode
void setXORMode(Color c) //alternates pixels between current color & specified color

Images class
platform-independent interface to handle images
Toolkit class provides methods for loading images
Toolkit currentTk = Toolkit.getDefaultToolkit();
Image i1 = currentTK.getImage("cover.gif");
URL url = new URL("http://www.…") //Applet class getImage(URL url)
Image i2 = currentTK.getImage(url); // getImage(URL url,String name)

Compiled by Veena Iyer [reference book:PGJC by Mughal -Rasmussen & Thinking in Java, Bruce Eckel]
Applets
<APPLET
CODE or OBJECT Bob.class //classif in <OBJECT>…. </OBJECT> is used
HEIGHT height
WIDTH width
[CODEBASE] url
[ALT] show alt message if runtime JVM is deactivated
[ARCHIVE] jars
[ALIGN] alignment
[NAME] name
[HSPACE] space
[VSPACE] space
<PARAM NAME=ident VALUE=value> for a parameter NAME is must / VALUE is optional
alternate text java illiterate browser
</APPLET>

Applets have 4 methods:


init() - called once prior to the applet being painted.
followed by start() & paint() methods
override like a constructor use for e.g. create threads, construct GUI, process PARAM-
VALUE parameters
start() - called when applet is first shown or becomes visible again
stop() - called when applet is hidden or no longer visible
destroy() - called when applet object is about to be destroyed to relinquish any system resources

Other methods is applet class


URL getDocumentBase()
URL getCodeBase()
void showStatus(String msg)
String getAppletInfo() //textual description of the applet
String getParameter(String parameterName)
String[][] getParameterInfo() //each element of the array should be a set of 3 strings- name, desc, type
AppletContext getAppletContext()

Interface AudioClip is used to handle audio


AudioClip getAudioClip(URL url)
AudioClip getAudioClip(URL url, String fileName)
void loop()
void play()
void play(URL url)
void play(URL url, String fileName)
void stop()

Applets in Web Browsers


! reading,writing,deleteing files on local host no allowed
! running other applications from within the applet is prohibited
! calling System.exit(0) method to terminate the applet is not allowed
! no access to user,file or system information except to locale-specific information like Java version, OS
name version, text encoding standard, file path line separator
! connecting to other hosts is not allowed

Compiled by Veena Iyer [reference book:PGJC by Mughal -Rasmussen & Thinking in Java, Bruce Eckel]
SWING
Containment Model for Root Components

JRootPane
JLayered pane

Menu-bar (optional)

Content Pane
(layout manager, controls)

JFrame, JWindow,JDialog,JApplet,JInternalFrame
RootPaneContainer Interface
Container getContentPane() void setContentPane(Container contentPane)
Component getGlassPane() void setGlassPane(Component glassPane)
JLayeredPane getLayeredPane() void setLayeredPane(JlayeredPane layeredPane)
JRootPane getRootPane()
" create a RootPane
" Create a container(i.e.contentpane) for RootPane
" set layout for contentpane (default for contentpane is BorderLayout)
" add components to contentpane

For JPanel which does not use the model traditional containment model is used
create a new panel - > set its layout -> add components

Root Containers
JComponent all Lightweight swing comp inherit from JComponent which extends the
java.awt.Container class, methods getBorder(),boolean
isDoubleBuffered(),setToolTipText(String text)
JWindow
JFrame use WindowListener interface
JDialog
JInternalFrame (lightweight) is not top-level container & does not use WindowListener interface
uses the special InternalFrameListener interface usually placed inside a JDesktopPane
container

Button
the common functionality of button-like components is in AbstractButton class
JComponent

AbstractButton
JToggleButton JButton JMenuItem

JCheckBox JRadioButton JRadioButtonMenuItem JCheckBoxMenuItem JMenu


no checkgroup with checkgroup

Compiled by Veena Iyer [reference book:PGJC by Mughal -Rasmussen & Thinking in Java, Bruce Eckel]
AWT - Label & Buttons can contain only short text string
SWING- Label & Buttons can contain short text string, image or both
AWT - Menu Components are not part of main heirarchy
SWING - Menu components are part of the main inheritance hierarchy

ButtonModel Interface (Labels & Buttons)


! ButtonModel Interface provides methods to register listeners
! Method implemented by JLabel & AbstractButton class
Icon getIcon() void setIcon(Icon defaultIcon)
String getText() void setText(String text)
setBorder() from JComponent class
! AbstractButton class methods
void doClick() //key press/click
void doClick(int pressTime)
int getMnemonic() void setMnemonic(char mnemonic) //hot key
ButtonModel getModel() void setModel(ButtonModel newModel)

JMenuBar can contain JMenu components - horizontal bar with pull-down menus
it is attached to root component using setJMenuBar() method in JRootPane
JToolBar A container that typically lets the user invoke commonly used actions
can be undocked by user & left floating as a top-level window
JScrollBar scrolling panes
JSlider similar to scroll lets user select a value by sliding a knob
JProgressBar tracks the progress of some process by displaying degree of completion
JComboBox similar to choice editable text field with associated popup list
JSeparator visual separator line
JList no scrolling facilities for scrolling it should be decorated with jscrollpane
Default list model is DefaultListModel
Uses for
content ListModel interface -> ListDataListener
item rendering ListCellRenderer |DefaultListCellRenderer
selection ListSelectionModel interface -> ListSelectionListener

Bounded Range Model (JScrollBar, JSlider, JProgressBar)


BoundedRangeModel getModel() void setModel(BoundedRangeModel newModel)

ChangeListener interface is used by buttons, scrollbar, slider,progressbar

Document Interface Model (text components)


! both the document interface & the JTextComponent class reside in javax.swing.text package
! uses DocumentListener
JTextComponent class {abstract}
JTextField single line
JTextArea multiline
JEditorPane edit various kinds of content
JPassword unreadable text
JTextPane edit text that can be styled in various ways
Document getDocument() void setDocument(Document newdocument)
String getText() String getText(int off,int len) void setText(String t)
boolean isEditable() void setEditable(boolean b)

Compiled by Veena Iyer [reference book:PGJC by Mughal -Rasmussen & Thinking in Java, Bruce Eckel]
Space-Saving components
JScrollPane similar to the AWT component
to view a portion of a larger component JviewPort class is used
JScrollPane simply decorates a JviewPort component with scrollbars
Each JViewPort component can have only one component
JTabbedPane multiple pages using tabs
addTab()
insertTab()
removeTabAt()
JSplitPane user-adjustable divider between components

Complex Models
JTable ! javax.swing.table
Data Model - TableModel interface & Listener
Column Model - TableColumnModel interface & Listener
Row Selection model - ListSelectionModel interface & listener
Column Header - JTableHeader class extends Jcomponent
TableCellRenderer interface
TableCellEditor interface
JTree heirarchical data as tree nodes - leaf or branch
TreeModel interface & Listener
TreeSelectionModel interface & PropertyChangeListener (java.beans pkgg)
TreeCellRenderer interface
TreeCellEditor interface

Compound Components
JFileChooser similar to FileDialog is AWT
select files or directories
JColorChooser select a color using color model
JOptionPane can be used to create a dialogbox with choices

Additional Layout
borderLayout is default for JApplet
Box Layout
BoxLayout(Container target, int axis) X_AXIS | Y_AXIS
row & col does not wrap regardless of resizing
attempt is made to make all component to the height of the highest component
Box Class creation of invisible separators
Slack (glue) - takes on left over space if available
Fixed size (strut & rigid areas) - use fixed amount of space

static Component createHorizontalGlue()


static Component createVerticalGlue()

static Component createHorizontalStrut(int width)


static Component createVerticalStrut(int height)

static Component createRigidArea(Dimension d)


Look & Feel

Compiled by Veena Iyer [reference book:PGJC by Mughal -Rasmussen & Thinking in Java, Bruce Eckel]
Files & Streams
File class defines platform independent interface
public static final char separatorChar pathname is absolute if it starts with a separator character
public static final String separator / = Unix \ = Windows : = Mac
public static final char pathSeparatorChar : = Unix ; = Windows e.g. c:\book;c:\windows;
public static final String pathSeparator
Contructors
File(String pathname) which cannot be changed once file object is created, empty string mean current
directory
e.g. File f1 = new File(File.separator+"book"+File.separator+"ch1"); /book/ch1 --absolute path
File f2 = new File(book"+File.separator+"ch1"); book/ch1 ---relative path
File(String directoryPathname, String filename)
File(String directory, String filename) directory = null means current directory

many methods throw a SecurityException e.g. if R / W access denied


Query
e.g. c:\document\…\book\ch1
String getName() ch1
String getPath() ..\book\ch1
String getAbsolutePath() c:\document\..\book\ch1
String getCanonicalPath() throws c:\book1\ch1
IOException
String getParent() Unix "/book" then parent is /, windows c:\ Mac - HD:
boolean isAbsolute()
long lastModified()
long length() file size in bytes
boolean equals(Object obj)
boolean exists()
boolean isFile()
boolean isDirectory() distinguish between a file & directory
boolean canWrite()
boolean canRead()
Listing Directory entries filter implements either
String[] list() interface FilenameFilter{
String[] list(FilenameFilter filter) boolean accept(File currentDirectory,String
File listFiles() entryName);
File listFiles(FilenameFilter filter) }
File listFiles(FileFilter filter) interface FileFilter{
boolean accept(File pathName);
}
New Files / renaming / deleting
boolean createNew() throws IOException
boolean mkdir()
boolean mkdirs()
boolean renameTo(File dest)
boolean delete() a directory must be empty before u delete it
dir.list() returns the files contained in the instance of the File called dir
File f = new File("*.*") will obtain the contents of the current directory & populate the inst of the File clss

Compiled by Veena Iyer [reference book:PGJC by Mughal -Rasmussen & Thinking in Java, Bruce Eckel]
BYTE Streams: Input & Output Streams

int read() throws IOException void write(int b) throws IOException


int read(byte[] b) throws IOException void write(byte[] b) throws IOException
int read(byte[] b,int off,int len) throws void write(byte[] b,int off,int len) throws
IOException IOException
reads() a byte but returns an int zeroing out the
remaining bits
returns a -1 when end of stream is reached
void close() throws IOException does both close & flush
void flush() throws IOException

File Streams
FileInputStream(String name) throws FileOutputStream(String name) throws
FileNotFoundException FileNotFoundException
FileInputStream(File file) throws FileOutputStream(File file) throws FileNotFoundException
FileNotFoundException contents reset unless append is indicated
FileInputStream(FileDescriptor fdObj) FileOutputStream(FileDescriptor fdObj)
FileOutputStream(String name,boolean append) throws
FileNotFoundException

Filter Streams (input - Filter,Buffered, Data, Pushback, output -Filter,Buffered,Data,Print)


! FilterInputStream & FilterOutputStream classes & it subclasses are used
! subclasses BufferedInputStream & BufferedOutputStream for buffered input & output
! DataInputStream & DataOutputStream for java primitives
! DataOutputStream & ObjectOutputStream classes provide methods for wiriting binary represntation of
primitive data

Primitives
! DataOutputStream & DataInputStream implement (DataInput & DataOutput interfaces in java.io pkg
! bytes can be skipped from DataInput stream using skipBytes(int n)

DataOutputStream FileOutputStream FileInputStream DataInputStream

writeBoolean(booleab b) readBoolean()
writeByte(int v) readByte()
writeChar(int v) readChar()
writeShort(int v) readShort()
writeInt(int v) readInt()
writeLong(long l) … readLong()
writeFloat(float f) … readFloat()
writeDouble(double d) … readDouble()
writeChars(String s … readLine()
writeUTF(String s) … readUTF() UTF-8

Buffered Byte Streams


uses filter classes BufferedInput & BufferedOutput (blocks of bytes)
BufferedOutputStream BufferedInputStream

DataOutputStream FileOutputStream FileInputStream DataInputStream

BufferedInputStream(InputStream i) BufferedOutputStream(OutputStream o)

Compiled by Veena Iyer [reference book:PGJC by Mughal -Rasmussen & Thinking in Java, Bruce Eckel]
Character Streams : Readers & Writers
read & write Unicode characters using a specific character encoding (8859_1 (default ie.ISO-Latin-1), 8859_2,
8859_3,8859_4,UTF8 which is multi-byte encoding format).
has a LineNumberReader, Pushback Reader , PrinterWriter
int read() throws IOException //in range 0 - 65535 i.e. Unicode char
int read(char cbuff[]) throws IOException //returns a -1 at end of file
int read(char cbuff[],int off,int len) throws IOException

void write(int c) throws IOException //take int as argument but only writes out 16 bits
void write(char[] cbuf) throws IOException //note no write() method for char
void write(char[] cbuf,int off,int len) throws IOException
void write(String str) throws IOException
void write(String str,int off,int len) throws IOException

void close() throws IOException


void flush() throws IOException

long skip(long n) throws IOException //nos of characters to skip

Unicode to Bytes
Input
• InputStreamReader(InputStream in)
• InputStreamReader(InputStream in,String encodingName) throws UnsupportedEncodingException
Output
• OutputStreamWriter(OutputStream out)
• OutputStreamWriter(OutputStream out,String encodingName) throws UnsupportedEncodingException
• String getEncoding()

Print Writers
PrintWriter(Writer out)
PrintWriter(Writer out,boolean autoFlush) //flush if any println of PrintWriter class is called
PrintWriter(OutputStream out)
PrintWriter(OutputStream out,autoFlush)

print(<type> b) println(<type> t) [Unix = \n, Windows = \r\n Mac = \r]


<type> is char[], String, Object and all primitive types except byte, short
checkError() method is used to check for errors

V.IMP - Reading & Writing Text Files


Primitives & Objects cannot be read directly from their textual representation. Characters must be read &
converted to relevant values explicitly
! FileInputStream → InputStreamReader
! FileReader //uses default encoding format automatically
Three procedures to set up the print writer
! PrintWriter → OutputStreamWriter →FileOutputStream //OutputStream supplies the encoding sch
! PrintWriter → FileOutputStream //uses default encoding format automatically
! PrintWriter → FileWriter

Buffered Character streams


BufferedReader(Reader in) | BufferedReader(Reader in, int size)
BufferedWriter(Writer out) | BufferedWriter(Writer out, int size)
String readLine() throws IOException is used to read line text from the reader NULL is returned on EOF
newLine() in writer to provide platform dependent line-separated
e.g. byte b = (byte) Integer.parseInt(bufferedReader.readLine())

Compiled by Veena Iyer [reference book:PGJC by Mughal -Rasmussen & Thinking in Java, Bruce Eckel]
FileInputStream → InputStreamReader→→ BufferedReader (FileInputStream+Inputstream = FileReader)
! PrintWriter → BufferedWriter → OutputStreamWriter →FileOutputStream
PrintWriter OutputStreamWriter InputStreamReader

BufferedWriter FileOutputStream FileInputStream BufferedReader

FileInputStream fin;
FileOutputStream fout;
int i = fin.read();
fout.write(i);
fin.close();
fout.close();

FileOutputStream outfile = new FileOutputStream("abc.txt");


// BufferedOutputStream outbuff = new BufferedOutputStream(outfile);
DataOutputStream outstream = new DataOutputstream(outfile);
//DataOutputStream outstream = new DataOutputstream(outbuff);
outstream.writeInt(Integer.MAX_VALUE);
outstream.close();

FileInputStream infile = new FileInputStream("abc.txt");


DataInputStream instream = new DataInputstream(infile);
int i = instream.readInt();
instream.close();

Byte Stream Character Streams


OutputStream Writer
InputStream Reader
ByteArrayOutputStream CharArrayWriter
ByteArrayInputStream CharArrayReader
OutputStreamWriter
OutputStreamReader
FileOutputStream FileWriter
FileInputStream FileReader
FilterOutputStream FilterWriter
FilterInputStream FilterReader
BufferedOutputStream BufferedWriter
BufferedInputStream BufferedReader
PrintStream PrintWriter
DataOutputStream
DataInputStream
ObjectOutputStream
ObjectInputStream
PipedOutputStream PipedWriter
PipedInputStream PipedReader
StringWriter
StringReader
LineNumberReader
PushbackInputStream PushbackReader
SequenceInputStream
Random Access (java.io.RandomAccessFile)

Compiled by Veena Iyer [reference book:PGJC by Mughal -Rasmussen & Thinking in Java, Bruce Eckel]
• inherits from Object class
• Allows to move forward & backward w/o reopening file
• objects of this class cannot be chained with streams
RandomAccessFile(String name,String mode) throws IOException //r | rw are only mode allowd
RandomAccessFile(File file,String mode) throws IOException
• IllegalArgumentException - if 'r' file not exist IllegalExeption error | 'rw' new file is created
• open file does not reset the contents of the file

long getFilePointer() throws IOException


long length() throws IOException //nos of bytes in the file
void seek(long offset) throws IOException //seek(length()) points to last byte of file
void close() throws IOException

e.g. RandomAccessFile rmfile = newRandomAccesFile(new File("ab.txt"),"rw");


long l = rmfile.length();
rmfile.seek(i);
rmfile.close();

Object Serialization
Serializable interface has no method defined it is just used to indicate that the class is serializable
! sequence of bytes that can be recreated. ObjectInput & ObjectOutput - read & write object to & from streams
! Objects & values must be read in the same order they are serialized
! New Objects are created during deserialization so that no existing objects are overwritten
1. ObjectOutput stream must be chained to an output stream as follows -
ObjectOutputStream(OutputStream out) throws IOException
2. final void writeObject(Object obj) throws IOException
3. ObjectInputStream(InputStream in) throws IOException, StreamCorruptedException
4. final Object readObject(Object obj) throws OptionalDataException, ClassNotFoundException,
IOException
FileOutputStream fout = new FileOutputstream("abc.dat");
ObjectOutputStream objstream = new ObjectOutputstream(fout);
String[] strarray = {"S7","S8","S6"};
String cstr = strarray[2]; //avoids duplication when same object is serialized - S6
objstream.writeObject(strarray);
objstream.writeObject(cstr);
String s = (String) objstream.readObject(); //An explicit cast is needed to convert the reference of
a deserialized object to the right type

ObjectOutputStream FileOutputStream FileInputStream ObjectInputStream

writeBoolean(booleab b) readBoolean()
writeByte(int v) readByte()
writeChar(int v) readChar()
writeShort(int v) readShort()
writeInt(int v) readInt()
writeLong(long l) … readLong()
writeFloat(float f) … readFloat()
writeDouble(double d) … readDouble()
writeChars(String s … readLine()
writeUTF(String s) … readUTF() UTF-8
+ writeObject() + readObject()

Compiled by Veena Iyer [reference book:PGJC by Mughal -Rasmussen & Thinking in Java, Bruce Eckel]
PipedInputStream/ PipedOutputStream class
The PipedInputStream class allows a pipe to be constructed between two threads and supports input through the
pipe. It is used in conjunction with the PipedOutputStream class.

SequenceInputStream class
enables two or more streams to be concatenated into a single stream

Filter
! Filters are objects that read from one stream and write to another, usually altering the data in some way as
they pass it from one stream to another.
! Filters can be used to buffer data, read and write objects, keep track of line numbers, and perform other
operations on the data they move.
! Filters can be combined, with one filter using the output of another as its input. You can create custom filters
by combining existing filters.

FilterInputStream
! The BufferedInputStream class maintains a buffer of the input data that it receives. This eliminates the need to
read from the stream’s source every time an input byte is needed.
! The DataInputStream class implements the DataInput interface, a set of methods that enable String objects
and primitive data types to be read from a stream.
! The LineNumberInputStream is used to keep track of input line numbers does not actually add line
numbers to the data.
! The PushbackInputStream provides the capability to push data back onto the stream that it is read from so
that it can be read again.

The java.io package declares ten interfaces.


DataInput and DataOutput interfaces provide methods that support machine-independent I/O.
ObjectInput and ObjectOutput interfaces extend DataInput and DataOutput to work with objects.
ObjectInputValidation interface supports the validation of objects that are read from a stream.
Serializable and Externalizable interfaces support the serialized writing of objects to streams.
FilenameFilter and FileFilter interfaces are used to select filenames from a list.
ObjectStreamConstants interface defines constants that serialize objects to and from streams

Compiled by Veena Iyer [reference book:PGJC by Mughal -Rasmussen & Thinking in Java, Bruce Eckel]
JAVADOC
Documentation comment : starts with /** end with */ and is placed preceeding
e.g. /**
* com.foo.bar was invented by prof.Freddy. <1998>
*
*/
! class & interface definitions
! member method definiton including constructors
! member variable definitions
it is treated as regular comment if placed anywhere else.
(". ") (period,space) in the text indicates end of sentence (e.g. after the prof.)Freddy.
For Javadoc to generate documentation each interface and class must be placed in their own compilation unit ie
separate source file
hyperlinks can be specified using html tags in the comment

special tags - @<tagname> <text>


classnames if specified must be fully qualified
@author Class & Interface
@version " //version of class or interface

@since Class, Interface & //when the code was first introduced
Members
@deprecated " // explanation
@see " // @see <fullpath>#<member name>
// @see #topstack() member method
{@link} " //creates an inline link

@param Methods // @param <parmname> <description>


@return "
@throws " <exception name> <explanation>
@exception "

CODE element of HTML is typically used for formating keywords

Options for javadoc utility


Package names are specified using dot-notation(.)
-d <directory> destination directory for output files
-author to include author &
-version version nos
-public for public classes , interfaces & members only
-protected for protected/public classes , interfaces & members only -DEFAULT option
-package for package/protected/public classes , interfaces & members only
-private for ALL
-nodeprecated @deprecated paragraphs are not shown in the documentation

Compiled by Veena Iyer


reference book:Mughal
Thinking in Java, Bruce Eckel

Compiled by Veena Iyer [reference book:PGJC by Mughal -Rasmussen & Thinking in Java, Bruce Eckel]
Total
Sno Exam Name Maha's Comments URL
qstns
This is a very simple applet which basically checks the
.Javaranch -
Java Language rules by asking mostly yes/no qstns. It
1 RulesRoundu 144 http://www.javaranch.com/
is good if we get 100% in this game before we take our
p game
final Sun SCJP2.
Marcus Green has composed 3 Mock exams in .html
format , and the questions wording is discussed by
many people in Javaranch, Marcus also participates in
those and respects users comments, and if there is any
ambiguity felt by many people , he changes the
wording of those questions promptly. So the mock
Marcus green exams are refined by now and considered to be very http://www.jchq.net/mockexam
2 60
- Exam1 good and its toughness is close to the real exam. It is s/exam1.ht m
good if we get atleast 90 to 95% in all the 3 exams to
get a high score in Sun's SCJP2 Exam. Many people
said the first time when we take Marcus's sample test,
the % we get is close to the % we get from the real
Exam. So save them for the last 3 weeks of your real
exam and see your % on them.
Marcus green http://www.jchq.net/mockexam
3 60 - as above-
- Exam2 s/exam2.ht m
Marcus green http://www.jchq.net/mockexam
4 60 - as above -
- Exam3 s/exam3.ht m
Questions seem to be good and slightly harder than
the real Exam. Some of the questions in this Applet
Applied http://209.242.122.83/JavaCerti
5 77 seem to test our memory, asking which method in
Reasoning fication.ht ml
which class, like that. The GUI of the Exam simulator
is also good
Sun's sample Sun has some official sample questions for SCJP2 http://suned.sun.com/USA/certi
6 6
papers exam in it site. Don't miss them. fication/pro gsqwa.html
This is considered to be a standard and easy sample
qstn paper with questions scattered with all
7 John Hunt 65 View them
objectives. This is the first sample test I took after I
finished the 1st round of reading of R&H book.
Bill Brogden is the author of well known book, Java2
Bill brogden Exam Cram. This is his official web site where he has http://www.lanw.com/java/java
8 32
(18 out of 32) an Exam Simulation Applet. Qstns considered to be cert/TestAp plet6.htm
good.
Bill Brogden's Since the name itself implies, that sample test is going
http://www.lanw.com/java/java
9 Hardest 20 to be hard, I saved it for the last week. I got 19
cert/Hardes tTest.htm
questions questions correct out of 20 asked.
This person had composed a set of questions which
mostly checks with String class. To be through with http://members.theglobe.com/a
10 Poddar 42
the == and equals concept we should get all qstns poddar/que stions.html
correct in this test.
This is another good set of question paper. But it has
3 questions with wrong answers. Don't forget to write Get MindQ Mock Exam
11 MindQ 60
down your answers in a paper while taking this exam View MindQ Answers
as the .html file has got some javascript errors.
This person also has composed a very good collection http://www.geocities.com/Silic
12 Majji - Exam1 10 of questions.I came to know about him through onValley/Ca
www.javacert.com ble/1025/exam1.html
http://www.geocities.com/Silic
13 Majji - Exam2 10 - as above - onValley/Ca
ble/1025/exam2.html
http://www.geocities.com/Silic
14 Majji - Exam3 10 - as above -
onValley/Ca

Compiled by Veena Iyer [reference book:PGJC by Mughal -Rasmussen & Thinking in Java, Bruce Eckel]
ble/1025/exam3.html
He is author of the another well known Java
Certification book. His book is also known as 'BB' http://www.geocities.com/Silic
Barry Boone book amond SCJP people. R&H and BB are those who onValley/Or
15 20
exam started writing SCJP Certification books initially. chard/9362/java/javacert/newb
Questions are good. Some qstns were brought to oone1-19.h tml
Javaranch for ambiguity.
http://www.geocities.com/Silic
Barry Boone onValley/Or
16 20 - as above-
exam chard/9362/java/javacert/newb
oone20-39. html
http://www.geocities.com/Silic
Barry Boone onValley/Or
17 30 - as above -
exam chard/9362/java/javacert/newb
oone40-70. html
http://www.geocities.com/Silic
JDCert - 200 (I
Questions are simple and good. It has an option of onValley/Or
18 applet to think
selecting SCJP1.1 and SCJP2. chard/9362/java/javacert/JDCer
download so)
t.html
Jargon - Another good applet. Has 'short answers' type
http://www.sarga.com/java/jac.
19 applet to 140 questions.But doesn't have explanation for the
htm
download answers.
Jxam - Java
This Java application is the best as accepted by many
Exam http://eddiemcnally.hypermart.
people. Author has given the source code of the applet
20 simulator 200 net/jxam.htm l OR download
also. He has given explanation for all his questions. I
appln to from here
like it a lot.
download
Questions seem to be good. But few of the questions
got wrong answers and they are discussed in
IBM online http://certify.torolab.ibm.com/
javaranch.com. You can use the 'search' facility in the
21 exam 30 http://www.javaranch.com/ubb/
Programmer Certification Forum with the keyword
simulator Forum24/ HTML/000497.html
'IBM' to get all IBM related discussion threads. You
have to register first to get the mock Exam paper.
40 out of 64 questions are asked. Worth to take. The
Online Exam http://bmil.freeservers.com/test
22 64 author seems to be an SCJP as well as an SCJD. (Sun
simulator er/test.html
Certified Java Developer)
Another mock Upto 36 qstns are written properly. All answers are not http://apollo.netservers.com/%7
23 56
exam given. Can be used as a good learning tool Efemibyte/j avaquestions.html
Valiveru's Questions are good. I found 5 questions with wrong http://valiveru.tripod.com/java/j
24
exam applet wording/wrong answers. valtest.html
Questions are felt to be HARDER THAN the real
SCJP2 Exam from Sun. So if you take this test and get
low scores don't be upset. But their 'Java Certification
Book' seems to be really good. I hadn't bought this
Mughal book. But from others comment this book is more than
http://www.ii.uib.no/~khalid/pg
25 Khalid's exam 59 just a Certification book. The author does not give
jc/jcbook/e ngine.html
applet answers in this applet. I did a trick to get the answers.
I just answered only 1 question at a time and end the
exam and saw the results. If I get 1/59 correct means,
my answer is correct. Otherwise, if I get 0/59 correct
means , my answer was wrong.
http://developer.java.sun.com/d
Robert and R&H has put the sample 10 questions on Chapter 6:
eveloper/B
26 Heller's self 10 Objects and Classes from their Java Certification Book,
ooks/certification/testyourself.h
test on the internet. Good.
tml
Questions are really good and little harder. I used to
Jammi's download the applet and take the test offline. It was a http://www.jaworski.com/java/
27 172
applet mystery for most of us, since this applet does not say certification/
how many questions are going to be asked. I went upto

Compiled by Veena Iyer [reference book:PGJC by Mughal -Rasmussen & Thinking in Java, Bruce Eckel]
150 qstns at a stretch. Finally from another
Javaranch.com member we came to know the applet
ends with 172 questions. The author also has got SCJP
review applet which is also good.
The author of this applet is an young Engineering
College student from Mumbai, India. Some of his
29 JQuest applet 20 http://jquest.webjump.com/
questions are taken from other Mock Exams. Any
how, the Exam Simulator GUI seems to be good.
This applet also seems to be ok. It pulls out 30 random
questions from a database of 158 questions. What I http://www.geocities.com/Silic
Java Exam
30 158 used to do was I just download the applet and go onValley/Scr
applet1
offline (disconnect the internet connection) and take een/5046/test1.html
the test
http://www.geocities.com/Silic
Java Exam
31 158 .same as above onValley/Scr
applet2
een/5046/test2.html
http://www.geocities.com/Silic
Java Exam
32 158 same as above onValley/Scr
applet3
een/5046/test3.html
I think this person is a JLS (Java Language
Specification) favorate. Most of his questions are really
very interesting and test us really on our Java http://www.angelfire.com/or/ab
33 Abhilash's site 80
fundamentals explained in JLS. Take it. It is really hilash/Main. html
worth. You can get the answers from the author
through email.
Not a test actually. Has some handy charts and some http://www.absolutejava.com/a
35 Java titbits 6
important notes. We can test ourselves on this. rticles/java- tidbits.html
Mock test on This Sample Test, has questions on Java Fundamentals. http://www.absolutejava.com/a
36 JavaFundame 13 For each question , the answer as well as explanation rticles/test-y our-java-
ntals. are given. Good. knowledge.html
Recently put up on the net.Questions are good. Some
Naveen's http://www.javaprepare.com/qu
37 59 of his questions are discussed in www.javaranch.com
SCJP site ests/test.ht ml
in Programmer Certification Forum.
Deepak's Mr.Deepak is an SCJP2 himself has his own homepage
Sample Java which has more SCJP related info. I did not get a http://deepak.htmlplanet.com/fr
39 250
Mock Exam chance to use his application since it was not available eed.html
Application at the time when I was preparing for the exam.

This is not a must to take for the SCJP2 felt by many


people. BrainBench offers their own Java Certification http://www.brainbench.com/tes
Free
and their objectives are little different from Sun's. So tcenter/brai
Brainbench
40 60 you may get some questions which are not needed for nbench/cert.jsp?core=%2fvtc%
Certification
Sun's SCJP exam.However,we can use this as a 2fcert%2fr
Exam
learning tool. For a restricted time Brain Bench's Java egisterfast.jsp&vid=losby
Certification Exam is available free to take online.

This exam also looks good. I haven't gone through each


and every question in the exam. I thought of letting you
all know about JavaCaps resources and get the feed
http://www.javacaps.com/sjpc_
41 JavaCaps 60 back from you all. Please do send your comments. I
mockexam .html
will evaluate and add the comments and send the same
to the author also. This site's author has got some java
related tutorials also.Thank you.

Compiled by Veena Iyer [reference book:PGJC by Mughal -Rasmussen & Thinking in Java, Bruce Eckel]

You might also like