Subscribe

RSS Feed (xml)

Powered By

Skin Design:
Free Blogger Skins

Powered by Blogger

Search Your Question

Thursday, October 2, 2008

Cobol Interview Questions Part-11

151. What are the few advantages of VS COBOL II over OS/VS COBOL?

Ans: The working storage and linkage section limit has been increased. They are 128 megabytes as supposed to 1 megabytes in OS/VS COBOL.

Introduction of ADDRESS special register.

31-bit addressing. In using COBOL on PC we have only flat files and the programs can access only limited storage, whereas in VS COBOL II on M/F the programs can access up to 16MB or 2GB depending on the addressing and can use VSAM files to make I/O operations faster

152. What are the steps you go through while creating a COBOL program executable?

Ans: DB2 pre-compiler (if embedded SQL is used), CICS translator (if CICS program), Cobol compiler, Link editor. If DB2 program, create plan by binding the DBRMs.

153. Name the divisions in a COBOL Program

Ans: Identification / Environment/ Data/ Procedure Divisions

154. What are the different data types available in COBOL?

Ans: Alpha-numeric (X) , Alphabetic (A) and numeric (9).

155. What does the INITIALIZE verb do?

Ans: Alphabetic, Alphanumeric fields & alphanumeric edited items are set to SPACES. Numeric, Numeric edited items set to ZERO. FILLER , OCCURS DEPENDING ON items left untouched

156. What is the difference between a 01 level and 77 levels?

Ans: 01 level can have sublevels from 02 to 49. 77 cannot have sublevel.

157. What are 77 levels used for?

Ans: Elementary level item. Cannot be subdivisions of other items (cannot be qualified), nor can they be subdivided themselves.

158. What is 88 level used for?

Ans: For condition names.

159. What is level 66 used for?

Ans: For RENAMES clause.

160. What does the IS NUMERIC clause establish?

Ans: IS NUMERIC can be used on alphanumeric items, signed numeric & packed decimal items and unsigned numeric & packed decimal items. IS NUMERIC returns TRUE if the item only consists of 0-9. However, if the item being tested is a signed item, then it may contain 0-9, + and - .

161. Is compute w=u a valid statement?

Ans: Yes, it is. It is equivalent to move u to w.

162. In the above example, when will you prefer compute statement over the move statement?

Ans: When significant left-order digits would be lost in execution, the COMPUTE statement can detect the condition and allow you to handle it. The MOVE statement carries out the assignment with destructive truncation. Therefore, if the size error is needs to be detected, COMPUTE will be preferred over MOVE. The ON SIZE ERROR phrase of COMPUTE statement, compiler generates code to detect size-overflow.

163. What happens when the ON SIZE ERROR phrase is specified on a COMPUTE statement?

Ans: If the condition occurs, the code in the ON SIZE ERROR phrase is performed, and the content of the destination field remains unchanged. If the ON SIZE ERROR phrase is not specified, the assignment is carried out with truncation. There is no ON SIZE ERROR support for the MOVE statement.

164. How will you associate your files with external data sets where they physically reside?

Ans: Using SELECT clause, the files can be associated with external data sets. The SELECT clause is defined in the FILE-CONTROL paragraph of Input-Output Section that is coded Environment Division. The File structure is defined by FD entry under File-Section of Data Division for the OS.

165. How will you define your file to the operating system?

Ans: Associate the file with the external data set using SELECT clause of INPUT-OUTPUT SECTION. INPUT-OUTPUT SECTION appears inside the ENVIRONMENT DIVISION.

166. Explain the use of Declaratives in COBOL?

Ans: Declaratives provide special section that are executed when an exceptional condition occurs. They must be grouped together and coded at the beginning of procedure division and the entire procedure division must be divided into sections. The Declaratives start with a USE statement. The entire group of declaratives is preceded by DECLARIVES and followed by END DECLARITIVES in area A. The three types of declaratives are Exception (when error occurs during file handling), Debugging (to debug lines with 'D' coded in w-s section) and Label (for EOF or beginning...) declaratives.

167. How do you define a table/array in COBOL?

Ans:

01 ARRAYS.

05 ARRAY1 PIC X(9) OCCURS 10 TIMES.

05 ARRAY2 PIC X(6) OCCURS 20 TIMES INDEXED BY WS-INDEX.

168. Can the OCCURS clause be at the 01 level?

Ans: No

169. A statically bound subprogram is called twice. What happens to working-storage variables?

Ans:The working-storage section is allocated at the start of the run-unit and any data items with VALUE clauses are initialized to the appropriate value at the time. When the subprogram is called the second time, a working-storage items persist in their last used state. However, if the program is specified with INITIAL on the PROGRAM-ID, working-storage section is reinitialized each time the program is entered.

170. Significance of the COMMON Attribute ?

Ans:COMMON attribute is used with nested COBOL programs. If it is not specified, other nested programs will not be able to access the program. PROGRAM-ID. Pgmname is COMMON PROGRAM.

171. In which division and section, the Special-names paragraph appears?

Ans: Environment division and Configuration Section.

172. What is the LOCAL-STORAGE SECTION?

Ans:Local-Storage is allocated each time the program is called and is de-allocated when the program returns via an EXIT PROGRAM, GOBACK, or STOP RUN. Any data items with a VALUE clauses are initialized to the appropriate value each time the program is called. The value in the data items is lost when the program returns. It is defined in the DATA DIVISION after WORKING-STORAGE SECTION

173. What does passing BY REFERENCE mean?

Ans:When the data is passed between programs, the subprogram refers to and processes the data items in the calling program's storage, rather than working on a copy of the data. When

CALL . . . BY REFERENCE identifier. In this case, the caller and the called share the same memory.

174. What does passing BY CONTENT mean?

Ans:The calling program passes only the contents of the literal, or identifier. With a CALL . . . BY CONTENT, the called program cannot change the value of the literal or identifier in the calling program, even if it modifies the variable in which it received the literal or identifier.

175. What does passing BY VALUE mean?

Ans:The calling program or method is passing the value of the literal, or identifier, not a reference to the sending data item. The called program or invoked method can change the parameter in the called program or invoked method. However, because the subprogram or method has access only to a temporary copy of the sending data item, those changes do not affect the argument in the calling program. Use By value, If you want to pass data to C program. Parameters must be of certain data type.

176. What is the default, passing BY REFERENCE or passing BY CONTENT or passing BY VALUE?

Ans: Passing by reference (the caller and the called share the same memory).

177. Where do you define your data in a program if the data is passed to the program from a Caller program?

Ans: Linkage Section

Core Java Interview Questions Part-7

91 Q What is java byte code?

Byte code is an sort of intermediate code. The byte code is processed by virtual machine.

92 Q What is method overloading?

Method overloading is the process of creating a new method with the same name and different signature.

93 Q What is method overriding?

Method overriding is the process of giving a new definition for an existing method in its child class.

94 Q What is finalize() ?

Finalize is a protected method in java. When the garbage collector is executes , it will first call finalize( ), and on the next garbage-collection it reclaim the objects memory. So finalize( ), gives you the chance to perform some cleanup operation at the time of garbage collection.

95 Q What is multi-threading?

Multi-threading is the scenario where more than one threads are running.

96 Q What is deadlock?

Deadlock is a situation when two threads are waiting on each other to release a resource. Each thread waiting for a resource which is held by the other waiting thread.

97 Q What is the difference between Iterator and Enumeration?

Iterator differ from enumeration in two ways Iterator allow the caller to remove elements from the underlying collection during the iteration with well-defined semantics. And , method names have been improved.

98 Q What is the Locale class?

A Locale object represents a specific geographical, political, or cultural region

99 Q What is internationalization?

Internationalization is the process of designing an application so that it can be adapted to various languages and regions without changes.

100 Q What is anonymous class ?

A An anonymous class is a type of inner class that don't have any name.

101 Q What is the difference between URL and URLConnection?

A URL represents the location of a resource, and a URLConnection represents a link for accessing or communicating with the resource at the location.

102 Q What are the two important TCP Socket classes?

ServerSocket and Socket. ServerSocket is useful for two-way socket communication. Socket class help us to read and write through the sockets. getInputStream() and getOutputStream() are the two methods available in Socket class.

103 Q Strings are immutable. But String s="Hello"; String s1=s+"World" returns HelloWorld how ?

Here actually a new object is created with the value of HelloWorld

104 Q What is classpath?

Classpath is the path where Java looks for loading class at run time and compile time.

105 Q What is path?

It is an the location where the OS will look for finding out the executable files and commands.

106 Q What is java collections?

Java collections is a set of classes, that allows operations on a collection of classes.

107 Q Can we compile a java program without main?

Yes, we can. In order to compile a java program, we don't require any main method. But to execute a java program we must have a main in it (unless it is an applet or servlet). Because main is the starting point of a java program.

108 Q What is a java compilation unit.

