All sarkari naukri ,freshers IT jobs ,government job,interview questions from different-different sectors.

Get Free Information

sarkari naukari|freshers IT jobs|government jobs

Search jobs

Monday, September 27, 2010

Java Interview Questions

Interview Questions : Java 5 SCJP Questions
1. Given:
enum Horse {
PONY(10),
// insert code here
HORSE(15);
Horse(int hands) {
this.height = hands;
this.weight = hands * 100;
}
int height;
int weight;
int getWeight() { return weight; }
void setWeight(int w) { weight = w; }
}
class Stable {
public static void main(String [] hay) {
Horse h = Horse.ICELANDIC;
System.out.println(h.getWeight() + " " + h.height);
}
}
Which, inserted independently at '// insert code here', produces the output:
800 13 ? (Choose all that apply.)
A). ICELANDIC(13) { weight = 800; },
B). ICELANDIC(13) { setWeight(800); },
C). ICELANDIC(13) { this.weight = 800; },
D). ICELANDIC(13) { public int getWeight() { return 800; } },
E). None of the above code will produce the specified output.
F). Because of other code errors, none of the above will compile.
2. Given:
1. class Voop {
2. public static void main(String [] args) {
3. doStuff(1);
4. doStuff(1,2);
5. }
6. // insert code here
7. }
Which, inserted at line 6, will compile? (Choose all that apply.)
A). static void doStuff(int... doArgs) { }
B). static void doStuff(int[] doArgs) { }
C). static void doStuff(int doArgs...) { }
D). static void doStuff(int... doArgs, int y) { }
E). static void doStuff(int x, int... doArgs) { }
F). None of the above code fragments will compile.
3. Given:
class Bird {
{ System.out.print("b1 "); }
public Bird() { System.out.print("b2 "); }
}
class Raptor extends Bird {
static { System.out.print("r1 "); }
public Raptor() { System.out.print("r2 "); }
{ System.out.print("r3 "); }
static { System.out.print("r4 "); }
}
class Hawk extends Raptor {
public static void main(String[] args) {
System.out.print("pre ");
new Hawk();
System.out.println("hawk ");
}
}
What is the result?
A). pre b1 b2 r3 r2 hawk
B). pre b2 b1 r2 r3 hawk
C). pre b2 b1 r2 r3 hawk r1 r4
D). r1 r4 pre b1 b2 r3 r2 hawk
E). r1 r4 pre b2 b1 r2 r3 hawk
F). pre r1 r4 b1 b2 r3 r2 hawk
G). pre r1 r4 b2 b1 r2 r3 hawk
H). The order of output cannot be predicted
I). Compilation fails
4. Which are most typically thrown by an API developer or an application developer as opposed to being thrown by the JVM? (Choose all that apply.)
A). ClassCastException
B). IllegalStateException
C). NumberFormatException
D). IllegalArgumentException
E). ExceptionInInitializerError
5. Given:
class Eggs {
int doX(Long x, Long y) { return 1; }
int doX(long... x) { return 2; }
int doX(Integer x, Integer y) { return 3; }
int doX(Number n, Number m) { return 4; }
public static void main(String[] args) {
new Eggs().go();
}
void go() {
short s = 7;
System.out.print(doX(s,s) + " ");
System.out.println(doX(7,7));
}
}
What is the result?
A). 1 1
B). 2 1
C). 3 1
D). 4 1
E). 1 3
F). 2 3
G). 3 3
H). 4 3
6. Given:
import java.io.*;
class Player {
Player() { System.out.print("p"); }
}
class CardPlayer extends Player implements Serializable {
CardPlayer() { System.out.print("c"); }
public static void main(String[] args) {
CardPlayer c1 = new CardPlayer();
try {
FileOutputStream fos = new FileOutputStream("play.txt");
ObjectOutputStream os = new ObjectOutputStream(fos);
os.writeObject(c1);
os.close();
FileInputStream fis = new FileInputStream("play.txt");
ObjectInputStream is = new ObjectInputStream(fis);
CardPlayer c2 = (CardPlayer) is.readObject();
is.close();
} catch (Exception x ) { }
}
}
What is the result?
A). pc
B). pcc
C). pcp
D). pcpc
E). Compilation fails
F). An exception is thrown at runtime

7. Given:

import java.util.regex.*;
class Regex2 {
public static void main(String[] args) {
Pattern p = Pattern.compile(args[0]);
Matcher m = p.matcher(args[1]);
boolean b = false;
while(b = m.find()) {
System.out.print(m.start() + m.group());
}
}
}
And the command line:
java Regex2 "\d*" ab34ef
What is the result?
A). 234
B). 334
C). 2334
D). 0123456
E). 01234456
F). 12334567
G). Compilation fails
8. Given:
bw is a reference to a valid BufferedWriter
And the snippet:
15 BufferedWriter b1 = new BufferedWriter(new File("f"));
16. BufferedWriter b2 = new BufferedWriter(new FileWriter("f1"));
17. BufferedWriter b3 = new BufferedWriter(new PrintWriter("f2"));
18. BufferedWriter b4 = new BufferedWriter(new BufferedWriter(bw));
What is the result?
A). Compilation succeeds
B). Compilation fails due only to an error on line 15.
C). Compilation fails due only to an error on line 16.
D). Compilation fails due only to an error on line 17.
E). Compilation fails due only to an error on line 18.
F). Compilation fails due to errors on multiple lines.
9. Using the fragments below, complete the following code so that it compiles and prints "40 36 30 28". Note, you may use a fragment from zero to many times.
CODE:
import java.util.*;
class Pants { int size; Pants(int s) { size = s; } }
public class FoldPants {
List ________ p = new ArrayList ________ ();
class Comp implements Comparator ________ {
public int ________(Pants one, Pants two) {
return ________ - ________;
}
}
public static void main(String[] args) {
new FoldPants().go();
}
void go() {
p.add(new Pants(30));
p.add(new Pants(36));
p.add(new Pants(28));
p.add(new Pants(40));

Comp c = new Comp();
Collections. ________ ________;
for( ________ x : p)
System.out.print(________ + " ");
}
}
FRAGMENTS:
<Pants> <FoldPants> <Comp> <Comparator>
Pants FoldPants Comp Comparator
compare compareTo sort order
one.size two.size x.size p.size
c.size (p, c) (c, p) sortList
10. Given the following three source files:
1. package org;
2. public class Robot { }

1. package org.ex;
2. public class Pet { }
1. package org.ex.why;
2. public class Dog { int foo = 5; }
And the following incomplete source file:
// insert code here
public class MyClass {
Robot r;
Pet p;
Dog d;
void go() {
int x = d.foo;
}
}
Which statement(s) must be added for MyClass to compile? (Choose all that apply.)
A). package org;
B). import org.*;
C). package org.*;
D). package org.ex;
E). import org.ex.*;
F). import org.ex.why;
G). package org.ex.why;
H). package org.ex.why.Dog;
11. Given:
1. import java.util.*;
2. public class Fruits {
3. public static void main(String [] args) {
4. Set<Citrus> c1 = new TreeSet<Citrus>();
5. Set<Orange> o1 = new TreeSet<Orange>();
6. bite(c1);
7. bite(o1);
8. }
9. // insert code here
10. }
11. class Citrus { }
12. class Orange extends Citrus { }
Which, inserted independently at line 9, will compile? (Choose all that apply.)
A). public static void bite(Set<?> s) { }
B). public static void bite(Set<Object> s) { }
C). public static void bite(Set<Citrus> s) { }
D). public static void bite(Set<? super Citrus> s) { }
E). public static void bite(Set<? super Orange> s) { }
F). public static void bite(Set<? extends Citrus> s) { }
G). Because of other errors in the code, none of these will compile.

Answers:

1. D is correct. (objective 1.1)
2. A and E use valid var-args syntax. (objective 1.1)
3. D is correct. Note: you'll probably never see this many choices on the real exam! (objective 1.3)
4. B, C and D are correct. (objective 2.6)
5. H is correct. (objective 3.1)
6. C is correct. (objective 3.3)
7. E is correct. (objective 3.5)
8. B is correct. (objective 3.2)
9. The correct code is:
import java.util.*;
class Pants { int size; Pants(int s) { size = s; } }
public class FoldPants {
List<Pants> p = new ArrayList<Pants>();
class Comp implements Comparator <Pants> {
public int compare(Pants one, Pants two) {
return two.size - one.size;
}
}
public static void main(String[] args) {
new FoldPants().go();
}
void go() {
p.add(new Pants(30));
p.add(new Pants(36));
p.add(new Pants(28));
p.add(new Pants(40));

Comp c = new Comp();
Collections.sort(p, c);
for(Pants x : p)
System.out.print(x.size + " ");
}
}

(objective 6.5)
10. B, E, and G are required. (objective 7.5)
11. A, E, and F are correct uses of generics with (bounded) wildcards. (objective 6.4)

C++ Programming Language

C++ Programming Language Interview Questions

