Instructor of CS601 Mr. Hammad Khalid Khan

Instructor’s Biography:
Education
Masters of Business Administration (MBA) -‘Distinction’
Victoria University of Wellington, New Zealand
MS Electrical Engineering (Telecommunications)
Oklahoma State University, Stillwater OK, U.S.A
BS Electrical Engineering (Communications)
University of Engineering and Technology, Pakistan
Experience
Apr 2012 - Present - Customer Solution Manager (CSM) Solutions & Pre-Sales
Solutions & Marketing (S&M), ANZ & PI
@ Alcatel-Lucent New Zealand
Jul 2011 - Apr 2012 - Solution Development Manager (SDM)
Customer Solutions & Sales Support (CS & SS)
@ Alcatel-Lucent New Zealand
Nov 2010 - Jul 2011 - Consulting Solutions Architect -IPTC AsiaPac
@ Alcatel-Lucent Singapore
Jan 2008 - Nov 2010 - Lead Network Solutions Manager
@ Alcatel-Lucent New Zealand
Jun 2006 - Jan 2008 - Design Architect IMS VoIP Core
@ Motorola Spain/Bahrain
Jul 2004 - Jun 2006 - Sr. Field Service Engineer (Team Lead)
@ Nortel Networks Asia Pac
Feb 2004 - Jun 2004 - Executive Engineer
@ Worldcall Telecom Ltd. Pakistan
May 2003 - Sep 2003 - Network Design Engineer
@ 9278 Communication Inc. USA
Nov 2001 - May 2003 - Graduste Research Assistant
@ ACSEL Labs Oklahoma State Univeristy USA

CS301 Past Final Term Solved Papers

ENG101 Past Final Term Solved Papers

ENG201 Past Final Term Solved Papers

CS201 Solved Short Question

Question No: 1 ( Marks: 2 )
Write a declaration statement for an array of 10 elements of type float. Include an initialization statement of the first four elements to 1.0, 2.0, 3.0 and 4.0.
Answer:
float floatArry[10] = {1.0,2.0,3.0,4.0};
Question No: 2 ( Marks: 2 )
Write the general syntax for the declaration of pre-increment and post-increment member operator function.
Answer:
Classname operator ++(); ---- pre increment
Classname operator ++(int) ---- post increment
Question No: 3 ( Marks: 2 )
Give the general syntax of class template.
Answer:
template
class myclass { ---} ;
Question No: 4 ( Marks: 2 )
What is a truth Table?
Answer:
There are some areas where the decision structures become very complicated. Sometimes, we find it difficult to evaluate a complicated logical expression. Sometimes the logic becomes extremely complicated so that even writing it as a simple syntax statement in any language. It becomes complicated to determine what will be evaluated in what way. We know the concept of truth table. The truth tables are very important. These are still a tool available for analyzing logical expressions. We will read logic design in future, which is actually to do with chips and gates. How we put these things together.
Question No: 5 ( Marks: 2 )
What will be the output of following code, if user input a number 123?
int input ;
cin >> oct >> input;
cout hex input ;
Answer:
53
Rational: it will take 123 as octal and print it in hex form which is 53.
Question No: 6 ( Marks: 2 )
What is principle of friendship in the context of functions and classes?
Answer:
Class can declare a friend function and someone from outside the class cannot declare itself friend of a class.
A friend function can access the private variables of class just like a member function
Question No: 7 ( Marks: 2 )
How many arguments a Unary Operator take? Can we make a binary operator as unary operator?
Answer:
Unary operator takes only one argument like i++ or i— (Post increment or post decrement operators for integers) or ++i,--i (Pre increment or pre decrement operators for integers) ,we can not make Unary operator as binary or binary as Unary operator.
Question No: 8 ( Marks: 2 )

Which arithmetic operators cannot have a floating point operand?

Answer:
Modulus operator:
This operator can only be used with integer operands ONLY

Question No: 9 ( Marks: 2 )

What are manipulators? Give one example.

Answer:
The manipulators are like something that can be inserted into stream, effecting a change in the behavior. For example, if we have a floating point number, say pi (ะป), and have written it as float pi = 3.1415926 ; Now there is need of printing the value of pi up to two decimal places i.e. 3.14. This is a formatting functionality. For this, we have a manipulator that tells about width and number of decimal points of a number being printed.

Question No: 10 ( Marks: 2 )

Write down piece of code that will declare a matrix of 3x3. And initialize all its locations with 0;

Answer:
int matrix [3] [3] ;

include

main () {
int matrix [3][3];
int inivalue = 0;

for (int a=0;a<3;a++)
{ for (int b = 0;b<3;b++)
{ matrix[a][b]= inivalue;
cout/p>
}

Question No: 11 ( Marks: 2 )

What is the difference between switch statement and if statement.
Answer:
The “If” statement is used to select among two alternatives. It uses a Boolean expression to decide which alternative should be executed. The switch statement is used to select among multiple alternatives. It uses an int expression to determine which alternative should be executed.

Question No: 12 ( Marks: 2 )

How can we initialize data members of contained object at construction time?

Answer:
Initializer list is used to initialize the contained objects at the construction time.

Question No: 13 ( Marks: 2 )

Can we overload new and delete operators?

Answer:
Yes, it is possible to overload new and delete operators to customize memory management. These operators can be overloaded in global (non-member) scope and in class scope as member operators.

Question No: 14 ( Marks: 2 )

Suppose there is a template function ‘func’ having argument of type U and return type T. What will be the C++ syntax to call this function, passing a variable ‘x’ of type double and returning an int type?

Answer:
template
T func (T a, U b) {
return (a
}
calling
int i;
double x;
x = func
Permalink Reply by M.Tariq Malik on Sunday
Question No: 15 ( Marks: 2 )

Which variable will be used in inner code block if we have the same names of variable at outer code block and inner code block?

Answer:
Simply: variable of the inner code is use in the inner code block.

Question No: 16 ( Marks: 2 )

What is the benefit of reference and where can we use it?

Answer:
In references we give the memory address of the object, due to references we pass values without making the copy. Hence, when we have many values & we want efficiency we use references to avoid copy.

Question No: 17 ( Marks: 2 )

Write the C++ code for the declaration of overloaded stream insertion and stream extraction operator for the object d of type Date.

Answer:
Date operator >> (date & d1){
cout<”-”<”-”/p>
}

Question No: 18 ( Marks: 2 )

What is difference between endl and \n?

Answer:
Endl is manipulator and it inserts new line character and flushes the stream.

\n is control character which is used to insert line break.

Question No: 19 ( Marks: 2 )

What does code optimization mean?

Answer:
It is process by which we make our code in such a way that it improves the speed of program. By use of optimization we refine program codes in such a way that it run faster and consume less memory. We do it in such a way that output quality is not compromised.

Question No: 20 ( Marks: 3 )

How is the following cout statement interpreted by compiler?

cout a b c ;

Answer:
It will give a compiler error because a,b,c are not declared.

Question No: 21 ( Marks: 3 )

Suppose an object of class A is declared as data member of class B.

(i) The constructor of which class will be called first?
Answer: A
(ii) The destructor of which class will be called first?
Answer: B

Question No: 22 ( Marks: 3 )

What will be the output of following functions if we call these functions three times?

1)
void func1(){
int x = 0;
x++;
cout x endl;
}

Answer:

1
1
1
2)
void func2(){
static int x = 0 ;
x++;
cout x endl ;
}

Answer:
1
2
3

Question No: 23 ( Marks: 3 )

If is not available in the system then what does calloc/malloc and new operator return?

Answer:
calloc/malloc and new operator return returns a null pointer to indicate that no memory is available

Question No: 24 ( Marks: 3 )

What is the keyword ‘this’ and what are the uses of ‘this’ pointer?

Answer:
'this' is use to refer the current class member without using the name of the class.

Question No: 25 ( Marks: 3 )

Which one (copy constructor or assignment operator) will be called in each of the following code segment?

1) Matrix m1 (m2);
2) Matrix m1, m2;
m1 = m2;
3) Matrix m1 = m2;

Answer:

1) Matrix m1 (m2); copy constructor
2) Matrix m1, m2;
m1 = m2; assignment operator
3) Matrix m1 = m2; assignment operator

Question No: 26 ( Marks: 3 )

What will be the output of following function if we call this function by passing int 5?

template T reciprocal(T x) {return (1/x); }

Answer:

