SlideShare a Scribd company logo
1 of 32
Download to read offline
OCP Java SE 8 Exam
Sample Questions	
Java	Streams	
Hari	Kiran	&	S	G	Ganesh
Ques4on		
Choose	the	correct	op4on	based	on	this	code	segment:	
	
"abracadabra".chars().distinct()
.peek(ch -> System. out .printf("%c ", ch)). sorted();
	
	
A.	It	prints:	“a	b	c	d	r”	
B.	It	prints:	“a	b	r	c	d”	
C.	It	crashes	by	throwing	a	java.u=l.IllegalFormatConversionExcep=on	
D.	This	program	terminates	normally	without	prin=ng	any	output	in	the	
console	
h=ps://ocpjava.wordpress.com
Answer	
Choose	the	correct	op4on	based	on	this	code	segment:	
	
"abracadabra".chars().distinct()
.peek(ch -> System. out .printf("%c ", ch)). sorted();
	
	
A.	It	prints:	“a	b	c	d	r”	
B.	It	prints:	“a	b	r	c	d”	
C.	It	crashes	by	throwing	a	java.u=l.IllegalFormatConversionExcep=on	
D.	This	program	terminates	normally	without	prin4ng	any	output	in	
the	console	
h=ps://ocpjava.wordpress.com
Explana4on	
D	.	This	program	terminates	normally	without	prin=ng	
any	output	in	the	console	
	
Since	there	is	no	terminal	opera=on	provided	
(such	as	count	,	forEach	,	reduce,	or	collect	),	this	
pipeline	is	not	evaluated	and	hence	the	peek	does	not	
print	any	output	to	the	console.	
h=ps://ocpjava.wordpress.com
Ques4on		
Choose	the	correct	op4on	based	on	this	program:	
	
class Consonants {
private static boolean removeVowels(int c) {
switch(c) {
case 'a': case 'e': case 'i': case 'o': case 'u': return true;
}
return false;
}
public static void main(String []args) {
"avada kedavra".chars().filter(Consonants::removeVowels)
.forEach(ch -> System.out.printf("%c", ch));
}
}
A.	This	program	results	in	a	compiler	error	
B.	This	program	prints:	"aaaeaa"	
C.	This	program	prints:	"vd	kdvr"	
D.	This	program	prints:	"	avada	kedavra	"	
E.	This	program	crashes	by	throwing	a	java.u=l.IllegalFormatConversionExcep=on	
h=ps://ocpjava.wordpress.com
Answer	
Choose	the	correct	op4on	based	on	this	program:	
	
class Consonants {
private static boolean removeVowels(int c) {
switch(c) {
case 'a': case 'e': case 'i': case 'o': case 'u': return true;
}
return false;
}
public static void main(String []args) {
"avada kedavra".chars().filter(Consonants::removeVowels)
.forEach(ch -> System.out.printf("%c", ch));
}
}
A.	This	program	results	in	a	compiler	error	
B.	This	program	prints:	"aaaeaa"	
C.	This	program	prints:	"vd	kdvr"	
D.	This	program	prints:	"	avada	kedavra	"	
E.	This	program	crashes	by	throwing	a	java.u=l.IllegalFormatConversionExcep=on	
h=ps://ocpjava.wordpress.com
Explana4on	
B	.	This	program	prints:	"	aaaeaa“	
	
Because	the	Consonants::removeVowels	returns	true	
when	there	is	a	vowel	passed,	only	those	characters	are	
retained	in	the	stream	by	the	filter	method.		
	
Hence,	this	program	prints	“aaaeaa”.	
h=ps://ocpjava.wordpress.com
Ques4on		
Choose	the	best	op4on	based	on	this	program:	
	
import java.util.stream.Stream;
public class AllMatch{
public static void main(String []args) {
boolean result = Stream.of("do", "re", "mi", "fa", "so", "la", "ti")
.filter(str -> str.length() > 5) // #1
.peek(System.out::println) // #2
.allMatch(str -> str.length() > 5); // #3
System.out.println(result);
}
}
A.	This	program	results	in	a	compiler	error	in	line	marked	with	comment	#1	
B.	This	program	results	in	a	compiler	error	in	line	marked	with	comment	#2	
C.	This	program	results	in	a	compiler	error	in	line	marked	with	comment	#3	
D.	This	program	prints:	false	
E.	This	program	prints	the	strings	“do”,	“re”,	“mi”,	“fa”,	“so”,	“la”,	“=”,	and	
“false”	in	separate	lines	
F.	This	program	prints:	true	
h=ps://ocpjava.wordpress.com
Answer	
Choose	the	best	op4on	based	on	this	program:	
	
import java.util.stream.Stream;
public class AllMatch{
public static void main(String []args) {
boolean result = Stream.of("do", "re", "mi", "fa", "so", "la", "ti")
.filter(str -> str.length() > 5) // #1
.peek(System.out::println) // #2
.allMatch(str -> str.length() > 5); // #3
System.out.println(result);
}
}
A.	This	program	results	in	a	compiler	error	in	line	marked	with	comment	#1	
B.	This	program	results	in	a	compiler	error	in	line	marked	with	comment	#2	
C.	This	program	results	in	a	compiler	error	in	line	marked	with	comment	#3	
D.	This	program	prints:	false	
E.	This	program	prints	the	strings	“do”,	“re”,	“mi”,	“fa”,	“so”,	“la”,	“=”,	and	
“false”	in	separate	lines	
F.	This	program	prints:	true	
h=ps://ocpjava.wordpress.com
Explana4on	
F	.	This	program	prints:	true	
	
The	predicate	str	->	str.length()	>	5	returns	false	for	all	the	
elements	because	the	length	of	each	string	is	2.		
	
Hence,	the	filter()	method	results	in	an	empty	stream	and	the	
peek()	method	does	not	print	anything.	The	allMatch()	
method	returns	true	for	an	empty	stream	and	does	not	
evaluate	the	given	predicate.		
	
