Some very Cool Easy Technical aptitude 
A copy constructor is called whenever an object is copied. This happens in 
the following cases:
* When an object is create from another object during initialization (Class a 
= b)
* When an object is created from another object as a parameter to a 
constructor (Class a(b))
* When an object is passed by value as an argument to a function 
(function(Class a))
* When an object is return from a function (Class a; … return a;)
* When an exception is thrown using this object type (Class a; …. throw 
a;)
Whenever an object copying scenario like the ones above is encountered, the 
copy constructor is invoked. A copy constructor can be either user defined or 
compiler defined. If the user does not define a copy constructor, then the 
default compiler defined copy constructor will be invoked during object copy 
scenarios. The default copy constructor is a bit-by-bit (member wise) copy. But 
often you will encounter situations where this is not desirable since this is 
just a shallow copy & sometimes you do not want an exact copy or you may 
want to do some custom resource management. 
Class t1;
Class t2=t1; // Copy Constructor is invoked
Class t3;
t3=t1;. // 
Assignment Operator is invoked
In the Code snippet above, the constructor is invoked twice, during the 
creation of objects t1 & t3. (Creation of t2 invokes the copy constructor). 
The destructor is invoked 3 times though. In cases like these, if the 
constructor allocates memory & the destructor frees it, you will see the 
t2's destructor will try to delete already deleted memory, if t1 is destroyed 
before t2 or vice-versa. Meaning, you are hosed. To prevent this, a user defined 
copy constructor needs to be provided. which doesn't do a simple bit-by-bit but 
rather assigns memory specifically for the object & does a deep copy if 
required.
To define a copy constructor for a class T, a constructor of the following 
format needs to be defined.
Class T
{
…
T(const T& t)
…. 
}
You need a reference because if it were T(T t), it would end in a infinite 
recursion. (Was that an oxymoron?). const because you are not changing the 
object in the constructor, you are just copying its contents
Some Important Rules for technical C/C++ questions:
* Don't write a copy constructor if a bit-by-bit copy works for the 
class
* If you defined your own copy constructor, it probably because you needed a 
deep copy or some special resource management, in which case, you will need to 
release these resources at the end, which means you probably need to define a 
destructor & you may also want to think of overloading the assignment 
operator (beware of self-assignment)
Q Does C have boolean variable type?
No, C does not have a boolean variable type.
One can use ints, chars, #defines or enums to achieve the same in
C.
#define TRUE 1
#define FALSE 0
enum bool {false, true};
An enum may be good if the debugger shows the
names of enum constants when examining variables.
Q Where may
variables be defined in C?
Outside a function definition (global scope,
from the point of definition downward in the source code). Inside a block before
any statements other than variable declarations (local scope with respect to the
block).
Q What does the typedef
keyword do?
This keyword provides a short-hand way to write
variable declarations. It is not a true data typing mechanism, rather, it is
syntactic "sugar coating".
For example
typedef struct node
{
int
value;
struct node *next;
}mynode;
This can later be used to declare variables
like this
mynode *ptr1;
& not by the lengthy
expression
struct node *ptr1;
There are three main reasons for using
typedefs:
* It makes the writing of complicated declarations a lot
easier. This helps in eliminating a lot of clutter in the code.
*
It helps in achieving portability in programs. That is, if we use typedefs for
data types that are machine dependent, only the typedefs need to change when the
program is ported to a new platform.
* It helps in providing better
documentation for a program. For example, a node of a doubly linked list is
better understood as ptrToList than just a pointer to a complicated
structure.
Q What is the difference between constants defined
through #define & the constant keyword?
A constant is similar to a variable in the
sense that it represents a memory location (or simply, a value). It is different
from a normal variable, in that it cannot change it's value in the proram - it
must stay for ever stay constant. In general, constants are a useful because
they can prevent program bugs & logical errors(errors are explained later).
Unintended modifications are prevented from occurring. The compiler will catch
attempts to reassign new values to constants.
Constants may be defined
using the preprocessor directive #define. They may also be defined using the
const keyword.
So whats the difference between these
two?
#define ABC 5
&
const int
abc = 5;
There are two main advantages of the second one
over the first technique. First, the type of the constant is defined. "pi" is
float. This allows for some type checking by the compiler. Second, these
constants are variables with a definite scope. The scope of a variable relates
to parts of your program in which it is defined.
There is also one good
use of the important use of the const keyword. Suppose you want to make use of
some structure data in some function. You will pass a pointer to that structure
as argument to that function. But to make sure that your structure is readonly
inside the function you can declare the structure argument as const in function
prototype. This will prevent any accidental modification of the structure values
inside the function.
Q What are Trigraph
characters?
These are used when you keyboard does not
support some special characters
??= #
??( [
          
??) ]
??< {
??> }
??!
|
??/ \
??' ^
??-
~
Q How are floating point numbers stored? Whats the IEEE
format?
IEEE Standard 754 floating point is the most
common representation today for real numbers on computers, including Intel-based
PC's, Macintoshes, & most Unix platforms.
IEEE floating point
numbers have three basic components: the sign, the exponent, & the mantissa.
The mantissa is composed of the fraction & an implicit leading digit
(explained below). The exponent base(2) is implicit & need not be
stored.
The following figure shows the layout for single (32-bit) &
double (64-bit) precision floating-point values. The number of bits for each
field are shown (bit ranges are in square brackets):
Sign Exponent Fraction
Bias
--------------------------------------------------
      
Single Precision 1 [31] 8 [30-23] 23 [22-00] 127
Double Precision 1
[63] 11 [62-52] 52 [51-00] 1023
The sign bit is as simple as it gets. 0 denotes
a positive number; 1 denotes a negative number. Flipping the value of this bit
flips the sign of the number.
The exponent field needs to represent
both positive & negative exponents. To do this, a bias is added to the
actual exponent in order to get the stored exponent. For IEEE single-precision
floats, this value is 127. Thus, an exponent of zero means that 127 is stored in
the exponent field. A stored value of 200 indicates an exponent of (200-127), or
73. For reasons discussed later, exponents of -127 (all 0s) & +128 (all 1s)
are reserved for special numbers. For double precision, the exponent field is 11
bits, & has a bias of 1023.
The mantissa, also known as the
significand, represents the precision bits of the number. It is composed of an
implicit leading bit & the fraction bits. To find out the value of the
implicit leading bit, consider that any number can be expressed in scientific
notation in many different ways. For example, the number five can be represented
as any of these:
5.00 × 100
0.05 × 10 ^
2
5000 × 10 ^ -3
In order to maximize the quantity of
representable numbers, floating-point numbers are typically stored in normalized
form. This basically puts the radix point after the first non-zero digit. In
normalized form, five is represented as 5.0 × 100. A nice little optimization is
available to us in base two, since the only possible non-zero digit is 1. Thus,
we can just assume a leading digit of 1, & don't need to represent it
explicitly. As a result, the mantissa has effectively 24 bits of resolution, by
way of 23 fraction bits.
So, to sum up:
1. The sign bit is 0 for positive, 1 for
negative.
2. The exponent's base is two.
3. The exponent
field contains 127 plus the true exponent for single-precision, or 1023 plus
the true exponent for double precision.
4. The first bit of the
mantissa is typically assumed to be 1.f, where f is the field of fraction
bits.
Q. When should the register modifier be
used?
The register modifier hints to the compiler
that the variable will be heavily used & should be kept in the CPU?s
registers, if possible, so that it can be accessed faster. There are several
restrictions on the use of the register modifier.
First, the variable
must be of a type that can be held in the CPU?s register. This usually means a
single value of a size less than or equal to the size of an integer. Some
machines have registers that can hold floating-point numbers as well. Second,
because the variable might not be stored in memory, its address cannot be taken
with the unary & operator. An attempt to do so is flagged as an error by the
compiler. Some additional rules affect how useful the register modifier is.
Because the number of registers is limited, & because some registers can
hold only certain types of data (such as pointers or floating-point numbers),
the number & types of register modifiers that will actually have any effect
are dependent on what machine the program will run on. Any additional register
modifiers are silently ignored by the compiler. Also, in some cases, it might
actually be slower to keep a variable in a register because that register then
becomes unavailable for other purposes or because the variable isn?t used enough
to justify the overhead of loading & storing it. So when should the register
modifier be used? The answer is never, with most modern compilers. Early C
compilers did not keep any variables in registers unless directed to do so,
& the register modifier was a valuable addition to the language. C compiler
design has advanced to the point, however, where the compiler will usually make
better decisions than the programmer about which variables should be stored in
registers. In fact, many compilers actually ignore the register modifier, which
is perfectly legal, because it is only a hint & not a directive.
  
Q. When should a type cast be
used?
There are two situations in which to use a type
cast.
The first use is to change the type of an operand to an
arithmetic operation so that the operation will be performed properly.
      