A compilation unit is a java source file.

109 What are the restrictions when overriding a method ?

Overridden methods must have the same name, argument list, and return type (i.e., they must have the exact signature of the method we are going to override, including return type.) The overriding method cannot be less visible than the method it overrides( i.e., a public method cannot be override to private). The overriding method may not throw any exceptions that may not be thrown by the overridden method

110 Q What is static initializer block? What is its use?

A static initializer block is a block of code that declares with the static keyword. It normally contains the block of code that must execute at the time of class loading. The static initializer block will execute only once at the time of loading the class only.

Core Java Interview Questions Part-8

111 Q How does a try statement determine which catch clause should be used to handle an exception?

When an exception is thrown , the catch block of the try statement are examined in the order in which they appear. The first catch block that is capable of handling the exception is executed. The remaining catch blocks are ignored

112 Q How parameters are passed to methods in java program ?

All java method parameters in java are passed by value only. Obviously primitives are passed by value. In case of objects a copy of the reference is passed and so all the changes made in the method will persist.

113 Q If a class doesn't have any constructors, what will happen?

If a class doesn't have a constructor, the JVM will provide a default constructor for the class.

114 Q What will happen if a thread cannot acquire a lock on an object?

It enters to the waiting state until lock becomes available.

115 Q How does multithreading occurring on a computer with a single CPU?

The task scheduler of OS allocates an execution time for multiple tasks. By switching between different executing tasks, it creates the impression that tasks execute sequentially. But actually there is only one task is executed at a time.

116 Q What will happen if you are invoking a thread's interrupt method while the thread is waiting or sleeping?

When the task enters to the running state, it will throw an InterruptedException.

117 Q What are the different ways in which a thread can enter into waiting state?

There are three ways for a thread to enter into waiting state. By invoking its sleep() method, by blocking on I/O, by unsuccessfully attempting to acquire an object's lock, or by invoking an object's wait() method.

118 Q What are the the different ways for creating a thread?

A thread can be created by subclassing Thread, or by implementing the Runnable interface.

119 Q What is the difference between creating a thread by extending Thread class and by implementing Runnable interface? Which one should prefer?

When creating a thread by extending the Thread class, it is not mandatory to override the run method (If we are not overriding the run method , it is useless), because Thread class have already given a default implementation for run method. But if we are implementing Runnable , it is mandatory to override the run method. The preferred way to create a thread is by implementing Runnable interface, because it give loose coupling.

120 Q What is coupling?

Coupling is the dependency between different components of a system

121 Q How is an interface?

An interface is a collection of method declarations and constants. In java interfaces are used to achieve multiple inheritance. It sets a behavioral protocol to all implementing classes.

122 Q What is an abstract class?

An abstract class is an incomplete class. An abstract class is defined with the keyword abstract . We cannot create an object of the abstract class because it is not complete. It sets a behavioral protocol for all its child classes.

123 Q How will you define an interface?

An interface is defined with the keyword interface. Eg:
public interface MyInterface { }

124 Q How will you define an abstract class?

An abstract class is defined with the keyword abstract Eg:
public abstract class MyClass { }

125 Q What is any an anonymous class?

A An anonymous class is a local class with no name.

126 Q What is a JVM heap?

The heap is the runtime data area from which memory for all class instances and arrays is allocated. The heap may be of a fixed size or may be expanded. The heap is created on virtual machine start-up.

127 Q What is difference between string and StringTokenizer?

StringTokenizer as its name suggests tokenizes a String supplied to it as an argument to its constructor and the character based on which tokens of that string are to be made. The default tokenizing character is space " ".

128 Q What is the difference between array and ArrayList ?

Array is collection of same data type. Array size is fixed, It cannot be expanded. But ArrayList is a growable collection of objects. ArrayList is a part of Collections Framework and can work with only objects.

129 Q What is difference between java.lang .Class and java.lang.ClassLoader? What is the hierarchy of ClassLoader ?

Class 'java.lang.Class' represent classes and interfaces in a running Java application. JVM construct 'Class' object when class in loaded. Where as a ClassLoader is also a class which loads the class files into memory in order for the Java programs to execute properly. The hierarchy of ClassLoaders is:

Bootstrap ClassLoaders
Extensive ClassLoaders
System Classpath ClassLoaders
Application ClassLoaders

130 Q What is daemon thread?

Theards which are running on the background are called deamon threads. daemon thread is a thread which doesn't give any chance to run other threads once it enters into the run state it doesn't give any chance to run other threads. Normally it will run forever, but when all other non-daemon threads are dead, daemon thread will be killed by JVM

131 Q What is a green thread?

Native threads can switch between threads preemptively. Green threads switch only when control is explicitly given up by a thread ( Thread.yield(), Object.wait(), etc.) or a thread performs a blocking operation (read(), etc.). On multi-CPU machines, native threads can run more than one thread simultaneously by assigning different threads to different CPUs. Green threads run on only one CPU. Native threads create the appearance that many Java processes are running: each thread takes up its own entry in the process table. One clue that these are all threads of the same process is that the memory size is identical for all the threads - they are all using the same memory. The process table is not infinitely large, and processes can only create a limited number of threads before running out of system resources or hitting configured limits.

Friday, August 15, 2008

TANCET entrance exam 2008 Syllabus online Interview question

Analytical Written Whole Testpaper for Intergraph India.
Total 20 Questions - time limit 20 minutes

1. complete the diagram :
four fig will be given , you have to draw the final one

triangle fig :

2. draw venn diagram relating rhombus, quadrilateral & polygon

3.in a group of 5 persons a,b,c,d,e one of the person is advogate, one is doctor, one businesss man, one shop keeper and one is professor. three of them a,c,and professor prefer playing cricket to foot ball and two of them b and businessman prefer playing foot ball to cricket. the shop keeper and b and a are friends but two of these prefer playing foot ball to cricket. the advogate is c's brother and both play same game . the doctor and e play cricket.

(a) who is advogate ?
a, b, c, d
(b) who is shop keeper ?
a, b, c, d
(c) which of the following group include persons who like playing cricket
but doesn't include professor ?
ab,bc,cd, none
(d) who is doctor ?
a,b,c,d.

{ same model problem is asked in question paper but professions can be different such as horticulturist, physicst, journalist, advocate and other one. Instead of football and cricket they can give tea and coffee }

4. they will give some condition's and asked to find out farthest city in the west (easy one )?

5. travelling sales man problem. some condition will be given we have to find out the order of station the sales man moves
( three Questions )

6. +,-,*, /, will be given different meaning
example : take + as * and so on .
they will give expression and we have to find the value of that.

7. 3+5-2 =4
which has to be interchange to get the result ?

8. we don't no exact problem .
ex : 8a3b5c7d.....
a wiil be given + sign.
b will be given - sign.
find the value of expression ?

9. find the total number of squares in 1/4 of chess board ?
Too easy.


10. 6 face of a cube are painted in a manner ,no 2 adjacent face have same colour. three colurs used are red blue green. cube is cut in to 36 smaller cube in such a manner that 32 cubes are of one size and rest of them bigger size and each bigger side have no red side. following this
three ques will be asked . { in ques paper colors will be different }

11. two ladies ,two men sit in north east west south position of rectancular table. using clues identify their position ?


Tuesday, August 12, 2008

TANCET entrance exam 2008 Syllabus online ..... Interview question

SYLLABUS FOR ENTRANCE TEST & EVALUATION SCHEME FOR MBA DEGREE PROGRAMME (Regular & Self-supporting)

The Question paper will have 5 parts with the following topics:

TANCET 2008 PART 1. To evaluate the candidate's ability to pick out critically the data and apply the data to business decisions from given typical business situations.

TANCET 2008 PART 2. To evaluate the skill of the candidate in answering questions based on the passages in the comprehension.

TANCET 2008 PART 3. To evaluate the skill on solving mathematical problems of graduate level including those learnt in plus two or equivalent level.

TANCET 2008 PART 4. To test on determining data sufficiency for answering certain questions using data given plus the knowledge of Mathematics and use of day - to - day facts.

TANCET 2008 PART 5. To test the knowledge on written English with questions on errors in usage, grammar, punctuation and the like.

Candidates are required to answer 100 objective type questions in 2 hours. Each question will be followed by five alternate answers. The candidate has to choose the correct answer and shade the appropriate circle against the question in the answer sheet with pencil/ball point pen (black or blue).

TANCET 2008 SYLLABUS FOR ENTRANCE TEST FOR MCA DEGREE PROGRAMME (Regular & Self-supporting)

The Question Paper will be designed to test the capability of the candidates in the following areas:

i) Quantitative Ability (ii) Analytical reasoning iii) Logical reasoning (iv) Computer awareness

There may also be few questions on verbal activity, basic science etc.