0
The output will zero as 1/5 and its .05 but conversion to int make it zero
Above is prototype of template class so assume passing an int and returning an int

Question No: 27 ( Marks: 3 )

Identify the errors in the following member operator function and also correct them.

math * operator(math m);
math * operator (math m)
{
math temp;
temp.number= number * number;
return number;

}

Answer:

The errors are in the arguments of the member operation function and also in the body of operator member function.
Correct function should be
math *operator (math *m)
{
math temp;
temp = m;
temp.number= number * number;
return temp.number;

}

Question No: 28 ( Marks: 3 )

What are the limitations of the friendship relation between classes?

Answer:
friendship relation between classes is a one way relation that is if one class declare friend another class then the another class is the friend of first class but not the first class if the friend of another class.

Question No: 29 ( Marks: 3 )

Define static variable. Also explain life time of static variable?

Answer:
When you declare a static variable (native data type or object) inside a function, it is created and initialized only once during the lifetime of the program.

Question No: 30 ( Marks: 5 )

What is difference between Unary and binary operators and how they can be overloaded?

Answer:
Unary operator takes one argument.
a ++ is an example of unary operator

Binary take two operators
+,-,* are example of binary operators
Overloaded binary operator may return any type

Here is general syntax of overloading
Return-type operator symbol (parameters);

Operator is keyword
Permalink Reply by M.Tariq Malik on Sunday
Question No: 31 ( Marks: 5 )

What steps we must follow to design good program?

Answer 1:

Hence to design a program properly, we must:
Analyze a problem statement, typically expressed as a word problem.
Express its essence, abstractly and with examples.
Formulate statements and comments in a precise language.
Evaluate and revise the activities in light of checks and tests and
Pay attention to detail.

Answer 2:

Details: we must check very details of any program. It is very important aspect of any program. We must pay complete attention to calculation.
We must give attention to logic and its flow should be smooth.

Reusable: We must write program in such a way that we can reuse them in other program. Like we define function in such a way that in future if we need any similar kind of function is requires in that case we can easily modify or reuse it.

Comments: we write the details of important steps in the form of comments. We should use comments in such a way if any body else wanted to reuse or debug or codes he can easily understand it.

Code readability: We should use Tab and spaces so codes are easily readable.

User interface: we make interface user friendly. Use polite prompts for user while take input.

Question No: 32 ( Marks: 5 )

Write a program which defines five variables which store the salaries of five employees, using setw and setfill manipulators to display all these salaries in a column.
Note: Display all data with in a particular width and the empty space should be filled with character x
Output should be displayed as given below:
xxxxxx1000
xxxxxx1500
xxxxx20000
xxxxx30000
xxxxx60000

Answer:

#include
#include
main(){
int sal1 =1000;
int sal2 =1500;
int sal3 =20000;
int sal4 =30000;
int sal5 =60000;

cout setfill ('x') setw (10);
cout sal1/p>
cout setfill ('x') setw (10);
cout sal2/p>
cout setfill ('x') setw (10);
cout sal3/p>
cout setfill ('x') setw (10);
cout sal4/p>
cout setfill ('x') setw (10);
cout sal5/p>
int i=0;
cin>>i; // to stop the screen to show the output
}

Question No: 33 ( Marks: 5 )

Suppose we have the following class.

class Matrix
{
private:
int Elements[3][3];
};

Write the operator function of stream extraction operator (>>) for this class.

Answer:
Element operator >> (Element &element){
cout/p>
cout/p>
cout/p>
}

Question No: 34 ( Marks: 5 )

What is meant by user interface and class interface in C++ ? And what role a class interfaces can play in user interface [Marks 5]

Answer:

Question No: 35 ( Marks: 5 )

Write the general syntax of a class that has one function as a friend of a class along with definition of friend function.

Answer:
class frinedclass{
public:
friend int compute(exforsys e1)
};
Int compute(exforsys e1)
{
//Friend Function Definition which has access to private data
return int(e1.a+e2.b)-5;
}

Question No: 36 ( Marks: 5 )

What are the advantages and disadvantages of using templates?

Answer:
Many things can be possible without using templates but it does offer several clear advantages not offered by any other techniques:

Advantages:
Templates are easier to write than writing several versions of your similar code for different types. You create only one generic version of your class or function instead of manually creating specializations.
Templates are type-safe. This is because the types that templates act upon are known at compile time, so the compiler can perform type checking before errors occur.
Templates can be easier to understand, since they can provide a straightforward way of abstracting type information.
It helps in utilizing compiler optimizations to the extreme. Then of course there is room for misuse of the templates. On one hand they provide an excellent mechanism to create specific type-safe classes from a generic definition with little overhead.

Disadvantages:
On the other hand, if misused
Templates can make code difficult to read and follow depending upon coding style.
They can present seriously confusing syntactical problems esp. when the code is large and spread over several header and source files.
Then, there are times, when templates can "excellently" produce nearly meaningless compiler errors thus requiring extra care to enforce syntactical and other design constraints. A common mistake is the angle bracket problem.

Question No: 37 ( Marks: 5 )

Suppose a program has a math class having only one data member number.
Write the declaration and definition of operator function to overload + operator for the statements of main function.
math obj1, obj2;
obj2= 10 + obj1 ;

Answer:
#include
math
{
mth operator + (obj1,int x)
{

number temp;
temp=obj1.number+x;
return temp.number;
}
}

Question No: 38 ( Marks: 5 )

Write a program which defines three variables of type double which store three different values including decimal points, using setprecision manipulators to print all these values with different number of digits after the decimal number.

Answer:

#include
#include
main () {
double a = 12.12345;
double b = 13.123456;
double c = 14.1234567;
cout setprecision (5) a endl;
cout setprecision (2) a endl;
cout setprecision (3) a endl;
}

Question No: 39 ( Marks: 5 )

Let we have a class,
class String
{
private:
char buf[25];
};
Write code for assignment (=) operator function which assign one String object to other object. Your code should also avoid self assignment

Answer:
void String::operator = ( const String &other )
{ int length ;
length = other.length();
delete buf;
buf = new char [length + 1];
strcpy( buf, other.buf ); }

Question No: 40 ( Marks: 5 )

Read the given below code and explain what task is being performed by this function
Matrix :: Matrix ( int row , int col )
{
numRows = row ;
numCols = col ;
elements = new ( double * ) [ numRows ] ;
for ( int i = 0 ; i < numRows ; i ++ )
{
elements [ i ] = new double [ numCols ] ;
for ( int j = 0 ; j < numCols ; j ++ )
elements [ i ] [ j ] = 0.0 ;
}
}
Hint : This function belong to a matrix class, having
Number of Rows = numRows
Number of Columns = numCols

Answer:
In the above mentioned code, first of all programmer call the constructor who have two parameters for the number of rows & columns in the matrix. Then this constructor also dynamically allocates the memory for the elements of the matrix & also initializes the value of the all elements of matrix with 0.0

CS201 Solved MCQ