Hence	this	program	prints	true	
h=ps://ocpjava.wordpress.com
Ques4on		
Choose	the	best	op4on	based	on	this	program:	
import java.util.regex.Pattern;
import java.util.stream.Stream;
public class SumUse {
public static void main(String []args) {
Stream<String> words = Pattern.compile(“ “).splitAsStream(“a bb ccc”);
System.out.println(words.map(word -> word.length()).sum());
}
}
A.	Compiler	error:	Cannot	find	symbol	“sum”	in	interface	Stream<Integer>	
B.	This	program	prints:	3	
C.	This	program	prints:	5	
D.	This	program	prints:	6	
E.	This	program	crashes	by	throwing	java.lang.IllegalStateExcep=on
h=ps://ocpjava.wordpress.com
Answer	
Choose	the	best	op4on	based	on	this	program:	
import java.util.regex.Pattern;
import java.util.stream.Stream;
public class SumUse {
public static void main(String []args) {
Stream<String> words = Pattern.compile(“ “).splitAsStream(“a bb ccc”);
System.out.println(words.map(word -> word.length()).sum());
}
}
A.	Compiler	error:	Cannot	find	symbol	“sum”	in	interface	Stream<Integer>	
B.	This	program	prints:	3	
C.	This	program	prints:	5	
D.	This	program	prints:	6	
E.	This	program	crashes	by	throwing	java.lang.IllegalStateExcep=on
h=ps://ocpjava.wordpress.com
Explana4on	
A	.	Compiler	error:	Cannot	find	symbol	“sum”	in	interface	
Stream<Integer>	
	
Data	and	calcula=on	methods	such	as	sum()	and	average()	
are	not	available	in	the	Stream<T>	interface;	they	are	
available	only	in	the	primi=ve	type	versions	IntStream,	
LongStream,	and	DoubleStream.		
	
To	create	an	IntStream	,	one	solu=on	is	to	use	mapToInt()	
method	instead	of	map()	method	in	this	program.	If	
mapToInt()	were	used,	this	program	would	compile	without	
errors,	and	when	executed,	it	will	print	6	to	the	console.	
h=ps://ocpjava.wordpress.com
Ques4on		
Determine	the	behaviour	of	this	program:	
	
class LambdaFunctionTest {
@FunctionalInterface
interface LambdaFunction {
int apply(int j);
boolean equals(java.lang.Object arg0);
}
public static void main(String []args) {
LambdaFunction lambdaFunction = i -> i * i; // #1
System.out.println(lambdaFunction.apply(10));
}
}
A.	This	program	results	in	a	compiler	error:	interfaces	cannot	be	defined	inside	
classes	
B.	This	program	results	in	a	compiler	error:	@Func=onalInterface	used	for	
LambdaFunc=on	that	defines	two	abstract	methods	
C.	This	program	results	in	a	compiler	error	in	code	marked	with	#1:	syntax	error	
D.	This	program	compiles	without	errors,	and	when	run,	it	prints	100	in	console	
h=ps://ocpjava.wordpress.com
Answer	
Determine	the	behaviour	of	this	program:	
	
class LambdaFunctionTest {
@FunctionalInterface
interface LambdaFunction {
int apply(int j);
boolean equals(java.lang.Object arg0);
}
public static void main(String []args) {
LambdaFunction lambdaFunction = i -> i * i; // #1
System.out.println(lambdaFunction.apply(10));
}
}
A.	This	program	results	in	a	compiler	error:	interfaces	cannot	be	defined	inside	
classes	
B.	This	program	results	in	a	compiler	error:	@Func=onalInterface	used	for	
LambdaFunc=on	that	defines	two	abstract	methods	
C.	This	program	results	in	a	compiler	error	in	code	marked	with	#1:	syntax	error	
D.	This	program	compiles	without	errors,	and	when	run,	it	prints	100	in	
console	
h=ps://ocpjava.wordpress.com
Explana4on	
D.	is	the	correct	answer	as	this	program	compiles	without	
errors,	and	when	run,	it	prints	100	in	console.		
Why	other	op4ons	are	wrong:	
A.  An	interface	can	be	defined	inside	a	class	
B.  The	signature	of	the	equals	method	matches	that	of	the	
equal	method	in	Object	class;	hence	it	is	not	counted	as	
an	abstract	method	in	the	func=onal	interface		
C.  It	is	acceptable	to	omit	the	parameter	type	when	there	
is	only	one	parameter	and	the	parameter	and	return	
type	are	inferred	from	the	LambdaFunc=on	abstract	
method	declara=on	int	apply(int	j)	
h=ps://ocpjava.wordpress.com
Ques4on		
Choose	the	best	op4on	based	on	this	program:	
	
import java.util.*;
class Sort {
public static void main(String []args) {
List<String> strings = Arrays.asList("eeny ", "meeny ", "miny ", "mo ");
Collections.sort(strings, (str1, str2) -> str2.compareTo(str1));
strings.forEach(string -> System.out.print(string));
}
}
A.	Compiler	error:	improper	lambda	func=on	defini=on	
B.	This	program	prints:	eeny	meeny	miny	mo	
C.	This	program	prints:	mo	miny	meeny	eeny	
D.	This	program	will	compile	fine,	and	when	run,	will	crash	by	throwing	a	
run=me	excep=on.	
h=ps://ocpjava.wordpress.com
Answer	
Choose	the	best	op4on	based	on	this	program:	
	
import java.util.*;
class Sort {
public static void main(String []args) {
List<String> strings = Arrays.asList("eeny ", "meeny ", "miny ", "mo ");
Collections.sort(strings, (str1, str2) -> str2.compareTo(str1));
strings.forEach(string -> System.out.print(string));
}
}
A.	Compiler	error:	improper	lambda	func=on	defini=on	
B.	This	program	prints:	eeny	meeny	miny	mo	
C.	This	program	prints:	mo	miny	meeny	eeny	
D.	This	program	will	compile	fine,	and	when	run,	will	crash	by	throwing	a	
run=me	excep=on.	
h=ps://ocpjava.wordpress.com
Explana4on	
C	.	This	program	prints:	mo	miny	meeny	eeny	
	
This	is	a	proper	defini=on	of	a	lambda	expression.	Since	the	
second	argument	of	Collec=ons.sort()	method	takes	the	
func=onal	interface	Comparator	and	a	matching	lambda	
expression	is	passed	in	this	code.		
	
Note	that	second	argument	is	compared	with	the	
first	argument	in	the	lambda	expression	(str1,	str2)	->	
str2.compareTo(str1)	.	For	this	reason,	the	comparison	is	
performed	in	descending	order.	
h=ps://ocpjava.wordpress.com
Ques4on		
What	will	be	the	result	of	execu4ng	this	code	segment	?	
	