1. What is virtual constructors/destructors?
Virtual destructors: If an object (with a non-virtual destructor) is destroyed explicitly by applying the delete operator to a base-class pointer to the object, the base- lass destructor function (matching the pointer type) is called on the object. There is a simple solution to this problem – declare a virtual base-class destructor. This makes all derived-class destructors virtual even though they don’t have the same name as the base-class destructor. Now, if the object in the hierarchy is destroyed explicitly by applying the delete operator to a base-class pointer to a derived-class object, the destructor for the appropriate class is called. Virtual constructor: Constructors cannot be virtual. Declaring a constructor as a virtual function is a syntax error.
Does c++ support multilevel and multiple inheritance?
Yes.
What are the advantages of inheritance?
• It permits code reusability.
• Reusability saves time in program development.
• It encourages the reuse of proven and debugged high-quality software, thus reducing problem after a system becomes functional.
What is the difference between declaration and definition?
The declaration tells the compiler that at some later point we plan to present the definition of this declaration.
E.g.: void stars () //function declaration
The definition contains the actual implementation.
E.g.: void stars () // declarator
{
for(int j=10; j>=0; j--) //function body
cout<<”*”;
cout<<endl;
}
2. What do you mean by pure virtual functions?
A pure virtual member function is a member function that the base class forces derived classes to provide. Normally these member functions have no implementation. Pure virtual functions are equated to zero. class Shape { public: virtual void draw() = 0; };
3. What is namespace?
Namespaces allow us to group a set of global classes, objects and/or functions under a name. To say it somehow, they serve to split the global scope in sub-scopes known as namespaces. The form to use namespaces is: namespace identifier { namespace-body }
Where identifier is any valid identifier and namespace-body is the set of classes, objects and functions that are included within the namespace.
For example: namespace general { int a, b; }
In this case, a and b are normal variables integrated within the general namespace. In order to access to these variables from outside the namespace we have to
use the scope operator ::. For example, to access the previous variables we would have to put: general::a general::b The functionality of namespaces is specially useful in case that there is a possibility that a global object or function can have the same name than another one, causing a redefinition error.
4. What is RTTI?
Runtime type identification (RTTI) lets you find the dynamic type of an object when you have only a pointer or a reference to the base type. RTTI is the official way in standard C++ to discover the type of an object and to convert the type of a pointer or reference (that is, dynamic typing). The need came from practical experience with C++. RTTI replaces many homegrown versions with a solid, consistent approach.
5. What is a template?
Templates allow to create generic functions that admit any data type as parameters and return value without having to overload the function with all the possible data types. Until certain point they fulfill the functionality of a macro. Its prototype is any of the two following ones: template <class indetifier> function_declaration; template <typename indetifier> function_declaration; The only difference between both prototypes is the use of keyword class or typename, its use is indistinct since both expressions have exactly the same meaning and behave exactly the same way.
6. What do you mean by inline function?
The idea behind inline functions is to insert the code of a called function at the point where the function is called. If done carefully, this can improve the application's performance in exchange for increased compile time and possibly (but not always) an increase in the size of the generated binary executables.
7. What is virtual class and friend class?
Friend classes are used when two or more classes are designed to work together and need access to each other's implementation in ways that the rest of the world shouldn't be allowed to have. In other words, they help keep private things private. For instance, it may be desirable for class DatabaseCursor to have more privilege to the internals of class Database than main() has.
8. What is function overloading and operator overloading?
Function overloading: C++ enables several functions of the same name to be defined, as long as these functions have different sets of parameters (at least as far as their types are concerned). This capability is called function overloading. When an overloaded function is called, the C++ compiler selects the proper function by examining the number, types and order of the arguments in the call. Function overloading is commonly used to create several functions of the same name that perform similar tasks but on different data types. Operator overloading allows existing C++ operators to be redefined so that they work on objects of user-defined classes. Overloaded operators are syntactic sugar for equivalent function calls. They form a pleasant facade that doesn't add anything fundamental to the language (but they can improve understandability and reduce maintenance costs).
9. Difference between realloc() and free()?
The free subroutine frees a block of memory previously allocated by the malloc subroutine. Undefined results occur if the Pointer parameter is not a valid pointer. If the Pointer parameter is a null value, no action will occur. The realloc subroutine changes the size of the block of memory pointed to by the Pointer parameter to the number of bytes specified by the Size parameter and returns a new pointer to the block. The pointer specified by the Pointer parameter must have been created with the malloc, calloc, or realloc subroutines and not been deallocated with the free or realloc subroutines. Undefined results occur if the Pointer parameter is not a valid pointer.
10. What do you mean by binding of data and functions?
Encapsulation.
11. What is abstraction?
Abstraction is of the process of hiding unwanted details from the user.
12. What is encapsulation?
Packaging an object’s variables within its methods is called encapsulation.
13. What is the difference between an object and a class?
Classes and objects are separate but related concepts. Every object belongs to a class and every class contains one or more related objects.
- A Class is static. All of the attributes of a class are fixed before, during, and after the execution of a program. The attributes of a class don't change.
- The class to which an object belongs is also (usually) static. If a particular object belongs to a certain class at the time that it is created then it almost certainly will still belong to that class right up until the time that it is destroyed.
- An Object on the other hand has a limited lifespan. Objects are created and eventually destroyed.
Also during that lifetime, the attributes of the object may undergo significant change.
14. What is polymorphism? Explain with an example?
"Poly" means "many" and "morph" means "form". Polymorphism is the ability of an object (or reference) to assume (be replaced by) or become many different forms of object.
Example: function overloading, function overriding, virtual functions. Another example can be a plus ‘+’ sign, used for adding two integers or for using it to concatenate two strings.
15. What do you mean by inheritance?
Inheritance is the process of creating new classes, called derived classes, from existing classes or base classes. The derived class inherits all the capabilities of the base class, but can add embellishments and refinements of its own.
16. What is a scope resolution operator?
A scope resolution operator (::), can be used to define the member functions of a class outside the class.
17. What are virtual functions?
A virtual function allows derived classes to replace the implementation provided by the base class. The compiler makes sure the replacement is always called whenever the object in question is actually of the derived class, even if the object is accessed by a base pointer rather than a derived pointer. This allows algorithms in the base class to be replaced in the derived class, even if users don't know about the derived class.
18. What is friend function?
As the name suggests, the function acts as a friend to a class. As a friend of a class, it can access its private and protected members. A friend function is not a member of the class. But it must be listed in the class definition.
19. What is the difference between class and structure?
Structure: Initially (in C) a structure was used to bundle different type of data types together to perform a particular functionality. But C++ extended the structure to contain functions also. The major difference is that all declarations inside a structure are by default public. Class: Class is a successor of Structure. By default all the members inside the class are private.
20. What is public, protected, private?
- Public, protected and private are three access specifiers in C++.
- Public data members and member functions are accessible outside the class.
- Protected data members and member functions are only available to derived classes.
- Private data members and member functions can’t be accessed outside the class.
However there is an exception can be using friend classes.
21. What is an object?
Object is a software bundle of variables and related methods. Objects have state and behavior.
22. What is a class?
Class is a user-defined data type in C++. It can be created to solve a particular kind of problem. After creation the user need not know the specifics of the working of a class.

 

Computer Networks

Important Computer Networks Interview Questions