The Question Paper will have 100 objective type questions. Each question will be followed by four alternate answers. The Candidate has to choose the correct answer and shade the appropriate circle against the question in the answer sheet with pencil/ ball point pen (black or blue).

ENTRANCE TEST SYLLABUS FOR M.E./M.Tech./M.Arch./M.Plan.- Non-Gate Degree Programmes (Regular & Self- Supporting):

The following are the topics of the syllabus for the various parts. The questions will be set at the corresponding degree level.

Part 1 - Mathematics (Common to all Candidates)

(i) Vector calculus (ii) Determinants and Matrics (iii) Analytic function theory (iv) Calculus and ordinary Differential Equations (v) Numerical Methods (vi) Probability and Statistics.

Part 2 - Basic Engg. and Sciences (Common to all Candidates)

(i) Fundamental of Applied Mech. (ii) Fundamentals of Material Science (iii) Basic Civil Engg. (iv) Basic Electrical Engg. (v) Basic Mechanical Engg. (vi) Fundamentals of Computers (vii) Fundamentals of Mathematics (viii) Fundamentals of Physics (ix) Fundamentals of Chemistry.

Part 3 - Civil Engg. & Geo. Informatics

(i) Mechanics of Solids and Structural Analysis (ii) Concrete and Steel Structure (iii) Soil Mechanics and Geo Technical Engineering (iv) Fluid Mechanics and Water Resources Engineering (v) Environmental Engineering (vi) Surveying (vii) Transportation Engineering (viii) Remote Sensing (ix) Geographic Information Systems (GIS).

Part 4 - Mechanical, Automobile and Aeronautical Engineering

(i) Mechanics and Machine Design (ii) Material Science and Metallurgy (iii) Thermo dynamics (iv) Refrigeration and Air Conditioning (v) Production Technology (vi) Automotive Engines (vii) Automotive Transmission (viii) Aerodynamics (ix) Aerospace Propulsion. (x) Strength of Materials

Part 5 - Electrical, Electronics & Communication, Instrumentation and Avionics

(i) Circuit Theory (ii) DC & AC Machines (iii) Control Systems (iv) Communication Systems (v) Power Electronics (vi) Network Analysis (vii) Microprocessors, Computer Applications (viii) Transducers and Instrumentation (ix) Avionics

Part 6 - Earth Sciences

(i) Physical Geology and Geo Morphology (ii) Petrology (iii) Structural Geology (iv) Economic Geology (v) Geo Physics and Engineering Geology (vi) Remote Sensing (vii) Hydro Geology.

Part 7 - Production and Industrial Engineering

(i) Casting, metal forming and metal joining processes (ii) Tool Engineering, Machine tool operation, Metrology and inspection (iii) Engineering Materials, Processing of Plastics and Computer Aided Manufacturing (iv) Product Design, Process Planning, Cost Estimate, Design of Jigs and Fixtures and Press Tools (v) Operations Research (vi) Operations Management (vii) Quality Control Reliability and Maintenance.

Part 8 - Computer Science and Engineering

(i) Discrete Mathematical Structures, Formal Language and Automatia (ii) Micro Processor and Hardware Systems (iii) Computer Organization and Architecture (iv) System Programming including Assemblers, Compilers and Operating Systems (v) Programming Methodology, Data Structures and Algorithms including A1 Algorithm (vi) Database Systems (vii) Computer Networks.

Part 9 - Chemistry, Chemical Engg. & Ceramic Tech.

(i) Thermo dynamics and Kinetics (ii) Heat and Mass Transfer (iii) Fluid Flow (iv) Chemical Process Industries (v) IR, NMR and Mass Spectrometry (vi) Polymer Chemistry and Polymerisation Processes (vii) Fine Ceramics (viii) Glass & Cement (ix) Refractory Materials.(x) Organic reactions (xi) Electro Chemistry.

Part 10 - Textile Technology

Textile Fibers - Production and Properties (ii) Spinning (iii) Fabric Production (iv) Textile Physics (v) Chemical Processing of Textile Materials (vi) Process and Quality Control in Textile Materials.

Part 11 - Leather Technology

(i) Chemistry of Proteins - Collagen and keratin (ii) Principles of various pre-tanning, tanning and post-tanning finishing operations (iii) Technologies aspects of various leather manufacture (iv) Environmental & Management in Leather Industries - Animal and Tannery by-products Utilisation (v) Leather Machinery (vi) Analysis and Testing of Materials used in Leather Processing as well as Leather (vii) Designing and Construction of Footwear and Leather Goods.

Part 12 - Architecture

Building Materials, Building Construction and Technology, History of Architecture, Principles of Architecture, Building Services, Housing, Urban Design and Renewal, Town Planning, Landscape Architecture, Climatology.

Part 13 - Physics and Material Science

(i) Crystal Physics (ii) Electricity and Magnetism (iii) Optics and Quantum Mechanics (iv) Modern Physics (v) Mechanical and Electronic Properties of Materials (vi) Chemical and Thermal properties of materials (vii) Traditional and advanced ceramics.

Part 14 - Applied Probabilities and Statistics

(i) Probability - Introductory ideas (ii) Measures of central tendency and Dispersion (iii) Random variable (one and dimensional) (iv) Standard Probability distributions (v) Sampling and sampling distribution, Estimation (vi) Regression and Correlation analysis (vii) Time series.

Part 15 - Social Sciences

Settlement Geography, Economic Geography, Industrial locations, Regional Planning, Information Systems, Urban Sociology, Community Development, Social Development and Change, Public Participation, Rural Development, Agglomeration Economics, Economic base of settlements, Development Economics and Planning, Land Economics and Industrialization Policy.

Also see whole TANCET 2008 admission, form, entrance exam dates prospectus online information

HP Placement Paper Questions ..... Interview question

