Plus One Computer Science Notes Chapter 7 Control Statements

Students can Download Chapter 7 Control Statements Notes, Plus One Computer Science Notes helps you to revise the complete Kerala State Syllabus and score more marks in your examinations.

Kerala Plus One Computer Science Notes Chapter 7 Control Statements

Summary
These are classified into two decision making and iteration statements

Plus One Computer Science Notes Chapter 7 Control Statements

Decision making statements:
if statement:
Syntax: if (condition)
{
Statement block;
}
First the condition is evaluated if it is true the statement block will be executed otherwise nothing will be happened.

if…else statement:
Syntax: if (condition)
{
Statement block1;
}
else
{
Statement block2;
}

Nested if:
An if statement contains another if statement completely then it is called nested if.
if (condition 1)
{
if (condition 2)
{
Statement block;
}
}
The statement block will be executed only if both the conditions evaluated are true.

The else if ladder:
The syntax will be given below
if (expression1)
{
statement block1;
}
else if (expression 2)
{
statement block 2;
}
else if (expression 3)
{
statement block 3;
}
……..
else
{
statement block n;
}
Here firstly, expression 1 will be evaluated if it is true only the statement blockl will be executed otherwise expression 2 will be evaluated if it is true only the statement block2 will be executed and so on. If all the expression evaluated is false then only statement block n will be executed

Plus One Computer Science Notes Chapter 7 Control Statements

switch statement:
It is a multiple branch statement. Its syntax is given below.
switch(expression)
{
case value: statements;break;
case value: statements;break;
case value: statements;break;
case value: statements;break;
case value: statements;break;
………
default: statements;
}
First expression evaluated and selects the statements with matched case value. If all values are not matched the default statement will be executed.

Conditional operator:
It is a ternary operator hence it needs three operands. The operator is “?:”.
Syntax:
expression ? value if true : value if false. First evaluates the expression if it is true the second part will be executed otherwise the third part will be executed.

Iteration statements:
If we have to execute a block of statements more than once then iteration statements are used.

while statement:
It is an entry controlled loop. An entry controlled loop first checks the condition and execute(or enters in to) the body of loop only if it is true. The syntax is given below
Loop variable initialised
while(expression)
{
Body of the loop;
Update loop variable;
}
Here the loop variable must be initialised before the while loop. Then the expression is evaluated if it is true then only the body of the loop will be executed and the loop variable must be updated inside the body. The body of the loop will be executed until the expression becomes false.

Plus One Computer Science Notes Chapter 7 Control Statements

for statement:
The syntax of for loop is
for(initialization; checking ; update loop variable)
{
Body of loop;
}
First part, initialization is executed once, then checking is carried out if it is true the body of the for loop is executed. Then loop variable is updated and again checking is carried out this process continues until the checking becomes false. It is an entry controlled loop.

do-while statement:
It is an exit controlled loop. Exit control loop first execute the body of the loop once even if the condition is false then check the condition.
do
{
Statements
} while(expression);
Here the body executes at least once even if the condition is false. After executing the body it checks the expression if it false it quits the body otherwise the process will be continue.

Plus One Computer Science Notes Chapter 6 Data Types and Operators

Students can Download Chapter 6 Data Types and Operators Notes, Plus One Computer Science Notes helps you to revise the complete Kerala State Syllabus and score more marks in your examinations.

Kerala Plus One Computer Science Notes Chapter 6 Data Types and Operators

Summary
Concepts of data types:
The nature of data is different, data type specifies the nature of data we have to store.

C++ data types:
Plus One Computer Science Notes Chapter 6 Data Types and Operators 1

Plus One Computer Science Notes Chapter 6 Data Types and Operators

Fundamental data types:
It is also called built in data type. They are int, char, float, double and void
1. int data type:
It is used to store whole numbers without fractional (decimal point) part. It can be either negative or positive. It consumes 4 bytes (32 bits) of memory. i.e. 232 numbers. That is 231 negative numbers and 231 positive numbers (0 is considered as +ve) So a total of 232 numbers. We can store a number in between -231 to + 231-.

2. char data type:
Any symbol from the keyboard, eg: ‘A’, ‘?’, ‘9’ and so on. It consumes one byte( 8 bits) of memory. It is internally treated as integers, i.e. 28 = 256 characters. Each character is having a ASCII code, ‘a’ is having ASCII code 97 and zero is having ASCII code 48.

3. float data type:
It is used to store real numbers i.e. the numbers with decimal point. It uses 4 bytes(32 bits) of memory. eg: 67.89, 89.9 E-15.

4. double data type:
It is used to store very large real numbers. It uses 8 bytes(64 bits) of memory.

5. void data type:
void means nothing. It is used to represent a function returns nothing.

  1. User defined Data types: C++ allows programmers to define their own data type. They are Structure(struct), enumeration (enum), union, class, etc.
  2. Derived data types: The data types derived from fundamental data types are called Derived data types. They are Arrays, pointers, functions, etc

Plus One Computer Science Notes Chapter 6 Data Types and Operators

Variables:
The named memory locations are called variable. A variable has three important things

  1. variable name: A variable should have a name
  2. Memory address: Each and every byte of memory has an address. It is also called location (L) value.
  3. Content: The value stored in a variable is called content. lt is also called Read(R) value.

Operators:
An operator is a symbol that performs an operation. The data on which operations are carried out are called operands. Following are the operators
1. lnput(>>) and output(<<) operators are used to perform input and output operation.
eg: cin>>n;
cout<<n;

2. Arithmetic operators:
It is a binary operator. It is used to perform addition(+), subtraction(-), division (/), multiplication(*) and modulus(%- gives the remainder) operations.
eg: If x = 10 and y = 3 then
Plus One Computer Science Notes Chapter 6 Data Types and Operators 2
x/y = 3, because both operands are integer. To get the floating point result one of the operand must be float.

3. Relational operator:
It is also a binary operator. It is used to perform comparison or relational operation between two values and it gives either true(1) or false(O). The operators are <, <=, >, >=, == (equality)and !=(not equal to)
eg: If x = 10 and y = 3 then
Plus One Computer Science Notes Chapter 6 Data Types and Operators 3

4. Logical operators:
Here AND(&&) , OR(||) are binary operators and NOT (!) is a unary operator. It is used to combine relational operations and it gives either true(1) orfalse(O). If x = 1 and y = 0 then

Both operands must be true to get a true value in the case of AND (&&) operation. If x = 1 and y = 0 then
Plus One Computer Science Notes Chapter 6 Data Types and Operators 5
Either one of the operands must be true to get a true value in the case of OR(||) operation. If x = 1 and y = 0 then

!x!y
01

Plus One Computer Science Notes Chapter 6 Data Types and Operators

5. Conditional operator:
It is a ternary operator hence it needs three operands. The operator is”?:”.
Syntax:
expression ? value if true : value if false. First evaluates the expression if it is true the second part will be executed otherwise the third part will be executed.
eg: If x = 10 and y = 3 then x>y ? cout<<x : cout<<y;
Here the output is 10

6. sizeof():
This operator is used to find the size used by each data type. eg: sizeof(int) gives 2.

7. Increment and decrement operator:
These are unary operators.

  • Increment operator (++): It is used to increment the value of a variable by one i.e., x++ is equivalent to x = x + 1.
  • Decrement operator (- -): It is used to decrement the value of a variable by one i.e., x – – is equivalent to x = x – 1.

8. Assignment operator (=):
lt is used to assign the value of a right side to the left side variable.eg. x = 5; Here the value 5 is assigned to the variable x.

Expressions:
It is composed of operators and operands
Plus One Computer Science Notes Chapter 6 Data Types and Operators

Arithmetic expression:
It is composed of arithmetic operators and operands. In this expression the operands are integers then it is called Integer expression. If the operands are real numbers then it is called Floating point expression. If the operands are constants then it is called constant expression.

Relational expression:
It is composed of relational operators and operands

Logical expression:
It is composed of logical operators and operands

Statements:
Statements are smallest executable unit of a programming language. Each and every statement must be end with semicolon(;).

Declaration statement:
Each and every variable must be declared before using it. eg: int age;

Assignment statements:
Assignment operator is used to assign the value of RHS to LHS. eg: x = 100

Input statements:
lnput(>>) operator is used to perform input operation. eg: cin>>n;

Output statements:
output(<<) operator is used to perform output operation. eg: cout<<n;

Cascading of I/O operations:
The multiple use of input or output operators in a single statement is called cascading of i/o operators. eg: To take three numbers by using one statement is as follows
cin>>x>>y>>z;
To print three numbers by using one statement is as follows
cout<<x<<y<<z;

Plus One Computer Science Notes Chapter 5 Introduction to C++ Programming

Students can Download Chapter 5 Introduction to C++ Programming Notes, Plus One Computer Science Notes helps you to revise the complete Kerala State Syllabus and score more marks in your examinations.

Kerala Plus One Computer Science Notes Chapter 5 Introduction to C++ Programming

Summary
It is developed by Bjarne Stroustrup. It is an extension of C Language.

Plus One Computer Science Notes Chapter 5 Introduction to C++ Programming

Character set:
To study a language first we have to familiarize the character set. For example to study English language first we have to study the alphabets. Similarly here the character set includes letters(A to Z & a to z), digits(0 to 9), special characters(+, -, ?, *, /, …..) white spaces(non printable) etc..

Token:
It is the smallest individual units similar to a word in English or Malayalam language. C++ has 5 tokens
1. Keywords:
These are reserved words for the compiler. We can’t use for any other purposes eg: float is used to declare variable to store numbers with decimal point. We can’t use this for any other purpose

2. Identifier:
These are user defined words. Eg: variable name, function name, class name, object name, etc…

3. Literals (Constants):
Its value does not change during execution
(a) Integer literals:
Whole numbers without fractional parts are known as integer literals, its value does not change during execution. There are 3 types decimal, octal and hexadecimal.
eg:

  • For decimal 100, 150, etc
  • For octal 0100, 0240, etc
  • For hexadecimal 0x100, 0x1A, etc

(b)Float literals:
A number with fractional parts and its value does not change during execution is called floating point literals. eg: 3.14157, 79.78, etc.

(c) Character literal-: A valid C++ character enclosed in single quotes, its value does not change during execution. eg: ‘m’, ‘f ’ etc

(d) String literal:
One or more characters enclosed in double quotes is called string constant. A string is automatically appended by a null character(‘\0’)
eg: “Mary’s”, ’’India”, etc.

4. Punctuators:
In English or Malayalam language punctuation mark are used to increase the readability but here it is used to separate the tokens. eg: {,}, (,).

5. Operators:
These are symbols used to perform an operation(Arithmetic, relational, logical, etc…)

Plus One Computer Science Notes Chapter 5 Introduction to C++ Programming

Integrated Development Environment(IDE):
It is used for developing programs

  1. It helps to write as well as editing the program.
  2. It helps to compile the program and linking it to other (header files and other user) programs
  3. It helps to run the program

Turbo C++ IDE:
Following is an C++ IDE
Plus One Computer Science Notes Chapter 5 Introduction to C++ Programming 1
(a) Opening the edit window:
Method I: File → Click the menu item New
Method II: Press Alt and F simultaneously then press N

(b) Saving the program:
Click File → Save or Press Function key F2 or Alt + F and then press S. Then give a file name and press ok.

(c) Running/executing the program:
Press Alt + R then press R OR Click Run → press R, OR Press Ctrl + F9

(d) Viewing the output:
Press Alt + F5

(e) Closing Turbo C++ IDE:
Click File → then press Quit menu Or Press Alt + X

Plus One Computer Science Notes Chapter 5 Introduction to C++ Programming

Geany IDE
Plus One Computer Science Notes Chapter 5 Introduction to C++ Programming 2
Step 1: Take Geany Editor and type the program (source code)
Step 2: Save the file with extension .cpp
Step 3: Compile the program by Click the Compile Option
Step 4: After successful compilation, Click Build option
Step 5: Then click on Execute option

Plus One Computer Science Notes Chapter 4 Principles of Programming and Problem Solving

Students can Download Chapter 4 Principles of Programming and Problem Solving Notes, Plus One Computer Science Notes helps you to revise the complete Kerala State Syllabus and score more marks in your examinations.

Kerala Plus One Computer Science Notes Chapter 4 Principles of Programming and Problem Solving

Summary
Problem solving using computers:
It has no intelligent quotient. Hence they are slaves and human beings are the masters. It can’t take its own decisions.
They can perform tasks based upon the instructions given by the humans (programmers) .

Plus One Computer Science Notes Chapter 4 Principles of Programming and Problem Solving

Approaches in problem solving:
Top down design:
Larger programs are divided into smaller ones and solve each tasks by performing simpler activities. This concept is known as top down design in problem solving

Bottom up design:
Here also larger programs are divided into smaller ones and the smaller ones are again subdivided until the lowest level of detail has been reached. We start solving from the lowest module onwards. This approach is called Bottom up design.

Phases in Programming:
1. Problem identification:
This is the first phase in programming. The problem must be identified then only it can be solved, for this we may have to answer some questions.

During this phase we have to identify the data, its type, quantity and formula to be used as well as what activities are involved to get the desired out put is also identified for example if you are suffering from stomach ache and consult a Doctor.

To diagnose the disease the Doctor may ask you some question regarding the diet, duration of pain, previous occurrences etc, and examine some parts of your body by using stethoscope X-ray, scanning etc.

2. Deriving the steps to obtain the solution:
There are two methods, Algorithm and flowchart, are used for this.
(a) Algorithm:
The step-by-step procedure to solve a problem is known as algorithm. It comes from the name of a famous Arab mathematician Abu Jafer Mohammed Ibn Musaa Al-Khowarizmi, The last part of his name Al-Khowarizmi was corrected to algorithm.

(b) Flowchart:
The pictorial or graphical representation of an algorithm is called flowchart.
Flow chart symbols are explained below
(i) Terminal (Oval):
Plus One Computer Science Notes Chapter 4 Principles of Programming and Problem Solving 1
It is used to indicate the beginning and ending of a problem.
(ii) Input/Output (parallelogram):
Plus One Computer Science Notes Chapter 4 Principles of Programming and Problem Solving 2
It is used to take input or print output.
(iii) Processing (Rectangle):
Plus One Computer Science Notes Chapter 4 Principles of Programming and Problem Solving 3
It is used to represent processing. That means to represent arithmetic operation such an addition, subtraction,multiplication and, etc.
(iv) Decision (Rhombus):
Plus One Computer Science Notes Chapter 4 Principles of Programming and Problem Solving 4
Plus One Computer Science Notes Chapter 4 Principles of Programming and Problem Solving

It is used to represent decision making. It has one entry flow and two exit flows but one exit path will be executed at a time.
(v) Flow lines (Arrows):
Plus One Computer Science Notes Chapter 4 Principles of Programming and Problem Solving 5
It is used to represent the flow of operation
(vi) Connector:
Plus One Computer Science Notes Chapter 4 Principles of Programming and Problem Solving 6

3. Coding:
The dummy codes (algorithm) or flowchart is converted into program by using a computer language such s Cobol, Pascal, C++, VB, Java, etc.

4. Translation:
The computer only knows machine language. It does not know HLL, but the human beings HLL is very easy to write programs. Therefore a translation’ is needed to convert a program written in HLL into machine code (object code).

During this step, the syntax errors of the program will be displayed. These errors are to be corrected and this process will be continued till we get “No errors” message. Then it is ready for execution.

5. Debugging:
The program errors are called ‘bugs’ and the process of detecting and correcting errors is called debugging. In general there are two types of errors syntax errors and logical errors. When the rules or syntax of the language are not followed then syntax errors occurred and it is displayed after compilation.

When the logic of a program is wrong then logical errors occurred and it is not displayed after compilation but it is displayed in the execution and testing phase.

Plus One Computer Science Notes Chapter 4 Principles of Programming and Problem Solving

6. Execution and Testing:
In this phase the program will be executed and give test data for testing the purpose of this is to determine whether the result produced by the program is correct or not. There is a chance of another type of error, Run time error, this may be due to inappropriate data.

7. Documentation:
It is the last phase in programming. A computerized system must be documented properly and it is an ongoing process that starts in the first phase and continues till its implementation. It is helpful for the modification of the program later.

Plus One Computer Science Notes Chapter 3 Components of the Computer System

Students can Download Chapter 3 Components of the Computer System Notes, Plus One Computer Science Notes helps you to revise the complete Kerala State Syllabus and score more marks in your examinations.

Kerala Plus One Computer Science Notes Chapter 3 Components of the Computer System

Summary
Hardware:
The tangible parts of a computer that we can touch and see are called hardware. Eg: Monitor, Keyboard, Mouse, CPU, Etc.

Plus One Computer Science Notes Chapter 3 Components of the Computer System

Processors:
It is the brain of the computer and consists of three components

  • Arithmetic Logic Unit(ALU) – As the name implies it performs all calculations and comparison operations.
  • Control Unit(CU) – It controls overall functions of a computer
  • Registers – It stores the intermediate results temporarily.

A CPU is an Integrated Circuit(IC) package contains millions of transistors and other components. Popular Processors are Intel core i3, core i5, core i7, AMD Quadcore etc.

Important registers inside a CPU are:

  1. Accumulator: After performing an operation (arithmetic or logical) the result is stored in the accumulator
  2. Memory Address Register(MAR): It stores the address of memory location to which data is either read or written by the processor.
  3. Memory Buffer Register (MBR): It stores the data, either to be written to or read from the memory by the processor.
  4. Instruction Register(IR): It stores the instructions to be executed by the processor.
  5. Program Counter(PC): It stores the address of the next instruction to be executed by the processor.

Motherboard:
It is a Printed Circuit Board(PCB). All the major components like Processor (Remember the processor must be compatible with the Motherboard), RAM, ROM, HDD, Graphics card, Sound card, etc are connected to the Motherboard.

Peripherals and Ports:

  1. Serial Port: It transmits data one bit at a time(eg: 101000001010 ). Its transmission speed is low but it is cheaper. It is suitable to transmit data over long distance.
  2. Parallel port: It can transmit data more than one bit at a time. It is faster and used to connect printer.
  3. USB (Universal Serial Bus) port: It has high bandwidth hence it is faster. Nowadays it is used to connect all the devices like keyboard,mouse,printer, scanner, pen drive, digital camera, mobile phones, dongle etc.
  4. LAN port: By using this port we can connect our computer to another network by a cable.
  5. PS/2(Personal System/2) port: It is introduced by IBM for connecting keyboard and mouse earlier.
  6. Audio ports: It is used to connect audio devices like speakers, mic etc.
  7. Video Graphics Array(VGA) port: It is introduced by IBM to connect monitor or LCD projector to a computer.
  8. High Definition Multimedia Interface(HDMI): Through this port we can connect high definition quality video and multi-channel audio over a single cable.

Memory:
Storage Unit(Memory Unit): A computer has huge storage capacity. It is used to store data and instructions before starts the processing. Secondly it stores the intermediate results and thirdly it stores information(processed data), that is the final results before send to the output unit(Visual Display Unit, Printer, etc). Memory measuring units are given below.

  • 1 bit = 1 or 0(Binary Digit)
  • 4 bits = 1 Nibble
  • 8 bits = 1 Byte
  • 1024 Bytes = 1 KB(Kilo Byte)
  • 1024 KB = 1 MB(Mega Byte)
  • 1024 MB = 1 GB(Giga Byte)
  • 1024 GB = 1 TB(Tera Byte)
  • 1024 TB = 1 PB(Peta Byte)

1. Primary Storage alias Main Memory:
It is further be classified into Two – Random Access Memory (FRAM) and Read Only Memory(ROM). The one and only memory that the CPU can directly access is the main memory at a very high speed. It is expensive hence storage capacity is less.

RAM is volatile(when the power is switched off the content will be erased) in nature but ROM is non volatile(lt is permanent). In ROM a “boot up” program called BIOS(Basic Input Output System) is stored to “boots up” the computer when it switched on. Some ROMs are given below.

  • PROM(Programmable ROM): It is programmed at the time of manufacturing and cannot be erased.
  • EPROM (Erasable PROM): It can be erased and can be reprogrammed using special electronic circuit.
  • EEPROM (Electrically EPROM): It can be erased and rewritten electrically

Cache Memory:
The processor is a very high speed memory but comparatively RAM is slower than Processor. So there is a speed mismatch between the RAM and Processor, to resolve this a high speed memory is placed in between these two this memory is called cache memory. Commonly used cache memories are Level(L1) Cache(128 KB), L2(1 MB),L3(8 MB), L4(128MB).

2. Secondary Storage alias Auxiliary Memory:
Because of limited storage capacity of primary memory its need arises. When a user saves a file, it will be stored in this memory hence it is permanent in nature and its capacity is huge. Eg: Hard Disc Drive(HDD), Compact Disc(CD), DVD, Pen Drive, Blu Ray Disc etc.
(i) Magnetic storage device:
It uses plastic tape or metal/plastic discs coated with magnetic material. .
(a) Hard Disk:
Instead of flexible or soft disk it uses rigid material hence the name hard disk. Its storage capacity and data transfer rate are high and low access time. These are more lasting and less error prone. The accessing mechanism and storage media are combined together in a single unit and connect to the motherboard via cable.

(ii) Optical storage device:
(a) Optical Disk:
The high power laser uses a concentrated, narrow beam of light, which is focuses and directed with lenses, prisms and mirrors for recording data. This beams burns very very small spots in master disk, which is used for making molds and these molds are used for making copies on plastic disks.

A thin layer of aluminium followed by a transparent plastic layer is deposited on it. The holes made by the laser beam are called pits, interpreted as bit 0 and unburned areas are called lands interpreted as bit 1. Lower power laser beam is used to retrieve the data.

(b) DVD(Digital Versatile Disc):
It is similar to CD but its storage capacity is much higher. The capacity of a DVD starts from 4.7 GB

(c) Blu-ray Disc:
It is used to read and write High Definition video data as well as to store very huge amount of data. While Cd and DVD uses red laser to read and write but it uses Blue-Violet laser, hence the name Blu ray disc. The blue violet laser has shorter wavelength than a red laser so it can pack more data tightly.

(iii) Semiconductor storage (Flash memory):
It uses EEPROM chips. It is faster and long lasting.

  • USB flash drive: It is also called thumb drive or pen drive. Its capacity varies from 2 GB to 32 GB.
  • Flash memory cards: It is used in Camera, Mobile phones, tablets etc to store all types of data.

Plus One Computer Science Notes Chapter 3 Components of the Computer System

Input / Output devices:
It is used to supply: data to the computer for processing
1. Keyboard:
It is the most widely used device to input information in the form of words, numbers etc. There are 101 keys on a standard keyboard. The keys on the keyboard are often classified into alpha numeric keys (A to Z, 0 to 9), function keys (F1 to F12), special purpose keys (Special characters), cursor movement keys (arrow keys). While pressing a key, the corresponding code’s signal is transmitted to the computer.

2. Mouse:
It is a pointing device, that controls the movement of the cursor, or pointer as a display screen. A mouse has two or three buttons, it is often used in GUI oriented computers.

Under the mouse there is a ball, when the mouse moves o.n a flat surface this ball also moves. This mechanical motion is converted into digital values that represents x and y values of the mouse movement.

3. Light Pen:
It is an input device that use a lightsensitive detector to select objects directly on a display screen using a pen. Light pen has a photocell placed in a small tube. By using light pen, we can locate the exact position on the screen.

4. Touch screen:
It allows the user to enter data by simply touching on the display screen. This technology is applied in tablets, cell phones, computers etc.

5. Graphic tablet:
It consists of an electronic writing area. We can create graphical images by using a special pen.

6. Touchpad:
It is a pointing device found on the portable computers(lap top). Just like a mouse it consists of two buttons below the touch surface to do the operations like left click and right click. By using our fingers we can easily operate.

7. Joy Stick:
It is a device that lets the user move an object quickly on the screen. It has a liver that moves in all directions and controls the pointer or object. It is used for computer games and CAD/CAM systems.

8. Microphone:
By using this device we can convert voice signals into digital form.

9. Scanner:
It is used to read text or pictures printed on paper and translate the information into computer usable form. It is just like a photostat machine but it gives information to the computer.

10. Optical Mark Reader (OMR):
This device identifies the presence or absence of a pen or pencil mark. It is used to evaluate objective type exams. In this method special preprinted forms are designed with circles can be marked with dark pencil or ink.

A high intensity beam in the OMR converts this into computer usable form and detects the number and location ofthe pencil marks. By using this we can evaluate easily and reduce the errors.

11. Bar code/Quick Response (QR) code reader:
Light and dark bars are used to record item name, code and price is called Bar Code. This information can be read and input into a computer quickly without errors using Bar Code Readers.

It consists of a photo electric scanner and it is used in super market, jewellery, textiles etc. QR codes are similar to barcodes but it uses two dimensional instead of single dimensional used in Barcode.

12. Biometric sensor:
It is used to read unique human physical features like finger prints, retina, iris pattern, facial expressions etc. Most of you give these data to the Government for Aadhaar.

13. Smart card reader:
A plastic card(may be like your ATM card) stores and transmit data with the help of a reader.

Plus One Computer Science Notes Chapter 3 Components of the Computer System

14. Digital Camera:
By using digital camera, we can take photographs and store in a computer. Therefore we can reduce the use of film. Hence it is economical.