1. What are 10Base2, 10Base5 and 10BaseT Ethernet LANs
10Base2—An Ethernet term meaning a maximum transfer rate of 10 Megabits per second that uses baseband signaling, with a contiguous cable segment length of 100 meters and a maximum of 2 segments.
10Base5—An Ethernet term meaning a maximum transfer rate of 10 Megabits per second that uses baseband signaling, with 5 continuous segments not exceeding 100 meters per segment.
10BaseT—An Ethernet term meaning a maximum transfer rate of 10 Megabits per second that uses baseband signaling and twisted pair cabling.
2. What is the difference between an unspecified passive open and a fully specified passive open, An unspecified passive open has the server waiting for a connection request from a client.
A fully specified passive open has the server waiting for a connection from a specific client.
3. Explain the function of Transmission Control Block
A TCB is a complex data structure that contains a considerable amount of information about each connection.
4. What is a Management Information Base (MIB)
A Management Information Base is part of every SNMP-managed device. Each SNMP agent has the MIB database that contains information about the device's status, its performance, connections, and configuration. The MIB is queried by SNMP.
5. What is anonymous FTP and why would you use it
Anonymous FTP enables users to connect to a host without using a valid login and password. Usually, anonymous FTP uses a login called anonymous or guest, with the password usually requesting the user's ID for tracking purposes only. Anonymous FTP is used to enable a large number of users to access files on the host without having to go to the trouble of setting up logins for them all. Anonymous FTP systems usually have strict controls over the areas an anonymous user can access.
6. What is a pseudo tty
A pseudo tty or false terminal enables external machines to connect through Telnet or rlogin. Without a pseudo tty, no connection can take place.
7. What is REX What advantage does REX offer other similar utilities
8. What does the Mount protocol do
The Mount protocol returns a file handle and the name of the file system in which a requested file resides. The message is sent to the client from the server after reception of a client's request.
9. What is External Data Representation
External Data Representation is a method of encoding data within an RPC message, used to ensure that the data is not system-dependent.
10. What is the Network Time Protocol ?
11. BOOTP helps a diskless workstation boot. How does it get a message to the network looking for its IP address and the location of its operating system.
Boot files BOOTP sends a UDP message with a subnetwork broadcast address and waits for a reply from a server that gives it the IP address. The same message might contain the name of the machine that has the boot files on it. If the boot image location is not specified, the workstation sends another UDP message to query the server.
12. What is a DNS resource record
A resource record is an entry in a name server's database. There are several types of resource records used, including name-to-address resolution information. Resource records are maintained as ASCII files.
13. What protocol is used by DNS name servers
DNS uses UDP for communication between servers. It is a better choice than TCP because of the improved speed a connectionless protocol offers. Of course, transmission reliability suffers with UDP.
14. What is the difference between interior and exterior neighbor gateways
Interior gateways connect LANs of one organization, whereas exterior gateways connect the organization to the outside world.
15. What is the HELLO protocol used for
The HELLO protocol uses time instead of distance to determine optimal routing. It is an alternative to the Routing Information Protocol.
16. What are the advantages and disadvantages of the three types of routing tables
The three types of routing tables are fixed, dynamic, and fixed central. The fixed table must be manually modified every time there is a change. A dynamic table changes its information based on network traffic, reducing the amount of manual maintenance. A fixed central table lets a manager modify only one table, which is then read by other devices. The fixed central table reduces the need to update each machine's table, as with the fixed table. Usually a dynamic table causes the fewest problems for a network administrator, although the table's contents can change without the administrator being aware of the change.
17. What is a TCP connection table
18. What is source route
It is a sequence of IP addresses identifying the route a datagram must follow. A source route may optionally be included in an IP datagram header.
19. What is RIP (Routing Information Protocol)
It is a simple protocol used to exchange information between the routers.
20. What is SLIP (Serial Line Interface Protocol)
It is a very simple protocol used for transmission of IP datagrams across a serial line.
21. What is Proxy ARP
It is using a router to answer ARP requests. This will be done when the originating host believes that a destination is local, when in fact is lies beyond router.
22. What is OSPF
It is an Internet routing protocol that scales well, can route traffic along multiple paths, and uses knowledge of an Internet's topology to make accurate routing decisions.
23. What is Kerberos
It is an authentication service developed at the Massachusetts Institute of Technology. Kerberos uses encryption to prevent intruders from discovering passwords and gaining unauthorized access to files.
24. What is a Multi-homed Host
It is a host that has a multiple network interfaces and that requires multiple IP addresses is called as a Multi-homed Host.
25. What is NVT (Network Virtual Terminal)
It is a set of rules defining a very simple virtual terminal interaction. The NVT is used in the start of a Telnet session.
26. What is Gateway-to-Gateway protocol
It is a protocol formerly used to exchange routing information between Internet core routers.
27. What is BGP (Border Gateway Protocol)
It is a protocol used to advertise the set of networks that can be reached with in an autonomous system. BGP enables this information to be shared with the autonomous system. This is newer than EGP (Exterior Gateway Protocol).
28. What is autonomous system
It is a collection of routers under the control of a single administrative authority and that uses a common Interior Gateway Protocol.
29. What is EGP (Exterior Gateway Protocol)
It is the protocol the routers in neighboring autonomous systems use to identify the set of networks that can be reached within or via each autonomous system.
30. What is IGP (Interior Gateway Protocol)
It is any routing protocol used within an autonomous system.
31. What is Mail Gateway
It is a system that performs a protocol translation between different electronic mail delivery protocols.
32. What is wide-mouth frog
Wide-mouth frog is the simplest known key distribution center (KDC) authentication protocol.
33. What are Digrams and Trigrams
The most common two letter combinations are called as digrams. e.g. th, in, er, re and an. The most common three letter combinations are called as trigrams. e.g. the, ing, and, and ion.
34. What is silly window syndrome
It is a problem that can ruin TCP performance. This problem occurs when data are passed to the sending TCP entity in large blocks, but an interactive application on the receiving side reads 1 byte at a time.
35. What is region
When hierarchical routing is used, the routers are divided into what we call regions, with each router knowing all the details about how to route packets to destinations within its own region, but knowing nothing about the internal structure of other regions.
36. What is multicast routing
Sending a message to a group is called multicasting, and its routing algorithm is called multicast routing.
37. What is traffic shaping
One of the main causes of congestion is that traffic is often busy. If hosts could be made to transmit at a uniform rate, congestion would be less common. Another open loop method to help manage congestion is forcing the packet to be transmitted at a more predictable rate. This is called traffic shaping.
38. What is packet filter
Packet filter is a standard router equipped with some extra functionality. The extra functionality allows every incoming or outgoing packet to be inspected. Packets meeting some criterion are forwarded normally. Those that fail the test are dropped.
39. What is virtual path
Along any transmission path from a given source to a given destination, a group of virtual circuits can be grouped together into what is called path. Computer
40. What is virtual channel
Virtual channel is normally a connection from one source to one destination, although multicast connections are also permitted. The other name for virtual channel is virtual circuit.
41. What is logical link control
One of two sublayers of the data link layer of OSI reference model, as defined by the IEEE 802 standard. This sublayer is responsible for maintaining the link between computers when they are sending data across the physical network connection.
42. Why should you care about the OSI Reference Model
It provides a framework for discussing network operations and design.
43. What is the difference between routable and non- routable protocols
Routable protocols can work with a router and can be used to build large networks. Non-Routable protocols are designed to work on small, local networks and cannot be used with a router
44. What is MAU
In token Ring , hub is called Multistation Access Unit (MAU).
45. Explain 5-4-3 rule
In a Ethernet network, between any two points on the network, there can be no more than five network segments or four repeaters, and of those five segments only three of segments can be populated.
46. What is the difference between TFTP and FTP application layer protocols
The Trivial File Transfer Protocol (TFTP) allows a local host to obtain files from a remote host but does not provide reliability or security. It uses the fundamental packet delivery services offered by UDP. The File Transfer Protocol (FTP) is the standard mechanism provided by TCP / IP for copying a file from one host to another. It uses the services offered by TCP and so is reliable and secure. It establishes two connections (virtual circuits) between the hosts, one for data transfer and another for control information.
47. What is the range of addresses in the classes of internet addresses
Class A 0.0.0.0 - 127.255.255.255
Class B 128.0.0.0 - 191.255.255.255
Class C 192.0.0.0 - 223.255.255.255
Class D 224.0.0.0 - 239.255.255.255
Class E 240.0.0.0 - 247.255.255.255
48. What is the minimum and maximum length of the header in the TCP segment and IP datagram
The header should have a minimum length of 20 bytes and can have a maximum length of 60 bytes.
49. What is difference between ARP and RARP
The address resolution protocol (ARP) is used to associate the 32 bit IP address with the 48 bit physical address, used by a host or a router to find the physical address of another host on its network by sending a ARP query packet that includes the IP address of the receiver. The reverse address resolution protocol (RARP) allows a host to discover its Internet address when it knows only its physical address.
50. What is ICMP
ICMP is Internet Control Message Protocol, a network layer protocol of the TCP/IP suite used by hosts and gateways to send notification of datagram problems back to the sender. It uses the echo test / reply to test whether a destination is reachable and responding. It also handles both control and error messages.
51. What are the data units at different layers of the TCP / IP protocol suite
The data unit created at the application layer is called a message, at the transport layer the data unit created is called either a segment or an user datagram, at the network layer the data unit created is called the datagram, at the data link layer the datagram is encapsulated in to a frame and finally transmitted as signals along the transmission media.
52. What is Project 802
It is a project started by IEEE to set standards that enable intercommunication between equipment from a variety of manufacturers. It is a way for specifying functions of the physical layer, the data link layer and to some extent the network layer to allow for interconnectivity of major LAN protocols. It consists of the following:
802.1 is an internetworking standard for compatibility of different LANs and MANs across protocols.
802.2 Logical link control (LLC) is the upper sublayer of the data link layer which is non-architecture-specific, that is remains the same for all IEEE-defined LANs. Media access control (MAC) is the lower sublayer of the data link layer that contains some distinct modules each carrying proprietary information specific to the LAN product being used. The modules are Ethernet LAN (802.3), Token ring LAN (802.4), Token bus LAN (802.5).
802.6 is distributed queue dual bus (DQDB) designed to be used in MANs.
53. What is Bandwidth
Every line has an upper limit and a lower limit on the frequency of signals it can carry. This limited range is called the bandwidth.
54. Difference between bit rate and baud rate.
Bit rate is the number of bits transmitted during one second whereas baud rate refers to the number of signal units per second that are required to represent those bits. baud rate = bit rate / N where N is no-of-bits represented by each signal shift.
55. What is MAC address
The address for a device as it is identified at the Media Access Control (MAC) layer in the network architecture. MAC address is usually stored in ROM on the network adapter card and is unique.
56. What is attenuation
The degeneration of a signal over distance on a network cable is called attenuation.
57. What is cladding
A layer of a glass surrounding the center fiber of glass inside a fiber-optic cable.
58. What is RAID
A method for providing fault tolerance by using multiple hard disk drives.
59. What is NETBIOS and NETBEUI
NETBIOS is a programming interface that allows I/O requests to be sent to and received from a remote computer and it hides the networking hardware from applications. NETBEUI is NetBIOS extended user interface. A transport protocol designed by microsoft and IBM for the use on small subnets.
60. What is redirector
Redirector is software that intercepts file or prints I/O requests and translates them into network requests. This comes under presentation layer.
61. What is Beaconing
The process that allows a network to self-repair networks problems. The stations on the network notify the other stations on the ring when they are not receiving the transmissions. Beaconing is used in Token ring and FDDI networks.
62. What is terminal emulation, in which layer it comes
Telnet is also called as terminal emulation. It belongs to application layer.
63. What is frame relay, in which layer it comes
Frame relay is a packet switching technology. It will operate in the data link layer.
64. What do you meant by "triple X" in Networks
The function of PAD (Packet Assembler Disassembler) is described in a document known as X.3. The standard protocol has been defined between the terminal and the PAD, called X.28; another standard protocol exists between hte PAD and the network, called X.29. Together, these three recommendations are often called "triple X"
65. What is SAP
Series of interface points that allow other computers to communicate with the other layers of network protocol stack.
66. What is subnet
A generic term for section of a large networks usually separated by a bridge or router.
67. What is Brouter
Hybrid devices that combine the features of both bridges and routers.
68. How Gateway is different from Routers
A gateway operates at the upper levels of the OSI model and translates information between two completely different network architectures or data formats.
69. What are the different type of networking / internetworking devices
Repeater:
Also called a regenerator, it is an electronic device that operates only at physical layer. It receives the signal in the network before it becomes weak, regenerates the original bit pattern and puts the refreshed copy back in to the link. Bridges: These operate both in the physical and data link layers of LANs of same type. They divide a larger network in to smaller segments. They contain logic that allow them to keep the traffic for each segment separate and thus are repeaters that relay a frame only the side of the segment containing the intended recipent and control congestion.
Routers: They relay packets among multiple interconnected networks (i.e. LANs of different type). They operate in the physical,
data link and network layers. They contain software
that enable them to determine which of the several possible paths is the best for a particular transmission.
Gateways: They relay packets among networks that have different protocols (e.g. between a LAN and a WAN). They accept a packet formatted for one protocol and convert it to a packet formatted for another protocol before forwarding it. They operate in all seven layers of the OSI model.
70. What is mesh network
A network in which there are multiple network links between computers to provide multiple paths for data to travel.
71. What is passive topology
When the computers on the network simply listen and receive the signal, they are referred to as passive because they don’t amplify the signal in any way. Example for passive topology - linear bus.
72. What are the important topologies for networks
BUS topology:
In this each computer is directly connected to primary network cable in a single line.
Advantages: Inexpensive, easy to install, simple to understand, easy to extend.
STAR topology: In this all computers are connected using a central hub.
Advantages: Can be inexpensive, easy to install and reconfigure and easy to trouble shoot physical problems.
RING topology: In this all computers are connected in loop.
Advantages: All computers have equal access to network media, installation can be simple, and signal does not degrade as much as in other topologies because each computer regenerates it.
73. What are major types of networks and explain
Server-based network
Peer-to-peer network
Peer-to-peer network, computers can act as both servers sharing resources and as clients using the resources. Server-based networks provide centralized control of network resources and rely on server computers to provide security and network administration
74. What is Protocol Data Unit
The data unit in the LLC level is called the protocol data unit (PDU). The PDU contains of four fields a destination service access point (DSAP), a source service access point (SSAP), a control field and an information field. DSAP, SSAP are addresses used by the LLC to identify the protocol stacks on the receiving and sending machines that are generating and using the data. The control field specifies whether the PDU frame is a information frame (I - frame) or a supervisory frame (S - frame) or a unnumbered frame (U - frame).
75. What is difference between baseband and broadband transmission
In a baseband transmission, the entire bandwidth of the cable is consumed by a single signal. In broadband transmission, signals are sent on multiple frequencies, allowing multiple signals to be sent simultaneously.
76. What are the possible ways of data exchange
(i) Simplex (ii) Half-duplex (iii) Full-duplex.
77. What are the types of Transmission media
Signals are usually transmitted over some transmission media that are broadly classified in to two categories.
Guided Media: These are those that provide a conduit from one device to another that include twisted-pair, coaxial cable and fiber-optic cable. A signal traveling along any of these media is directed and is contained by the physical limits of the medium. Twisted-pair and coaxial cable use metallic that accept and transport signals in the form of electrical current. Optical fiber is a glass or plastic cable that accepts and transports signals in the form of light.

Unguided Media: This is the wireless media that transport electromagnetic waves without using a physical conductor. Signals are broadcast either through air. This is done through radio communication, satellite communication and cellular telephony.
78. What is point-to-point protocol
A communications protocol used to connect computers to remote networking services including Internet service providers.
79. What are the two types of transmission technology available
(i) Broadcast and (ii) point-to-point
80. Difference between the communication and transmission.
Transmission is a physical movement of information and concern issues like bit polarity, synchronization, clock etc. Communication means the meaning full exchange of information between two communication media.

 

DRDO Sample Questions

DRDO Sample Questions

 

DRDO Sample Questions

1. If 100ns is Memory Access Time & 125 microsec is 1frame period. The no. of line that can be supported in a Time Divison Switch is
a)125 Lines
b)625 Lines
c)525 Lines
d)465 Lines
2. The no. of edjes in disjoint Hamilton circuit in a complex graph with 17 edges is
a) 8
b) 9
c) 136
d) 17^2
3. 15 persons in a club sit every day ina dinner table such that every member has different neighbour. This arrangement will last for how many days.
Assume a system has 16MB cache mean Disk Access Time & cache Access time is 76.5 ns & 1.5 overall mean Access time us 465ms for each tripling the memory the miss rate is halved. The memory required to bring down the mean Access time to 24ns is
a) 16 MB
b) 24 MB
c) 32 MB
d) 48 MB
4.Average transfer speed of a i/p serial line is minimum 25,000 Bytes & maximum 60000 Bytes. Polling Strategy adopted takes 4microsec(whether there is any i/p byte or not). It is assured that byte that retrived from controller before next byte arrives are lost. Then the maximum safe polling interveal is
a) 12
b) 12.33
c) 12.67
d) 32
5. A harddisk has a rotation speed of 4500RPM. then the latency time is
a) .4
b) .6
c) .7
d) .9
6.Suppose all elements above the principal diagonal od n x n matix A are zero. If non zero elements of the lower triangular Matrix is stored in an array B with A[1][1] stored at
B[1]. The addressing formula to the nonzero element in A[i][j]=?
a) A[i][j]
b) i(j-1)/2 +i
c) j(i-1)/2 +i
d) i(i-1)/2 +j
7.The minumum number of comparisons requied to find the second smallest element in a 1000 element array is
a) 1008
b) 1010
c) 1999
d) 2000
8.The internal path length of a Bonary Tree with 10nodes is 25. The external path length is
a) 25
b) 35
c) 40
d) 45
9.Average No. of Comparisons required to sort 3 elements is
a) 2
b) 2.33
c) 2.67
d) 3
10.In a switch the mean arrival rate of packets is 800 Packets/sec and the the mean service rate is 925 Packets/sec
a) .008 Sec
b) .08 sec
c) .8 sec
d) 1.1 sec
11. What is Interface Control Information?
12. The minumum no. of Multiplications needed to compute x^768 is
a) 9
b) 10
c) 425
d) 767
13. Find values for a,b,c,d
c 1 1 1
0 a 1 b
_______
1 0 d 0
(967)basex = 321base9
PART II Genreal 50 General Non-Technical[4 Options]
14. The area of red planet where the Mars Rover Landed? In Which Day world Telecom Day Celebrated? Laser is used for what?
a) Treatment of Cancer
b) Treatment of Eyes
c) Treatment of Heart
d) Treatment of Kidney
15.Which country is not a Member of SAARC
a) Bangladesh
b) Myanmar
c) Maldives
d) Nepal
The New Biotechnology Software intorduced by TCS is?
16.The New Biotechnology Software intorduced by TCS is? What is Wi Fi?
17.Which is the fastest Cruise Missile?