HP PLACEMENT PAPER
Paper PART- 1 –> 40 questions (Fundamental computer Concepts, includes OS,N/w , protocols)
Paper PART-2 –> 20 questions (Purely C )
Paper PART-3 –> 20 questions (Analytical)
Question : What is not a part of OS ?
O : swapper,compiler,device driver,file system.
A : compiler.
Q : what is the condition called when the CPU is busy swapping in and out pages of memory without doing any useful work ?
O : Dining philosopher’s problem,thrashing,racearound,option d
A: thrashing.
Q : How are the pages got into main memory from secondary memory?
DMA, Interrupts,option3, option 4
A : as far as i know its Interrupts –by raising a page fault exception.
Q : What is the use of Indexing ?
O : fast linear access, fast random access, sorting of records , option 4
A : find out….
Q : in terms of both space and time which sorting is effecient.(The question isrephrased .)
O : merge sort, bubble sort, quick sort, option 4
A : find out
which case statement will be executed in the following code ?
main()
{ int i =1; switch(i)
{ i++; case 1 : printf (”"); break;
ase 2 : printf(”"); break;efault : printf(”"); break;
Answer : Case1 will only be executed.
Q : In the given structure how do you initialize the day feild?
struct time {
char * day ;
int * mon ;
int * year ;
} * times;
Options : *(times).day, *(times->day), *times->*day.
Answer : *(times->day) — after the execution of this statement compiler generates
error.i didn’t understand why.can anybody explain.
Q: The char has 1 byte boundary , short has 2 byte boundary, int has 4 byte boundary.
what is the total no: of bytes consumed by the following structure:
struct st {char a ; char b; short c ; int z[2] ; char d ; short f; int q ;a

SBI Clerical Exam Current Affairs test Question Paper ..... Interview question

. WHO IS THE PRESENT CHAIRMAN OF CII ?

ANS- K.V.KAMATHI

2. WHAT IS THE FULLFORM OF “BRIC” ?

ANS- BRAZIL,RUSSIA ,INDIA,CHINA

Completely detailed SBI Clerical Exam Question Paper / Job Placement Paper of State Bank Of India new job posts 2008. Fully detailed Current Affairs Test Paper Booklet latest with answer keys.

3. WHICH FILM HAS BAGGED THE BEST MOVIE AWARDS IN IIFA AWARDS WHICH WAS HELD IN BANGKOK ?

ANS- CHAK DE INDIA (YASH CHOPRA)

4. WHO IS THE WINNER OF FRENCH OPEN 2008 MEN’S TITLE ?

ANS- RAFAEL NADAL

5. WHO IS THE WINNER OF DLF IPL CRICKET TOUNAMENT 2008 ?

ANS- RAJASTHAN ROYALS

6. NATIONAL HUMAN RIGHTS COMMISSION CHAIRMAN?

ANS- JUSTICE RAJENDRA BABU

7. WHO IS THE INDIAN HOCKEY COACH ?

ANS- JOKIM KARVALO

8. WHICH FILM HAS BAGGED THE BEST FILM OF GOLDEN PALM AWARD IN CANNES FILM FESTIVAL 2008 ?

ANS- ENTRE LES MURS (THE CLASS)

9. WHO IS THE winner of IIFA Best Actor award 2008 ?

ANS- SHAHRUKH KHAN (CHAK DE INDIA)

10.WHO IS THE CHIEF OF INDIAN AIR FORCE ?

ANS- FALI HOMI MAJOR

11.WHO IS THE MISS UNIVERSE INDIA 2008 ?

ANS- SIMARAN KAUR MUNDI

12.WHO IS THE Miss INDIA WORLD 2008

ANS- PARVATHY OMNAKUTTAN

13.VENUE OF 15TH SAARC SUMMIT 2008?

ANS- COLOMBO (SRI LANKA)

14.WHO GOT DADA SAHEB PHALKE RATNA AWARD 2008?

ANS- B.R.CHOPRA

15.WHO IS THE WINNER OF WORLD CUP CRICKET 2007 ?

ANS- AUSTRALIA

16.WHO IS THE WORLD CUP CRICKET 2007 RUNNER UP ?

ANS- SRI LANKA

17.WHO IS THE WINNER OF FRENCH OPEN 2008 WOMENS TITLE ?

ANS- Ana Ivanovic

18.WHO COMPLETED 16000 RUNS IN ODI RECENTLY ?

ANS- SACHIN TENDULKAR

19.WHO IS THE PRESIDENT OF RUSSIA ?

ANS-DMITRI MEDWEDEV

20.WHO IS THE PRIME MINISTER OF RUSSIA ?

ANS- VLADIMIR PUTIN

21.WHO IS THE WORLD BANK PRESIDENT ?

ANS- ROBERT ZOELLICK

22.INDIA HAS SUCCESSFULLY TEST FIRED AGNI III IN THE MONTH OF MAY 2008. WHICH TYPE OF MISSILE BELONGS TO AGNI III -

ANS - SURFACE TO SURFACE INTERMEDIATE RANGE BALLISTIC MISSILE

Download free online SBI Clerical Exam Job Test Question Paper with answers and solutions. Also see SBI Officers exam question paper. See various HR and technical job interview questions free for top IT companies and Banks here.

SBI Clerical Exam Paper Pattern Latest ..... Interview question

State Bank Of India Clerical Appointment test / Employment exam question paper Latest Pattern:
State bank of india is recruiting clerks about 20000 in number. The placement paper / job test paper pattern is given below for every subject. The number of questions for every subject / topic are given. The pattern is according to State bank of india sbi latest specifications.

General Awareness - 40 questions - 40 marks
English Language - 40 questions - 40 marks
Quantitative Aptitude - 40 questions - 40 marks
Reasoning Ability - 40 questions - 40 marks
Marketing Aptitude / Computer Knowledge - 40 questions - 40 marks
Total are 200 questions and 200 marks

Note: In this time psychometry is not included in examination. See free online SBI Clerical Jobs exam / Test Question Paper with answers and free solutions. Also Downlaod free SBI Officers exam question paper. See various HR and technical job interview questions free for top IT companies and Banks here.

State bank of india placement test paper questions: ..... Interview question

SBI General Knowledge Placement Test Paper questions / recruitment test exam questions booklet with answer keys for State Bank of India free

1. The Kishenganga Power Project is in-
A. Orissa
B. Maharashtra
C. Gujarat
D. Jammu & Kashmir
Ans (D)


2. The late Nirmala Desh Pande was a famous
A. diplomat
B. astrologer
C. Social activist
D. film-star
Ans (C)


3. Who has been awarded the Prem Bhatia Award for the year 2008 ?
A. Nilanjana Bose
B. Rupashree Nanda
C. Nirupama Subramanian
D. None of these
Ans (C)


4. Microwave ovens cook dishes by means of
A. Ultraviolet rays
B. Infra-red rays
C. Convection
D. Conduction
Ans (D)


5. Most of the phenomena related to weather take place in
A. stratosphere
B. ionosphere
C. mesosphere
D. troposphere
Ans (D)


6. The current President of the World Bank is
A. Dominique Strauss-Kahn
B. James D. Wolfansen
C. Barbara Cartland
D. Robert Zoellick
Ans (D)


7. Amartya Sen, the NRI Nobel laureate got the honour for his work on
A. Game theory
B. Securities analysis
C. Poverty and famines
D.Impact of Industrialization
Ans (C)


8. The Quit India resolution was passed at the
A. Bombay session of I.N.C. in 1940
B. Bombay session of I.N.C. in 1941
C. Bombay session of I.N.C. in 1942
D. Bombay session of I.N.C. in 1945.
Ans (C)


9. Who among the following is not a ghazal singer?
A. Talat Aziz
B. Chandan Dass
C. Peenaz Masani
D. Jagdev Singh
Ans (D)


10. Nobel Prize for literature in 2007 was received by-
A. Doris Lessing
B. Albert Al Gore
C. Mohammad Yunus
D. None of these
Ans (A)


11. Meteorites are the heavenly bodies
A. between the Mars and the Jupiter
B. between the Saturn and the Neptune
C. between the Mars and the Venus
D. that burn brightly on entering the Earth’s atmosphere
Ans (D)


12. P-5 is a group of
A. highly developed countries
B. Highly populous countries
C. Permanent members of the Security Council
D. Established nuclear powers
Ans (C)


13. Arrange the following in chronological order:
a. Dandi March
b. McDonald Award
c. Hanging of Bhagat Singh
d. Meerut conspiracy case
A. a, b, c, d
B. b, a, c, d
C. d, c, a, b,
D. d, a, c, b
Ans (A)


14. Which of the following is a land-locked state?
A. Gujarat
B. Andhra Pradesh
C. Madhya Pradesh
D. Tamil Nadu
Ans (C)


15. Which of the following is not an official language as per the 8th schedule?
A. Konkani
B. Sindhi
C. Manipuri
D. English
Ans (D)


16. Which of the following used in making computer chips ?
A. Carbon
B. Uranium
C. Silicon
D. Rubidium
Ans (C)


17. In order to see an undersea object while in a ship, you would make use of a
A. telescope
B. periscope
C. marinoscope
D None of these
Ans (B)


18. Baan Ki-moon , the UNO Secretary-General belong to
A. Saudi Arab
B. Egypt
C. South Korea
D. Brazil
Ans (C)


19. The deepest ocean in the world is
A. The Indian ocean
B. The Atlantic ocean
C. The Pacific ocean
D. None of these
Ans (C)


20. The oldest mutual fund in India is the
A. SBI Mutual Fund
B. BOB Mutual Fund
C. PNB Mutual Fund
D. Unit Trust of India
Ans (D)


21. A candidate for elections to the Lok Sabha stands to lose his Deposit Money if he fails to get
A. 1/5 of the total valid votes
B. 1/8 of the valid votes
C. 1/6 of the valid votes polled
D. none of these
Ans (A)


22. The Varanasi–Kanyakumari National Highway is called
A. N.H. – 8
B. N. H. – 7
C. N.H. – 12
D. N.H. – 9
Ans (B)


23. Which of the following areas of output is witnessing a new revolution?
A. oilseeds
B. fisheries
C. fruits
D. cereals
Ans (A)


24. The W.T.O. came into being on
A. 1st April, 1995
B. 1st April, 1994
C. 1st Jan., 1995
D. 1st Jan., 1996
Ans (C)


25. Bangal was partitioned during the viceroyalty of
A. Lord Rippon
B. Lord Curzon
C. Lord Hardinge
D. Lord Minto
Ans (B)


26. Tata purchased Jaguar and Rover from-
A. Hyundai
B. Maruti-Suzuki
C. Ford Motor
D. General Motor
Ans (C)

See more State Bank of India Questions and answers from job placement test question paper / SBI exam paper free. Download free SBI Clerical Exam papers and Latest SBI Officers recruitment exam test paper questions as these are given free online here.

Capgemini India Placement Test Whole Question Paper ..... Interview question

Capgemini Paper on 14th may held at kolkata, West Bengal
Time: 60 minutes
Set 2
Section A

Questions: (aptitude, technical and other questions)
1. Find min value of fn:
-5-x + 2-x+6-x+10-x; where x is an integer
0/17/23/19
2. units digit in expansion os 2 raised to 51 is:
2/4/6/8
3. 2 men at same tym start walking towards each other from A n B 72 kms apart. sp of A is 4kmph.Sp of B is 2 kmph in 1st hr,2.5 in 2nd, 3 in rd. n so on…when will they meet
i in 7 hrs
ii at 35 kms from A
iii in 10 hrs
iv midway

4. (8*76+19*?-60) / (?*7*12+3-52)=1
5/2/1/3

5. 45 grinders brought @ 2215/-.transpot expense 2190/-.2760/- on octroi . Find SP/piece to make profit of 20%
2585/2225/2670/3325

6. in a 2 digit no unit’s place is halved and tens place is doubled.diff bet the nos is 37.digit in unit’s place is 2 more than tens place.
24/46/42/none

7. if x-y + z = 19 , y + z =20 , x-z=3 , find d value of x+4y-5z
22/38/17/none

8. Find approx value of 39.987/0.8102+1.987*18.02
72/56/86/44

9. If the ratio of prod of 3 diff comp’s A B & C is 4:7:5 and of overall prod last yr was 4lac tones and if each comp had an increase of 20% in prod level this yr what is the prod of Comp B this yr?
2.1L/22.1L/4.1L/none

10. If 70% of a no. is subtracted from itself it reduces to 81.what is two fifth of that no.?
108/54/210/none

11. If a certain sum of money at SI doubles itself in 5 yrs then what is d rate?
5%/20%/25%/14.8%

12. If radius of cylinder and sphere r same and vol of sphere and cylinder r same what is d ratio betn the radius and height of the cylinder
i. R= H
ii. R= (3/4)H
iii. R = (4/3)H
iv. R=2/3H

13. Which one of the foll fractions is arranged in ascending order
i. 9/11,7/9,11/13,13/14
ii 7/8,9/11,11/13,13/14
iii 9/11,11/13,7/8,13/14
iv none
14. A is 4 yrs old and B is thrice A>when A is 12 yrs, how old will B be?
16/20/24/28
15. Boat goes downstream from P to Q in 2hrs, upstream in 6hrs and if speed of stream was ½ of boat in still water. Find dist PQ
6/4/10/none
16. Fresh Grapes contain 90% water by wt. Dried grapes contain 20% water by %age. What will b wt of dried grapes when we begin with 20 kg fresh grapes?
2kg / 2.4kg / 2.5kg /none
17. How many 5 digit no. can b formed wit digits 1, 2, 3,4,5,6 which r divisible by 4 and digits not repeated
144 / 168 / 192 / none
18. Asish was given Rs. 158 in denominations of Rs 1 each. He distributes these in diff bags, such that ne sum of money of denomination betn 1 and 158 can be given in bags. The min no. of such bags reqd
10 / 17 / 15 / none
19.There is a rectangular Garden whose length and width are 60m X 20m.There is a walkway of uniform width around garden. Area of walkway is 516m^2. Find width of walkway
1/2/3/4
20. In a race from pt. X to pt Y and back, Jack averages 0 miles/hr to pt Y and 10 miles/hr back to pr X.Sandy averages 20 miles/hr in both directions. If Jack and Sandy start race at same tym, who’ll finish 1st
Jack/Sandy/they tie/Impossible to tell
21. A man engaged a servant on a condn that he’ll pay Rs 90 and also give him a bag at the end of the yr. He served for 9 months and was given a turban and Rs 65. So the price of turban is
i. Rs 10 / 19 / 0 / 55
22. Three wheels make 36, 24, 60 rev/min. Each has a black mark on it. It is aligned at the start of the qn. When does it align again for the first tym?
14/20/22/5 sec

23. If 1= (3/4)(1+ (y/x) ) then
i. x=3y
ii. x=y/3
iii. x=(2/3)y
iv. none
24. The sum of six consecutive odd nos. is 888. What is the average of the nos.?
i. 147
ii. 148
iii. 149
iv. 146
25. 1010/104*102=10?
i. 8
ii. 6
iii. 4
iv. none

Capgemini Placement Paper Section B
Direction for Qn 1-8

Ans A using I only
Ans B using II only
Ans C using both I and II
Ans D not solvable

Raman and Gaurav Brought eggs from a vendor. How many eggs were bought by each of them
i. Raman bought half as many as Gaurav
ii. The dealer had a stock of 500 eggs at the beginning of day
What is the age of Ramprakash?
i. Ramprakash was born when his father was 26 yrs old
ii. Ramprakash’s mothers age is 3yrs less than his father’s
How much time is reqd for downloading the software?
i. The Data transfer rate is 6 kbps
ii. The size of the software is 4.5 megabytes
Sanjay and Vijay started their journey from Mumbai to Pune. Who reached Pune first?
i. Sanjay overtakes two times Vijay and Vijay overtakes Sanjay two times
ii. Sanjay started first
Is the GDP of country X higher than Country Y?
i. GDP’s of X and Y has been increasing at a compounded annual growth rate of 5% and 6% over he past 5 yrs
ii. 5 yrs ago GDP of X was 1.2 times Y
A boat can ferry 1500 passengers across a river in 12 hrs. How many round trips does it make during the journey?
i. The boat can carry 400 passengers at a time
ii. During its journey, the boat takes 40 mins time each way and 20 mins waiting time at each end.
What are the values of m and n?
i. n is an even integer, m is odd integer and m is greater than n.
ii. The product of m and n is 30
How much is the weight of 20 mangoes and 30 oranges?
i. 1 orange weighs twice that of 1 mango
ii. 2 mangoes and 3 oranges weigh 2 kg

Direction for Qn 9-12
Five teams participated in Pepsi Cup. Each team played against each other. The top teams played finals. A win fetched 2 pts and a tie 1 point

1) South Africa were in the finals
2) India defeated SA but failed to reach the finals
3) Australia lost only one match in the tournament
4) The match between India and Sri Lanka was a tie
5) The undefeated team in the league matches lost in the finals
6) England was one of the best teams that did not qualify