Stream.of("ace ", "jack ", "queen ", "king ", "joker ")
.mapToInt(card -> card.length())
.filter(len -> len > 3)
.peek(System.out::print)
.limit(2);
A.	This	code	segment	prints:	jack	queen	king	joker	
B.	This	code	segment	prints:	jack	queen	
C.	This	code	segment	prints:	king	joker	
D.	This	code	segment	does	not	print	anything	on	the	console	
h=ps://ocpjava.wordpress.com
Answer	
What	will	be	the	result	of	execu4ng	this	code	segment	?	
	
Stream.of("ace ", "jack ", "queen ", "king ", "joker ")
.mapToInt(card -> card.length())
.filter(len -> len > 3)
.peek(System.out::print)
.limit(2);
A.	This	code	segment	prints:	jack	queen	king	joker	
B.	This	code	segment	prints:	jack	queen	
C.	This	code	segment	prints:	king	joker	
D.	This	code	segment	does	not	print	anything	on	the	console	
h=ps://ocpjava.wordpress.com
Explana4on	
D.	This	code	segment	does	not	print	anything	on	the	
console	
	
The	limit()	method	is	an	intermediate	opera=on	and	
not	a	terminal	opera=on.	
	
Since	there	is	no	terminal	opera=on	in	this	code	
segment,	elements	are	not	processed	in	the	stream	
and	hence	it	does	not	print	anything	on	the	console.	
h=ps://ocpjava.wordpress.com
Ques4on		
Choose	the	correct	op4on	based	on	the	following	code	segment:	
	
Comparator<String> comparer =
(country1, country2) -> country2.compareTo(country2); // COMPARE_TO
String[ ] brics = {"Brazil", "Russia", "India", "China"};
Arrays.sort(brics, null);
Arrays.stream(brics).forEach(country -> System.out.print(country + " "));
	
A.	The	program	results	in	a	compiler	error	in	the	line	marked	with	the	comment	
COMPARE_TO	
B.	The	program	prints	the	following:	Brazil	Russia	India	China	
C.	The	program	prints	the	following:	Brazil	China	India	Russia	
D.	The	program	prints	the	following:	Russia	India	China	Brazil	
E.	The	program	throws	the	excep=on	InvalidComparatorExcep=on	
h=ps://ocpjava.wordpress.com
Answer	
Choose	the	correct	op4on	based	on	the	following	code	segment:	
	
Comparator<String> comparer =
(country1, country2) -> country2.compareTo(country2); // COMPARE_TO
String[ ] brics = {"Brazil", "Russia", "India", "China"};
Arrays.sort(brics, null);
Arrays.stream(brics).forEach(country -> System.out.print(country + " "));
	
A.	The	program	results	in	a	compiler	error	in	the	line	marked	with	the	comment	
COMPARE_TO	
B.	The	program	prints	the	following:	Brazil	Russia	India	China	
C.	The	program	prints	the	following:	Brazil	China	India	Russia	
D.	The	program	prints	the	following:	Russia	India	China	Brazil	
E.	The	program	throws	the	excep=on	InvalidComparatorExcep=on	
h=ps://ocpjava.wordpress.com
Explana4on	
C.	The	program	prints	the	following:	Brazil	China	India	
Russia.	
	
For	the	sort()	method,	null	value	is	passed	as	the	
second	argument,	which	indicates	that	the	elements’	
“natural	ordering”	should	be	used.	In	this	case,	
natural	ordering	for	Strings	results	in	the	strings	
sorted	in	ascending	order.		
	
Note	that	passing	null	to	the	sort()	method	does	not	
result	in	a	NullPointerExcep=on.	
	
h=ps://ocpjava.wordpress.com
Ques4on		
Choose	the	correct	op4on	based	on	this	program:	
	
import java.util.stream.Stream;
public class Reduce {
public static void main(String []args) {
Stream<String> words = Stream.of("one", "two", "three");
int len = words.mapToInt(String::length).reduce(0, (len1, len2) ->
len1 + len2);
System.out.println(len);
}
}
	
A.	This	program	does	not	compile	and	results	in	compiler	error(s)	
B.	This	program	prints:	onetwothree	
C.	This	program	prints:	11	
D.	This	program	throws	an	IllegalArgumentExcep=on	
h=ps://ocpjava.wordpress.com
Answer	
Choose	the	correct	op4on	based	on	this	program:	
	
import java.util.stream.Stream;
public class Reduce {
public static void main(String []args) {
Stream<String> words = Stream.of("one", "two", "three");
int len = words.mapToInt(String::length).reduce(0, (len1, len2) ->
len1 + len2);
System.out.println(len);
}
}
	
A.	This	program	does	not	compile	and	results	in	compiler	error(s)	
B.	This	program	prints:	onetwothree	
C.	This	program	prints:	11	
D.	This	program	throws	an	IllegalArgumentExcep=on	
h=ps://ocpjava.wordpress.com
Explana4on	
C.	This	program	prints:	11	
	
This	program	compiles	without	any	errors.	The	
variable	words	point	to	a	stream	of	Strings.	The	call	
mapToInt(String::length)	results	in	a	stream	of	
Integers	with	the	length	of	the	strings.	One	of	the	
overloaded	versions	of	reduce()	method	takes	two	
arguments:	
	
T	reduce(T	iden=ty,	BinaryOperator<T>	accumulator);	
The	first	argument	is	the	iden=ty	value,	which	is	given	
as	the	value	0	here.	
	
The	second	operand	is	a	BinaryOperator	match	for	
the	lambda	expression	(len1,	len2)	->	len1	+	len2.	The	
reduce()	method	thus	adds	the	length	of	all	the	three	
strings	in	the	stream,	which	results	in	the	value	11.	
h=ps://ocpjava.wordpress.com
Ques4on		
Choose	the	correct	op4on	based	on	this	code	segment	:	
	
List<Integer> ints = Arrays.asList(1, 2, 3, 4, 5);
ints.replaceAll(i -> i * i); // LINE
System.out.println(ints);
A.	This	code	segment	prints:	[1,	2,	3,	4,	5]	
B.	This	program	prints:	[1,	4,	9,	16,	25]	
C.	This	code	segment	throws	java.lang.UnsupportedOpera=onExcep=on	
D.	This	code	segment	results	in	a	compiler	error	in	the	line	marked	with	the	
comment	LINE	
h=ps://ocpjava.wordpress.com
Answer	
Choose	the	correct	op4on	based	on	this	code	segment	:	
	