The statement cout yptr will show the __________the yptr points to.
Value
Memory Address
Variabvle
None of given
char **argv can be read as__________________.
Pointer to Pimter
Pointer to Char
Pointer to Pointer to Char
None of given
_______________are conventional names of the command line parameters of the ‘main()’ function.
‘argb’ and ‘argv’
‘argc’ and ‘argv’
‘argc’ and ‘argu’
None of Given
___________ Returns true if c is a digit and false otherwise.
int isalpha( int c )
int isalnum( int c )
int isxdigit( int c )
int isdigit( int c )
In the case of pointer to pointer or _______________, the first pointer contains the address of the second pointer, which contains the address of the variable, which contains the desired value.
double dereference
Single dereference
dereference
None of the given
_______________________ contains functions for manipulations of character data.
ctype.h
iostream.h
string.h
None of the given
dereferencing operator is represented by _______
*
+
-
None of the given
In_________, we try to have a precise problem statement
Analysis
Design
Coding
None of the given
Memory allocated from heap or free store _____________________.
can be returned back to the system automatically
can be allocated to classes only
cannot be returned back unless freed explicitly using malloc and realloc
cannot be returned back unless freed explicitly using free and delete operators
Once the _______________ are created, they exist for the life time of the program
local variables
non static variables
static variables
automatic variables
Once the static variables are created, they exist for the life of the program. They do not die. So returning their reference is all right.
The members of a class declared with the keyword struct are _____________by default.
static
private
protected
public.
The members of a class declared with the keyword struct are public by default. A structure is inherited publicly by default.
If the memory in the free store is not sufficient ____________________.
Select correct option:
malloc function returns 1
malloc function returns 0
malloc functions returns NULL pointer
malloc function returns free space
if the memory in the free store is not sufficient enough to fulfill the request. malloc() function returns NULL pointer if the memory is not enough. In C++, 0 is returned instead of NULL pointer.
This reference to a variable can be obtained by preceding the identifier of a variable with ________________.
dot operator
ampersand sign &
^ sign
operator
Once an object is declared as a friend, _________________________.
it has access to all non-public members as if they were public
it has access to public members only
it has no access to data members of the class
it has to protected data members only
Reference variables must _________________.
not be initialized after they are declared
be initialized after they are declared
contain integer value
contain zero value
If the request of new operator is not fulfilled due to insufficient memory in the heap____________________.
the new operator returns 2
the new operator returns 1
malloc functions returns NULL pointer
malloc function returns free space
Reference is not really an address it is ______________.
a synonym
an antonym
a value
a number
If the request of new operator is not fulfilled due to insufficient memory in the heap ____________________.
the new operator returns 2
the new operator returns 1
the operator returns 0
free operator returns nothing
Functions declared with the _______________ specifier in a class member list are called friend functions of that class.
protected
private
Public
friend
Functions declared with the friend specifier in a class member list are called friend functions of that class. Classes declared with the friend specifier in the member list of another class are called friend classes of that class.
public or private keywords can be ____________
written only for once in the class or structure declaration
written multiple times in the class or structure declaration
written only twice in the class declaration
written outside the class
good practice is to write public or private keywords only once in the class or structure declaration, though there is no syntactical or logical problem in writing them multiple times.
The friend keyword provides access _____________.
in one direction only
in two directions
to all classes
to the data members of the friend class only
The friend keyword provides access in one direction only. This means that while OtherClass is a friend of ClassOne, the reverse is not true.
References cannot be uninitialized. Because it is impossible to _______________
reinitialize a pointer
reinitialize a reference
initialize a NULL pointer
cast a pointer
new operator can be used for ______________.
Select correct option:
only integer data type
only char and integer data types
integer , float, char and double data types
dot operator
Similarly, new operator can be used for other data types like char, float and double etc.
The destructor is used to ______________.
allocate memory
deallocate memory
create objects
allocate static memory
If we want to allocate memory to an array of 5 integers dynamically, the syntax will be _____________.
int *iptr ; iptr = new int[5] ;
integer iptr** ; iptr= new int[5]
int iptr ; iptr= int [5]
iptr= new[5]
Memory allocated from heap or free store _____________________.
can be returned back to the system automatically
can be allocated to classes only
cannot be returned back unless freed explicitly using malloc and realloc
cannot be returned back unless freed explicitly using free and delete operators
The memory allocated from free store or heap is a system resource and is not returned back to the system unless explicitly freed using delete or freeoperators.
Operator overloading is to allow the same operator to be bound to more than one implementation, depending on the types of the _________.
Select correct option:
Compilers
Operands
Function names
Applications
Operator overloading is to allow the same operator to be bound to more than one
implementation, depending on the types of the operands.
The operator to free the allocated memory using new operator is________________.
Select correct option:
free
del
delete
remove
The operator to free the allocated memory using new operator is delete. So whenever,
we use new to allocate memory, it will be necessary to make use of ‘delete’ to deallocate
the allocated memory.
The concept of friend function negates the concept of _________________.
Select correct option:
inheritance
polymorphism
persistence
encapsulation
New operator is used to allocate memory from the free store during ______________
Compile Time
Run Time
Link Time
None of above
To get the memory address of a variable we use _____

&

&&
*
|

If we have a program that writes the output data (numbers) to the disc, and if we collect the output Data and write it on the disc in one write operation instead of writing the numbers one by one. In the above situation the area where we will gather the number is called
Buffer
Stream
Memory
None of these
What functionality the following program is performing?
#include <iostream.h>
int main()
{
const int SIZE = 80;
char buffer[SIZE];
cout <<" Enter a sentence : ";
cin.getline(buffer, SIZE);
cout<<buffer <<endl;
system("pause");

}
objects are used respectively to read a sentence from the key board and then print it on the screen.
Using getline function
using character arrays
Doing nothing
The get member function, when passed no arguments, inputs an entire stream and returns it as the value of the function call.
True
False
New operator allocates memory from free store and returns ___________
Void
NULL
Nothing return
None of above
The statement cin.get (); is used to,
Read a character from keyboard
Read a an entire string
Read integer values
Read float values
Suppose int i = 10; then what will be the value of i after being converted in to octal value
10
12
14
16
Which of the following is a destination of cout stream?
Monitor /screen
Keyboard
Memory
None of these
Which of the following is the correct definition of streams ?
streams are memory locations
sequence of bytes are called streams
sequence of variables are called streams
sequence does not have any definition
Stream operators are heavily overloaded means , they allow to handle int and character data type only.
true
false
What functionality the following program is performing?
int main()
{
const int SIZE = 80;
char buffer[SIZE];
cout <<" Enter a sentence : ";
cin.getline(buffer, SIZE);
cout<<buffer <<endl;
system("pause");

}
read and write member functions of cin and cout objects are used respectively to read a sentence from the key board and then print it on the screen.
read and put member functions of cin and cout objects are used respectively to read a sentence from the key board and then print it on the screen.
get and write member functions of cout and cin objects are used respectively to read a sentence from the key board and then print it on the screen.
get and write member functions of cout and cin objects are used respectively to read a sentence from the key board and then print it on the screen.
Which of the following is a source for cout stream?
monitor / screen
keyboard
proccessor
none of these
If we use cin stream to read some value and store it in some integer variable and press some alphabet key instead of numeric keys. then what will happen?
Its binary representation will be ignored and the character will be stored
Its binary representation will be ignored and the value will be stored
Its ASCII code will be stored inside the computer
Some error will occur and cin stream will detect this error.
The endl and flush are _____
Functions
Operators
Manipulators
Objects
What is the difference between cout and cerr ?
cout is unbuffered output and cerr is buffered output
cout is standard output and cerr is not a standard output
cout is not a standard output and cerr is standard output
cout is buffered output and cerr is unbuffered output
The operator function for << (stream insertion) >> and stream extraction must be
Member function of class
Non-member function of class
Both member and non-member function
None of the given options
The pointer returned by the new operator points to --------------- of memory chunks allocated by the new operator
First memory address
Second memory address
Last memory address
None of the above
When we used eof (end of file) with the file reading than which of the following is a true statement?
This is way to check source of the stream
This is way to check destination of the stream
This is way to check state of the stream
This is way to check type of the stream
The stream insertion and extraction operators are not already overloaded for ____
Built-in data types
User-defined data types
Both built-in and user-defined types
None of the given options
When a variable is defined as static in a class then ___________
Separate copy of this variable is created for each object
Only one copy is created for all objects of this class
A copy of this variable is created for only static objects.
None of the given options
Static variable which is defined in a function is initialized ________.
Only once during its life time
Every time the function call
Compile time of the program
None of the above
1. After analyzing the findings of the research conducted, you need to identify the ‘key factor’ which compelled KFC’s higher management to launch Big Filler Burger?

Solution:
As a new product launch is always risky. You can never be certain if your product will be a success or a failure. There are, however, ways to predict with reasonable accuracy, whether or not a product will succeed. This can be done by determining the key success factors for a new product. According to Dr. William R. Boulton,
“key success factor fall into five categories: customer requirements, competitive factors that must be met, regulations/industry standards, requirements to implement competitive strategy, and technical requirements to build a competitive position. Determining the precise key success factors for your specific product is simple when using these categories. Following a few easy steps will show you how to determine your key success factors.”
1- customer requirement:
The KFC’s higher management write down a list of customer requirements. These are the things that you know your potential customers want in a product. This can be gathered via market research. An example as it is discribed that the size of the burger is now attracting customers,. Therefore, it is considered a key success factor.
2- Competitive factors:
Write a list of competitive factors that must be met. For example, if you are marketing a new sports drink and all other sports drinks contain caffeine, putting caffeine in your product is a competitive factor that you must meet. Not meeting this factor means that you will likely be unable to compete, so this factor is a key success factor.
3- Regulations/industry standards:
Write a list of regulations/industry standards in your specific business. A food product, for instance, needs to pass certain health requirements. Not meeting these requirements makes it likely that you will be shut down by regulators. Therefore, these requirements are considered key success factors.
4- Resource requirements:
Write your resource requirements to implement competitive strategy. For example, for a marketing campaign you will need to the the approximate cost and the number of employees needed. These are factors necessary to implement your strategy, so they are considered key success factors.
5- Technical requirements:
Write a list of technical requirements you need to build a competitive position. If you need access to particular technology to produce and distribute your product, this is a key success factor
2. How competitors of KFC help in making an idea of Big Filler? Was it market intelligence or market research which helped KFC to take this decision?