Who were the finalists?
i. SA & India
ii. Aus & SL
iii. SA & SL
iv. none
Who won the finals?
i. Aus
ii. SL
iii. SA
iv. Can’t be determined
How many matches did India Win?
i. 0
ii. 1
iii. 2
iv. can’t be determined
What was the outcome of the India England Match
i. India won
ii. England won
iii. It was a tie
iv. Can’t be determined

Direction for Qn 13-14
These qns are based on situations given below:
7 Uni crick players are to be honored at a special luncheon. The players will be seated on a dais along one side of a single rectangular table.
A and G have to leave the luncheon early and must be seated at the extreme right end of table, which is closest to exit.
B will receive Man of the Match and must be in the centre chair
C and D who are bitter rivals for the position of Wicket keeper dislike one another and should be seated as far apart as possible
E and F are best friends and want to seat together.

Which of the foll may not be seated at either end of the table?
i. C
ii. D
iii. G
iv. F
Which of the foll pairs may not be seated together?
i. E & A
ii. B & D
iii. C & F
iv. G & D

Direction for Qn 15-18
An employee has to allocate offices to 6 staff members. The offices are no. 1-6. the offices are arranged in a row and they are separated from each other by dividers>hence voices, sounds and cigarette smoke flow easily from one office to another
Miss R needs to use the telephone quite often throughout the day. Mr. M and Mr. B need adjacent offices as they need to consult each other often while working. Miss H is a senior employee and his to be allotted the office no. 5, having the biggest window.
Mr D requires silence in office next to his. Mr. T, Mr M and Mr. D are all smokers. Miss H finds tobacco smoke allergic and consecutively the offices next to hers are occupied by non-smokers. Unless specifically stated all the employees maintain an atmosphere of silence during office hrs.

The ideal candidate to occupy office farthest from Mr. B will be
i. Miss H
ii. Mr. M
iii. Mr. T
iv. Mr. D
The three employees who are smokers should be seated in the offices
i. 1 2 4
ii. 2 3 6
iii. 1 2 3
iv. 1 2 3
The ideal office for Mr. M would be
i. 2
ii. 6
iii. 1
iv. 3
In the event of what occurrence within a period of one month since the assignment of the offices would a request for a change in office be put forth by one or more employees?
i. Mr D quitting smoking
ii. Mr. T taking over duties formally taken care of by Miss R
iii. The installation of a water cooler in Miss H’s office
iv. Mr. B suffering from anemia

Direction for Qn 19-20
A robot moves on a graph sheet with x-y axes. The robot is moved by feeding it with a sequence of instructions. The different instructions that can be used in moving it, and their meanings are:
Instruction Meaning
GOTO(x,y) move to pt with co-ord (x,y) no matter where u are currently
WALKX(P) move parallel to x-axis through a distance of p, in the +ve direction if p is +ve and in –ve if p is –ve
WALKY(P) move parallel to y-axis through a distance of p, in the +ve direction if p is +ve and in –ve if p is –ve

The robot reaches point (5,6) when a sequence of 3 instr. Is executed, the first of which is GOTO(x,y) , WALKY(2), WALKY(4). What are the values of x and y??
i. 2,4
ii. 0,0
iii. 3,2
iv. 2,3
The robot is initially at (x.y), x>0 and y<0. The min no. of Instructions needed to be executed to bring it to origin (0,0) if you are prohibited from using GOTO instr. Is:
i. 2
ii. 1
iii. x + y
iv. 0

Direction for Qn 21-23
Ten coins are distr. Among 4 people P, Q, R, S such that one of them gets a coin, another gets 2 coins,3rd gets 3 coins, and 4th gets 4 coins. It is known that Q gets more coins than P, and S gets fewer coins than R