Bank PO Pattern and Syllabus 2010

Bank PO Examination Pattern & Syllabus 2010

SECTION I : PRELIMINARY EXAMINATION TIME : 2 HOURS
Interested Candidates will be called for an objective examination and objective examination consists of:
  • Test of Reasoning
  • Quantitative Aptitude
  • General Awareness/computer knowledge
  • English Language
Questions will be asked in both language that is Hindi and English Except the test of Enlish language.

Note: Candidate succeeded in Section I will be called for Section II. Candidates who secured 40 Percentile in each of four tests in the preliminary examination and with an aggregate of 40% Marks(35% for SC /ST/PWD)will be invited for Section II i.e. Mains test ,if ranked Sufficiently high .The No. of Candidate who will be invited for Section-II vis-a-vis Number of Vaccancies , subject to availability of adequate Number of merit ranked Candidates, Shall be as under:
  • General/OBC - 15 times the vaccancy
  • SC/ST/PWD - 20 times the vaccancy.
SECTION II : MAINS EXAMINATION (TIME: 3 HOURS)
This is an Objective as well as Descriptive type Examination.

1. Objective Test: The duration of Objective type Examination is of 2 hours and it consists of :
  • Test of Reasoning
  • Data Analysis And Interpretation
  • Marketing Knowledge
  • English Language test
2. Descriptive Test : This test will be a test of English Knowledge with a time Duration of 1 Hours.
Note: Candidates who secured 40 Percentile in each of four tests in the preliminary examination and with an aggregate of 40% Marks(35% for SC /ST/PWD) and Ranked Sufficiently high in Mains Examination will be called for GD(group discussion) And Interview in the ratio of3 times the Vacancy in each Category.
SECTION III : GROUP DISCUSSION AND INTERVIEW
Qualifying Candidates will be called for section III i.e. Group Discussion And Interview and have to secure 40% (35% for SC/ST/PWD) aggregate marks.
Note: Further marks of Section II and III will be Aggregated and Arranged in Descending order .Candidates will have to pass both the examination i.e. Section II and Section III for selection.

 

Indian Bank Clerk Exam Pattern


Indian Bank Clerk Exam Pattern


Written Test:
A. Objective Tests (Time duration – 95 minutes)
The Objective Test shall test the candidate’s ability in the following areas Test of Reasoning, Test of English Language (Qualifying in nature) Test of Numerical Ability Test of Clerical Aptitude.
B. Descriptive Test
The descriptive test shall be of 45 minutes duration .
It will consist of 5 compulsory questions with internal options, to assess knowledge on Socio- Economic Developments and Communication skills. The descriptive test is only of qualifying nature.

Bank Of India (BOI) Paper 2010

Bank Of India (BOI) General Awareness Solved Paper Year 2010
1. The President of the Palestine recently emphasized that his country will not resume peace talks until Israel fully halts settlement building in the—
(A) West Bank
(B) Haifa
(C) Gaza
(D) Tel-Aviv-Yafo
(E) Jerusalem
Ans : (A)

2. All the major world leaders gathered in Berlin in Nov. 2009 to mark the 20th anniversary of—
(A) European Union
(B) NATO
(C) Fall of Berlin Wall
(D) G-20
(E) None of these
Ans : (C)

3. Now almost all major newspaper journals and magazines are printing research reports giving the analysis and/or the causes of the sub-prime crisis which gripped America and the world a few months back. Which of the following was/were amongst the common cause(s) of the same ?
(They were present in almost all the economies)
(1) The problem was that investors erroneously believed property prices were quite predictable and built a whole edifice of financial planning on the back of the American housing market.
(2) Credit rating agencies all over the world were not equipped to forecast the effect of sub-prime crisis on world economy. Agencies were over-confident and did not react in time.
(3) Neither USA nor other countries took a note of the crisis in time. In fact they ignored it for quite some time.
(A) Only 1
(B) Only 2
(C) Only 3
(D) All 1, 2 and 3
(E) Only 1 and 2
Ans : (A)

4. If you see a big hoarding at a prominent public place, the punch line of which says ‘We All Were Born Free’; ‘We All Have Equal Rights’, in all probability, the hoarding is put up by—
(A) National Commission for Farmers
(B) National Human Rights Commission
(C) Directorate of Income Tax
(D) Ministry of Foreign Affairs
(E) Union Public Service Commission
Ans : (B)

5. Nowadays we frequently read news items about ‘Derivatives’ as used in the world of finance and money market. Which of the following statement(s) correctly describes what a derivative is and how it affects money/finance markets ?
(1) Derivatives enable individuals and companies to insure themselves against financial risk.
(2) Derivatives are like fixed deposits in a bank and are the safest way to invest one’s idle money lying in a bank.
(3) Derivatives are the financial instruments which were used in India even during the British Raj.
(A) Only 3
(B) Only 2
(C) Only 1
(D) All 1, 2 and 3
(E) None of these
Ans : (B)

6. Many a time we read in the newspapers that RBI has changed or revised a particular ratio/rate by a few basis points. What is basis point ?
(A) Ten per cent of one hundredth point
(B) One hundredth of 1%
(C) One hundredth of 10%
(D) Ten per cent of 1000
(E) None of these
Ans : (B)

7. Which of the following issues cannot come under the purview of the functioning of the Human Rights Commission of a country ?
(A) Racial Discrimination
(B) Treatment to Prisoners of War
(C) Human Trafficking
(D) Child Abuse
(E) Climate Migration
Ans : (E)

8. A prominent international weekly sometime ago printed a caption on its cover page which read ‘Brazil Takes Off’. Other major newspapers/magazines also printed similar stories/articles in their publications at that time. Why have magazines/newspapers decided to talk about Brazil these days ?
(1) All major economies of the world have been taking time to recover from the recession but Brazil was one of those which was ‘Last in and First out’.
(2) Brazil is a member of BRIC but unlike China it is a democracy, unlike India, it has no hostile neighbours, no insurgents and unlike Russia it exports more oil and arms and treats foreign investors with more respect.
(3) Brazil is the world’s second largest booming economy.
(A) Only 1
(B) Only 2
(C) Only 3
(D) All 1, 2 and 3
(E) Only 1 and 2
Ans : (A)

9. Which of the following countries has conferred the honour of ‘Legion d’ honneur’ on Bharat Ratna Lata Mangeshkar ?
(A) Germany
(B) Norway
(C) Japan
(D) U.K.
(E) France
Ans : (E)

10. Expand the term NREGA—
(A) National Rural Employment Guarantee Agency
(B) National Rural Electrification Governing Agency
(C) National Rural Employment Guarantee Act
(D) New Rural Employment Guarantee Agency
(E) None of these
Ans : (C)

11. The Rajya Sabha has recently cleared the new poll bill. Which one of the following amendment(s) is/are made in this bill ?
It has proposed -
(A) Increasing the security deposits to more than double
(B) Restricting the publication of exit polls
(C) Ensuring speedy disposal of electoral disputes
(D) Only (A) and (B)
(E) All (A), (B) and (C)
Ans : (D)

12. The market in which long term securities such as stocks and bonds are bought and sold is commonly known as—
(A) Commodities Exchange
(B) Capital Market
(C) Bull Market
(D) Bullion Market
(E) None of these
Ans : (B)

13. Which one of the following was India’s top destination for exports during 2009 ?
(A) UAE
(B) USA
(C) Russia
(D) China
(E) Bangladesh
Ans : (A)

14. Which one of the following will be the first High Court in India, to implement the concept of ‘ecourts’ ?
(A) Delhi
(B) A.P.
(C) Chennai
(D) Kolkata
(E) None of these
Ans : (A)

15. Amongst the following, which one of the following sectors provides the highest contribution in Industrial Production Index ?
(A) Crude Oil
(B) Petro Refinery Products
(C) Electricity
(D) Coal
(E) None of these
Ans : (C)

16. Amongst the following sectors, which sector/segment has shown the highest per cent growth in the current fiscal ?
(A) Mining
(B) Manufacturing
(C) Electricity, gas and water supply
(D) Banking and Finance
(E) None of these
Ans : (B)

17. As per the reports published in newspapers, India purchased around 200 tonnes of gold (almost half the quantity of gold put up for sale) in Sept. 2009. India purchased this gold from which of the following organizations ?
(A) World Bank
(B) Asian Development Bank
(C) International Monetary Fund
(D) International Gold Council
(E) None of these
Ans : (C)

18. World Trade Organisation (WTO)’s ministerial meeting was organized in which of the following cities recently ?
(A) Geneva
(B) Washington
(C) Paris
(D) Port of Spain
(E) None of these
Ans : (A)

19. In which one of the following countries, was the recent Commonwealth Meet (CHOGAM) held ?
(A) Trinidad
(B) Canada
(C) Australia
(D) Jamaica
(E) U.K.
Ans : (A)

20. Which of the following decisions taken by the RBI will promote the concept of financial inclusion in the country ?
(A) To appoint some additional entities as business correspondents
(B) To collect reasonable service charges from the customer in a transparent manner for providing the services.
(C) To ask the banks to open at least 50 new accounts daily in non serviced areas.
(D) Only (A) and (B)
(E) None of these
Ans : (E)

21. For recapitalization of Public Sector Banks, the World Bank has decided to provide funds to India. These funds will be made available in the form of—
(A) Soft Loan
(B) Term Loan
(C) Emergency aid
(D) Grants
(E) None of these
Ans : (A)

22. Citizens of which one of he following age-groups (in years) are covered under the New Pension System (NPS) ?
(A) 18–50
(B) 21–55
(C) 25–55
(D) 18–60
(E) None of these
Ans : (D)

23. Which one of the following is the objective of the flagship scheme ‘Rashtriya Swasthya Bima Yojana’ (RSBY) ?
(A) To provide life insurance cover to rural households
(B) To provide health insurance cover to rural households
(C) To provide both life and health insurance cover to rural household
(D) To provide life and health insurance covers only to people living below poverty line
(E) None of these
Ans : (D)

24. Which one of the following had set up the N. R. Narayana Murthy Committee on issues relating to Corporate Governance ?
(A) SEBI
(B) RBI
(C) CII
(D) Ministry of Finance, GOI
(E) None of these
Ans : (A)

25. The proceeds of the disinvestment of profitable public sector units will be used for which of the following purposes ?
(A) Expansion of existing capacity of PSEs
(B) Modernisation of PSEs
(C) Opening of new PSEs
(D) Meeting the expenditure for various social sector schemes
(E) None of these
Ans : (D)

26. Which one of the following is the target fixed for fiscal deficit in the year 2010-2011 ?
(A) 3•5%
(B) 4•0%
(C) 5•5%
(D) 5•0%
(E) None of these
Ans : (C)

27. Which one of the following companies is the largest producer of natural gas in the country ?
(A) ONGC
(B) OIL
(C) Cairn India
(D) RIL
(E) None of these
Ans : (A)