List<Integer> ints = Arrays.asList(1, 2, 3, 4, 5);
ints.replaceAll(i -> i * i); // LINE
System.out.println(ints);
A.	This	code	segment	prints:	[1,	2,	3,	4,	5]	
B.	This	program	prints:	[1,	4,	9,	16,	25]	
C.	This	code	segment	throws	java.lang.UnsupportedOpera=onExcep=on	
D.	This	code	segment	results	in	a	compiler	error	in	the	line	marked	with	the	
comment	LINE	
h=ps://ocpjava.wordpress.com
Explana4on	
b)	This	program	prints:	[1,	4,	9,	16,	25]	
	
The	replaceAll()	method	(added	in	Java	8	to	the	List	
interface)	takes	an	UnaryOperator	as	the	argument.	In	
this	case,	the	unary	operator	squares	the	integer	
values.	Hence,	the	program	prints	[1,	4,	9,	16,	25].		
h=ps://ocpjava.wordpress.com
•  Check out our latest book for
OCPJP 8 exam preparation
•  http://amzn.to/1NNtho2
•  www.apress.com/9781484218358
(download source code here)
•  https://ocpjava.wordpress.com
(more ocpjp 8 resources here)
http://facebook.com/ocpjava
Linkedin OCP Java group

More Related Content

What's hot

Advanced java programming-contents
Advanced java programming-contentsAdvanced java programming-contents
Advanced java programming-contentsSelf-Employed
 
Object Oriented Programming with Java
Object Oriented Programming with JavaObject Oriented Programming with Java
Object Oriented Programming with Javabackdoor
 
From Spring Framework 5.3 to 6.0
From Spring Framework 5.3 to 6.0From Spring Framework 5.3 to 6.0
From Spring Framework 5.3 to 6.0VMware Tanzu
 
Java Tutorial | Java Programming Tutorial | Java Basics | Java Training | Edu...
Java Tutorial | Java Programming Tutorial | Java Basics | Java Training | Edu...Java Tutorial | Java Programming Tutorial | Java Basics | Java Training | Edu...
Java Tutorial | Java Programming Tutorial | Java Basics | Java Training | Edu...Edureka!
 
What Is Java | Java Tutorial | Java Programming | Learn Java | Edureka
What Is Java | Java Tutorial | Java Programming | Learn Java | EdurekaWhat Is Java | Java Tutorial | Java Programming | Learn Java | Edureka
What Is Java | Java Tutorial | Java Programming | Learn Java | EdurekaEdureka!
 
Hibernate Presentation
Hibernate  PresentationHibernate  Presentation
Hibernate Presentationguest11106b
 
JavaScript Objects
JavaScript ObjectsJavaScript Objects
JavaScript ObjectsReem Alattas
 
Java Notes by C. Sreedhar, GPREC
Java Notes by C. Sreedhar, GPRECJava Notes by C. Sreedhar, GPREC
Java Notes by C. Sreedhar, GPRECSreedhar Chowdam
 
Exception Handling in C#
Exception Handling in C#Exception Handling in C#
Exception Handling in C#Abid Kohistani
 
Hibernate ppt
Hibernate pptHibernate ppt
Hibernate pptAneega
 
Control structures in c++
Control structures in c++Control structures in c++
Control structures in c++Nitin Jawla
 
Java - Collections framework
Java - Collections frameworkJava - Collections framework
Java - Collections frameworkRiccardo Cardin
 

What's hot (20)

Advanced java programming-contents
Advanced java programming-contentsAdvanced java programming-contents
Advanced java programming-contents
 
Object Oriented Programming with Java
Object Oriented Programming with JavaObject Oriented Programming with Java
Object Oriented Programming with Java
 
Java Programming
Java ProgrammingJava Programming
Java Programming
 
Spring Boot
Spring BootSpring Boot
Spring Boot
 
From Spring Framework 5.3 to 6.0
From Spring Framework 5.3 to 6.0From Spring Framework 5.3 to 6.0
From Spring Framework 5.3 to 6.0
 
Java 8 Lambda and Streams
Java 8 Lambda and StreamsJava 8 Lambda and Streams
Java 8 Lambda and Streams
 
Java string handling
Java string handlingJava string handling
Java string handling
 
Java Tutorial | Java Programming Tutorial | Java Basics | Java Training | Edu...
Java Tutorial | Java Programming Tutorial | Java Basics | Java Training | Edu...Java Tutorial | Java Programming Tutorial | Java Basics | Java Training | Edu...
Java Tutorial | Java Programming Tutorial | Java Basics | Java Training | Edu...
 
Spring Boot
Spring BootSpring Boot
Spring Boot
 
What Is Java | Java Tutorial | Java Programming | Learn Java | Edureka
What Is Java | Java Tutorial | Java Programming | Learn Java | EdurekaWhat Is Java | Java Tutorial | Java Programming | Learn Java | Edureka
What Is Java | Java Tutorial | Java Programming | Learn Java | Edureka
 
Spring boot
Spring bootSpring boot
Spring boot
 
Java constructors
Java constructorsJava constructors
Java constructors
 
Java Collections Framework
Java Collections FrameworkJava Collections Framework
Java Collections Framework
 
Hibernate Presentation
Hibernate  PresentationHibernate  Presentation
Hibernate Presentation
 
JavaScript Objects
JavaScript ObjectsJavaScript Objects
JavaScript Objects
 
Java Notes by C. Sreedhar, GPREC
Java Notes by C. Sreedhar, GPRECJava Notes by C. Sreedhar, GPREC
Java Notes by C. Sreedhar, GPREC
 
Exception Handling in C#
Exception Handling in C#Exception Handling in C#
Exception Handling in C#
 
Hibernate ppt
Hibernate pptHibernate ppt
Hibernate ppt
 
Control structures in c++
Control structures in c++Control structures in c++
Control structures in c++
 
Java - Collections framework
Java - Collections frameworkJava - Collections framework
Java - Collections framework
 

Similar to OCP Java SE 8 Exam Sample Questions and Answers

OCJP Samples Questions: Exceptions and assertions
OCJP Samples Questions: Exceptions and assertionsOCJP Samples Questions: Exceptions and assertions
OCJP Samples Questions: Exceptions and assertionsHari kiran G
 
Deep C Programming
Deep C ProgrammingDeep C Programming
Deep C ProgrammingWang Hao Lee
 
Test flawfinder. This program wont compile or run; thats not
 Test flawfinder.  This program wont compile or run; thats not Test flawfinder.  This program wont compile or run; thats not
Test flawfinder. This program wont compile or run; thats notMoseStaton39
 
Review Questions for Exam 10182016 1. public class .pdf
Review Questions for Exam 10182016 1. public class .pdfReview Questions for Exam 10182016 1. public class .pdf
Review Questions for Exam 10182016 1. public class .pdfmayorothenguyenhob69
 