Output devices:
After the data processing the result is displayed as soft copy(soft copy can view, only by using a device) or hard copy(lt can read easily).
1. Visual Display Unit:
a. Cathode Ray Tube (CRT):
There are two types of CRT’s, monochrome (Black and white) and colour. Monochrome CRT consists of one electron gun but colour CRT consists of 3 electron guns (Red, Green and Blue) at one end and the other end coated with phosphor. It is a vacuum tube. The phosphor coated screen can glow when electron beams produced by electron guns hit.

It is possible to create all the colours using Red, Green and Blue. The images produced by this is refreshed at the rate of 50 or 60 times each second. Its disadvantage is it is heavy and bulky. It consumes more power and emits heat. But it is cheap. Nowadays its production is stopped by the company.

b. Liquid Crystal Display (LCD):
It consists of two electrically conducting plates filled with liquid crystal. The front plate has transparent electrodes and the back plate is a mirror.

By applying proper electrical signals across the plates, the liquid crystals either transmit or block the light and then reflecting it back from the mirror to the viewer and hence produce images. It is used in where small sized displays are required.

c. Light Emitting Diode(LED):
It uses LED behind the liquid crystals in order to light up the screen. It gives a better quality and clear image with wider viewing angle. Its power consumption is less.

d. Plasma Panels:
It consists of two glass plates filled with neon gas. Each plate has several parallel electrodes, right angles to each other. When low voltage is applied between two electrodes, one on each plate, a small portion of gas is glow and hence produce images.

Plasma displays provide high resolution but are expensive. It is used in, where quality and size is a matter of concern.

e. Organic Light Emitting Diode(OLED) Monitors:
It is made up of millions of tiny LEDs. OLED monitors are thinner and lighter than LCDs and LEDs. It consumes less power and produce better quality images but it is very expensive.

  • LCD projector: It is used to display video, images or data from a computer on a large screen. Its main component is a high intensity light producing bulb and a lens.

2. Printer:
There are two types of printers impact and non impact printers. Printers are used to produce hard copy.
Impact Printers:
There is a mechanical contact between print head and the paper.
(i) Dot Matrix Printer:
Here characters are formed by using dots. The printing head contains a vertical array of pins. The letters are formed by using 6 dot rows and 7 dot columns. Such a pattern is called 5 × 7 matrix.

This head moves across the paper, the selected pins fire against an inked ribbon to form characters by dot. They are capable of faster printing, but their quality is not good.

Non-impact Printers:
There is no mechanical contact between print head and paper so carbon copies cannot be possible to take. They are inkjet, laser, thermal printers etc.
(a) Inkjet Printer:
It works in the same fashion as dot matrix printers, but the dots are formed with tiny droplets of ink to be fired from a bottle through a nozzle. These droplets are deflected by an electric field using horizontal and vertical deflection plates to form characters and images.

It is possible to generate colour output. They produce less noise and produce high quality printing output. The printing cost is higher. Here liquid ink is used.

Plus One Computer Science Notes Chapter 3 Components of the Computer System

(b)Laser Printer:
It uses photo copying technology. Here instead of liquid ink dry ink powder called toner is used. A drum coated vyith positively charged photo conductive material is scanned by a laser beam.

The positive charges that are illuminated by the beam are dissipated. The drum is then rolled through a reservoir of negatively charged toner which is picked up by the charged portions of the drum.

It adheres to the positive charges and hence creating a page image on the drum. Monochrome laser printer uses a single toner whereas the colour, laser printer uses four toners. Its print quality is good less noise and printing cost is higher.

(c) Thermal Printers:
It is same as dot matrix printer but it needs heat sensitive paper. It produces images by pushing electrically heated pins to the special paper. It does not make an impact on the paper so we cannot produce carbon copies. It produce less noise, low quality print and inexpensive. It is used in fax machine.

3. Plotter:
A plotter is a device that draws pictures or diagrams on paper based on commands from a computer. Plotters draw lines using.a pen. Pen plotters generally use drum or flat bed paper holders. In a drum plotter the paper is mounted on the surface of a drum.

Here the paper is rotated. But in a flat bed plotter the paper does not move and the pen holding mechanism provides the motion that draws pictures. Plotters are used in engineering applications where precision is needed.

4. Three Dimensional (3D) printer:
This device is used to print 3D objects.

5. Audio output devices:
Speakers are used to produce sound by the backward and forward movement of the diaphragm in the speaker according to the electrical signals from the computer through the audio port.

e-Waste(electronic waste):
It refers to the mal functioning electronic products such as faulty computers, mobile phones, tv sets, toys, CFL etc.

Why should we concern about e Waste:
Itcontains poisonous substances such as lead, mercury, cadmium etc and may cause diseases if not properly managed.

What happens to the e Waste:
A small amount is recycled. Due to this our natural resources are contaminated(poisoned). Some of them can recycle properly. But it is a very big problem in front of the Government to collect segregate, recycle and disposal of e-Waste.

e-Waste disposal methods:

  1. Reuse: Reusability has an important role of e-Waste management and can reduce the volume of e-Waste
  2. Incineration: It is the process of burning e Waste at high temperature in a chimney
  3. Recycling of e-Waste: It is the process of making new products from this e-Waste.
  4. Land filling: It is used to level pits and cover by thick layer of soil.

Plus One Computer Science Notes Chapter 3 Components of the Computer System

Students’ role in e-Waste disposal:

  • Stop buying unnecessary electronic equipments
  • Repair Faulty electronic equipments instead of buying a new one.
  • Give electronic equipments to recycle
  • Buy durable, efficient, quality, toxic free, good warranty products
  • check the website or call the dealer if there is any exchange scheme
  • Buy rechargeable battery products

Green computing or Green IT:
It is the study and practice of eco friendly computing or IT such as designing, manufacturing, using and disposal of. computers and components (monitors, printers, storage devices etc.)
Following are some steps to follow to reduce the adverse impact on the global environment

  • Turn off computer and other devices when not in use
  • Use power saver mode
  • Use laptops instead of desktops
  • Avoid print outs if not needed
  • Use LCD s instead of CRT s to save power
  • Use Energy Star rated H/W or S/w and Solar energy(Hybrid Energy)
  • Dispose e Waste properly as per norms

Following are the steps to promote green computing:

  1. Green design: Design energy efficient and eco friendly devices
  2. Green manufacturing: reduce non eco friendly parts while manufacturing
  3. Green use: Use energy saver devices
  4. Green disposal: Use easily disposable devices

Software:
The set of instructions that tell the hardware how to perform a task is called software. Without software computer cannot do anything. Two types System s/w and Application s/w
A. System software: It is a collection of programs used to manage system resources and control its operations. It is further classified into two.

  1. Operating System
  2. Language Processor

1. Operating System:
It is collection of programs which acts as an interface between user and computer. Without an operating system computer cannot do anything. Its main function is make the computer usable and use hardware in an efficient manner, eg:- Windows XP, Windows Vista, Linux, Windows 7, etc.
Major functions of an operating System

  1. Process management: It includes allocation and de allocation of processes(program in execution) as well as scheduling system resources in efficient manner
  2. Memory management: It.takes care of allocation and de allocation of memory in efficient manner
  3. File management: This includes organizing, naming, storing, retrieving, sharing , protecting and recovery of files.
  4. Device management: Many devices are connected to a computer so it must be handled efficiently.

2. Language Processes:
We know that a program is a set of instructions. The instructions to the computer are written in different languages. They are high level language (HLL) and low level language. In HLL English like statements are used to write programs. They are C, C++, COBOL, PASCAL, VB, Java etc. HLL is very easy and can be easily understood by the human being.

Low level language are classified into Assembly Language and Machine Language. In assembly language mnemonics (codes) are used to write programs
Plus One Computer Science Notes Chapter 3 Components of the Computer System 1
In Machine Language 0’s and 1 ’s are used to write program. It is very difficult but this is the only language which is understood by the computer. Usually programmers prefer HLL to write programs because of its simplicity.

But computer understands only machine language. So there is a translation needed. The program which perform this job are language processors. The different language processors are given below:

  1. Assembler: This converts programs written in assembly language into machine language.
  2. Interpreter: This converts a HLL program into machine language by converting and executing it line by line. The first line is converted if there is no error it will be executed otherwise you have to correct it and the second line and so on.
  3. Compiler: It is same as interpreter but there is a difference it translate HLL program into machine language by converting all the lines at a time. If there is no error then only it will executed.

Plus One Computer Science Notes Chapter 3 Components of the Computer System

B. Application Software:
Programs developed to serve a particular application is known as application software. eg: MS Office, Compression Utility, Tally etc. Application software can further be sub divided into three categories.

  1. Packages
  2. Utilities
  3. Customized Software

1. Packages:
Application software that makes the computer useful, for people to do every task. Packages are used to do general purpose application.
They are given below:
(i) Word Processes:
This is used for creation and modification of text document. That means a word processor helps the people to create, edit and format a textual data with less effort and maximum efficiency.

By using word processor we can change font and font size of character, change alignment (left, right, center and justify), check spelling and grammar of the whole document etc. eg: MS Word.

(ii) Spread Sheets:
It contains data or information in rows and columns and can perform calculation (Arithmetic, Relational and logical operation). It helps to calculate results of a particular formula and the formula can apply different cells (A cell is the intersection of a row and column. Each column carries an alphabet for its name and row is numbered).

It is used to prepare budgets, balance sheets, P & L account, Pay roll etc. We can easily prepare graphs and charts using data entered in a worksheet. A file is a work book that contains one or more work sheets, eg: MS Excel is a spread sheet software.

(iii) Presentation and Graphics:
You can present your idea with sound and visual effects with the help of presentation software by preparing slides. The application software that manipulate visual images is known as graphics software. Eg: MS Power Point is a presentation package.

(iv) Data base package:
Data base is a collection of large volume of data. DBMS is a set of programs that manages the datas are for the centralized control of data such that creating new records to the database, deleting, records whenever not wanted from the database and modification of the existing database. Example for a DBMS is MS Access.

DTP Packages:
DTP means Desk Top Publishing. By using this we can create books, periodicals, magazines etc. easily and fastly. Now DTP packages are used to create in Malayalam also, eg: PageMaker.

2. Utilities:
Utilities are programs which are designed to assist computer for its smooth functioning. The utilities are given below.

  1. Text editor: It is used for creating and editing text files.
  2. Backup utility: Creating a copy of files in another location to protect them against loss, if your hard disk fails or you accidentally overwrite or delete data.
  3. Compression Utility: It is used to reduce the size of a file by using a program and can be restored to its original form when needed.
  4. Disk Defragmenter: It is used to speeds up disk access by rearranging the files that are stored in different locations as fragments to contiguous memory and free space is consolidated in one contiguous block.
  5. Virus Scanner: It is a program called antivirus software scans the disk for viruses and removes them if any virus is found.

3. Specific purpose software (Customized software):
It is collection of programs which are developed to meet user needs to serve a particular application. It is also called tailor made software.

Plus One Computer Science Notes Chapter 3 Components of the Computer System

Free and open source software:
Here “free” means there is no copyright or licensing. That is we can take copies of the s/w or modify the source code without legal permission of its vendor (creator) we can use and distribute its copy to our friends without permission. That is Freedom to use to modify and redistribute.
The Four freedoms are:

  1. Freedom 0: To run program for any purpose
  2. Freedom 1: To study how it works and allows you to adapt according to your needs. Also allows to access source code.
  3. Freedom 2: Allows to take copies and distribute
  4. Freedom 3: Allows you to change source code and release the program .

Examples for Free and open source software are given below
(i) Linux:
it is a free s/w. It was written by Linux Trovalds at the University of Helsinki. It is a GUI and multi-user, multi-tasking O.S. with many more other features. It is also independent of the hardware. It is used by ISP’s, programmers who uses Java to write program, etc. The main Linux distributors are. Open Linux Red hat, Debian, Gnu Linux, etc.

(ii) GNU/Linux:
It was organized by Richard Stallman in 1983

(iii) GIMP (GNU Image Manipulation Program):
It is a very helpful software to perform all the activities to an image.

(iv) Mozilla Firefox:
This web browser helps the users to browse safely.