28. Which one of the following states has sought a package of Rs. 500 crores ($ 100 million) for its Rural Poverty Reduction Programme ?
(A) M.P.
(B) Tamil Nadu
(C) A.P.
(D) Karnataka
(E) None of these
Ans : (C)

29. Chinese objections have stalled the road work at the village of Demchok, on the Indian side of the line of control. In which one of the following states is this village located ?
(A) Arunachal Pradesh
(B) Assam
(C) Himachal Pradesh
(D) Rajasthan
(E) None of these
Ans : (E)

30. Constitutionally, which one of the following can levy Service Tax ?
(A) Union Govt. only
(B) State Govt. only
(C) Union Territory Govt. only
(D) All of these
(E) None of these
Ans : (D)

31. In the proposed low cost pension scheme, which one of the following has been made responsible for maintaining of the records of pension account of an individual ?
(A) SIDBI
(B) National Securities Depositories Ltd. (NSDL)
(C) Stock Holding Corporation of India
(D) RBI
(E) None of these
Ans : (B)

32. Which one of the following is/are implication(s) of large inflow of foreign exchange into the country ?
1. It makes monetary management difficult for RBI.
2. It creates money supply, asset bubbles and inflation.
3. It weakens the competitiveness of Indian exports.
(A) Only 1
(B) Only 2
(C) Only 3
(D) Only 1 and 3
(E) All 1, 2 and 3
Ans : (B)

33. The Central Banks of which one of the following countries has offered $ 115 billion emergency credit to support its economy hit by falling prices and also to strengthen its currency ?
(A) South Korea
(B) Japan
(C) U.K.
(D) USA
(E) None of these
Ans : (B)

34. Which of the following books is written by Chetan Bhagat ?
(A) The Golden Gate
(B) A House for Mr. Biswas
(C) 2 States
(D) White Tiger
(E) None of these
Ans : (C)

35. NTPC Ltd. is in the process of exploring opportunities to source coal from overseas. In which one of the following countries has the NTPC identified two new coal mines ?
(A) Bhutan
(B) Australia
(C) South Korea
(D) Indonesia
(E) None of these
Ans : (D)

36. Which of the following organizations has raised its loan amount to India to make it US $ 7 billion in 2009-10 fiscal ?
(A) Asian Development Bank
(B) International Monetary Fund
(C) World Bank
(D) European Union
(E) None of these
Ans : (C)

37. Who amongst the following cricket players became the first to score 17000 runs in One Day Internationals ?
(A) Rahul Dravid
(B) Stephen Fleming
(C) Ricky Ponting
(D) Sachin Tendulkar
(E) None of these
Ans : (D)

38. The Govt. of India has decided to use the Core Banking System of banks to ensure proper usage of funds provided for which of its following programmes ?
(A) Literacy Mission
(B) Pradhanmantri Gram Sadak Yojana
(C) National Health Mission
(D) All of these
(E) None of these
Ans : (A)

39. Famous Dada Saheb Phalke Award is given for exemplary work in the field of—
(A) Sports
(B) Literature
(C) Science & Technology
(D) Social Service
(E) None of these
Ans : (E)

40. The Reverse Mortgage Scheme was launched by some organizations a few years back. This was done to help which of the following sections of society ?
(A) Beneficiaries of the NREGA
(B) People living Below Poverty Line
(C) Youngsters
(D) Senior Citizens
(E) None of these
Ans : (D)

41. The organization of the South East Asian countries is known as—
(A) OPEC
(B) ASEAN
(C) NATO
(D) UNCTAD
(E) SAARC
Ans : (B)

42. ‘Miss Earth 2009’ title has been conferred upon—
(A) Alejandra Pedrajas
(B) Sandra Saifert
(C) Jessica Barboza
(D) Larissa Ramos
(E) None of these
Ans : (D)

43. Which of the following countries became the third largest producer of Steel in the world in 2009 ?
(A) China
(B) India
(C) USA
(D) Japan
(E) None of these
Ans : (B)

44. The Foreign Trade policy is announced recently by the Govt. of India. Which of the following ministries/agencies announce the same ?
(A) Reserve Bank of India
(B) Export Import Bank of India (EXIM Bank)
(C) Ministry of Foreign Affairs
(D) Ministry of Commerce & Industry
(E) None of these
Ans : (D)

45. Irina Bokova has taken over as the Chief of the—
(A) ILO
(B) UNICEF
(C) OPEC
(D) UNO
(E) UNESCO
Ans : (E)

46. Dorjee Khandu has taken over as the Chief Minister of—
(A) Meghalaya
(B) Uttarakhand
(C) Arunachal Pradesh
(D) Assam
(E) None of these
Ans : (C)

47. Which of the following terms is used in the game of Football ?
(A) Caddy
(B) Cutback
(C) Mid-on
(D) Love
(E) None of these
Ans : (B)

48. Which of the following is considered a Non Food Crop ?
(A) Wheat
(B) Maize
(C) Bajra
(D) Rice
(E) Jute
Ans : (E)

49. Who amongst the following was the Prime Minister of Nepal immediately prior to Madhav Kumar Nepal ?
(A) Ram Baran Yadav
(B) Pushpakamal Dahal
(C) Girija Prasad Koirala
(D) Mahendra Kumar Suryavanshi
(E) None of these
Ans : (B)

50. The 10th India-European Summit was held in New Delhi in November 2009. Who amongst the following represented India and also chaired the same ?
(A) S. M. Krishna
(B) Pratibha Patil
(C) Pranab Mukherjee
(D) Manmohan Singh
(E) None of these
Ans : (D)

Oriental Bank of Commerce

Oriental Bank of Commerce Probationary Officers (PO) Exam Paper | 2008
GENERAL AWARENESS
1. Jayasuriya who decided to take retirement from Test Cricket is from which of the following countries ?(A) Pakistan
(B) India
(C) West Indies
(D) South Africa
(E) Sri Lanka
2. In order to give impetus to agri-culture which of the following states has launched Contract Farming Scheme ?(A) Jammu and Kashmir
(B) Orissa
(C) West Bengal
(D) Haryana
(E) None of these
3. Dola Banerjee who won a Gold Medal in an international games event in November 2007 is asso-ciated with :(A) Archery
(B) Badminton
(C) Table tennis
(D) Swimming
(E) None of these
4. Who amongst the following is the highest wicket taker in the history of Test cricket in the world ?(A) R. Hadlee
(B) Kapil Dev
(C) Anil Kumble
(D) Shane Warne
(E) Mutthiah Muralidharan
5. Late Benzair Bhutto was associa-ted with which of the following political parties ?(A) Muslim League
(B) Pakistan National Congress
(C) Pakistan People’s Party
(D) National Forum of Pakistan
(E) None of these
6. Zhang Zilin who was adjudged as the Miss World 2007 is from which of the following coun- tries ?(A) South Africa
(B) Russia
(C) South Korea
(D) Vietnam
(E) China
7. Which of the following is not considered as a green House Gas ?(A) Methane
(B) Carbon dioxide
(C) Nitrous oxide
(D) Oxygen
(E) All these are not green house gases
8. Which of the following terms is not a financial term ?(A) Investment
(B) El Nino effect
(C) Core banking Solution
(D) RTGs
(E) All are financial terms
9. Who amongst the following is the Chairperson of the 13th Finance Commission ?(A) Dr. C. Rangarajan
(B) Dr. Bimal Jalan
(C) Dr. Rakesh Mohan
(D) Dr. Vijay Kelkar
(E) None of these
10. The Green revolution in India was the outcome of the efforts of who amongst the following ?(A) Dr. M. S. Swaminathan
(B) Dr. C. Rangarajan
(C) Mr.K. V. Kamath
(D) Dr. Rakesh Mohan
(E) None of these
11. Which of the following is a project to develop watersheds in India ?
(A) DRDO
(B) CARE
(C) Avard
(D) NWDPRA
(E) None of these
12. Who amongst the following is the author of the book ‘The Namesake’ ?
(A) Salman Rushdie
(B) Steve Waugh
(C) Monica Ali
(D) V. S. Naipaul
(E) Jhumpa Lahiri
13. Which of the following countries launched its first Lunar Orbiter ‘Change–I’ ?(A) India
(B) South Korea
(C) China
(D) France
(E) None of these
14. Who amongst the following is ranked No. 1 Tennis players amongst the women players ? (as per recent ranking)(A) Maria Sharapova
(B) Ana Ivanovic
(C) Sania Mirza
(D) Justine Henin
(E) None of these
15. The Information and Broadcas-ting Ministry has selected which of the following pairs for its prestigious ‘Life Time Achieve-ment Award’ given away recen-tly ?(A) Amitabh Bachchan and Jaya Bachchan
(B) Rajesh Khanna and Dilip Kumar
(C) Asha Bhosle and Lata Man-geshkar
(D) Lata Mangeshkar and Dilip Kumar
(E) None of these
16. Many a times we read in news-paper about the benefits of National Electronic, Funds Trans-fer (NEFT) a delivery service launched by the bank. Why banks advocate for such delivery channels ?1. It is a system in which no physical transfer takes place hence risk is very low.
2. In this system banks are not required to transfer any money actually to the account of the customer. Only book adjustment is done. Hence actual fund is not needed.
3. This facility is available to anybody at any place. Even having a bank account is not at all necessary.
(A) Only (1) is correct
(B) Only (2) is correct
(C) Only (3) is correct
(D) Both (1) and (2) are correct
(E) All (1), (2) and (3) are correct
17. The prestigious Indira Gandhi National Award for Peace Disar-mament and Development 2006 was conferred upon whom amongst the following ?(A) Prof. Wangari Maathai
(B) Mr. Phillips Talbot
(C) Mr. Damilo Turk
(D) Ms. Doris Lessing
(E) None of these
18. As reported in the newspapers China has asked its banks to put 12·5% money instead of earlier 12% as CRR. This correction in CRR is made for the seventh time in last one year. Why did China have to take this step again and again and so frequently ?1. It will put a curb on lending of the money by the banks.
2. It will help Govt. of China to tame the rate of inflation.
3. It will help poor to get easy loans at cheaper rates from the banks as higher CRR brings more money for acti-vities of the social sector.
(A) Only (1) is correct
(B) Only (2) is correct
(C) All (1), (2) and (3) are correct
(D) Only (3) is correct
(E) Both (1) and (2) are correct
19. NRI Day is observed on which of the following days ?(A) 9th February
(B) 9th January
(C) 19th February
(D) 19th March
(E) 9th March
20. Which of the following isnot a mode of foreign capital inflow to India ?
(A) FDI
(B) FII
(C) NRI Accounts
(D) No Frills Accounts
(E) All these are valid for foreign capital inflow
21. India-European Union Summit 2007 was organized in November 2007 at New Delhi. Which of the following is true about the same ?1. A landmark MOU was signed by both the parties which envisages that EU would help India to achieve millennium Goals.
2. EU will plead India’s case of more subsidy to agro sector in WTO meets.
3. Both the parties reaffirmed their commitment to the rule based multilateral trading system.
(A) Only (1) is correct
(B) Only (2) is correct
(C) Only (3) is correct
(D) Both (1) and (3) are correct
(E) All (1), (2) and (3) are correct
22. Mr. Kevin Rudd is the new :(A) President of Australia
(B) Prime Minister of Australia
(C) President of Argentina
(D) Prime Minister of Argentina
(E) Secretary General of UNO
23. The 53rd Commonwealth Heads of Government Meeting (CHO-GM) was organized at which of the following places in Novem-ber 2007 ?(A) Kampala
(B) London
(C) New Delhi
(D) Perth
(E) None of these
24. As per the reports published in the news papers/magazines the overall credit (credit by banks) grew by over Rs. 1,00,000 crores in 2005-06 and 2006-07. Which of the following sectors was one single main contributor to this boom ?(A) Housing and real estate sector
(B) Agriculture sector
(C) Business loans to doctors and account professionals
(D) Manufacturing Sector
(E) None of these
25. Many times we see banks adver-tise—"Anywhere Banking : Any-time Banking". Which of the following products/facilities launched by banks make it possible for the customers to avail banking services 24 hours all seven days ?1. ATM
2. Internet Banking
3. Universal Cheque book facility
(A) Only (1)
(B) Only (2)
(C) Both (1) and (2)
(D) Only (3)
(E) All (1), (2) and (3)