OXUS20 JAVA Programming Questions and Answers PART I
OXUS20 JAVA Programming Questions and Answers PART IOXUS20 JAVA Programming Questions and Answers PART I
OXUS20 JAVA Programming Questions and Answers PART IAbdul Rahman Sherzad
 
COMP 2103X1 Assignment 2Due Thursday, January 26 by 700 PM.docx
COMP 2103X1 Assignment 2Due Thursday, January 26 by 700 PM.docxCOMP 2103X1 Assignment 2Due Thursday, January 26 by 700 PM.docx
COMP 2103X1 Assignment 2Due Thursday, January 26 by 700 PM.docxdonnajames55
 
Important C program of Balagurusamy Book
Important C program of Balagurusamy BookImportant C program of Balagurusamy Book
Important C program of Balagurusamy BookAbir Hossain
 
21: Which method determines if a JRadioButton is selected?
21: Which method determines if a JRadioButton is selected?21: Which method determines if a JRadioButton is selected?
21: Which method determines if a JRadioButton is selected?sukeshsuresh189
 
Comp 328 final guide (devry)
Comp 328 final guide (devry)Comp 328 final guide (devry)
Comp 328 final guide (devry)sukeshsuresh189
 
6: Which of the following statements about creating arrays and initializing t...
6: Which of the following statements about creating arrays and initializing t...6: Which of the following statements about creating arrays and initializing t...
6: Which of the following statements about creating arrays and initializing t...sukeshsuresh189
 
202: When the user clicks a JCheckBox, a(n) occurs.
202: When the user clicks a JCheckBox, a(n) occurs.202: When the user clicks a JCheckBox, a(n) occurs.
202: When the user clicks a JCheckBox, a(n) occurs.sukeshsuresh189
 
3: A(n) ________ enables a program to read data from the user.
3: A(n) ________ enables a program to read data from the user.3: A(n) ________ enables a program to read data from the user.
3: A(n) ________ enables a program to read data from the user.sukeshsuresh189
 
22: The logical relationship between radio buttons is maintained by objects o...
22: The logical relationship between radio buttons is maintained by objects o...22: The logical relationship between radio buttons is maintained by objects o...
22: The logical relationship between radio buttons is maintained by objects o...sukeshsuresh189
 
19: When the user presses Enter in a JTextField, the GUI component generates ...
19: When the user presses Enter in a JTextField, the GUI component generates ...19: When the user presses Enter in a JTextField, the GUI component generates ...
19: When the user presses Enter in a JTextField, the GUI component generates ...sukeshsuresh189
 
5: Every Java application is required to have
5: Every Java application is required to have5: Every Java application is required to have
5: Every Java application is required to havesukeshsuresh189
 
15: Which method call converts the value in variable stringVariable to an int...
15: Which method call converts the value in variable stringVariable to an int...15: Which method call converts the value in variable stringVariable to an int...
15: Which method call converts the value in variable stringVariable to an int...sukeshsuresh189
 
16: Which of the following is the method used to display a dialog box to gath...
16: Which of the following is the method used to display a dialog box to gath...16: Which of the following is the method used to display a dialog box to gath...
16: Which of the following is the method used to display a dialog box to gath...sukeshsuresh189
 
13: What do the following statements do?
13: What do the following statements do?13: What do the following statements do?
13: What do the following statements do?sukeshsuresh189
 

Similar to OCP Java SE 8 Exam Sample Questions and Answers (20)

OCJP Samples Questions: Exceptions and assertions
OCJP Samples Questions: Exceptions and assertionsOCJP Samples Questions: Exceptions and assertions
OCJP Samples Questions: Exceptions and assertions
 
Deep C Programming
Deep C ProgrammingDeep C Programming
Deep C Programming
 
Test flawfinder. This program wont compile or run; thats not
 Test flawfinder.  This program wont compile or run; thats not Test flawfinder.  This program wont compile or run; thats not
Test flawfinder. This program wont compile or run; thats not
 
Review Questions for Exam 10182016 1. public class .pdf
Review Questions for Exam 10182016 1. public class .pdfReview Questions for Exam 10182016 1. public class .pdf
Review Questions for Exam 10182016 1. public class .pdf
 
OXUS20 JAVA Programming Questions and Answers PART I
OXUS20 JAVA Programming Questions and Answers PART IOXUS20 JAVA Programming Questions and Answers PART I
OXUS20 JAVA Programming Questions and Answers PART I
 
COMP 2103X1 Assignment 2Due Thursday, January 26 by 700 PM.docx
COMP 2103X1 Assignment 2Due Thursday, January 26 by 700 PM.docxCOMP 2103X1 Assignment 2Due Thursday, January 26 by 700 PM.docx
COMP 2103X1 Assignment 2Due Thursday, January 26 by 700 PM.docx
 
Important C program of Balagurusamy Book
Important C program of Balagurusamy BookImportant C program of Balagurusamy Book
Important C program of Balagurusamy Book
 
Comp102 lec 5.1
Comp102   lec 5.1Comp102   lec 5.1
Comp102 lec 5.1
 
comp2
comp2comp2
comp2
 
21: Which method determines if a JRadioButton is selected?
21: Which method determines if a JRadioButton is selected?21: Which method determines if a JRadioButton is selected?
21: Which method determines if a JRadioButton is selected?
 
Comp 328 final guide (devry)
Comp 328 final guide (devry)Comp 328 final guide (devry)
Comp 328 final guide (devry)
 
6: Which of the following statements about creating arrays and initializing t...
6: Which of the following statements about creating arrays and initializing t...6: Which of the following statements about creating arrays and initializing t...
6: Which of the following statements about creating arrays and initializing t...
 
202: When the user clicks a JCheckBox, a(n) occurs.
202: When the user clicks a JCheckBox, a(n) occurs.202: When the user clicks a JCheckBox, a(n) occurs.
202: When the user clicks a JCheckBox, a(n) occurs.
 
3: A(n) ________ enables a program to read data from the user.
3: A(n) ________ enables a program to read data from the user.3: A(n) ________ enables a program to read data from the user.
3: A(n) ________ enables a program to read data from the user.
 
22: The logical relationship between radio buttons is maintained by objects o...
22: The logical relationship between radio buttons is maintained by objects o...22: The logical relationship between radio buttons is maintained by objects o...
22: The logical relationship between radio buttons is maintained by objects o...
 