(v) OpenOffice.org:
This package contains different s/w s that helps the users to draft letters neatly by using “Writer”, perform calculations by using “Calc” and prepare presentations by using “Impress”. It is platform independent (That means it works on both Linux and Windows platforms.

Freeware:
A s/w with Copy right is available free of cost for unlimited use.
Shareware: It is an introductory pack distributed on a trial basis with limited functionality and period.

Plus One Physics Notes Chapter 1 Physical World

Students can Download Chapter 1 Physical World Notes, Plus One Physics Notes helps you to revise the complete Kerala State Syllabus and score more marks in your examinations.

Kerala Plus One Physics Notes Chapter 1 Physical World

Summary
What is Physics?

a. Science And Scientific Method
Science is exploring, experimenting and predicting from what we see around us. ie. It is basically an systematic attempt to understand natural phenomena.

b. Physics
Two approaches are used in Physics: unification and reduction. In unification diverse physical phenomena are explained in terms of a few concepts or laws. For example all electric and magnetic phenomena can be explained by laws of electromagnetism (Maxwell’s equations).

Plus One Physics Notes Chapter 1 Physical World

In reduction, we derive properties of complex (bigger) system from properties and interactions of constituent parts. For example, the temperature of system is related to average kinetic energy of molecule of system.

Scope And Excitement Of Physics
The different subdisciplines of physics belongs to two domains: microscope domain and macroscopic domain. The macroscopic domain includes phenomena at laboratory, terrestrial and astronomic scales.

The microscopic domain of physics deals with constitution and structure of matter and their interaction with elementary particles like electron, proton, photon etc.

Physics covers a wide range of magnitude of physical quantities like length, time, mass, energy, etc. Physics includes phenomena involving elementary particles like electron, proton etc. whose range is 10-14m.

It also deals with astronomical phenomena at the scale of even the entire universe (10+26m). The range of time extends from 10-22 s to 1018s. The range of mass goes from 10-30 kg (mass of electron) to 1055kg (mass of entire universe).

Plus One Physics Notes Chapter 1 Physical World

Physics, Technology And Society
The relation between Physics, technology and society can be seen in many examples. The steam engine has an important role in the Industrial Revolution in England in eighteenth century. The discovery of basic laws of electricity and magnetism contributed wireless communication technology.

Fundamental Forces Of Nature
There occur four fundamental forces in nature. They are gravitational force, electromagnetic force, strong nuclear force and weak nuclear force.

1. Gravitational Force:
It is a universal force. Gravitational force is the attractive force existing between any two bodies by virtue of its mass.

2. Electromagnetic Force:
The electromagnetic force exist between charged bodies. The electrostatic force of attraction or repulsion exist between charges at rest. A moving charge has magnetic effect in addition to electric effect. The electric and magnetic effects are inseparable and hence force experienced by charge is called electromagnetic force.

3. Strong Nuclear Force:
The strong nuclear force binds the nucleons (protons and neutrons) inside the nucleus. It is the strongest of all fundamental forces. The range of nuclear force is 1o-15m (fermi) and it is charge independent.

Plus One Physics Notes Chapter 1 Physical World

4. Weak Nuclear Force:
The range of weak nuclear force is 10-16m. This force exists only in few nuclear, reactions like b-decay.

5. Towards Unification of Forces:
Isac Newton unified terrestrial and celestial domain by applying law of gravitation in two domains. Oersted and Faraday showed that electric and magnetic phenomena are inseparable. Maxwell unified electromagnetism and optics by showing light is an electromagnetic wave.

1.5 Nature Of Physical Laws
The physical quantity that remains unchanged in process is called conserved quantity. Some of the conservation laws in nature are laws of conservation of mass, energy, linear momentum, angular momentum, charge etc.

Conservation laws have a deep connection with symmetries of nature. The symmetry of nature w.r.t. translation in time is equivalent to conservation of energy. Similarly the symmetry of nature w.r.t. translation in space is equivalent to conservation of linear momentum.

Symmetries of space and time and other types of symmetry play an important role n modern theories of fundamental forces in nature.

Plus One Physics Chapter Wise Questions and Answers Chapter 15 Waves

Students can Download Chapter 15 Waves Questions and Answers, Plus One Physics Chapter Wise Questions and Answers helps you to revise the complete Kerala State Syllabus and score more marks in your examinations.

Kerala Plus One Physics Chapter Wise Questions and Answers Chapter 15 Waves

Plus One Physics Waves One Mark Questions and Answers

Question 1.
Velocity of sound in vacuum is
(a) 330ms-1
(b) 165ms-1
(c) zero
(d) 660ms-1
Answer:
(c) zero
Sound requires a material medium for propation. Hence, velocity of sound in vacuum is zero.

Question 2.
The physical quantity that remains unchanged when a sound wave goes from one medum to another is
(a) amplitude
(b) speed
(c) wavelength
(d) frequency
Answer:
(d) frequency
When a sound wave goes from one medium to another the frequency of the wave remains unchanged.

Plus One Physics Chapter Wise Questions and Answers Chapter 15 Waves

Question 3.
What is the range of frequency of audible sound?
Answer:
20Hz to 20KHz.

Question 4.
Why does sound travel faster in iron than in air?
Answer:
Because solids are more elastic compared to air.

Question 5.
What kind of waves help the bats to find their way in dark?
Answer:
Ultrasonic wave

Question 6.
In which gas, hydrogen and oxygen will the sound have greater velocity?
Answer:
As velocity, v α \(\sqrt{1 / ρ}\), velocity of sound will be greater in hydrogen gas.

Plus One Physics Chapter Wise Questions and Answers Chapter 15 Waves

Question 7.
Why transverse waves can not setup in gas?
Answer:
The rigidity modulus of gas is zero.

Question 8.
What is the effect of pressure on the velocity of sound waves?
Answer:
No effect

Question 9.
Why bells are made up of metal and not wood?
Answer:
The wood causes high damping.

Question 10.
What is the velocity of sound in perfect rigid body?
Answer:
The velocity is infinite cause young’s modulus of perfect rigid body is infinite.

Plus One Physics Waves Two Mark Questions and Answers

Question 1.
If a tuning fork is held above a resonance column, then maximum sound can be heard at certain height of the air column.

  1. Name the type of wave produced in the air col¬umn.
  2. What do you mean by beats?

Answer:

  1. Longitudinal
  2. Periodic variation of intensity of sound is called beats.

Plus One Physics Chapter Wise Questions and Answers Chapter 15 Waves

Question 2.
Why bells of colleges and temple are of large size?
Answer:
Larger, the area of source of sound more is the energy transmitted into the medium. Hence intensity of sound is more and loud sound is heard.

Plus One Physics Waves Three Mark Questions and Answers

Question 1.
A sound wave of frequency 400 Hz is travelling in air at a speed of 320m/s.

  1. The speed of sound wave in vaccum is______
    • 320m/s
    • more than 320m/s
    • less than320m/s
    • Zero
  2. What is the wavelength of the above wave?
  3. Calculate the diffference in phase between two points on the wave 0.2m apart in the direction of travel.

Answer:
1. Zero

2. v = fλ
λ = \(\frac{v}{f}=\frac{320}{400}\) = 0.8m

3. At 0.2 m apart, the phase differnce’is given by
∆Φ = \(\frac{0.2}{0.8} \times 2 \pi=\frac{\pi}{2} \mathrm{rad}\).

Plus One Physics Chapter Wise Questions and Answers Chapter 15 Waves

Question 2.
A string fixed one end is suddenly brought in to up and down motion.

  1. What is the nature of the wane produced in the string and name the wave.
  2. A brass wire 1 m long has a mass 6 × 10-3 kg. If it is kept at a tension 60N, What is the speed of the wave on the wire.

Answer:
1. Transverse wave

2.
Plus One Physics Waves Three Mark Questions and Answers 1

Plus One Physics Waves Four Mark Questions and Answers

Question 1.
A sonometer wire of length 30cm vibrates in the second overtone

  1. Represent it pictorially
  2. What is the distance between two points in the string which has a phase difference of n
  3. A violin string resonates in its fundamental frequency of 196hz. Where along the string must you place your finger so that the fundamental frequency becomes 440Hz, If the length of violin string is 40cm.

Answer:
1.
Plus One Physics Waves Four Mark Questions and Answers 2

2. 0.30 = \(\frac{3}{2}\)λ
λ = \(\frac{2 \times 0.3}{3}\) = 0.2
We know 2π = λ
ie. π radian = \(\frac{λ}{2}\) wave length
= \(\frac{0.2}{2}\) = 0.1m
∴ The distance between two points is 0.1 m (for a a phase difference of π radian).

3. For fundamental mode of vibration.
Plus One Physics Waves Four Mark Questions and Answers 3
The finger must be placed 37.5 from one end.

Plus One Physics Chapter Wise Questions and Answers Chapter 15 Waves

Question 2.
A horizontal metal wire is fixed on a state of tension between two vertical supports when plucked it gives a fundamental frequency fO.

  1. Obtain a mathematical expression for fO
  2. A 5.5 m wire has a mass of 0.035 kg. If the tension of the string is 77N, the speed of wave on the string is
    • 110 ms-1
    • 11\(\sqrt{10}\)ms-1
    • 77 ms-1
    • 11 ms-1
    • 102 ms-1
  3. What change, if any, will be observed in the fundamental frequency if the wire is now immersed in water and plucked again?

Answer:
We know velocity on a string, V = \(\sqrt{T / m}\)
But V = λf
Plus One Physics Waves Four Mark Questions and Answers 4

2. Mass per unit length,m = \(\frac{M}{\ell}=\frac{0.035}{5.5}\)
= 6.36 × 10-3kg/m
T = 77N
Plus One Physics Waves Four Mark Questions and Answers 5

3. Frequency does not change.

Plus One Physics Chapter Wise Questions and Answers Chapter 15 Waves

Question 3.
When a pebble is dropped to the surface of water, certain waves are formed on the water surface.

  1. What type of wave is it?
  2. Is it a progressive wave? Explain?
  3. The equation for such a wave is y = 4sinπ (2t – 0.01x). where ‘y’ and ‘x’ are in cm. and ‘t’ in sec. find its
    • Amplitude
    • Wavelength
    • initial phase
    • Frequency

Answer:
1. Transverse wave.

2. It is a progressive wave. It moves from one point to another point.

3. y = 4sinπ(2t – 0.01x)
y = 4 sin (2πt-0.01πx)
= -4 sin (0.01 πx – 2πt)
Comparing with standard wave equation, y = A sin (kx – ωt), we get

  • Amplitude A = 4 m
  • Kx = 0.01 × πx
    \(\frac{2 \pi}{\lambda}\)x = 0.01 πx, λ = 200m
  • Initial phase = 0
  • ωt = 2 πt, 2 π f t = 2 πt, f = 1 Hz.

Plus One Physics Chapter Wise Questions and Answers Chapter 15 Waves

Question 4.
The speed of a wave along a stretched string depends only on the tension and the linear mass density of the string and does not dependent on the frequency of the wave.

  1. Give the equation of speed of transverse wave along a stretched string.
  2. Why the speed does not depend on the frequency of the wave.
  3. A steel wire 0.72 long has a mass of 5 × 10-3Kg. If the wire is under a tension 60N, what is the speed of transverse wave on the wire?

Answer:

  1. v = \(\sqrt{\frac{T}{m}}\) Where T is the tension and m is the mass per unit length.
  2. The frequency of the wave is determined by the source that generates the wave.
  3. Plus One Physics Waves Four Mark Questions and Answers 6

Question 5.
While discussing the propagation of sound through atmospheric air, one argued that the velocity of sound is 280 ms-1 and said that he calculated it using Newton’s formula. But another learner argued that velocity of sound is 330 ms1. He justified his argument by saying that he has applied Laplace corrected formula.

  1. Write the formula used by the second learner.
  2. Using the above relation, show that velocity depends on temperature and humidity while is independent of pressure.
  3. “Sound can be heard over longer distance on rainy days.” Justify.

Answer:
1. a = \(\sqrt{\frac{2 \lambda P}{\rho}}\)

2.
Plus One Physics Waves Four Mark Questions and Answers 7
If temperature remain same
PV = constant
∴ v is independent of p.

3. During rainy day as ρ decreases. Hence v increase and sound propagate longer distance.

Plus One Physics Chapter Wise Questions and Answers Chapter 15 Waves

Question 6.
When a stone is dropped in to the river, certain waves are formed on its surface.

  1. What type of wave it is?
  2. Is it a progressive wave? Explain.
  3. If yes, derive a mathematical expression for the above wave.

Answer:
1. Transverse wave.

2. Yes, because each particles of the medium vi¬brates simple harmonically.

3. Consider a harmonic wave travelling along the +ve x-direction with a speed V. Let ‘0’ be the particle in the medium. Its displacement at any instant of time may be written as y = A sin ωt
Plus One Physics Waves Four Mark Questions and Answers 8
Consider another particle ‘p’ at a distance x from ‘0’ to its right. The displacement of p at any instant.
y = A sin (ωt – α) ______(1)
α is the phase difference between 0 and P. Here
α = \(\frac{2 \pi}{\lambda}\)x equation (1) becomes
Plus One Physics Waves Four Mark Questions and Answers 9

Plus One Physics Waves Five Mark Questions and Answers

Question 1.
A boy standing near a railway track found that the pitch of the siren of a train increases as it approaches him

  1. State the phenomenon behind it?
  2. List any two applications of the same Phenomenon
  3. Obtain an expression for the apparent frequency of the siren as heard by the boy.

Answer:
1. Doppler effect.

2. Doppler effect can be used to find the speed of moving object. Dopplar effect in light is used to find speed of galaxies.

3. The apparent change in the frequency of sound wave due to the relative motion of source or listener or both is called Doppler effect. It was proposed by John Christian Doppler and it was experimentally tested by Buys Ballot.
Plus One Physics Waves Five Mark Questions and Answers 10
Considers source is producing sound of frequency v. Let V be the velocity of sound in the medium and λ the wavelength of sound when the source and the listener are at rest.

The frequency of sound heard by the listener is ν = \(\frac{v}{\lambda}\). Let the source and listener be moving with velocities vs and vl in the direction of propogation of sound from source to listener. (The direction S to L is taken as positive).

Plus One Physics Chapter Wise Questions and Answers Chapter 15 Waves

The relative velocity of sound wave with respect to the source = V – Vs
Apparent wavelength of sound,
λ1 = \(\frac{V-V_{s}}{v}\) _____(1)
Since the listener is moving with velocity v^, the relative velocity of sound with respect to the listener,
V1 = V – Vl ______(2)
Apparent frequency of sound as heard by the listener is given by
ν = \(\frac{v^{1}}{\lambda^{1}}\) ______(3)
Sub (1) and (2) in eq.(3) we get
Plus One Physics Waves Five Mark Questions and Answers 11

Question 2.

  1. Waves are means of transferring energy from one point to another. Distinguish between longitudinal and transverse waves.
  2. What is a plane progressive wave? Arrive at an expression for the displacement of a particle on the path of the wave, advancing in the positive x-direction.
  3. The velocity of sound is greater in solids than in gases. Explain.

Answer:
1.

Longitudinal waveTransverse wave
1. Can’t be polarized
2. Direction of propagation is parallel to the direction of vibration of particles.
1. Can be polarized
2. Direction of propagation is perpendicular to the direction of vibration of particles.

2. Out of syllabus

3. Solids are highly elastic as compared to liquids and gases.

Plus One Physics Chapter Wise Questions and Answers Chapter 15 Waves

Question 3.

  1. Sound produced by an open pipe contains:
    • Fundamental component only
    • Odd harmonics only
    • All the harmonics
    • Even harmonics only
  2. A pipe 30 cm long is open at both ends. Which harmonic mode of the pipe is resonantly exerted by a 1.1 kHz source?
  3. Will resonance with the same source be observed if one end of the pipe is closed? (Take the speed
    of sound in air to be 330 ms-1)

Answer:
1. All the harmonics.

2. We know frequency of oscillation in the Pipe, f = \(\frac{n V}{2 L}\)
Substituting the values v, L and f we get
Plus One Physics Waves Five Mark Questions and Answers 12
n = 2 means that the oscillation is second harmonics.

3. The condition for second harmonics in closed pipe is
Plus One Physics Waves Five Mark Questions and Answers 13
The frequency required for resonance in a closed pipe is 825 Hz. Hence we do not get resonance at 1.1 Khz.

Plus One Physics Chapter Wise Questions and Answers Chapter 15 Waves

Question 4.
A boy plucks at the centre of a stretched string of length 1 m and abserves a wave pattern.

  1. Which type of wave is produced on the string?
  2. What are the conditions for the formation of the above mentioned wave?
  3. The distance between consecutive nodes is
    1. λ
    2. λ/2
    3. λ/4
  4. A steel rod100 cm long is clamped at its middle. The fundamental frequency of longitudiral vibrations of the rod is given to be 2.5kHz. What is the speed of sound in steel?

Answer:
1. Standing wave (or) stationary wave

2. Same frequency, same amplitude, travelling in opposite direction.

3. λ/2

4. Length of the rod l = \(\frac{\lambda_{1}}{2}\)
λ1 = 2l =2m
v = ν1λ1
v = 2500 × 2 = 5000 m/s.

Plus One Physics Waves NCERT Questions and Answers

Question 1.
A string of mass 2.50kg is under a tension of200N. The length of the stretched string is 20.0m. If the transverse jerk is struck at one end of the string, how long does the disturbance take to reach the other end?
Answer:
Tension T = 200N
Length I = 20.0m; Mass M = 2.50kg
Plus One Physics Waves NCERT Questions and Answers 14

Plus One Physics Chapter Wise Questions and Answers Chapter 15 Waves

Question 2.
A stone droped from the top of a tower of height 300m high splashes into the water of a pond near the base of the tower. When is the splash heard at the top. Given that the speed of sound in air is 340ms-1? (g = 9.8ms-2)
Answer:
Time after which the splash is heard at the top is equal to the sum of the time t1 taken by the stone to fall down and the time t2 taken by the sound to travel from bottom to top.
Using S = ut + \(\frac{1}{2}\) at2, we 9et S = \(\frac{1}{2}\)gt12
(∵ u = 0 and a =g)
Plus One Physics Waves NCERT Questions and Answers 15

Question 3.
A hospital uses an ultrasonic scanner to locate tumours in a tissue. What is the wavelength of sound in the tissue in which the speed of sound is 1.7kms-1? The operating frequency of the scanner is 4.2MHz.
Answer:
λ = ? u = 1.7kms-1 = 1700ms-1
v = 4.2 × 106 Hz, u = vλ = or λ = \(\frac{u}{v}\)
or λ = \(\frac{1700}{4.2 \times 10^{6}}\) m = 4.05 × 10-4 m = 0.405mm.

Plus One Physics Chapter Wise Questions and Answers Chapter 15 Waves

Question 4.
A wire stretched between two rigid supports vibrates in its fundamental mode with a frequency of 45Hz. The mass of the wire is 3.5 × 10-2kg and its linear mass density is 4.0 × 10-2kgm-1. What is

  1. the speed of a transverse wave on the string and
  2. the tension in the string?

Answer:
mass of wire M = 3.5 × 10-2kg
Linear density µ = mass / length
= M/l = 4.0 × 10-2kg
∴ Length of wire l = \(\frac{M}{\mu}=\frac{3.5 \times 10^{-2}}{4 \times 10^{-2}}\) m = 0.875m
In the fundamental mode,
λ =2l = 2 × 0.875m = 1.75m

1. Speed of transverse vyaves u = v λ
= 45 × 1.75ms-1 = 78.75ms-1

2. u= \(\sqrt{\frac{T}{\mu}}\) or T = µu2 = 4 × 10-2(78.75)2N
= 278.06N.

Plus One Physics Chapter Wise Questions and Answers Chapter 15 Waves

Question 5.
A steel rod 100cm long is clamped at its middle. The fundemental frequency of longitudinal vibrations of the rod are given to be 2.53kHz. What is the speed ‘ of sound in steel?
Answer:
l = 1m, v = 2.53 × 103HZ, \(\frac{\lambda}{2}\) = I or λ = 2m
u = v λ = 2.53 × 103 × 2ms3-1 = 5.06 × 103 ms-1
= 5.06kms-1

Plus One Computer Science Notes Chapter 2 Data Representation and Boolean Algebra

Students can Download Chapter 2 Data Representation and Boolean Algebra Notes, Plus One Computer Science Notes helps you to revise the complete Kerala State Syllabus and score more marks in your examinations.

Kerala Plus One Computer Science Notes Chapter 2 Data Representation and Boolean Algebra

Number System:
It is a systematic way to represent numbers in different ways. Each number system has its own Base, that is a number and that number of symbols or digits used.
Plus One Computer Science Notes Chapter 2 Data Representation and Boolean Algebra 1

  1. Most Significant Digit (MSD): The digit with most weight is called MSD. MSD is also called Left Most Digit(LMD)
  2. Least Significant Digit (LSD): The digit with least weight is called LSD. LSD is also called Right Most Digit(RMD)
    • eg: 106 : Here MSD : 1 and LSD : 6
    • 345.78: Here MSD : 3 and LSD : 8
  3. A Binary Digit is also called a bit.
  4. The weight of each digit of a number can be represented by the power of its base.

Plus One Computer Science Notes Chapter 2 Data Representation and Boolean Algebra

Number conversions:
In general, to convert a decimal number into another number system(binary or octal or hexadecimal) do the following. Divide the number successively by the base of the number system do you want to convert and write down the remainders from bottom to top.

To convert a decimal fraction into another number system .multiply the number by the base of the number system do you want to convert then integer part and fractional part are separated again multiply the fractional part by the base and do the steps repeatedly until the fractional part becomes zero. Finally write down the integer part from top to bottom.

Decimal to Binary:
Divide the number by the base 2 successively and write down the remainders from bottom to top.
Plus One Computer Science Notes Chapter 2 Data Representation and Boolean Algebra 2

Decimal fraction to binary:
multiply the number by the base 2 then integer part and fractional part are separated again multiply the fractional part by the base 2 and do the steps repeatedly until the fractional part becomes zero. Finally write down the integer part from top to bottom.
Plus One Computer Science Notes Chapter 2 Data Representation and Boolean Algebra 3

Decimal to Octal:
Divide the number by the base 8 successively and write down the remainders from bottom to top.
Plus One Computer Science Notes Chapter 2 Data Representation and Boolean Algebra 4
Decimal fraction to octal:
multiply the number by the base 8 then integer part and fractional part are separated again multiply the fractional part by the base 8 and do the steps repeatedly until the fractional part becomes zero. Finally write down the integer part from top to bottom.
eg: (55)10 = ()8
Plus One Computer Science Notes Chapter 2 Data Representation and Boolean Algebra 5
(0.140625)10 = (0.11)8

Decimal to Hexadecimal:
Divide the number by the base 16 successively and write down the remainders from bottom to top.
Plus One Computer Science Notes Chapter 2 Data Representation and Boolean Algebra 6
Decimal fraction to hexadecimal:
multiply the number by the base 16 then integer part and fractional part are separated again multiply the fractional part by the base 16 and do the steps repeatedly until the fractional part becomes zero. Finally write down the integer part from top to bottom.
Plus One Computer Science Notes Chapter 2 Data Representation and Boolean Algebra 7
Converting a number from any number system into decimal: For this multiply each digit by its corresponding weight and sum it up.

Plus One Computer Science Notes Chapter 2 Data Representation and Boolean Algebra

Binary to decimal conversion:
For this multiply each bit by its corresponding weight and sum it up. The weights are power of 2.
Plus One Computer Science Notes Chapter 2 Data Representation and Boolean Algebra 8
Converting binary fraction to decimal
Plus One Computer Science Notes Chapter 2 Data Representation and Boolean Algebra 9
101.101 = 1 × 22 + 0 × 21 + 1 × 20 + 1 × 2-1 + 0 × 2-2 + 1 × 2-3
= 4 + 0 + 1 + 1/2 + 0 + 1/8
= 5 + 0.5 + 0.125
(101.101)2 = (5.625)10

Octal to decimal conversion:
For this multiply each bit by its corresponding weight and sum it up. The weights are power of 8.
Eg: (1007)8 =()10?
Plus One Computer Science Notes Chapter 2 Data Representation and Boolean Algebra 10
1 × 83 + 0 × 82 + 0 × 81 + 7 × 80
= 512 + 0 + 0 + 7
=(519)10
Converting octal fraction to decimal (600.005)8 =()10?

Plus One Computer Science Notes Chapter 2 Data Representation and Boolean Algebra 11

= 6 × 82 + 0 × 81 + 0 × 80 + 0 × 8-1 + 0 × 8-2 + 5 × 8-3
= 384 + 0 + 0 + 0 + 0 + 0.009765625
= (384.009765625)10

Hexadecimal to decimal conversion:
For this multiply each bit by its corresponding weight and sum it up. The weights are power of 16.
Eg: (100)16 = ()10?
Plus One Computer Science Notes Chapter 2 Data Representation and Boolean Algebra 12
= 1 × 162 + 0 × 161 + 0 × 160
= 256 + 0 + 0
= (256)10
Converting Hexadecimal fraction to decimal (60A.4)8 =()10?
Plus One Computer Science Notes Chapter 2 Data Representation and Boolean Algebra 13
= 6 x 162 + 0 x 161 + 10 x 160 + 4 x 16-1
= 1536 + 0 + 0 + .25
= (1536.25)10

Plus One Computer Science Notes Chapter 2 Data Representation and Boolean Algebra

Octal to binary conversion:
Convert each octal digit into its 3 bit binary equivalent. Consider the following table
Plus One Computer Science Notes Chapter 2 Data Representation and Boolean Algebra 14

Hexadecimal to binary conversion:
Convert each Hexadecimal digit into its 4 bit binary equivalent. Consider the following table
Plus One Computer Science Notes Chapter 2 Data Representation and Boolean Algebra 15

1010 1011 1100 (ABC)16=(101010111100)2

Binary to octal conversion
Divide the binary number into groups of 3 bits starting from the right to left(But in the fractional part start dividing from left to right). Insert necessary zeros in the left side(or right side in the case of fractional part)if needed and write down the corresponding octal equivalent.
eg: (10100110)2= ()8?
Insert one zero in the left side to form 3 bits group
Plus One Computer Science Notes Chapter 2 Data Representation and Boolean Algebra 16
(10100110)2= (246)8

Plus One Computer Science Notes Chapter 2 Data Representation and Boolean Algebra

Binary to Hexadecimal conversion:
Divide the binary number into groups of 4 bits starting from the right to left(But in the fractional part start dividing from left to right). Insert necessary zeros in the left side(or right side in the case of fractional part)if needed and write down the corresponding Hexadecimal equivalent.
eg: (100100110)2 = ()16?
Insert 3 zeros in the left side to form 4 bits group
Plus One Computer Science Notes Chapter 2 Data Representation and Boolean Algebra 17
(100100110)2 = (126)16

Octal to Hexadecimal conversion:
First convert octal number into binary(see 1.6.7), then convert this binary into hexadecimal(also see 1.6.10)
eg: Convert (67)8 = ( )16
Step I: First convert this number into binary equivalent for this do the following:
Plus One Computer Science Notes Chapter 2 Data Representation and Boolean Algebra 18
Step II: Next convert this number into hexadecimal equivalent for this do the following.
Plus One Computer Science Notes Chapter 2 Data Representation and Boolean Algebra 19
So the answer is (67)8 = ( 37)16

Hexadecimal to octal conversion:
First convert Hexadecimal to binary(see 1.6.8), then covert this binary into octal(also see 1.6.9)
eg: Convert (A1)16 = ( )8?
Step I: First convert this number into binary equivalent. For this do the following
Plus One Computer Science Notes Chapter 2 Data Representation and Boolean Algebra 20
Step II. Next convert this number into octal equivalent. For this do the following.
So the answer is (A1)16 = (241)8

Data representation:
The data stored in the computer memory is in the form of binary.

Representation of integers
There are three ways to represent integers in computer. They are as follows:

  1. Sign and Magnitude Representation (SMR)
  2. 1’s Complement Representation
  3. 2’s Complement Representation

1. SMR:
Normally a number has two parts sign and magnitude, eg: Consider a number+5. Here + is the sign and 5 is the magnitude. In SMR the most significant Bit (MSB) is used to represent the sign. If MSB is 0 sign is +ve and MSB is 1 sign is -ve. eg: If a computer has word size is 1 byte then
Plus One Computer Science Notes Chapter 2 Data Representation and Boolean Algebra 21
Here MSB is used for sign then the remaining 7 bits are used to represent magnitude. So we can , represent 27 = 128 numbers. But there are negative and positive numbers. So 128 + 128 = 256 number. The numbers are 0 to +127 and 0 to -127. Here zero is repeated. So we can represent 256 – 1 = 255 numbers.

2. 1’s Complement Representation:
To get the 1’s complement of a binary number, just replace every 0 with 1 and every 1 with 0. Negative numbers are represented using 1’s complement but +ve number has no 1 ’s complement,
eg:
(i) To find the 1’s complement of -21
+21 = 00010101
To get the 1’s complement change all 0 to 1 and.all 1 to 0.
-21 = 11101010
1’s complement of-21 is 11101010

Plus One Computer Science Notes Chapter 2 Data Representation and Boolean Algebra

(ii) Find the 1’s complement of +21. Positive numbers are represented by using SMR.
+21 = 00010101 (No need to take the 1’s complement)

3. 2’s Complement Representation:
To get the 2’s complement of a binary number, just add 1 to its 1’s complement +ve number has no 2’s complement.
eg: To find the 2’s complement of -21
+21 = 00010101
First take the 1’s complement for this change all 1 to 0 and all 0 to 1
Plus One Computer Science Notes Chapter 2 Data Representation and Boolean Algebra 22
2’s complement of -21 is 1110 1011

Representation of floating point numbers:
A real number consists of an integer part and fractional part and represent by using Exponent and Mantissa method. This method is also used to represent too big numbers as well as too small numbers.
Eg: .0000000000000000000000001 can be represented easily as 1 × 10-25. Here T is the Mantissa and -25 is the exponent.

A computer with 32 bit word length is used 24 bits for mantissa and the remaining 8 bits used to store exponent.

Representation of characters:
1. ASCII(American Standard Code for Information Interchange):
It is 7 bits code used to represent alphanumeric and some special characters in computer memory. It is introduced by U.S. government. Each character in the keyboard has a unique number.

Eg: ASCII code of ‘a’ is 97, when you press ‘a’ in the keyboard , a signal equivalent to 1100001 (Binary equivalent of 97 is 1100001) is passed to the computer memory. 27 = 128, hence we can represent only 128 characters by using ASCII. It is not enough to represent all the characters of a standard keyboard.

2. EBCDIC(Extended Binary Coded Decimal Interchange Code):
It is an 8 bit code introduced by IBM(lnternational Business Machine). 28 = 256 characters can be represented by using this.

3. ISCII(lndian Standard Code for Information Interchange):
It uses 8 bits to represent data and introduced by standardization committee and adopted by Bureau of Indian Standards(BIS).

4. Unicode:
The limitations to store more characters is solved by the introduction of Unicode. It uses 16 bits so 216 = 65536 characters (i.e, world’s all written language characters) can store by using this.

Binary arithmetic:
Binary addition:
The rules for adding two bits
Plus One Computer Science Notes Chapter 2 Data Representation and Boolean Algebra 23
eg: Find the sum of binary numbers 110011 and 100001.
Plus One Computer Science Notes Chapter 2 Data Representation and Boolean Algebra 24

Binary subtraction:
The rules for subtracting a binary digit from another digit.
Plus One Computer Science Notes Chapter 2 Data Representation and Boolean Algebra 25

Plus One Computer Science Notes Chapter 2 Data Representation and Boolean Algebra

Subtraction using 1’s complement:
The steps are given below:

Step 1: Add 0s to the left of the subtrahend, to make two numbers with same number of bits.
Step 2: Find 1’s complement of subtrahend.
Step 3: Add the complement with minuend.
Step 4: If there is a carry, ignore the carry, the result is positive then add the carry 1 to the result.
eg: Subtract 1101 from 111100 using 1’s complement method.
Step 1: Insert two Os to the left of 1101. Hence the subtrahend is 001101.
Step 2: 1’s complement of 001101 is 110010
Step 3: Add this to the minuend.
Plus One Computer Science Notes Chapter 2 Data Representation and Boolean Algebra 26
Step 4: Ignore the carry the result is positive and add add the carry 1 to 101110
Plus One Computer Science Notes Chapter 2 Data Representation and Boolean Algebra 27
Hence the result is 101111.

Subtraction using 2’s complement:
The steps are given below :
Step 1: Add 0s to the left of the subtrahend, to make two numbers with same number of bits.
Step 2: Find 2’s complement of subtrahend.
Step 3: Add the complement with minuend.
Step 4: If there is a carry, ignore the carry, the result is positive.
eg: Subtract 1101 from 111100 using 2’s complement method.
Step 1: Insert two 0s to the left of 1101. Hence the subtrahend is 001101.
Step 2: Find the 2’s complement of 001101.
1’s complement is 110010.
2’s complement is 110010 + 1 = 110011
Step 3: Add this to the minuend.
Plus One Computer Science Notes Chapter 2 Data Representation and Boolean Algebra 28
Step 4: Ignore the carry the result is positive. Hence the result is 101111.

Introduction to Boolean algebra:
The name Boolean Algebra is given to honour the British mathematician George Boole. Boolean algebra deals with two states true or false otherwise Yes or No and numerically either 0 or 1.

Plus One Computer Science Notes Chapter 2 Data Representation and Boolean Algebra

Binary valued quantities:
A logical decision which gives YES or No values is a binary decision, A statement which gives YES or NO values(TRUE or FALSE) is a logical statement or truth function. A variable which can assign TRUE or FALSE (1 or 0) values is a logical variable

Boolean operators and logic gates:
Logical Operators are AND, OR and NOT. A logical gate is a physical device (electronic circuit)that can perform logical operations on one or more logical inputs and produce a single logical output. A table represents the set f all possible values and the corresponding results in a statement is called truth table.
1. The OR operator and OR gate:
The OR operator gives a 1 either one of the operands is 1. If both operands are 0, it produces 0. The truth table of X OR Y is
Plus One Computer Science Notes Chapter 2 Data Representation and Boolean Algebra 29
The logical OR gate is given below.
Plus One Computer Science Notes Chapter 2 Data Representation and Boolean Algebra 30
The truth table and the gate for the Boolean expression Y = A + B + C
Plus One Computer Science Notes Chapter 2 Data Representation and Boolean Algebra 31

2. The AND operator and AND gate:
The AND operator gives a 1 if and only if both operands are 1. If either one of the operands is 0, it produces 0 The truth table of X AND Y is
Plus One Computer Science Notes Chapter 2 Data Representation and Boolean Algebra 32
The logical AND gate is given below.
Plus One Computer Science Notes Chapter 2 Data Representation and Boolean Algebra 33
The truth table and the gate for the Boolean expression Y = A . B . C
Plus One Computer Science Notes Chapter 2 Data Representation and Boolean Algebra 34
Plus One Computer Science Notes Chapter 2 Data Representation and Boolean Algebra 35

3. The NOT operator and NOT gate:
It produces the vice versa. NOT gate is also called inverter. It is a unary operator that means it has only one input and one output. The truth table of NOT X is
Plus One Computer Science Notes Chapter 2 Data Representation and Boolean Algebra 36

Plus One Computer Science Notes Chapter 2 Data Representation and Boolean Algebra

Basic postulates of Boolean algebra:
Boolean algebra consists of some fundamental laws. These laws are called postulates.
Postulate 1: Principles of 0 and 1
If A ≠ 0 , then A = 1 and A 1, then A = 0
Plus One Computer Science Notes Chapter 2 Data Representation and Boolean Algebra 37

Principle of Duality:
When changing the OR(+) to AND(.), AND (.) to OR(+), 0 to 1 and 1 to 0 in a Boolean expression we will get another Boolean relation which is the dual of the first, this is the principle of duality.

Basic theorems of Boolean algebra:
There are some standard and accepted rules in every theory, these rules are known as axioms of the theory.

Identity law:
If X is a Boolean variable, the law states that

  1. 0 + X = X
  2. 1 + X = 1 (these are additive identity law)
  3. 0 . X = 0
  4. 1 . X = X (these are multiplicative identity law)

Following are the truth tables
Plus One Computer Science Notes Chapter 2 Data Representation and Boolean Algebra 38

Idempotent law:
This law states that

  1. X + X = X
  2. X . X = X

Plus One Computer Science Notes Chapter 2 Data Representation and Boolean Algebra 39

Involution law:
This states that
\(\overline{\overline{\mathrm{X}}}=\mathrm{x}\)
The compliment of compliment of a number is the number itself.
Plus One Computer Science Notes Chapter 2 Data Representation and Boolean Algebra 40

Complimentary law:
This law states that

  1. \(x+\bar{x}=1\)
  2. \(x \cdot \bar{x}=0\)

The truth table is given below
Plus One Computer Science Notes Chapter 2 Data Representation and Boolean Algebra 41

Plus One Computer Science Notes Chapter 2 Data Representation and Boolean Algebra

Commutative law:
This law allows to change the position of variable in OR and AND

  1. X + Y = Y + X
  2. X . Y = Y . X

The truth table is given below
Plus One Computer Science Notes Chapter 2 Data Representation and Boolean Algebra 42

Associative law:
It allows grouping of variables differently

  1. X + (Y + Z) = (X + Y) + Z
  2. X . (Y . Z) = (X . Y) . Z

The truth table is given below
Plus One Computer Science Notes Chapter 2 Data Representation and Boolean Algebra 43
Plus One Computer Science Notes Chapter 2 Data Representation and Boolean Algebra 44

Distributive law:
This law allows expansion of multiplication over addition and also allows addition operation over multiplication.

  1. X . (Y + Z) = X . Y + X . Z
  2. X + Y . Z = (X + Y) . (X + Z)

The truth table is given below
Plus One Computer Science Notes Chapter 2 Data Representation and Boolean Algebra 45

Plus One Computer Science Notes Chapter 2 Data Representation and Boolean Algebra

Absorption law:
It is a kind of distributive law in which two variables are used and result will be one of them

  1. X + (X . Y) = X
  2. X . (X + Y) = X

The truth table is given below
Plus One Computer Science Notes Chapter 2 Data Representation and Boolean Algebra 46

De Morgan’s theorem:
Demorgan’s first theorem states that
\(\overline{\mathrm{X}+\mathrm{Y}}=\overline{\mathrm{X}} \cdot \overline{\mathrm{Y}}\)
ie. the compliment of sum of two variables equals product of their compliments.

The second theorem states that
\(\overline{\mathrm{X} . {\mathrm{Y}}}=\overline{\mathrm{X}}+\overline{\mathrm{Y}}\)
ie. The compliment of the product of two variables equals the sum of the compliment of that variables.

Circuit designing for simple Boolean expressions:
By using basic gates such as AND, OR and NOT gates we can create logic circuits.

Universal gates:
By using NAND and NOR gates only we can create other gate hence these gates are called Universal gate.

NAND gate:
The output of AND gate is inverted by NOT gate is the NAND gate
Plus One Computer Science Notes Chapter 2 Data Representation and Boolean Algebra 47

NOR gate:
The output of OR gate is inverted by NOT gate is the NOR gate.
Plus One Computer Science Notes Chapter 2 Data Representation and Boolean Algebra 48

Plus One Physics Chapter Wise Questions and Answers Chapter 14 Oscillations

Students can Download Chapter 14 Oscillations Questions and Answers, Plus One Physics Chapter Wise Questions and Answers helps you to revise the complete Kerala State Syllabus and score more marks in your examinations.

Kerala Plus One Physics Chapter Wise Questions and Answers Chapter 14 Oscillations

Plus One Physics Oscillations One Mark Questions and Answers

Question 1.
Fill in the blanks :
A girl is swinging on a swing in a sitting position. When she stands up, the period of the swing will______.
Answer:
Decreases

Question 2.
A particle executes a simple harmonic motion with a frequency f. What is the frequency with which its kinetic energy oscillates?
Answer:
Frequency of oscillation of kinetic energy is 2f.
Plus One Physics Chapter Wise Questions and Answers Chapter 14 Oscillations - 1

Plus One Physics Chapter Wise Questions and Answers Chapter 14 Oscillations

Question 3.
Plus One Physics Chapter Wise Questions and Answers Chapter 14 Oscillations - 2
Answer:
a. 7/2R
b. ω = \(\sqrt{k / m}\)

Question 4.
Can a simple pendulum vibrate at centre of earth?
Answer:
No. Because ‘g’ at centre of earth is zero.

Question 5.
A glass window may be broken by a distant explosion. Why?
Answer:
The sound waves can cause forced vibrations in glass due to difference between frequency of sound wave and natural frequency of glass. This can break the glass window.

Plus One Physics Oscillations Two Mark Questions and Answers

Question 1.
A simple pendulum is transferred from earth to moon. Will it go faster or slower?
Answer:
The value of g at moon is low compared to earth. The decrease in g will increase time period of simple pendulum. Hence pendulum will vibrate slower.

Plus One Physics Chapter Wise Questions and Answers Chapter 14 Oscillations

Question 2.
Here five examples of accelerated motion are given in first column. Match each examples given in the second column.
Plus One Physics Chapter Wise Questions and Answers Chapter 14 Oscillations - 3
Answer:
Plus One Physics Chapter Wise Questions and Answers Chapter 14 Oscillations - 4

Plus One Physics Chapter Wise Questions and Answers Chapter 14 Oscillations

Question 3.
A girl is swinging a swing in sitting position. What shall be the effect of frequency of oscillation if

  1. if she stands up
  2. if another girl sits gently by her side

Answer:
1. If the system is considered as simple pendulum, length of pendulum is reduced as girl stands up.
Plus One Physics Chapter Wise Questions and Answers Chapter 14 Oscillations - 5
So frequency of oscillation is increased.

2. The time period and hence frequency of simple pendulum is independent of mass. Hence there is no change in frequency.

Plus One Physics Oscillations Three Mark Questions and Answers

Question 1.
A student is advised to study the variation of period of oscillation with the length of a simple pendulum in the laboratory. According he recorded the period of oscillation for different lengths of the pendulum.

  1. If he plots a graph between the length and period of oscillation, what will be the shape of the graph?
  2. How would you determine the value of acceleration due to gravity using l – T2 graph?

Answer:
1.
Plus One Physics Chapter Wise Questions and Answers Chapter 14 Oscillations - 6
This is the equation parabola. Hence the shape of graph between period(T) and length (l) will be parabola.

2. Find slope of l – T2 graph. The acceleration due to gravity can be found using formula g = 4P2 × slope of (l – T2) graph.

Plus One Physics Chapter Wise Questions and Answers Chapter 14 Oscillations

Question 2.
A simple pendulum has a bob of mass m is suspended from the ceiling of a lift which is lying at the ground floor of a multistoried building.

  1. Find the period of oscillation of pendulum when the lift is stationary.
  2. What is the tension of the string of the pendulum when it is ascending with an acceleration ‘a’?
  3. What is the period of oscillation of the pendulum while the lift is ascending?

Answer:

  1. T = \(2 \pi \sqrt{l /g}\)
  2. Tension, T= m (g + a)
  3. T = 2π\(\sqrt{\frac{\ell}{g+a}}\)

Question 3.
A body tied a spherical pot with a string and suspended it on a clamp. He then filled it with water. Length of the string if 90 cm and diameter of the pot is 20 cm. The pot is slightly displaced to one side and leave it to oscillate. Considering the above example as a simple pendulum (g = 9.8 ms-2)

  1. What is the length of the Pendulum
  2. Calculate the period of oscillation of the pendulum.

Answer:
1. Length of pendulum l = 90 + 10 = 100 cm

2.
Plus One Physics Chapter Wise Questions and Answers Chapter 14 Oscillations - 7

Question 4.

  1. Motion repeated at regular intervals of time is called periodic. Explain the simple harmonic motion with a figure.
  2. A particle executes a simple harmonic motion with a period 2 seconds, starting from its equilibrium at time t = 0. Find the minimum time in which it is displaced by half the amplitude.

Answer:
1. A periodic motion in which acceleration is directly proportional to displacement but opposite in direction is called SHM.
Plus One Physics Chapter Wise Questions and Answers Chapter 14 Oscillations - 8
The graphical variation of simple harmonic motion with time given above.

2. y = a sin wt
Plus One Physics Chapter Wise Questions and Answers Chapter 14 Oscillations - 9
Sin π/6 = sin wt
wt = π/6
\(\frac{2 \pi}{T}\)t = π/6
But T = 2s. Hence we get
Plus One Physics Chapter Wise Questions and Answers Chapter 14 Oscillations - 10

Plus One Physics Chapter Wise Questions and Answers Chapter 14 Oscillations

Question 5.
A spring of spring constant ‘k’ is used to suspend a mass ‘m’ at its free end while the other end of the spring is rigidly fixed.

  1. If the mass is slightly depressed and released, then name the motion of the mass.
  2. Write down the expression for the period of oscillation of the mass.
  3. If this system is taken into outer space then what happens to its period? Why?

Answer:

  1. Simple Harmonic Motion
  2. T = \(2 \pi \sqrt{m / k}\)
  3. Period of oscillation does not change.

Plus One Physics Oscillations Four Mark Questions and Answers

Question 1.
A simple harmonic motion is represented by x(t) = Acosωt.

  1. What do you mean by simple harmonic motion.
  2. An SHM has amplitude A and time period T, What is the time taken to travel from x = A to x = A/2

Answer:
1. Simple harmonic motion is the simplest form of oscillatory motion. The oscillatory motion is said to be simple harmonic motion if the displacement ‘x’ of the partide from the origin varies with time as
Plus One Physics Chapter Wise Questions and Answers Chapter 14 Oscillations - 11

2. x = Acosωt
Plus One Physics Chapter Wise Questions and Answers Chapter 14 Oscillations - 12

Plus One Physics Chapter Wise Questions and Answers Chapter 14 Oscillations

Question 2.

  1. Define simple harmonic motion for a particle moving in a straight line.
  2. Use your definition to explain how simple harmonic motion can be represented by the equation.
  3. Show that the above equation is dimensionally correct.
  4. A mechanical system is known to perform simple harmonic motion. What quantity must be measured in order to determine frequency for the system?

Answer:

  1. A periodic motion in which acceleration is directly proportional to displacement and opposite in direction is called simple harmonic oscillation.
  2. Mathematically, a simple harmonic oscillation can be expressed as
    y = a sin wt (or) y = a cos wt
  3. y = a sin w t
    Sin wt has no dimension. Hence we need to consider dimension of ‘a’ only, ie, y = a, L = L
  4. Its period is determined.

Question 3.
A particle executes simple harmonic motion according to the equation x = 5sin\(\left(\frac{2 \pi}{3} t\right)\)

  1. find the period of the oscillation
  2. What is the minimum time required for the particle to move between two points 2.5cm on either side of the mean position?

Answer:
1. x = 5sin\(\left(\frac{2 \pi}{3} t\right)\), when we compare this equation
with standard S.H.M, x = a sin wt.
We get wt = \(\frac{2 \pi}{3} t\)
Plus One Physics Chapter Wise Questions and Answers Chapter 14 Oscillations - 13

2. y = a sin wt
2.5 = 5 sin w × t
Plus One Physics Chapter Wise Questions and Answers Chapter 14 Oscillations - 14
Time taken to travel 2.5 from the mean position is 0.25 sec. Hence time taken to travel 2.5 cm on either side of the mean position is 0.5 sec.

Plus One Physics Chapter Wise Questions and Answers Chapter 14 Oscillations

Question 4.
A mass m is suspended at one end of a spring and the other end of the spring is firmly fixed on the ceiling. If the mass is slightly depressed and released it will execute oscillation.

  1. Write down the expression for the frequency of oscillation of the mass.
  2. If the spring is cut into two equal halves and one half of the spring is used to suspend the same mass then obtain an expression for the ratio of periods of oscillation in two cases.
  3. If this system is completely immersed in water then what happens to the oscillation?

Answer:
1. f = \(\frac{1}{2 \pi} \sqrt{k / m}\)

2. f1 = [atex]\frac{1}{2 \pi} \sqrt{k / m}[/latex] ____(1)

3. When spring is cut in to half,spring constant becomes 2k. Hence frequency,
Plus One Physics Chapter Wise Questions and Answers Chapter 14 Oscillations - 15

4. If this system is immersed in water, the amplitude of oscillation decrease quickly. Hence system comes to rest quickly.

Question 5.
Starting from the origin, a body oscillates simple harmonically with an amplitude of 2m and a period of 2s.

  1. What do you mean simple harmonic motion.
  2. Draw the variation of displacement with time for the above motion.
  3. After what time, will its kinetic energy be 75% of the total energy?

Answer:
1. The oscillatory motion is said to be simple harmonic motion if the displacement ‘x’ of the particle from the origin varies with time as
Plus One Physics Chapter Wise Questions and Answers Chapter 14 Oscillations - 16
where
x(t) = displacement x as a function of time t
A = amplitude
ω = angular frequency
(ω t + Φ) = phase (time-dependent)
Φ = phase constant or initial phase

2.
Plus One Physics Chapter Wise Questions and Answers Chapter 14 Oscillations - 17

3. y = a sin ω t
ν = aω cos ωt
Kinetic energy,
Plus One Physics Chapter Wise Questions and Answers Chapter 14 Oscillations - 18
Plus One Physics Chapter Wise Questions and Answers Chapter 14 Oscillations - 19

Plus One Physics Chapter Wise Questions and Answers Chapter 14 Oscillations

Question 6.
A body of mass 16 kg is oscillating on a spring of force constant 100 N/m.

  1. What do you mean by spring constant.
  2. Derive a general expression for period of oscillating spring.

Answer:
1. Spring constant is the force required for unit extension.

2.
Plus One Physics Chapter Wise Questions and Answers Chapter 14 Oscillations - 20
Consider a body of mass m attached to a massless spring of spring constant K. The other end of spring is connected to a rigid support as shown in figure. The body is placed on a frictionless horizontal surface.

If the body be displaced towards right through a small distance Y, a restoring force will be developed.
Plus One Physics Chapter Wise Questions and Answers Chapter 14 Oscillations - 21
Comparing this equation with standard differential equation \(\frac{d^{2} x}{d t^{2}}\) + ω2x = 0
We get ω2 = k/m
Plus One Physics Chapter Wise Questions and Answers Chapter 14 Oscillations - 22

Question 7.
A particle execute simple harmonic motion according to the equation, x = 5sin \(\left(\frac{2 \pi}{3}\right) t\)

  1. What is the period of the oscillation?
  2. Write an expression for velocity and acceleration of the above particle.

Answer:
1. When x = 5sin\(\left(\frac{2 \pi}{3}\right) t\) with standard equation.
x = asin ω t we get
Plus One Physics Chapter Wise Questions and Answers Chapter 14 Oscillations - 23

2. Velocity V = \(\frac{d}{d t}\) 5sin\(\left(\frac{2 \pi}{3}\right) t\)
Plus One Physics Chapter Wise Questions and Answers Chapter 14 Oscillations - 24

Plus One Physics Chapter Wise Questions and Answers Chapter 14 Oscillations

Question 8.

  1. Arrive the differential equation of SHM.
  2. What do you mean by seconds pendulum.

Answer:
1. The force acting simple harmonic motion is proportional to the displacement and is always directed towards the centre of motion.
Plus One Physics Chapter Wise Questions and Answers Chapter 14 Oscillations - 25
Comparing this equation with standard differential equation \(\frac{d^{2} x}{d t^{2}}\) + ω2x = 0,
We get ω2 = k/m.

2. A pendulum having period 2 sec is called seconds pendulum.

Question 9.
SHM is a type of motion in which both speed and acceleration change continuously.

  1. Which of the following condition is sufficient for SHM?
    • a = ky,
    • a = ky
    • a = ky2
  2. Draw a graph of SHM between
    • displacement-time
    • speed – time
    • acceleration -time

Answer:
1. a = ky

2. Variation of displacement Y with time t
Plus One Physics Chapter Wise Questions and Answers Chapter 14 Oscillations - 26
Variation of velocity Y with time t
Plus One Physics Chapter Wise Questions and Answers Chapter 14 Oscillations - 27
Variation of acceleration with time
Plus One Physics Chapter Wise Questions and Answers Chapter 14 Oscillations - 28

Plus One Physics Chapter Wise Questions and Answers Chapter 14 Oscillations

Question 10.

  1. Is oscillation of a mass suspended by a spring is simple harmonic?
  2. Write period of oscillation of the spring?
  3. There are two springs, one delicate and another stout. For which spring, the frequency of oscillation will be more?
  4. Two un equal springs of same material are loaded with same load, which one will have large value of time period?

Answer:
1. Yes

2. T = \(2 \pi \sqrt{\frac{m}{k}}\)

3. When a stout spring loaded with mass ‘m’, the extension (l) produced is large.
∴ T is large, because T = \(2 \pi \sqrt{\frac{m}{k}}\),
T is small, i.e, frequency is large. Stout spring oscillate with larger frequency.

4. When a longer spring is locked with weight mg, the extension T is more
∴ T is large, because T = \(2 \pi \sqrt{\frac{l}{g}}\)
So longer spring will have a large value of period.

Question 11.
A simple pendulum consists of a metallic bob suspended from a long straight thread whose one
end is fixed to a rigid support.

  1. What is the time period of second’s pendulum?
  2. Derive an expression for period of simple pendulum.

Answer:
1. 2 sec

2.
Plus One Physics Chapter Wise Questions and Answers Chapter 14 Oscillations - 29
Consider a mass m suspended from one end of a string of length L fixed at the other end as shown in figure. Suppose P is the instantaneous position of the pendulum. At this instant its string makes an angle θ with the vertical.

The forces acting on the bob are (1) weight of bob Fg(mg) acting vertically downward. (2) Tension T in the string.

The gravitational force Fg can be divided into a radial component FgCosθ and tangential component FgSinθ. The tangential component FgSinθ produces a restoring torque.
Restoring torque τ = – Fg sinθ . L
τ = – mg sinθ . L _____(1)
-ve sign shown that the torque and angular displacement θ are oppositely directed. For rotational motion of bob,
τ = Iα ______(2)
Where I is moment of inertia about the point of suspension and α is angular acceleration. From eq (1) and eq (2).
Iα = – mgsinθ . L
If we assume that the displacement θ is small, sinθ ≈ θ
∴ Iα = -mgθ . L
Iα + mgθ L = 0
Plus One Physics Chapter Wise Questions and Answers Chapter 14 Oscillations - 30

Plus One Physics Chapter Wise Questions and Answers Chapter 14 Oscillations
Comparirig eq (3) with standard differential equation
Plus One Physics Chapter Wise Questions and Answers Chapter 14 Oscillations - 31
Plus One Physics Chapter Wise Questions and Answers Chapter 14 Oscillations - 32
∴ period of simple pendulum,
Plus One Physics Chapter Wise Questions and Answers Chapter 14 Oscillations - 33
for simple pendulum I = mL2
Substituting I = mL2 we get
Plus One Physics Chapter Wise Questions and Answers Chapter 14 Oscillations - 34
The above equation gives that T is indepent of mass.

Plus One Physics Oscillations Five Mark Questions and Answers

Question 1.

  1. Which of the following condition is sufficient for the simple harmonic motion?
    • a = ky
    • a = ky2
    • a = -ky
    • a = -ky2
      Where ‘a’ – acceleration, y – displacement
  2. Prove that simple harmonic motion is the projection of uniform circular motion on any diameter of the circle.
  3. Represent graphically the variations of potential energy, kinetic energy and total energy as a function of position ‘x’ for a linear harmonic oscillator. Explain the graph.

Answer:
1. a = -ky

2.
Plus One Physics Chapter Wise Questions and Answers Chapter 14 Oscillations - 35
Consider a particle moving along the circumference of a circle of radius ‘a’ and centre O, with uniform angular velocity w. AB and CD are two mutually perpendicular diameters along X and Y axis. At time t = 0.

let the particle be at P0 so that ∠P0OB = Φ. After time ‘t’ second, let the particle reach P so that ∠POP0 = ω t. N is the foot of the perpendicular drawn from P on the diameter CD.

Similarly M is the foot of the perpendicular drawn from P to the diameter AB. When the particle moves along the circumference of the circle, the foot of the perpendicular executes to and fro motion along the diameter CD or AB with O as the mean position.

From the right angle triangle O MP, we get
Cos (ωt + Φ) = \(\frac{O M}{O P}\)
∴ OM = OPcos(ωt + Φ)
X= a cos (ωt + Φ) _______(1)
Similarly, we get
Sin (ωt + Φ) = \(\frac{y}{a}\) (or)
Y = a sin (ωt + Φ) _______(2)
Equation (1) and (2) are similar to equations of S.H.M. The equation(1) and (2) shows that the projection of uniform circular motion on any diameter is S.H.M.

3. KE = PE
\(\frac{1}{2}\)mω2(a2 – x2) = \(\frac{1}{2}\) = mω2x2
Solving we get, x = \(\frac{a}{\sqrt{2}}\)
where a is the amplitude of oscillation.

Plus One Physics Chapter Wise Questions and Answers Chapter 14 Oscillations

Question 2.
The spring has a scale that reads from zero to 30 kg. The length of the scale is 30cm.

  1. Calculate the force constant K
  2. If the period of oscillation is 1 sec. Calculate mass of the body attached to the spring.
  3. If the spring is cut into two halves, What is the force constant of each half?

Answer:
1. 30 cm = 30kg
1 cm = \(\frac{30}{30}\) = 1kg
∴ Spring constant K = 1 kg/cm = 10N/cm =1000N/m.

2.
Plus One Physics Chapter Wise Questions and Answers Chapter 14 Oscillations - 36

3. If spring of spring constant K is cut in to half, spring constant of each half became, 2K

Plus One Physics Oscillations NCERT Questions and Answers

Question 1.
Which of the following examples represent periodic motion?
(a) A swimmer completing one (return) trip from one bank of a river to the other and back.
(b) A freely suspended bar magnet displaced from its N-S direction and released.
(c) A hydrogen molecule rotating about its centre of mass.
(d) An arrow released from a bow.
Answer:
(b) A freely suspended bar magnet displaced from its N-S direction and released and
(c) A hydrogen molecule rotating about its centre of mass

Question 2.
Which of the following relationships between the acceleration a and the displacement x of a particle involve simple harmonic motion?
(a) a = 0.7x
(b) a = 200x2
(c) a = 10x
(d) a = 100x2
Answer:
Only (c) ie. a = -10x represent SHM. This is because acceleration is proportional and opposite to displacement (x).

Plus One Physics Chapter Wise Questions and Answers Chapter 14 Oscillations

Question 3.
A spring having spring constant 1200Nm-1 is mounted on a horizontal table as shown in figure. A mass of 3 kg is attached to the free end of the spring. The mass is the pulled sideways to a distance of 2.0cm and released.
Plus One Physics Chapter Wise Questions and Answers Chapter 14 Oscillations - 37
Determine

  1. the frequency of oscillations,
  2. maximum acceleration of the mass and
  3. the maximum speed of the mass.

Answer:
k = 1200Nm-1, m = 3kg, a = 2.0cm = 2 × 10-2m
1.
Plus One Physics Chapter Wise Questions and Answers Chapter 14 Oscillations - 38

2. Maximum acceleration = ω2 a = \(\frac{k}{m}\)a
Plus One Physics Chapter Wise Questions and Answers Chapter 14 Oscillations - 39

3. Maximum speed = aω = a\(\sqrt{\frac{K}{m}}\)
Plus One Physics Chapter Wise Questions and Answers Chapter 14 Oscillations - 40

Question 4.
The piston in the cylinder head of a locomotive has a stroke (twice the amplitude) of 1.0m. If the position moves with simple harmonic motion with an angular frequency of 200 rev/min, what is its maximum speed?
Answer:
a = \(\frac{1}{2}\)m, ω = 200 rev/min
Umax = aω = \(\frac{1}{2}\) × 200m/min = 100 m/min.

Plus One Physics Chapter Wise Questions and Answers Chapter 14 Oscillations

Question 5.
A circular disc of mass 10kg is suspended by a wire attached to its centre. The wire is twisted by rotating the disc and released. The period of torsional oscillations is found to be 1.5s. The radius of the disc is 15cm. Determine the torsional spring constant of the wire. (Torsional spring constant α is defined by the relation J = -αθ, where J is the restoring couple and θ the angle of twist).
Answer:
Plus One Physics Chapter Wise Questions and Answers Chapter 14 Oscillations - 41

Plus One Computer Science Notes Chapter 1 The Discipline of Computing

Students can Download Chapter 1 The Discipline of Computing Notes, Plus One Computer Science Notes helps you to revise the complete Kerala State Syllabus and score more marks in your examinations.

Kerala Plus One Computer Science Notes Chapter 1 The Discipline of Computing

Summary
Computing milestones and machine evolution:
People used pebbles and stones for counting earlier days. They draw lines to record information. eg: 1 line for one, 2 lines for two, 3 lines for three, etc. In this number system the value will not change if the lines are interchange. This type of number system is called non positional number system.

Counting and the evolution of the positional number system:
In positional number system, each and every number has a weight. Earlier sticks are used to count items such as animals or objects. Around 3000 BC the Egyptians use number systems with radix 10(base-the number of symbols or digits used in the number system) and they write from right to left.

Plus One Computer Science Notes Chapter 1 The Discipline of Computing

Later Sumerian/Babylonian use number system with largest base 60 and were written from left to right. They use space for zero instead of a symbol, 0. In 2500 BC, the Chinese use simple and efficient number system with base 10 very close to number system used in nowadays.

In 500 BC, the Greek number system known as Ionian, it is a decimal number system and used no symbols for zero. The Roman numerals consists of 7 letters such as l, V, X, L, C, D, M. The Mayans used number system with base 20 because of the sum of the number of fingers and toes is 10 + 10 = 20.

It is called vigesimal positional number system. The numerals are made up of three symbols; zero (shell shape, with the plastron uppermost), one (a dot) and five (a bar or a horizontal line). To represent 1 they used one dot, two dots for 2, and so on
Plus One Computer Science Notes Chapter 1 The Discipline of Computing 1
The Hindu – Arabic number system had a symbol(0)for zero originated in India 1500 years ago. Consider the table to compare the number system

Roman NumeralsDecimal / Hindu – Arabic number
I1
V5
X10
L50
C100
D500
M1000

Evolution of the computing machine:
(a) Abacus:
In 3000 BC Mesopotamians introduced this and it means calculating board or frame. It is considered as the first computer for basic arithmetical calculations and consists of beads on movable rods divided into two parts. The Chinese improved the Abacus with seven beads on each wire. Different Abacus are given below.

Plus One Computer Science Notes Chapter 1 The Discipline of Computing 2
Plus One Computer Science Notes Chapter 1 The Discipline of Computing 2.1

Plus One Computer Science Notes Chapter 1 The Discipline of Computing

(b) Napier’s bones:
A Mathematician John Napier introduced this in AD 1617.

(c) Pascaline:
A French mathematician Blaise Pascal developed this machine that can perform arithmetical operations.

(d) Leibniz’s calculator:
In 1673, a German mathematician and Philosopher Gottfried Wilhelm Von Leibniz introduced this calculating machine.

(e) Jacquard’s loom:
In 1801, Joseph Marie Jacquard invented a mechanical loom that simplifies the process of manufacturing textiles with complex pattern. A stored program in punched cards was used to control the machine with the help of human labour. This punched card concept was adopted by Charles Babbage to control his Analytical engine and later by Hollerith.

(f) Difference engine:
The intervention of human beings was eliminated by Charles Babbage in calculations by using Difference engine in 1822. It could perform arithmetic operations and print results automatically
Plus One Computer Science Notes Chapter 1 The Discipline of Computing 3

(g) Analytical engine:
In 1833. Charles Babbage introduced this. Charles Babbage is considered as the “Father of computer It is considered as the predecessor of today’s computer. This engine was controlled by programs stored in punched cards. These programs were written by Babbage’s assistant, Augusta Ada King, who was considered as the first programmer in the World.
Plus One Computer Science Notes Chapter 1 The Discipline of Computing 4

(h) Hollerith’s machine:
In 1887, Herman Hollerith an American made first electromechanical punched cards with instructions for input and output. The.card contained holes in a particular pattern with special meaning. The Us Census Bureau had large amount of data to tabulate, that will take nearly 10 years.

By this machine this work was completed in one year. In 1896, Hollerith started a company Tabulating Machine Corporation. Now it is called International Business Machines(IBM).

Plus One Computer Science Notes Chapter 1 The Discipline of Computing

(i) Mark-1:
In 1944 Howard Aiken manufactured automatic electromechanical computer in collaboration with engineers at IBM that handled 23 decimal place numbers and can perform addition, subtraction, multiplication and subtraction.

Generations of computers:
There are five generations of computers from 16th century to till date.
Plus One Computer Science Notes Chapter 1 The Discipline of Computing 5

First generation computers (1940 – 1956):
Vacuum tubes were used in first generation computers. The input was based on punched cards and paper tapes and output was displayed on printouts. The Electronic Numerical Integrator and Calculator(ENIAC) belongs to first generation was the first general purpose programmable electronic computer built by J. Presper Eckert and John V. Mauchly.

It was 30-50 feet long, weight 30 tons, 18,000 vacuum tubes, 70,000 registers, 10,000 capacitors and required 1,50,000 watts of electricity. It requires Air Conditioner. They later developed the first commercially successful computer, the Universal Automatic Computer(UNIVAC) in 1952. Von Neumann architecture
Plus One Computer Science Notes Chapter 1 The Discipline of Computing 6
The mathematician John Von Neumann designed a computer structure that structure is in use nowadays. Von Neumann structure consists of a central processing unit(CPU), Memory unit, Input and Output unit. The CPU consists of arithmetic logical unit(ALU) and control unit(CU).

The instructions are stored in the memory and follows the “Stored Program Concept”. Colossus is the secret code breaking computer developed by a British engineer Tommy Flowers in 1943 to decode German messages.

Second generation computers (1956 -1963):
Transistors, instead of Vacuum tubes, were used in 2nd generation computers hence size became smaller, less expensive, less electricity consumption and heat emission and more powerful and faster.

A team contained John Bardeen, Walter Brattain and William Shockley developed this computer at Bell Laboratories. In this generation onwards the concept of programming language was developed and used magnetic core (primary) memory and magnetic disk(secondary) memory.

These computers used high level languages(high level language means English like statements are used)like FORTRAN (Formula translation) and COBOL(Common Business Oriented Language). The popular computers were IBM 1401 and 1620.

Third generation computers (1964 – 1971):
Integrated Circuits(IC’s) were used. IC’s or silicon chips were developed by Jack Kilby, an engineer in Texas Instruments. It reduced the size again and increased the speed and efficiency. The high level language BASIC(Beginners All purpose Symbolic Instruction Code) was developed during this period.

Plus One Computer Science Notes Chapter 1 The Discipline of Computing

The popular computers were IBM 360 and 370. Due to its simplicity and cheapness more people were used. The number of transistors on IC’s doubles approximately every two years. This law is called Moore’s Law, it is named after Gordon E Moore. It is an observation and not a physical or natural law.

Fourth generation computers (1971 onwards):
Microprocessors are used hence computers are called microcomputers. Microprocessor is a single chip which contains Large Scale of IC’s(LSI) like transistors, capacitors, resistors,etc due to this a CPU can place on a single chip. Later LSI were replaced by Very Large Scale Integrated Circuits(VLSI). The popular computers are IBM PC and Apple II.

Fifth generation computers (future):
Fifth generation computers are based on Artificial Intelligence(AI). Al is the ability to act as human intelligence like speech recognition, face recognition, robotic vision and movement etc. The most common Al programming language are LISP and Prolog.

Evolution of computing:
Computing machines are used for processing or calculating data, storing and displaying information. In 1940’s computer were used only for single tasks like a calculator. But nowadays computer is capable of doing multiple tasks at a time.

The “Stored Program Concept” is the revolutionary innovation by John Von Neumann helped storing data and information in memory. A program is a collection of instructions for executing a specific job or task.

Augusta Ada Lowelace: She was the Countess of Lowelace and she was also a mathematician and writer. She is considered as the first lady computer programmer.

Programming languages:
The instructions to the computer are written in different languages. They are Low Level Language(Machine language), Assembly Language(Middle level language) and High Level Language(HLL).

In Machine Language 0’s and 1 ’s are used to write program. It is very difficult but this is the only language which is understood by the computer. In assembly language mnemonics (codes) are used to write programs
Plus One Computer Science Notes Chapter 1 The Discipline of Computing 7
Electronic Delay Storage Automatic Calculator(EDSAC) built during 1949 was the first to use assembly language. In HLL English like statements are used to write programs. A-0 programming language developed by Dr. Grace Hopper, in 1952, for UNIVAC-I is the first HLL.

Plus One Computer Science Notes Chapter 1 The Discipline of Computing

A team lead by John Backus developed FORTRAN @IBM for IBM 704 computer and ‘Lisp’ developed by Tim Hart and Mike Levin at Massachusetts Institute of Technology. The other HLLs are C, C++, COBOL, PASCAL, VB, Java etc. HLL is very easy and can be easily understood by the human being.

Usually programmers prefer HLL to write programs because of its simplicity. But computer understands only machine language. So there is a translation needed. The program which perform this job are language processors.

Algorithm and computer programs:
The step-by-step procedure to solve a problem is known as algorithm. It comes from the name of a famous Arab mathematician Abu Jafer Mohammed Ibn Musaa Al-Khowarizmi, The last part of his name Al-Khowarizmi was corrected to algorithm.

Theory of computing:
It deals with how efficiently problems can be solved by algorithm and computation. The study of the effectiveness of computation is based upon a mathematical abstraction of computers is called a model of computation, the most commonly used model is Turing Machine named after the famous computer scientist Alan Turing.

1. Contribution of Alan Turing:
He was a British mathematician, logician, cryptographer and computer scientist. He introduced the concept of algorithm and computing with the help of his invention Turing Machine.

He asked the question Can machines think’ led the foundation for the studies related to the computing machinery and intelligence. Because of these contributions he is considered as the Father of Modern Computer Science as well as Artificial Intelligence.

2. Turing Machine:
In 1936 Alan Turing introduced a machine, called Turing Machine. A Turing machine is a hypothetical device that manipulates symbols on a strip of tape according to a table of rules. This tape acts like the memory in a computer. The tape contains cells which starts with blank and may contain 0 or 1.

So it is called a 3 Symbol Turing Machine. The machine can read and write, one cell at a time, using a tape head and move the tape left or right by one cell so that the machine can read and edit the symbol in the neighbouring cells. The action of a Turing machine is determined by

  1. the current state of the machine
  2. the symbol in the cell currently being scanned by the head and
  3. a table of transition rules, which acts as the program.

Plus One Computer Science Notes Chapter 1 The Discipline of Computing

3. Turing Test:
The Turing test is a test of a machine’s ability to exhibit intelligent behaviour equivalent to, or indistinguishable from, that of a human. The test involves a human judge engages in natural language conversations with a human and a machine designed to generate performance indistinguishable from that of a human being.

All participants are separated from one another. If the judge cannot reliably tell the machine from the human, the machine is said to have passed the test. The test does not check the ability to give the correct answer to questions; it checks how closely the answer resembles typical human answers. Turing predicted that by 2000 computer would pass the test.

Plus One Physics Chapter Wise Questions and Answers Chapter 13 Kinetic Theory

Students can Download Chapter 13 Kinetic Theory Questions and Answers, Plus One Physics Chapter Wise Questions and Answers helps you to revise the complete Kerala State Syllabus and score more marks in your examinations.

Kerala Plus One Physics Chapter Wise Questions and Answers Chapter 13 Kinetic Theory

Plus One Physics Kinetic Theory One Mark Questions and Answers

Question 1.
The value of \(\frac{P V}{T}\) for one mole of an ideal gas is nearly equal to
(a) 2 Jmol-1K-1
(b) 8.3 Jmol-1K-1
(c) 4.2 Jmol-1K-1
(d) 2 cal mol-1K-1
Answer:
(d) 2 cal mol-1K-1
The value of \(\frac{P V}{T}\) for one mole of an ideal gas = gas constant = 2 cal mol-1K-1.

Question 2.
Mean free path of a gas molecule is
(a) inversely proportional to number of molecules per unit volume
(b) inversely proportional to diameter of the molecule
(c) directly proportional to the square root of the absolute temperature
(d) directly proportional to the molecular mas
Answer:
(a) inversely proportional to number of molecules per unit volume.

Plus One Physics Chapter Wise Questions and Answers Chapter 13 Kinetic Theory

Question 3.
If for a gas \(\frac{R}{C_{v}}\) = 0.67, this gas is made up of molecules which are
(a) monoatomic
(b) diatomic
(c) Polyatomic
(d) mixture of diatomic and polyatomic molecules
Answer:
(a) monoatomic
For a gas, we know \(\frac{R}{C_{v}}\) = γ – 1
or, 0.67 = γ – 1, or γ = 1.67
Hence the gas is monoatomic.

Question 4.
According to kinetic theory of gases, molecules of a gas behave like
(a) inelastic spheres
(b) perfectly elastic rigid spheres
(c) perfectly elastic non-rigid spheres
(d) inelastic non-rigid spheres
Answer:
(b) According to kinetic theory of gases, gas molecules behave as a perfectly elastic rigid spheres.

Question 5.
Which one of the following is not an assumption of kinetic theory of gases?
(a) The volume occupied by the molecules of the gas is negligible.
(b) The force of attraction between the molecules is negligible.
(c) the collision between the molecules are elastic.
(d) All molecules have same speed.
Answer:
(d) Molecules of an ideal gas moves randomly with different speeds.

Question 6.
What is the shape of graph between volume and temperature, if pressure is kept constant?
Answer:
PV = nRT. Hence graph will be straight line.

Question 7.
What is the shape of graph between pressure p and I/V for a perfect gas at constant temperature?
Answer:
Straight line

Plus One Physics Chapter Wise Questions and Answers Chapter 13 Kinetic Theory

Question 8.
Identify the minimum possible temperature at which all molecular motion ceases.
Answer:
Absolute temperature (OK or – 273.15°C).

Question 9.
What is the formula for average translational kinetic energy of a gas molecule?
Answer:
3/2 KBT

Plus One Physics Kinetic Theory Two Mark Questions and Answers

Question 1.
Mention the conditions under which the real gases obey ideal gas equation.
Answer:
Low pressure and high temperature.

Question 2.
Why the temperature rises when gas is suddenly compressed?
Answer:
The work done on gas during compression increases the kinetic energy of molecules and hence temperature of gas rises.

Plus One Physics Chapter Wise Questions and Answers Chapter 13 Kinetic Theory

Question 3.
Why evaporation causes cooking?
Answer:
During evaporation, fast moving molecules escape from liquid. Hence average kinetic energy of molecules left behind is decreaesd. This will reduce temperature & causes cooling.

Question 4.
When automobile travels long distance air pressure in tyres increases slightly. Why?
Answer:
As automobile moves, work is being done against force of friction. This work is converted in to heat and it increases the temperature. As P a T, increase in temperature will increase pressure.

Question 5.
PV = µ RT is the ideal gas equation. Real gas obeys ideal behaviour at high temperature and at low pressure.

  1. Give an example for ideal gas
  2. Why real gases obey ideal gas equation at high temperature and at low pressure.

Answer:

  1. Hydrogen
  2. The interaction between molecules can be neglected at high T and at low temperature.

Plus One Physics Chapter Wise Questions and Answers Chapter 13 Kinetic Theory

Question 6.
A vessel of volume V contains a gas of µ moles at a temperature T.

  1. What is the ideal gas equation if gas is considered to be ideal one?
  2. The variation of pressure P with number of moles per unit volume in a vessel is shown in the graph. Analyse the graph and choose the correct one and justify your answer.

Plus One Physics Kinetic Theory Two Mark Questions and Answers 1
(i) The temperature inside the vessel decreases.
(ii) The temperature inside the vessel increases.
Answer:
1. PV = µRT

2. P = \(\frac{1}{3}\)nmc-2
In this case, when n increases, (mc-2) decreases to maintain P as constant. Temperature is directly proportional to mc-2. Hence we can say that temperature inside the vessel decreases.

Plus One Physics Kinetic Theory Three Mark Questions and Answers

Question 1.
1 mole of ideal gas is taken in vessel.

  1. State the following statements as true or false.
    • In gas equation R is constant.
    • All real gas obeys gas equation at all temperature and pressures.
  2. Draw the variation of R with pressure for the above ideal gas.
  3. Draw the variation of R with volume for this ideal gas.

Answer:
1. Following statements as true or false:

  • True
  • False

2.
Plus One Physics Kinetic Theory Three Mark Questions and Answers 2

3.
Plus One Physics Kinetic Theory Three Mark Questions and Answers 3

Plus One Physics Chapter Wise Questions and Answers Chapter 13 Kinetic Theory

Question 2.

  1. Air pressure in a car tyre increase during driving. Why?
  2. Air is filled in a vessel at 60°C. To what temperature should it be heated in order that 1/3rd of air may escape out of the vessel? (Expansion of air may be neglected).

Answer:
1. During driving the temperature of air inside the tyre increases due to motion.

2. T1 = 60 + 273 = 333K
V1 = V; T2 = ? V2 = V+ V/3
V2 = \(\frac{4}{3}\)V
Plus One Physics Kinetic Theory Three Mark Questions and Answers 4

Plus One Physics Chapter Wise Questions and Answers Chapter 13 Kinetic Theory

Question 3.
Find the degrees of freedom of the following.

  1. A body is confined to move in a straight line
  2. A body moves in a plane
  3. A body moves in a space

Answer:

  1. 1
  2. 2
  3. 3

Plus One Physics Kinetic Theory Four Mark Questions and Answers

Question 1.
An enclosed vessel contains many number of molecules moving in random direction.

  1. Explain the term pressure in terms molecular concept.
  2. Derive an expression for the pressure exerted by the gas molecules by assuming postulates of kinetic theory of gases.

Answer:
1. Pressure P = \(\frac{2}{3} n \overline{K E}\)
Where ‘n’ is the number of gas molecules per unit volume. \(\overline{\mathrm{KE}}\) is the average kinetic energy of a gas molecules moving in random direction.

2.
Plus One Physics Kinetic Theory Four Mark Questions and Answers 5
Consider molecules of gas in a container. The molecules are moving in random directions with a velocity V. This is the velocity of a molecule in any direction.

The velocity V can be resolved along x, y and z directions as Vx, Vy, and Vz respectively. If we assume a molecule hits the area A of container with velocity Vx and rebounds back with -Vx.

The change in momentum imparted to the area A by the molecule = 2mVx. The molecules covers a distance Vxt along the x-direction in a time t. All the molecules within the volume AVxt will collide with the area in a time t.

If ‘n’ is the number of molecules per unit volume, the total number of molecules hitting the area A, N = AVxt n.
But on an average, only half of those molecules will be hitting the area, and the remaining molecules will be moving away from the area. Hence the momentum imported to the area in a time t.

Plus One Physics Chapter Wise Questions and Answers Chapter 13 Kinetic Theory
Q = 2mvx × \(\frac{1}{2}\) AVxt n.
= nmVx2 At
The rate of change of momentum,
\(\frac{Q}{t}\) = nmVx2 A
But rate of change of momentum is called force, ie. force F = nmVx2A
∴ pressure P =nmVx 2 (P = \(\frac{F}{A}\))
Different molecules move with different velocities. Therefore, the average value V2x is to be taken. If \(\overline{\mathbf{V}}_{\mathbf{x}}^{2}\) isthe average value then the pressure.
p = nm\(\overline{\mathbf{V}}_{\mathbf{x}}^{2}\) ………(1)
\(\overline{\mathbf{V}}_{\mathbf{x}}^{2}\) is known as the mean square velocity.
Since the gas is isotropic (having the same properties in all directions), we can write
Plus One Physics Kinetic Theory Four Mark Questions and Answers 6
Hence the eq (1) can be written as
Plus One Physics Kinetic Theory Four Mark Questions and Answers 7
But nm = ρ, the density of gas
∴ P = \(\frac{F}{A}\) ρ\(\overline{\mathbf{V}}^{2}\).

Plus One Physics Chapter Wise Questions and Answers Chapter 13 Kinetic Theory

Question 2.
1. Fill in the blanks
Plus One Physics Kinetic Theory Four Mark Questions and Answers 8
2. What happens to the value of ratio of specific heat capacity, if we consider all rotational degrees of freedom of a 1-mole diatomic molecule?
Answer:
1.
Plus One Physics Kinetic Theory Four Mark Questions and Answers 9

2. Total degrees of freedom = 3 (trans) + 3 (Rot) = 6
∴ CV = 3R, CP = 4R
Ratio of specific heat γ = \(\frac{4}{3}\)
Ratio of specific heat capacity decreases.

Plus One Physics Kinetic Theory NCERT Questions and Answers

Question 1.
Molar volume is the volume occupied by 1 mol of any (ideal) gas at standard temperature and pressure (STP: 1 atmospheric pressure, 0°C). Show that it is 22.4 litres.
Answer:
PV= µRT or V = \(\frac{\mu \mathrm{RT}}{\mathrm{P}}\)
Plus One Physics Kinetic Theory NCERT Questions and Answers 10
= 22.4 × 10-3 m3 = 22.4 litre.

Question 2.
Estimate the total number of air molecules (inclusive of oxygen, nitrogen, water vapour and other constituents) in a room of capacity 25.0m3 at a temperature of 27°C and 1-atmosphere pressure.
Answer:
V = 25.0m3, T = (27 + 273), K = 300 K, k = 1.38 × 10-23JK-1
PV= nRT = n(Nk)T = (nN)kT = NtkT
Here Nt represents the total number of air molecules in the given gas.
Plus One Physics Kinetic Theory NCERT Questions and Answers 11

Plus One Physics Chapter Wise Questions and Answers Chapter 13 Kinetic Theory

Question 3.
From a certain apparatus, the diffusion rate of hydrogen has an average value of 28.7 cm3s-1. The diffusion of another gas under the same conditions is measured to have an average rate of 7.2 cm3s-1. Identify the gas.
Answer:
According to Graham’s law of diffusion of gases, the rate of diffusion of a gas is inversely proportional to the square root of its molecular mass. If R1 and R2 be the rates of diffusion of two gases having molecular masses M1 and M2 respectively, then
Plus One Physics Kinetic Theory NCERT Questions and Answers 12

Plus One Physics Chapter Wise Questions and Answers Chapter 13 Kinetic Theory

Question 4.
Estimate the fraction of molecular volume to the actual volume occupied by oxygen gas at STP. Take the diameter of an oxygen molecule to be 3Å.
Answer:
Consider one mole of oxygen gas at STP. It occupies 22.4 litre of volume which will contain 6.023 × 1023. (ie. Avogadro number) molecules. Considering spherical shape of molecule, volume of oxygen molecule
Plus One Physics Kinetic Theory NCERT Questions and Answers 13
Volume of 6.023 × 1023 molecules
= \(\frac{4}{3}\) × 3.142(1.5)3 × 10-30 × 6.02 × 1023 m3
= 85.1 × 10-7m3
= 8.51 × 10-6m3 = 8.51 × 10-3
litre Molecular volume of one mole of oxygen (∵ 1m3 = 103 litre)
∴ Molecular volume of one mole of oxygen = 8.51 × 10-3 litre
Actual volume occupied by one mole of oxygen at STP = 22.4 litre
Fraction of molecular volume to actual volume
Plus One Physics Kinetic Theory NCERT Questions and Answers 14

Plus One Computer Science Chapter Wise Questions and Answers Chapter 7 Control Statements

Students can Download Chapter 7 Control Statements Questions and Answers, Plus One Computer Science Chapter Wise Questions and Answers helps you to revise the complete Kerala State Syllabus and score more marks in your examinations.

Kerala Plus One Computer Science Chapter Wise Questions and Answers Chapter 7 Control Statements

Plus One Control Statements One Mark Questions and Answers

Question 1.
An if statement contains another if statement completely. Then it is known as _________.
Answer:
Nested if

Plus One Computer Science Chapter Wise Questions and Answers Chapter 7 Control Statements

Question 2.
From the following which is not optional with switch statement.
(a) break
(b) default
(c) case
(d) none of these
Answer:
(c) case.

Question 3.
To exit from a switch statement _______ is used.
(a) quit
(b) exit
(c) break
(d) none of these
Answer:
(c) break

Question 4.
From the following which statement is true for switch statement.
(a) switch is used to test the equality
(b) switch is used to test relational or logical expression
(c) switch can handle real numbers case data
(d) none of these
Answer:
(a) switch is used to test the equality

Question 5.
Sonet wants to execute a statement more than once. From the following which is exactly suitable.
(a) if
(b) loop
(c) switch
(d) if else if ladder
Answer:
(b) loop

Question 6.
Odd one out
(a) for
(b) if
(c) switch
(d) if-else if ladder
Answer:
(a) for. It is a loop the others are branching statement.

Question 7.
Odd one out
(a) for
(b) if
(c) while
(d) do-while
Answer:
(b) if. It is a branching statement and the others are loops.

Question 8.
From the following which loop does the three things, initialisation, checking and updation.
(a) while
(b) do-while
(c) for
(d) none of these
Answer:
(c) for

Question 9.
Predict the output Output
(a) 10
(b) 1 to 10
(c) 11
(d) none of these
Answer:
(c) 11.

Plus One Computer Science Chapter Wise Questions and Answers Chapter 7 Control Statements

Question 10.
From the following which is exit controlled loop
(a) for
(b) while
(c) do-while
(d) None of these
Answer:
(c) do-while

Question 11.
_____________ statement is used for unconditional jump from one location to another.
Answer:
goto.

Question 12.
Sunitha wants to skip one iteration. From the following which will help her?
(a)continue
(b) break
(c) for
(d) case
Answer:
(a) continue

Question 13.
To terminate a program, from the following which is used.
(a) break
(b) continue
(c) end()
(d) exit()
Answer:
(d) exit()

Question 14.
Which header file is needed to use exit() function in a program?
(a) iostream
(b) cstdlib
(c) math
(d) iomanip
Answer:
(b) cstdlib

Question 15.
In while loop, the loop variable should be updated?
(a) along with while statement
(b) after the while statement
(c) before the while statement
(d) inside the body of while
Answer:
(d) Inside the body of while

Question 16.
How many times the following loop will execute?
int S = 0, i = 0;
do
{
S + = i;
i++;
} while(i < 5);
Answer:
5 times

Plus One Computer Science Chapter Wise Questions and Answers Chapter 7 Control Statements

Question 17.
1. statement takes the program control out of the loop even though the test expression is true.

2. Consider the following code fragment. How many times will the character be printed on the screen?
for (i=0; i< 10; i =i+2);
cout <<“*”;
}
Answer:

  1. break or goto
  2. Only one time because of semicolon(;) in the end of the for(i=0;i<10;i=i+2);