Solution:
It was Market research that KFC help in making an idea of Big Filler as KFC was facing severe competition from its competitor regarding size of the burger e.g. BIG MAC Burger by McDonald, Foot Long Burger by Subway etc. The crux of the task was to design a campaign where KFC could stand out among competitors by offering something unique and out of the box. Therefore KFC’s product development team came up with a new idea of introducing “KFC Big Filler Burger”
KFC conducted a research that what the competitors are doing in this regards. Research findings show that Big Mac by Mac Donald and Big Foot by Subway, have received a tremendous response from the market; especially from those customers who are focusing on the size of the product. For that KFC has developed a new product with the name of Big Filler burger. After the launch of this product, they again conducted a research and tried to explore the response of the customer regarding some particular attributes of the product.
Q1. Correct the grammatical mistakes in the following sentences. (5 marks)
1. No less than fifty men were injured in the accident.
2. He is the taller of the two brothers.
3. He would make a better engineer than a doctor.
4. I do not like such movies, which are immoral.
5. Poultry has given him great profit.
Q2. Fill in blanks by using the appropriate connectives. (5 marks)

1. This is _____ a heavy chair that it is not easy to carry. (much, such)
2. I was ___ pleased about the letter that I ran to tell my mother. (so, very)
3. The news is ____wonderful to be believed. (too, to)
4. The main reason I left early was ________ I was bored. (if, because)
5. I was reaching down to pick up my cap just _____ I saw the two snakes. (when, then)

Q3. Identify the given statements as Complete Sentence or Sentence Fragment.
(5 marks)
1. Several small shops went out of business.
2. The nurse pierced my arm four times with a syringe.
3. As it was her first airplane ride.
4. Because there was a gas leak.
5. The small child was always active.
Solution:
Question No.1
1. No less than fifty men were injured in the accident.
2. He is the taller of the two brothers.
3. He would make a better engineer than a doctor.
4.I donot like immoral movies.
5. He has earned benefit through dealing in poultry.
Question No.2
1. This is such a heavy chair that it is not easy to carry.
2. I was so pleased about the letter that I ran to tell my mother.
3. The news is to wonderful to be believed.
4. The main reason I left early was becasue I was bored.
5. I was reaching down to pick up my cap just when I saw the two snakes.
Question No.3
1. Several small shops went out of business. Complete
2. The nurse pierced my arm four times with a syringe.Complete
3. As it was her first airplane ride.Fragment
4. Because there was a gas leak.Fragment
5. The small child was always active.Complete

Instructor of CS201 Dr. Naveed A Malik

Instructor's Biography:
Position
Project Coordinator, PAN DORA : Pan Asia Network Distance and Open Resource Access
Rector, Virtual University of Pakistan
Education
Master’s degree in Physics, University of the Punjab, Pakistan
Doctor of Science degree in Electrical Engineering and Computer Science specializing in Digital Signal Processing, Massachusetts Institute of Technology
Experience
Responsible for overall coordination and administration of the nine simultaneous sub-projects of PAN DORA : Pan Asia Network Distance and Open Resource Access
Established the Spark Source Mass Spectroscopy laboratory at the Center for Solid State Physics
Has been associated with the Virtual University project from inception to launch
Has lectured extensively, has been an active systems and software developer and has published several papers on various technical subjects
Member of the Pakistan Institute of Physics

Instructor of MGT503 Dr.Rasheed Kausar

Instructor's Biography:
Dr. Kausar was born in Punjab, Pakistan.
He enrolled at Karachi University in 1970, and completed Bachelor of Science (Hons) with first position.
Thereafter, Dr. Kausar was awarded assistantship from Michigan State University, USA in 1973 for PhD.
He earned his PhD in 1978. Later, He became a Certified Quality Lead Auditor from BSI, UK.
He has also attended professional faculty development courses at MIT(USA), at NUS/NTU(Singapore) and has also participated in Master Class on Knowledge Management led by Prof Sveiby in Sydney, Australia.



Instructor of MGT301 Prof. Dr. Mukhtar Ahmed

Instructor's Biography:
Prof. Dr. Mukhtar Ahmed
Member Operation & Planning,
Higher Education Commission of Pakistan
Professor Dr Mukhtar Ahmed was appointed as Member (Operations & Planning) of the HEC in January 2005.
An MSc graduate from the University of Agriculture, Faisalabad, he went on to complete an MBA and PhD
from the University of California, Riverside. He served as an academic and administrator in various Pakistani
universities including COMSATS Institute of Information Technology and Virtual University of Pakistan.

Instructor of CS402 Dr. Shahid S. Siddiqi

Instructor's Biography: 
Department of Mathematics
University of the Punjab
Qualification
Ph.D. (Computational Mathematics)
Brunel University (University of West London), England.
Thesis: Spline Solutions of Boundary-value Problems
Advisor: Prof. E. H. Twizell
Present Status
15 March, 2007-present Chairman
25 July, 2004-present Professor
Fields of Interest
Computational Mathematics
Computer Graphics
Theory of Splines



CS504-Software Engineering-Finalterm-Solved-MCQs

Solved by VUstudyhelp

Question # 1

Str  = 0;// str is string Which rewritten from of above line of code is more in line with the self-documentation philosophy than the code above.
Str = false;
Str = NULL;
Str = ‘;
Str = 0.0;

Question # 2

Struct packed_struct  { unsigned int f1:1;} pack; Here in “packed_struct”:
Value of f1 =1
Size of f1 = 1 bit
Value of f1 should not exceede 1
None of given options

Question # 3

In the switch statement, cases should always end with a -------statment.
Switch
Go
Break
Stop 

Question # 4

Bit fields are a convenient way to express many difficult operations. However, bit fields suffer from one problem.
Lack of Usability
Lack of Security
Lack of Performance
Lack of Portability 

Question # 5

If(!(block < activeBlock)) is equvivalent to.
If ((block < activeBlock))
If ((block == activeBlock))
If ((block >= activeBlock))
None of the given 

Question # 6

Bit fields allow the packing of data in a structure. Using Bit fields we can.
Read 9 bit integers
Avoid memory leakages
Avoid memory overflow
Avoid syntax errors 

Question # 7

The order in which bytes of one word are stored is _________ dependent.
Hardware
Software
Language
Syntax 

Question # 8

In order to write a portable code which of the following guideline will be helpful:
Stick to the standards
Program in the mainstream
Size of data types
All of give options 

Question # 9

Complex expressions.
Make the code easy to modify
Make the code difficult to modify
Make the code easy to understand
Does not effect understandability 

Question # 10

x = 0; // x is floating pt Which rewritten form of above line of code is more in line with the self-documentation philosophy than the code above.
x = false
x = NULL
x = 0.0;
x = ‘’

Question # 11

using proper paranthesis normally makes the code.
easy to read
easy to understand
less ambiguous
All of the given options 

Question # 12

The use of comments should be minimized by making the code self-documenting by appropriate name choices and an explicit logical structure.
True
False 

Question # 13

Bit fields allow the packing of data in a structure. using Bit fields we can:
Read 9 bit integers
Avoid memory leakages
Avoid memory overflow
Avoid syntax errors 

Question # 14

1) x = (a + 2 > 3)? a : a-1 ; 2) if((a + 2)> 3) x = a; else x = a - 1;
Statement (2) is more complex than (1)
Statement (2) is more complex than (1)
Both statements are very complex
None of the given option

Question # 15

80/20 rule states that:
you spend 80 percent of your time in 20 percent of the code
you spend 20 percent of your time in 80 percent of the code
We should try to optimized 80 percent or at least 20 percent of the code
None of the given options.

Question # 16

Be very careful when you use functions with side effects – functions that change the values of the ________.
Objects
Classes
Structures
Variables