19: When the user presses Enter in a JTextField, the GUI component generates ...
19: When the user presses Enter in a JTextField, the GUI component generates ...19: When the user presses Enter in a JTextField, the GUI component generates ...
19: When the user presses Enter in a JTextField, the GUI component generates ...
 
5: Every Java application is required to have
5: Every Java application is required to have5: Every Java application is required to have
5: Every Java application is required to have
 
15: Which method call converts the value in variable stringVariable to an int...
15: Which method call converts the value in variable stringVariable to an int...15: Which method call converts the value in variable stringVariable to an int...
15: Which method call converts the value in variable stringVariable to an int...
 
16: Which of the following is the method used to display a dialog box to gath...
16: Which of the following is the method used to display a dialog box to gath...16: Which of the following is the method used to display a dialog box to gath...
16: Which of the following is the method used to display a dialog box to gath...
 
13: What do the following statements do?
13: What do the following statements do?13: What do the following statements do?
13: What do the following statements do?
 

More from Ganesh Samarthyam

Applying Refactoring Tools in Practice
Applying Refactoring Tools in PracticeApplying Refactoring Tools in Practice
Applying Refactoring Tools in PracticeGanesh Samarthyam
 
CFP - 1st Workshop on “AI Meets Blockchain”
CFP - 1st Workshop on “AI Meets Blockchain”CFP - 1st Workshop on “AI Meets Blockchain”
CFP - 1st Workshop on “AI Meets Blockchain”Ganesh Samarthyam
 
Great Coding Skills Aren't Enough
Great Coding Skills Aren't EnoughGreat Coding Skills Aren't Enough
Great Coding Skills Aren't EnoughGanesh Samarthyam
 
College Project - Java Disassembler - Description
College Project - Java Disassembler - DescriptionCollege Project - Java Disassembler - Description
College Project - Java Disassembler - DescriptionGanesh Samarthyam
 
Coding Guidelines - Crafting Clean Code
Coding Guidelines - Crafting Clean CodeCoding Guidelines - Crafting Clean Code
Coding Guidelines - Crafting Clean CodeGanesh Samarthyam
 
Design Patterns - Compiler Case Study - Hands-on Examples
Design Patterns - Compiler Case Study - Hands-on ExamplesDesign Patterns - Compiler Case Study - Hands-on Examples
Design Patterns - Compiler Case Study - Hands-on ExamplesGanesh Samarthyam
 
Bangalore Container Conference 2017 - Brief Presentation
Bangalore Container Conference 2017 - Brief PresentationBangalore Container Conference 2017 - Brief Presentation
Bangalore Container Conference 2017 - Brief PresentationGanesh Samarthyam
 
Bangalore Container Conference 2017 - Poster
Bangalore Container Conference 2017 - PosterBangalore Container Conference 2017 - Poster
Bangalore Container Conference 2017 - PosterGanesh Samarthyam
 
Software Design in Practice (with Java examples)
Software Design in Practice (with Java examples)Software Design in Practice (with Java examples)
Software Design in Practice (with Java examples)Ganesh Samarthyam
 
OO Design and Design Patterns in C++
OO Design and Design Patterns in C++ OO Design and Design Patterns in C++
OO Design and Design Patterns in C++ Ganesh Samarthyam
 
Bangalore Container Conference 2017 - Sponsorship Deck
Bangalore Container Conference 2017 - Sponsorship DeckBangalore Container Conference 2017 - Sponsorship Deck
Bangalore Container Conference 2017 - Sponsorship DeckGanesh Samarthyam
 
Let's Go: Introduction to Google's Go Programming Language
Let's Go: Introduction to Google's Go Programming LanguageLet's Go: Introduction to Google's Go Programming Language
Let's Go: Introduction to Google's Go Programming LanguageGanesh Samarthyam
 
Google's Go Programming Language - Introduction
Google's Go Programming Language - Introduction Google's Go Programming Language - Introduction
Google's Go Programming Language - Introduction Ganesh Samarthyam
 
Java Generics - Quiz Questions
Java Generics - Quiz QuestionsJava Generics - Quiz Questions
Java Generics - Quiz QuestionsGanesh Samarthyam
 
Software Architecture - Quiz Questions
Software Architecture - Quiz QuestionsSoftware Architecture - Quiz Questions
Software Architecture - Quiz QuestionsGanesh Samarthyam
 
Core Java: Best practices and bytecodes quiz
Core Java: Best practices and bytecodes quizCore Java: Best practices and bytecodes quiz
Core Java: Best practices and bytecodes quizGanesh Samarthyam
 

More from Ganesh Samarthyam (20)

Wonders of the Sea
Wonders of the SeaWonders of the Sea
Wonders of the Sea
 
Animals - for kids
Animals - for kids Animals - for kids
Animals - for kids
 
Applying Refactoring Tools in Practice
Applying Refactoring Tools in PracticeApplying Refactoring Tools in Practice
Applying Refactoring Tools in Practice
 
CFP - 1st Workshop on “AI Meets Blockchain”
CFP - 1st Workshop on “AI Meets Blockchain”CFP - 1st Workshop on “AI Meets Blockchain”
CFP - 1st Workshop on “AI Meets Blockchain”
 
Great Coding Skills Aren't Enough
Great Coding Skills Aren't EnoughGreat Coding Skills Aren't Enough
Great Coding Skills Aren't Enough
 
College Project - Java Disassembler - Description
College Project - Java Disassembler - DescriptionCollege Project - Java Disassembler - Description
College Project - Java Disassembler - Description
 
Coding Guidelines - Crafting Clean Code
Coding Guidelines - Crafting Clean CodeCoding Guidelines - Crafting Clean Code
Coding Guidelines - Crafting Clean Code
 
Design Patterns - Compiler Case Study - Hands-on Examples
Design Patterns - Compiler Case Study - Hands-on ExamplesDesign Patterns - Compiler Case Study - Hands-on Examples
Design Patterns - Compiler Case Study - Hands-on Examples
 
Bangalore Container Conference 2017 - Brief Presentation
Bangalore Container Conference 2017 - Brief PresentationBangalore Container Conference 2017 - Brief Presentation
Bangalore Container Conference 2017 - Brief Presentation
 
Bangalore Container Conference 2017 - Poster
Bangalore Container Conference 2017 - PosterBangalore Container Conference 2017 - Poster
Bangalore Container Conference 2017 - Poster
 
Software Design in Practice (with Java examples)
Software Design in Practice (with Java examples)Software Design in Practice (with Java examples)
Software Design in Practice (with Java examples)
 