Question 18.
Which selection statement tests the value of a variable or an expression against a list of integers or character constants? (SAY-2015) (1)
(a) For
(b) If
(c) Switch
(d) Conditional expression
Answer:
(c) switch

Question 19.
How many times the following loop will execute? (MARCH-2016) (1)
int m = 2
do
{
cout<<“Welcome”; m++ ;
} while (m>10);
Answer:
Only one time

Question 20.
________ statement takes the program control outside a loop even though the test expression is true. (SCERT SAMPLE – II) (1)
Answer:
break

Question 21.
Read the following C++ statement for (int n = 1; n<10; n+=2); cout<<n
Now, choose the correct output from the following options. (SCERT SAMPLE – II)(1)
(a) 1
(b) 13579
(c) 11
(d) 10
Answer:
(c) 11. This is because of for statement is end with; (semi colon). Here cout<<n; executes only once.

Question 22.
____________ search method is an example for ‘divide and conquer method’.
Answer:
goto.

Plus One Computer Science Chapter Wise Questions and Answers Chapter 7 Control Statements

Question 23.
1. Name the type or loop which can be used to ensure that the body of the loop will surely be executed at least once.

2. Consider the code given below and predict the output. (MARCH-2017) (1)
for (int i=1; i<=9;i=i+2)
{
if (i==5) continue;
cout<<i<< ” “;
}
Answer:

  1. do while loop(Exit controlled loop)
  2. 1 3 7 9. It bypasses one iteration of the loop when i = 5.