Question # 17

Comma ( , ) is very dangerous because.
Compiler does not recognise this symbol
It creates linkage problem
It causes side effects
All of the given options 
Question # 18
The C/C++ language has not specified whether ____ is arithmetic or logical.
Right shift >>
Right shift
&&
||
Question # 19
In order to make a code more portable, Instead of using vendor specific language extensions, use _______ as much as possible.
STL
ANSI
ISO
CMMI
Question # 20

When a small set of functions (which use each other) is so overwhelmingly the bottleneck, there are two alternatives: 
use a better algorithm OR re-write the code
debug the code OR place assertions in code
remove the functions OR add more functions
changed programming language OR compiler at least
Question # 21
_______ cause major portability issues 
Loops (Not Sure)
Bugs in code
Sizes of data types
Conditional Structures

Question # 22

Some bit field members are stored: I) left to right II) right to left III) in circular array.
only (I) is true
Only (II) is true
Both (I) and (II) are true
All of the options (I, II and III) are true

Question # 23

Comma ( , ) is very dangerous because
Compiler does not recognise this symbol
It creates linkage problem
It causes side effects
All of the given options

Question # 24

using proper paranthesis normally makes the code
easy to read
easy to understand
less ambiguous
All of the given options

Question # 25

A test case involves
Input/output specification plus a statement of the function under test
Steps to perform the function
Expected results that the software application produces
All of the given options

Question # 26
If an application fulfills its specifications but deviates from users expectations or their desired behavior. This means, software is verified but not ------------
Validated
Corrected
Checked
Traced
Question # 27

The raising of the imaginary error flag is simply called raising or ________ an error.
Catching
Casting
Throwing 
None of given options
Question # 28
struct packed_struct { unsigned int f1:1; } pack; Here in "packed_struct":
value of f1 = 1
size of f1 = 1 bit
value of f1 should not exceede 1
None of given options
Question # 29
The idea behind exception handling is to raise some error flag every time ________.
The code compiles
The code links
Memory is allocated
Something goes wrong
Question # 30
A __________ is a variance from a desired product attribute.
Exception
Error
Mistake
Defect 
Question # 31
The C/C++ language does not define the alignment of items within.
structures
classes
unions
All of the given options 
Question # 32
Consider the following statement: int a,b=10; Which of the following is correct:
variable "a" is initialized to 10
Variable "b" is initialized to 10 
Both variables "a" and "b" are initialized to 10
variables can not be initialized this way
Question # 33
Exception handling is a powerful technique that separates error-handling code from ______ code.
Normal
Faulty
Buggy
Complex
Question # 34
Bit fields are a convenient way to express many difficult operations. However, bit fields suffer from one problem.
Lack of usability
Lack of security
Lack of performance
Lack of portability
Question # 35
The complexity of a program may ______ if there are exceptional paths in it
Decrease
Increase
Remain same
All of given options
Question # 36
When an error is thrown the overall system (on the lookout for this error flag) responds by ______ the error.
Ignoring
Casting
Catching
All of the given options

Question # 37

Comments are not syntax checked
TRUE
FALSE

Question # 38
Client Server model tries to data and processing
Distribute
Merge
Clone
Proceed

Question # 39

Anti- Patterns is another concept that corresponds to common in analysis and design.
Mistake
Issues
Problems
All of the given

Question # 40

 Three tier architecture contains layers

Presentation
Application
Database
All of the above

Question # 41

MVC stands for

Model View Controller
Modern View Center
Model View Center
Modern View Controller

Question # 42

Fat client model is one of the configurations of model

Data-Centered

Layered

Reference

Client Server

Question # 43

Description of communicating objects and classes that are customized to solved a general problem in a particular context is called

Design Pattern

System Patter

System Design

None of the Given

Question # 44

In the N-tire Architecture, the idea is to enhance scalability and by distributing both data and the application using multiple server machines.

Usability

Performance

Interpretability

None of the given

Question # 45

Dynamic process model shows the process ………….. of the system 

Components

Objects

Structure

Linkage

Question # 46

It ensures that a class only has one instance and provides a global point of access to it.

Singleton Pattern

Observer Pattern

Real Pattern

None of the given

Question # 47

STL Stnads for ------------------ 

Standard Template Library

Standard Type Link

Standard Tempo Line

None of the given

Question # 48

Three tier architecture contains ------------- layers 

Select correct option:

Presentation

Application

Database

All of the above

Question # 49

Which of following is/are among ten things,which the basic template of GOF design pattern includes. 

Select correct option:

Problem

Context

Forces

 All of the given

Question # 50

Vertical partitioning is also known as….. 

Select correct option:

Balancing

Mutating

Parallelizing

 Factoring

Question # 51

Patterns are devices that allow programs to share knowledge about their -------------. 

Code

Design

Analysis

None of the given

Question # 52

N-tier architecture stems from the struggle to find a ----------- between the fat-client architecture and the thin-client architecture. 

Concurrency

Distribution point

 Middle ground 

Similarity

Question # 53

Vertical partitioning divides the architecture application from a …… making perspective. 

Decision

Design

Conclusion

Move

Question # 54

Distributing the responsibilities to different subsystems so that we get a software system which is easy to maintain, is called ………the architecture. :

Subtracting

 Partitioning

Cloning

Balancing

 Question # 55

The nominal case should be put in the if-part and the exception in the else-part of an if statement.

TURE

FALSE

Question # 56

Charles Simonyi first discussed Hungarian Notation. He was of ------ .

Microsoft

IBM

Dell

Cisco

Question # 58

The terms get/set must be used where an attribute is accessed

Indirectly

Directly

Question # 59

A self documented program/code contains the following attribute:

Size of each function

Choice of variable

Choice of variable

All of the given choices

Question # 60

"is" prefix should be used for------ variables and methods.

General

Boolean

Constant

None of the given

Question # 62

The use of comments should be minimized by making the code self-documenting by appropriate name choices and an

explicit logical structure.

TRUE

FALSE

Question # 63

Variables should be initialized where they are ------and they should be declared in the ------scope possible.

defined and smallest

declared and medium

defined and medium

declared and smallest

Question # 64

Unrelated variables should be declared in the same statement.

True

False

Question # 65

which of the following statements are same in output: 1) a = a >> 2 2) a = a / 4 3) a = a * 2

(1) and (3) only

(2) and (3) only

(1) and (2) only

All procduce the same result

Question # 66

Goto statements violate the idea of

object oriented code

structured code

control structure

repetition structure

Question # 67

MVC pattern was based on the --------------- pattern.

Observer

Structural

Behavioral

None of given

Question # 68

Which one is correct?

double total = 0.5;

double total = .5;

double total = .50;

all of the given

Question # 69

Code should not be:

commented

indented

cryptic

aligned

Question # 70

Global variables in C++ should always be referred to by using the

:: operator

: operator

Without an operator

None of the given

Question # 71

_________ was the first pure Object Oriented language in which observer pattern was used in implementing its Model

View Controller pattern

Smalltalk

PASCAL

JAVA

C++

Question # 72

using proper paranthesis normally makes the code

easy to read

easy to understand

less ambigous

All of the given options

Question # 73

Which of the following shows a commented statement in C++

# Ans = first + second

// Ans = first + second

\\ Ans = first + second

/# Ans = first + second

Question # 74

The form for (;;) should be used for

nested loop

empty loop

more than 1000 iterations

Question # 76

Identifier names also play a significant role in enhancing the -------- of a program.

Writ ability

Readability

Reliability

Question # 77

It ensures that a class only has one instance and provides a global point of access to it.

Singleton Pattern

Observer Pattern

Real Pattern

None of the given

Question # 78

Names representing methods and functions should be----and written in mixed case starting

with -----case.

Noun—lower

Verb----lower

Noun ---upper

Noun----upper

Question # 79

-----provides a unified interface to a set of interfaces in a sub-system.

Observer Pattern

Singleton Pattern

Faรงade Pattern

All of the above

Question # 80

MVC stands for ---------------

Model View Controller

Modern ViewCenter

Model ViewCenter

Modern View Controller

Question # 81

A self documenting code is a code that explains itself without the need of comments and

extraneous documentation, like _______

Flowcharts

UML diagrams

Process-flow state diagrams

All of the given choices

Question # 82

Complex expressions:

Make the code easy to modify

Make the code difficult to modify

Make the code easy to understand

Does not effect understandablity

Question # 83