26. Which of the following organiza-tion/agencies has asked all the banks in India to form customer service panels at branch levels ?(A) Indian Bank's Association
(B) Reserve Bank of India (RBI)
(C) Supreme Court of India
(D) Securities and Exchange Board of India (SEBI)
(E) None of these

27. As we all know Securities and Exchange Board of India (SEBI) has taken some corrective steps to restrict functioning of Partici-patory Notes (P-Notes) in Indian Stock Markets. Why are P-Notes considered dangerous for the financial markets of a country ?1. This allows a foreign inves-tor to invest funds without knowing the history/finan-cial health of a company. If Company fails foreign investors lose their money. Govt. of India does not want this as this will bring a bad name to the country.
2. P-Notes allow foreign inves-tors to buy shares of blue chip companies without following know Your Custo-mer (KYC) norms. Hence money invested here may not be from a valid and legal source.
3. P-Notes are launched to arrange funds only for social schemes. Due to huge funds available with NRI for investment they are sending it in bulk. Hence cost of such investments is very high and it is not commercially viable for banks to accept such investments.
(A) Only (1) is correct
(B) Only (2) is correct
(C) Only (3) is correct
(D) Both (1) and (2) are correct
(E) None of these

28. The Banking Industry a few years back was badly in the grip of Non Performing Assets (Bad loans) for which the RBI and banks took special measures. As per the latest financial reports of the industry, what is the status of NPAs at present ?1. There are no NPAs now as not a single loan of Rs. 5 lakhs and above is given by the bank without proper paperwork.
2. As reported of 2006-07 the NPAs have declined.
3. As the interest rates are very high banks are not providing loans to middle class and poor general borrows. Hence NPAs in private and personal bank-ing area are zero' where as in industrial credit sector NPAs are still at the level of 22 per cent.
(A) Only (1) is correct
(B) Only (2) is correct
(C) Both (1) and (2) are correct
(D) Only (3) is correct
(E) None of these

29. Which of the following car com-panies has launched a small cheaper car Nano' ?(A) Maruti Suzuki Udhyog Ltd.
(B) Hyundai Motor India Ltd.
(C) Tata Motors Ltd.
(D) Hindustan Motors Ltd.
(E) None of these

30. The Govt. of India in general and the Banks in particular are very much after the Financial Inclu-sion' a goal which both of them wish to achieve as early as pos-sible. What is the actual meaning of Financial Inclusion' ?
1. Each and every individual above the age of 21 years should have an employ-ment and/or independent source of income enough for him/her to sustain.
2. It is a concept which envi-sages that maximum people in India should have access to banking services.
3. Banking services should be provided only to those who have a valid and legal source of income as Govt. of India wants each and every per-son in the income tax net irrespective of the level of their income.
(A) Only (1) is true
(B) Only (2) is true
(C) Only (3) is true
(D) Both (1), (2), (3) are true
(E) None of these

31. As per the reports in the major financial newspapers India has urged China to redress imba-lance in trade. What does it really mean ? It means%€¦%€¦%€¦%€¦
(A) India exports more items to China whereas China does not export much to India
(B) India is not able to export much to China whereas its import from China is of higher value
(C) China and India are not at all trade partners. Hence there is no transaction between the two countries
(D) As per WTO laws India is supposed to export food grains to China. But China has not placed any order for the same in 2006-07. It has also refused to accept 200 lakh tonnes of wheat exported to it by India.
(E) None of these

32. As reported in the newspapers the collection of Direct Taxes which includes IT, FBT, STT and BCTT grew by about 50% during the current fiscal year. Which of the following is the name of the tax levied on a cash withdrawal or deposit from/to a bank ?(A) IT (B) FBT
(C) STT (D) BCTT
(E) None of these

33. As reported in some financial newspapers some banks in India (including major banks) these days are not accepting US dollar transactions from Iranian buyers. Which of the following is the major reason of banks not accep-ting such transactions from Iran ?1. USA has put a ban on major iranian Banks hence Indian banks are also not accepting transaction from Iran as they do not get return of the same from it.
2. Iran is facing a major Reces-sion hence all Banks have stopped major transactions with Iranian banks.
3. Iran has declared itself as an Islamic country and hence its banking is also Islamic Banking. This is the reason owing to which most of the countries are not able to develop financial ties with it.
(A) Only (1)
(B) Only (2)
(C) Only (3)
(D) Both (1) and (2)
(E) All (1), (2) and (3)

34. As reported in some major financial news papers many times it is said that Other Income' boosts the profit of a bank to a substantial level. What is this other income for a bank ? (Pick up the option (s) which are the part (s) of this other income)1. Commission for selling insurance policies.
2. Fee for providing various services (like ATM/Extra cheque etc.)
3. Interest on advances and loans.
(A) Only (1)
(B) Only (2)
(C) Both (1) and (2)
(D) Only (3)
(E) All (1), (2) and (3)

35. Amongst the BRIC nations the GDP of which of the following took a fast growth of 11%·5% in recent past ?(A) None (B) Brazil
(C) Russia (D) India
(E) China

36. Which of the following is the achievement/outcome of Mrs. Sonia Gandhi's visit to China in October 2007 ?1. A working group is estab-lished to prepare a frame-work for the settlement of boundary issue.
2. China has agreed to support India's claim to have a permanent seat in UN Security Council.
3. China agreed to stop all exports to Pakistan till it switches over to a democra-tically elected government.
(A) Only (1)
(B) Only (2)
(C) Only (3)
(D) Both (1), (2) and (3)
(E) None of these

37. As reported time and again and in the media most of the Indian Industrialists are against a regional trade pact with China. Why China is not a preferred partner in trade and business activities in India ?1. India has already instigated maximum number of cases against China under anti dumping laws.
2. China is not a quality cons-cious country. Hence the products are not of good market value.
3. China has maximum trade agreements with those countries whose activities are not liked by India and some major countries of E.U. China is importing goods from them and redirecting it to India.
(A) Only (1)
(B) Only (2)
(C) Only (3)
(D) All (1), (2) and (3)
(E) None of these

38. India has a regional trade pact SAFTA. This pact is with mem-bers of which of the following group of countries ?(A) IBSA (B) EU
(C) OPEC (D) BRIC
(E) SAARC

39. As reported in some news-papers/magazines some banks have decided to install Biometric ATMs so that fraudulent with-drawals can be prevented. Bio-metric ATMs will be able to do so as it also checks.
1. Signatures of the card holdes.
2. Finger prints of the card holders.
3. Skin colour of the card holders.
(A) Only (1)
(B) Only (2)
(C) Only (3)
(D) Both (1) and (3)
(E) All (1), (2) and (3)

40. Which of the following schemes is launched specifically for helping Senior Citizens to avail loan by mortgage of their resi-dential property ?(A) English mortgage scheme
(B) Senior Capital Loan scheme
(C) Reverse Mortgage Loan scheme
(D) DEMAT Account Scheme
(E) None of these

41. Who amongst the following received the Nobel Prize 2007 for Medicine ?
1. Martin Evans
2. Mario Capecchi
3. Oliver Smiths
(A) Only (1)
(B) Only (2)
(C) Only (3)
(D) Both (1) and (3)
(E) All (1), (2) and (3) jointly

42. A summit of which of the following two countries took place for the first time recently which is being considered a big leap in the direction of diffusing conflict between them from last 50 years ?(A) China-Russia
(B) Vietnam-USA
(C) China-Pakistan
(D) Russia-USA
(E) South-Korea-North Korea

43. The Gorkha Hill Council is in function in which of the follo-wing districts of West Bengal (Since October 2007) ?(A) Midnapore
(B) Birbhum
(C) Nadia
(D) Howrah
(E) Darjeeling

44. Prime Minister of India was on a visit to Russia in November 2007. Which of the following is/are the outcome of his meeting with Russian Leaders ?1. Both the countries signed an agreement for their joint space programme.
2. India signed a nuclear deal with Russia for construction of four new Nuclear Reac-tions in Tamil Nadu.
3. India and Russia agreed to take a joint military action to stop insurgency problem in some parts of India.
(A) Only (1)
(B) Only (2)
(C) Both (1) and (2)
(D) Only (3)
(E) All (1), (2) and (3)

45. The Govt. of India has decided to take a major stake in Sakhalin IV and Sakhalin V oil fields. Both these oil fields are situated in which of the following countries ?(A) Brazil
(B) Russia
(C) China
(D) Saudi Arabia
(E) None of these

46. The Planning commission of India has established a National Fund to improve the distribution of which of the following in the country ?(A) Electricity
(B) Cooking gas
(C) Food grains through public distribution system
(D) Fresh currency notes
(E) None of these

47. The US economy is in a bad shape these days as a slow down is noticed in it in recent past. What will be its impact on Global economy' in general ?1. Dollar will be depreciated.
2. Export from European mar-kets will gain strength.
3. Interest rates of short term loans in money market will shoot up sharply as demand for short term rupee loan will shoot up.
(A) Only (1)
(B) Only (2)
(C) Both (1) and (2)
(D) Only (3)
(E) All (1), (2) and (3)

48. As published in the newspapes the RBI has issued certain guide-lines to be followed by the Recovery Agents appointed by the banks. In addition to this the Indian Bank Association (IBA) has to formulate a special training course for them. Why RBI and IBA has to come into picture for such an issue which is the res-ponsibility of the banks ?1. RBI and Govt. were getting many complaints from the public about the misbeha-viour of Recovery agents.
2. Govt. of India is paying much emphasis on provi-ding banking services to the poor section of society. News about ill treatment by agents or suicides due to inability to payback loans create a negative picture. RBI do not want this to hap-pen.
3. Despite banks efforts to recover loans many people still do not wish to repay their loans intentionally. Recovery agents will help banks to get their money back by all possible means.
(A) Only (1)
(B) Only (2)
(C) Both (1) and (2)
(D) Only (3)
(E) All (1), (2) and (3)

49. The imports of which of the following items from Indiahas been lesser than its Exports of the same during 2007-08 ?(A) Oil (B) Chemicals
(C) Steel (D) Tea
(E) None of these

50. The Planning commission of India decided to fix the target growth of GDP during 11th Five year plan at 9%. What was the growth rate in 10th plan period ?
(A) 4% (B) 8%
(C) 5%·5% (D) 7%·6%
(E) 6%·7%

Answers with Explanations