Plus One Control Statements Two Mark Questions and Answers

Question 1.
Your friend Arun asked you that is there any loop that will do three things, initialization, testing and updation. What is your answer. Explain?
Answer:
Yes. There is only one loop namely for loop that will do this three things. The other loops will do the checking only, initialisation must be do before the loop and updation must be inside the loop.
The syntax of for loop is given below For(initialisation; testing; updation)
{
Body of the for loop;
}

Question 2.
While writing a program Geo uses while loop but forgets to update the loop variable. What will happen?
Answer:
The loop variable inside the while loop must be updated otherwise the loop will not be terminated. The loop will be work infinitely.

Question 3.
Draw the flow chart of if statement.
Answer:
Plus One Computer Science Chapter Wise Questions and Answers Chapter 7 Control Statements 1

Plus One Computer Science Chapter Wise Questions and Answers Chapter 7 Control Statements

Question 4.
Draw the flow chart of if else statement
Answer:
Plus One Computer Science Chapter Wise Questions and Answers Chapter 7 Control Statements 2

Question 5.
Write a while loop that display numbers from 500 to 550.
Answer:
int i = 500
while (i<=550)
{
cout<<i;
i = i + 1;
}

Question 6.
Distinguish between exit(0) function and return statement
Answer:
Both are used to terminate the program but both are different. Return is a keyword and exit(0) is a function. The difference is, we can use more than one exit(0) function but we can use only one return statement in a scope. To use exit(0), the header file cstdlib should be used.