If the no. of coins distr. To Q is twice the no. distr. to P then which one of the foll. is necessarily true?
i. R gets even no. of coins
ii. R gets odd no. of coins
iii. S gets even no. of coins
iv. S gets odd no. of coins
If R gets at least two more coins than S which one of the foll is necessarily true?
i. Q gets at least 2 more coins than S
ii. Q gets more coins than P
iii. P gets more coins than S
iv. P and Q together get at least five coins
If Q gets fewer coins than R, then which one of the foll. is not necessarily true?
i. P and Q together get at least 4 coins
ii. Q and S together get at least 4 coins
iii. R and S together get at least 5 coins
iv. P and R together get at least 5 coins

Direction for Qn 24-25
Elle is 3 times older than Zaheer. Zaheer is ½ as old as Waheeda. Yogesh is elder than Zaheer.

What is sufficient to estimate Elle’s age?
i. Zaheer is 10 yrs old
ii. Yogesh and Waheeda are both older than Zaheer by the same no of yrs.
iii. Both of the above
iv. None of the above
Which one of the foll. statements can be inferred from the info above
i. Yogesh is elder than Waheeda
ii. Elle is older than Waheeda
iii. Elle’s age may be less than that of Waheeda
iv. None of the above

In the placement Papers sets, the questions were the same. Just the question numbers were changed. See other Capgemini India Latest Placement Papers here with technical hr interview questions here.

Capgemini India Latest 2008 July Placement Paper ..... Interview question

CAPGEMINI PAPER ON 22ND JULY, 2008

Here are the written test aptitude and other multiple choice questions from the Capgemini IT company placement exam test paper 2008:

1.Fresh Grapes contain 90% water by wt. Dried grapes contain 20% water by %age. What will b wt of dried grapes when we begin with 20 kg fresh grapes?
2kg / 2.4kg / 2.5kg /none
2.How many 5 digit no. can b formed wit digits 1, 2, 3,4,5,6 which r divisible by 4 and digits not repeated
144 / 168 / 192 / none
3.There is a rectangular garden whose length and width are 60m X 20m.There is a walkway of uniform width around garden. Area of walkway is 516m^2. Find width of walkway
1/2/3/4
4. In a race from pt. X to pt Y and back, Jack averages 0 miles/hr to pt Y and 10 miles/hr back to pr X. Sandy averages 20 miles/hr in both directions. If Jack and Sandy start race at same tIme, who’ll finish 1st
Jack/Sandy/they tie/Impossible to tell
5. A man engaged a servant on a condition that he’ll pay Rs 90 and also give him a bag at the end of the yr. He served for 9 months and was given a turban and Rs 65. So the price of turban is
i. Rs 10 / 19 / 0 / 55
6. Three wheels make 36, 24, 60 rev/min. Each has a black mark on it. It is aligned at the start of the qn.When does it align again for the first time?
14/20/22/5 sec
7. If 1= (3/4)(1+ (y/x) ) then
i. x=3y
ii. x=y/3
iii. x=(2/3)y
iv. none
8. The sum of six consecutive odd nos. is 888. What is the average of the nos.?
i. 147
ii. 148
iii. 149
iv. 146
9.An employee has to allocate offices to 6 staff members. The offices are no. 1-6. the offices are arranged in a row and they are separated from each other by dividers>hence voices, sounds and cigarette smoke flow easily from one office to another
Miss R needs to use the telephone quite often throughout the day. Mr. M and Mr. B need adjacent offices as they need to consult each other often while working. Miss H is a senior employee and his to be allotted the office no. 5, having the biggest window.
Mr. D requires silence in office next to his. Mr. T, Mr. M and Mr. D are all smokers. Miss H finds tobacco smoke allergic and consecutively the offices next to hers are occupied by non-smokers. Unless specifically stated all the employees maintain an atmosphere of silence during office hrs.
a. The ideal candidate to occupy office farthest from Mr. B will be
i. Miss H
ii. Mr. M
iii. Mr. T
iv. Mr. D
b. The three employees who are smokers should be seated in the offices
i. 1 2 4
ii. 2 3 6
iii. 1 2 3
iv. 1 2 3
c. The ideal office for Mr. M would be
i. 2
ii. 6
iii. 1
iv. 3
d. In the event of what occurrence within a period of one month since the assignment of the offices would a request for a change in office be put forth by one or more employees?
i. Mr D quitting smoking
ii. Mr. T taking over duties formally taken care of by Miss R
iii. The installation of a water cooler in Miss H’s office
iv. Mr. B suffering from anemia
10.Ten coins are distr. Among 4 people P, Q, R, S such that one of them gets a coin, another gets 2 coins,3rd gets 3 coins, and 4th gets 4 coins. It is known that Q gets more coins than P, and S gets fewer coins than R
a. If the no. of coins distr. To Q is twice the no. distr. to P then which one of the following. is necessarily true?
i. R gets even no. of coins
ii. R gets odd no. of coins
iii. S gets even no. of coins
iv. S gets odd no. of coins
b. If R gets at least two more coins than S which one of the following is necessarily true?
i. Q gets at least 2 more coins than S
ii. Q gets more coins than P
iii. P gets more coins than S
iv. P and Q together get at least five coins
c. If Q gets fewer coins than R, then which one of the following is not necessarily true?
i. P and Q together get at least 4 coins
ii. Q and S together get at least 4 coins
iii.R and S together get at least 5 coins
iv.P and R together get at least 5 coins
11.Elle is 3 times older than Zaheer. Zaheer is ½ as old as Waheeda. Yogesh is elder than Zaheer.
a. What is sufficient to estimate Elle’s age?
i.Zaheer is 10 yrs old
ii.Yogesh and Waheeda are both older than Zaheer by the same no of yrs.
iii.Both of the above
iv.None of the above
b. Which one of the following statements can be inferred from the info above
i.Yogesh is elder than Waheeda
ii.Elle is older than Waheeda
iii.Elle’s age may be less than that of Waheeda
iv.None of the above

See other Capgemini Placement Test papers, latest 2008 exam papers, call centres, bpo, kpo, executives, voice caller, developers, software engineers, b.tech electronics and communications ece, computer science engineering cse, it information technology freshers placement papers and technical hr interview questions. Download and save free test papers here.

Tech Mahindra Latest Placement Test Paper ..... Interview question

Here is the Tech Mahindra India placement test held on 18th April at Deen Bandhu Chhotu Ram University of Science and Technology Murthal Haryana.
Statistics:

Total Appeared - 135
Written test cleared by - 68
Technical Cleared by - 37
HR Interview - 32

In the multiple choice Written Exam there will be 5 Sections:

2 sections of verbal and non verbal :
Questions like find the missing term, series completion, some logical reasoning questions

3 sections of English Language Test:
General fill in the blanks like prepositions and verbs
Easy synonyms
Reading comprehension part
Its easy one but requires preparation. The questions are expected one.

There are 75 questions in 5 sections to be done in 60 minutes. So the time is short.
There is no negative marking. And there is sectional cutoff.

Tech Mahindra Technical Interview:

Me: Enter the room and good afternoon sir
Int: Good afternoon have your seat.

Then the questions asked were:
Tell me about yourself your background
Keep moving from one company to another?
About low class 10th and 12th scores.
Why the 1 year gap?
About pointers and link list
Can u print fibbonacci series recursively?
Ok do u want to ask anything?

Then the Tech Mahindra Basic HR Interview:

Have your seat.

Describe Yourself.

What is your biggest achievement till now?

1 year gap?

How will your friends describe you?

Can u relocate?

Are you ready to sign a bond and salary?
Then i was asked to go and when the result was declared, i was selected.

Watch other detailed Tech mahindra India and other it companies latest placement exam test papers here free online. You can download or save them here. See actual candidate experiences for tech mahindra technical tech hr interviews.

Tech Mahindra Placement Paper on 21st July at PES Mandya ..... Interview question

Here is the Tech Mahindra Placement test paper held at mandya on 21st july 2008. Its the latest test paper.

Tech Mahindra visited our campus on 21st July 2008. Out of the 185 students, who were eligible for the test, 37 got short listed for the interviews and 19 got placed. The cutoff was 60% with one backlog allowed and it was only for CS, IS, EC and EE engineering b.tech departments.

The Selection Procedure:

Online Test: Written Multiple Choice Type Questions:

100 questions and the time was 60 minutes.

The questions were divided into 6 parts. Three of them were English sections. One was for non-verbal reasoning, one was for verbal reasoning and the other was of quantitative aptitude. There was a sectional cut off for all the sections.

First attempt the english section as it takes less time, then go for logical reasoning / aptitude sections questions.

2. Interviews:

There were 3 interviews for us:

HR cum technical interview, Technical interview and HR interview again.