Comments should NOT be indented relative to their position in the code

TRUE

FALSE

Question # 84

----Provides a unified interface to a set of interfaces in a sub-system

Observer Pattern

Singleton Pattern

Faรงade Pattern

All of the above

Question # 85

Vertical Partitioning is also know as

Balancing

Mutatin

Parallizing

Factoring

Question # 86

Faรงade Pattern provides a unified interface to a set of interfaces ina sub-system.

True

False

Question # 87

Which of the is/are among ten things which the basis template of GOF design pattern includes.

Problem

Context

Forces

All of the above

Question # 88

Thin Client Model places a heavy processing load on……

Only Server

Only Network

Both Server and Network

Neither server nor network

Question # 89

Zero install architecture does not need any installation on ____________.

Server side

Client side

Client & Server Side

None of the above

Question # 90

Data-Centered Architectural Style is also called …. 

Repository model

Client Server model

Sub system model

Reference model

PAK301 Mid & Final Term Past Papers

Pak301 Useful MCQ

Question No: 1  ( Marks: 1 )  - Please choose one
Afghanistan, Azerbaijan, Turkmenistan, Uzbekistan, Kyrgyzstan, Kazakhstan joined the ECO (renamed of RCD) later on. Which one of the following joined it first?
Pakistan, Iran, Turkey
Pakistan, Egypt, Iran
Turkey, Egypt, Pakistan
Iran, Turkey, Egypt
Question No: 2  ( Marks: 1 )  - Please choose one
In which city the Second OIC conference 1974 was held?
Cairo
Makah
Rabat
Lahore
Question No: 3  ( Marks: 1 )  - Please choose one
Who did initiate the notion of Two Nation Theory?
Quaid-e-Azam
Sir Syed Ahmed Khan
Allama Iqbal
Maulana Abdul Kalam Azad
Question No: 4  ( Marks: 1 )  - Please choose one
In which document Muslims' demand of Separate Electorate was accepted?
Rowlett Act
Lucknow Pact
Nehru Report
Fourteen Points 
Question No: 5  ( Marks: 1 )  - Please choose one
Who did lead The Simla Delegation?
Sir Syed Ahmed Khan
Nawab Mohsin-ul-Mulk
Sir Agha Khan
Wiqar-ul-Mulk
Question No: 6  ( Marks: 1 )  - Please choose one
How many seats, in the provincial assembly elections 1946, Muslim League won in Bengal Province?
79 out of 86 seats
113 out of 119 seats pg 28
28 out of 35 seats
17 out of 38 seats
Question No: 7  ( Marks: 1 )  - Please choose one
Who did move the resolution in Delhi Convention for a separate state?
Hussain Shaheed Suharwardy
Maulana Abdul Kalam Azad
Quaid-e-Azam M. A. Jinnah
Sardar Abdurrab Nishtar
Question No: 8  ( Marks: 1 )  - Please choose one
When did the govt conduct last census in Pakistan?
In 1991
In 2001
In 1998
In 2004
Question No: 9  ( Marks: 1 )  - Please choose one
Which element is used for atomic power generation?
Platinum
Uranium pg 60
Lithium
Potassium
Question No: 10  ( Marks: 1 )  - Please choose one
When did the rule of East India Company come into end in the British India?
In 1857
In 1858
In 1947
In 1948
Question No: 11  ( Marks: 1 )  - Please choose one
Why was the Mission send in 1945 called as Cabinet Mission Plane
It was recommended by the British Cabinet
It consisted of three British Cabinet's members
It consisted of the members of Indian Cabinet
It was recommended by British Indian Cabinet
Question No: 12 ( Marks: 1 )  - Please choose one
which year the province of Sind was created?
In 1901
In 1935
In 1970
In1954
Question No: 13  ( Marks: 1 )  - Please choose one
What was the population of Pakistan according to the first census in 1951?
36.2 Million (34 million)
46.2 Million
65.3 Million
84.3 Million
Question No: 14  ( Marks: 1 )  - Please choose one
Which country accepted Pakistan's existence as an independent and sovereign state first?
Iran
Syria
Turkey
Labia
Question No: 15  ( Marks: 1 )  - Please choose one
Who gave the Philosphical explanasion to ideology of pakistan?
Sir Syyad
Sir aaga Khan
Allama Iqbal
Quaid-e Azam
Question No: 16  ( Marks: 1 )  - Please choose one
Who was the 1st president of Muslim League?
Sir Aga Khan
Nawab smiullah
Waqar-ul malik
Sir Aga khan
Question No: 17  ( Marks: 1 )  - Please choose one
When did CH Rehmat Ali establish Pakistan National Movement?
In, 1933
In, 1948
In, 1040
In, 1951
Question No: 17  ( Marks: 1 )  - Please choose one
When did CH Rehmat Ali wrote his Novel "Now or Never"?
In, 1930
In, 1931
Question No: 18  ( Marks: 1 )  - Please choose one
Why poona pact was concluded in september 1932?
It was an agreement between congress and British
It was an agreement between congress and Muslim League
It was an agreement between congress and Lower Cast of India
It was an agreement between Muslim league and the british
Question No: 19  ( Marks: 1 )  - Please choose one
In 1933 NOW OR NEVER was written by?
Quaid-e Azam
CH rahmet Ali
Allama Iqbal
Hafiz jalandhri
Question No: 20  ( Marks: 1 )  - Please choose one
Which Act is called as Minto-Morley Reforms also?
Government of India Act, 1919
Government of India Act, 1909
Government of India Act, 1935
Indian Council Act of 1892
Question No: 21  ( Marks: 1 )  - Please choose one
For what purpose Sir Syed Ahmed Khan visited England in 1869?
To understand their political system
To understand their educational system
To settle there with his son
To pursue his higher education there
Question No: 22  ( Marks: 1 )  - Please choose one
When did Quaid-e-Azam join All India Muslim League?
In, 1906
In, 1920
In, 1909
In, 1913
Question No: 23  ( Marks: 1 )  - Please choose one
Who created the NWFP and when?
Congress, 1905
Muslim League, 1922
Lard Mountbatten, 1945
Lord Cuezon, 1900
Question No: 24  ( Marks: 1 )  - Please choose one
Iran and Turkey signed Regional Cooperation for Development (RCD) in
July, 1964
June, 1947
August, 1964
March, 1948
Question No: 25  ( Marks: 1 )  - Please choose one
Why did Sir Syed Ahmad Khan started Aligarh Movement?
To create brotherhood among the Muslim
For battle with India
For British Education challenges
to create awareness among the Muslims about their separate identity 
Question No: 26  ( Marks: 1 )  - Please choose one
Who Form the Home Rule League in Bombay? And when?
On April 23, 1916 Bal Gangadhar Tilak formed The Home Rule League in Bombay.
On August 31, 1922 Allama Iqbal formed The Home Rule League in Bombay.
On Feb 30, 1933 CH Rehmat Ali formed The Home Rule League in Bombay.
On April 1, 1901 Lord Minto formed The Home Rule League in Bombay.
Question No: 27  ( Marks: 1 )  - Please choose one
Who was the president of Indian Home Rule League'?
Bal Gangadhar Tilak
Joseph Baptista
N.C. Kelkar
Annie Besant
Question No: 28  ( Marks: 1 )  - Please choose one
Who was the secretary of 'Indian Home Rule League'?
Bal Gangadhar Tilak
Joseph Baptista
N.C. Kelkar
Annie Besant





CS101 Midterm PastPapers