Question 7.
Draw the flowchart of for loop
Answer:
Plus One Computer Science Chapter Wise Questions and Answers Chapter 7 Control Statements 3

Question 8.
How many time the following for loop will execute? Justify.
for(i = 0; ; i ++)
{
if(i > 5)
cout<<“continue”;
else
cout<<“over”;
}
Answer:
Here the loop becomes infinite because the check condition is missing.

Question 9.
Predict the output.
#include<iostream.h>
int main()
{
int a = 0;
start:
cout<<endl<< ++a;
if(a < 5)
goto start;
}
Answer:
1
2
3
4
3

Plus One Computer Science Chapter Wise Questions and Answers Chapter 7 Control Statements

Question 10.
for(int i=2, sum=0; i <= 20; i=i+2)
sum += i;
Rewrite the above code using while loop.
Answer:
int i = 2; sum=0;
while (i<=20)
{
sum += i;
i = i + 2;
}

Question 11,.
Rewrite the following code using switch case statement.
if(day == 1)
cout<<“Sunday”;
else if(day == 2)
cout<<“Monday”;
else if(day == 7)
cout<<“Saturday”;
else
cout <<“Wednesday”;
Answer:
switch (day)
{
case 1: cout<<“Sunday”;break;
case 2: cout<<“Monday”;break;
case 7: cout<<“Saturday”;break;
default : cout<<“Wednesday”;
}

Question 12.
Pick the odd one out from the following. Give reason.

  1. for, while, do….while
  2. if, switch, for

Answer:

  1. do…..while. It is an exit controlled loop while others are entry controlled loop
  2. for. It is a loop while others are branching statements.

Question 13.
State whether the following statements are True or False. In either case justify your answer.

  1. Break statement is essential in switch
  2. For loop is an entry controlled loop
  3. Do…while loop is an entry controlled loop
  4. Switch is a selection statement

Answer:

  1. False. It is not essential in single case statement
  2. True. Because it will first check the condition. If it is true then only the body will be executed.
  3. False. It is an exit controlled loop.
  4. True.

Plus One Computer Science Chapter Wise Questions and Answers Chapter 7 Control Statements

Question 14.
Write the equivalent code for the following statement. R = (P<Q?P:Q)
Answer:
if(P<Q)
R = P;
else
R = Q;

Question 15.
Examine the following code snippet and find out the output? What will happen if the statement int ch; is replaced by char ch;
int ch;
for(ch=’A’;ch<=’Z’;++ch)
cout<<ch<<”;
Answer:
This code snippet will print 65, 66, 67,……., 90. If the statement int ch; is replaced by char ch; it prints A, B, C, ……., Z.

Question 16.

  1. _______ is an entry control loop.
  2. _______ Explain the memory allocation for the following declaration statement. int A[10] [10];

Answer:

  1. while or for loop
  2. To store an integer 4 bytes is used in Geany Editor. int A[10] [10]; → It needs 10 × 10 × 4 = 400 bytes

Question 17.
Differentiate between break and continue statements in C++. (SAY -2016) (2)
Answer:
break statement:
It is used to skip over a part of the code i.e. we can premature exit from a loop such as while, do-while, for or switch.
Syntax:
while (expression)
{
if (condition)
break;
}

continue statement:
It bypasses one iteration of the loop. That is it skips one iteration and continue the loop with next iteration value.
Syntax :
while (expression)
{
if (condition)
continue;
}

Plus One Control Statements Three Mark Questions and Answers

Question 1.
Compare if else and conditional operator?
Answer:
We can use conditional operator as an alternative of if-else statement. The conditional operator is a ternary operator.
The syntax of if-else
if (expression 1)
expression 2;
else
expression 3;

First expression 1 is evaluated if it is true expression 2 will be executed otherwise expression 3 will be executed. Instead of this, we can be written as follows using conditional operator Expression 1 ? expression 2: expression 3;

Plus One Computer Science Chapter Wise Questions and Answers Chapter 7 Control Statements

Question 2.
Plus One Computer Science Chapter Wise Questions and Answers Chapter 7 Control Statements 4
Answer:
Plus One Computer Science Chapter Wise Questions and Answers Chapter 7 Control Statements 5
Plus One Computer Science Chapter Wise Questions and Answers Chapter 7 Control Statements 6

Question 3.
Rewrite the program following program using if else.
#include<iostream>
using namespace std;
int main()
{
int a,b,big;
cout<<“Enter two integers”;
cin>>a>>b;
big = (a>b)?a:b;
cout<<“Biggest number is “<<big<<endl;
return 0;
}
Answer:
Plus One Computer Science Chapter Wise Questions and Answers Chapter 7 Control Statements 7

Plus One Computer Science Chapter Wise Questions and Answers Chapter 7 Control Statements

Question 4.
Plus One Computer Science Chapter Wise Questions and Answers Chapter 7 Control Statements 43
Plus One Computer Science Chapter Wise Questions and Answers Chapter 7 Control Statements 8
Is it possible to rewrite the above program using switch statement? Distinguish between switch and if else if ladder.
Answer:
No. It is not possible to write the above code using switch statement. Following are the difference between switch and if else if ladder.

  1. Switch can test only for equality but if can evaluate a relational or logical expression
  2. If else is more versatile
  3. If else can handle floating values but switch cannot
  4. If the test expression contains more variable if-else is used
  5. Testing a value against a set of constants switch is more efficient than if-else.

Question 5.
Rewrite the following using nested switch construct.
Plus One Computer Science Chapter Wise Questions and Answers Chapter 7 Control Statements 9
Answer:
Plus One Computer Science Chapter Wise Questions and Answers Chapter 7 Control Statements 10

Plus One Computer Science Chapter Wise Questions and Answers Chapter 7 Control Statements

Question 6.
Consider the following output and write down the code for the same.
*
* *
* * *
* * * *
Answer:
#include<iostream>
using namespace std;
int main()
{
int i,j;
for(i=1;i<5;i++)
{
for(j=1;j<=i;j++)
cout<<n*”;
cout<<endl;
}
}

Question 7.
Consider the following output and write down the code for the same.
1
1 2
1 2 3
1 2 3 4
Answer:
#include<iostream>
using namespace std;
int main()
{
int ij;
for(i=1;i<5;i++)
{
for(j=l;j<=i;j++)
cout<<j<<“”;
cout<<endl;
}
}

Question 8.
Consider the following output and write down the code for the same.
1
2 2
3 3 3
4 4 4 4
Answer:
#include<iostream>
using namespace std;
int main()
{
int ij;
for(i=1;i<5;i++)
{
for(j=1;j<=i;j++)
cout<<i<<””;
cout<<endl;
}
}

Question 9.
Consider the following output and write down the code for the same.
1
2 3
4 5 6
7 8 9 10
Answer:
#include<iostream>
using namespace std;
int main()
{
int ij,k=0;
for(i=1;i<5;i++)
{
for(j=l;j<=i;j++)
cout<<++k<<“”;
cout<<endl;
}
}

Plus One Computer Science Chapter Wise Questions and Answers Chapter 7 Control Statements

Question 10.
Consider the following output and write down the code for the same.
1
1 3
1 3 5
1 3 5 7
Answer:
#include<iostream>
using namespace std;
int main()
{
int i,j;
for(i=1;i<5;i++)
{
for(j=1;j<=i;j++)
cout<<j × 2-1<<”
cout<<endl;
}
}

Question 11.
Consider the following output and write down the code for the same.
2
4 4
6 6 6
8 8 8 8
Answer:
#include<iostream>
using namespace std;
int main()
{
int i,j;
for(i=1;i<5;i++)
{
for(j=1;j<=i;j++)
cout<<i × 2<<“”;
cout<<endl;
}
}

Question 12.
Write a program to print the sum of first n natural numbers.
Answer:
#include<iostream>
using namespace std;
int main()
{
int n,i,sum=0;
cout<<“Enter a value for n”;
cin>>n;
for(i=1;i<=n;i++)
{
sum = sum + i;
}
cout<<“The sum of first ” <<n<<” numbers is “<<sum;
}

Question 13.
Write a program to read a number and check whether it is palindrome or not.
Answer:
Plus One Computer Science Chapter Wise Questions and Answers Chapter 7 Control Statements 11

Plus One Computer Science Chapter Wise Questions and Answers Chapter 7 Control Statements

Question 14.
Write a program to print the factorial of a number.
Answer:
#include<iostream>
using namespace std;
int main()
{
int n,i;
long fact = 1;
cout<<“Enter a number”;
cin>>n;
for(i=1;i<=n;i++)
fact = fact × i;
cout<<“The factorial of “<<n<<” is “<<fact;
}

Question 15.
Write a program to print the Fibonacci series.
Answer:
#include<iostream>
using namespace std;
int main()
Plus One Computer Science Chapter Wise Questions and Answers Chapter 7 Control Statements 12

Question 16.
Write a program to read a number and check whether the given number is Armstrong or not.
Answer:
Plus One Computer Science Chapter Wise Questions and Answers Chapter 7 Control Statements 13

Question 17.
Write down the code for the following output using while loop.
*
* *
* * *
* * * *
Answer:
Plus One Computer Science Chapter Wise Questions and Answers Chapter 7 Control Statements 14

Question 18.
Distinguish between entry controlled loop and exit controlled loop.
Answer:
An entry controlled loop first checks the condition and execute(or enters in to) the body of loop only if it is true. But exit control loop first execute the body of the loop once even if the condition is false then check the condition. The for loop and while loop are entry controlled loops but do-while loop is an exit controlled loop.

Plus One Computer Science Chapter Wise Questions and Answers Chapter 7 Control Statements

Question 19.
Write a program to find the largest of 3 numbers.
Answer:
Plus One Computer Science Chapter Wise Questions and Answers Chapter 7 Control Statements 15

Question 20.
Check whether a given number is prime or not.
Answer:
Plus One Computer Science Chapter Wise Questions and Answers Chapter 7 Control Statements 16

Question 21.
Write a program to print the prime numbers less than 100.
Answer:
Plus One Computer Science Chapter Wise Questions and Answers Chapter 7 Control Statements 17

Question 22.
Write a program to read number and display its factors.
Answer:
#include<iostream>
using namespace std;
int main()
{
int n,i;
cout<<“Enter a number greater than zero”;
cin>>n;
cout<<“The factors are”;
for(i=1;i<=n;i++)
if(n%i==0)
cout<<i<<“,”;
}

Plus One Computer Science Chapter Wise Questions and Answers Chapter 7 Control Statements

Question 23.
Write a program to print the Armstrong numbers less than 1000.
Answer:
Plus One Computer Science Chapter Wise Questions and Answers Chapter 7 Control Statements 18

Question 24.
Char result;
float marks;
cin>>marks;
if (marks >= 50)
result = ’P’;
else
result = ’F’;
cout<<result;
Rewrite the above code without using if statement.
Answer:
result=(marks>=50) ? ’P’: ’F’;

Question 25.
The output of a program is given below.
1
3
5
7
9
The sum is 25
Write a C++ program for obtaining the above output.
Answer:
#include<iostream>
using namespace std;
int main()
{
int sum=0,i;
for (i=1; i<=9; i+=2)
{
cout<<i<<endl;
sum = sum + i;
}
cout<<“The sum is”<<sum;
}

Question 26.
Find out the error in syntax if any and correct it?
Answer:
1. while (test condition);
{
}

2. do (condition)
{
}while

3. switch (condition)
{
Case 1:
Case 2:
Case 3:
Case 4:
}
Answer:
1. No need of semi colon. The corrected toop is given below
while (test condition)
{
}

2. In do … while loop the while must be end with semicolon.
do (condition)
{
}while;

3. switch contains expression instead of condition switch(expression)
{
Case 1:
Case 2:
Case 3:
Case 4:
}

Plus One Computer Science Chapter Wise Questions and Answers Chapter 7 Control Statements

Question 27.
Given the total mark of each student in SSLC examination. Write a C++ code fragment to find the grades.
Answer:
Plus One Computer Science Chapter Wise Questions and Answers Chapter 7 Control Statements 19

Question 28.
You are given the heights of 3 students. Write the relevant code segment to find the maximum height?
Answer:
Plus One Computer Science Chapter Wise Questions and Answers Chapter 7 Control Statements 20

Question 29.
Write the easiest code snippet for printing your name 1000 times. Explain.
Answer:
#include<iostream>
using namespace std;
int main()
{
int i;
char name[20];
cout<<“Enter your name:
cin>>name;
for(i=0;i<1000;i++)
cout<<name<<endl;
}

Question 30.
Given a code segment for(i=1; i<10; i++)
cout<<i;

  1. Rewrite the code using do….while loop
  2. What will be the output when i = 0? Give reason.

Answer:
1. i = 1;
do{
cout<<i; i++;
}while(i<10);

2. When i = 0, it will execute one more time. ie. the for loop execute 9 times but here this loop executes 10 times.

Question 31.
Whenever a string is entered the inverse of that string is displayed( eg: if we enter ‘CAR’ the output is ‘RAC’). Write a suitable programme for the output.
Answer:
Plus One Computer Science Chapter Wise Questions and Answers Chapter 7 Control Statements 21

Plus One Computer Science Chapter Wise Questions and Answers Chapter 7 Control Statements

Question 32.
Write a C++ program to display as follows
A
A B
A B C
A B C D
A B C D E
Answer:
Plus One Computer Science Chapter Wise Questions and Answers Chapter 7 Control Statements 22

Question 33.
Write C++ program forgetting the following output. (SAY-2016) (3)
1
1 2
1 2 3
1 2 3 4

OR

Consider the following C++ program and answer the following questions.
#include<iostream.h>
int main()
{
int a, p = 1;
for(a=1;a<=5;a+=2)
p = p × a;
cout<<p;
}

(a) Predict the output of the above code.
(b) Rewrite the above program using while loop.

Answer:
Plus One Computer Science Chapter Wise Questions and Answers Chapter 7 Control Statements 23

Plus One Control Statements Five Mark Questions and Answers

Question 1.
“We know that the execution of a program is sequential”. Is it possible to change this sequential manner and explain different jump statements in detail.
Answer:
The execution of a program is sequential but we can change this sequential manner by using jump statements. The jump statements are
1. goto statement:
By using goto we can transfer the control anywhere in the program without any condition. The syntax is goto label;
Example:
Plus One Computer Science Chapter Wise Questions and Answers Chapter 7 Control Statements 24
Plus One Computer Science Chapter Wise Questions and Answers Chapter 7 Control Statements 25

2. break statement:
It is used to skip over a part of the code i.e. we can premature exit from a loop such as while, do-while, for or switch.
Plus One Computer Science Chapter Wise Questions and Answers Chapter 7 Control Statements 26

Plus One Computer Science Chapter Wise Questions and Answers Chapter 7 Control Statements

3. continue statement:
It bypasses one iteration of the loop.
Plus One Computer Science Chapter Wise Questions and Answers Chapter 7 Control Statements 27
Plus One Computer Science Chapter Wise Questions and Answers Chapter 7 Control Statements 28

4. exit(0) function:
It is used to terminate the program. For this the header file cstdlib must be included.

Question 2.
Mr. X wants to get an output 9 when inputting 342 and he also wants to get 12 when inputting 651. Write the program and draw a suitable flowchart for X?
Answer:
Plus One Computer Science Chapter Wise Questions and Answers Chapter 7 Control Statements 29
Plus One Computer Science Chapter Wise Questions and Answers Chapter 7 Control Statements 30
Plus One Computer Science Chapter Wise Questions and Answers Chapter 7 Control Statements 31

Question 3.
Explain conditional statements in detail?
Answer:
1. Simple if:
The syntax is given below if(expression)
statement;

or

if(expression)
{
Block of statements
}
First expression evaluates if it is true then only statement will be executed.
eg: if (n>0)
cout<<n<<” is positive”;

2. if else:
The syntax is given below, if (expression)
statement 1;
else
statement 2;

or

if (expression)
{
statement block 1;
}
else
{
statement block 2;
}
First expression evaluates if it is true statement block 1 will be executed otherwise statement block 2 will be executed. Only one block will be executed at a time so it is called branching statement.
eg:
if (n>0)
cout<<n<<” is positive”;
else
cout<<n<<” is negative”;

3. if else if ladder:
The syntax will be given below
if (expression!)
{
statement block 1;
}
else if (expression 2)
{
statement block 2;
}
else if (expression 3)
{
statement block 3;
}
else
{
statement block n;
}
Here first expression 1 will be evaluated if it is true only the statement blockl will be executed otherwise expression 2 will be executed if it is true only the statement block 2 will be executed and so on. If all the expression evaluated is false then only statement block n will be evaluated .
eg:
If (mark>=90)
cout<<“Your grade is A+”;
else if (mark>=80)
cout<<“Your grade is A”;
else if (mark>=70)
cout<<“Your grade is B+”;
else if (mark>=60)
cout<<“Your grade is B”;
else if (mark>=50)
cout<<”Your grade is C+”;
else if (mark>=40)
cout<<“Your grade is C”;
else if (mark>=30)
cout<<“Your grade is D+”;
else
cout<<“Your grade is D”;

Plus One Computer Science Chapter Wise Questions and Answers Chapter 7 Control Statements

4. conditional operator:
It is a ternary operator and it is an alternative for if else construct. The syntax is given below.
expression 1? expression 2: expression 3;

or

expression 1? Value if true : value if false;
Here expression 1 will be evaluated if it true expression 2 will be executed otherwise expression 3 will be executed.
eg:
n>0?cout<<n<<” is positive”:cout<<n<<” is negative”;

5. Switch:
It is a multiple branch statement. Its syntax is given below.
switch(expression)
{
case value: statements;break;
case value: statements;break;
case value: statements;break;
case value: statements;break;
case value: statements;break;
……..
default : statements;
}
First expression evaluated and selects the statements with matched case value.
eg:
switch (n)
{
case 1: cout<< “Sunday”;break;
case 2: cout<< “Monday”;break;
case 3: cout<< “Tuesday”;break;
case 4: cout<< “Wedesday”;break;
case 5: cout<< “Thursday”;break;
case 6: cout<< “Friday”;break;
case 7: cout<< “Saturday”;break;
default : cout<< “lnvalid”
}

Question 4.
Explain different loops in detail?
1. For loop:
The syntax of for loop is for(initialization; checking ; update loop variable)
{
Body of loop;
}
First part, initialization is executed once, then checking is carried out if it is true the body of the for loop is executed. Then loop variable is updated and again checking is carried out this process continues until the checking becomes false. It is an entry controlled loop.
eg: for(i=1,j=1;i<=10;i++,j++)
cout<<i<<” × “<<j<<” = “<<i × j;

2. While loop:
It is also an entry controlled loop The syntax is given below
Loop variable initialised while(expression)
{
Body of the loop;
Update loop variable;
}
Here the loop variable must be initialised outside the while loop. Then the expression is evaluated if it is true then only the body of the loop will be executed and the loop variable must be updated inside the body. The body of the loop will be executed until the expression becomes false.
eg:
i = 1;
j = 1;
while(i<=10)
{
cout<<i<<” × “<<j<<” = “<<i × j; i++;
j++;
}

3. do While loop:
It is an exit controlled loop. The syntax is given below
do
{
Statements
}while(expression);
Here the body executes atleast once even if the condition is false. After executing the body it checks the expression if it false it quits the body otherwise the process will be continue.

Plus One Computer Science Chapter Wise Questions and Answers Chapter 7 Control Statements

Question 5.
Write a program to do the following:

  1. Inputs the values for variables ‘n’ and ‘m’.
  2. Prints the numbers between ‘m’ and ‘n’ which are exactly divisible by ‘m’.
  3. Checks whether the numbers divisible by ‘m’ are odd or even.

OR

Write a program using nested loop that inputs a number ‘n’ which generates an output as follows. Hint: if the value of ‘n’ is 5, the output will be as ‘n’
Answer:
1.
25
25 16
25 16 9
25 16 9 4
25 16 9 4 1

2.
#include<iostream.h>
#include<conio.h>
void main()
{
clrscr();
int i,n,m;
cout<<“Enter values for n and m”;
cin>>n>>m;
for(i=1;i<=n;i++)
if(i%m == 0)
cout<<i<<“,”;
getch();
}

3.
#include<iostream.h>
#include<conio.h>
void main()
{
clrscr();
int i,n,m;
cout<<“Enter values for n and m”;
cin>>n>>m;
for(i=1;i<=n;i++)
if(i%m == 0)
{
cout<<i<<“\t”;
if(i%2 == 0)
cout<<“even”<<endl;
else
cout<<“odd”<<endl;
}
getch();
}

OR

#include<iostream.h>
#include<conio.h>
#include<string.h>//for strlen()
main()
{
clrscr();
int n,i,j;
cout<<“enter a value for n:”;
cin>>n;
for(i=n;i>0;i- -)
{
for(j=n;j>=i;j~)
cout<<j × j<<“\t”;
cout<<endl;
}
getch();
}

Plus One Computer Science Chapter Wise Questions and Answers Chapter 7 Control Statements

Question 6.
Write a C++ program to display Fibonacci series. (SAY-2015)
Answer:
Plus One Computer Science Chapter Wise Questions and Answers Chapter 7 Control Statements 32
Plus One Computer Science Chapter Wise Questions and Answers Chapter 7 Control Statements 33

Question 7.
1. Write a C++ program to accept an integer number and check whether it is an Armstrong number or not. (Hint: Sum of the cubes of the digits of an Armstrong number is equal to that number itself)

OR

2. rite a C++ program to accept an integer number and print its reverse (Hint: If 234 is given, the output must be 432).
Answer:
1.
Plus One Computer Science Chapter Wise Questions and Answers Chapter 7 Control Statements 34
2. #include<iostream>
void main()
Plus One Computer Science Chapter Wise Questions and Answers Chapter 7 Control Statements 35

 

Question 8.
1. Write a menu driven program which accepts 3 numbers and show options to find and display.

  • the biggest number
  • the smallest number
  • the sun of the numbers
  • the product of the numbers

OR

2. Write a C++ program to check whether a number is palindrome or not.
Answer:
1.
Plus One Computer Science Chapter Wise Questions and Answers Chapter 7 Control Statements 36
Plus One Computer Science Chapter Wise Questions and Answers Chapter 7 Control Statements 37

OR
2.
Plus One Computer Science Chapter Wise Questions and Answers Chapter 7 Control Statements 38

Plus One Computer Science Chapter Wise Questions and Answers Chapter 7 Control Statements

Question 9.
Answer any one question from 22(a) and 22(b).
1. Write a C++ program to display all leap years between 1000 and 2000 excluding all century years.

OR

2. Write a C++ program to find the sum of the first 10 numbers of Fibonacci series. (Fibonacci series is 0, 1, 1,2, 3, 5, 8, 15 where 0 and 1 are the first two terms and reamaining terms are obtained by the sum of the two preceding terms.)
Answer:
1.
Plus One Computer Science Chapter Wise Questions and Answers Chapter 7 Control Statements 39

OR
2.

Plus One Computer Science Chapter Wise Questions and Answers Chapter 7 Control Statements 40

Question 10 (MARCH-2017)
Write a program to check whether the given number is palindrome or not. (MARCH-2017) (5)

OR

Write a program to print the leap years between 2000 and 3000.
(A century year is leap year only if it is divided by 400 and a noncentury year is leap year only if it is divided by 4).
Answer:
Plus One Computer Science Chapter Wise Questions and Answers Chapter 7 Control Statements 41

OR

Plus One Computer Science Chapter Wise Questions and Answers Chapter 7 Control Statements 42

Plus One Physics Chapter Wise Questions and Answers Chapter 12 Thermodynamics

Students can Download Chapter 12 Thermodynamics Questions and Answers, Plus One Physics Chapter Wise Questions and Answers helps you to revise the complete Kerala State Syllabus and score more marks in your examinations.

Kerala Plus One Physics Chapter Wise Questions and Answers Chapter 12 Thermodynamics

Plus One Physics Thermodynamics One Mark Questions and Answers

Question 1.
If the pressure and the volume of certain quantity of ideal gas are halved, then its temperature
(a) is doubled
(b) becomes one-fourth
(c) remains constant
(d) is halved
Answer:
(b) becomes one-fourth
According to ideal gas law
Plus One Physics Thermodynamics One Mark Questions and Answers 1

Plus One Physics Chapter Wise Questions and Answers Chapter 12 Thermodynamics

Question 2.
The ideal gas equation connecting pressure (P), volume (V) and absolute temperature (T) is
Plus One Physics Thermodynamics One Mark Questions and Answers 2
where kB is the Boltzmann constant and N is the number of molecules.
Answer:
c) PV = kBNT
According to ideal gas equation,
PV = NkBT.

Question 3.
Which of the following laws of thermodynamics forms the basis for the definition of temperature?
(a) First law
(b) Zeroth law
(c) Second law
(d) Third’law
Answer:
(b) Zeroth law
The Zeroth law of thermodynamics gives the definition of temperature.