In the first interview they asked simple questions like the stack concept, use of "%d", use of getch() and the command to drop a table in DBMS - database management systems. One popular question like "Why Tech mahindra?" Here quote some facts about TM company itself.

Technical interview: Asked questions from DBMS (favorite subject as written in resume), normalization, RDBMS, trigger and the use of null pointer.

Final Part - HR Interview:

The first question was "Tell me about your family in brief?"

Other questions were:

Tell me about your hobbies and interests?

Are you ready to go to any place?

Why tech mahindra?

Why did you choose computer science?

What are your short term and long term goals?

So this was the final tech mahindra hr interview. See other latest 2008 placement papers and tech mahindra technical hr interview questions with solutions, tips, tricks and hr interview / group discussion guide free online here for freshers, engineers, developers, etc. Good Luck for your own placement test.

Birlasoft Placement Paper on 28th February ..... Interview question

Here is the latest birlasoft india placement paper held on 28th of February. Here is the account of the paper.

It was a two day campus placement drive. First there was an aptitude test and GD.
In the Aptitude test, there were 50 questions. First 20-25 were technical. First three questions were on conversion from hexadecimal to octal, binary, etc. There were ques on dbms like what is denormalization, questions on java, c language, c++ These were simple questions. The quantitative questions were on alligation, speed and distance, profit and loss, probability, time and work.
Next were questions on English Language. Choose the wrong sentence, synonyms and associate the meanings with the phrases given. Cutoff for the paper was arnd 40.

Group Discussion Round: GD

Topics for gd were future of it industry in india, should ganguly be the captain of indian cricket team, shilpa shetty vs jade goody at big brother, love marriages vs arranged marriages, etc.

Next day there was first a ppt and then the hr cum technical interview:

Questions: Me being an ece student they asked me about the communication system, how does commnication happen, etc.
what are analog and digital signals, advantages of digital over analog - explain in layman's language, examples of where are we using these signals, some questions on optical fibres, their advantages. Then he asked some questions on C language then what are data structures, what is block, what is page statement, explain float

HR Questions:

How do you define success?

How many friends do you have?

What are your positives

Do you read newspaper?

Few more questions:

Finally out of the 1600 students who appeared for the aptitude test 24 were finally selected.

See other latest Birlasoft and other IT MNC placement question papers - download free other entrance exam test papers here with hr interview questions, solutions, tips, answers and tricks here. Good luck! see engineering, electronics and communication, computer science, information technology IT, electrical engineering EE, CSE, ECE, IT related technical / tech interview questions with real candidate experiences for your exam help. Good luck!

Tech Mahindra Placement Paper at SGGS Nanded ..... Interview question

Tech Mahindra India Placement Test Paper on 18th April 2007 at SGGS Nanded engineering college.

Tech Mahindra came to our college on April 18,2007. About 210 candidates appeared for the aptitude test and finally 30 cleared the aptitude test out of which 12 were selected.


1. Tech mahindra PPT:- First there was the paper presentation. They can ask questions abou ti in HR and Technical interview.

2. Online Aptitude Test:

There are 100 questions and time allowed is 1 hour. Listen the instructions from the HR carefully before solving the test. Solve all the questions as there is no negative marking.

There were total 6 sections:-

1.Verbal Ability(35 questions)

2.Analytical(20 q)

3.Quanti.(15 q)

4.English I(10 q)

5.English II(10 q)

6.English III(10 q)

Solve the english section first and then solve the other sections.

3. Technical Interview:

Tell me about yourself?

Tell me about mouse programming in C (As I used mouse programming in my project)

Difference between C and C++

Few basic questions regarding DBMS - database management systems

Asked about my strengths and weakness.

Where do you want to see yourself after 5 years?

They ask tricky questions related to your projects - the project interview questions can be difficult sometimes.

Next was the HR Interview:

Questions:

Tell me about yourself.

How will you sell the drinking bottle?

Why should I select you?

They asked some candidates to talk on a subject for 2 minutes.

In MBT, if you clear Technical interview - the hr is normally easy and just a formality.
There was no Group discussion / GD in the whole test. SO finally 12 persons were selected.

See related Tech Mahindra Sample Placement Test papers 2008 and related technical hr interview questions for computer science, electronics, IT (Cse, ece, it branch) and other IT or engineering graduates. Good luck..

Tech Mahindra Recent Placement Paper at Bangalore ..... Interview question

Tech Mahindra Placement Test Paper on 9th May at

535 students appeared for the TM Placement test. It was a campus placement test held at BMSIT Bangalore. 168 candidates cleared the aptitude round and finally 63 were selected.

Placement Paper Pattern:
General Paper( 5- Sections) 75 Questions in 60 minutes

1. QUANTITATIVE : Percentage, Ratio and Proportion, Series, Numbers, Train Problems, Time and Work, Boat and stream speed / time, etc.

2. Verbal and Non Verbal:

Blood Relations, Puzzles, etc.

3. English Passage

4. English Section: Fill in the blanks, Synonyms, phrases replacement questions.

The english part is easy. First you should do the quantitative part. You have to manage time very well. The results will be declared few hours after the written test / exam.

After 2 days, we had the Technical and HR Interview Round:

TM Tech HR Questions were like: Introduce yourself

What is the difference between Windows XP and Windows 98? (they ask questions according to your resume)

A binary search algorithm

Logical gates - or gates, nand, and, nor, not, etc. structures and conversion of gates

Conversion to Binary

Structures and Pointers

Data Structures & Arrays related technical interview questions

(See the technical interview questions here)

Next was the HR Interview round. As usual it was simple.. thank god. We had 2.9 lacs salary / package. Good luck.. see you at tech mahindra..

See other related Tech mahindra Placement Test Papers, sample papers, latest technical / tech hr interview questions and gd - group discussion topics here for freshers / b.tech engineers ece ee it me cse ones, developers or IT graduates for reputed IT companies - MNC exams: Tech Mahindra Placement Paper on 21st July at PES ..., Tech Mahindra Latest Placement Test Paper, Tech Mahindra Placement Paper at SGGS Nanded and other latest IT Companies placement papers here. Keep watching PreviousPapers.blogspot.com for more free exam preparation resources.

Friday, August 8, 2008

Interview question Capgemini India Latest 2008 July Placement Paper

CAPGEMINI PAPER ON 22ND JULY, 2008

Here are the written test aptitude and other multiple choice questions from the Capgemini IT company placement exam test paper 2008:

1.Fresh Grapes contain 90% water by wt. Dried grapes contain 20% water by %age. What will b wt of dried grapes when we begin with 20 kg fresh grapes?
2kg / 2.4kg / 2.5kg /none
2.How many 5 digit no. can b formed wit digits 1, 2, 3,4,5,6 which r divisible by 4 and digits not repeated
144 / 168 / 192 / none
3.There is a rectangular garden whose length and width are 60m X 20m.There is a walkway of uniform width around garden. Area of walkway is 516m^2. Find width of walkway
1/2/3/4
4. In a race from pt. X to pt Y and back, Jack averages 0 miles/hr to pt Y and 10 miles/hr back to pr X. Sandy averages 20 miles/hr in both directions. If Jack and Sandy start race at same tIme, who’ll finish 1st
Jack/Sandy/they tie/Impossible to tell
5. A man engaged a servant on a condition that he’ll pay Rs 90 and also give him a bag at the end of the yr. He served for 9 months and was given a turban and Rs 65. So the price of turban is
i. Rs 10 / 19 / 0 / 55
6. Three wheels make 36, 24, 60 rev/min. Each has a black mark on it. It is aligned at the start of the qn.When does it align again for the first time?
14/20/22/5 sec
7. If 1= (3/4)(1+ (y/x) ) then
i. x=3y
ii. x=y/3
iii. x=(2/3)y
iv. none
8. The sum of six consecutive odd nos. is 888. What is the average of the nos.?
i. 147
ii. 148
iii. 149
iv. 146
9.An employee has to allocate offices to 6 staff members. The offices are no. 1-6. the offices are arranged in a row and they are separated from each other by dividers>hence voices, sounds and cigarette smoke flow easily from one office to another
Miss R needs to use the telephone quite often throughout the day. Mr. M and Mr. B need adjacent offices as they need to consult each other often while working. Miss H is a senior employee and his to be allotted the office no. 5, having the biggest window.
Mr. D requires silence in office next to his. Mr. T, Mr. M and Mr. D are all smokers. Miss H finds tobacco smoke allergic and consecutively the offices next to hers are occupied by non-smokers. Unless specifically stated all the employees maintain an atmosphere of silence during office hrs.
a. The ideal candidate to occupy office farthest from Mr. B will be
i. Miss H
ii. Mr. M
iii. Mr. T
iv. Mr. D
b. The three employees who are smokers should be seated in the offices
i. 1 2 4
ii. 2 3 6
iii. 1 2 3
iv. 1 2 3
c. The ideal office for Mr. M would be
i. 2
ii. 6
iii. 1
iv. 3
d. In the event of what occurrence within a period of one month since the assignment of the offices would a request for a change in office be put forth by one or more employees?
i. Mr D quitting smoking
ii. Mr. T taking over duties formally taken care of by Miss R
iii. The installation of a water cooler in Miss H’s office
iv. Mr. B suffering from anemia
10.Ten coins are distr. Among 4 people P, Q, R, S such that one of them gets a coin, another gets 2 coins,3rd gets 3 coins, and 4th gets 4 coins. It is known that Q gets more coins than P, and S gets fewer coins than R
a. If the no. of coins distr. To Q is twice the no. distr. to P then which one of the following. is necessarily true?
i. R gets even no. of coins
ii. R gets odd no. of coins
iii. S gets even no. of coins
iv. S gets odd no. of coins
b. If R gets at least two more coins than S which one of the following is necessarily true?
i. Q gets at least 2 more coins than S
ii. Q gets more coins than P
iii. P gets more coins than S
iv. P and Q together get at least five coins
c. If Q gets fewer coins than R, then which one of the following is not necessarily true?
i. P and Q together get at least 4 coins
ii. Q and S together get at least 4 coins
iii.R and S together get at least 5 coins
iv.P and R together get at least 5 coins
11.Elle is 3 times older than Zaheer. Zaheer is ½ as old as Waheeda. Yogesh is elder than Zaheer.
a. What is sufficient to estimate Elle’s age?
i.Zaheer is 10 yrs old
ii.Yogesh and Waheeda are both older than Zaheer by the same no of yrs.
iii.Both of the above
iv.None of the above
b. Which one of the following statements can be inferred from the info above
i.Yogesh is elder than Waheeda
ii.Elle is older than Waheeda
iii.Elle’s age may be less than that of Waheeda
iv.None of the above