1. (E) 2. (D) 3. (a) 4. (e) 5. (c)
6. (e) 7. (d)
8. (b) El-Nino' is the nature's Vicious Cycle caused due to deranged weather pattern, as happed the giant El-Nino of 1997-98, killed about 2,100 people.
9. (d) 10. (a)
11. (D) NWDPRA' (National Water- shed Development Project for Rainfed Area) was launched in 1990-91 for 25 states and 2 UTs in the country for rainfed farming.
12. (e) 13. (c)
14. (d) With 6330 Points, Justine Henin is at the First Place.
15. (d) 16. (D) 17. (a) 18. (E) 19. (B)
20. (D) 21. (D) 22. (B) 23. (C) 24. (B)
25. (E) 26. (B) 27. (d) 28. (C) 29. (C)
30. (B) 31. (a) 32. (D) 33. (D) 34. (D)
35. (E) 36. (A) 37. (B) 38. (e) 39. (e)
40. (c)
41. (e) The Nobel Prize, 2007' in Medicine/or Physiology was awarded jointly to Mario R. Capecchi (USA), Sir Martin J. Evans (UK) and Oliver Smiths (USA) i.e., 1/3 of the prize to each, announced on 8th Oct., 2007 at Karolinska Institute by the Nobel Assembly.
42. (E) 43. (e) 44. (a) 45. (b) 46. (c)
47. (e) 48. (A) 49. (D)
50. (B) In 10th Plan (2002-07), NDC' (National Development Council) envisaged an average growth rate of 8%

Bank PO Exams

Mathematical Aptitude Model Test Paper  Bank PO Exams

1. Two numbers are respectively 25% and 20% less than a third number. What percent is the first number of the second.
(A) 5.85%
(B) 75.85%
(C) 80.60%
(D) 93.75%
Ans (D)

2. A pump can fill a tank with water in two hours. Because of a leak in the tank it was taking two 1/3 hours to fill the tank. The leak can drain all the water off the tank in.
(A) 8 hours
(B) 7 hours
(C) 13/3 hours
(D) 14 hours
Ans (D)

3. A can do a peace of work in 4 hours. B and C can do it in 3 hours. A and C can do it in two hours. How long will B take to do it?
(A) 10 hours
(B) 12 hours
(C) 8 hours
(D) 24 hours
Ans (B)

4. The difference between the simple and compound interest on a certain sum of money at 5% rate of interest p.a. for two years is Rs.15. Then the sum is _____
(A) Rs.6500
(B) Rs.5500
(C) Rs.6000
(D) Rs.7000
Ans (C)

5. A sum borrowed under compound interest doubles itself in 10 years. When will it become four fold of itself at the same rate of interest?
(A) 15 years
(B) 20 years
(C) 24 years
(D) 40 years
()Ans (B)

6. The students in three classes are in the ratio of 2:3:5 if 40 students are increased in each class the ratio changes to 4:5:7 if 40 students are increased in each class the ratio changes to 4:5:7 originally the total number of students was _______
(A) 100
(B) 180
(C) 200
(D) 400
Ans (C)

7. The ratio of incomes of two persons is 5:3 and that of their expenditure is 9.5. Find the income of each person if they save Rs.1300 and Rs.900 respectively.
(A) Rs.4000, Rs.2400
(B) Rs.3000, Rs.1800
(C) Rs.5000, Rs.3000
(D) Rs.4500, Rs.2700
Ans (A)

8. A fort has provision for 50 days if after 10 days they are strengthen by 500 men and the remaining food lasts 35 days. How many men were there in the fort initially?
(A) 3500
(B) 3000
(C) 2500
(D) 4000
Ans (A)

9. A number is increased by 20% and then it is decreased by 10%. Find the net increase or decrease in %
(A) 10% increase
(B) 10% decrease
(C) 8%increase
(D) 8% decrease
Ans (C)

10. The product of two positive numbers is 2500 if one number is 4 times the other, the sum of the two numbers is ______
(A) 25
(B) 125
(C) 225
(D) 250
Ans (B)

11. Which of the following is the largest number which is exactly devisable by 7,9 and 15?
(A) 9450
(B) 9765
(C) 9865
(D) 9550
Ans (B)

12. What percent of 5/8 is 8/5?
(A) 100
(B) 64
(C) 256
(D) 1024
Ans (C)

13. 2.3 + 6.5 - 7.1 + 4.9 -1.4 + 8.6 - 5.3?
(A) 8.5
(B) 8.6
(C) 8.7
(D) 8.4
Ans (A)

14. Example of a mathematical statement is ______
(A) (10+8)-9
(B) 2x+3=5
(C) 5<9+3
(D) x+3
Ans (C)

15. If 4x = 10 then X=?
(A) 10-4
(B) 10 X 4
(C) 10 +4
(D) 10/4
Ans (D)

16. a and b are two numbers. The property of a = b then b=a is called _______
(A) Reflexive property
(B) Transitive property
(C) Symmetric property
(D) Associative property
Ans (C)

17. "10 added to 5 times x is equal to 20" in symbolic form is _______
(A) 5(x+10)=20
(B) 5x+10=20
(C) x/5+10=20
(D) 5x-10=20
Ans (B)

18. The point equidistant from the vertices of a triangle is its_____
(A) Orthocentre
(B) Centroid
(C) circumcentre
(D) Incentre
Ans (C)

19. The centroid of a triangle is the point of concurrence of its
(A) angle bisectors
(B) perpendicular bisector
(C) altitudes
(D) medians
Ans (D)

20. If the angles of a triangle are in the ratio 1:2:7 then the triangle is ______
(A) acute angled
(B) obtuse angled
(C) right angled
(D) isosceles
Ans (D)

21. Two sides of a triangle are 8cm and 11cm then the possible third side is____
(A) 1 cm
(B) 2 cm
(C) 3 cm
(D) 4 cm
Ans (D)

22. A triangle always has exactly
(A) one acute angle
(B) at least two acute angles
(C) exactly one right angle
(D) exactly two acute angles
Ans (B)

23. Two trains A and B are running at the speeds of 45 KMPH and 25 KMPH respectively in the same direction. The faster train i.e. train A crosses a Man sitting in the slower train B in 18 secs. Find the length of the train A?
(A) 100 metres
(B) 120 metres
(C) 150 meters
(D) 180 meters
Ans (A)

24. A circular road runs round a circular ground. If the difference between the circumference of the outer circle and inner circle is 44 meters, find the width of road.
(A) 8 meters
(B) 7 meters
(C) 17 meters
(D) 9 meters
Ans (B)

25. A and B started a business in partnership. A invested Rs.2000/- for six months and B invested Rs.1500 for 8 months. What is the share of A in total profit of Rs.510?
(A) Rs.250
(B) Rs.255
(C) Rs.275
(D) Rs.280
Ans (B)

ASM Bhubaneshwa 2009

RRB Bhubaneshwar | ASM Written Exam 2009 Solved Paper
1. Where is the Punjab Lalit Kala Academy located ?
(A) Muktasar
(B) Ludhiana
(C) Patiala
(D) Chandigarh
Ans : (D)
2. What does happens when water is condensed into ice ?
(A) Heat is absorbed
B) Heat is released
(C) Quantity of heat remains unchanged
(D) None of these
Ans : (A)
3. Which of the following gases is not a noble gas ?
(A) Zenon
(B) Argon
(C) Helium
(D) Chlorine
Ans : (D)
4. Which of the following diffuses most quickly ?
(A) Solid
(B) Gas
(C) Liquid
(D) None of these
Ans : (B)
5. Which temperature in Celsius scale is equal to 300 K ?
(A) 30°C
(B) 27°C
(C) 300°C
(D) None of these
Ans : (B)
6. First Youth Olympic games will be held in—
(A) Japan
(B) China
(C) North Korea
(D) Singapore
Ans : (D)
7. Where was the capital of Pandya dynasty situated ?
(A) Mysore
(B) Kanchipuram
(C) Madurai
(D) Delhi
Ans : (C)
8. Tripitik is the scripture of—
(A) Jain religion
(B) Hindu religion
(C) Buddhishtha religion
(D) Muslim religion
Ans : (C)
9. Who is the author of ‘Adhe-Adhure’ ?
(A) Mohan Rakesh
(B) Prem Chand
(C) Nirala
(D) Pant
Ans : (A)
10. Which of the following Constitutional Amendments has included fundamental duties into the Constitution ?
(A) 42nd
(B) 43rd
(C) 44th
(D) 39th
Ans : (A)
11. Where is the Central Food Technology Research Institute situated ?
(A) Delhi
(B) Anand
(C) Ahmedabad
(D) Mysore
Ans : (D)
12. Which of the following is common in both, Buddhism and Jainism ?
(A) Nonviolence
(B) Violence
(C) Triratna
(D) Truth
Ans : (A)
13. Light-year measures which of the following ?
(A) Intensity of light
(B) Mass
(C) Time
(D) Distance
Ans : (D)
14. Which of the following gases is used for ripening the fruits ?
(A) Methane
(B) Ethane
(C) Ethylene
(D) Acetylene
Ans : (C)
15. Who among the following was involved in Alipore bomb case ?
(A) Aravind Ghosh
(B) P. C. Banerjee
(C) Bipin Chandra Paul
(D) Chandrashekhar Azad
Ans : (A)
16. Sikh Guru Arjundev was contemporary to which of the following rulers ?
(A) Humayun
(B) Akbar
(C) Shahjahan
(D) Jahangir
Ans : (D)
17. Besides hydrogen, which of the following elements is common in organic compounds ?
(A) Phosphorus
(B) Sulphur
(C) Nitrogen
(D) Carbon
Ans : (D)
Directions—(Q. 18–21) Find the correct meanings of the words given below :
18. EWE
(A) Calf
(B) Female sheep
(C) Deer
(D) None of these
Ans : (B)
19. Buffalo
(A) Calf
(B) Baby box
(C) Baby bison
(D) Baby cow
Ans : (C)
20. Veneration—
(A) Esteem
(B) High respect
(C) Devotion
(D) Worship
Ans : (B)
21. Vicious—
(A) Remorseless
(B) Ferocious
(C) Kind
(D) Wicked
Ans : (D)
Directions—(Q. 22–25) Choose the word / phrase which is nearest in meaning to the words in question :
22. Bizarre
(A) Colourful
(B) Odd
(C) Insipid
(D) Smart
Ans : (B)
23. Innuendo
(A) Narration
(B) Insinuation
(C) Insist
(D) Insutale
Ans : (B)
24. Salutary
(A) Welcome
(B) Discharge
(C) Promoting
(D) Remove
Ans : (C)
25. Fictile
(A) Fiction
(B) Moulded
(C) Fictitious
(D) Smooth
Ans : (B)
26. Solid Carbon dioxide is termed as—
(A) Soft ice
(B) Dry ice
(C) White ice
(D) None of these
Ans : (B)
27. 1 kg of a liquid is converted into its vapour at its boiling point. The heat absorbed in the process is called—
(A) Latent heat of vaporisation
(B) Latent heat of fusion
(C) Latent heat of sublimation
(D) None of these
Ans : (A)
28. Whether all the universities in the country should start online admission at all levels with immediate effect ?
(i) No, since all the students may not have access to the internet easily.
(ii) Yes, it may liberate the students and their parents from the long-standing problems of knocking at the doors of different colleges and standing in queue.
(A) Only argument (i) is correct
(B) Only argument (ii) is correct
(C) Neither argument (i) nor argument (ii) is correct
(D) Both the arguments, (i) and (ii), are correct
Ans : (D)
29. The product ‘Fair and Lovely’ is related to—
(A) WIPRO
(B) I.T.C.
(C) P & G
(D) H.U.L.
Ans : (D)
30. Should the Government make it compulsory for the private medical colleges to join the entrance test conducted by the Government ?
(i) No, private institutions should be empowered, so that they may decide their own admission strategy and improve their work-management.
(ii) Yes, all medical institutions, whether these are private or government’s, should adopt the same entrance standard.
(A) Only argument (i) is correct
(B) Only argument (ii) is correct
(C) Either argument (i) is correct or argument (ii) is correct
(D) Neither argument (i) is correct nor argument (ii) is correct
Ans : (B)
31. In case the President of India decides to resign, he will address his letter of resignation to—