The second case is to cast pointer types to & from void * in order to
interface with functions that expect or return void pointers. For example, the
following line type casts the return value of the call to malloc() to be a
pointer to a foo structure.
struct foo *p = (struct foo *)
malloc(sizeof(struct foo));
A type cast should not be used to override a
const or volatile declaration. Overriding these type modifiers can cause the
program to fail to run correctly. A type cast should not be used to turn a
pointer to one type of structure or data type into another. In the
rare
events in which this action is beneficial, using a union to hold the values
makes the programmer?s intentions clearer.
Q. Can structures be assigned to
variables & passed to & from functions?
Yes, they can!
But note that when
structures are passed, returned or assigned, the copying is done only at one
level (The data pointed to by any pointer fields is not copied!.
Q What is the difference between the
declaration & the definition of a variable?.
The definition is the one that actually
allocates space, & provides an initialization value, if any.
There
can be many declarations, but there must be exactly one definition. A definition
tells the compiler to set aside storage for the variable. A declaration makes
the variable known to parts of the program that may wish to use it. A variable
might be defined & declared in the same statement.
Q Do Global variables start out as
zero?
Q To what does the term storage class refer?
What are auto, static, extern, volatile, const classes?
This is a part of a variable declaration that
tells the compiler how to interpret the variable's symbol. It does not in itself
allocate storage, but it usually tells the compiler how the variable should be
stored. Storage class specifiers help you to specify the type of storage used
for data objects. Only one storage class specifier is permitted in a declaration
this makes sense, as there is only one way of storing things & if you omit
the storage class specifier in a declaration, a default is chosen. The default
depends on whether the declaration is made outside a function (external
declarations) or inside a function (internal declarations). For external
declarations the default storage class specifier will be extern & for
internal declarations it will be auto. The only exception to this rule is the
declaration of functions, whose default storage class specifier is always
extern.
Here are C's storage classes & what they
signify:
* auto - local variables.
* static -
variables are defined in a nonvolatile region of memory such that they retain
their contents though out the program's execution.
* register -
asks the compiler to devote a processor register to this variable in order to
speed the program's execution. The compiler may not comply & the variable
looses it contents & identity when the function it which it is defined
terminates.
* extern - tells the compiler that the variable is
defined in another module.
In C, const & volatile are type qualifiers.
The const & volatile type qualifiers are completely independent. A common
misconception is to imagine that somehow const is the opposite of volatile &
vice versa. This is wrong. The keywords const & volatile can be applied to
any declaration, including those of structures, unions, enumerated types or
typedef names. Applying them to a declaration is called qualifying the
declaration?that's why const & volatile are called type qualifiers, rather
than type specifiers.
* const means that something is not
modifiable, so a data object that is declared with const as a part of its type
specification must not be assigned to in any way during the run of a program.
The main intention of introducing const objects was to allow them to be put into
read-only store, & to permit compilers to do extra consistency checking in a
program. Unless you defeat the intent by doing naughty things with pointers, a
compiler is able to check that const objects are not modified explicitly by the
user. It is very likely that the definition of the object will contain an
initializer (otherwise, since you can't assign to it, how would it ever get a
value?), but this is not always the case. For example, if you were accessing a
hardware port at a fixed memory address & promised only to read from it,
then it would be declared to be const but not initialized.
*
volatile tells the compiler that other programs will be modifying this variable
in addition to the program being compiled. For example, an I/O device might need
write directly into a program or data space. Meanwhile, the program itself may
never directly access the memory area in question. In such a case, we would not
want the compiler to optimize-out this data area that never seems to be used by
the program, yet must exist for the program to function correctly in a larger
context. It tells the compiler that the object is subject to sudden change for
reasons which cannot be predicted from a study of the program itself, &
forces every reference to such an object to be a genuine reference.
          
* const volatile - Both constant & volatile.
The "volatile" modifier
The volatile
modifier is a directive to the compiler?s optimizer that operations involving
this variable should not be optimized in certain ways. There are two special
cases in which use of the volatile modifier is desirable. The first case
involves memory-mapped hardware (a device such as a graphics adaptor that
appears to the computer?s hardware as if it were part of the computer?s memory),
& the second involves shared memory (memory used by two or more programs
running simultaneously). Most computers have a set of registers that can be
accessed faster than the computer?s main memory. A good compiler will perform a
kind of optimization called ?redundant load & store removal.? The compiler
looks for places in the code where it can either remove an instruction to load
data from memory because the value is already in a register, or remove an
instruction to store data to memory because the value can stay in a register
until it is changed again anyway.
If a variable is a pointer to
something other than normal memory, such as memory-mapped ports on a
      
peripheral, redundant load & store optimizations might be detrimental. For
instance, here?s a piece of code that might be used to time some
operation:
time_t time_addition(volatile const struct
timer *t, int a)
{
int n;
int x;
        
time_t then;
x = 0;
then = t->value;
for
(n = 0; n < 1000; n++)
{
x = x + a;
}
return t->value - then;
}
In this code, the variable t->value is
actually a hardware counter that is being incremented as time passes. The
function adds the value of a to x 1000 times, & it returns the amount the
timer was incremented by while the 1000 additions were being performed. Without
the volatile modifier, a clever optimizer might assume that the value of t does
not change during the execution of the function, because there is no statement
that explicitly changes it. In that case, there?s no need to read it from memory
a second time & subtract it, because the answer will always be 0. The
compiler might therefore ?optimize? the function by making it always return 0.
If a variable points to data in shared memory, you also don?t want the compiler
to perform redundant load & store optimizations. Shared memory is normally
used to enable two programs to communicate with each other by having one program
store data in the shared portion of memory & the other program read the same
portion of memory. If the compiler optimizes away a load or store of shared
memory, communication between the two programs will be
affected.
No, C does not have a boolean variable type.
One can use ints, chars, #defines or enums to achieve the same in
C.
#define TRUE 1
#define FALSE 0
enum bool {false, true};
An enum may be good if the debugger shows the
names of enum constants when examining variables.
Q Where may
variables be defined in C?
Outside a function definition (global scope,
from the point of definition downward in the source code). Inside a block before
any statements other than variable declarations (local scope with respect to the
block).
Q What does the typedef
keyword do?
This keyword provides a short-hand way to write
variable declarations. It is not a true data typing mechanism, rather, it is
syntactic "sugar coating".
For example
typedef struct node
{
int
value;
struct node *next;
}mynode;
This can later be used to declare variables
like this
mynode *ptr1;
& not by the lengthy
expression
struct node *ptr1;
There are three main reasons for using
typedefs:
* It makes the writing of complicated declarations a lot
easier. This helps in eliminating a lot of clutter in the code.
*
It helps in achieving portability in programs. That is, if we use typedefs for
data types that are machine dependent, only the typedefs need to change when the
program is ported to a new platform.
* It helps in providing better
documentation for a program. For example, a node of a doubly linked list is
better understood as ptrToList than just a pointer to a complicated
structure.
Q What is the difference between constants defined
through #define & the constant keyword?
A constant is similar to a variable in the
sense that it represents a memory location (or simply, a value). It is different
from a normal variable, in that it cannot change it's value in the proram - it
must stay for ever stay constant. In general, constants are a useful because
they can prevent program bugs & logical errors(errors are explained later).
Unintended modifications are prevented from occurring. The compiler will catch
attempts to reassign new values to constants.
Constants may be defined
using the preprocessor directive #define. They may also be defined using the
const keyword.
So whats the difference between these
two?
#define ABC 5
&
const int
abc = 5;
There are two main advantages of the second one
over the first technique. First, the type of the constant is defined. "pi" is
float. This allows for some type checking by the compiler. Second, these
constants are variables with a definite scope. The scope of a variable relates
to parts of your program in which it is defined.
There is also one good
use of the important use of the const keyword. Suppose you want to make use of
some structure data in some function. You will pass a pointer to that structure
as argument to that function. But to make sure that your structure is readonly
inside the function you can declare the structure argument as const in function
prototype. This will prevent any accidental modification of the structure values
inside the function.
Q What are Trigraph
characters?
These are used when you keyboard does not
support some special characters
??= #
??( [
??) ]
??< {
??> }
??!
|
??/ \
??' ^
??-
~
Q How are floating point numbers stored? Whats the IEEE
format?
IEEE Standard 754 floating point is the most
common representation today for real numbers on computers, including Intel-based
PC's, Macintoshes, & most Unix platforms.
IEEE floating point
numbers have three basic components: the sign, the exponent, & the mantissa.
The mantissa is composed of the fraction & an implicit leading digit
(explained below). The exponent base(2) is implicit & need not be
stored.
The following figure shows the layout for single (32-bit) &
double (64-bit) precision floating-point values. The number of bits for each
field are shown (bit ranges are in square brackets):
Sign Exponent Fraction
Bias
--------------------------------------------------
Single Precision 1 [31] 8 [30-23] 23 [22-00] 127
Double Precision 1
[63] 11 [62-52] 52 [51-00] 1023
The sign bit is as simple as it gets. 0 denotes
a positive number; 1 denotes a negative number. Flipping the value of this bit
flips the sign of the number.
The exponent field needs to represent
both positive & negative exponents. To do this, a bias is added to the
actual exponent in order to get the stored exponent. For IEEE single-precision
floats, this value is 127. Thus, an exponent of zero means that 127 is stored in
the exponent field. A stored value of 200 indicates an exponent of (200-127), or
73. For reasons discussed later, exponents of -127 (all 0s) & +128 (all 1s)
are reserved for special numbers. For double precision, the exponent field is 11
bits, & has a bias of 1023.
The mantissa, also known as the
significand, represents the precision bits of the number. It is composed of an
implicit leading bit & the fraction bits. To find out the value of the
implicit leading bit, consider that any number can be expressed in scientific
notation in many different ways. For example, the number five can be represented
as any of these:
5.00 × 100
0.05 × 10 ^
2
5000 × 10 ^ -3
In order to maximize the quantity of
representable numbers, floating-point numbers are typically stored in normalized
form. This basically puts the radix point after the first non-zero digit. In
normalized form, five is represented as 5.0 × 100. A nice little optimization is
available to us in base two, since the only possible non-zero digit is 1. Thus,
we can just assume a leading digit of 1, & don't need to represent it
explicitly. As a result, the mantissa has effectively 24 bits of resolution, by
way of 23 fraction bits.
So, to sum up:
1. The sign bit is 0 for positive, 1 for
negative.
2. The exponent's base is two.
3. The exponent
field contains 127 plus the true exponent for single-precision, or 1023 plus
the true exponent for double precision.
4. The first bit of the
mantissa is typically assumed to be 1.f, where f is the field of fraction
bits.
Q. When should the register modifier be
used?
The register modifier hints to the compiler
that the variable will be heavily used & should be kept in the CPU?s
registers, if possible, so that it can be accessed faster. There are several
restrictions on the use of the register modifier.
First, the variable
must be of a type that can be held in the CPU?s register. This usually means a
single value of a size less than or equal to the size of an integer. Some
machines have registers that can hold floating-point numbers as well. Second,
because the variable might not be stored in memory, its address cannot be taken
with the unary & operator. An attempt to do so is flagged as an error by the
compiler. Some additional rules affect how useful the register modifier is.
Because the number of registers is limited, & because some registers can
hold only certain types of data (such as pointers or floating-point numbers),
the number & types of register modifiers that will actually have any effect
are dependent on what machine the program will run on. Any additional register
modifiers are silently ignored by the compiler. Also, in some cases, it might
actually be slower to keep a variable in a register because that register then
becomes unavailable for other purposes or because the variable isn?t used enough
to justify the overhead of loading & storing it. So when should the register
modifier be used? The answer is never, with most modern compilers. Early C
compilers did not keep any variables in registers unless directed to do so,
& the register modifier was a valuable addition to the language. C compiler
design has advanced to the point, however, where the compiler will usually make
better decisions than the programmer about which variables should be stored in
registers. In fact, many compilers actually ignore the register modifier, which
is perfectly legal, because it is only a hint & not a directive.
Q. When should a type cast be
used?
There are two situations in which to use a type
cast.
The first use is to change the type of an operand to an
arithmetic operation so that the operation will be performed properly.
The second case is to cast pointer types to & from void * in order to
interface with functions that expect or return void pointers. For example, the
following line type casts the return value of the call to malloc() to be a
pointer to a foo structure.
struct foo *p = (struct foo *)
malloc(sizeof(struct foo));
A type cast should not be used to override a
const or volatile declaration. Overriding these type modifiers can cause the
program to fail to run correctly. A type cast should not be used to turn a
pointer to one type of structure or data type into another. In the
rare
events in which this action is beneficial, using a union to hold the values
makes the programmer?s intentions clearer.
Q. Can structures be assigned to
variables & passed to & from functions?
Yes, they can!
But note that when
structures are passed, returned or assigned, the copying is done only at one
level (The data pointed to by any pointer fields is not copied!.
Q What is the difference between the
declaration & the definition of a variable?.
The definition is the one that actually
allocates space, & provides an initialization value, if any.
There
can be many declarations, but there must be exactly one definition. A definition
tells the compiler to set aside storage for the variable. A declaration makes
the variable known to parts of the program that may wish to use it. A variable
might be defined & declared in the same statement.
Q Do Global variables start out as
zero?
Un initialized variables declared with the
"static" keyword are initialized to zero. Such variables are implicitly
initialized to the null pointer if they are pointers, & to 0.0F if they are
floating point numbers.
Local variables start out containing garbage,
unless they are explicitly initialized.
Memory obtained with malloc()
& realloc() is likely to contain junk, & must be initialized. Memory
obtained with calloc() is all-bits-0, but this is not necessarily useful for
pointer or floating-point values (This is in contrast to Global pointers &
Global floating point numbers, which start as zeroes of the right
type).
Q To what does the term storage class refer?
What are auto, static, extern, volatile, const classes?
This is a part of a variable declaration that
tells the compiler how to interpret the variable's symbol. It does not in itself
allocate storage, but it usually tells the compiler how the variable should be
stored. Storage class specifiers help you to specify the type of storage used
for data objects. Only one storage class specifier is permitted in a declaration
this makes sense, as there is only one way of storing things & if you omit
the storage class specifier in a declaration, a default is chosen. The default
depends on whether the declaration is made outside a function (external
declarations) or inside a function (internal declarations). For external
declarations the default storage class specifier will be extern & for
internal declarations it will be auto. The only exception to this rule is the
declaration of functions, whose default storage class specifier is always
extern.
Here are C's storage classes & what they
signify:
* auto - local variables.
* static -
variables are defined in a nonvolatile region of memory such that they retain
their contents though out the program's execution.
* register -
asks the compiler to devote a processor register to this variable in order to
speed the program's execution. The compiler may not comply & the variable
looses it contents & identity when the function it which it is defined
terminates.
* extern - tells the compiler that the variable is
defined in another module.
In C, const & volatile are type qualifiers.
The const & volatile type qualifiers are completely independent. A common
misconception is to imagine that somehow const is the opposite of volatile &
vice versa. This is wrong. The keywords const & volatile can be applied to
any declaration, including those of structures, unions, enumerated types or
typedef names. Applying them to a declaration is called qualifying the
declaration?that's why const & volatile are called type qualifiers, rather
than type specifiers.
* const means that something is not
modifiable, so a data object that is declared with const as a part of its type
specification must not be assigned to in any way during the run of a program.
The main intention of introducing const objects was to allow them to be put into
read-only store, & to permit compilers to do extra consistency checking in a
program. Unless you defeat the intent by doing naughty things with pointers, a
compiler is able to check that const objects are not modified explicitly by the
user. It is very likely that the definition of the object will contain an
initializer (otherwise, since you can't assign to it, how would it ever get a
value?), but this is not always the case. For example, if you were accessing a
hardware port at a fixed memory address & promised only to read from it,
then it would be declared to be const but not initialized.
*
volatile tells the compiler that other programs will be modifying this variable
in addition to the program being compiled. For example, an I/O device might need
write directly into a program or data space. Meanwhile, the program itself may
never directly access the memory area in question. In such a case, we would not
want the compiler to optimize-out this data area that never seems to be used by
the program, yet must exist for the program to function correctly in a larger
context. It tells the compiler that the object is subject to sudden change for
reasons which cannot be predicted from a study of the program itself, &
forces every reference to such an object to be a genuine reference.
* const volatile - Both constant & volatile.
The "volatile" modifier
The volatile
modifier is a directive to the compiler?s optimizer that operations involving
this variable should not be optimized in certain ways. There are two special
cases in which use of the volatile modifier is desirable. The first case
involves memory-mapped hardware (a device such as a graphics adaptor that
appears to the computer?s hardware as if it were part of the computer?s memory),
& the second involves shared memory (memory used by two or more programs
running simultaneously). Most computers have a set of registers that can be
accessed faster than the computer?s main memory. A good compiler will perform a
kind of optimization called ?redundant load & store removal.? The compiler
looks for places in the code where it can either remove an instruction to load
data from memory because the value is already in a register, or remove an
instruction to store data to memory because the value can stay in a register
until it is changed again anyway.
If a variable is a pointer to
something other than normal memory, such as memory-mapped ports on a
peripheral, redundant load & store optimizations might be detrimental. For
instance, here?s a piece of code that might be used to time some
operation:
time_t time_addition(volatile const struct
timer *t, int a)
{
int n;
int x;
time_t then;
x = 0;
then = t->value;
for
(n = 0; n < 1000; n++)
{
x = x + a;
}
return t->value - then;
}
In this code, the variable t->value is
actually a hardware counter that is being incremented as time passes. The
function adds the value of a to x 1000 times, & it returns the amount the
timer was incremented by while the 1000 additions were being performed. Without
the volatile modifier, a clever optimizer might assume that the value of t does
not change during the execution of the function, because there is no statement
that explicitly changes it. In that case, there?s no need to read it from memory
a second time & subtract it, because the answer will always be 0. The
compiler might therefore ?optimize? the function by making it always return 0.
If a variable points to data in shared memory, you also don?t want the compiler
to perform redundant load & store optimizations. Shared memory is normally
used to enable two programs to communicate with each other by having one program
store data in the shared portion of memory & the other program read the same
portion of memory. If the compiler optimizes away a load or store of shared
memory, communication between the two programs will be
affected.
Answer the questions based on the following program:
STRUCT DOUBLELIST
{ DOUBLE CLINKED
INT DET; LIST VOID
STRUCT PREVIOUS; (BE GIVEN AND A PROCEDURE TO
DELETE)
STRUCT NEW; (AN ELEMENT WILL BE
GIVEN)
}
DELETE(STRUCT NODE)
{NODE-PREV-NEXT NODE-NEXT;
NODE-NEXT-PREV NODE-PREV;
IF(NODE==HEAD)
NODE
}
Q. In what case the prev was
(a) All cases
(b) It does not work for the last element
(c) It does not for the first element
(d) None of these
Answer the questions based on the following program
VOID FUNCTION(INT KK)
{KK+=20;
}
VOID FUNCTION (INT K)
INT MM,N=&M
KN = K
KN+-=10;
}
Q. What is the output of the following program
main()
{ int var=25,varp;
varp=&var;
varp p = 10;
fnc(varp)
printf("%d%d,var,varp);
}
(a) 20,55
(b) 35,35
(c) 25,25
(d)55,55
1. a=2, b=3, c=6
Find the value of c/(a+b)-(a+b)/c
2. What does the hexanumber E78 in radix 7.
(a) 12455
(b) 14153
(c) 14256
(d) 13541
(e) 131112
Ans. (d)
3. 10 : 4 seconds :: ? : 6 minutes
Ans. 900
4. Q is not
equal to zero and k = (Q x n - s)/2.What is n?
(a) (2 x k + s)/Q
(b) (2 x s x k)/Q
(c) (2 x k - s)/Q
(d) (2 x k + s x Q)/Q
(e) (k + s)/Q
5. From the following statements determing the order of ranking
M has double the amount as D
Y has 3 rupess more than half the amount of D
Ans. Data insuffiecient
Questions 6 - 10 are to be answered on the following data
A causes B or C, but not both
F occurs only if B occurs
D occurs if B or C occurs
E occurs only if C occurs
J occurs only if E or F occurs
D causes G,H or both
H occurs if E occurs
G occurs if F occurs
6. If A occurs which of the following must occurs
I. F and G
II. E and H
III. D
(a) I only
(b) II only
(c) III only
(d) I,II, & III
(e) I & II (or) II & III but not both
Ans. (e)
7. If B occurs which must occur
(a) D
(b) D and G
(c) G and H
(d) F and G
(e) J
Ans. (a)
8.If J occurs which must have occured
(a) E
(b) either B or C
(c) both E & F
(d) B
(e) both B & C
Ans. (b)
9. Which may occurs as a result of cause not mentioned
I. D
II. A
III. F
(a) I only
(b) II only
(c) I & II
(d) II & III
(e) I,II & III
Ans. (c)
10. E occurs
which one cannot occurs
(a) A
(b) F
(c) D
(d) C
(e) J
Ans. (b)
STRUCT DOUBLELIST
{ DOUBLE CLINKED
INT DET; LIST VOID
STRUCT PREVIOUS; (BE GIVEN AND A PROCEDURE TO
DELETE)
STRUCT NEW; (AN ELEMENT WILL BE
GIVEN)
}
DELETE(STRUCT NODE)
{NODE-PREV-NEXT NODE-NEXT;
NODE-NEXT-PREV NODE-PREV;
IF(NODE==HEAD)
NODE
}
Q. In what case the prev was
(a) All cases
(b) It does not work for the last element
(c) It does not for the first element
(d) None of these
Answer the questions based on the following program
VOID FUNCTION(INT KK)
{KK+=20;
}
VOID FUNCTION (INT K)
INT MM,N=&M
KN = K
KN+-=10;
}
Q. What is the output of the following program
main()
{ int var=25,varp;
varp=&var;
varp p = 10;
fnc(varp)
printf("%d%d,var,varp);
}
(a) 20,55
(b) 35,35
(c) 25,25
(d)55,55
1. a=2, b=3, c=6
Find the value of c/(a+b)-(a+b)/c
2. What does the hexanumber E78 in radix 7.
(a) 12455
(b) 14153
(c) 14256
(d) 13541
(e) 131112
Ans. (d)
3. 10 : 4 seconds :: ? : 6 minutes
Ans. 900
4. Q is not
equal to zero and k = (Q x n - s)/2.What is n?
(a) (2 x k + s)/Q
(b) (2 x s x k)/Q
(c) (2 x k - s)/Q
(d) (2 x k + s x Q)/Q
(e) (k + s)/Q
5. From the following statements determing the order of ranking
M has double the amount as D
Y has 3 rupess more than half the amount of D
Ans. Data insuffiecient
Questions 6 - 10 are to be answered on the following data
A causes B or C, but not both
F occurs only if B occurs
D occurs if B or C occurs
E occurs only if C occurs
J occurs only if E or F occurs
D causes G,H or both
H occurs if E occurs
G occurs if F occurs
6. If A occurs which of the following must occurs
I. F and G
II. E and H
III. D
(a) I only
(b) II only
(c) III only
(d) I,II, & III
(e) I & II (or) II & III but not both
Ans. (e)
7. If B occurs which must occur
(a) D
(b) D and G
(c) G and H
(d) F and G
(e) J
Ans. (a)
8.If J occurs which must have occured
(a) E
(b) either B or C
(c) both E & F
(d) B
(e) both B & C
Ans. (b)
9. Which may occurs as a result of cause not mentioned
I. D
II. A
III. F
(a) I only
(b) II only
(c) I & II
(d) II & III
(e) I,II & III
Ans. (c)
10. E occurs
which one cannot occurs
(a) A
(b) F
(c) D
(d) C
(e) J
Ans. (b)
1 .In a selectionsort of n elements, how many times is the swap function called 
in the complete execution of the algorithm?
A. 1
B. n - 1
C. n log
n
D. n^2
Solution: B.
n-1
2 .Selectionsort and quicksort both fall into the same category
of sorting algorithms. What is this category?
* A. O(n log n) sorts
*
B. Divide-and-conquer sorts
* C. Interchange sorts
* D. Average time is
quadratic.
Solution: C.Interchange
sorts reason:Selection sort is not O(n log n) and not a Divide-conquer sort too
and Average time of quicksort is not quadratic.
3 . Suppose that a selectionsort of 100 items has
completed 42 iterations of the main loop. How many items are now guaranteed to
be in their final spot (never to be moved again)?
* A. 21
* B. 41
*
C. 42
* D. 43
Solution: C. 42
4 .Suppose we are
sorting an array of ten integers using a some quadratic sorting algorithm. After
four iterations of the algorithm's main loop, the array elements are ordered as
shown here:
1 2 3 4 5 0 6 7 8 9
Which statement is correct? (Note:
Our selection sort picks largest items first.)
* A. The algorithm might
be either selection sort or insertion sort.
* B. The algorithm might be
selectionsort, but could not be insertionsort.
* C. The algorithm might be
insertionsort, but could not be selectionsort.
* D. The algorithm is neither
selectionsort nor insertionsort.
Solution: C. The algorithm might be insertion
sort, but could not be selection sort.
5 .Suppose we are sorting an array
of eight integers using a some quadratic sorting algorithm. After four
iterations of the algorithm's main loop, the array elements are ordered as shown
here:
2 4 5 7 8 1 3 6
Which statement is correct? (Note: Our
selectionsort picks largest items first.)
* A. The algorithm might be
either selectionsort or insertionsort.
* B. The algorithm might be
selectionsort, but it is not insertionsort.
* C. The algorithm is not
selectionsort, but it might be insertionsort.
* D. The algorithm is neither
selectionsort nor insertionsort.
Solution: C. The algorithm is not
selectionsort, but it might be insertionsort.
6 .When is insertionsort a
good choice for sorting an array?
* A. Each component of the array
requires a large amount of memory.
* B. Each component of the array requires
a small amount of memory.
* C. The array has only a few items out of
place.
* D. The processor speed is fast.
Solution: C. The array has only a few items out
of place.
7 What is the worst-case time for mergesort to sort an array of
n elements?
* A. O(log n)
* B. O(n)
* C. O(n log n)
* D.
O(n^2)
Solution : C. O(n log
n)
8 What is the worst-case time for quicksort to sort an array of n
elements?
* A. O(log n)
* B. O(n)
* C. O(n log n)
* D.
O(n^2)
Solution: D.
O(n^2)
9 .Mergesort makes two recursive calls. Which statement is true
after these recursive calls finish, but before the merge step?
* A. The
array elements form a heap.
* B. Elements in each half of the array are
sorted amongst themselves.
* C. Elements in the first half of the array are
less than or equal to elements in the second half of the array.
* D. None of
the above.
Solution: B. Elements
in each half of the array are sorted amongst themselves.
10 .Suppose we
are sorting an array of eight integers using quicksort, and we have just
finished the first partitioning with the array looking like this:
2 5 1 7
9 12 11 10
Which statement is correct?
* A. The pivot could be
either the 7 or the 9.
* B. The pivot could be the 7, but it is not the
9.
* C. The pivot is not the 7, but it could be the 9.
* D. Neither the 7
nor the 9 is the pivot.
Solution:
A. The pivot could be either the 7 or the 9.
11 .What is the worst-case
time for heapsort to sort an array of n elements?
* A. O(log n)
* B.
O(n)
* C. O(n log n)
* D. O(n^2)
Solution: C. O(n log n)
12.Suppose you
are given a sorted list of N elements followed by f(N) randomly ordered
elements.How would you sort the entire list if
* A. f(N)=O(1)
* B.
f(N)=O(logN)
* C. f(N)=O(N^1/2)
* D. How large can f(N) be for the entire
list still to be sortable in O(N) time?
Solution:
A. f(N)=O(1) In this case
insertion sort would be the best ,giving the time complexity of O(N)
B.
f(N)=O(log N) Merge sort is the best option with a time complexity of
O(N)
C.f(N)=O(N^1/2) Merge sort is the best option with a time complexity
of O(N)
D.complexity = f(N)log f(N) + N +f(N)
Clearly f(N) is O(N) for
the complexity to be of O(N)
Now O(N) is an over estimate on the upper
bound of f(N) ,which is quite clear from the first term in the above
expression.
Now let f(N) is of the form k.N^(1/p ).Then with some
simplification we get
f(N)log(f(N)) is O(N ^(2/p)) and now to restrict
the whole expression to O(N)
we need to restrict p to p >= 2
But
f(N)is O(N^(1/p)) which means f(N) can at most be of size N^1/2
.
13.Prove that any algorithm that find an element X in a sorted list of
N elements requires Omega(log N) comparisons.
Solution:The search essentially becomes a
search for X in a binary decision tree and this requires Omega(log N)
comparisons.
14.Prove that sorting N elements with integer keys in the
range 1 < style="font-weight: bold;">Solution: Putting the elements
in to their corresponding buckets is of O(N).Then iteration of the buckets and
printing the corresponding keys as many times as their frequency is of
O(M+N).Hence the total complexity.
15.Suppose you have an array of N
elements,containing only 2 distinct keys, true and false.Give an O(N) algorithm
to sort the array.
Solution:Use
bucket sort with 2 buckets.
16.Prove that any comparison based algorithm
to sort 4 elements requires at least 3 comparisons and at the max
comparisons
Solution:The binary
decision tree has maximum distance of 3 and a maximum distance of 5 ,from the
root to the leaf.As each edge corresponds to a comparison,we need minimum of 3
and maximum of 5 comparisons to sort 4 elements.
17. In how many ways can
2 sorted arrays of combined size N be merged?
Solution:Still up for
debate.Any answers? :)
18.Show that binary insertion may reasonably be
expected to be an O(n log n) sort.
Solution:Binary insertion sort employs
binary search to find the right place to insert new elements, and therefore
performs ceil (log(n!)) comparisons in the worst case, which is Θ(n log n). The
algorithm as a whole still takes Θ(n2) time on average due to the series of
swaps required for each insertion, and since it always uses binary search, the
best case is no longer Ω(n) but Ω(n log n).
19.You are given two sets
of numbers Xi and Yj , where i and j run from 1 to N.
Devise an algorithm to
find the M largest values of Xi −Yj . This algorithm should
not be quadratic
in N, though it is permitted to be quadratic in M.
You should regard N as
being of the order of 20,000 and M as being of the order
of 1,000.
Solution:Use an order-statistic algorithm to
find the Mth largest number in X,partition around that number and sort the M
largest numbers.Repeat this for Y but sorting the M smallest numbers.This can be
done in O(N+M log(M))Now with each of these sub-arrays having M elements,find
the difference between each element of X and Y.We have M difference elements for
each Xi in sorted order and in total M^2 differences.Use merge sort repeatedly
to merge these portions .This is of complexity M^2.Hence the
procedure.
20.If 1024 numbers are drawn randomly in the range 0–127 and
sorted by binary
insertion, about how many compares would you
expect?
Solution:We have 3 comparisons
coming in to the picture ab, a=b.The overall number of comparisons won't change
and it is still of the O(N log N). strictly speaking log(N!)
comparisons.
in the complete execution of the algorithm?
A. 1
B. n - 1
C. n log
n
D. n^2
Solution: B.
n-1
2 .Selectionsort and quicksort both fall into the same category
of sorting algorithms. What is this category?
* A. O(n log n) sorts
*
B. Divide-and-conquer sorts
* C. Interchange sorts
* D. Average time is
quadratic.
Solution: C.Interchange
sorts reason:Selection sort is not O(n log n) and not a Divide-conquer sort too
and Average time of quicksort is not quadratic.
3 . Suppose that a selectionsort of 100 items has
completed 42 iterations of the main loop. How many items are now guaranteed to
be in their final spot (never to be moved again)?
* A. 21
* B. 41
*
C. 42
* D. 43
Solution: C. 42
4 .Suppose we are
sorting an array of ten integers using a some quadratic sorting algorithm. After
four iterations of the algorithm's main loop, the array elements are ordered as
shown here:
1 2 3 4 5 0 6 7 8 9
Which statement is correct? (Note:
Our selection sort picks largest items first.)
* A. The algorithm might
be either selection sort or insertion sort.
* B. The algorithm might be
selectionsort, but could not be insertionsort.
* C. The algorithm might be
insertionsort, but could not be selectionsort.
* D. The algorithm is neither
selectionsort nor insertionsort.
Solution: C. The algorithm might be insertion
sort, but could not be selection sort.
5 .Suppose we are sorting an array
of eight integers using a some quadratic sorting algorithm. After four
iterations of the algorithm's main loop, the array elements are ordered as shown
here:
2 4 5 7 8 1 3 6
Which statement is correct? (Note: Our
selectionsort picks largest items first.)
* A. The algorithm might be
either selectionsort or insertionsort.
* B. The algorithm might be
selectionsort, but it is not insertionsort.
* C. The algorithm is not
selectionsort, but it might be insertionsort.
* D. The algorithm is neither
selectionsort nor insertionsort.
Solution: C. The algorithm is not
selectionsort, but it might be insertionsort.
6 .When is insertionsort a
good choice for sorting an array?
* A. Each component of the array
requires a large amount of memory.
* B. Each component of the array requires
a small amount of memory.
* C. The array has only a few items out of
place.
* D. The processor speed is fast.
Solution: C. The array has only a few items out
of place.
7 What is the worst-case time for mergesort to sort an array of
n elements?
* A. O(log n)
* B. O(n)
* C. O(n log n)
* D.
O(n^2)
Solution : C. O(n log
n)
8 What is the worst-case time for quicksort to sort an array of n
elements?
* A. O(log n)
* B. O(n)
* C. O(n log n)
* D.
O(n^2)
Solution: D.
O(n^2)
9 .Mergesort makes two recursive calls. Which statement is true
after these recursive calls finish, but before the merge step?
* A. The
array elements form a heap.
* B. Elements in each half of the array are
sorted amongst themselves.
* C. Elements in the first half of the array are
less than or equal to elements in the second half of the array.
* D. None of
the above.
Solution: B. Elements
in each half of the array are sorted amongst themselves.
10 .Suppose we
are sorting an array of eight integers using quicksort, and we have just
finished the first partitioning with the array looking like this:
2 5 1 7
9 12 11 10
Which statement is correct?
* A. The pivot could be
either the 7 or the 9.
* B. The pivot could be the 7, but it is not the
9.
* C. The pivot is not the 7, but it could be the 9.
* D. Neither the 7
nor the 9 is the pivot.
Solution:
A. The pivot could be either the 7 or the 9.
11 .What is the worst-case
time for heapsort to sort an array of n elements?
* A. O(log n)
* B.
O(n)
* C. O(n log n)
* D. O(n^2)
Solution: C. O(n log n)
12.Suppose you
are given a sorted list of N elements followed by f(N) randomly ordered
elements.How would you sort the entire list if
* A. f(N)=O(1)
* B.
f(N)=O(logN)
* C. f(N)=O(N^1/2)
* D. How large can f(N) be for the entire
list still to be sortable in O(N) time?
Solution:
A. f(N)=O(1) In this case
insertion sort would be the best ,giving the time complexity of O(N)
B.
f(N)=O(log N) Merge sort is the best option with a time complexity of
O(N)
C.f(N)=O(N^1/2) Merge sort is the best option with a time complexity
of O(N)
D.complexity = f(N)log f(N) + N +f(N)
Clearly f(N) is O(N) for
the complexity to be of O(N)
Now O(N) is an over estimate on the upper
bound of f(N) ,which is quite clear from the first term in the above
expression.
Now let f(N) is of the form k.N^(1/p ).Then with some
simplification we get
f(N)log(f(N)) is O(N ^(2/p)) and now to restrict
the whole expression to O(N)
we need to restrict p to p >= 2
But
f(N)is O(N^(1/p)) which means f(N) can at most be of size N^1/2
.
13.Prove that any algorithm that find an element X in a sorted list of
N elements requires Omega(log N) comparisons.
Solution:The search essentially becomes a
search for X in a binary decision tree and this requires Omega(log N)
comparisons.
14.Prove that sorting N elements with integer keys in the
range 1 < style="font-weight: bold;">Solution: Putting the elements
in to their corresponding buckets is of O(N).Then iteration of the buckets and
printing the corresponding keys as many times as their frequency is of
O(M+N).Hence the total complexity.
15.Suppose you have an array of N
elements,containing only 2 distinct keys, true and false.Give an O(N) algorithm
to sort the array.
Solution:Use
bucket sort with 2 buckets.
16.Prove that any comparison based algorithm
to sort 4 elements requires at least 3 comparisons and at the max
comparisons
Solution:The binary
decision tree has maximum distance of 3 and a maximum distance of 5 ,from the
root to the leaf.As each edge corresponds to a comparison,we need minimum of 3
and maximum of 5 comparisons to sort 4 elements.
17. In how many ways can
2 sorted arrays of combined size N be merged?
Solution:Still up for
debate.Any answers? :)
18.Show that binary insertion may reasonably be
expected to be an O(n log n) sort.
Solution:Binary insertion sort employs
binary search to find the right place to insert new elements, and therefore
performs ceil (log(n!)) comparisons in the worst case, which is Θ(n log n). The
algorithm as a whole still takes Θ(n2) time on average due to the series of
swaps required for each insertion, and since it always uses binary search, the
best case is no longer Ω(n) but Ω(n log n).
19.You are given two sets
of numbers Xi and Yj , where i and j run from 1 to N.
Devise an algorithm to
find the M largest values of Xi −Yj . This algorithm should
not be quadratic
in N, though it is permitted to be quadratic in M.
You should regard N as
being of the order of 20,000 and M as being of the order
of 1,000.
Solution:Use an order-statistic algorithm to
find the Mth largest number in X,partition around that number and sort the M
largest numbers.Repeat this for Y but sorting the M smallest numbers.This can be
done in O(N+M log(M))Now with each of these sub-arrays having M elements,find
the difference between each element of X and Y.We have M difference elements for
each Xi in sorted order and in total M^2 differences.Use merge sort repeatedly
to merge these portions .This is of complexity M^2.Hence the
procedure.
20.If 1024 numbers are drawn randomly in the range 0–127 and
sorted by binary
insertion, about how many compares would you
expect?
Solution:We have 3 comparisons
coming in to the picture ab, a=b.The overall number of comparisons won't change
and it is still of the O(N log N). strictly speaking log(N!)
comparisons.
Declarations & Initializations:
Q How do you decide that integer type to use?
A: If you might need large values (above 32,767 or below -32,767), use long.
Otherwise, if space is very important (i.e. if there are large arrays or many
structures), use short. Otherwise, use int. If well-defined overflow
characteristics are important & negative values are not, or if you want to
steer clear of sign- extension problems when manipulating bits or bytes, use one
of the corresponding unsigned types. (Beware when mixing signed & unsigned
values in expressions, though.) Although character types (especially unsigned
char) can be used as "tiny" integers, doing so is sometimes more trouble than
it's worth, due to unpredictable sign extension & increased code
size.
A similar space/time tradeoff applies when deciding between float &
double. None of the above rules apply if the address of a variable is taken
& must have a particular type. If for some reason you need to declare
something with an *exact* size (usually the only good reason for doing so is
when attempting to conform to some externally-imposed storage layout, but see
question 20.5), be sure to encapsulate the choice behind an appropriate
typedef.
Q What should the 64-bit type on a machine that can support
it?
A: The forthcoming revision to the C Standard (C9X) specifies type long long
as effectively being at least 64 bits, & this type has been implemented by a
number of compilers for some time. (Others have implemented extensions such as
__longlong.) On the other hand, there's no theoretical reason why a compiler
couldn't implement type short int as 16, int as 32, & long int as 64 bits,
& some compilers do indeed choose this arrangement.
Q What is the best way to declare & define global variables &
functions?
A: First, though there can be many "declarations" (& in many translation
units) of a single "global" (strictly speaking, "external") variable or
function, there must be exactly one "definition". (The definition is the
declaration that actually allocates space, & provides an initialization
value, if any.) The best arrangement is to place each definition in some
relevant .c file, with an external declaration in a header (".h") file, that is
#included wherever the declaration is needed. The .c file containing the
definition should also #include the same header file, so that the compiler can
check that the definition matches the declarations. This rule promotes a high
degree of portability: it is consistent with the requirements of the ANSI C
Standard, & is also consistent with most pre-ANSI compilers & linkers.
(Unix compilers & linkers typically use a "common model" that allows
multiple definitions, as long as at most one is initialized; this behavior is
mentioned as a "common extension" by the ANSI Standard, no pun intended. A few
very odd systems may require an explicit initializer to distinguish a definition
from an external declaration.) It is possible to use preprocessor tricks to
arrange that a line like DEFINE(int, i); need only be entered once in one header
file, & turned into a definition or a declaration depending on the setting
of some macro, but it's not clear if this is worth the trouble. It's especially
important to put global declarations in header files if you want the compiler to
catch inconsistent declarations for you. In particular, never place a prototype
for an external function in a .c file: it wouldn't generally be checked for
consistency with the definition, & an incompatible prototype is worse than
useless.
Q What does extern mean in a function declaration?
A: It can be used as a stylistic hint to indicate that the function's
definition is probably in another source file, but there is no formal difference
between extern int f(); & int f();
Q What is the auto keyword good for?
A: Nothing; it's archaic.
Q Define a linked list & tried typedef struct { char *item;
NODEPTR next; } *NODEPTR; but the compiler give to error messages. Can't a
structure in C contain a pointer to itself?
A: Structures in C can certainly contain pointers to themselves; the
discussion & example in section 6.5 of K&R make this clear. The problem
with the NODEPTR example is that the typedef has not been defined at the point
where the "next" field is declared. To fix this code, first give the structure a
tag ("struct node"). Then, declare the "next" field as a simple "struct node *",
or disentangle the typedef declaration from the structure definition, or both.
One corrected version would be struct node { char *item; struct node *next; };
typedef struct node *NODEPTR; & there are at least three other equivalently
correct ways of arranging it. A similar problem, with a similar solution, can
arise when attempting to declare a pair of typedef'ed mutually referential
structures.
Q How do you declare an array of N pointers to functions returning
pointers to functions returning pointers to characters?
A: The first part of this question can be answered in at least three
ways:
1. char *(*(*a[N])())(); 2. Build the declaration up incrementally, using
typedefs: typedef char *pc; /* pointer to char */ typedef pc fpc(); /* function
returning pointer to char */ typedef fpc *pfpc; /* pointer to above */ typedef
pfpc fpfpc(); /* function returning... */ typedef fpfpc *pfpfpc; /* pointer
to... */ pfpfpc a[N]; /* array of... */ 3. Use the cdecl program, that turns
English into C & vice versa: cdecl> declare a as array of pointer to
function returning pointer to function returning pointer to char char
*(*(*a[])())() cdecl can also explain complicated declarations, help with casts,
& indicate that set of parentheses the arguments go in (for complicated
function definitions, like the one above). Any good book on C should explain how
to read these complicated C declarations "inside out" to understand them
("declaration mimics use"). The pointer-to-function declarations in the examples
above have not included parameter type information. When the parameters have
complicated types, declarations can *really* get messy.
Q How you declare a function that can return a pointer to a function
of the same type? you will building a state machine with one function for each
state, each of that returns a pointer to the function for the next state. But
you can't find a way to declare the functions.
A: We can't quite do it directly. Either have the function return a generic
function pointer, with some judicious casts to adjust the types as the pointers
are passed around; or have it return a structure containing only a pointer to a
function returning that structure.
Q Some compiler is complaining about an invalid redeclaration of a
function, but you only define it once & call it once.
A: Functions that are called without a declaration in scope (perhaps because
the first call precedes the function's definition) are assumed to be declared as
returning int (& without any argument type information), leading to
discrepancies if the function is later declared or defined Or. Non-int functions
must be declared before they are called. Another possible source of this problem
is that the function has the same name as another one declared in some header
file.
Q. What is the right declaration for main()? Is void main()
correct?
A: But no, it's not correct
Q. What are you allowed to assume about the initial values of
variables that are not explicitly initialized? If global variables start out as
"zero", is that good enough for null pointers & floating-point
zeroes?
A: Uninitialized variables with "static" duration (that is, those declared
outside of functions, & those declared with the storage class static), are
guaranteed to start out as zero, as if the programmer had typed "= 0".
Therefore, such variables are implicitly initialized to the null pointer (of the
correct type; see also section 5) if they are pointers, & to 0.0 if they are
floating-point. Variables with "automatic" duration (i.e. local variables
without the static storage class) start out containing garbage, unless they are
explicitly initialized. (Nothing useful can be predicted about the garbage.)
Dynamically-allocated memory obtained with malloc() & realloc() is also
likely to contain garbage, & must be initialized by the calling program, as
appropriate. Memory obtained with calloc() is all-bits-0, but this is not
necessarily useful for pointer or floating-point values
Q How do you decide that integer type to use?
A: If you might need large values (above 32,767 or below -32,767), use long.
Otherwise, if space is very important (i.e. if there are large arrays or many
structures), use short. Otherwise, use int. If well-defined overflow
characteristics are important & negative values are not, or if you want to
steer clear of sign- extension problems when manipulating bits or bytes, use one
of the corresponding unsigned types. (Beware when mixing signed & unsigned
values in expressions, though.) Although character types (especially unsigned
char) can be used as "tiny" integers, doing so is sometimes more trouble than
it's worth, due to unpredictable sign extension & increased code
size.
A similar space/time tradeoff applies when deciding between float &
double. None of the above rules apply if the address of a variable is taken
& must have a particular type. If for some reason you need to declare
something with an *exact* size (usually the only good reason for doing so is
when attempting to conform to some externally-imposed storage layout, but see
question 20.5), be sure to encapsulate the choice behind an appropriate
typedef.
Q What should the 64-bit type on a machine that can support
it?
A: The forthcoming revision to the C Standard (C9X) specifies type long long
as effectively being at least 64 bits, & this type has been implemented by a
number of compilers for some time. (Others have implemented extensions such as
__longlong.) On the other hand, there's no theoretical reason why a compiler
couldn't implement type short int as 16, int as 32, & long int as 64 bits,
& some compilers do indeed choose this arrangement.
Q What is the best way to declare & define global variables &
functions?
A: First, though there can be many "declarations" (& in many translation
units) of a single "global" (strictly speaking, "external") variable or
function, there must be exactly one "definition". (The definition is the
declaration that actually allocates space, & provides an initialization
value, if any.) The best arrangement is to place each definition in some
relevant .c file, with an external declaration in a header (".h") file, that is
#included wherever the declaration is needed. The .c file containing the
definition should also #include the same header file, so that the compiler can
check that the definition matches the declarations. This rule promotes a high
degree of portability: it is consistent with the requirements of the ANSI C
Standard, & is also consistent with most pre-ANSI compilers & linkers.
(Unix compilers & linkers typically use a "common model" that allows
multiple definitions, as long as at most one is initialized; this behavior is
mentioned as a "common extension" by the ANSI Standard, no pun intended. A few
very odd systems may require an explicit initializer to distinguish a definition
from an external declaration.) It is possible to use preprocessor tricks to
arrange that a line like DEFINE(int, i); need only be entered once in one header
file, & turned into a definition or a declaration depending on the setting
of some macro, but it's not clear if this is worth the trouble. It's especially
important to put global declarations in header files if you want the compiler to
catch inconsistent declarations for you. In particular, never place a prototype
for an external function in a .c file: it wouldn't generally be checked for
consistency with the definition, & an incompatible prototype is worse than
useless.
Q What does extern mean in a function declaration?
A: It can be used as a stylistic hint to indicate that the function's
definition is probably in another source file, but there is no formal difference
between extern int f(); & int f();
Q What is the auto keyword good for?
A: Nothing; it's archaic.
Q Define a linked list & tried typedef struct { char *item;
NODEPTR next; } *NODEPTR; but the compiler give to error messages. Can't a
structure in C contain a pointer to itself?
A: Structures in C can certainly contain pointers to themselves; the
discussion & example in section 6.5 of K&R make this clear. The problem
with the NODEPTR example is that the typedef has not been defined at the point
where the "next" field is declared. To fix this code, first give the structure a
tag ("struct node"). Then, declare the "next" field as a simple "struct node *",
or disentangle the typedef declaration from the structure definition, or both.
One corrected version would be struct node { char *item; struct node *next; };
typedef struct node *NODEPTR; & there are at least three other equivalently
correct ways of arranging it. A similar problem, with a similar solution, can
arise when attempting to declare a pair of typedef'ed mutually referential
structures.
Q How do you declare an array of N pointers to functions returning
pointers to functions returning pointers to characters?
A: The first part of this question can be answered in at least three
ways:
1. char *(*(*a[N])())(); 2. Build the declaration up incrementally, using
typedefs: typedef char *pc; /* pointer to char */ typedef pc fpc(); /* function
returning pointer to char */ typedef fpc *pfpc; /* pointer to above */ typedef
pfpc fpfpc(); /* function returning... */ typedef fpfpc *pfpfpc; /* pointer
to... */ pfpfpc a[N]; /* array of... */ 3. Use the cdecl program, that turns
English into C & vice versa: cdecl> declare a as array of pointer to
function returning pointer to function returning pointer to char char
*(*(*a[])())() cdecl can also explain complicated declarations, help with casts,
& indicate that set of parentheses the arguments go in (for complicated
function definitions, like the one above). Any good book on C should explain how
to read these complicated C declarations "inside out" to understand them
("declaration mimics use"). The pointer-to-function declarations in the examples
above have not included parameter type information. When the parameters have
complicated types, declarations can *really* get messy.
Q How you declare a function that can return a pointer to a function
of the same type? you will building a state machine with one function for each
state, each of that returns a pointer to the function for the next state. But
you can't find a way to declare the functions.
A: We can't quite do it directly. Either have the function return a generic
function pointer, with some judicious casts to adjust the types as the pointers
are passed around; or have it return a structure containing only a pointer to a
function returning that structure.
Q Some compiler is complaining about an invalid redeclaration of a
function, but you only define it once & call it once.
A: Functions that are called without a declaration in scope (perhaps because
the first call precedes the function's definition) are assumed to be declared as
returning int (& without any argument type information), leading to
discrepancies if the function is later declared or defined Or. Non-int functions
must be declared before they are called. Another possible source of this problem
is that the function has the same name as another one declared in some header
file.
Q. What is the right declaration for main()? Is void main()
correct?
A: But no, it's not correct
Q. What are you allowed to assume about the initial values of
variables that are not explicitly initialized? If global variables start out as
"zero", is that good enough for null pointers & floating-point
zeroes?
A: Uninitialized variables with "static" duration (that is, those declared
outside of functions, & those declared with the storage class static), are
guaranteed to start out as zero, as if the programmer had typed "= 0".
Therefore, such variables are implicitly initialized to the null pointer (of the
correct type; see also section 5) if they are pointers, & to 0.0 if they are
floating-point. Variables with "automatic" duration (i.e. local variables
without the static storage class) start out containing garbage, unless they are
explicitly initialized. (Nothing useful can be predicted about the garbage.)
Dynamically-allocated memory obtained with malloc() & realloc() is also
likely to contain garbage, & must be initialized by the calling program, as
appropriate. Memory obtained with calloc() is all-bits-0, but this is not
necessarily useful for pointer or floating-point values
Q What is an 
attribute?
It is a particular property, which describes the entity.
Q
What is a Relation Schema & a Relation?
A relation Schema denoted by
R(A1, A2, …, An) is made up of the relation name
R & the list of
attributes Ai that it contains. A relation is defined as a set of tuples. Let
r
be the relation which contains set tuples (t1, t2, t3, ..., tn). Each tuple
is an ordered list of n-values t=(v1,v2, ..., vn).
It is the number of
attribute of its relation schema.
Q What is an Extension
of entity type?
The collections of entities of a particular entity type are
grouped together into an
entity set.
Q What is Weak Entity set?
An
entity set may not have sufficient attributes to form a primary key, &
its
primary key compromises of its partial key & primary key of its
parent entity, then it is
said to be Weak Entityset
Q What is
Relationship?
It is an association among two or more entities.
Q What
is Relationship set?
The collection (or set) of similar
relationships.
Q What is Relationship type?
Relationship type defines
a set of associations or a relationship set among a given
set of entity
types.
QWhat is an Entity?
It
is a 'thing' in the real world with an independent existence.
Q What is
an Entity type?
It is a collection (set) of entities that have same
attributes.
Q What is an Entity set?
It is a collection of all
entities of particular entity type in the database.
attribute?
It is a particular property, which describes the entity.
Q
What is a Relation Schema & a Relation?
A relation Schema denoted by
R(A1, A2, …, An) is made up of the relation name
R & the list of
attributes Ai that it contains. A relation is defined as a set of tuples. Let
r
be the relation which contains set tuples (t1, t2, t3, ..., tn). Each tuple
is an ordered list of n-values t=(v1,v2, ..., vn).
It is the number of
attribute of its relation schema.
Q What is an Extension
of entity type?
The collections of entities of a particular entity type are
grouped together into an
entity set.
Q What is Weak Entity set?
An
entity set may not have sufficient attributes to form a primary key, &
its
primary key compromises of its partial key & primary key of its
parent entity, then it is
said to be Weak Entityset
Q What is
Relationship?
It is an association among two or more entities.
Q What
is Relationship set?
The collection (or set) of similar
relationships.
Q What is Relationship type?
Relationship type defines
a set of associations or a relationship set among a given
set of entity
types.
QWhat is an Entity?
It
is a 'thing' in the real world with an independent existence.
Q What is
an Entity type?
It is a collection (set) of entities that have same
attributes.
Q What is an Entity set?
It is a collection of all
entities of particular entity type in the database.
Q. What is the use of the DROP option in the 
ALTER TABLE comm&?
It is used to drop constraints specified on the table.
Q. What is the value of ‘comm’ & ‘sal’
after executing the following query if the initial
value of ‘sal’ is 10000?
UPDATE EMP SET SAL = SAL + 1000, COMM = SAL*0.1;
sal = 11000, comm = 1000 .
Q. Why does the following comm& give a
compilation error?
DROP TABLE &TABLE_NAME;
Variable names should start with an alphabet. Here the table name starts with
an '&' symbol.
Q. What is the advantage of specifying WITH
GRANT OPTION in the GRANT comm& in sql?
The privilege receiver can further grant the privileges he/she has obtained
from the owner to any other user.
Q. What is the use of DESC in SQL?
Answer :
DESC has two purposes. It is used to describe a schema as well as to retrieve
rows from table in descending order.
Explanation :
The query SELECT * FROM EMP ORDER BY ENAME DESC will display the output
sorted on ENAME in descending order.
Q. What is the use of CASCADE CONSTRAINTS?
When this clause is used with the DROP comm&, a parent table can be
dropped even when a child table exists.
ALTER TABLE comm&?
It is used to drop constraints specified on the table.
Q. What is the value of ‘comm’ & ‘sal’
after executing the following query if the initial
value of ‘sal’ is 10000?
UPDATE EMP SET SAL = SAL + 1000, COMM = SAL*0.1;
sal = 11000, comm = 1000 .
Q. Why does the following comm& give a
compilation error?
DROP TABLE &TABLE_NAME;
Variable names should start with an alphabet. Here the table name starts with
an '&' symbol.
Q. What is the advantage of specifying WITH
GRANT OPTION in the GRANT comm& in sql?
The privilege receiver can further grant the privileges he/she has obtained
from the owner to any other user.
Q. What is the use of DESC in SQL?
Answer :
DESC has two purposes. It is used to describe a schema as well as to retrieve
rows from table in descending order.
Explanation :
The query SELECT * FROM EMP ORDER BY ENAME DESC will display the output
sorted on ENAME in descending order.
Q. What is the use of CASCADE CONSTRAINTS?
When this clause is used with the DROP comm&, a parent table can be
dropped even when a child table exists.
Q. What command is used to create a table by copying the structure of 
another table? Answer :
   
CREATE TABLE .. AS SELECT command Explanation :
To copy only the structure, the WHERE clause of the SELECT
command should
contain a FALSE statement as in the following.
CREATE
TABLE NEWTABLE AS SELECT * FROM EXISTINGTABLE
WHERE 1=2;
If the WHERE
condition is true, then all the rows or rows satisfying the condition
will
be copied to the new table.
Q. What will be the output of the
following query? SELECT REPLACE(TRANSLATE(LTRIM(RTRIM('!! ATHEN
!!','!'), '!'),
'AN', '**'),'*','TROUBLE') FROM DUAL;
   
TROUBLETHETROUBLE
Q. What will be the output of the following
query? SELECT DECODE(TRANSLATE('A','1234567890','1111111111'),
'1','YES', 'NO' ); Answer : NO.
Explanation :
The query checks whether a
given string is a numerical digit.
Q. What does the following
query do?
SELECT SAL + NVL(COMM,0) FROM EMP;
This displays the total salary of all employees. The null values in the commission
column
will be replaced by 0 & added to salary.
Q. What is the difference between TRUNCATE
& DELETE commands? TRUNCATE is a
DDL command whereas DELETE is a DML command. Hence
DELETE operation can be
rolled back, but TRUNCATE operation cannot be rolled back.
WHERE clause can
be used with DELETE & not with TRUNCATE.
another table? Answer :
CREATE TABLE .. AS SELECT command Explanation :
To copy only the structure, the WHERE clause of the SELECT
command should
contain a FALSE statement as in the following.
CREATE
TABLE NEWTABLE AS SELECT * FROM EXISTINGTABLE
WHERE 1=2;
If the WHERE
condition is true, then all the rows or rows satisfying the condition
will
be copied to the new table.
Q. What will be the output of the
following query? SELECT REPLACE(TRANSLATE(LTRIM(RTRIM('!! ATHEN
!!','!'), '!'),
'AN', '**'),'*','TROUBLE') FROM DUAL;
TROUBLETHETROUBLE
Q. What will be the output of the following
query? SELECT DECODE(TRANSLATE('A','1234567890','1111111111'),
'1','YES', 'NO' ); Answer : NO.
Explanation :
The query checks whether a
given string is a numerical digit.
Q. What does the following
query do?
SELECT SAL + NVL(COMM,0) FROM EMP;
This displays the total salary of all employees. The null values in the commission
column
will be replaced by 0 & added to salary.
Q. What is the difference between TRUNCATE
& DELETE commands? TRUNCATE is a
DDL command whereas DELETE is a DML command. Hence
DELETE operation can be
rolled back, but TRUNCATE operation cannot be rolled back.
WHERE clause can
be used with DELETE & not with TRUNCATE.
No single HR  recognises your background and experience best than 
yourself. Almost all engineers can acquire the fundamentals of their projects
and experience on paper in a thoughtful manner. What virtually all engineers
who write their own resumes have trouble with is establishing that trust to the
reader. Here are Top 7 killer tips to help you make your engineering
resume get u a job....
1. Make perfectly certain your written document is error free. Any fault in
a resume could frequently represent the killer cost between two closely paired
prospects. Engineers are anticipated to be detail-oriented and so an fault in
the engineering CV ponders seriously upon potential prospective
operation.
2. Choose the most beneficial organisational format. Just about all resumes
are composed in chronological format, but that doesn't mean that the
chronological option represents best for you. A compounding format could be
best. The compounding format is..... equally well-balanced
between skill set description, accomplishments, and employment history, with the
reward being that projects could be highlighted for larger affect.
3. Come up with a balance between wordiness and deficiency of detail.
Employers ask to see inside information about your work history and engineering
experience, but they do not want to know everything. The truth that you were
cricket captain in ur school is unsuitable. Keep info relevant to the
destination of accomplishing an interview.
4. Think “achievements” instead of “job obligations”. What made you stick out
from the herd? How did you bob up with a way to do things finer, more
efficiently, or for little price? What gained rewards for you? Data such as
these will constitute what makes you snap up attention and frame your
engineering CV on the pinnacle of the heap.
5. Keep it positive. Reason for getting out
of a job, setbacks, bombed openings, etcetera. Don't bear an position on a
engineering resume. Employers are searching people who could chip in, deliver a
optimistic attitude, are passionate, and have with success executed related job
accomplishments in the bypast. Focus on conveying these issues and ward off any
detracting info.
6. Take for granted that your CV will be looked at with an computer CRT
screen instead of on a piece of paper. Most CVs are sent, obtained, and handled
thru personal computer. That doesn't mean that the written document has to be
drab and unworthy, visually. A lot of engineers who feature images or pics of
project work have good success with creating a compact disc portfolio of these
images.
7.Remember, resumes don't bring forth jobs – people get jobs. CVs acquire
interviews. Almost every 1st time employment interview* is channeled via call
instead of personally as they wont to represent. Make certain you're braced
oneself for that call once it comes. And make a point you've an engineering
resume that will make the phone reverberate tringg tringg!
yourself. Almost all engineers can acquire the fundamentals of their projects
and experience on paper in a thoughtful manner. What virtually all engineers
who write their own resumes have trouble with is establishing that trust to the
reader. Here are Top 7 killer tips to help you make your engineering
resume get u a job....
1. Make perfectly certain your written document is error free. Any fault in
a resume could frequently represent the killer cost between two closely paired
prospects. Engineers are anticipated to be detail-oriented and so an fault in
the engineering CV ponders seriously upon potential prospective
operation.
2. Choose the most beneficial organisational format. Just about all resumes
are composed in chronological format, but that doesn't mean that the
chronological option represents best for you. A compounding format could be
best. The compounding format is..... equally well-balanced
between skill set description, accomplishments, and employment history, with the
reward being that projects could be highlighted for larger affect.
3. Come up with a balance between wordiness and deficiency of detail.
Employers ask to see inside information about your work history and engineering
experience, but they do not want to know everything. The truth that you were
cricket captain in ur school is unsuitable. Keep info relevant to the
destination of accomplishing an interview.
4. Think “achievements” instead of “job obligations”. What made you stick out
from the herd? How did you bob up with a way to do things finer, more
efficiently, or for little price? What gained rewards for you? Data such as
these will constitute what makes you snap up attention and frame your
engineering CV on the pinnacle of the heap.
5. Keep it positive. Reason for getting out
of a job, setbacks, bombed openings, etcetera. Don't bear an position on a
engineering resume. Employers are searching people who could chip in, deliver a
optimistic attitude, are passionate, and have with success executed related job
accomplishments in the bypast. Focus on conveying these issues and ward off any
detracting info.
6. Take for granted that your CV will be looked at with an computer CRT
screen instead of on a piece of paper. Most CVs are sent, obtained, and handled
thru personal computer. That doesn't mean that the written document has to be
drab and unworthy, visually. A lot of engineers who feature images or pics of
project work have good success with creating a compact disc portfolio of these
images.
7.Remember, resumes don't bring forth jobs – people get jobs. CVs acquire
interviews. Almost every 1st time employment interview* is channeled via call
instead of personally as they wont to represent. Make certain you're braced
oneself for that call once it comes. And make a point you've an engineering
resume that will make the phone reverberate tringg tringg!
What is Your Greatest Weakness?
When you're asked what your greatest weakness is, try to turn a negative into a positive. For example, a sense of urgency to get projects completed or wanting to triple-check every item in a spreadsheet can be turned into a strength i.e. you are a candidate who will make sure that the project is done on time and your work will be close to perfect.
Note that the term "weakness" isn't used in the sample answers - you always want to focus on the positive when interviewing.
Sample Answers
What is Your Greatest Strength?
This is one of the easier interview questions you'll be asked. When you are asked questions about your strengths, it's important to discuss attributes that will qualify you for the job.The best way to respond is to describe the skills and experience that directly correlate with the job you are applying for.
Sample Answers
Describe a Typical Work Week?
Interviewers expect a candidate for employment to discuss what they do while they are working in detail. Before you answer, consider the position you are applying for and how your current or past positions relate to it. The more you can connect your past experience with the job opening, the more successful you will be at answering the questions.
It should be obvious that it's not a good idea talk about non-work related activities that you do on company time, but, I've had applicants tell me how they are often late because they have to drive a child to school or like to take a long lunch break to work at the gym.
Keep your answers focused on work and show the interviewer that you're organized ("The first thing I do on Monday morning is check my voicemail and email, then I prioritize my activities for the week.") and efficient.
Do You Take Work Home With You?
Do you take work home with you is a tricky question, be ready. The longer the answer, the bigger the hole you've dug.
Best Answer
When I need to, no problem. I realize the importance of meeting deadlines and getting work done on time.
How Many Hours Do You Work?
Be careful before you answer questions about how many hours a week you work. You don't want to be construed as a slacker or as someone who works too many hours. At some companies, the norm is a 40 hour week and everyone goes home on time. At others, everyone might work 50 or 60 hours a week.
However, working a lot of hours isn't necessarily a good thing - it could mean you're not productive enough to get the job done in a reasonable amount of time.
So, unless you're sure about the company culture and expectations, the safest answer is not to mention a certain number of hours. Rather, mention that you work as much as necessary to get the job done.
Describe the Pace at Which You Work?
When you're asked to describe the pace at which you work, be careful how you respond. This is another question where faster isn't necessarily better. Most employers would rather hire employees who work at a steady pace. Someone who is too slow to get the job done in a reasonable time frame isn't going to be a good hire. Neither is a candidate who works frenetically all day.
Options for answering this question include saying that you work at a steady pace, but usually complete work in advance of the deadline.Discuss your ability to manage projects and get them done on, or ahead, of schedule. If you work at a job where you have set criteria (i.e. number of calls made or responsed to) that measures accomplishments, discuss how you have achieved or exceeded those goals.
What Motivates You?
There isn't a right or wrong answer to interview questions about what motivates you. The interviewer is trying to understand the key to your being successful in the job he is interviewing for, and wants to make sure it's a good fit. Consider, in advance of interviewing, what actually does motivate you and come up with some specific examples to share during the interview.
Your response will vary based on your background and experiences, but, you will want to share your enthusiasm and what you like(d) best about your job. Here are some examples:
Salary Negotiation
Before you start talking pay (and salary negotiations) with a prospective employer, you need to find out how much the job (and you) are worth. You will need to take the time to research salaries, so, you are prepared to get what you're worth and a job offer that's realistic and reasonable.
Salary Negotiations
Once you know what you should be earning, how do you go about getting it? Start by being very patient. When interviewing for a new position, do your best not to bring up compensation until the employer makes you an offer. If you're asked what your salary requirements are, say that they are open based upon the position and the overall compensation package. Or tell the employer you'd like to know more about the responsibilities and the challenges of the job prior to discussing salary. Another option is to give the employer a salary range based upon the salary research you've done up front. Once you've received the offer you don't need to accept (or reject) it right away. A simple "I need to think it over" can get you an increase in the original offer.
And if you're ambivalent about the position a "no" can bring you a better offer too. I turned down a position I knew I didn't want, regardless of salary, and received three follow-up phone calls upping the compensation package. Be careful though, if you do definitely need that new job there's a risk that the employer may accept your declining the position and move on to the next candidate.
Negotiating a Raise
If you are currently employed and want a raise, start by being prepared. Gather your salary survey information, recent performance appraisals that document the job you're doing, and any other relevant information. Be aware of company policy regarding compensation. Some employers are limited by budget constraints and can only give raises at certain times of the year, regardless of the circumstances. Have a clear idea of what you want. Determine the salary range you're looking for and justification for the increase and have both ready to review with your supervisor. Be flexible. Would you consider an extra couple of weeks vacation instead of a raise? I know someone who's regularly taken time-off instead of money and now has six vacation weeks a year... Then, ask your supervisor for a meeting to discuss salary. Present your request, supported by documentation, calmly and rationally. Don't ask for an immediate answer. Your boss is mostly likely going to have to discuss it with Human Resources and/or other company managers.
Despite your best efforts, there may simply not be enough money in the budget to increase your salary or compensation package offer. The company may also not want to create inequities by paying one person more than others in a similar position. In that case, you can at least know you tried. Plus, if this is a job you really think that you're going to love, consider whether the company culture, the benefits, and the job itself are worth it - regardless of the salary.
What are the Most Difficult Decisions to Make?
There is no right or wrong answer to questions like "What are the most difficult decisions to make?" or "Describe a difficult work situation / project and how you overcame it." These are behavioral interview questions designed to discover how you handled certain situations. The logic behind these type of questions is that how you behaved in the past is a predictor of what you will do in the future.
Give concrete examples of difficult situations that actually happened at work. Then discuss what you did to solve the problem. Keep your answers positive ("Even though it was difficult when Jane Doe quit without notice, we were able to rearrange the department workload to cover the position until a replacement was hired.") and be specific. Itemize what you did and how you did it.
The best way to prepare for questions where you will need to recall events and actions, is to refresh your memory and consider some special situations you have dealt with or projects you have worked on. You can use them to help frame responses. Prepare stories that illustrate times when you have successfully solved a difficult situation.
Tell Me About Yourself?
You walk into the interview room, shake hands with your interviewer and sit down with your best interviewing smile on. Guess what their first question is? "Tell me about yourself."
Do you "wing it" and actually tell all manner of things about yourself? Will you spend the next 5 minutes rambling on about what an easy-going, loyal, dedicated, hard working employee you've been? If this is the case, you stand a good chance of having bored your interviewer to death thus creating a negative first impression.
Because it's such a common interview question, it's strange that more candidates don't spend the time to prepare for exactly how to answer it. Perhaps because the question seems so disarming and informal, we drop our guard and shift into ramble mode. Resist all temptation to do so.
Your interviewer is not looking for a 10-minute dissertation here. Instead, offer a razor sharp sentence or two that sets the stage for further discussion and sets you apart from your competitors.
Your Unique Selling Proposition (USP)
Give them "your synopsis about you" answer, specifically your Unique Selling Proposition. Known as a personal branding or a value-added statement, the USP is a succinct, one-sentence description of who you are, your biggest strength and the major benefit that a company will derive from this strength. Here is an example of a Unique Selling Proposition: "I'm a seasoned Retail Manager strong in developing training programs and loss prevention techniques that have resulted in revenue savings of over $2.3Million for (employer's name) during the past 11 years."
What a difference you've made with this statement. Your interviewer is now sitting forward in her chair giving you her full attention. At this point, you might add the following sentence: "I'd like to discuss how I might be able to do something like that for you." The ball is now back in her court and you have the beginnings of a real discussion and not an interrogation process.
Be Specific
The key is that you must lead with your strongest benefit to the employer. Be specific and don't wander about with some laundry list of skills or talents. Be sure to put a monetary value on your work if at all possible and be ready with details when you're called upon. Give an estimated value to the $$ you've either helped to make or save for your employer.
Be Prepared
When you walk into an interview, remember to always expect the "tell me about yourself" question. Prepare ahead of time by developing your own personal branding statement that clearly tells who you are, your major strength and the clear benefit that your employer received. The advantages of this approach are that you'll quickly gain their attention and interest them in knowing more. You'll separate yourself from your competitors. You'll also have a higher chance of being positively remembered and hired.
What Has Been The Greatest Disappointment In Your Life?
Your response to the question "What has been the greatest disappointment in your life?" will help the interviewer determine know how easily you are discouraged.
Best Answer
If possible, tell about a personal disappointment i.e. the early death of a parent, child, or school friend. Believe it or not, it is okay to have not had a "greatest" disappointment.
What Are You Passionate About?
When you're asked what you're passionate about during a job interview it's a good opportunity to share what is important in your life. It's also an opportunity to show your dedication and what's important to you.
Your response doesn't need to be work focused, but do be sure that what you share isn't something that could potential cut in to your working hours.
For example, you don't want to say that you're a mountain climber with the goal of climbing Mountain Everest or that you're getting ready for the Tour de France or looking to spend the winter skiing in Aspen.
Sample Answers: What Are You Passionate About?
What Are Your Pet Peeves?
Your response to the question "What are your pet peeves?" will help the interviewer determine if you would be a good fit with the company culture.
Best Answer
I do not have a pet peeve. If something is bothering me, I step back, analyze "why" and find a good solution. If you asked my teenage daughter she would tell you my pet peeve is the volume on her radio!
What Do People Most Often Criticize About You?
The interview question "What Do People Most Often Criticize About You?" is asked to find out how sensitive to you are.
Best Answers
There's no on-going criticism. I'm open to personal and professional growth and welcome the opportunity to improve.
If humor is appropriate, this is a good time to use it. Example: I have a teenage daughter - few things I do are okay on her radar screen.
When Was The Last Time You Were Angry? What Happened?
When the interviewer asks "When Was The Last Time You Were Angry? What Happened?" he or she wants to know if you lose control. The real meaning of the word "angry", to an interviewer, is loss of control and it's important to know how you handle situations when you're angry.
Best Answer
Anger to me means loss of control. I do not lose control. When I get stressed, I step back, take a deep breath, thoughtfully think through the situation and then begin to formulate a plan of action.
If You Could Relive The Last 10 Years Of Your Life?
When asking what you would do if you could relive your life, the interviewer is looking for a flaw in your interview. Always remember, the goal for the first few interviews is to get the next interview. For the interviewer, it is to weed out as many applicants as possible. Here's where a personal answer could work.
Why should you be hired?
When the interviewer asks "If the people who know you were asked why you should be hired, what would they say?" he or she wants to know what your perception is of what others think about your qualifications and abilities.
Best Answer
I'm sure if you asked my friends that question they would say you should hire me because I have the skills outlined in the job description and I bring 10+ years of expertise to this position. Words they've used to describe me are: hard working, professional, trusted and a team player.
Do you prefer to work independently or on a team?
When the interviewer asks "Do you prefer to work independently or on a team?" he or she wants to know if you're a team player or would rather work on your own.
Best Answers
I am equally comfortable working as a member of a team and independently. In researching the LMN company, your mission statement and the job description, I could see similarities to my previous position where there were some assignments that required a great deal of independent work and research and others where the team effort was most effective. As I said, I'm comfortable with both.
In high school, I enjoyed playing soccer and performing with the marching band. Each required a different kind of team play, but the overall goal of learning to be a member of a group was invaluable. I continued to grow as team member while on my sorority's debate team and through my advanced marketing class where we had numerous team assignments. I'm very comfortably working on a team, but I can also work independently, as well.
Give Some Examples of Teamwork?
A typical interview question to discover how well you would work with other people is "Give some examples of teamwork."
Companies, for the most part, do not want "Lone-Rangers" - they are looking for employees who will adapt to the company culture and get along with others.
Sample Answers
In high school, I enjoyed playing soccer and performing with the marching band. Each required a different kind of team play, but the overall goal of learning to be a member of a group was invaluable. I continued to grow as team member while on my sorority's debate team and through my advanced marketing class where we had numerous team assignments.
In my last postion, I was part of a software implementation team. We all worked together to plan and manage the implementation schedule, to provide customer training, and ensure a smooth transition for our customers. Our team always completed our projects ahead of schedule with very positive reviews from our clients.
What type of work environment do you prefer?
Best Answer
I can be flexible when it comes to my work environment. What is the environment in the Engineering department here at RRS, Inc? (Once they've described the work environment, include key phrases they've used when you describe your preferred work environment).
How do you evaluate success?
Best Answer
I evaluate success in different ways. At work, it is meeting the goals set by my supervisors and my fellow workers. It is my understanding, from talking to other employees, that the GGR company is recognized for not only rewarding success, but giving employees opportunity to grow as well. After work, I enjoy playing softball, so success on the field is catching the winning pop-up.
How Do You Handle it if the Boss is Wrong?
The question "If you know your boss is 100% wrong about something, how would you handle this?" is asked to find out how you deal with a difficult situation.
Best Answers
An answer that works well is: "It depends on the situation and the personality of the supervisor." To elaborate, give examples:
My present supervisor does not like to have his authority questioned. He's fairly new on the job and almost all of the people he supervises have been on the job longer than he has. He's never bothered to learn the procedures, how things are done or how the computer system works. But if any of us tell him that how he wants something done won't work, he gets extremely angry. So, I never tell him he's wrong. Never. Whatever he tells me to do, I smile and say "okay." Then if I know a way to get it done that will work, I do it that way, give him the results he wants and never tell him I didn't do it the way he told me to. He got the results and is happy. I saved myself the stress of being yelled at and gave him what he wanted, so I'm happy.
My prior superviser was more easy-going and if I told her "you know, I think it might work better if I do what you asked in such and such a way," she say "okay, try it."
If I were a new hire on a job, I would probably not question a supervisor because I might think I didn't know enough. Except on the new job I'm going to. The director has admitted that she's new on the job and there are alot of things that a secretary does that she doesn't know how to do, so she will be depending on me to know how to keep the office running.
What are the Most Difficult Decisions to Make?
There is no right or wrong answer to questions like "What are the most difficult decisions to make?" or "Describe a difficult work situation / project and how you overcame it." These are behavioral interview questions designed to discover how you handled certain situations. The logic behind these type of questions is that how you behaved in the past is a predictor of what you will do in the future.
Give concrete examples of difficult situations that actually happened at work. Then discuss what you did to solve the problem. Keep your answers positive ("Even though it was difficult when Jane Doe quit without notice, we were able to rearrange the department workload to cover the position until a replacement was hired.") and be specific. Itemize what you did and how you did it.
The best way to prepare for questions where you will need to recall events and actions, is to refresh your memory and consider some special situations you have dealt with or projects you have worked on. You can use them to help frame responses. Prepare stories that illustrate times when you have successfully solved a difficult situation.
Why Should We Hire You?
A typical interview question, asked to get your opinion, or to validate the interviewer's opinion, on why you would be the best candidate for the position, is "Why should we hire you?"
The best way to respond is to give concrete examples of why your skills and accomplishments make you the best candidate for the job. Take a few moments to compare the job description with your abilities, as well as mentioning what you have accomplished in your other positions. Be positive and reiterate your interest in the company and the position.
It's your turn! As the interview comes to a close, one of the final questions you may be asked is "What can I answer for you?" Have interview questions of your own ready to ask. You aren't simply trying to get this job - you are also interviewing the employer to assess whether this company and the position are a good fit for you.
Interview Questions to Ask
When you're asked what your greatest weakness is, try to turn a negative into a positive. For example, a sense of urgency to get projects completed or wanting to triple-check every item in a spreadsheet can be turned into a strength i.e. you are a candidate who will make sure that the project is done on time and your work will be close to perfect.
Note that the term "weakness" isn't used in the sample answers - you always want to focus on the positive when interviewing.
Sample Answers
- When I'm working on a project, I don't want just to meet deadlines. Rather, I prefer to complete the project well ahead of schedule.
- Being organized wasn't my strongest point, but I implemented a time management system that really helped my organization skills.
- I like to make sure that my work is perfect, so I tend to perhaps spend a little too much time checking it. However, I've come to a good balance by setting up a system to ensure everything is done correctly the first time.
- I used to wait until the last minute to set appointments for the coming week, but I realized that scheduling in advance makes much more sense
What is Your Greatest Strength?
This is one of the easier interview questions you'll be asked. When you are asked questions about your strengths, it's important to discuss attributes that will qualify you for the job.The best way to respond is to describe the skills and experience that directly correlate with the job you are applying for.
Sample Answers
- When I'm working on a project, I don't want just to meet deadlines. Rather, I prefer to complete the project well ahead of schedule.
- I have exceeded my sales goals every quarter and I've earned a bonus each year since I started with my current employer.
- My time management skills are excellent and I'm organized, efficient, and take pride in excelling at my work.
- I pride myself on my customer service skills and my ability to resolve what could be difficult situations.
Describe a Typical Work Week?
Interviewers expect a candidate for employment to discuss what they do while they are working in detail. Before you answer, consider the position you are applying for and how your current or past positions relate to it. The more you can connect your past experience with the job opening, the more successful you will be at answering the questions.
It should be obvious that it's not a good idea talk about non-work related activities that you do on company time, but, I've had applicants tell me how they are often late because they have to drive a child to school or like to take a long lunch break to work at the gym.
Keep your answers focused on work and show the interviewer that you're organized ("The first thing I do on Monday morning is check my voicemail and email, then I prioritize my activities for the week.") and efficient.
Do You Take Work Home With You?
Do you take work home with you is a tricky question, be ready. The longer the answer, the bigger the hole you've dug.
Best Answer
When I need to, no problem. I realize the importance of meeting deadlines and getting work done on time.
How Many Hours Do You Work?
Be careful before you answer questions about how many hours a week you work. You don't want to be construed as a slacker or as someone who works too many hours. At some companies, the norm is a 40 hour week and everyone goes home on time. At others, everyone might work 50 or 60 hours a week.
However, working a lot of hours isn't necessarily a good thing - it could mean you're not productive enough to get the job done in a reasonable amount of time.
So, unless you're sure about the company culture and expectations, the safest answer is not to mention a certain number of hours. Rather, mention that you work as much as necessary to get the job done.
Describe the Pace at Which You Work?
When you're asked to describe the pace at which you work, be careful how you respond. This is another question where faster isn't necessarily better. Most employers would rather hire employees who work at a steady pace. Someone who is too slow to get the job done in a reasonable time frame isn't going to be a good hire. Neither is a candidate who works frenetically all day.
Options for answering this question include saying that you work at a steady pace, but usually complete work in advance of the deadline.Discuss your ability to manage projects and get them done on, or ahead, of schedule. If you work at a job where you have set criteria (i.e. number of calls made or responsed to) that measures accomplishments, discuss how you have achieved or exceeded those goals.
What Motivates You?
There isn't a right or wrong answer to interview questions about what motivates you. The interviewer is trying to understand the key to your being successful in the job he is interviewing for, and wants to make sure it's a good fit. Consider, in advance of interviewing, what actually does motivate you and come up with some specific examples to share during the interview.
Your response will vary based on your background and experiences, but, you will want to share your enthusiasm and what you like(d) best about your job. Here are some examples:
- I was responsible for several projects where I directed development teams and implemented repeatable processes. The teams achieved 100% on-time delivery of software products. I was motivated both by the challenge of finishing the projects ahead of schedule and by managing the teams that achieved our goals.
- I've always been motivated by the desire to do a good job at whatever position I'm in. I want to excel and to be successful in my job, both for my own personal satisfaction and for my employer.
- I have always wanted to ensure that my company's clients get the best customer service I can provide. I've always felt that it's important, both to me personally, and for the company and the clients, to provide a positive customer experience.
- I have spent my career in sales, typically in commission-based positions, and compensation has always been a strong factor in motivating me to be the top salesperson at my prior employers.
Salary Negotiation
Before you start talking pay (and salary negotiations) with a prospective employer, you need to find out how much the job (and you) are worth. You will need to take the time to research salaries, so, you are prepared to get what you're worth and a job offer that's realistic and reasonable.
Salary Negotiations
Once you know what you should be earning, how do you go about getting it? Start by being very patient. When interviewing for a new position, do your best not to bring up compensation until the employer makes you an offer. If you're asked what your salary requirements are, say that they are open based upon the position and the overall compensation package. Or tell the employer you'd like to know more about the responsibilities and the challenges of the job prior to discussing salary. Another option is to give the employer a salary range based upon the salary research you've done up front. Once you've received the offer you don't need to accept (or reject) it right away. A simple "I need to think it over" can get you an increase in the original offer.
And if you're ambivalent about the position a "no" can bring you a better offer too. I turned down a position I knew I didn't want, regardless of salary, and received three follow-up phone calls upping the compensation package. Be careful though, if you do definitely need that new job there's a risk that the employer may accept your declining the position and move on to the next candidate.
Negotiating a Raise
If you are currently employed and want a raise, start by being prepared. Gather your salary survey information, recent performance appraisals that document the job you're doing, and any other relevant information. Be aware of company policy regarding compensation. Some employers are limited by budget constraints and can only give raises at certain times of the year, regardless of the circumstances. Have a clear idea of what you want. Determine the salary range you're looking for and justification for the increase and have both ready to review with your supervisor. Be flexible. Would you consider an extra couple of weeks vacation instead of a raise? I know someone who's regularly taken time-off instead of money and now has six vacation weeks a year... Then, ask your supervisor for a meeting to discuss salary. Present your request, supported by documentation, calmly and rationally. Don't ask for an immediate answer. Your boss is mostly likely going to have to discuss it with Human Resources and/or other company managers.
Despite your best efforts, there may simply not be enough money in the budget to increase your salary or compensation package offer. The company may also not want to create inequities by paying one person more than others in a similar position. In that case, you can at least know you tried. Plus, if this is a job you really think that you're going to love, consider whether the company culture, the benefits, and the job itself are worth it - regardless of the salary.
What are the Most Difficult Decisions to Make?
There is no right or wrong answer to questions like "What are the most difficult decisions to make?" or "Describe a difficult work situation / project and how you overcame it." These are behavioral interview questions designed to discover how you handled certain situations. The logic behind these type of questions is that how you behaved in the past is a predictor of what you will do in the future.
Give concrete examples of difficult situations that actually happened at work. Then discuss what you did to solve the problem. Keep your answers positive ("Even though it was difficult when Jane Doe quit without notice, we were able to rearrange the department workload to cover the position until a replacement was hired.") and be specific. Itemize what you did and how you did it.
The best way to prepare for questions where you will need to recall events and actions, is to refresh your memory and consider some special situations you have dealt with or projects you have worked on. You can use them to help frame responses. Prepare stories that illustrate times when you have successfully solved a difficult situation.
Tell Me About Yourself?
You walk into the interview room, shake hands with your interviewer and sit down with your best interviewing smile on. Guess what their first question is? "Tell me about yourself."
Do you "wing it" and actually tell all manner of things about yourself? Will you spend the next 5 minutes rambling on about what an easy-going, loyal, dedicated, hard working employee you've been? If this is the case, you stand a good chance of having bored your interviewer to death thus creating a negative first impression.
Because it's such a common interview question, it's strange that more candidates don't spend the time to prepare for exactly how to answer it. Perhaps because the question seems so disarming and informal, we drop our guard and shift into ramble mode. Resist all temptation to do so.
Your interviewer is not looking for a 10-minute dissertation here. Instead, offer a razor sharp sentence or two that sets the stage for further discussion and sets you apart from your competitors.
Your Unique Selling Proposition (USP)
Give them "your synopsis about you" answer, specifically your Unique Selling Proposition. Known as a personal branding or a value-added statement, the USP is a succinct, one-sentence description of who you are, your biggest strength and the major benefit that a company will derive from this strength. Here is an example of a Unique Selling Proposition: "I'm a seasoned Retail Manager strong in developing training programs and loss prevention techniques that have resulted in revenue savings of over $2.3Million for (employer's name) during the past 11 years."
What a difference you've made with this statement. Your interviewer is now sitting forward in her chair giving you her full attention. At this point, you might add the following sentence: "I'd like to discuss how I might be able to do something like that for you." The ball is now back in her court and you have the beginnings of a real discussion and not an interrogation process.
Be Specific
The key is that you must lead with your strongest benefit to the employer. Be specific and don't wander about with some laundry list of skills or talents. Be sure to put a monetary value on your work if at all possible and be ready with details when you're called upon. Give an estimated value to the $$ you've either helped to make or save for your employer.
Be Prepared
When you walk into an interview, remember to always expect the "tell me about yourself" question. Prepare ahead of time by developing your own personal branding statement that clearly tells who you are, your major strength and the clear benefit that your employer received. The advantages of this approach are that you'll quickly gain their attention and interest them in knowing more. You'll separate yourself from your competitors. You'll also have a higher chance of being positively remembered and hired.
What Has Been The Greatest Disappointment In Your Life?
Your response to the question "What has been the greatest disappointment in your life?" will help the interviewer determine know how easily you are discouraged.
Best Answer
If possible, tell about a personal disappointment i.e. the early death of a parent, child, or school friend. Believe it or not, it is okay to have not had a "greatest" disappointment.
What Are You Passionate About?
When you're asked what you're passionate about during a job interview it's a good opportunity to share what is important in your life. It's also an opportunity to show your dedication and what's important to you.
Your response doesn't need to be work focused, but do be sure that what you share isn't something that could potential cut in to your working hours.
For example, you don't want to say that you're a mountain climber with the goal of climbing Mountain Everest or that you're getting ready for the Tour de France or looking to spend the winter skiing in Aspen.
Sample Answers: What Are You Passionate About?
- One of my greatest passions is helping others. When I was younger, I've enjoyed helping mom with household repairs. As I grew older, that habit grew and I desired to help others as well. I like helping people find solutions that meet their specific needs.
- I'm passionate about painting. I take an evening art class once a week and try to find time each weekend to paint. Painting is a good way for me to relax and even though I don't have much talent, I do it enjoy it.
- I lost my father to pancreatic cancer and ever since then, I have spent time volunteering to help raise awareness and funding for cancer research. I volunteer for PanCan, the advocacy group, and I'm part of their volunteer network. One of the things I'm passionate is to assist in finding a cure, however I can.
- I'm passionate about making a difference. When I'm involved with a project at work I want to do my best to achieve success. I feel the same way about what I do in my personal life.
- I'm an avid skier and I like to spend weekends and vacations on the ski slopes.
What Are Your Pet Peeves?
Your response to the question "What are your pet peeves?" will help the interviewer determine if you would be a good fit with the company culture.
Best Answer
I do not have a pet peeve. If something is bothering me, I step back, analyze "why" and find a good solution. If you asked my teenage daughter she would tell you my pet peeve is the volume on her radio!
What Do People Most Often Criticize About You?
The interview question "What Do People Most Often Criticize About You?" is asked to find out how sensitive to you are.
Best Answers
There's no on-going criticism. I'm open to personal and professional growth and welcome the opportunity to improve.
If humor is appropriate, this is a good time to use it. Example: I have a teenage daughter - few things I do are okay on her radar screen.
When Was The Last Time You Were Angry? What Happened?
When the interviewer asks "When Was The Last Time You Were Angry? What Happened?" he or she wants to know if you lose control. The real meaning of the word "angry", to an interviewer, is loss of control and it's important to know how you handle situations when you're angry.
Best Answer
Anger to me means loss of control. I do not lose control. When I get stressed, I step back, take a deep breath, thoughtfully think through the situation and then begin to formulate a plan of action.
If You Could Relive The Last 10 Years Of Your Life?
When asking what you would do if you could relive your life, the interviewer is looking for a flaw in your interview. Always remember, the goal for the first few interviews is to get the next interview. For the interviewer, it is to weed out as many applicants as possible. Here's where a personal answer could work.
Why should you be hired?
When the interviewer asks "If the people who know you were asked why you should be hired, what would they say?" he or she wants to know what your perception is of what others think about your qualifications and abilities.
Best Answer
I'm sure if you asked my friends that question they would say you should hire me because I have the skills outlined in the job description and I bring 10+ years of expertise to this position. Words they've used to describe me are: hard working, professional, trusted and a team player.
Do you prefer to work independently or on a team?
When the interviewer asks "Do you prefer to work independently or on a team?" he or she wants to know if you're a team player or would rather work on your own.
Best Answers
I am equally comfortable working as a member of a team and independently. In researching the LMN company, your mission statement and the job description, I could see similarities to my previous position where there were some assignments that required a great deal of independent work and research and others where the team effort was most effective. As I said, I'm comfortable with both.
In high school, I enjoyed playing soccer and performing with the marching band. Each required a different kind of team play, but the overall goal of learning to be a member of a group was invaluable. I continued to grow as team member while on my sorority's debate team and through my advanced marketing class where we had numerous team assignments. I'm very comfortably working on a team, but I can also work independently, as well.
Give Some Examples of Teamwork?
A typical interview question to discover how well you would work with other people is "Give some examples of teamwork."
Companies, for the most part, do not want "Lone-Rangers" - they are looking for employees who will adapt to the company culture and get along with others.
Sample Answers
In high school, I enjoyed playing soccer and performing with the marching band. Each required a different kind of team play, but the overall goal of learning to be a member of a group was invaluable. I continued to grow as team member while on my sorority's debate team and through my advanced marketing class where we had numerous team assignments.
In my last postion, I was part of a software implementation team. We all worked together to plan and manage the implementation schedule, to provide customer training, and ensure a smooth transition for our customers. Our team always completed our projects ahead of schedule with very positive reviews from our clients.
What type of work environment do you prefer?
Best Answer
I can be flexible when it comes to my work environment. What is the environment in the Engineering department here at RRS, Inc? (Once they've described the work environment, include key phrases they've used when you describe your preferred work environment).
How do you evaluate success?
Best Answer
I evaluate success in different ways. At work, it is meeting the goals set by my supervisors and my fellow workers. It is my understanding, from talking to other employees, that the GGR company is recognized for not only rewarding success, but giving employees opportunity to grow as well. After work, I enjoy playing softball, so success on the field is catching the winning pop-up.
How Do You Handle it if the Boss is Wrong?
The question "If you know your boss is 100% wrong about something, how would you handle this?" is asked to find out how you deal with a difficult situation.
Best Answers
An answer that works well is: "It depends on the situation and the personality of the supervisor." To elaborate, give examples:
My present supervisor does not like to have his authority questioned. He's fairly new on the job and almost all of the people he supervises have been on the job longer than he has. He's never bothered to learn the procedures, how things are done or how the computer system works. But if any of us tell him that how he wants something done won't work, he gets extremely angry. So, I never tell him he's wrong. Never. Whatever he tells me to do, I smile and say "okay." Then if I know a way to get it done that will work, I do it that way, give him the results he wants and never tell him I didn't do it the way he told me to. He got the results and is happy. I saved myself the stress of being yelled at and gave him what he wanted, so I'm happy.
My prior superviser was more easy-going and if I told her "you know, I think it might work better if I do what you asked in such and such a way," she say "okay, try it."
If I were a new hire on a job, I would probably not question a supervisor because I might think I didn't know enough. Except on the new job I'm going to. The director has admitted that she's new on the job and there are alot of things that a secretary does that she doesn't know how to do, so she will be depending on me to know how to keep the office running.
What are the Most Difficult Decisions to Make?
There is no right or wrong answer to questions like "What are the most difficult decisions to make?" or "Describe a difficult work situation / project and how you overcame it." These are behavioral interview questions designed to discover how you handled certain situations. The logic behind these type of questions is that how you behaved in the past is a predictor of what you will do in the future.
Give concrete examples of difficult situations that actually happened at work. Then discuss what you did to solve the problem. Keep your answers positive ("Even though it was difficult when Jane Doe quit without notice, we were able to rearrange the department workload to cover the position until a replacement was hired.") and be specific. Itemize what you did and how you did it.
The best way to prepare for questions where you will need to recall events and actions, is to refresh your memory and consider some special situations you have dealt with or projects you have worked on. You can use them to help frame responses. Prepare stories that illustrate times when you have successfully solved a difficult situation.
Why Should We Hire You?
A typical interview question, asked to get your opinion, or to validate the interviewer's opinion, on why you would be the best candidate for the position, is "Why should we hire you?"
The best way to respond is to give concrete examples of why your skills and accomplishments make you the best candidate for the job. Take a few moments to compare the job description with your abilities, as well as mentioning what you have accomplished in your other positions. Be positive and reiterate your interest in the company and the position.
Interview Questions to Ask the Interviewer
It's your turn! As the interview comes to a close, one of the final questions you may be asked is "What can I answer for you?" Have interview questions of your own ready to ask. You aren't simply trying to get this job - you are also interviewing the employer to assess whether this company and the position are a good fit for you.
Interview Questions to Ask
- How would you describe the responsibilities of the position?
- How would you describe a typical week/day in this position?
- Is this a new position? If not, what did the previous employee go on to do?
- What is the company's management style?
- Who does this position report to? If I am offered the position, can I meet him/her?
- How many people work in this office/department?
- How much travel is expected?
- Is relocation a possibility?
- What is the typical work week? Is overtime expected?
- What are the prospects for growth and advancement?
- How does one advance in the company?
- Are there any examples?
- What do you like about working here?
- What don't you like about working here and what would you change?
- Would you like a list of references?
- If I am extended a job offer, how soon would you like me to start?
- What can I tell you about my qualifications?
- When can I expect to hear from you?
- Are there any other questions I can answer for you?
- What does this company do? (Do your research ahead of time!)
- If I get the job when can I take time off for vacation? (Wait until you get the offer to mention prior commitments)
- Can I change my schedule if I get the job? (If you need to figure out the logistics of getting to work don't mention it now...)
- Did I get the job? (Don't be impatient. They'll let you know.)
1.When a bicycle is in motion, the force of friction exerted by the ground on the 
two wheels is such that it acts
(a) In the backward direction on the front
wheel and in the forward direction on the rear wheel.
(b) In the forward
direction on the front wheel and in the backward direction on the rear
wheel.
(c) In the backward direction on both the front and rear
wheels.
(d) In the backward direction on both the front and rear
wheels.
Ans. (d)
2. A certain radioactive element A, has a half life =
t seconds.
In (t/2) seconds the fraction of the initial quantity of the
element so far decayed is nearly
(a) 29%
(b) 15%
(c) 10%
(d)
45%
Ans. (a)
3. Which of the following plots would be a straight line ?
(a) Logarithm of decay rate against logarithm of time
(b)
Logarithm of decay rate against logarithm of number of decaying nuclei
(c)
Decay rate against time
(d) Number of decaying nuclei against time
Ans.
(b)
4. A radioactive element x has an atomic number of 100.
It decays
directly into an element y which decays directly into element z.
In both
processes a charged particle is emitted.
Which of the following statements
would be true?
(a) y has an atomic number of 102
(b) y has an atomic
number of 101
(c) z has an atomic number of 100
(d) z has an atomic number
of 101
Ans. (b)
5. If the sum of the roots of the equation ax2 + bx +
c=0 is equal to the sum of the squares of their reciprocals
then a/c, b/a,
c/b are in
(a) AP
(b) GP
(c) HP
(d) None of these
Ans.
(c)
6. A man speaks the truth 3 out of 4 times.
He throws a die and
reports it to be a 6.
What is the probability of it being a 6?
(a)
3/8
(b) 5/8
(c) 3/4
(d) None of the above
Ans. (a)
7. If
cos2A + cos2B + cos2C = 1 then ABC is a
(a) Right angle triangle
(b)
Equilateral triangle
(c) All the angles are acute
(d) None of
these
Ans. (a)
8. Image of point (3,8) in the line x + 3y = 7
is
(a) (-1,-4)
(b) (-1,4)
(c) (2,-4)
(d) (-2,-4)
Ans.
(a)
9. The mass number of a nucleus is
(a) Always less than its atomic
number
(b) Always more than its atomic number
(c) Sometimes more than and
sometimes equal to its atomic number
(d) None of the above
Ans.
(c)
10. The maximum KE of the photoelectron emitted from a surface is
dependent on
(a) The intensity of incident radiation
(b) The potential of
the collector electrode
(c) The frequency of incident radiation
(d) The
angle of incidence of radiation of the surface
Ans. (c)
11. Which of
the following is not an essential condition for interference
(a) The two
interfering waves must be propagated in almost the same direction or
the two
interfering waves must intersect at a very small angle
(b) The waves must
have the same time period and wavelength
(c) Amplitude of the two waves
should be the same
(d) The interfering beams of light must originate from the
same source
Ans. (c)
12. When X-Ray photons collide with
electrons
(a) They slow down
(b) Their mass increases
(c) Their wave
length increases
(d) Their energy decreases
Ans. (c)
13. An
electron emits energy
(a) Because its in orbit
(b) When it jumps from one
energy level to another
(c) Electrons are attracted towards the
nucleus
(d) The electrostatic force is insufficient to hold the electrons in
orbits
Ans. (b)
14. How many bonds are present in CO2 molecule?
(a)
1
(b) 2
(c) 0
(d) 4
Ans. (d)
15. In a balanced chemical
equation
(a) Atoms are conserved
(b) Molecules are conserved
(c) Moles
are conserved
(d) Reactant and product molecules are preserved
Ans.
(a)
16. How many grams of NaOH will react with 0.2 equivalent of
HCl?
(a) 0.59
(b) 0.285
(c) 1.18
(d) none of these
Ans.
(a)
17. Which of the following is least acidic
(a) Ortho-cresol
(b)
Para-cresol
(c) Phenol
(d) Meta-cresol
Ans. (b)
18. In
Reimer-Tiemann's reaction, the reaction intermediate is
(a) Carbene
(b)
Dichloro carbene
(c) Carbonion
(d) Carbonium ion
Ans. (b)
19.
Which of the following is most acidic?
(a) C2H5OH
(b) CH3CHOHCH3
(c)
Ethanol
(d) CH3OH
Ans. (b)
20.A catalyst
(a)always slows down
the reaction
(b)always starts a rection that would not have ocurred at all
otherwise
(c)causes changes in the rate of the reaction
(d)changes the
quantities of the products formed
Ans. (c)
21.The rate of the first
order reaction depends on the
(a) Concentration of the reactant
(b)
Concentration of the product
(c) Time
(d) Temperature
Ans.
(d)
22. The most abundant element in the universe is
(a)
Hydrogen
(b) Helium
(c) Oxygen
(d) Silicon
Ans. (a)
23. Integrate 3x + 5 / (x3-x2-x+1)
(a) 1/2
log | (x+1)/(x-1) | - 4/(x-1)
(b) log |2+tanx|
(c) -(1+logx)/x
(d) 2
log|(tanx)/(tanx+2)
Ans. A
24. If y=cos-1(cosx + 4sinx)/(17)1/2, then
dy/dx is
(a) 0
(b) 1
(c)-1
(d) none of these
Ans. (b)
25.
If the sum of n terms of two series of A.P are in the ratio 5n+4:9n+6 .find the
ratio of their 13th terms
(a) 129/231
(b) 1/2
(c) 23/15
(d) None of
the above
Ans. (a)
26. If the letters of the word "rachit" are
arranged in all possible ways and these words are written
out as in a
dictionary, what is the rank of the word "rachit".
(a) 485
(b) 480
(c)
478
(d) 481
Ans. (d)
27. Ravi's salary was reduced by
25%.Percentage increase to be effected to bring the salary
to the original
level is
(a) 20%
(b) 25%
(c) 33 1/3%
(d) 30%
Ans. (c)
28.
A and B can finish a piece of work in 20 days .B and C in 30 days and C and A in
40 days.
In how many days will A alone finish the job
(a) 48
(b) 34
2/7
(c) 44
(d) 45
Ans. (a)
29. How long will a train 100m long
travelling at 72kmph take to overtake another train
200m long travelling at
54kmph
(a) 70sec
(b) 1min
(c) 1 min 15 sec
(d) 55 sec
Ans.
(b)
30. What is the product of the irrational roots of the equation
(2x-1)(2x-3)(2x-5)(2x-7)=9?
(a) 3/2
(b) 4
(c) 3
(d) 3/4
Ans.
(a)
31. Which of the following parameters is the same for molecules of
all gases at a given temperature?
(a) Mass
(b) Momentum
(c)
Speed
(d) Kinetic energy
Ans. (d)
32. A solid is completely
immersed in liquid. The force exerted by the liquid on the solid will
(a)
Increase if it is pushed deeper inside the liquid
(b) Change if its
orientation is changed
(c) Decrease if it is taken partially out of the
liquid
(d) None of the above
Ans. (c)
33. Select the correct
statements
(a) A simple harmonic motion is necessarily periodic
(b) An
oscillatory motion is necessarily periodic
(c) A periodic motion is
necessarily oscillatory
(d) All of the above
Ans. (a)
34. An
elecrton is injected into a region of uniform magnetic flux density with the
components
of velocity parallel to and normal to the flux.What is the path of
the electron?
(a) Helix
(b) Parabola
(c) Circle
(d)
Rectangle
Ans. (a)
35. A constant voltage is applied between the 2
ends of a uniform metallic wire.
Some heat is developed in it. The heat
developed is doubled if
(a) both the length and radius of the wire are
halved.
(b) both the length and radius of the wire are doubled
(c) the
radius of the wire is doubled
(d) the length of the wire is doubled
Ans.
(b)
36. If Young's double slit experiment is performed in water
(a)
the fringe width will decrease
(b) the fringe width will increase
(c) the
fringe width remains unchanged
(d) there will be no fringe
Ans.
(a)
37. The shape of a spot of light produced when bright sunshine passes
perpendicular
through a hole of very small size is
(a) Square, because the
hole is a square
(b) Round, because it is an image of the sun
(c) Round
with a small penumbra around it
(d) Square with a small penumbra
Ans.
(b)
Select the alternative that logically follows from the two given
statements.
38.
Some forms are books
All books are made of paper
(a) Some forms are made of
paper
(b) Some forms are not made of paper
(c) No forms are made of
paper
(d) None of the above
Ans. (a)
39.
All toffees are
chocolates
Some toffees are not good for health
(a) Some chocolates are not good for health
(b) Some toffees
are good for health
(c) No toffees are good for health
(d) Both (a) and
(b)
Ans. (a)
The questions 40-46 are based on the following
pattern.The problems below contain a question and two statements giving certain
data. You have to decide whether the data given in the statements are sufficient
for answering the questions.The correct answer is
(A) If statement (I) alone
is sufficient but statement (II) alone is not sufficient.
(B) If
statement(II) alone is sufficient but statement(I) alone is not
sufficient.
(C) If both statements together are sufficient but neither of
statements alone is sufficient.
(D) If both together are not
sufficient.
(E) If statements (I) and (II) are not sufficient
40. What
is the volume of a cubical box in cubic centimetres?
(I) One face of the box
has an area of 49 sq.cms.
(II) The longest diagonal of the box is 20
cms.
Ans. D
41. Is z positive?
(I) y+z is positive
(II) y-z is
positive
Ans. E
42. Is x>y ? x, y are real numbers?
(I) 8x =
6y
(II) x = y + 4
Ans. B
43. If a ground is rectangular, what is
its width?
(I) The ratio of its length to its breadth is 7:2
(II)
Perimeter of the playground is 396 mts.
Ans. C
44. If the present age
of my father is 39 yrs and my present age is x yrs, what is x?
(I) Next year
my mother will be four times as old as i would be.
(II) My brother is 2 years
older than I and my father is 4 years older than my mother.
Ans. C
45.
How many brothers and sisters are there in the family of seven children?
(I)
Each boy in the family has as many sisters as brothers
(II) Each of the girl
in the family has twice as many brothers as sisters
Ans. D
46. x is
not equal to 0, is x + y = 0?
(I) x is the reciprocal of y
(II) x is not
equal to 1
Ans. A
Following questions are based on letter's
analogy.First pair of letters should have the same relationship as the second
pair of letters or vice versa.
47. ? : BGLQ : : YDIN : VAFK
(a)
EKNS
(b) DKMT
(c) DLMS
(d) EJOT
Ans. (d)
48. NLO : RPS : : ?
: ZXA
(a) VUW
(b) VTR
(c) VTW
(d) TRP
Ans. (c)
49. If
"segment" is coded as rffndou, then "ritual" is coded as
(a) shutbm
(b)
qjutbk
(c) qhutbk
(d) qhubtk
Ans. (c)
50. If "football" is
"cricket" ,"cricket" is "basketball" ,"basketball" is "volleyball","volleyball" is "khokho" and
"khokho" is cricket, which is not a ball game?
(a) cricket
(b)
football
(c) khokho
(d) basketball
Ans. (a)
51. Which of the
following is a recursive set of production
(a) S --> a|A, A -->
S
(b) S --> a|A, A --> b
(c) S -->aA, A-->S
(d) None of
these
Ans. (c)
two wheels is such that it acts
(a) In the backward direction on the front
wheel and in the forward direction on the rear wheel.
(b) In the forward
direction on the front wheel and in the backward direction on the rear
wheel.
(c) In the backward direction on both the front and rear
wheels.
(d) In the backward direction on both the front and rear
wheels.
Ans. (d)
2. A certain radioactive element A, has a half life =
t seconds.
In (t/2) seconds the fraction of the initial quantity of the
element so far decayed is nearly
(a) 29%
(b) 15%
(c) 10%
(d)
45%
Ans. (a)
3. Which of the following plots would be a straight line ?
(a) Logarithm of decay rate against logarithm of time
(b)
Logarithm of decay rate against logarithm of number of decaying nuclei
(c)
Decay rate against time
(d) Number of decaying nuclei against time
Ans.
(b)
4. A radioactive element x has an atomic number of 100.
It decays
directly into an element y which decays directly into element z.
In both
processes a charged particle is emitted.
Which of the following statements
would be true?
(a) y has an atomic number of 102
(b) y has an atomic
number of 101
(c) z has an atomic number of 100
(d) z has an atomic number
of 101
Ans. (b)
5. If the sum of the roots of the equation ax2 + bx +
c=0 is equal to the sum of the squares of their reciprocals
then a/c, b/a,
c/b are in
(a) AP
(b) GP
(c) HP
(d) None of these
Ans.
(c)
6. A man speaks the truth 3 out of 4 times.
He throws a die and
reports it to be a 6.
What is the probability of it being a 6?
(a)
3/8
(b) 5/8
(c) 3/4
(d) None of the above
Ans. (a)
7. If
cos2A + cos2B + cos2C = 1 then ABC is a
(a) Right angle triangle
(b)
Equilateral triangle
(c) All the angles are acute
(d) None of
these
Ans. (a)
8. Image of point (3,8) in the line x + 3y = 7
is
(a) (-1,-4)
(b) (-1,4)
(c) (2,-4)
(d) (-2,-4)
Ans.
(a)
9. The mass number of a nucleus is
(a) Always less than its atomic
number
(b) Always more than its atomic number
(c) Sometimes more than and
sometimes equal to its atomic number
(d) None of the above
Ans.
(c)
10. The maximum KE of the photoelectron emitted from a surface is
dependent on
(a) The intensity of incident radiation
(b) The potential of
the collector electrode
(c) The frequency of incident radiation
(d) The
angle of incidence of radiation of the surface
Ans. (c)
11. Which of
the following is not an essential condition for interference
(a) The two
interfering waves must be propagated in almost the same direction or
the two
interfering waves must intersect at a very small angle
(b) The waves must
have the same time period and wavelength
(c) Amplitude of the two waves
should be the same
(d) The interfering beams of light must originate from the
same source
Ans. (c)
12. When X-Ray photons collide with
electrons
(a) They slow down
(b) Their mass increases
(c) Their wave
length increases
(d) Their energy decreases
Ans. (c)
13. An
electron emits energy
(a) Because its in orbit
(b) When it jumps from one
energy level to another
(c) Electrons are attracted towards the
nucleus
(d) The electrostatic force is insufficient to hold the electrons in
orbits
Ans. (b)
14. How many bonds are present in CO2 molecule?
(a)
1
(b) 2
(c) 0
(d) 4
Ans. (d)
15. In a balanced chemical
equation
(a) Atoms are conserved
(b) Molecules are conserved
(c) Moles
are conserved
(d) Reactant and product molecules are preserved
Ans.
(a)
16. How many grams of NaOH will react with 0.2 equivalent of
HCl?
(a) 0.59
(b) 0.285
(c) 1.18
(d) none of these
Ans.
(a)
17. Which of the following is least acidic
(a) Ortho-cresol
(b)
Para-cresol
(c) Phenol
(d) Meta-cresol
Ans. (b)
18. In
Reimer-Tiemann's reaction, the reaction intermediate is
(a) Carbene
(b)
Dichloro carbene
(c) Carbonion
(d) Carbonium ion
Ans. (b)
19.
Which of the following is most acidic?
(a) C2H5OH
(b) CH3CHOHCH3
(c)
Ethanol
(d) CH3OH
Ans. (b)
20.A catalyst
(a)always slows down
the reaction
(b)always starts a rection that would not have ocurred at all
otherwise
(c)causes changes in the rate of the reaction
(d)changes the
quantities of the products formed
Ans. (c)
21.The rate of the first
order reaction depends on the
(a) Concentration of the reactant
(b)
Concentration of the product
(c) Time
(d) Temperature
Ans.
(d)
22. The most abundant element in the universe is
(a)
Hydrogen
(b) Helium
(c) Oxygen
(d) Silicon
Ans. (a)
23. Integrate 3x + 5 / (x3-x2-x+1)
(a) 1/2
log | (x+1)/(x-1) | - 4/(x-1)
(b) log |2+tanx|
(c) -(1+logx)/x
(d) 2
log|(tanx)/(tanx+2)
Ans. A
24. If y=cos-1(cosx + 4sinx)/(17)1/2, then
dy/dx is
(a) 0
(b) 1
(c)-1
(d) none of these
Ans. (b)
25.
If the sum of n terms of two series of A.P are in the ratio 5n+4:9n+6 .find the
ratio of their 13th terms
(a) 129/231
(b) 1/2
(c) 23/15
(d) None of
the above
Ans. (a)
26. If the letters of the word "rachit" are
arranged in all possible ways and these words are written
out as in a
dictionary, what is the rank of the word "rachit".
(a) 485
(b) 480
(c)
478
(d) 481
Ans. (d)
27. Ravi's salary was reduced by
25%.Percentage increase to be effected to bring the salary
to the original
level is
(a) 20%
(b) 25%
(c) 33 1/3%
(d) 30%
Ans. (c)
28.
A and B can finish a piece of work in 20 days .B and C in 30 days and C and A in
40 days.
In how many days will A alone finish the job
(a) 48
(b) 34
2/7
(c) 44
(d) 45
Ans. (a)
29. How long will a train 100m long
travelling at 72kmph take to overtake another train
200m long travelling at
54kmph
(a) 70sec
(b) 1min
(c) 1 min 15 sec
(d) 55 sec
Ans.
(b)
30. What is the product of the irrational roots of the equation
(2x-1)(2x-3)(2x-5)(2x-7)=9?
(a) 3/2
(b) 4
(c) 3
(d) 3/4
Ans.
(a)
31. Which of the following parameters is the same for molecules of
all gases at a given temperature?
(a) Mass
(b) Momentum
(c)
Speed
(d) Kinetic energy
Ans. (d)
32. A solid is completely
immersed in liquid. The force exerted by the liquid on the solid will
(a)
Increase if it is pushed deeper inside the liquid
(b) Change if its
orientation is changed
(c) Decrease if it is taken partially out of the
liquid
(d) None of the above
Ans. (c)
33. Select the correct
statements
(a) A simple harmonic motion is necessarily periodic
(b) An
oscillatory motion is necessarily periodic
(c) A periodic motion is
necessarily oscillatory
(d) All of the above
Ans. (a)
34. An
elecrton is injected into a region of uniform magnetic flux density with the
components
of velocity parallel to and normal to the flux.What is the path of
the electron?
(a) Helix
(b) Parabola
(c) Circle
(d)
Rectangle
Ans. (a)
35. A constant voltage is applied between the 2
ends of a uniform metallic wire.
Some heat is developed in it. The heat
developed is doubled if
(a) both the length and radius of the wire are
halved.
(b) both the length and radius of the wire are doubled
(c) the
radius of the wire is doubled
(d) the length of the wire is doubled
Ans.
(b)
36. If Young's double slit experiment is performed in water
(a)
the fringe width will decrease
(b) the fringe width will increase
(c) the
fringe width remains unchanged
(d) there will be no fringe
Ans.
(a)
37. The shape of a spot of light produced when bright sunshine passes
perpendicular
through a hole of very small size is
(a) Square, because the
hole is a square
(b) Round, because it is an image of the sun
(c) Round
with a small penumbra around it
(d) Square with a small penumbra
Ans.
(b)
Select the alternative that logically follows from the two given
statements.
38.
Some forms are books
All books are made of paper
(a) Some forms are made of
paper
(b) Some forms are not made of paper
(c) No forms are made of
paper
(d) None of the above
Ans. (a)
39.
All toffees are
chocolates
Some toffees are not good for health
(a) Some chocolates are not good for health
(b) Some toffees
are good for health
(c) No toffees are good for health
(d) Both (a) and
(b)
Ans. (a)
The questions 40-46 are based on the following
pattern.The problems below contain a question and two statements giving certain
data. You have to decide whether the data given in the statements are sufficient
for answering the questions.The correct answer is
(A) If statement (I) alone
is sufficient but statement (II) alone is not sufficient.
(B) If
statement(II) alone is sufficient but statement(I) alone is not
sufficient.
(C) If both statements together are sufficient but neither of
statements alone is sufficient.
(D) If both together are not
sufficient.
(E) If statements (I) and (II) are not sufficient
40. What
is the volume of a cubical box in cubic centimetres?
(I) One face of the box
has an area of 49 sq.cms.
(II) The longest diagonal of the box is 20
cms.
Ans. D
41. Is z positive?
(I) y+z is positive
(II) y-z is
positive
Ans. E
42. Is x>y ? x, y are real numbers?
(I) 8x =
6y
(II) x = y + 4
Ans. B
43. If a ground is rectangular, what is
its width?
(I) The ratio of its length to its breadth is 7:2
(II)
Perimeter of the playground is 396 mts.
Ans. C
44. If the present age
of my father is 39 yrs and my present age is x yrs, what is x?
(I) Next year
my mother will be four times as old as i would be.
(II) My brother is 2 years
older than I and my father is 4 years older than my mother.
Ans. C
45.
How many brothers and sisters are there in the family of seven children?
(I)
Each boy in the family has as many sisters as brothers
(II) Each of the girl
in the family has twice as many brothers as sisters
Ans. D
46. x is
not equal to 0, is x + y = 0?
(I) x is the reciprocal of y
(II) x is not
equal to 1
Ans. A
Following questions are based on letter's
analogy.First pair of letters should have the same relationship as the second
pair of letters or vice versa.
47. ? : BGLQ : : YDIN : VAFK
(a)
EKNS
(b) DKMT
(c) DLMS
(d) EJOT
Ans. (d)
48. NLO : RPS : : ?
: ZXA
(a) VUW
(b) VTR
(c) VTW
(d) TRP
Ans. (c)
49. If
"segment" is coded as rffndou, then "ritual" is coded as
(a) shutbm
(b)
qjutbk
(c) qhutbk
(d) qhubtk
Ans. (c)
50. If "football" is
"cricket" ,"cricket" is "basketball" ,"basketball" is "volleyball","volleyball" is "khokho" and
"khokho" is cricket, which is not a ball game?
(a) cricket
(b)
football
(c) khokho
(d) basketball
Ans. (a)
51. Which of the
following is a recursive set of production
(a) S --> a|A, A -->
S
(b) S --> a|A, A --> b
(c) S -->aA, A-->S
(d) None of
these
Ans. (c)
Subscribe to:
Comments (Atom)