See other Capgemini Placement Test papers, latest 2008 exam papers, call centres, bpo, kpo, executives, voice caller, developers, software engineers, b.tech electronics and communications ece, computer science engineering cse, it information technology freshers placement papers and technical hr interview questions. Download and save free test papers here.

Interview question Tech Mahindra Latest Placement Test Paper

Here is the Tech Mahindra India placement test held on 18th April at Deen Bandhu Chhotu Ram University of Science and Technology Murthal Haryana.
Statistics:

Total Appeared - 135
Written test cleared by - 68
Technical Cleared by - 37
HR Interview - 32

In the multiple choice Written Exam there will be 5 Sections:

2 sections of verbal and non verbal :
Questions like find the missing term, series completion, some logical reasoning questions

3 sections of English Language Test:
General fill in the blanks like prepositions and verbs
Easy synonyms
Reading comprehension part
Its easy one but requires preparation. The questions are expected one.

There are 75 questions in 5 sections to be done in 60 minutes. So the time is short.
There is no negative marking. And there is sectional cutoff.

Tech Mahindra Technical Interview:

Me: Enter the room and good afternoon sir
Int: Good afternoon have your seat.

Then the questions asked were:
Tell me about yourself your background
Keep moving from one company to another?
About low class 10th and 12th scores.
Why the 1 year gap?
About pointers and link list
Can u print fibbonacci series recursively?
Ok do u want to ask anything?

Then the Tech Mahindra Basic HR Interview:

Have your seat.

Describe Yourself.

What is your biggest achievement till now?

1 year gap?

How will your friends describe you?

Can u relocate?

Are you ready to sign a bond and salary?
Then i was asked to go and when the result was declared, i was selected.

Watch other detailed Tech mahindra India and other it companies latest placement exam test papers here free online. You can download or save them here. See actual candidate experiences for tech mahindra technical tech hr interviews.

Tech Mahindra Placement Paper on 21st July at PES Mandya

Here is the Tech Mahindra Placement test paper held at mandya on 21st july 2008. Its the latest test paper.

Tech Mahindra visited our campus on 21st July 2008. Out of the 185 students, who were eligible for the test, 37 got short listed for the interviews and 19 got placed. The cutoff was 60% with one backlog allowed and it was only for CS, IS, EC and EE engineering b.tech departments.

The Selection Procedure:

Online Test: Written Multiple Choice Type Questions:

100 questions and the time was 60 minutes.

The questions were divided into 6 parts. Three of them were English sections. One was for non-verbal reasoning, one was for verbal reasoning and the other was of quantitative aptitude. There was a sectional cut off for all the sections.

First attempt the english section as it takes less time, then go for logical reasoning / aptitude sections questions.

2. Interviews:

There were 3 interviews for us:

HR cum technical interview, Technical interview and HR interview again.

In the first interview they asked simple questions like the stack concept, use of "%d", use of getch() and the command to drop a table in DBMS - database management systems. One popular question like "Why Tech mahindra?" Here quote some facts about TM company itself.

Technical interview: Asked questions from DBMS (favorite subject as written in resume), normalization, RDBMS, trigger and the use of null pointer.

Final Part - HR Interview:

The first question was "Tell me about your family in brief?"

Other questions were:

Tell me about your hobbies and interests?

Are you ready to go to any place?

Why tech mahindra?

Why did you choose computer science?

What are your short term and long term goals?

So this was the final tech mahindra hr interview. See other latest 2008 placement papers and tech mahindra technical hr interview questions with solutions, tips, tricks and hr interview / group discussion guide free online here for freshers, engineers, developers, etc. Good Luck for your own placement test.

Birlasoft Placement Paper on 28th February Interview question

Here is the latest birlasoft india placement paper held on 28th of February. Here is the account of the paper.

It was a two day campus placement drive. First there was an aptitude test and GD.
In the Aptitude test, there were 50 questions. First 20-25 were technical. First three questions were on conversion from hexadecimal to octal, binary, etc. There were ques on dbms like what is denormalization, questions on java, c language, c++ These were simple questions. The quantitative questions were on alligation, speed and distance, profit and loss, probability, time and work.
Next were questions on English Language. Choose the wrong sentence, synonyms and associate the meanings with the phrases given. Cutoff for the paper was arnd 40.

Group Discussion Round: GD

Topics for gd were future of it industry in india, should ganguly be the captain of indian cricket team, shilpa shetty vs jade goody at big brother, love marriages vs arranged marriages, etc.

Next day there was first a ppt and then the hr cum technical interview:

Questions: Me being an ece student they asked me about the communication system, how does commnication happen, etc.
what are analog and digital signals, advantages of digital over analog - explain in layman's language, examples of where are we using these signals, some questions on optical fibres, their advantages. Then he asked some questions on C language then what are data structures, what is block, what is page statement, explain float

HR Questions:

How do you define success?

How many friends do you have?

What are your positives

Do you read newspaper?

Few more questions:

Finally out of the 1600 students who appeared for the aptitude test 24 were finally selected.

See other latest Birlasoft and other IT MNC placement question papers - download free other entrance exam test papers here with hr interview questions, solutions, tips, answers and tricks here. Good luck! see engineering, electronics and communication, computer science, information technology IT, electrical engineering EE, CSE, ECE, IT related technical / tech interview questions with real candidate experiences for your exam help. Good luck!

Tech Mahindra Placement Paper at SGGS Nanded Interview question

Tech Mahindra India Placement Test Paper on 18th April 2007 at SGGS Nanded engineering college.

Tech Mahindra came to our college on April 18,2007. About 210 candidates appeared for the aptitude test and finally 30 cleared the aptitude test out of which 12 were selected.


1. Tech mahindra PPT:- First there was the paper presentation. They can ask questions abou ti in HR and Technical interview.

2. Online Aptitude Test:

There are 100 questions and time allowed is 1 hour. Listen the instructions from the HR carefully before solving the test. Solve all the questions as there is no negative marking.

There were total 6 sections:-

1.Verbal Ability(35 questions)

2.Analytical(20 q)

3.Quanti.(15 q)

4.English I(10 q)

5.English II(10 q)

6.English III(10 q)

Solve the english section first and then solve the other sections.

3. Technical Interview:

Tell me about yourself?

Tell me about mouse programming in C (As I used mouse programming in my project)

Difference between C and C++

Few basic questions regarding DBMS - database management systems

Asked about my strengths and weakness.

Where do you want to see yourself after 5 years?

They ask tricky questions related to your projects - the project interview questions can be difficult sometimes.

Next was the HR Interview:

Questions:

Tell me about yourself.

How will you sell the drinking bottle?

Why should I select you?

They asked some candidates to talk on a subject for 2 minutes.

In MBT, if you clear Technical interview - the hr is normally easy and just a formality.
There was no Group discussion / GD in the whole test. SO finally 12 persons were selected.

See related Tech Mahindra Sample Placement Test papers 2008 and related technical hr interview questions for computer science, electronics, IT (Cse, ece, it branch) and other IT or engineering graduates. Good luck..