Question 4.
Which of the following is a true statement?
(a) The total entropy of thermally interacting systems is conserved
(b) Carnot engine has 100% efficiency
(c) Total entropy does not change in a reversible process.
(d) Total entropy in an irreversible process can either increase or decrease.
Answer:
(c) Total entropy does not change in a reversible process.

Plus One Physics Chapter Wise Questions and Answers Chapter 12 Thermodynamics

Question 5.
In a given process of an ideal gas, dW = 0 and dQ < 0. Then for the gas
(a) the temperature will decrease,
(b) the volume will increase
(c) the pressure will remain constant
(d) the temperature will increase
Answer:
(a) From first law of thermodynamics
dQ = dU + dW
dQ = dU (if dW = 0)
Since, dQ < 0
dU < 0
or Ufinal < Uintial
Hence, temperature will decrease.

Question 6.
An electric fan is switched on in a closed room will the air of the room be cooled?
Answer:
No. Infact speed of air molecules will increase and this results in increase in temperature.

Question 7.
When an iron nail is hammered, if becomes hot. Why?
Answer:
The kinetic energy of hammer gets converted in to heat energy which increases temperature of iron nail.

Question 8.
Identify the thermodynamic process in which temperature of system may increase even when no heat is supplied to the system.
Answer:
Adiabatic process.

Plus One Physics Chapter Wise Questions and Answers Chapter 12 Thermodynamics

Question 9.
Which thermodynamic variable is defined by first law of thermodynamics?
Answer:
Internal energy

Question 10.
The door of an operating refrigerator kept open in a closed room. Will it make the room cool?
Answer:
No. The room will be slightly warmed.

Plus One Physics Thermodynamics Two Mark Questions and Answers

Question 1.
A Carnot engine working between 300K and 600K has a work output of 800J per cycle. Find the amount of energy consumed per cycle

  • 800J
  • 400J
  • 1600J
  • 1200J
  • 3200J

Answer:
Efficiency of carrots engine
Plus One Physics Thermodynamics Two Mark Questions and Answers 3
Efficiency also can be written as
Plus One Physics Thermodynamics Two Mark Questions and Answers 4
∴ input power = 1600 J.

Plus One Physics Chapter Wise Questions and Answers Chapter 12 Thermodynamics

Question 2.
A carnote’s engine is made to work between 200°C and 0°C first and then between 0°C and minus 200°C. Compare the values of efficiencies in the two cases.
Answer:
Case -1:
Plus One Physics Thermodynamics Two Mark Questions and Answers 5
= 1 – 0.577
= 0.42 = 42%
Case – 2:
η = 1 – \(\frac{73}{473}\)
T2 = -200 = 73k
= 1 – 0.26 = 0.73
= 73%
T1 = 0 = 273k.

Question 3.
Match the following
Plus One Physics Thermodynamics Two Mark Questions and Answers 6
Answer:
Plus One Physics Thermodynamics Two Mark Questions and Answers 7

Plus One Physics Chapter Wise Questions and Answers Chapter 12 Thermodynamics

Question 4.
What is the value of specific heat capacity of gas in

  1. Isothermal process
  2. Adiabatic process

Answer:

  1. Infinite
  2. Zero

Question 5.
Is the function of refrigerator against the second law of thermodynamics? Explain.
Answer:
No. The refrigerator transfers heat from the inside space to outer atmosphere, at the expense of external work supplied by the compresser fed by electric supply.

Plus One Physics Thermodynamics Three Mark Questions and Answers

Question 1.
Heat is supplied to a system, but its internal energy does not increase

  1. Which process is involved in this case? (1)
  2. Obtain an expression for the work done in the above process (2)

Answer:
1. Isothermal process.

2. Work done by adiabatic process
Let an ideal gas undergoes adiabatic charge from (P1, V1, T1) to (P2, V2, T2). The equation for adiabatic charge is
PVγ = constant = k
ie; P1V1γ = P2V2γ = k _____(a)
The work done by
Plus One Physics Thermodynamics Three Mark Questions and Answers 8
from equation (a) P1V1γ = P2V2γ = k
Plus One Physics Thermodynamics Three Mark Questions and Answers 9
Substituting ideal gas equation.
Plus One Physics Thermodynamics Three Mark Questions and Answers 10

Plus One Physics Chapter Wise Questions and Answers Chapter 12 Thermodynamics

Question 2.
A heat engine is a device which effectively converts heat energy into mechanical energy.

  1. State the law which describes this principle. (1)
  2. Derive an expression for the efficiency of a Carnot engine. (2)

Answer:
1. Kelvin – Plank statement:
No process is possible whose sole result is the absorption of heat from a reservoir and complete conversion of heat into work.

Clausius statement:
No process is possible whose sole result is the transfer of heat from a colder object to hotter object.

2. Carnot’s cycle:
The Carnot cycle consists of two isothermal processes and two adiabatic processes.
Plus One Physics Thermodynamics Three Mark Questions and Answers 11
Let the working substance in Carnot’s engine be the ideal gas.
Step 1: The gas absorbs heat Q1 from hot reservoir at T1 and undergoes isothermal expansion from (P1, V1, T1) to (P2, V2, T1).

Step 2: Gas undergoes adiabatic expansion from (P2, V2, T1) to (P3, V3, T2)

Step 3: The gas release heat Q2 to cold reservoir at T2, by isothermal compression from (P3, V3, T2) to (P4, V4, T2).

Step 4: To take gas into initial state, work is done on gas adiabatically [(P4, V4, T2) to (P1, V1, T1)]. Efficiency of Carnot’s engine:
Plus One Physics Thermodynamics Three Mark Questions and Answers 12

Plus One Physics Chapter Wise Questions and Answers Chapter 12 Thermodynamics

Question 3.
A thermo flask contains coffee. It is violently shaken. Considering the coffee as a system:

  1. does its temperature rise?
  2. has heat been added to its?
  3. has internal energy changed?

Explain your answers.
Answer:

  1. Yes
  2. Heat is added to coffee
  3. Internal energy is changed
  4. When we shake, the mechanical energy is added to the liquid contained in a flask.

Question 4.
It is predicted by the meteorologists that global warming will result in the flooding of oceans due to the melting of ice caps on the earth.

  1. Name the thermodynamic process involved in the melting of ice.
  2. Determine the heat energy required to melt 5kg of ice completely at 0°C. Latent heat of fusion of water is 3336 × 103 J Kg-1.
  3. During the melting process, what change will occur to its internal energy?

Answer:

  1. Isothermal process
  2. ∆Q = mL = 5 × 33.36 × 105 = 16.68 × 106J
  3. Internal energy increases

Plus One Physics Chapter Wise Questions and Answers Chapter 12 Thermodynamics

Question 5.
Water is heated in an open vessel.

  1. This process is
    • isothermal
    • isobaric
    • isochoric
    • adiabatic
  2. Which law of thermodynamics is suitable to explain the transfer of heat here?
  3. Draw the heat-temperature graph of ice below 0°C heated up to steam above 100°C.

Answer:
1. Isobaric
2. First law of thermodynamics
3.
Plus One Physics Thermodynamics Three Mark Questions and Answers 13

Question 6.

  1. The molar heat capacity of oxygen at constant volume is 20J mol-1K-1. What do you mean by molar heat capacity at constant volume (CV)?
  2. The difference between CP and CV is always a constant. Give a mathematical proof.

Answer:
1. Molar specific heat at constant volume is the heat required to raise the temperature of I mol substance by IK at constant volume.