OO Design and Design Patterns in C++
OO Design and Design Patterns in C++ OO Design and Design Patterns in C++
OO Design and Design Patterns in C++
 
Bangalore Container Conference 2017 - Sponsorship Deck
Bangalore Container Conference 2017 - Sponsorship DeckBangalore Container Conference 2017 - Sponsorship Deck
Bangalore Container Conference 2017 - Sponsorship Deck
 
Let's Go: Introduction to Google's Go Programming Language
Let's Go: Introduction to Google's Go Programming LanguageLet's Go: Introduction to Google's Go Programming Language
Let's Go: Introduction to Google's Go Programming Language
 
Google's Go Programming Language - Introduction
Google's Go Programming Language - Introduction Google's Go Programming Language - Introduction
Google's Go Programming Language - Introduction
 
Java Generics - Quiz Questions
Java Generics - Quiz QuestionsJava Generics - Quiz Questions
Java Generics - Quiz Questions
 
Java Generics - by Example
Java Generics - by ExampleJava Generics - by Example
Java Generics - by Example
 
Software Architecture - Quiz Questions
Software Architecture - Quiz QuestionsSoftware Architecture - Quiz Questions
Software Architecture - Quiz Questions
 
Docker by Example - Quiz
Docker by Example - QuizDocker by Example - Quiz
Docker by Example - Quiz
 
Core Java: Best practices and bytecodes quiz
Core Java: Best practices and bytecodes quizCore Java: Best practices and bytecodes quiz
Core Java: Best practices and bytecodes quiz
 

Recently uploaded

What is Fashion PLM and Why Do You Need It
What is Fashion PLM and Why Do You Need ItWhat is Fashion PLM and Why Do You Need It
What is Fashion PLM and Why Do You Need ItWave PLM
 
What are the features of Vehicle Tracking System?
What are the features of Vehicle Tracking System?What are the features of Vehicle Tracking System?
What are the features of Vehicle Tracking System?Watsoo Telematics
 
XpertSolvers: Your Partner in Building Innovative Software Solutions
XpertSolvers: Your Partner in Building Innovative Software SolutionsXpertSolvers: Your Partner in Building Innovative Software Solutions
XpertSolvers: Your Partner in Building Innovative Software SolutionsMehedi Hasan Shohan
 
Salesforce Certified Field Service Consultant
Salesforce Certified Field Service ConsultantSalesforce Certified Field Service Consultant
Salesforce Certified Field Service ConsultantAxelRicardoTrocheRiq
 
What is Binary Language? Computer Number Systems
What is Binary Language?  Computer Number SystemsWhat is Binary Language?  Computer Number Systems
What is Binary Language? Computer Number SystemsJheuzeDellosa
 
ODSC - Batch to Stream workshop - integration of Apache Spark, Cassandra, Pos...
ODSC - Batch to Stream workshop - integration of Apache Spark, Cassandra, Pos...ODSC - Batch to Stream workshop - integration of Apache Spark, Cassandra, Pos...
ODSC - Batch to Stream workshop - integration of Apache Spark, Cassandra, Pos...Christina Lin
 
Alluxio Monthly Webinar | Cloud-Native Model Training on Distributed Data
Alluxio Monthly Webinar | Cloud-Native Model Training on Distributed DataAlluxio Monthly Webinar | Cloud-Native Model Training on Distributed Data
Alluxio Monthly Webinar | Cloud-Native Model Training on Distributed DataAlluxio, Inc.
 
chapter--4-software-project-planning.ppt
chapter--4-software-project-planning.pptchapter--4-software-project-planning.ppt
chapter--4-software-project-planning.pptkotipi9215
 
Automate your Kamailio Test Calls - Kamailio World 2024
Automate your Kamailio Test Calls - Kamailio World 2024Automate your Kamailio Test Calls - Kamailio World 2024
Automate your Kamailio Test Calls - Kamailio World 2024Andreas Granig
 
buds n tech IT solutions
buds n  tech IT                solutionsbuds n  tech IT                solutions
buds n tech IT solutionsmonugehlot87
 
Call Girls in Naraina Delhi 💯Call Us 🔝8264348440🔝
Call Girls in Naraina Delhi 💯Call Us 🔝8264348440🔝Call Girls in Naraina Delhi 💯Call Us 🔝8264348440🔝
Call Girls in Naraina Delhi 💯Call Us 🔝8264348440🔝soniya singh
 
Advancing Engineering with AI through the Next Generation of Strategic Projec...
Advancing Engineering with AI through the Next Generation of Strategic Projec...Advancing Engineering with AI through the Next Generation of Strategic Projec...
Advancing Engineering with AI through the Next Generation of Strategic Projec...OnePlan Solutions
 
Der Spagat zwischen BIAS und FAIRNESS (2024)
Der Spagat zwischen BIAS und FAIRNESS (2024)Der Spagat zwischen BIAS und FAIRNESS (2024)
Der Spagat zwischen BIAS und FAIRNESS (2024)OPEN KNOWLEDGE GmbH
 
The Essentials of Digital Experience Monitoring_ A Comprehensive Guide.pdf
The Essentials of Digital Experience Monitoring_ A Comprehensive Guide.pdfThe Essentials of Digital Experience Monitoring_ A Comprehensive Guide.pdf
The Essentials of Digital Experience Monitoring_ A Comprehensive Guide.pdfkalichargn70th171
 
KnowAPIs-UnknownPerf-jaxMainz-2024 (1).pptx
KnowAPIs-UnknownPerf-jaxMainz-2024 (1).pptxKnowAPIs-UnknownPerf-jaxMainz-2024 (1).pptx
KnowAPIs-UnknownPerf-jaxMainz-2024 (1).pptxTier1 app
 
办理学位证(UQ文凭证书)昆士兰大学毕业证成绩单原版一模一样
办理学位证(UQ文凭证书)昆士兰大学毕业证成绩单原版一模一样办理学位证(UQ文凭证书)昆士兰大学毕业证成绩单原版一模一样
办理学位证(UQ文凭证书)昆士兰大学毕业证成绩单原版一模一样umasea
 
Professional Resume Template for Software Developers
Professional Resume Template for Software DevelopersProfessional Resume Template for Software Developers
Professional Resume Template for Software DevelopersVinodh Ram
 
Unit 1.1 Excite Part 1, class 9, cbse...
Unit 1.1 Excite Part 1, class 9, cbse...Unit 1.1 Excite Part 1, class 9, cbse...
Unit 1.1 Excite Part 1, class 9, cbse...aditisharan08
 