Question No: 1 ( Marks: 1 ) - Please choose one
Human are better than computers at:
► Efficiency
►Accuracy
►Pattern recognition
►None of the given choices
Question No: 2 ( Marks: 1 ) - Please choose one
Cray-1 was first commercial _________ computer
►Super
►Mini
►Micro
►Personal
Question No: 3 ( Marks: 1 ) - Please choose one
URL is a/an ________
►Device
►Component
►Address
►Tool
Question No: 4 ( Marks: 1 ) - Please choose one
Mainframe Computers are also called _____
►Enterprise Servers
►Personal Servers
►Enterprise Managers
►Window Servers
Question No: 5 ( Marks: 1 ) - Please choose one
Which of the following is NOT a category of Mobile Computers?
►Laptop
►Palmtop
►Desktop
►Wearable
Question No: 6 ( Marks: 1 ) - Please choose one
Preliminary exploration of possible solutions, technologies, suppliers is called
►Viability
►Feasibility
►Specification
►Integration
Question No: 7 ( Marks: 1 ) - Please choose one
__________ give us the ability to manipulate data through reference instead of actual value.
►Constants
►Variables
►Data Types
►Operators
Question No: 8 ( Marks: 1 ) - Please choose one
Consider the following statement written in JavaScript:
str = ”Hello” + ” World”
What will be the value of str ?
►HelloWorld
►Hello World
►Hello + World
►It will result in error
Question No: 9 ( Marks: 1 ) - Please choose one
A tool that helps you to find the synonyms is called ______________.
► Language
► Paragraph
► Thesaurus
► Symbol
Question No: 10 ( Marks: 1 ) - Please choose one
Communication protocol is a __________that governs the flow of information over a network
► Set of protocols
► Set of rules
► Device
► Set of methods
Question No: 11 ( Marks: 1 ) - Please choose one
If a computer could pass the Turing test then it would be able to:
► think like human beings
► do the things faster
► win a million dollar prize
► store more information
Question No: 12 ( Marks: 1 ) - Please choose one
The first Web browser with a GUI was generally available in:
► 1992
► 1993
► 1994
► 1995
Question No: 13 ( Marks: 1 ) - Please choose one
Web is a unique invention by humans in terms that it is:
► accessible to only the owners who control it
► accessible from particular locations only
► accessible to all humans
► accessible to only the educational institutes
Question No: 14 ( Marks: 1 ) - Please choose one
In this URL http://www.msn.com , _____identifies the domain name
► http
► www
► msn
► com
Question No: 15 ( Marks: 1 ) - Please choose one
______ is simply a fast port that lets you connect computer peripherals and consumer electronics to your computer without restart.
► Freeware
► Shareware
► Firewire
► Firmware
Question No: 16 ( Marks: 1 ) - Please choose one
Which of the following is NOT supported by PC's power supply.
► -12 and +12 V DC
► -10 and +10 V DC
► -5 and + 5 V DC
► All are supported
Question No: 17 ( Marks: 1 ) - Please choose one
In which case Cache Memory is used
► To increase RAM speed
► To overcome BUS speed
► To overcome Speed rate between RAM and CPU
► To overcome CPU speed
Question No: 18 ( Marks: 1 ) - Please choose one
To display a single line text area on the web page, we use ___ tag
► TEXT
► TEXTBOX
► INPUT
► INPUTBOX
Question No: 19 ( Marks: 1 ) - Please choose one
If an algorithm is syntactically correct, but semantically incorrect then this situation is
► Very good situation
► Very dangerous situation
► Not very bad
► Neutral situation
Question No: 20 ( Marks: 1 ) - Please choose one
Users communicate with the computer using a consistent user interface provided by the OS.
► True
► False
Question No: 21 ( Marks: 1 ) - Please choose one
Application developers do not need to know much about the HW, especially the microProcessor, while they are developing their application.
► True
► False
Question No: 22 ( Marks: 1 ) - Please choose one
The first spread sheet program was invented by
► Charles Babbage
► Dan Bricklin
► Paul Graham
► John von Neumann
Question No: 23 ( Marks: 1 ) - Please choose one
Which representation technique of algorithm is more suitable for developer to make actual code___________.
► pseudo code
► flow chart
► both pseudo code and flow chart
► Heuristics
Question No: 24 ( Marks: 1 ) - Please choose one
_____________ is used to terminate all JavaScript statements.
► Colon
► Semicolon
► Underscore
► Apostrophe
Question No: 25 ( Marks: 1 ) - Please choose one
In java script cookies can be created for future use_____.
► Easily
► No facility at all
► This is not possible without Java language.
► Cookies are files so java script can not handle it.
Question No: 26 ( Marks: 1 ) - Please choose one
When the microprocessor desires to look at a piece of data, it checks in the __________ first.
► RAM
► ROM
► hard disk
► cache
Question No: 27 (Marks: 1) - Please choose one
It represents the _____________ flow chart element.
► Flow Line
► Connector
► Off-page connector
► Start or Stop
Question No: 28 (Marks: 1) - Please choose one
What is NOT a key factor while designing a website?
► Usability
► User-friendly
► Consistency
► Complexity
Question No: 29 (Marks: 1) - Please choose one
__________% of the users have left websites in frustration due to poor navigation.
► 40
► 62
► 83
► 91
Question No: 30 (Marks: 1) - Please choose one
In JavaScript, a variable declaration is
► Optional
► Mandatory
► Not allowed
► None of the given
Question No: 31 (Marks: 1) - Please choose one
A protocol used for receiving email messages is called ____________.
► URL
► Telnet
► POP3
► SMTP
Question No: 32 (Marks: 1) - Please choose one
Which is correct?
► OnUnload
► onUnLoad
► onUNLOAD
► All of the above
Question No: 33 (Marks: 1) - Please choose one
Serial arrangement in which things follow logical order or a recurrent pattern, such as statements executing one by one, is called __________.
► Loop
► Sequence
► Condition
► Array
Question No: 34 (Marks: 1) - Please choose one
Variables allow us to manipulate data through the ___________.
► Actual Value
► Reference
► Length
► Name
Question No: 35 (Marks: 1) - Please choose one
Fuzzy logic is based on ____________.
► Ground facts
► Experience
► Practice
► Approximation
Question No: 36 (Marks: 1) - Please choose one
Word Processor is a _________________
► System Software
► Application Software
► Device
► Utility
Question No: 37 (Marks: 1) - Please choose one
In the old days, databases did NOT support ____________.
► Number
► Boolean
► Video
► Text
Question No: 38 (Marks: 1) - Please choose one
In tabular storage, fields placed in a particular row are strongly ___________.
► Independent
► Dependent
► Interrelated
► Inconsistent
Question No: 40 (Marks: 1) - Please choose one
Due to working at home, lack of interaction may result in ___________ professional growth.
► Slower
► Faster
► Higher
► Improved
Question No: 41 (Marks: 1) - Please choose one
Distance learning has got a boost due to the ___________.
► Easy communication
► Online interactive contents
► Flexibility
► All of the given options
Question No: 42 (Marks: 1) - Please choose one
_____________ technique can be used to create smooth animations or to display one of several images based on the requirement.
► Image downloading
► Image preloading
► Image uploading
► Image postloading
Question No: 43 (Marks: 1) - Please choose one
The ____________ is becoming the preferred organizational structure for more and more organizations with the passage of time.
► Tree structured organizational model
► Network paradigm
► Hierarchical structure
► None of the given options
Question No: 44 (Marks: 1) - Please choose one
The group of technologies concerned with the capturing, processing and transmission of information in the digital electronic form is called _____________.
► Telecom Engineering
► Computer Engineering
► Computer Science
► Information Technology
Question No: 45 (Marks: 1) - Please choose one
A large number of networks interconnected physically are called ______
► LAN
► MAN
► Internet
► Network collection
Question No: 46 (Marks: 1) - Please choose one
TCP stands for ________.
► Transfer Center protocol
► Transmission Control Protocol
► Transmission Center Protocol
► Telephone Center Protocol
Question No: 47 (Marks: 1) - Please choose one
A collection of data organized in such a way that the computer can quickly search for a desired data item is known as:
► Retrieving
► Database
► Information
► DBMS
Question No: 48 (Marks: 1) - Please choose one
_____is simply a fast port that lets you connect computer peripherals and consumer electronics to your computer without restart.
► Freeware
► Shareware
► Firewire
► Firmware
Question No: 49 (Marks: 1) - Please choose one
Structures, in which another list starts before the first list is finished, are called:
► Multiple Lists
► Nested Lists
► Ordered Lists
► Un-ordered Lists
Question No: 50 (Marks: 1) - Please choose one
The key property of the ‘Array’ object in JavaScript is
► Value
► Length
► Name
► All of the given choices
Question No: 51 (Marks: 1) - Please choose one
Which one is the example of spreadsheet software?
► MS Word
► MS PowerPoint
► MS Excel
► MS Acces
Question No: 52 (Marks: 1) - Please choose one
The Encryption of data is related to
► Data updates
► Data security
► Data integrity
► Data accessibility
Question No: 53 (Marks: 1) - Please choose one
_____ is the process of analyzing large databases to identify patterns.
► Data normalization
► Data management
► Data Mining
► None of the given options
Question No: 54 (Marks: 1) - Please choose one
Which is the user-friendly way of presenting data?
► Query
► Form
► Report
► All of the given options
Question No: 55 (Marks: 1) - Please choose one
JavaScript function fixed () has equivalent HTML tag-set ____
► <.FIX>……………</FIX>
► <F>………………..</F>
<PRE>…………. </PRE>
► <H>………………..</H>
Question No: 56 (Marks: 1) - Please choose one
<Form> Tags always placed between the <BODY> and </BODY> tags of a Web page
► True
► False
Question No: 57 (Marks: 1) - Please choose one
Java script has ----------------- ability to create and draw graphics.
► Limited
► Versatile
► Medium
► Not at all
Question No: 58 ( Marks: 1 ) - Please choose one
Cray-1 was first commercial _________ computer
► Super
► Mini
► Micro
► Personal
Question No: 59 ( Marks: 1 ) - Please choose one
Browser is a __________________ used for browsing.
► Tool
► Component
► Device
► None of the given choices
Question No: 60 ( Marks: 1 ) - Please choose one
It represents the _____________ flow chart element.
► Flow Line
► Connector
► Off-page connector
► Start or Stop
Question No: 61 ( Marks: 1 ) - Please choose one
JavaScript is an example of _____________ language.
► Object-based
► Object-oriented
► Machine
► Assembly
Question No: 62 ( Marks: 1 ) - Please choose one
The set of rules and guidelines a team of developers follow to construct reasonably complex SW systems is called
► Object Oriented Design
► Object Oriented Software
► Design Methodology
► Programming language
Question No: 63 ( Marks: 1 ) - Please choose one
Waterfall is a _________ life-cycle model.
► Spiral
► Sequential
► Circular
► Spherical
Question No: 64 ( Marks: 1 ) - Please choose one
What happens if I start a new list without closing the original one?
► An error will be generated
► A nested list will be created
► Previous list will end and a new will start.
► Nothing will happen
Question No: 65 ( Marks: 1 ) - Please choose one
In Spreadsheets, you can create a relationship between two cells by using _____.
► Numbers
► Text
► Formulas
► None of the given choices
Question No: 66 ( Marks: 1 ) - Please choose one
VisiCalc was the first popular _______application on PC’s.
► Spreadsheet
► Word processor
► Presentation
► Database
Question No: 67 ( Marks: 1 ) - Please choose one
Fins are used to --------------
► Communicate with microprocessor
► Increase surface area of Fan
► Decrease surface area of Fan
► Speed up the Fan.
Question No: 68 ( Marks: 1 ) - Please choose one
Using only HTML we can create
► Dynamic web pages
► Static web pages
► Both Static and Dynamic pages
► None of these
Question No: 69 ( Marks: 1 ) - Please choose one
Everything that JavaScript manipulates is treated as:
► Object
► Window
► Text
► Script
Question No: 70 ( Marks: 1 ) - Please choose one
The ______ is connected to all other modules of the microprocessor.
► Control unit
► Memory unit
► Floating Point unit
► Arithmetic and Logic unit
Question No: 71 ( Marks: 1 ) - Please choose one
Communication protocol is a __________that governs the flow of information over a network
► Set of protocols
► Set of rules
► Device
► Set of methods
Question No: 72 ( Marks: 1 ) - Please choose one
_________ is the interface in computer that supports transmission of multiple bits at the same time.
► Serial Port
► Parallel Port
► Universal Serial Bus
► None of the given choices
Question No: 73 ( Marks: 1 ) - Please choose one
_____ was designed as a replacement for typewriter
► Spreadsheet Software
► Word Processor Software
► Presentation Software
► Database Software
Question No: 74 ( Marks: 1 ) - Please choose one
Which one of these translates the program once at a time ?
► Interpreter
► Compiler
► Operating system
► Translator
Question No: 75 ( Marks: 1 ) - Please choose one
Randomized algorithms are often ________ than deterministic algorithms for the same problem.
► Simpler and more slow
► Simpler and more efficient
► Complex and more efficient
► Complex and more slow
Question No: 76 ( Marks: 1 ) - Please choose one
Ada written a computer programme for ?
► Analytical Engine
► Difference Engine
► Harvard Mark 1
► Mechanical engine
Question No: 77 ( Marks: 1 ) - Please choose one
A test proposed to determine if a computer has the ability to think. It is called?
► Turing test
► Turning test
► Intelligence test
► None
Question No: 78 ( Marks: 1 ) - Please choose one
The most used form tag is the <input> tag.
► True
► False
Question No: 79 ( Marks: 1 ) - Please choose one
When the user clicks on the "Submit" button, the content of the form is sent to the server.
► True
► False
Question No: 80 ( Marks: 1 ) - Please choose one
Extension for saving web page is / are;
► *.html
► *.htm
► *.html and *.htm both are in use
► None of These
Question No: 81 ( Marks: 1 ) - Please choose one
In spread sheet a cell may contain
► Numbers
► Text
► Formulas
► All of the given
Question No: 82 ( Marks: 1 ) - Please choose one
Programs where no user interaction found during program execution are called __________.
► Batch programs
► Event-driven programs
► Graphics based programs
► None of the give
Question No: 83 ( Marks: 1 ) - Please choose one
OO software is all about _____________.
► Behaviors
► Methods
► Properties
► Objects
Question No: 84 ( Marks: 1 ) - Please choose one
A procedure that usually, but not always, works or that gives nearly the right answer is called
► Algorithm
► Logarithm
► Heuristic
► Methodology
Question No: 85 ( Marks: 1 ) - Please choose one
Which of the following is NOT an Application Software.
► Word Processor
► Web Browser
► Windows XP
► MS Excel
Question No: 86 ( Marks: 1 ) - Please choose one
Operating System talks to and manages devices through
► Loader
► File Manager
► Memory Manager
► Device Driver
Question No: 87 ( Marks: 1 ) - Please choose one
You can ________ from/to a website containing interactive forms.
► Only read
► Only write
► Read and write
► Not read and write
Question No: 88 ( Marks: 1 ) - Please choose one
When the user needs something to be done by the computer, he/she gives instructions in the form of _____ to computer ____
► Software, Hardware
► Hardware, Software
► System Software, Application Software
► Graph, Monitor
Question No: 89 ( Marks: 1 ) - Please choose one
There is a battery on the motherboard to
► Give power to the processor
► Save information when computer is off
► Save information when computer is on
► Give power to the motherboard
Question No: 90 ( Marks: 1 ) - Please choose one
______ is simply a fast port that lets you connect computer peripherals and consumer electronics to your computer without restart.
► Freeware
► Shareware
► Firewire
► Firmware
Question No: 91 ( Marks: 1 ) - Please choose one
Which one is correct?
► <BODY></BODY>
► <body></body>
► Both <BODY></BODY> and <body></body>
► <BODY/>
Question No: 92 ( Marks: 1 ) - Please choose one
The weaknesses of the computer are:
► Pattern recognition & Storage
► Speed & Innovative ideas
► Pattern recognition & Innovative ideas
► Speed & Storage
Question No: 93 ( Marks: 1 ) - Please choose one
The key strengths of computers are
► Speed
► Storage
► Do not get bored
► All of the given choices
Question No: 94 ( Marks: 1 ) - Please choose one
Which one is correct?
► <HEAD> </HEAD>
► <HEAD> <END>
► <HEAD> </END>
► <HEAD> <\HEAD>
Question No: 95 ( Marks: 1 ) - Please choose one
Everything that JavaScript manipulates is treated as:
► Object
► Window
► Text
► Script
Question No: 96 ( Marks: 1 ) - Please choose one
A process in which user’s browser check the form’s data is called
► Server-Side Scripting
► Client-Side Scripting
► Bowser Scripting
► Form Scripting
Question No: 97 ( Marks: 1 ) - Please choose one
------------ is volatile memory
► RAM
► ROM
► Hard Disk
► CD ROM
Question No: 98 ( Marks: 1 ) - Please choose one
What is/are the use/uses of Word processor?
► To write a letter
► To write Research paper or report
► To create address labels
► All of the given
Question No: 99 ( Marks: 1 ) - Please choose one
__________ is the example of Shrink-wrapped software
► PIA information system
► WinZip trial pack
► Linux
► MS Word
Question No: 100 ( Marks: 1 ) - Please choose one
____________ interacts directly with the computer Hardware
► Compiler
► Operating system
► Application software
► Assembler