2. According to 1st law of thermodynamics
∆Q = ∆U + PAV
If ∆Q heat is absorbed at constant volume (∆V = 0).
Plus One Physics Thermodynamics Three Mark Questions and Answers 14
From ideal gas equation for one mole PV = RT. Differentiating w.r.t. temperature (at constant pressure
Plus One Physics Thermodynamics Three Mark Questions and Answers 15
Equation (4) – Equation (1), we get
CP – CV = R.

Plus One Physics Chapter Wise Questions and Answers Chapter 12 Thermodynamics

Question 7.
A heat engine is a device which converts heat energy into work.

  1. What is the working substance in an ideal heat engine.
  2. A Carnot engine is working between in melting point and steam point. What is its efficiency?

Answer:
1. Ideal gas.

2. T2 = 0°C = 273K
T1 = 100°C = 373K
Efficiency η = I – \(\frac{T_{2}}{T_{1}}=I-\frac{273}{373}\)
η = 0.27
η = 27%.

Question 8.
A gas is taken in a cylinder. The walls of the cylinder is insulated from the surroundings

  1. The gas in a cylinder is suddenly compressed. Which thermo dynamic process involves in this statement. Explain the thermo dynamic process.
  2. If gas is suddenly compressed to 1/4th of its, original volume. Calculate the rise in temperature. The initial temperature was 27°C and γ = 1.5.

Answer:
1. Adiabatic. A thermo dynamic process in which no heat enters or leaves the system.

2. T. = 27°C = 27 + 273 = 300k
Plus One Physics Thermodynamics Three Mark Questions and Answers 16
= 300 × 41.5 – 1
= 300 × 41/2
= 600K
rise in temperature = 600K – 300K = 300K.

Question 9.
Raju brought a motor pump from a shop. The efficiency of the motor pump is printed on the label as 60%.

  1. The efficiency of a water pump is 60%. What is . meant by this?
  2. Can you design an engine of 100% efficiency? Justify your answer.

Answer:
1. Efficiency means that, 60% of the total energy received is converted into useful work.

2. The efficiency of heat engine η = 1 – \(\frac{T_{2}}{T_{1}}\). The efficiency will be 100% if T2 = OK, both those conditions cannot be attained practically. So art engine can’t have 100% efficiency.

Plus One Physics Chapter Wise Questions and Answers Chapter 12 Thermodynamics

Question 10.
Categorise into reversible and irreversible process

  1. Waterfall
  2. rusting of iron
  3. electrolysis
  4. slow compression
  5. diffusion of gas
  6. melting of ice
  7. dissolving NaCl in water
  8. flow of heat from hot body to cold body
  9. slow compression of spring
  10. heat produced by friction.

Answer:
Reversible process → (3), (4), (6) and (9)
Irreversible process → (1), (2), (5), (7), (8) and (10)

Plus One Physics Thermodynamics NCERT Questions and Answers

Question 1.
A geyser heats water flowing at the rate of 3.0 litres per minute from 27°C to 77°C. If the geyser operates on a gas burner, what is the rate of consumption of the fuel if its heat of combustion is 4.0 × 104 Jg-1?
Answer:
Volume of water heated = 3.0 litre per minute
mass of water heated, m = 3000 g per minute
increase in temperature, ∆T = 77°C – 27°C = 50°C
specific heat of water, c= 4.2Jg-1 °C-1
amount of heat used, Q = mc ∆T
or Q = 3000 g min-1 × 4.2Jg-1
°C-1 × 50°C
= 63 × 104J min-1
rate of combustion of fuel = \(\frac{63 \times 10^{4} \mathrm{Jmin}^{-1}}{4.0 \times 10^{4} \mathrm{Jg}^{-1}}\)
= 15.75gmin-1.

Plus One Physics Chapter Wise Questions and Answers Chapter 12 Thermodynamics

Question 2.
What amount of heat must be supplied to 2.0 x 10-2 kg of nitrogen (at room temperature) to raise its temperature by 45°C at constant pressure? (Molecular mass of N2 = 28, R = 8.3 J mol-1 K-1).
Answer:
m = 2 × 103 kg-1 = 20g,
∆T = 45°C, M = 28
R = 8.3 J mol-1 K-1, M = 28
Number of moles, n = \(\frac{m}{M}=\frac{20}{28}=\frac{5}{7}\)
Since nitrogen is diatomic,
∴ CP = \(\frac{7}{2}\)
R = \(\frac{7}{2}\) × 8.3 J mol-1K-1
Now, ∆Q = nCP ∆T
= \(\frac{5}{2}\) × \(\frac{7}{2}\) × 8.3 × 45J = 933.75J.

Question 3.
A cylinder with a movable piston contains 3 moles of hydrogen at standard temperature and pressure. The walls of the cylinder are made of a heat insulator, and the piston is insulated by having a pile of sand on it. By what factor does the pressure of the gas increase if the gas, is compressed to half its original volume?
Answer:
P2V2γ = P1V1γ
Plus One Physics Thermodynamics NCERT Questions and Answers 17

Question 4.
A steam engine delivers 5.4 × 108 J of work per minute and services 3.6 × 109J of heat per minute from its boiler. What is the efficiency of the engine? How much heat is wasted per minute?
Answer:
Work done per minute, output = 5.4 × 108J
Heat absorbed per minute, input = 3.6 × 109J
Efficiency, η = \(\frac{5.4 \times 10^{8}}{3.6 \times 10^{9}}\) = 0.15
%η = 0.15 × 100 = 15
Heat energy wasted/ minute = Heat energy absorbed/minute – Useful work done/minute
= 3.6 × 109 – 5.4 × 108
= (3.6 – 0.54) × 109 = 3.06 × 109J.

Plus One Physics Chapter Wise Questions and Answers Chapter 12 Thermodynamics

Question 5.
An electric heater supplies heat to a system at a rate of 100W. If system performs work at a rate of 75 joule per second, at what rate is the internal energy increasing?
Answer:
Heat supplied, ∆Q = 100W = 10OJs-1
Useful work done, ∆W = 75J s-1
Using first law of thermodynamics
∆Q = ∆U+ ∆W
∆U = ∆Q – ∆W
= 100Js-1 – 75Js-1 = 25Js-1.

Question 6.
A refrigerator is to maintain eatables kept inside at 9°C. If room temperature is 36°C, calculate the coefficient of performance.
Answer:
T1 = 36°C = (36 + 273) K = 309 K
T2 = 9°C = (9 + 273) K = 282 K
Coefficient of performance = \(\frac{T_{2}}{T_{1}-T_{2}}\)
Plus One Physics Thermodynamics NCERT Questions and Answers 18

Plus One Physics Chapter Wise Questions and Answers Chapter 12 Thermodynamics

Question 7.
Molar volume is the volume occupied by 1 mol of any (ideal) gas at standard temperature and pressure (STP: 1 atmospheric pressure, 0°C). Show that it is 22.4 litres.
Answer:
PV = µRT or V = \(\frac{\mu \mathrm{RT}}{\mathrm{P}}\)
Plus One Physics Thermodynamics NCERT Questions and Answers 19
= 22.4 × 10-3 m3 = 22.4 litre.

Plus One Physics Chapter Wise Questions and Answers Chapter 11 Thermal Properties of Matter

Students can Download Chapter 11 Thermal Properties of Matter Questions and Answers, Plus One Physics Chapter Wise Questions and Answers helps you to revise the complete Kerala State Syllabus and score more marks in your examinations.

Kerala Plus One Physics Chapter Wise Questions and Answers Chapter 11 Thermal Properties of Matter

Plus One Physics Thermal Properties of Matter One Mark Questions and Answers

Question 1.
In which of the following processes, convection does nottake place primarily?
(a) Sea and land breeze
(b) Boiling of water
(c) Warming of glass of bulb due to filament
(d) Heating air around a furnace
Answer:
(c) Warming of glass of bulb due to filament
In convection process, the heat is transferred by the bodily motion of the heated particles. It is not so in case of warming of glass bulb due to filament heating. In fact, warming of glass bulb is due to radiation.

Question 2.
\(\frac{\text { Watt }}{\text { Kelvin }}\) a unit of
(a) Stefan’s constant
(b) Wien’s constant
(c) Cooling’s constant
(d) Thermal conductance
Answer:
(d) Thermal resistance
Plus One Physics Thermal Properties of Matter One Mark Questions and Answers 1

Plus One Physics Chapter Wise Questions and Answers Chapter 11 Thermal Properties of Matter

Question 3.
For measuring temperatures in the range of 2000°C, we should employ
(a) gas thermometer
(b) platinum-rhodium thermometer
(c) barometer
(d) pyrometer
Answer:
(d) pyrometer

Question 4.
There is a hole in metal disc. What happens to the size of metal disc if the metal disc is heated?
Answer:
The size of hole increases.

Question 5.
Which has more specific heat capacity, water, and sand?
Answer:
Water.

Question 6.
Two solid spheres of the same material have the same radius but one is hollow while the other is solid. Both spheres are heated to same temperature. Then
(a) the solid sphere expands more
(b) the hollow sphere expands more
(c) expansion is same for both
(d) nothing can be solid about their relative expansion if their masses are not given
Answer:
(c) expansion is same for both

Plus One Physics Chapter Wise Questions and Answers Chapter 11 Thermal Properties of Matter

Question 7.
The sprinkling of water reduces slightly the temperature of a closed room because
(a) temperature of water is less than that of the room.
(b) specific heat of water is high
(c) water has large latent heat of vaporisation
(d) water is a bad conductor of heat
Answer:
(c) water has large latent heat of vaporisation
When water is sprinkled over a large area, evaporation takes place. As the latent heat of vaporisation is large cooling takes place.

Question 8.
Why specific heat of gas at constant pressure (Cp) is greater than specific heat at constant volume?
Answer:
More heat is required to raise the temperature of gas at constant pressure than at constant volume.

Question 9.
A body is heated. But there is no change in its temperature. Is it possible?
Answer:
Yes. During change of state, there will be no increase in temperature even when heat is supplied.

Question 10.
When boiling water is put in glass tumbler, the tumbler cracks. Why?
Answer:
Glass is poor conductor of heat. So inner and outer surfaces of tumbler suffer uneven expension. Hence it breaks.

Question 11.
A small space is left between two rails on railway track. Why?
Answer:
If no space is left, the rails would bend due to thermal expansion in summer. So small space is left between two rails to allow thermal expansion.

Plus One Physics Chapter Wise Questions and Answers Chapter 11 Thermal Properties of Matter

Question 12.
The pendulum of clock is made of invar, Why?
Answer:
Invar has low value of coefficient of linear expansion. So length of pendulum remains almost same in all seasons. (The change in length affects time period of pendulum).

Question 13.
Tea gets cooled, when sugar is added to it. Why?
Answer:
When sugar is added, heat content of tea gets shared with sugar & hence’ temperature decreases.

Question 14.
Ice covered in gunny bag does not melt for a long time. Why?
Answer:
A gunny bag is poor conduct of heat & hence it does not allow external heat to enter.

Question 15.
Why two layers of cloth of equal thickness provide warmer covering than a single layer of cloth of double the thickness?
Answer:
Because air between two layers of clothes is a bad ‘ conductor of heat.

Plus One Physics Chapter Wise Questions and Answers Chapter 11 Thermal Properties of Matter

Question 16.
On winter nights, we feel warmer when clouds cover the sky than the sky is clear. Why?
Answer:
The clouds are bad conductor of heat. So heat of earth’s atmosphere is not conducted out.

Plus One Physics Thermal Properties of Matter Two Mark Questions and Answers

Question 1.
1. Two bodies at different temperatures T1K and T2K are brought in contact with each other

  • Is the resultant temperature be necessarily (T1 + T2)/2? If not, Why?
  • Should the resultant temperature be between T1 and T1 only? If not, Why?

Answer:
1. Two bodies at different temperatures:

  • The resultant temperature may not be necessarily \(\left(\frac{T_{1}+T_{2}}{2}\right)\). Because specific heat capacity is different for all substances.
  • If heat is not lost to the surroundings, resultant temperature must lie in between T1 and T2.

Plus One Physics Chapter Wise Questions and Answers Chapter 11 Thermal Properties of Matter

Question 2.
A Patient is admitted to hospital. The temperature of the patient is measured by nurse and is found to be 97.6°F

  1. What is meant by temperature?
  2. Convert the temperature (97.6°F) is to centigrade

Answer:
1. Temperature is the degree of hotness.

2.
Plus One Physics Thermal Properties of Matter Two Mark Questions and Answers 2

Question 3.
Why iron rims are heated red hot before being put on the cart wheels?
Answer:
The radius of iron rim is smaller than radius of cart wheel. When iron rim is heated, its radius increases due to thermal expansion. After rim has planted on the wheel, iron rim is allowed to cool. Then it fits tightly on the wheel due to thermal contraction.

Plus One Physics Chapter Wise Questions and Answers Chapter 11 Thermal Properties of Matter

Question 4.
How woolen clothes helps us in winter against cold?
Answer:
Wool is a heat insulator. Moreover, it contains a layer of dry air in it. This air, which is bad conductor of heat does not allow the body heat to escape & it also does not allow external cold to come in. The rough surface of woollen clothes absorbs more and reflects less heat falling on it.

Plus One Physics Thermal Properties of Matter Three Mark Questions and Answers

Question 1.
A Solid material is supplied with heat at constant rate. The temperature of the material is changing with the heat input as shown in figure.

  1. What do the horizontal region AB and CD represent?
  2. What does the slope of DE represent?
  3. The slope of OA is greater than the slope of BC. What does this indicate?

Answer:
Plus One Physics Thermal Properties of Matter Three Mark Questions and Answers 3

  1. Latent heat of fusion, Latent heat of vaporization
  2. It indicates that, the material is in vapour state
  3. It indicates that latent heat of vaporization of the material is greater than the latent heat of fusion.

Plus One Physics Thermal Properties of Matter Four Mark Questions and Answers

Question 1.
A copper block of mass 2.5kg is heated in a furnace to a temperature of 500°C and then placed on a large ice block. What is the maximum amount of ice that can melt? (Specific heat of copper = 0.39Jg-1 K-1; latent heat of fusion of water = 335 Jg-1).
Answer:
Mass, m = 2.5kg
= 2.5 × 103 g;
Change in temperature, ∆T = 500°C
Specific heat, c = 0.39 Jg-1K-1;
Latent heat of fusion, L = 335Jg-1
If m’ be the mass of ice melted, then m’L = mc ∆T
or m’ × 335 = 2.5 × 103 × 0.39 × 500 2.5 × 103 × 0.39 × 500
or m’ = \(\frac{2.5 \times 10^{3} \times 0.39 \times 500}{335} \mathrm{g}\)
= 1.5 kg.

Plus One Physics Chapter Wise Questions and Answers Chapter 11 Thermal Properties of Matter

Question 2.
Heat from the sun reaches the earth.

  1. Write the method of transmission of heat.
  2. Thermal conductivity of Aluminium is 205 Jm-1s-1deg-1. What do you mean by this?
  3. Birds swell feathers in winter. Why?

Answer:
1. Radiation, conduction, convenction.

2. The coefficient of thermal conductivity of a substance is defind as the quauitity of heat conducted normally persecond through unit area of the substance per unit temperature gradient when the substance attains steady state.

3. By doing so the birds enclose air between the feathers. Air being a poor conductor, prevents the loss of heat from the body of the bird to the cold surroundings.

Question 3.
Two accidents are happened. The first one with water at 100°C and the second one with steam at 100°C.

  1. Which is dangerous burn due to water at 100°C, and bum due to steam at 100°C? Why?
  2. Latent heat of vapourisation of water to 536 cal/g. Explain the idea of latent heat of vopourisation.
  3. Find the heat required to convert 1g of ice at 0°C to steam at 100°C is

Answer:
1. Burn due to steam is more dangerous, because heat content in steam is very high compared to 100°C water.

2. Latent heat of vapourisation is the amount of heat required to change the state of 1 kg water in to vapour.

3. Q = ML + MC∆Q + ML1
Plus One Physics Thermal Properties of Matter Four Mark Questions and Answers 4
= 716 cal.

Plus One Physics Chapter Wise Questions and Answers Chapter 11 Thermal Properties of Matter

Question 4.
When a fluid is heated, the particle rises up.

  1. Name the phenomonon behind it.
  2. Explain the formation of land breeze and sea breeze.

Answer:
1. Convection

2. During the day, land heats up more quickly than, water in lake (due to high specific heat capacity of water). The air on the surface of earth gets heated, expands, becomes less dense and rises up. The colder air (wind) replaces the space created by hot air.

It creates a sea breeze. At night the land loses its heat very quickly than water. So water remains more warmer at night.

Plus One Physics Thermal Properties of Matter NCERT Questions and Answers

Question 1.
A 10kW drilling machine is used to drill a bore in a small aluminium block of mass 8.0kg. How much is the rise in temperature of the block in 2.5 minutes, assuming 50% of power is used up in heating the machine itself or lost to the surroundings? Specific heat of aluminium = 0.19Jg-1 K-1.
Answer:
Power, P = 10 kW
= 10 × 103W
= 104W
Mass, m = 8 kg; Time, t = 2.5min = 150s
Specific heat, c = 0.91Jg-1K-1
= 0.91 × 103Jkg-1K-1
Energy, Q = pt = 104 × 150J = 1.5 × 106J
It is given that 50% of energy is lost to the. surroundings. So, energy absorbed by the block is given by
Q = \(\frac{1}{2}\) × 1.5 × 106J = 0.75 × 106J
But Q = mc∆T
∴ ∆T
Plus One Physics Thermal Properties of Matter NCERT Questions and Answers 5

Plus One Physics Chapter Wise Questions and Answers Chapter 11 Thermal Properties of Matter

Question 2.
A brass boiler has a base area of 0.15m2 and thickness 1.0cm. It boils water at the rate of 6.0 kg/min when placed on a gas stove. Estimate the temperature of the part of the flame in contact with the boiler. Thermal conductivity of brass = 109 J s-1 m-1K-1;
Heat of vaporisation of water = 2256 × 103 J kg-1.
Answer:
A = 0.15m2, d = 10-2m,
\(\frac{m}{t}=\frac{6}{60}\) kgs-1 = 0.1kgs-1,
K = 109J s-1 m-1 K-1, L = 2256 × 103 Jkg-1,
θ1 = ?,
θ2 = 100°C
Plus One Physics Thermal Properties of Matter NCERT Questions and Answers 6

Plus One Physics Chapter Wise Questions and Answers Chapter 11 Thermal Properties of Matter

Question 3.
Explain why?
(a) A body with large reflectivity is a poor emitter.
(b) A brass tumbler feels much colder than a wooden tray on a chilly day.
(c) An optical pyrometer (for measuring high temperature) calibrated for an ideal black body radiation gives too low a value for the temperature of a red hot iron piece in the open, but gives a correct value for the temperature when the same piece is in the furnace.
(d) The earth without its. atmosphere would be inhospitably cold?
(e) Heating systems based on circulation of steam are more efficient in warming a building than heating system based on circulation of hot water.
Answer:
(a) a body whose reflectivity is large would naturally absorb less heat. So, a body with large reflectivity is a poor.

(b) The thermal conductivity of brass is high i.e., brass „ is a good conductor of heat. So, when a brass tumbler is touched, heat quickly flows from human body to tumbler. Consequently, the tumbler appears colder. On the other hand, wood is a bad conductor, so, heat does not flow from the human body to the wooden tray in this case. Thus, it appears comparatively hotter.

(c) Let T the temperature of the hot iron in the furnace. Heat radiated per second per unit area, E = σT4

Plus One Physics Chapter Wise Questions and Answers Chapter 10 Mechanical Properties of Fluids

Students can Download Chapter 10 Mechanical Properties of Fluids Questions and Answers, Plus One Physics Chapter Wise Questions and Answers helps you to revise the complete Kerala State Syllabus and score more marks in your examinations.

Kerala Plus One Physics Chapter Wise Questions and Answers Chapter 10 Mechanical Properties of Fluids

Plus One Physics Mechanical Properties of Fluids One Mark Questions and Answers

Question 1.
Water is flowing through a very narrow tube. The velocity of water below which the flow remains a streamline flow is known as
(a) relative velocity
(b) terminal velocity
(c) critical velocity
(d) particle velocity
Answer:
(c) critical velocity
Critical velocity is that velocity of liquid flow, upto which the flow of liquid is a streamlined and above which its flow becomes turbulent.

Question 2.
Bernoulli’s equation for steady, non-viscous, imcompressible flow expresses the
(a) conservation of angular momentum
(b) conservation fo density
(c) conservation of momentum
(d) conservation of energy
Answer:
(d) conservation of energy

Plus One Physics Chapter Wise Questions and Answers Chapter 10 Mechanical Properties of Fluids

Question 3.
When cooking oil is heated in a frying pan, the oil moves around in the pan more easily when it is hot. The main reason for this is that with rise in temperature, there is a decrease in
(a) surface tension
(b) viscosity
(c) angle of contact
(d) density
Answer:
(d) density

Question 4.
At what temperature density of air is maximum?
Answer:
4°C

Question 5.
A thin glass plate is lying on a wet marble floor, It is difficult to pull the glass plate because of
(i) surface tension
(ii) Viscosity
(iii) friction
(iv) atmosphere
(v) Gravity
Answer:
(i) Viscosity

Question 6.
Why do clouds float in the sky?
Answer:
Zero terminal velocity

Plus One Physics Chapter Wise Questions and Answers Chapter 10 Mechanical Properties of Fluids

Question 7.
A spinning cricket ball does not follow parabolic path. Why?
Answer:
Due to the magnus effect.

Question 8.
The deep water runs slow. Why?
Answer:
According to equation of continuity velocity is inversly proportional to velocity (AV = constant). Hence deep water runs slow.

Question 9.
Why dust generally settles down in closed room?
Answer:
The dust particles (tiny spheres) acquire terminal velocity as it fall through air. The terminal velocity is directly proportional to square of radius. Hence terminal velocity of dust particle is very small. So they settle down gradually.

Question 10.
Why more viscous oil is used in summer than in winter in scooters?
Answer:
The viscosity decreases with increase in temperature.

Question 11.
Why is sand drier than clay?
Answer:
Capillary action

Plus One Physics Chapter Wise Questions and Answers Chapter 10 Mechanical Properties of Fluids

Question 12.
Why cotton dress is preferred in summer?
Answer:
Cotton dresses have fine pores which act as capillaries for the sweat.

Question 13.
Why oil is poured to calm the sea?
Answer:
When oil is poured in water, the surface tension of water is reduced and water spreads over large area of sea.

Question 14.
How plants draw water from ground?
Answer:
The capillary action.

Question 15.
How do insects run on the surface of water?
Answer:
Because of surface tension, the surface of water behaves like stretched membrane hence it can support weight of small insects.

Question 16.
How ploughing a field helps to retain moisture?
Answer:
When field is ploughed, capillaries are broken and hence water can not rise up and retains moisture.

Plus One Physics Chapter Wise Questions and Answers Chapter 10 Mechanical Properties of Fluids

Question 17.
Hot soup tastes better than cold soup. Why?
Answer:
The surface tension of hot soap is less compared to cold soap. So hot soap spreads larger area.

Plus One Physics Mechanical Properties of Fluids Two Mark Questions and Answers

Question 1.
Remya found that a piece of metal weighs 210 g in air and 180 g when it is immersed in water. Determine the density of the metal piece.
Answer:
Relative density,
R.D = \(\frac{\text { Weight in air }}{\text { Loss of Weight in water }}\)
= \(\frac{210}{30}\) = 7.

Question 2.
Why is hot soup tastier than cold one?
Answer:
When temperature increases, the surface tension of soap decrease. Hence hot soap can enter into tiny pours of taste buds.

Plus One Physics Chapter Wise Questions and Answers Chapter 10 Mechanical Properties of Fluids

Question 3.
Why straws are used to drink soft drinks?
Answer:
When we suck the straw, pressure inside straw becomes lower than atmospheric pressure. This pressure difference cause the soft drink to rise through the straw.

Question 4.
Why new earthen pots keeps water more cool than old earthen pots?
Answer:
The capillaries of old earthen pots will get blocked with passage of time. For new earthen pots, water oozes out through capillaries, gets evaporated at the surface and makes it cool.

Plus One Physics Mechanical Properties of Fluids Three Mark Questions and Answers

Question 1.
Air is blown in between two pith balls suspended freely.

  1. What will happen to the balls?
    • They repel each other
    • They attract each other
    • They start oscillating
    • They remain in their initial position They fall on the ground
  2. Give your explanation

Answer:

  1. They attract each other
  2. When air is blown in between two pith balls, the pressure between the balls decreases. Due to this decrease in pressure between the balls, they attract each other.

Plus One Physics Chapter Wise Questions and Answers Chapter 10 Mechanical Properties of Fluids

Question 2.
A child dipped two identical capillary tubes, one in a beaker containing mercury. He observed that water and mercury have risen through the tubes to a certain heights.

  1. Name this phenomenon.
  2. What difference did he observe in the shape of the meniscus of the two liquids in the tubes?
  3. If he plots a graph connecting the radius of the capillary tube and capillary height, what will be the shape of the graph?

Answer:
1. Capillary rise.

2. The shape of the water meniscus in the tube becomes concave upwards. But the shape of mercury measures in the tube become convex upward.

3. h α \(\frac{1}{r}\), this is in the form y α \(\frac{1}{x}\)
Hence when we draw graph between ‘h’ and ‘r’ we get a graph of hyperbola.
Plus One Physics Chapter Wise Questions and Answers Chapter 10 Mechanical Properties of Fluids - 1

Question 3.
Bernoulli’s theorem is a consequence of energy conservation principle. Using this theorem explain the working of atomiser.
Answer:
Atomiser (application of Bernoulli’s theorem)
Plus One Physics Chapter Wise Questions and Answers Chapter 10 Mechanical Properties of Fluids - 2
Atomizer is used for getting a fine spray of perfumer or insecticide. It consists of a cylinder with a piston. A small vessel containing liquid to be sprayed is attached to the cylinder. When the piston is moved forward air is blown out through a small opening of the cylinder.

As the velocity of flow of air increases, the pressure at the opening decreases. Due to the lower pressure at the opening, the liquid rises through the narrow tube and gets sprayed out along with air.

Plus One Physics Chapter Wise Questions and Answers Chapter 10 Mechanical Properties of Fluids

Question 4.
Surface tension is numerically equal to the surface energy.

  1. Difine surface tension.
  2. Derive an expression for the rise of liquid in a capillary tube.

Answer:
1. Liquids acquire a free surface when poured in a container. These surfaces possess some additional energy. This phenomenon is known as surface tension.

2. When a drop is split into tiny droplets, the surface area increases. So work has to be done for splitting the drop. Let R be radius of the drop and r the radius of the droplets: R = 1 × 10-3m
surface area of the drop = 4πR2
= 4π × (1 × 10-3)2
= 4π × 10-6m2
Volume of the drop = Volume of 106 droplets
Plus One Physics Chapter Wise Questions and Answers Chapter 10 Mechanical Properties of Fluids - 3
∴ Surface area of million droplets =106 × 4π2
= 106 × 4π(1 × 10-5)2
= 4π × 10-4 m2
∴ Increase in surface area = 4π × 10-4 – 4π × 10-6
= 3.96π × 10-4m2
∴ Energy expended = 3.967π × 10-4 × S
= 3.96π × 10-4 × 72 × 10-3J
= 8.95 × 10-5J.

Plus One Physics Chapter Wise Questions and Answers Chapter 10 Mechanical Properties of Fluids

Question 5.
Match the following

1. Pascal’s lawa. \( \sqrt{2 g h}\)
2. Bernoulli’s theoremb. a1v1= a2v2
3. Surface tensionc. Hydraulic jack
4. Velocity of effluxd. Reynolds number
5. Equation of continuitye. Angle of contact
6.  Viscosityf. Ventiurimeter

Answer:
1 – C, 2 – f, 3 – e, 4 – a, 5 – b, 6 – d.

Plus One Physics Chapter Wise Questions and Answers Chapter 10 Mechanical Properties of Fluids

Question 6.
Give reasons for the following cases.

  1. It is easier to swim in sea water than in river walls.
  2. The passangers are advised to remove ink from pen while going up in an aeroplane.

Answer:
1. The density of sea water is more than that of river water due to the presence of salt. Hence sea water offers more upthrust and only a very small portion of human body will be in sea water compared to river water.

2. In ink pen, ink is filled in atmospheric pressure. As we go higher pressure decreases and hence ink will have a tendancy to come out in order to equalise the pressure.

Plus One Physics Mechanical Properties of Fluids Four Mark Questions and Answers

Question 1.
A large tank containing water has a small hole near the bottom of the tank 1.5 m below the surface of water.

  1. What is the velocity of the water flowing from the hole?
  2. Explain the principle used in deriving the velocity of water flowing from the hole.
  3. Where must a second hole to be drilled so that the velocity of water leaving this hole is half of water flowing through the first hole.

Answer:
1. Velocity of water flowing through the hole
u = \( \sqrt{2 g h}\)
= \(\sqrt{2 \times 10 \times 1.5}\) = 5.47m/s.

2. Bernoulli’s theorem
As we move along a streamline the sum of the pressure (p), the kinetic energy per unit volume \(\frac{\rho v^{2}}{2}\) and the potential energy per unit volume (ρgh) remains a constant.

(OR)

Mathematically Bernoulli’s theorem can be written as
P + \(\frac{1}{2}\)ρv2 + ρgh = constant.

3.
Plus One Physics Chapter Wise Questions and Answers Chapter 10 Mechanical Properties of Fluids - 4
h2 = \(\frac{1.5}{4}\) m = 0.375 m, from the top side of tank.

Plus One Physics Chapter Wise Questions and Answers Chapter 10 Mechanical Properties of Fluids

Question 2.
Rain drops have an average size of 1 mm when it is formed at the upper atmosphere.

  1. Why the velocity of the rain drop is uniform?
  2. Derive an expression for the terminal velocity of the drop in terms of coefficient of viscosity of air.
  3. If the size of the rain drop become half, then what happens to its terminal speed?

Answer:
1. Due to viscous force acting on the raindrop, it moves with uniform speed.

2. Viscous force, boyancy force and weight of the body
Expression for terminal velocity:
Consider a sphere of radius ‘a’ densitity σ falling through a liquid of density a and viscocity η. The viscous force acting on the sphere can be written as
F = 6πaηv
Where v is the velocity of sphere. This force is acting in upward direction. When the viscous force is equal to the weight of the body in the medium, the net force on the body is zero. It moves with a constant velocity called the terminal velocity.
The weight of a body in a medium,
Plus One Physics Chapter Wise Questions and Answers Chapter 10 Mechanical Properties of Fluids - 5
When body has terminal velocity, we can write.
Plus One Physics Chapter Wise Questions and Answers Chapter 10 Mechanical Properties of Fluids - 6

Question 3.

  1. Fill in the blanks using the word from the list appended with each statement.
    • Viscosity of gases_____with temperature (increase/decrease)
    • For a fluid in steady flow, the increase in flow speed at a constriction follows from_____ (conservation of mass/Bernoulli’s theorem)
    • The working of a hydraulic lift is based on (Pascal’s Law/ principle of Conservation of Energy)
    • Small insects can walk over the surface of water. It is due to the_____(surface tension of water/viscosity of water)
  2. A girl dips a thin capillary tube in water. Water rises through it.
    • Name the phenomenon.
    • How does this rise vary with the diameter of the tube?

Answer:
1. Fill in the blanks :

  • increases
  • Conservation of mass
  • Pascals law
  • Surface tension

2. A girl dips a thin capillary tube in water:

  • Capillary rise
  • h α \(\frac{1}{r}\) ie. when diameter of tube increases, the. capillary rise decreases.

Plus One Physics Chapter Wise Questions and Answers Chapter 10 Mechanical Properties of Fluids

Question 4.
The schematic diagram of a sprayer or atomiser is given below.
Plus One Physics Chapter Wise Questions and Answers Chapter 10 Mechanical Properties of Fluids - 7

  1. Name the principle of working of this device from the following:
    • Surface tension
    • Viscosity
    • Bernoulli’s principle
    • Archimedes’ principle
  2. Write its mathematical expression.
  3. Wings of an aeroplane are curved outwards while flattened inwards. Why?

Answer:
1. Bernollis principle

2. P + \(\frac{1}{2}\)ρv2 + ρgh = constant.

3. When the aeroplane moves forward, the air blown in the form of stream lines over the wings of aeroplane is shown figure.
Plus One Physics Chapter Wise Questions and Answers Chapter 10 Mechanical Properties of Fluids - 8
As the upper surface of wing is more curved than its lower surface, the speed of air above the wings is larger than the speed of the air below the wings.

Hence the pressure above the wings becomes less than the pressure below the wings. Due to this pressure difference the aeroplane will get upward force to overcome gravitational force.

Question 5.
During windstorms, roofs of certain houses are blown off without damaging other parts of the houses.

  1. Name the theorem which explains this phenomenon.
  2. State the theorem.
  3. Explain this phenomenon on the basis of this theorem.

Answer:

  1. Bernoulli’s theorem
  2. For a small amount of liquid in stream line flow, between two points, the total energy is constant.
  3. When windstorm blown off, the pressure on the top side of roof decreases. Hence a pressure difference is developed in between roof. Due to this pressure difference, roof of certain houses are blown off.

Plus One Physics Chapter Wise Questions and Answers Chapter 10 Mechanical Properties of Fluids

Question 6.
Two thin evacuated (one end closed) glass take A and B are carefully immersed in a beaker containing mercury such a way that there is no chance to get air in to the tubes. A is stand vertically and B is making an angle θ with the vertical.
Plus One Physics Chapter Wise Questions and Answers Chapter 10 Mechanical Properties of Fluids - 9

  1. Is any rise of mercury in the tubes?
  2. Is any height difference of mercury levels in tube A and B? Justify your answer.
  3. When the doctors are measuring body pressure, it is advisable to lie on a table. Why?

Answer:

  1. Yes
  2. No. Pressure is same at same level. To get same pressure, height of mercury becomes same.
  3. When we lie on the table, the pressure of our body will be same at all points.

Plus One Physics Chapter Wise Questions and Answers Chapter 10 Mechanical Properties of Fluids

Question 7.
A small metal sphere is falling through a caster oil.

  1. Name the forces acting on the metal sphere?
  2. Which of these forces change? Why?
  3. Name the velocity of the sphere when the unbalanced force on it is zero?
  4. Write down the expression for this velocity in terms of coefficient of viscosity?

Answer:

  1. forces acting on the metal sphere:
    • Weight of the body (mg)
    • Buoyant force or up thrust
    • Viscous force
  2. Viscous force. Viscous force is the friction offered by the liquid. It is a self adjusting force.
  3. Terminal velocity
  4. Terminal velocity, V = \(\frac{2}{9} a^{2}\left(\frac{f-N}{\eta}\right) g\).

Plus One Physics Mechanical Properties of Fluids Five Mark Questions and Answers

Question 1.
A capillary tube when dipped into water, it is commonly observed that water will rise through the tube.

  1. Which of the following is responsible for this?
    • Gravitational force
    • Viscous force
    • Nuclear force
    • Surface tension
    • Elastic force
  2. Derive an expression for the capillary rise.
  3. If the radius of the tube becomes doubled, then what happens to the height of water column in the tube?

Answer:
1. Surface tension.

2.
Plus One Physics Chapter Wise Questions and Answers Chapter 10 Mechanical Properties of Fluids - 10
Consider a capillary tube of radius ‘a’ dipped in a liquid of density ρ and surface tension S. If the liquid has a concave meniscus it will rise in the capillary tube. Let h be the rise of the liquid in the tube. Let p1 be the pressure on the concave side of the meniscus and p0, that on the other side. The excess pressure on the concave side of the meniscus can be written as
p1 – p0 = \(\frac{2 \mathrm{S}}{\mathrm{R}}\)
Where R is the radius of the concave meniscus. The tangent to the meniscus at the point A makes an angle θ with the wall of the tube.
In the right angled triangle ACO
Plus One Physics Chapter Wise Questions and Answers Chapter 10 Mechanical Properties of Fluids - 11
substituting the values of R in the equation (1)
Plus One Physics Chapter Wise Questions and Answers Chapter 10 Mechanical Properties of Fluids - 12
Considering two points M and N in the same horizontal level of a liquid at rest,
pressure at N = pressure at M
But pressure at M = pi, the pressure over the concave meniscus and pressure at N = po + hρg
∴ Pi = Po + hρg
or Pi – Po = hρg ……..(3)
From equations (2) and (3), we get
Plus One Physics Chapter Wise Questions and Answers Chapter 10 Mechanical Properties of Fluids - 13

3. We know
Plus One Physics Chapter Wise Questions and Answers Chapter 10 Mechanical Properties of Fluids - 14
The capillary rise decreases to half of the original value.

Plus One Physics Chapter Wise Questions and Answers Chapter 10 Mechanical Properties of Fluids

Question 2.

  1. Find the odd one out and justify your answer Atomiser, venturi meter, aeroplane, hydraulic lift
  2. Mention one use of venturi meter.
  3. Explain the working of the odd one which you have selected in question (a)

Answer:
1. Hydraulic lift – It is based on pascals law.

2. Venturimeter can be used to find velocity of flow of fluid through a pipe.

3.
Plus One Physics Chapter Wise Questions and Answers Chapter 10 Mechanical Properties of Fluids - 15
A hydraulic lift is used to lift heavy load. Consider a liquid enclosed in a vessel with two cylinders C1 and C2 attached as shown in the figure. The cylinders are provided with two pistons having areas A1 and A2 respectively.
If F1 is the force exerted on the area A1,
pressure P1 = \(\frac{F_{1}}{A_{1}}\).
If F2 is the force exerted on the area A2,
pressure P2 = \(\frac{F_{2}}{A_{2}}\).
According to pascal’s law P1 = P2.
Plus One Physics Chapter Wise Questions and Answers Chapter 10 Mechanical Properties of Fluids - 16
Using this method we can lift heavy load by applying small force.

Question 3.
When a capillary tube of radius ‘r’ is dipped in water, the water rises through it up to height ‘h’.

  1. Which of the following is responsible for the above phenomenon?
    • Viscous force
    • elastic force
    • surface tension
    • gravitational force
    • negative force
  2. To what height will water rise in a glass tube with a bore of radius 0.1 mm (take the angle of contact of glass with 0°, surface tension S = 0.0728 N/m)
  3. If the length of tube is less that the length of capillary rise, will it overflow. Justify your answer.

Answer:
1. Surface tension

2.
Plus One Physics Chapter Wise Questions and Answers Chapter 10 Mechanical Properties of Fluids - 17

3. The water will never overflow. If the tube is of insufficient length, the radius of curvature of liquid meniscus goes on increasing, making it more and more flat till water is in equilibrium.

Plus One Physics Chapter Wise Questions and Answers Chapter 10 Mechanical Properties of Fluids

Question 4.
A steel ball of radius 1 mm is falling vertically through a tank of oil at 30°C.

  1. After some time the ball attains a constant velocity called_____
  2. What are the forces acting on the ball and give their directions?
  3. Write down the expression for resultant force acting on the ball?)
  4. If the density of oil is 2 × 103kg/m3, density of steel is 8 × 102 Kg/m3 and ‘η’of oil 2NS/m2, What will be the constant velocity attained by the ball?

Answer:
1. Terminal velocity.

2. Weight of body (down ward), bouyanant force (up ward), Viscous force (upward).

3. Resultant force = weight of body – buoyant force.

4. Terminal velocity,
Plus One Physics Chapter Wise Questions and Answers Chapter 10 Mechanical Properties of Fluids - 18

Plus One Physics Mechanical Properties of Fluids NCERT Questions and Answers

Question 1.
A 50 kg girl wearing high heel shoes balances on a single heel. The heel is circular with a diameter 1.0 cm. What is the pressure exerted by the heel on the horizontal floor?
Answer:
Force, F = Weight of girl
= mg = 50 × 9.8N = 490N
Radius, r = 0.5 × 10-2m
Area A = πr2 = \(\frac{22}{7}\)(0.5 × 10-2)2 m2
Pressure
Plus One Physics Chapter Wise Questions and Answers Chapter 10 Mechanical Properties of Fluids - 19

Plus One Physics Chapter Wise Questions and Answers Chapter 10 Mechanical Properties of Fluids

Question 2.
Torricelli’s barometer used mercury. Pascal duplicated it using French wine of density 984 kg m-3. Determine the height of the wine column for normal atmospheric pressure.
Answer:
p = hρg, h = \(\frac{p}{\rho g}=\frac{1.01 \times 10^{5}}{984 \times 9.8}\)m = 10.47m.

Question 3.
A U-tube contains water and methylated spirit separated by mercury. The mercury columns in the two arms are in level with 10.0 cm of water in one arm and 12.5 of spirit in the other. What is the specific gravity of spirit?
Plus One Physics Chapter Wise Questions and Answers Chapter 10 Mechanical Properties of Fluids - 20
Answer:
Since the mercury columns in the two arms are at the same level,
∴ pressure due to water column = pressure due to spirit column
∴ hwρwg = hsρsg
or hwρw = hsρ
But hw = 10 cm,
ρw = 1 gcm-3,
hs = 12.5cm
∴ 10 × 1 = 12.5 × ρs
or ρs = \(\frac{10}{12.5}\)gcm-3
= 0.8cm-3
∴ Specific gravity of spirit = 0.8.

Plus One Physics Chapter Wise Questions and Answers Chapter 10 Mechanical Properties of Fluids

Question 4.
Figs, (a) and (b) refer to the steady flow of a non-viscous liquid. Which of the two figures is incorrect? Why?
Plus One Physics Chapter Wise Questions and Answers Chapter 10 Mechanical Properties of Fluids - 21
Answer:
Fig (a) is incorrect. This is because at a constriction (ie., where the area of cross-section of the tube is smaller), the flow speed is larger due to mass conservation. Consequently, pressure there is smaller according to Bernoulli’s equation. We assume the fluid to be incompressible.

Question 5.
What is the prssure inside the drop of mercury of radius 3.00 mm at room temperature? Surface tension of mercury at that temperature (20°C) is 4.65 × 10-1Nm-1. The atmospheric pressure is 1.01 × 105 Pa. Also give the excess pressure inside the drop.
Answer:
Excess pressure = \(\frac{2 \sigma}{R}\)
Plus One Physics Chapter Wise Questions and Answers Chapter 10 Mechanical Properties of Fluids - 22
Total pressure = 1.01 × 105 + \(\frac{2 \sigma}{R}\)
= 1.01 × 105 + 310
= 1.0131 × 105Pa
Since data is correct upto three significant figures. We should write total pressure inside the drop as 1.1 × 105Pa.

Plus One Physics Chapter Wise Questions and Answers Chapter 10 Mechanical Properties of Fluids

Question 6.
During blood transfusion, the needle is inserted in a vein where the guage pressure is 2000 Pa, at what height must the blood container be placed so that blood may just enter the vein? Given: density of whole blood = 1.06 × 103kgm-3
Answer:
Guage pressure,
p = hρg, h
Plus One Physics Chapter Wise Questions and Answers Chapter 10 Mechanical Properties of Fluids - 23
= 0.19m.