BATTLEFIELD ORM: TIPS, TACTICS AND STRATEGIES FOR CONQUERING YOUR DATABASE
BATTLEFIELD ORM: TIPS, TACTICS AND STRATEGIES FOR CONQUERING YOUR DATABASEBATTLEFIELD ORM: TIPS, TACTICS AND STRATEGIES FOR CONQUERING YOUR DATABASE
BATTLEFIELD ORM: TIPS, TACTICS AND STRATEGIES FOR CONQUERING YOUR DATABASEOrtus Solutions, Corp
 

Recently uploaded (20)

What is Fashion PLM and Why Do You Need It
What is Fashion PLM and Why Do You Need ItWhat is Fashion PLM and Why Do You Need It
What is Fashion PLM and Why Do You Need It
 
What are the features of Vehicle Tracking System?
What are the features of Vehicle Tracking System?What are the features of Vehicle Tracking System?
What are the features of Vehicle Tracking System?
 
XpertSolvers: Your Partner in Building Innovative Software Solutions
XpertSolvers: Your Partner in Building Innovative Software SolutionsXpertSolvers: Your Partner in Building Innovative Software Solutions
XpertSolvers: Your Partner in Building Innovative Software Solutions
 
Salesforce Certified Field Service Consultant
Salesforce Certified Field Service ConsultantSalesforce Certified Field Service Consultant
Salesforce Certified Field Service Consultant
 
What is Binary Language? Computer Number Systems
What is Binary Language?  Computer Number SystemsWhat is Binary Language?  Computer Number Systems
What is Binary Language? Computer Number Systems
 
ODSC - Batch to Stream workshop - integration of Apache Spark, Cassandra, Pos...
ODSC - Batch to Stream workshop - integration of Apache Spark, Cassandra, Pos...ODSC - Batch to Stream workshop - integration of Apache Spark, Cassandra, Pos...
ODSC - Batch to Stream workshop - integration of Apache Spark, Cassandra, Pos...
 
Alluxio Monthly Webinar | Cloud-Native Model Training on Distributed Data
Alluxio Monthly Webinar | Cloud-Native Model Training on Distributed DataAlluxio Monthly Webinar | Cloud-Native Model Training on Distributed Data
Alluxio Monthly Webinar | Cloud-Native Model Training on Distributed Data
 
Call Girls In Mukherjee Nagar 📱 9999965857 🤩 Delhi 🫦 HOT AND SEXY VVIP 🍎 SE...
Call Girls In Mukherjee Nagar 📱  9999965857  🤩 Delhi 🫦 HOT AND SEXY VVIP 🍎 SE...Call Girls In Mukherjee Nagar 📱  9999965857  🤩 Delhi 🫦 HOT AND SEXY VVIP 🍎 SE...
Call Girls In Mukherjee Nagar 📱 9999965857 🤩 Delhi 🫦 HOT AND SEXY VVIP 🍎 SE...
 
chapter--4-software-project-planning.ppt
chapter--4-software-project-planning.pptchapter--4-software-project-planning.ppt
chapter--4-software-project-planning.ppt
 
Automate your Kamailio Test Calls - Kamailio World 2024
Automate your Kamailio Test Calls - Kamailio World 2024Automate your Kamailio Test Calls - Kamailio World 2024
Automate your Kamailio Test Calls - Kamailio World 2024
 
buds n tech IT solutions
buds n  tech IT                solutionsbuds n  tech IT                solutions
buds n tech IT solutions
 
Call Girls in Naraina Delhi 💯Call Us 🔝8264348440🔝
Call Girls in Naraina Delhi 💯Call Us 🔝8264348440🔝Call Girls in Naraina Delhi 💯Call Us 🔝8264348440🔝
Call Girls in Naraina Delhi 💯Call Us 🔝8264348440🔝
 
Advancing Engineering with AI through the Next Generation of Strategic Projec...
Advancing Engineering with AI through the Next Generation of Strategic Projec...Advancing Engineering with AI through the Next Generation of Strategic Projec...
Advancing Engineering with AI through the Next Generation of Strategic Projec...
 
Der Spagat zwischen BIAS und FAIRNESS (2024)
Der Spagat zwischen BIAS und FAIRNESS (2024)Der Spagat zwischen BIAS und FAIRNESS (2024)
Der Spagat zwischen BIAS und FAIRNESS (2024)
 
The Essentials of Digital Experience Monitoring_ A Comprehensive Guide.pdf
The Essentials of Digital Experience Monitoring_ A Comprehensive Guide.pdfThe Essentials of Digital Experience Monitoring_ A Comprehensive Guide.pdf
The Essentials of Digital Experience Monitoring_ A Comprehensive Guide.pdf
 
KnowAPIs-UnknownPerf-jaxMainz-2024 (1).pptx
KnowAPIs-UnknownPerf-jaxMainz-2024 (1).pptxKnowAPIs-UnknownPerf-jaxMainz-2024 (1).pptx
KnowAPIs-UnknownPerf-jaxMainz-2024 (1).pptx
 
办理学位证(UQ文凭证书)昆士兰大学毕业证成绩单原版一模一样
办理学位证(UQ文凭证书)昆士兰大学毕业证成绩单原版一模一样办理学位证(UQ文凭证书)昆士兰大学毕业证成绩单原版一模一样
办理学位证(UQ文凭证书)昆士兰大学毕业证成绩单原版一模一样
 
Professional Resume Template for Software Developers
Professional Resume Template for Software DevelopersProfessional Resume Template for Software Developers
Professional Resume Template for Software Developers
 
Unit 1.1 Excite Part 1, class 9, cbse...
Unit 1.1 Excite Part 1, class 9, cbse...Unit 1.1 Excite Part 1, class 9, cbse...
Unit 1.1 Excite Part 1, class 9, cbse...
 
BATTLEFIELD ORM: TIPS, TACTICS AND STRATEGIES FOR CONQUERING YOUR DATABASE
BATTLEFIELD ORM: TIPS, TACTICS AND STRATEGIES FOR CONQUERING YOUR DATABASEBATTLEFIELD ORM: TIPS, TACTICS AND STRATEGIES FOR CONQUERING YOUR DATABASE
BATTLEFIELD ORM: TIPS, TACTICS AND STRATEGIES FOR CONQUERING YOUR DATABASE
 

OCP Java SE 8 Exam Sample Questions and Answers