(A) Prime Minister

(B) Chief Justice

(C) Speaker of Lok Sabha

(D) Vice-President

Ans : (D)
32. The metal extracted from Bauxite is—

(A) Silver

(B) Copper

(C) Manganese

(D) Aluminium

Ans : (D)
33. The Cyclone represents a state of atmosphere in which—

(A) Low pressure in the center and high pressure around

(B) There is high pressure in the center and low pressure around

(C) There is low pressure all around

(D) None of these

Ans : (A)
34. The ‘Ocean of Storms’ is the name given to—

(A) Atlantic Ocean

(B) Pacific Ocean

(C) A waterless area on moon surface

(D) None of these

Ans : (C)
35. The capital of Pallavas was—

(A) Arcot

(B) Kanchi

(C) Malkhed

(D) Banavasi

Ans : (B)
36. Which Indian state was ranked as the No. 2 tourist destination in the world by LONELY PLANET?

(A) Himachal Pradesh

(B) Tamil Nadu

(C) Kerala

(D) Uttarakhand

Ans : (C)
37. How much water is contained in our body by mass ?

(A) 65%

(B) 70%

(C) 60%

(D) None of these

Ans : (B)
38. What determines the sex of a child ?

(A) Chromosomes of the father

(B) Chromosomes of the mother

(C) RH factor of the parents

(D) Blood group of the father

Ans : (A)
39. The two civilizations which helped in the formation of Gandhara School of Art are—

(A) Indian and Roman

(B) Indian and Egyptian

(C) Greek and Roman

(D) Indian and Greek

Ans : (D)
40. ‘Thinkpad’ is a laptop associated with which among the following companies ?

(A) HP

(B) TCS

(C) Infosys

(D) IBM

Ans : (D)
41. The first summit of SAARC was held at—

(A) Kathmandu

(B) Colombo

(C) New Delhi

(D) Dhaka

Ans : (D)
42. The wire of flash bulb is made of—

(A) Copper

(B) Barium

(C) Magnesium

(D) Silver

Ans : (C)
43. The curves showing the volume pressure behaviour of gases plotted at different fixed temperatures are called—

(A) Isochors

(B) Isothermals

(C) V.T.P. Curves

(D) Isocurves

Ans : (B)
44. Project Tiger was launched in—

(A) 1973

(B) 1976

(C) 1978

(D) 1983

Ans : (A)
Directions—(Q. 45 and 46) Attempt the question to the best of your judgement.
45. How many letters in the word TRYST have as many letters between them as in the alpha bet ?

(A) None

(B) 2

(C) 3

(D) 4

Ans : (B)
46. From the alternatives, select the set which is most like the given set. Given set (23, 29, 31)—

(A) (17, 21, 29)

(B) (31, 37, 49)

(C) (13, 15, 23)

(D) (41, 43, 47)

Ans : (D)
Directions—What should come in place of question mark (?) in the following number series ?
47. 13 13 65 585 7605 129285 …?…

(A) 2456415

(B) 2235675

(C) 2980565

(D) 2714985

Ans : (D)
48. If ‘VEHEMENT’ is written as ‘VEHETNEM’ then in that code how will you code ‘MOURNFUL’ ?

(A) MOURLUFN

(B) MOUNULFR

(C) OURMNFUL

(D) URNFULMO

Ans : (A)
49. MOLLIFY is to APPEASE as APPURTENANCE is to ?

(A) Gratify

(B) Avarice

(C) Accessory

(D) Amend

Ans : (C)
50. Praduman is older than Janaki; Shreshtha is older than Chhama; Ravindra is not as old as Shreshtha but is older than Janaki. Chhama is not as old as Janaki. Who is the youngest ?

(A) Praduman

(B) Janaki

(C) Shreshtha

(D) Chhama

Ans : (D)
51. In a row of children facing North, Bharat is eleventh from the right end and is third to the right of Samir who is fifteenth from the left end. Total how many children are there in the row ?

(A) 29

(B) 28

(C) 30

(D) 27

Ans : (B)
52. Which number is missing ?

45389, ?, 453, 34

(A) 34780

(B) 8354

(C) 4892

(D) 3478

Ans : (B)
53. If in the word CALIBRE, the previous letter in the English alphabet replaces each consonant and each vowel is replaced by the next letter and then the order of letters is reversed, which letter will be third from the right end ?

(A) A

(B) C

(C) B

(D) K

Ans : (D)
54. How many such digits are there in the number 57683421, each of which is as far away from the beginning of the number, as they will be when arranged in descending order within the number ?

(A) One

(B) Two

(C) Three

(D) More than three

Ans : (D)
Directions—(Q. 55 to 57) In the following question there are two words to the left of the sign (::) which are connected in some way. The same relationship obtains between the third word and one of the four alter-natives under it. Find the correct alternative in each case.
55. Medicine : Sickness : : Book : ?

(A) Ignorance

(B) Knowledge

(C) Author

(D) Teacher

Ans : (A)
56. River : Dam : : Traffic : ?

(A) Signal

(B) Vehicle

(C) Motion

(D) Lane

Ans : (A)
57. Session : Concludes : : ? : Lapses

(A) Leave

(B) Permit

(C) Agency

(D) Policy

Ans : (D)
58. If 16 = 11, 25 = 12, 36 = 15, then 49 = ?

(A) 14

(B) 20

(C) 19

(D) 17

Ans : (B)
59. Pick out the odd in the following—

(A) Ashok—Assam

(B) Poonam—Punjab

(C) Gyanendra—Gujarat

(D) Anjana—Rajasthan

Ans : (D)
60. KEATS = 25, SHELLEY = 35, BROWNING = ?

(A) 45

(B) 37

(C) 50

(D) 40

Ans : (D)
Directions—(Q. 61 and 62) What approximate value should come in place of question-mark (?) in the following questions ?
(You are not expected to calculate the exact value)

61. (9321 + 5406 + 1001) ÷ (498 + 929 + 660) = ?
(A) 13•5
(B) 4•5
(C) 16•5
(D) 7•5
Ans : (D)
62. 561204 ×58 = ? ×55555
(A) 606
(B) 646
(C) 586
(D) 716
Ans : (C)
63. The difference between the greatest number and the smallest number of 5 digits 0, 1, 2, 3, 4 using all but once is—
(A) 32976
(B) 32679
(C) 32769
(D) None of these
Ans : (A)
64. Area of a parallelogram whose base is 9 cm and height 4 cm is ……… sq cm.
(A) 9
(B) 4
(C) 36
(D) 13
Ans : (C)
65. The number which is neither prime nor composite is—
(A) 0
(B) 1
(C) 3
(D) 2
Ans : (B)
66. The length of a room is three times its breadth. If the perimeter of the room is 64 cm, then its breadth is ……… cm.
(A) 64
(B) 32
(C) 16
(D) 8
Ans : (D)
67. Aditi read 4/5th of Tintin comic book which has 100 pages. How many pages of the book is not yet read by Aditi ?
(A) 40
(B) 60
(C) 80
(D) 20
Ans : (D)
68. What is the meaning of beckoned ?
(A) Summon by sign or gesture
(B) Did not signal
(C) Did not call
(D) Invite
Ans : (A)
69. A box contains coins (equal no. of every one) of rupee and half rupee, coins of 25 paise, 10 paise, 5 paise value, 2 paise value and one paise value. The total value of coins in the box is Rs. 1158. Find the number of coins of each value.
(A) 500
(B) 400
(C) 700
(D) 600
Ans : (D)
70. The area of a rhombus with diagonals 12 cm and 20 cm is ……… sq cm.
(A) 120
(B) 12
(C) 20
(D) 240
Ans : (A)
71. A piece of road is one kilometer in length. We have to supply lamp posts. One post at each end, distance between two consecutive lamp posts is 25 metres. The number of lamp posts required is—
(A) 41
(B) 51
(C) 61
(D) 42
Ans : (A)
72. There are 800 students in a class. On one particular day, if 1/10th of the students were absent, how many students were present ?
(A) 700
(B) 650
(C) 720
(D) 750
Ans : (C)
73. The quotient in a division is 403. The divisor is 100 and the remainder is 58, the dividend is—
(A) 40458
(B) 34058
(C) 43058
(D) 40358
Ans : (D)
74. A labourer was engaged for 25 days on the condition that for every day, he works, he will be paid Rs. 2 and for every day, he is absent he will be fined 50p. If he receives only Rs. 37•50, find the no. of days he was absent—
(A) 5
(B) 6
(C) 7
(D) 4
Ans : (A)
Directions—(Q. 75 to 77) Choose the word/phrase which is most opposite in meaning to the word ?
75. Quixotic
(A) Visionary
(B) Whimsical
(C) Realistic
(D) Foolish
Ans : (C)
76. Rabid
(A) Mad
(B) Normal
(C) Furious
(D) Fanatical
Ans : (B)
77. Scurrilous
(A) Inoffensive
(B) Vulgar
(C) Insulting
(D) Coarse
Ans : (A)
78. Digits of first place and third place are interchanged of the numbers 349, 483, 766, 598, 674 and then the new numbers are arranged in ascending order. Which would be the fourth number ?
(A) 483
(B) 766
(C) 674
(D) 598
Ans : (D)
79. What least number should be added to 2600 to make it a complete square ?
(A) 3
(B) 9
(C) 1
(D) 25
Ans : (C)
80. When sun-light passes through a glass prism, which of the following colours refracts the most ?
(A) Blue
(B) Red
(C) Orange
(D) Green
Ans : (A)
81. If (78)2 is subtracted from the square of a number, we get 6460. What is that number ?
(A) 109
(B) 112
(C) 111
(D) 115
Ans : (B)
82. The difference between 28% and 42% of a number is 210. What is 59% of this number ?
(A) 900
(B) 420
(C) 885
(D) None of these
Ans : (C)
83. A–B means A is the father of B. A + B means A is the daughter of B. A ÷ B means A is the son of B. A ×B means A is the wife of B. Then, what is the relation of P with T in the expression P + S – T ?
(A) Son
(B) Daughter
(C) Sister
(D) Wife
Ans : (C)
84. Ellora caves in Maharashtra were built during the rule of which of the following dynasties ?
(A) Rashtrakoot
(B) Pallav
(C) Pala
(D) Chola
Ans : (A)
85. But for the Surgeon’s skill, the patient ……… died.
(A) may have
(B) must have
(C) should have
(D) would have
Ans : (D)
86. I want to see the Principal, …… I have something to tell him urgently.
(A) so
(B) for
(C) since
(D) and
Ans : (C)
87. I wasn’t really listening and didn’t ……… what he said.
(A) catch
(B) receive
(C) accept
(D) take
Ans : (A)
88. The first division of Congress took place in—
(A) Surat
(B) Kolkata
(C) Allahabad
(D) Chennai
Ans : (A)
89. What is ginger ?
(A) Flower
(B) Root
(C) Stem
(D) Leaf
Ans : (B)
90. Battle of Kalinga was fought at which of the following places ?
(A) Udaigiri
(B) Dhauli
(C) Balasore
(D) Barabaki
Ans : (B)
91. MIG aircraft manufacturing plant is located at which of the following places of Orissa ?
(A) Beharampur
(B) Sunabeda
(C) Koraput
(D) Sambalpur
Ans : (C)