Samacheer Kalvi 11th Computer Science Guide Chapter 16 Inheritance

Tamilnadu State Board New Syllabus Samacheer Kalvi 11th Computer Science Guide Pdf Chapter 16 Inheritance Text Book Back Questions and Answers, Notes.

Tamilnadu Samacheer Kalvi 11th Computer Science Solutions Chapter 16 Inheritance

11th Computer Science Guide Inheritance Text Book Questions and Answers

Samacheer Kalvi 11th Computer Science Guide Chapter 16 Inheritance

Part I

Choose The Correct Answer:

Question 1.
Which of the following is the process of creating new classes from an existing class?
a) Polymorphism
b) Inheritance
c) Encapsulation
d) superclass
Answer:
b) Inheritance

Question 2.
Which of the following derives a dass student from the base class school?
a) school: student
b) class student: public school
c) student: public school
d) class school: public student
Answer:
b) class student: public school

Question 3.
The type of inheritance that reflects the transitive nature is
a) Single Inheritance
b) Multiple Inheritance
c) Multilevel Inheritance
d) Hybrid Inheritance
Answer:
c) Multilevel Inheritance

Samacheer Kalvi 11th Computer Science Guide Chapter 16 Inheritance

Question 4.
Which visibility mode should be used when you want the features of the base class to be available to the derived class but not to the classes that are derived from the derived dass?
a) Private
b) Public
c) Protected
d) All of these
Answer:
a) Private

Question 5.
Inheritance is the process of creating new class from
a) Base class
b) abstract
c) derived class
d) Function
Answer:
a) Base class

Question 6.
A class is derived from a class which is a derived class itself, then this is referred to as
a) multiple inheritances
b) multilevel inheritance
c) single inheritance
d) double inheritance
Answer:
b) multilevel inheritance

Question 7.
Which amongst the following is executed in the order of inheritance?
a) Destructor
b) Member function
c) Constructor
d) Object
Answer:
b) Member function

Samacheer Kalvi 11th Computer Science Guide Chapter 16 Inheritance

Question 8.
Which of the following is true with respect to inheritance?
a) Private members of base class are inherited to the derived class with private
b) Private members of base class are not inherited to the derived class with private accessibility
c) Public members of base class are inherited but not visible to the derived class
d) Protected members of base class are inherited but not visible to the outside class
Answer:
b) Private members of base class are not inherited to the derived class with private accessibility

Question 9.
Based on the following dass decoration answer the questions (from 9.1 o 9.5 )

class vehicle
{
int wheels;
public:
void input_data(float,float);
void output_data();
protected:
int passenger;
};
class heavy_vehicle: protected vehicle
{
int diesel_petrol;
protected:
int load;
protected:
int load;
public:
void read_data(float,float)
void write_data(); };
class bus: private heavy_vehicle
{
char Ticket[20];
public:
void fetch_data(char);
void display_data(); >;
};

Samacheer Kalvi 11th Computer Science Guide Chapter 16 Inheritance

Question 9.1.
Which is the base class of the class heavy, vehicle?
a) Bus
b) heavy_vehicle
c) vehicle
d) both (a) and (c)
Answer:
c) vehicle

Question 9.2.
The data member that can be accessed from the function displaydata()
a) passenger
b) load
c) Ticket
d) All of these
Answer:
d) All of these

Question 9.3.
The member function that can be accessed by an objects of bus Class is
a) input_data()
b) read_data() ,output_data()write_data()
c) fetch_data(),display_data()
d) All of these
Answer:
c) fetch_data(),display_data()

Samacheer Kalvi 11th Computer Science Guide Chapter 16 Inheritance

Question 9.4.
The member function that is inherited as public by Class Bus
a) input_data()
b) read_data(),output_data(),write_data()
c) fetch_data(), display_data()
d) None of these
Answer:
d) None of these

Question 10.
class x
{
int a;
public :
x()
{}
};
class y
{
x x1;
public:
y()
{}
};
class z : public y,x
{
int b;
public:
z()
{}
}z1;

Samacheer Kalvi 11th Computer Science Guide Chapter 16 Inheritance

What is the order of constructor for object z to be invoked?
a) z,y,x,x
b) x,y,z,x
c) y,x,x,z
d) x,y,z
e) x,y,x,z
Answer:
e) x,y,x,z

Samacheer Kalvi 11th Computer Science Guide Chapter 16 Inheritance

Part – II

Very Short Answers

Question 1.
What is inheritance?
Answer:
Inheritance is one of the most important features of Object-Oriented Programming. In object-oriented programming, inheritance enables a new class and its objects to take on the properties of the existing classes.

Question 2.
What is a base class?
Answer:
The class to be inherited is called a base class or parent class.

Question 3.
Why derived class is called a power-packed class?
Answer:

  • Multilevel Inheritance: In multilevel inheritance, the constructors will be executed in the order of inheritance.
  • Multiple Inheritance: If there are multiple base classes, then it starts executing from the leftmost base class.

Question 4.
In what multilevel and multiple inheritances differ though both contains many base class?
Answer:
In case of multiple inheritance derived class have more than one base classes (More than one parent). But in multilevel inheritance derived class have only one base class (Only one parent).

Samacheer Kalvi 11th Computer Science Guide Chapter 16 Inheritance

Question 5.
What is the difference between public and private visibility mode?
Answer:
Private visibility mode:
When a base class is inherited with private visibility mode the public and protected members of the base class become ‘private’ members of the derived class.

Public visibility mode:
When a base class is inherited with public visibility mode, the protected members of the base class will be inherited as protected members of the derived class and the public members of the base class will be inherited as public members of the derived class.

Samacheer Kalvi 11th Computer Science Guide Chapter 16 Inheritance

Part – III

Short Answers

Question 1.
What are the points to be noted while deriving a new class?
Answer:

The following points should be observed for defining the derived class:

  1. The keyword class has to be used.
  2. The name of the derived class is to be given after the keyword class.
  3. A single colon.
  4. The type of derivation (the visibility mode), namely private, public or protected. If no visibility mode is specified, then by default the visibility mode is considered private.
  5. The names of all base classes (parent classes) separated by a comma.

class derivedclass_name :visibility_mode
base_class_name
{
// members of derived class
};

Samacheer Kalvi 11th Computer Science Guide Chapter 16 Inheritance

Question 2.
What is differences between the members present in the private visibility mode and the members present in the public visibility mode?
Answer:
Private visibility mode:
When a base class is inherited with private visibility mode the public and protected members of the base class become ‘private’ members of the derived class.
Samacheer Kalvi 11th Computer Science Guide Chapter 16 Inheritance 1
Private visibility members can not be inherited further. So, it can not be directly accessed by its derived classes.
Public visibility mode:
When a base class is inherited with public visibility mode, the protected members of the base class will be inherited as protected members of the derived class and the public members of the base class will be inherited as public members of the derived class.
Samacheer Kalvi 11th Computer Science Guide Chapter 16 Inheritance 2
Public visibility members can be inherited by its child and can access in it.

Samacheer Kalvi 11th Computer Science Guide Chapter 16 Inheritance

Question 3.
What is the difference between polymorphism and inheritance though are used for the reusability of code?
Answer:
Polymorphism:

  • Reusability of code is implemented through functions (or) methods.
  • Polymorphism is the ability of a function to respond differently to different messages.
  • Polymorphism is achieved through overloading.

Inheritance:

  • Reusability of code is implemented through classes.
  • Inheritance is the process of creating derived classes from the base class or classes.
  • Inheritance is achieved by various types of inheritances namely single, multiple, multilevel, hybrid and hierarchical inheritances.

Samacheer Kalvi 11th Computer Science Guide Chapter 16 Inheritance

Question 4.
What do you mean by overriding?
Answer:
When a derived class member function has the same name as that of its base class member function, the derived class member function shadows/hides the base class’s inherited function. This situation is called function overriding and this can be resolved by giving the base class name followed by :: and the member function name.

Question 5.
Write some facts about the execution of constructors and destructors in inheritance.
Answer:

  1. Base class constructors are executed first, before the derived class constructors execution.
  2. Derived class cannot inherit the base class constructor but it can call the base class constructor by using Base_class name: :base_class_constructor() in the derived class definition
  3. If there are multiple base classes, then it starts executing from the leftmost base class
  4. In multilevel inheritance, the constructors will be executed in the order of inheritance The destructors are executed in the reverse order of inheritance.

IV. Explain In Brief (Five Marks)

Question 1.
Explain the different types of inheritance.
Answer:
Types of Inheritance;
There are different types of inheritance viz., Single Inheritance, Multiple inheritance, Multilevel inheritance, hybrid inheritance and hierarchical inheritance.

1. Single Inheritance:
When a derived class inherits only from one base class, it is known as single inheritance.
Samacheer Kalvi 11th Computer Science Guide Chapter 16 Inheritance 3

2. Multiple Inheritance;
When a derived class inherits from multiple base classes it is known as multiple inheritance.
Samacheer Kalvi 11th Computer Science Guide Chapter 16 Inheritance 4

3. Hierarchical inheritance:
When more than one derived classes are created from & single base class known as Hierarchical inheritance.
Samacheer Kalvi 11th Computer Science Guide Chapter 16 Inheritance 5

4. Multilevel Inheritance
The transitive nature of inheritance is itself reflected by this form of inheritance. When a class is derived from a class which is a derived class – then it is referred to as multilevel inheritance.
Samacheer Kalvi 11th Computer Science Guide Chapter 16 Inheritance 6

5. Hybrid inheritance:
When there is a combination of more than one type of inheritance, it is known as hybrid inheritance. Hence, it may be a combination of Multilevel and Multiple inheritances or Hierarchical and Multilevel inheritance or Hierarchical, Multilevel and Multiple inheritances.
Samacheer Kalvi 11th Computer Science Guide Chapter 16 Inheritance 7

Samacheer Kalvi 11th Computer Science Guide Chapter 16 Inheritance

Question 2.
Explain the different visibility modes through pictorial representation.
Answer:
Private visibility mode:
When a base class is inherited with private visibility mode the public and protected members of the base class become ‘private’ members of the derived class.
Samacheer Kalvi 11th Computer Science Guide Chapter 16 Inheritance 8

Protected visibility mode:
When a base class is inherited with protected visibility mode the protected and public members of the base class become ‘protected members’ of the derived class.
Samacheer Kalvi 11th Computer Science Guide Chapter 16 Inheritance 9

Public visibility mode:
When a base class is inherited with public visibility mode, the protected members of the base class will be inherited as protected members of the derived class and the public members of the base class will be inherited as public members of the derived class.
Samacheer Kalvi 11th Computer Science Guide Chapter 16 Inheritance 10

Question 3.
#include<iostream>
#include<string.h>
#include<stdio.h>
using name spacestd;
class publisher
{
char pname[15];
char hoffice[15];
char address[25];
double turnover;
protected:
char phone[3][10];
void register();
public:
publisher();
publisher();
void enter data();
void disp data();
};
class branch
{
char bcity[15];
char baddress[25];
protected:
int no_of_emp;
public:
char bphone[2][10];
branch();
~branch();
void havedata();
void givedata();
};
class author: public branch, publisher
{
int aut_code;
charaname[20];
float income;
public:
author();
~author();
void getdata();
void putdata();
};

Samacheer Kalvi 11th Computer Science Guide Chapter 16 Inheritance

Answer The Following Questions Based On The Above Given Program:

3.1. Which type of Inheritance is shown in the program?
3.2. Specify the visibility mode of base classes.
3.3 Give the sequence of Constructor/Destructor Invocation when object of class author is created.
3.4. Name the base class(/es) and derived class (/es).
3.5 Give number of bytes to be occupied by the object of the following class:
(a) publisher
(b) branch
(c) author
3.6. Write the names of data members accessible from the object of class author.
3.7. Write the names of all member functions accessible from the object of class author.
3.8 Write the names of all members accessible from member functions of class author.
Answer:
3.1 Multiple Inheritance
3.2 public
3.3 Constructors branch, publisher and author are executed.
Destructors author, publisher and branch will be executed.
3.4 Base classes : branch and publisher Derived class : author
3.5 a) publisher class object requires 93 bytes
b) branch class object requires 64 bytes
c) author class object requires 181 bytes

Samacheer Kalvi 11th Computer Science Guide Chapter 16 Inheritance

Question 4.
Consider the following C++ code and answer the questions.
class Personal
{
int Class, Rno;
char Section;
protected:
char Name[20];
public:
personal();
void pentry();
void Pdisplay();
};
class Marks:private Personal
{
float M{5};
protected:
char Grade[5];
public:
Marks();
void Mentry();
void Mdisplay();
};
class Result:public Marks
{
float Total,Agg;
public:
char FinalGrade, Commence[20];
Result();
void Rcalculate();
void Rdisplay();
};

4.1. Which type of Inheritance is shown in the program?
4.2. Specify the visibility mode of base classes.
4.3 Give the sequence of Constructor/Destructor Invocation when object of class Result is created.
4.4. Name the base class(/es) and derived class (/es).
4.5 Give number of bytes to be occupied by the object of the following class:
(a) Personal
(b) Marks
(c) Result
4.6. Write the names of data members accessible from die object of class Result.
4.7. Write the names of all member functions accessible from the object of class Result.
4.8 Write the names of all members accessible from member functions of class Result.
Answer:
4.1 Multilevel Inheritance
4.2 For Marks class – private visibility
For Result class – public visibility
4.3 Constructors Personal, Marks and Result be executed.
Destructors Result, Marks and Personal will be executed.
4.4 Base classes : Personal and Marks
Derived classes : Marks and Result

4.5 a) Personal class object requires 28 bytes (using Dev C++)
b) Marks class object requires 53 bytes (using Dev C++)
c) Result class requires 82 bytes (using Dev C++)

4.6 Data members FinalGrade, Commence(Own class members) alone can be accessed.
No members inherited under public, so base class members can not be accessed.

4.7 Member functions
Rcalculate( ), Rdisplay (own class member functions)
Mentry, Mdisplay (derived from Marks class) alone can be accessed.
Personal class public member functions can not be accessed because Marks class inherited under private visibility mode.

4.8 1) Data members

  • Total, Agg, Final Grade and Commence of its own class
  • M, Grade from Marks class can be accessed.

Personal class data members can not be accessed because Marks class inherited under private visibility mode.

Samacheer Kalvi 11th Computer Science Guide Chapter 16 Inheritance

2) Member functions
Mentry and Mdisplay from Marks class can be invoked from Result class member
Personal class member-functions can not be accessed because Marks class inherited under private visibility mode.

Question 5.
Write the output of the following program.
#include<iostream>
using namespace std;
class A
{
protected:
int x;
public:
void show()
{
cout<<“x = “<<x<<endl;
}
A()
{
cout<<endl<<” I am class A “<<endl;
}
~A()
{
cout<<endl<<” Bye”;
}
};
class B : public A
{
protected:
int y;
public:
B(int x, int y)
{
//this -> is used to denote the objects datamember this->x = x;
//this -> is used to denote the objects datamember this->y = y;
}
B()
{
cout<<endl<<“I am class B”<<endl;
}
~B()
{
cout<<endl<<” Bye”;
}
void show()
{
cout<<“x = “<<x<<endl;
cout<<“y = “<<y<<endl;
}
};
int main()
{
A objA;
B objB(30, 20);
objB.show();
return 0;
}
Output:
Samacheer Kalvi 11th Computer Science Guide Chapter 16 Inheritance 11

Samacheer Kalvi 11th Computer Science Guide Chapter 16 Inheritance

Question 6.
Debug the following program.
Output:
—————
15
14
13

Program :
%include(iostream.h)
#include<conio.h>
Class A
{
public;
int al,a2:a3;
void getdata[]
{
a1=15;
a2=13;a3=13;
}
}
Class B:: public A()
{
PUBLIC
voidfunc()
{
int b1:b2:b3;
A::getdata[];
b1=a1;
b2=a2;
a3=a3;
cout<<b1<<‘\t'<<b2<<‘t\'<<b3;
}
void main()
{
clrscr()
B der;
derl:func();
getch();
}
Answer:
Modified Error Free Program :
using namespace std;
#include<iostream>
#include<conio.h>
class A
{
public:
int a1,a2,a3;
void getdata()
{
a1=15;
a2=14;
a3=13;
}
};
class B : public A
{
public:
void func()
{
int b1,b2,b3;
A::getdata();
b1=a1;
b2=a2;
b3=a3;
cout<<b1<<‘\n'<<b2<<‘\n'<<b3;
}
};
int main()
{
B der;
der.func();
getch();
return 0;
}
Samacheer Kalvi 11th Computer Science Guide Chapter 16 Inheritance 12

11th Computer Science Guide Inheritance Additional Questions and Answers

Choose The Correct Answer:

Question 1.
When a derived class inherits only from one base class, it is known as ………………
(a) multiple inheritances
(b) multilevel inheritance
(c) hierarchical inheritance
(d) single inheritance
Answer:
(d) single inheritance

Question 2.
_____ enables new class and its objects to take on the properties of the existing classes.
a) Inheritance
b) Encapsulation
c) Overriding
d) None of these
Answer:
a) Inheritance

Question 3.
When more than one derived classes are created from a single base class, it is called ………………
(a) inheritance
(b) hybrid inheritance
(c) hierarchical inheritance
(d) multiple inheritances
Answer:
(c) hierarchical inheritance

Question 4.
A class that inherits from a superclass is called a _______ class.
a) Sub
b) Base class
c) Derived
d) Sub or Derived
Answer:
d) Sub or Derived

Question 5.
The ……………… are invoked in reverse order.
(a) constructor
(b) destructor
(c) pointer
(d) operator
Answer:
(b) destructor

Question 6.
There are ________ types of inheritance,
a) Two
b) Three
c) Four
d) Five
Answer:
d) Five

Question 7.
_________ inheritance is a type of inheritance.
a) Single or Hybrid
b) Multilevel / Hierarchical
c) Multiple
d) All the above
Answer:
d) All the above

Question 8.
When a derived class inherits only from one base class, it is known as ________ inheritance.
a) Single
b) Multilevel / Hierarchical
c) Multiple
d) Hybrid
Answer:
a) Single

Question 9.
When a derived class inherits from multiple base classes it is known as _________ inheritance.
a) Single
b) Multilevel / Hierarchical
c) Multiple
d) Hybrid
Answer:
c) Multiple

Question 10.
When more than one derived classes are created from a single base class, it is known
as_________inheritance.
a) Single
b) Hierarchical
c) Multiple
d) Hybrid
Answer:
b) Hierarchical

Question 11.
The transitive nature of inheritance is itself reflected by _____ form of inheritance.
a) Single
b) Multilevel
c) Multiple
d) Hybrid
Answer:
b) Multilevel

Question 12.
When a class is derived from a class which is a derived class – then it is referred to as ______ inheritance.
a) Single
b) Multilevel
c) Multiple
d) Hybrid
Answer:
b) Multilevel

Question 13.
When there is a combination of more than one type of inheritance, it is known as ________ inheritance.
a) Single
b) Multilevel
c) Multiple
d) Hybrid
Answer:
d) Hybrid

Question 14.
Hybrid inheritance may be a combination of ________inheritance.
a) Multilevel and Multiple
b) Hierarchical and Multilevel
c) Hierarchical, Multilevel and Multiple
d) All the above
Answer:
d) All the above

Question 15.
The order of inheritance by derived class, to inherit the base class is ________
a) Left to Right
b) Right to Left
c) Top to Bottom
d) None of these
Answer:
a) Left to Right

Question 16.
In ________ inheritance the base classes dc not have any relationship between them,
a) Single
b) Multilevel
c) Hybrid
d) Multiple
Answer:
d) Multiple

Question 17.
In ________inheritance a derived class itself acts as a base class to derive another class.
a) Single
b) Multilevel
c) Multiple
d) Multiple
Answer:
b) Multilevel

Question 18.
_________ inheritance is similar to relation between grandfather, father and child,
a) Single
b) Multilevel
c) Multiple
d) Multiple
Answer:
b) Multilevel

Question 19.
A class without any declaration will have ________byte size.
a) 1
b) 0
b) 2
d) 10
Answer:
a) 1

Question 20.
class x{}; x occupies
a) 1
b) 0
b) 2
d) 10
Answer:
a) 1

Question 21.
In inheritance, which member of the base class will be acquired by the derived class is done by using ________ .
a) Visibility modes
b) Data members
c) Member functions
d) None of these
Answer:
a) Visibility modes

Question 22.
The accessibility of base class by the derived class is controlled by ________
a) Visibility modes
b) Data members
c) Member functions
d) None of these
Answer:
a) Visibility modes

Question 23.
_______ is a visibility modes.
a) private
b) public
c) protected
d) All the above
Answer:
d) All the above

Question 24.
The default visibility mode is ________
a) private
b) public
c) protected
d) All the above
Answer:
a) private

Question 25.
When a base class is inherited with ________ visibility mode the public and protected members of the base class become ‘private’ members of the derived class.
a) private
b) public
c) protected
d) All the above
Answer:
a) private

Question 26.
When a base class is inherited with ________ visibility mode the protected and public members of the base class become ‘protected members’ of the derived class,
a) private
b) public
c) protected
d) All the above
Answer:
c) protected

Question 27.
When a base class is inherited with ________ visibility mode, the protected members of the base class will be inherited as protected members of the derived class and the public members of the base class will be inherited as public members of the derived class.
a) private
b) public
c) protected
d) All the above
Answer:
b) public

Question 28.
When classes are inherited with ________the private members of the base class are not inherited they are only visible.
a) private
b) public
c) protected
d) Either A or B or C
Answer:
d) Either A or B or C

Question 29.
When classes are inherited with ________ the private members of the base class are continue to exist in derived classes, and cannot be accessed.
a) private
b) public
c) protected
d) Either A or B or C
Answer:
d) Either A or B or C

Question 30.
________inheritance should be used when you want the features of the base class to be available to the derived class but not to the classes that are derived from the derived class.
a) private
b) public
c) protected
d) Either A or B or C
Answer:
a) private

Question 31.
________ inheritance should be used when features of base class to be available only to the derived class members but not to the outside world.
a) private
b) public
c) protected
d) Either A or B or C
Answer:
c) protected

Question 32.
_____ inheritance can be used when features of base class to be available the derived class members and also to the outside world.
a) private
b) public
c) protected
d) Either A or B or C
Answer:
b) public

Question 33.
When an object of the derived class is created, the compiler first call the ________class constructor.
a) Base
b) Derived
c) Either Base or Derived
d) None of these
Answer:
a) Base

Question 34.
When the object of a derived class expires first the ________class destructor is invoked.
a) Base
b) Derived
c) Either Base or Derived
d) None of these
Answer:
b) Derived

Question 35.
The ________ are executed in the order of inherited class.
a) Constructors
b) Destructors
c) Either A or B
d) None of these
Answer:
a) Constructors

Question 36.
The ________ are executed in the reverse order.
a) Constructors
b) Destructors
c) Either A or B
d) None of these
Answer:
b) Destructors

Question 37.
If there are multiple base classes, then it starts executing from the ________base class.
a) Leftmost
b) Rightmost
c) Compiler decided
d) None of these
Answer:
a) Leftmost

Question 38.
________ members of the base class can be indirectly accessed by the derived class using the public or protected member function of the base class.
a) private
b) public
c) protected
d) Either A or B or C
Answer:
a) private

Question 39.
________ member function has the access privilege for the private members of the base class.
a) public
b) protected
c) Both A and B
d) None of these
Answer:
c) Both A and B

Question 40.
________ functions can access the private members.
a) Member
b) Non-member
c) Destructor
d) None of these
Answer:
a) Member

Question 41.
In case of inheritance there are situations where the member function of the base class and derived classes have the same name. The ________operator resolves this problem.
a) Conditional
b) Membership
c) Scope resolution
d) None of these
Answer:
c) Scope resolution

Question 42.
When a derived class member function has the same name as that of its base class member function, the derived class member function ________the base class’s inherited function.
a) Shadows
b) Hides
c) Either A or B
d) None of these
Answer:
c) Either A or B

Question 43.
When a derived class member function has the same name as that of its base class member function, the derived class member function shadows/hides the base class’s inherited function is called function ________
a) Overriding
b) Overloading
c) Shadowing
d) Either A or C
Answer:
d) Either A or C

Question 44.
________ pointer is a constant pointer that holds the memory address of the current object.
a) this
b) void
c) new
d) None of these
Answer:
a) this

Question 45.
________pointer is useful when the argument variable name in the member function and the data member name are same.
a) this
b) void
c) new
d) None of these
Answer:
a) this

Very Short Answers (2 Marks)

Question 1.
Write a short note on hierarchical inheritance.
Answer:
When more than one derived class is created from a single base class, it is known as Hierarchical inheritance.

Question 2.
What are the types of inheritance?
Answer:
There are different types of inheritance viz., Single Inheritance, Multiple inheritance, Multilevel inheritance, hybrid inheritance and hierarchical inheritance.

Question 3.
Give the syntax of deriving a class.
Answer:
Syntax:
class derived_dass_name :visibility_mode base_dass_name
{
// members of derivedclass
};

Question 4.
Write note on this pointer.
Answer:
‘this’ pointer is a constant pointer that holds the memory address of the current object. It identifies the currently calling object. It is useful when the argument variable name in the member function and the data member name are same. To identify the data member it will be given as this->data member name.

Short Answers (3 Marks)

Question 1.
What are inheritance and access control?
Answer:
When you declare a derived class, a visibility mode can precede each base class in the base list of the derived class. This does not alter the access attributes of the individual members of a base class but allows the derived class to access the members of a base class with restriction.

Classes can be derived using any of the three visibility modes:

  1. In a public base class, public and protected members of the base class remain public and protected members of the derived class.
  2. In a protected base class, public and protected members of the base class are protected members of the derived class.
  3. In a private base class, public and protected members of the base class become private members of the derived class.
  4. In all these cases, private members of the base class remain private and cannot be used by the derived class.
  5. However, it can be indirectly accessed by the derived class using the public or protected member function of the base class since they have the access privilege for the private members of the base class.

Question 2.
Write a program for the working of constructors and destructors under inheritance.
Program
#include<iostream>
using namespace std;
class base
{
public:
base()
{
cout<<“\nConstructor of base class…”;
}
~base()
{
cout<<“\nDestructor of base class….”;
}
};
class derived:public base
{
public :
derived()
{
cout << “\nConstructor of derived …”;
}
~derived()
{
cout << “\nDestructor of derived…”;
}
};
class derived 1 :public derived
{
public :
derived 1()
{
cout << “\nConstructor of derived! //, …”;
}
~derived1()
{
cout << “\nDestructor of derived …”;
}
};
int main()
{
derivedl x;
return 0;
}

Output:
Constructor of base class…
Constructor of derived …
Constructor of derived …
Destructor of derived …
Destructor of derived …
Destructor of base class….

Question 3.
What about access control in a publicly derived class?
Answer:
From a publicly derived class, public and protected members of the base class remain public and protected members of the derived class. The public members can be accessed by the object of the derived class similar to its own members in public.

Question 4.
What about access control in the privately derived class?
Answer:
From a privately derived class, public and protected members of the base class become private members of the derived class. Hence it is not possible to access the derived members using the object of the derived class. The Derived members are invoked by calling it from the publicly defined members.

Explain in Detail

Question 1.
Write a program to implement single Inheritance.
Program
# include <iostream>
using namespace std;
class student //base class
{
private :
char name[20];
int rno;
public:
void acceptnameO
{
cout<<“\n Enter roll no and name ..”;
cin>>rno>>name;
}
void displayname()
{
cout<<“\n Roll no :-“<<rno;
cout<<“\n Name :-“<<name<<endl;
}
};
class exam : public student
//derived class with single base class
{
public:
int markl, mark2 ,mark3,mark4,marks, mark6, total;
void acceptmark()
{
cout<<“\n Enter lang, eng, phy, che, esc, mat marks..
cin>>mark1>>mark2>>mark3>>
mark4>>mark5>>mark6;
}
void displaymark()
{
cout<<“\n\t\t, Marks Obtained
cout<<“\n Language.. “<<mark1;
cout<<“\n English .. “<<mark2;
cout<<“\n Physics .. “<<mark3;
cout<<“\n Chemistry.. “<<mark4;
cout<<“\n Comp.sci.. “<<mark5;
cout«”\n Maths .. “<<mark6;
}
};
int main()
{
exam e1;
el.acceptname();
//calling base class function using derived
class object
e1.acceptmark();
e1.displayname();
//calling base class function using derived
class object
e1l.displaymark();
return 0;
}
Output
Enter roll no and name . . 1201
KANNAN
Enter lang,eng,phy,che,esc,mat
marks.. 100 100 100 100 100 100
Roll no:-1201
Name:-KANNAN
Marks Obtained
Language.. 100
English .. 100
Physics .. 100
Chemistry.. 100
Comp.sci.. 100
Maths .. 100

Question 2.
Write a program to implement multiple inheritance.
Program :
# include <iostream>
using namespace std;
class student //base class
{
private :
char name[20];
int rno;
public:
void acceptname()
{
cout<<“\n Enter roll no and name.. “;
cin>>rno>>name;
}
void displayname()
{
cout<<“\n Roll no :-“<<rno;
cout<<“\n Name:-” << name << endl;
}
};
class detail //Base class
{
int dd,mm,yy;
char cl[4];
public:
void acceptdob()
{
cout<<“\n Enter date,month,year in digits and class ..”;
cin>>dd>>mm>>yy>>cl;
}
void displaydob()
{
cout<<“\n class:-“<<cl;
cout<<“\t\t DOB : “<<dd«” –
“<<mm<<“-” <<yy<<endl;
}
};
//derived class with multiple base class
class exam: public student, public detail
{
public:
int mark1, mark2 ,mark3,mark4,mark5, mark6, total;
void acceptmark()
{
cout<<“\n Enter lang, eng, phy, che, esc, mat marks..”;
cin>>mark1>>mark2>>mark3>> mark4>>mark5>>mark6;
}
void displaymark()
{
cout<<“\n\t\t Marks Obtained
cout<<“\n Language.. “<<markl;
cout<<“\n English .. “<<mark2;
cout<<“\n Physics .. “<<mark3;
cout<<“\n Chemistry.. “<<mark4;
cout<<“\n Comp.sci.. “<<mark5;
cout<<“\n Maths .. “<<mark6;
}
};
int main()
{
exam e1;
//calling base class function using derived
class object
e1.acceptname();
//calling base class function using derived
class object
e1.acceptdob();
e1.acceptmark();
//calling base class function using derived
class object
e1.displayname();
//calling base class function using derived
class object
e1.displaydob();
e1.displaymark();
return 0;
}
Output:
Enter roll no and name . . 1201 MEENA
Enter date, month, year in digits and
class .. 7 12 2001 XII
Enter lang, eng, phy, che, esc, mat
marks.. 96 98 100 100 100 100
Roll no:-1201
Name MEENA
class:-XII
DOB : 7 – 12 -2001
Marks Obtained
Language..96
English .. 98
Physics .. 100
Chemistry.. 100
Comp.sci.. 100
Maths .. 100

Question 3.
Write a program to implement multilevel inheritance.
Program
# include <iostream>
using namespace std;
class student //base class
{
private :
char name[20];
int rno; public:
void acceptname()
{
cout<<“\n Enter roll no and name.. “;
cin>>rno>>name;
}
void displayname()
{
cout<<“\n Roll no :-“<<rno;
cout<<“\n Name << name <<
endl;
}
};
//derived class with single base class class
exam: public student
{
public:
int mark1, mark2, mark3, mark4, mark5, mark6;
void accept mark()
{
cout<<“\n Enter
lang,eng,phy,che,esc,mat marks..’; cin>>mark1>>mark2>>mark3>> mark4>>mark5>>mark6;
}
void displaymark()
{
cout<<“\n\t\t Marks Obtained
cout<<“\n Language… “<<markl;
cout<<“\n English… “<<mark2;
cout<<“\n Physics… “<<mark3;
cout<<“\n Chemistry… “<<mark4;
cout<<“\n Comp.sci… “<<mark5;
cout<<“\n Maths… “<<mark6;
}
};
class result: public exam
{
int total;
public:
void showresult()
{
total=markl+mark2+mark3+mark 4+mark5+mark6;
cout<<“\nTOTAL MARK SCORED : “<<total;
}
};
int main()
{
result r1;
//calling base class function using derived
class object
r1.acceptname();
//calling base class function which itself is a derived
r1.acceptmark();
// class function using its derived class object
r1.displayname();
//calling base class function
using derived class //object
//calling base class function which itself is a derived
r1.displaymark();
//class function using its derived class object
r1.showresult();
//calling the child class
function
return 0;
}

Output :
Enter roll no and name .. SARATHI
Enter lang,eng,phy,che,csc,mat
marks.. 96 98 100 100 100 100
Roll no:-1201
Name:-SARATHI
Marks Obtained
Language… 96
English… 98
Physics… 100
Chemistry… 100
Comp.sci… 100
Maths… 100
TOTAL MARK SCORED: 594

Question 4.
Write a program to implement hierarchical inheritance.
Program
# include <iostream>
using namespace std;
class student //base class
{
private :
char name[20];
int rno;
public:
void acceptname()
{
cout<<“\n Enter roll no and name..”;
cin>>rno>>name;
}
void displayname()
{
cout<<“\n Roll no :-“<<rno;
cout<<“\n Name :-” <<name <<
endl;
}
};
//derived class with single base class
class qexam: public student
{
public:
int mark1, mark2, mark3, mark4, marks, mark6;
void accent mark()
{
cout<<“\n Enter lang, eng, phy, che, esc, mat marks for quarterly exam”;
cin>>markl>>mark2>>mark3>>mark4>>mark5>>mark6;
}
void displaymark()
cout< <“\n\t\t Marks Obtained in quarterly”;
cout< <“\n Language.. “<<marki;
cout<<”\n English .. “<<mark2;
cout< <“\n Physics .. “<<mark3;
cout< <“\fl Chemistry.. “<<mark4;
cout<<“\n Comp.sci.. “<<mark5;
cout< <“\n Maths .. “<<mark6;
}
};
//derived class with single base class
class hexam : public student
{
public:
int mark1, mark2, mark3, mark4, marks, mark6;
void acceptmark()
{
cout<<“\n Enter lang, eng, phy, che, esc, mat marks for half/early exam..”;
cin>>markl>>mark2>>mark3>>mark4>>mark5>>mark6;
}
void displaymark()
{
cout<<“\n\t\t Marks Obtained in Halfyearly”;
cout<<“\n Language., “<< mark1;
coutcc”\n English .. “<< mark2;
coutcc”\n Physics .. “<< mark3;
coutcc”\n Chemistry.. “<< mark4;
coutcc”\n Comp.sci.. “<< mark5;
coutcc”\n Maths .. “<< mark6;
}
};
int main()
{
qexam q1;
hexam hi;
//calling base class function using derived class object
q1.acceptname();
//calling base class function
q1. acceptmark();
//calling base class function using derived
class object
h1.acceptname();
//calling base class function using derived class object
h1.displayname(); .
h1,acceptmark();
//calling base class- function using its // derived class object
h1.displaymark();
return 0
}
Output:
Enter roll no and name . . 1201
KANNAN
Enter lang,eng,phy,che,esc,mat
marks for quarterly exam. .
95 96 100 98 100 99
Roll no :-1201
Name :-KANNAN
Marks Obtained in quarterly
Language.. 95
English .. 96
Physics .. 100
Chemistry.. 98
Comp.sci.. 100
Maths .. 99
Enter roll no and name . . 1201
KANNAN
Enter lang,eng,phy,che,esc, mat marks for the half-yearly exam.
96 98 100 100 100 100
Roll no:-1201
Name:-KANNAN
Marks Obtained in Halfyearly
Language.. 96
English .. 98
Physics .. 100
Chemistry.. 100
Comp.sci.. 100
Maths .. 100

Question 5.
Write a program to implement hybrid inheritance.
Program
# include <iostream>
using namespace std;
class student //base class
{
private :
char name[20];
int rno; public:
void acceptname()
{
cout<<“\n Enter roll no and name.. cin>>rno>>name;
}
void displayname()
{
cout<<“\n Roll no :-“<<rno;
cou<<“\n Name name <<
endl;
}
};
//derived class with the single base class
class exam: public student
{
public:
int mark1, mark2, mark3, mark4, marks, mark6;
void accept mark()
{
cout<<“\n Enter larig, eng, phy, che, esc,mat marks..”;
cin>>markl>>mark2>>mark3>> mark4>>mark5>>mark6;
}
void displaymark()
{
cout<<“\n\t\t Marks Obtained “;
cout<<“\n Language.. “<<markl;
cout<<“\n English .. “<<mark2;
cout<<“\n Physics .. “<<mark3;
cout<<“\n Chemistry.. “<<mark4;
cout<<“\n Comp.sci.. “<<mark5;
cout<< “\n Maths .. “<<mark6;
}
};
class detail //base classs 2
{
int dd,mm,yy;
char cl[4];
public:
void acceptdob()
{
cout<<“\n Enter date,month,year in digits and class ..”;
cin>>dd>>mm>>yy>>cl;
}
void displaydob()
{
cou<<“\n class :-“<<cl;
cou<<“\t\t DOB : “<<dd<<” – ”
<<mm<<“-” <<yy<<endl;
}
};
//inherits from the exam, which itself is a //derived
class and also from class detail
class result: public exam, public detail
{
int total;
public:
void showresuit()
{
total=markl+mark2+mark3+ mark4+mark5+mark6;
cout<<“\nTOTAL MARK SCORED: ” <<total;
}
};
class detail //base classs 2
{
int dd,mm,yy;
char cl[4];
public:
void acceptdob()
{
cout<<“\n Enter date,month,year in digits and class ..
cin>>dd>>mm>>yy>>cl;
}
void displaydob()
{
cout<<“\n class :-“<<cl;
cout<<“\t\t DOB : “<<dd<<” – ”
<<mm<<“-” <<yy<<endl;
}
};
//inherits from the exam, which itself is a //derived class and also from class detail class result: public exam, public detail
{
int total;
public:
void showresuit()
{
total = markl + mark2-i-mark3 + mark4+mark5+mark6;
cout<<“\nTOTAL MARK SCORED : ” <<total;
}
};
int main()
{
result r1;
//calling base class function using derived class object
r1.acceptname();
//calling base class which itsel is a derived class function using its derived class object
r1.acceptmark();
r1.acceptdob();
cout<<“\n\n\t\t MARKS STATEMENT”; //calling base class function using derived class object
r1.displayname();
r1.displaydob();
//calling base class which itsel is a derived class function using its derived class object
r1.displaymark();
//calling the child class function
r1.showresuit();
return 0;
>
Output:
Enter roll no and name .. 1201 RAGU
Enter lang,eng,phy,che,esc,mat
marks.. 96 98 100 100 100 100
Enter date,month,year in digits and class .. 7 12 2001 XII
MARKS STATEMENT
Roll no :-1201
Name :-RAGU
class : -XII
DOB : 7 – 12 -2001
Marks Obtained
Language..96
English .. 98
Physics .. 100
Chemistry.. 100
Comp.sci.. 100
Maths .. 100
TOTAL MARK SCORED: 594

Samacheer Kalvi 11th Chemistry Guide Chapter 6 Gaseous State

Tamilnadu State Board New Syllabus Samacheer Kalvi 11th Chemistry Guide Pdf Chapter 6 Gaseous State Text Book Back Questions and Answers, Notes.

Tamilnadu Samacheer Kalvi 11th Chemistry Solutions Chapter 6 Gaseous State

11th Chemistry Guide Gaseous State Text Book Back Questions and Answers

Textual Questions:

I. Choose the best answer:

Question 1.
Gases deviate from ideal behavior at high pressure. Which of the following statement(s) is correct for non-ideality?
(a) at high pressure the collision between the gas molecule become enormous
(b) at high pressure the gas molecules move only in one direction
(c) at high pressure, the volume of gas become insignificant
(d) at high pressure the intermolecular interactions become significant
Answer:
(d) at high pressure the intermolecular interactions become significant

Question 2.
Rate of diffusion of a gas is
(a) directly proportional to its density
(b) directly proportional to its molecular weight
(c) directly proportional to its square root of its molecular weight
(d) inversely proportional to the square root of its molecular weight
Answer:
(d) inversely proportional to the square root of its molecular weight

Question 3.
Which of the following is the correct expression for the equation of state of van der Waals gas?
(a) [P + \(\frac{a}{n^{2} V^{2}}\)](V – nb) = nRT

(b) [P + \(\frac{n a}{n^{2} V^{2}}\)](V – nb) = nRT

(c) [P + \(\frac{a n^{2}}{V^{2}}\)](V – nb) = nRT

(d) [P + \(\frac{n^{2} a^{2}}{V^{2}}\)(V – nb) = nRT]
Answer:
(c) [P + \(\frac{a n^{2}}{V^{2}}\)](V – nb) = nRT

Question 4.
When an ideal gas undergoes unrestrained expansion, no cooling occurs because the molecules
(a) are above inversion temperature
(b) exert no attractive forces on each other
(c) do work equal to the loss in kinetic energy
(d) collide without loss of energy
Answer:
(b) exert no attractive forces on each other

Question 5.
Equal weights of methane and oxygen are mixed in an empty container at 298 K. The fraction of total pressure exerted by oxygen is
(a) \(\frac{1}{3}\)
(b) \(\frac{1}{2}\)
(c) \(\frac{2}{3}\)
(d) \(\frac{1}{3}\) × 273 × 298
Answer:
(a) \(\frac{1}{3}\)

Samacheer Kalvi 11th Chemistry Guide Chapter 6 Gaseous State

Question 6.
The temperatures at which real gases obey the ideal gas laws over a wide range of pressure is called
(a) Critical temperature
(b) Boyle temperature
(c) Inversion temperature
(d) Reduced temperature
Answer:
(b) Boyle temperature

Question 7.
In a closed room of 1000 m3 a perfume bottle is opened up. The room develops a smell. This is due to which property of gases?
(a) Viscosity
(b) Density
(c) Diffusion
(d) None
Answer:
(c) Diffusion

Question 8.
A bottle of ammonia and a bottle of HCl connected through a long tube are opened simultaneously at both ends. The white ammonium chloride ring first formed will be
(a) At the center of the tube
(b) Near the hydrogen chloride bottle
(c) Near the ammonia bottle
(d) Throughout the length of the tube
Answer:
(b) Near the hydrogen chloride bottle

Question 9.
The value of universal gas constant depends upon
(a) Temperature of the gas
(b) Volume of the gas
(c) Number of moles of the gas
(d) units of Pressure and volume
Answer:
(d) units of Pressure and volume

Question 10.
The value of the gas constant R is
(a) 0.082 dm3atm
(b) 0.987 cal mol-1K-1
(c) 8.3J mol-1K-1
(d) 8erg mol-1K-1
Answer:
(c) 8.3J mol-1K-1

Samacheer Kalvi 11th Chemistry Guide Chapter 6 Gaseous State

Question 11.
Use of hot air balloon in sports at meteorological observation is an application of
(a) Boyle’s law
(b) Newton’s law
(c) Kelvin’s law
(d) Brown’s law
Answer:
(a) Boyle’s law

Question 12.
The table indicates the value of vanderWaals constant ‘a’ in (dm3)2 atm. mol-2. The gas which can be most easily liquefied is

GasO2N2NH3CH4
A1.3601.3904.1702.253

(a) O2
(b) N2
(c) NH3
(d) CH4
Answer:
(c) NH3

Question 13.
Consider the following statements
(i) Atmospheric pressure is less at the top of a mountain than at sea level
(ii) Gases are much more compressible than solids or liquids
(iii) When the atmospheric pressure increases the height of the mercury column rises
Select the correct statement
(a) I and II
(b) II and III
(c) I and III
(d) I, II and III
Answer:
(b) II and III

Question 14.
Compressibility factor for CO2 at 400 K and 71.0 bar is 0.8697. The molar volume of CO2 under these conditions is
(a) 22.04 dm3
(b) 2.24 dm3
(c) 0.41 dm3
(d) 19.5 dm3
Answer:
(c) 0.41 dm3

Question 15.
If temperature and volume of an ideal gas is increased to twice its valuesthe initial pressure P becomes
(a) 4P
(b) 2P
(c) P
(d) 3P
Answer:
(b) 2P

Samacheer Kalvi 11th Chemistry Guide Chapter 6 Gaseous State

Question 16.
At identical temperature and pressure, the rate of diffusion of hydrogen gas is 3 times that of a hydrocarbon having molecular formula CnH2n – 2. What is the value of n?
(a) 8
(b) 4
(c) 3
(d) 1
Answer:
(d) 1

Question 17.
Equal moles of hydrogen and oxygen gases are placed in a container, with a pin-hole through which both can escape what fraction of oxygen escapes in the time required for one-half of the hydrogen to escape.
(a) \(\frac{3}{8}\)
(b) \(\frac{1}{2}\)
(c) \(\frac{1}{8}\)
(d) \(\frac{1}{4}\)
Answer:
(c) \(\frac{1}{8}\)

Question 18.
The variation of volume V, with temperature T, keeping pressure constant is called the coefficient of thermal expansion i.e., α = 1\(\left[\frac{\partial V}{\delta T}\right]\)Vp. For an ideal gas α is equal to
(a) T
(b) 1/T
(c) P
(d) none of these
Answer:
(a) T

Question 19.
Four gases P, Q, R, and S have almost same values of ‘b’ but their a’ values (a. h are Vander Waals Constants) are in the order Q < R < S < p. At a particular temperature, a’nong the four gases the most easily liquelìable one is
(a) P
(b) Q
(c) R
(d) S
Answer:
(c) R

Question 20.
Maximum deviation from ideal gas is expected
(a) CH4(g)
(b) NH3(g)
(c) H2 (g)
(d) N2 (g)
Answer:
(b) NH3(g)

Samacheer Kalvi 11th Chemistry Guide Chapter 6 Gaseous State

Question 21.
The units of Vander Waals constants ‘b’ and ‘a’ respectively
(a) mol L-1 and L atm2 mol-1
(b) mol L and L atm mol2
(c) mol-1 L and L2 atm mol-2
(d) none of these
Answer:
(c) mol-1 L and L2 atm mol-2

Question 22.
Assertion:
Critical temperature of CO2 is 304 K it can be liquefied above 304 K.
Reason:
For a given mass of gas, volume is to directly proportional to pressure at constant temperature
(a) both assertion and reason are true and reason is the correct explanation of assertion
(b) both assertion and reason are true but reason is not the correct explanation of assertion
(c) assertion is true but reason is false
(d) both assertion and reason are false
Answer:
(d) both assertion and reason are false

Question 23.
What is the density of N2 gas at 227°C and 5.00 atm pressure? (R = 0.082 L atm K-1 mol-1)
(a) 1.40 g/L
(b) 2.81 g/L
(c) 3.41 g/L
(d) 0.29 g/L
Answer:
(c) 3.41 g/L

Question 24.
Which of the following diagrams correctly describes the behaviour of a fixed mass of an ideal gas? (T is measured in K)
Samacheer Kalvi 11th Chemistry Guide Chapter 6 Gaseous State 1
Answer:
Samacheer Kalvi 11th Chemistry Guide Chapter 6 Gaseous State 2

Question 25.
25g of each of the following gases are taken at 27°C and 600 mm Hg pressure. Which of these will have the least volume?
(a) HBr
(b) HCl
(c) HF
(d) HI
Answer:
(d) HI

Samacheer Kalvi 11th Chemistry Guide Chapter 6 Gaseous State

II. Answer these questions briefly:

Question 26.
State Boyle’s law.
Answer:
At a given temperature the volume occupied by a fixed mass of a gas is inversely proportional to its pressure.
Mathematically, the Boyle’s law can be written as
V ∝ \(\frac{1}{P}\)     …………..(1)
(T and n are fixed, T-temperature, n-number of moles)
V = k × \(\frac{1}{P}\) …………(2)
k – proportionality constant
PV = k (at constant temperature and mass)

Question 27.
A balloon filled with air at room temperature and cooled to a much lower temperature can be used as a model for Charle’s law.
Answer:
Yes, a balloon filled with air at room temperature and cooled to a much lower temperature can be used as a model for Charle’s law. Volume of balloon decrease when the temperature reduced from room temperature to low temperature. When cooled, the kinetic energy of the gas molecules decreases, so that the volume of the balloon also decreases.

Question 28.
Name two items that can serve as a model for ‘Gay Lusaac’ law and explain.
Answer:
Firing a bullet:
When gunpowder burns, it creates; a significant amount of superheated gas. The high pressure of the hot gas behind the bullet forces it out, of the barrel of the gun.
Heating food in an oven:
When you keep food in an oven for heating, the air inside the oven is heated, thus pressurized.

Question 29.
Give the mathematical expression that relates gas volume and moles. Describe in words what j the mathematical expression means.
Answer:
The mathematical expression that relates gas volume and moles is Avogadro’s hypothesis. It may be expressed as
V ∝ n,
\(\frac{V_{1}}{n_{1}}=\frac{V_{2}}{n_{2}}\) = constant
where V1 and n1 are the volume and number of moles of a gas and V2 and n2 are a different set of values of volume and number of moles of the same gas at same temperature and pressure.

Samacheer Kalvi 11th Chemistry Guide Chapter 6 Gaseous State

Question 30.
What are ideal gases? In what way real gases differ from ideal gases?
Answer:
The kinetic theory of gases which is the basis for the gas equation (PV = nRT), assumes that the individual gas molecules occupy negligible volume when j compared to the total volume of the gas and there is no attractive force between the gas molecules. Gases whose behaviour is consistent with these assumptions under all conditions are called ideal gases.

But in practice both these assumptions are not valid under all conditions. For example, the fact that gases can be liquefied shows that the attractive force exists among molecules. Hence, there is no gas which behaves ideally under all conditions. The non-ideal gases are called real gases. The real gases f tend to approach the ideal behaviour under certain conditions.

Question 31.
Can a Vander Waals gas with a = 0 be liquefied? Explain.
Answer:
If the vander Waals constant (a) = 0 for a gas, then it behaves ideally, (i.e.,) there is no intermolecular forces of attraction. So it cannot be liquefied. Moreover,
Pc = \(\frac{a}{27 b^{2}}\)
If a = 0, then Pc = 0; therefore it cannot he liquefied.

Question 32.
Suppose there is a tiny sticky area on the wall of a container of gas. Molecules hitting this area stick there permanently. Is the pressure greater or less than on the ordinary area of walls?
Answer:
Gaseous pressure is developed by the continuous bombardment of the molecules of the gas among themselves and also with the walls of the container. When the molecules hit the sticky area of the container, the number of molecules decreases and hence, the pressure decreases. Therefore, pressure is less than the ordinary area of walls.

Question 33.
Explain the following observations
(a) Aerated water bottles are kept under water during summer
(b) Liquid ammonia bottle is cooled before opening the seal
(c) The tyre of an automobile is inflated to slightly lesser pressure in summer than in winter
(d) The size of a weather balloon becomes larger and larger as it ascends up into larger altitude.
Answer:
(a) Aerated water bottles contains excess dissolved oxygen and minerals which dissolved under certain pressure and if this pressure suddenly decrease due to change in atmospheric pressure, the bottle will certainly burst with decrease the amount of dissolved oxygen in water , this tends to change the aerated water into normal-water.

(b) The vapour pressure of ammonia at room temperature is very high and hence the ammonia will evaporate unless the vapour pressure is decreased. On cooling the vapour pressure decreases so that the liquid remains in the same state. Hence, the bottle is cooled ’ before opening.

(c) In Summer due to hot weather condition, the air inside the tyre expands to large volume due to heat as compared to winter therefore inflated to lesser pressure in summer.

(d) As we move to higher altitude, the atmospheric pressure decreases, therefore balloon can J easily expand to large volume.

Question 34.
Give suitable explanation for the following facts about gases.
(a) Gases don’t settle at the bottom of a container.
Answer:
According to kinetic theory, gas molecules are moving continuous at random. Hence, they do not settle at the bottom of a container.

(b) Gases diffuse through all the space available to them.
Answer:
Gases have a tendency to occupy all the available space. The gas molecules migrate from region of higher concentration to a region of lowrer concentration. Hence, gases diffuse through all the space available to them.

Samacheer Kalvi 11th Chemistry Guide Chapter 6 Gaseous State

Question 35.
Suggest why there is no hydrogen in our atmosphere. Why does the moon have no atmosphere?
Answer:
Hydrogen has tendency to combine with oxygen to from water vapour. Hence, the presence of hydrogen is negligible in the atmosphere. The gravitational pull in the moon is very less and hence, there is no atmosphere in the moon.

Question 36.
Explain whether a gas approaches ideal behavior or deviates from ideal behaviour if
(a) it is compressed to a smaller volume at f constant pressure.
Answer:
When the gas is compressed to a smaller volume, the compressibility factor (Z) decreases. Hence, the gas deviates from ideal behavior

(b) the temperature is raised at while keeping the volume constant.
Answer:
When the temperature is increased, the compressibility factor approaches unity. Hence, the gas behaves ideally.

(c) More gas is introduced into the same volume and at the same temperature.
Answer:
When more gas is introduced into a container of the same volume and at the same temperature, the compressibility factor tend to unity. Hence, the gas behaves ideally.

Question 37.
Which of the following gases would you expect to deviate from ideal behavior under conditions of low temperature F2, Cl2 or Br2? Explain.
Answer:
Bromine has greater tendency to deviate from ideal behavior at low temperature. The compressibility factor tends to deviate from unity for bromine.

Question 38.
Distinguish between diffusion and effusion.
Answer:

DiffusionEffusion
1. The property of gas which involves the movement of the gas molecules through another gases is called diffusion.It is the property in which a gas escapes from a container through a very small hole.
2. It is the ability of gases to mix with each otherIt is ability of gas to travel through a small hole.
3. The rate of diffusion of a gas depends on how fast the gas molecules are movingThe rate that this happens depends on how many gas molecules “collide” with the pore.
4. e.g., Smell of perfume diffuses into aire.g., Air escaping slowly through the pinhole in a tire.

Question 39.
Aerosol cans carry clear warning of heating of the can. Why?
Answer:
If aerosol cans are heated, then they will produce more vapour inside the can, which will make the pressure rise very quickly. The rises of temperature can double the pressure inside. Even though the cans are tested, they will burst if the pressure goes up too far. A bursting can could be dangerous.

Samacheer Kalvi 11th Chemistry Guide Chapter 6 Gaseous State

Question 40.
When the driver of an automobile applies brake, the passengers are pushed toward the front of the car but a helium balloon is pushed toward back of the car. Upon forward acceleration the passengers are pushed toward the front of the car. Why?
Answer:
Helium floats because it is buoyant; its molecules are lighter than the nitrogen and oxygen molecules of our atmosphere and so they rise above it. In the car, it’s the air molecules that are actually getting pulled and pushed around by gravity as the result of the accelerating frame.

That means it moves in a direction opposite to the force on the surrounding air. Normally, air is pulled downwards due to gravity, which pushes the balloon upwards. In this case, the surrounding air in the car is pulled forward by the deceleration of the car, which pushes the helium balloon backwards.

Question 41.
Would it be easier to drink water with a straw on the top of Mount Everest?
Answer:
It would be harder on the top of the mountain; because the external pressure pushing on the liquid to force it up the straw is less.

Question 42.
Write the Van der Waals equation for a real gas. Explain the correction term for pressure and Volume.
Answer:
Vander Waals equation for a real gas is given by
(P + \(\frac{a n^{2}}{V^{2}}\))(V – nb) = nRT
Pressure Correction:
The pressure of a gas is directly proportional to the force created by the bombardment of molecules on the walls of the container. The speed of a molecule moving towards the wall of the container is reduced by the attractive forces exerted by its neighbours. Hence, the measured gas pressure is lower than the ideal pressure of the gas. Hence, van der Waals introduced a correction term to this effect.
Where n is the number of moles of gas and V is the volume of the container
⇒ P ∝ \(\frac{n^{2}}{V^{2}}\)
⇒ P = \(\frac{a n^{2}}{V^{2}}\)
Where a is proportionality constant and depends on the nature of gas
Therefore,
P = P + \(\frac{a n^{2}}{V^{2}}\)

Volume Correction:
As every individual molecule of a gas occupies a certain volume, the actual volume is less than the volume of the container, V. Van der Waals introduced a correction factor V to this effect. Let us calculate the correction term by considering gas molecules as spheres.
V = excluded volume
Excluded volume for two molecules = \(\frac{4}{3}\) π(2r)3 = 8Vm
where Vm is a volume of a single molecule.
Excluded volume for single molecule = \(\frac{8 V_{m}}{2}\) = 4Vm
Excluded volume for n molecule
= n(4Vm) = nb
Where b is van der waals constant which is equal to 4Vm
⇒ V’ = nb
Videal = V – nb
Replacing the corrected pressure and volume in the ideal gas equation PV = nRT we get the van der Waals equation of state for real gases as below,
(P + \(\frac{a n^{2}}{V^{2}}\))(V – nb) = nRT
The constants a and b are van der Waals constants and their values vary with the nature of the gas.

Samacheer Kalvi 11th Chemistry Guide Chapter 6 Gaseous State

Question 43.
Derive the values of van der Vaals equation constants in terms of critical constants.
Answer:
The Van der walls equation for n moles is
(p + \(\frac{a n^{2}}{V^{2}}\))(V – nb) = nRT ……… (1)
For 1 mole
(P + \(\frac{n^{2}}{V^{2}}\)) (V – b) = RT ……………(2)

From the equation we can derive the values of critical constants Pc, Vc, and Tc in terms of a and b, the van der Waals constants, On expanding the above equation,
PV + \(\frac{a}{V}\) – Pb – \(\frac{a b}{V^{2}}\) – RT = 0 ………….(3)

Multiply equation (3) by \(\frac{V^{2}}{P}\)
\(\frac{V^{2}}{P}\) (PV +\(\frac{a}{V}\) – pb – \(\frac{a b}{V^{2}}\) – RT) = 0

V3 + \(\frac{a}{P}\)V – bV2 – \(\frac{a b}{P}\) – \(\frac{R T V^{2}}{P}\) = 0 ………..(4)
When the above equation is rearranged in powers of V

V3 – [\(\frac{R T}{P}\) + b]V2 + \(\frac{a}{P}\)V – \(\frac{a b}{P}\) = 0 ……………..(5)

The equation (5) is a cubic equation in V. On solving this equation,
we will get three solutions. At the critical point all these three solutions of V are equal to the critical volume Vc. The pressure and temperature becomes Pc and Tc respectively
V = Vc
V – Vc = 0
(V – Vc)3 = 0
V3 – 3VcV2 + 3Vc2V – Vc3 = 0 …………..(6)
As equation (5) is identical with equation (6), we can equate the coefficients of V2, V and constant terms in (5) and (6).
-3VcV2 = –[\(\frac{R T_{c}}{P_{c}}\) + b] V2

3Vc = \(\frac{R T_{c}}{P_{c}}\) + b ………………(7)
3Vc2 = \(\frac{a}{P_{c}}\) ……………(8)
Vc3 = \(\frac{ab}{P_{c}}\) …………….(9)

Samacheer Kalvi 11th Chemistry Guide Chapter 6 Gaseous State 3
The critical constants can be calculated using the values of van der waals constant of a gas and vice versa.
a = 3Vc2 Pc and
b = \(\frac{V_{c}}{3}\)

Question 44.
Why do astronauts have to wear protective suits when they are on the surface of moon?
Answer:
Astronauts must wear spacesuits whenever they leave a spacecraft and are exposed to the environment of moon. In moon, there is no air to breath and no air pressure. Moon is extremely cold and filled with dangerous radiation. Without protection, an astronaut would quickly die in space. Spacesuits are specially designed to protect astronauts from the cold, radiation and low pressure in space. They also provide air to breathe. Wearing a spacesuit allows an astronaut to survive and work in moon.

Question 45.
When ammonia combines with HCl, NH4Cl is formed as white dense fumes. Why do more fumes appear near HCl?
Answer:
HCl and NH4Cl molecules diffuse through the air towards each other. When they meet, they reactto
form a white powder called ammonium chloride, NH4Cl.
HCl(g) + NH3(g) ⇌ NHC1

Hydrogen chloride + ammonia ⇌ ammonium chloride.
The ring of white powder is closer to the HCl than
the NH3. This is because the NH3 molecules are lighter (smaller) and have diffùsed more quickly through the air in the tube.

Samacheer Kalvi 11th Chemistry Guide Chapter 6 Gaseous State

Question 46.
A sample of gas at 15°C at 1 atm. has a volume of 2.58 dm3. When the temperature is raised to 38°C at 1 atm does the volume of the gas Increase? If so, calculate the final volume.
Answer:
T1 = 15°C + 273;
T2 = 38 + 273
T1 = 228;
T2 = 311K
V1 = 2.58dm3;
V2 = ?
(P = 1 atom constant)
\(\frac{V_{1}}{T_{1}}=\frac{V_{2}}{T_{2}}\)

V2 = \(\left[\frac{V_{1}}{T_{1}}\right]\) × T2

= \(\frac{2.58 d m^{3}}{288 K}\) × 311K
V2 = 2.78 dm3 i.e, volume increased from 2.58 dm3 to 2.78 dm3

Question 47.
Of two samples of nitrogen gas, sample A contains 1.5 moles of nitrogen In a vessel of volume of 37.6 dm3 at 298K, and the sample B Is in a vessel of volume 16.5 dm3 at 298K. Calculate the number of moles in sample B.
Answer:
nA = 1.5mol; nB = ?
VA = 37.6 dm3; VB = 16.5 dm3
(T = 298K constant)
\(\frac{V_{A}}{n_{A}}=\frac{V_{B}}{n_{B}}\)

nA = \(\left[\frac{n_{A}}{n_{B}}\right] V_{B}\)

Question 48.
Sulphur hexafluoride Is a colourless, odourless gas; calculate the pressure exerted by 1.82 moles of the gas In a steel vessel of volume 5.43 dm3 at 69.5°C, assumIng Ideal gas behaviour.
Answer:
n = 1.82 mole
V = 5.43 dm3
T = 69.5 + 273 = 342.5
P =?
PV = nRT
P = nRT/V
P = Samacheer Kalvi 11th Chemistry Guide Chapter 6 Gaseous State 4
P = 94.25 atm

Question 49.
Argon is an Inert gas used In light bulbs to retard the vaporization of the tungsten filament. A certain light bulb containing argon at 1.2 atm and 18°C Is heated to 85°C at constant volume. Calculate its final pressure in atm.
Answer:
P1 = 1.2 atm
T1 = 180°C + 273 = 291 K
T2 = 850°C + 273 = 358 K
P2 =?
\(\frac{P_{1}}{T_{1}}=\frac{P_{2}}{T_{2}}\)

P2 = \(\left[\frac{P_{1}}{T_{1}}\right] \times T_{2}\)

P2 = \(\frac{1.2 a t m}{291 K}\) × 358 K
P2 = 1.48 atm

Samacheer Kalvi 11th Chemistry Guide Chapter 6 Gaseous State

Question 50.
A small bubble rises from the bottom of a lake where the temperature and pressure are 6°C and 4 atm. to the water surface, where the temperature is 25°C and pressure Is I arm. Calculate the final volume in (mL) of the bubble, If its initial volume 1.5 mL.
Answer:
T1 = 6°C + 273 = 279 K
P1 = 4 atm; V2 = 1.5 ml
T2 = 25°C + 273 = 298 K
P2 = 1 atm; V2 =?
\(\frac{P_{1} V_{1}}{T_{1}}=\frac{P_{2} V_{2}}{T_{2}}\)

= \(\frac{4 a t m \times 1.5 m l \times 298 K}{279 K \times 1 a t m}\) = 6.41 mol

Question 51.
Hydrochloric acid Is treated with a metal to produce hydrogen gas. Suppose a student carries out this reaction and collects a volume of 154.4 × 10-3 dm3 of a gas at a pressure of 742 mm of Hg at a temperature of 298 K. What mass of hydrogen gas (in mg) did the student collect?
Answer:
V = 154.4 × 10-3 dm3
P = 742 mm of Hg
T = 298K;
m =?
m = \(\frac{P V}{R T}\)

= \(\frac{742 m m H g \times 154.4 \times 10^{-3} L}{62 m m H g L K^{-1} m o l^{-1} \times 298 K}\)

n = \(\frac{\text { Mass }}{\text { Molar Mass }}\)

Mass = n × Molar Mass
= 0.0006 × 2.016
= 0.0121 g = 12.1 mg

Question 52.
It takes 192 sec for an unknown gas to diffuse through a porous wall and 84 sec for N2 gas to effuse at the same temperature and pressure. What Is the molar mass of the unknowa gas?
Answer:
Samacheer Kalvi 11th Chemistry Guide Chapter 6 Gaseous State 5

Question 53.
A tank contains a mixture of 52.5 g of oxygen and 65.1 g of CO2 at 300 K the total pressure In the tanks Is 9.21 atm. calculate the partial pressure (in atm.) of each gas in the mixture.
Answer:
Samacheer Kalvi 11th Chemistry Guide Chapter 6 Gaseous State 6
Samacheer Kalvi 11th Chemistry Guide Chapter 6 Gaseous State 7

Question 54.
A combustible gas is stored in a metal tank at a pressure of 2.98 atm at 25°C. The tank can withstand a maximum pressure of 12 atm after which It will explode. The building in which the tank has been stored catches fire. Now predict whether the tank will blow up first or start melting? (Melting point of the metal 1100 K).
Answer:
Pressure of the gas in the tank at its melting point
T = 298 K;
P1 = 2.98 atom;
T2 = 1100 K;
P2 =?
\(\frac{P_{1} P_{2}}{T_{1} T_{2}}\) =????
⇒ P2 = \(\frac{P}{T_{1}}\) × T2
= \(\frac{2.98 \text { atm }}{298 K}\) × 1100 K = 11 atm

At 1100 K the pressure of the gas inside the tank will become 11 atm. Given that tank can withstand a maximum pressure of 12 atm, the tank will start melting first.

Samacheer Kalvi 11th Chemistry Guide Chapter 6 Gaseous State

11th Chemistry Guide Gaseous State Additional Questions and Answers

I. Choose the best Answer:

Question 1.
The approximate volume percentage of nitrogen and oxygen in the atmosphere of air are _______ and ______ respectively.
(a) 21, 68
(b) 21, 78
(c) 78, 2
(d) 80, 21
Answer:
(c) 78, 2

Question 2.
The SI unit of pressure is
(a) pascal
(b) atmosphere
(c) bar
(d) torr
Answer:
(a) pascal

Question 3.
The compound widely used in the refrigerator as coolant is
(a) Freon-2
(b) Freon-12
(c) Freon-13
(d) Freon-14
Answer:
(b) Freon-12

Question 4.
“For a fixed mass of a gas at constant pressure, the volume is directly proportional to its temperature”. This statement is
(a) Boyle’s law
(b) Gay-Lussac law
(c) Avogadro’s law
(d) Charle’s law
Answer:
(d) Charle’s law

Question 5.
Hydrogen is placed in the ______ of the periodic table.
(a) Group -1
(b) group-17
(c) group-18
(d) group-2
Answer:
(a) Group -1

Samacheer Kalvi 11th Chemistry Guide Chapter 6 Gaseous State

Question 6.
The plot of the volume of the gas against its temperature at a given pressure is called
(a) isotone
(b) isobar
(c) isomer
(d) isotactic
Answer:
(b) isobar

Question 7.
At constant temperature for a given mass, for each degree rise in temperature, all gases expand by of their volume at 0°C.
(a) 273
(b) 298
(c) \(\frac{1}{273}\)

(d) \(\frac{1}{298}\)
Answer:
(c) \(\frac{1}{273}\)

Question 8.
The precise value of temperature at which the volume of the gas becomes zero is
(a) -273.15 °C
(b) -273 °C
(c) -298.15°C
(d) -298 °C
Answer:
(a) -273.15 °C

Question 9.
‘At constant volume, the pressure of a fixed mass of a gas is directly proportional to temperature”. This statement is
(a) Charle’s law
(b) Boyle’s law
(c) Gay-Lussac’s law
(d) Dalton’s law
Answer:
(c) Gay-Lussac’s law

Question 10.
The value of gas constant, R, in terms of JK-1 mol-1 is
(a) 8.314
(b) 4.184
(c) 0.0821
(d) 1.987
Answer:
(a) 8.314

Samacheer Kalvi 11th Chemistry Guide Chapter 6 Gaseous State

Question 11.
A mixture of gases containing 4 mole of hydrogen and 6 mole of oxygen. The partial pressure of hydrogen, if the total pressure is 5 atm, is
(a) 10 atm
(b) 0.4 atm
(c) 20 atm
(d) 2 atm
Answer:
(d) 2 atm

Question 12.
A mixture of gases containing 1 mole of He, 4 mole of Ne and 5 mole of Xe. The correct order of partial pressure of the gases, if the total pressure is 10 atm is
(a) Xe < Ne < He
(b) He < Ne < Xe
(c) Xe < Ne < He
(d) He < Xe < Ne
Answer:
(b) He < Ne < Xe

Question 13.
The property of a gas which involves the movement of the gas molecules through another gases is called
(a) effusion
(b) dissolution
(c) difusion
(d) expansion
Answer:
(c) difusion

Question 14.
The process in which agas escapes from a container through a very small hole is called
(a) diffusion
(b) effusion
(c) occlusion
(d) dilution
Answer:
(a) diffusion

Question 15.
The rate of diffusion of a gas is inversely proportional to the
(a) square of molar mass
(b) square root of density
(c) square root of molar mass
(d) square of density
Answer:
(c) square root of molar mass

Samacheer Kalvi 11th Chemistry Guide Chapter 6 Gaseous State

Question 16.
An unknown gas X diffuses at a rate of 2 times of oxygen at the same temperature and pressure. The molar mass (in g mol-1) of the gas ‘X is (Molar mass of oxygen is 32 g mol-1)
(a) 8
(b) 16
(c) 20
(d)12
Answer:
(a) 8

Question 17.
The deviation of real gases from ideal behavior is measured in terms of
(a) expansivity factor
(b) molar mass
(c) pressure
(d) compressibility factor
Answer:
(d) compressibility factor

Question 18.
The gases which deviate from ideal behavior at
(a) low temperature and high pressure
(b) high temperature and low pressure
(c) low temperature and low pressure
(d) high temperature and high pressure
Answer:
(b) high temperature and low pressure

Question 19.
The temperature at which a real gas obeys ideal gas law over an appreciable range of pressure is called temperature
(a) inversion
(b) ideal
(c) Boyle
(d) reversible
Answer:
(c) Boyle

Question 20.
Ideal gas equation for ‘n’ moles is
(a) \(\frac{P}{R}=\frac{n T}{V}\)

(b) PV = \(\frac{n R}{T}\)

(c) \(\frac{V}{T}=\frac{n P}{R}\)

(d) \(\frac{P}{T}=\frac{n R}{V}\)
Answer:
(d) \(\frac{P}{T}=\frac{n R}{V}\)

Samacheer Kalvi 11th Chemistry Guide Chapter 6 Gaseous State

Question 21.
The pressure correction introduced by Van der Waals is,
Pideal =
(a) P + \(\frac{a V^{2}}{n^{2}}\)

(b) P + \(\frac{a n}{V^{2}}\)

(c) P + \(\frac{a n^{2}}{V^{2}}\)

(d) P + \(\frac{a V}{n^{2}}\)
Answer:
(c) P + \(\frac{a n^{2}}{V^{2}}\)

Question 22.
The volume correction introduced by Van der Waals is, Videal =
(a) V – nb
(b) V + nb
(c) \(\frac{V}{n b}\)
(d) b – nV
Answer:
(b) V + nb

Question 23.
Van der waals equation for one mole of a gas is
(a) (P + \(\frac{a}{V}\))(V-b) = RT
(b) (P – \(\frac{a}{V^{2}}\))(V + -b) = RT
(c) (P + \(\frac{a}{V^{2}}\))(V – b) = RT
(d) (P + \(\frac{a}{V}\))(V + b) = RT
Answer:
(c) (P + \(\frac{a}{V^{2}}\))(V – b) = RT

Question 24.
The unit of Van der Waals constant V is
(a) atm lit mol-1
(b) atm lit2 mol-2
(c) atm lit-2 mol2
(d) atm lit-1 mol2
Answer:
(b) atm lit2 mol-2

Question 25.
The unit of Van der waals constant ‘b’ is
(a) lit mol-1
(b) lit mol
(c) atm lit mol-1
(d) atm lif-1 mol-2
Answer:
(a) lit mol-1

Samacheer Kalvi 11th Chemistry Guide Chapter 6 Gaseous State

Question 26.
The temperature above which a gas cannot be liquefied even at high pressure is called is ________ temperature.
(a) ideal
(b) inversion
(c) critical
(d) real
Answer:
(c) critical

Question 27.
The gas used in pressure-volume isotherm study of Andrew’s experiment is
(a) N2
(b) H2S
(c) NH3
(d) CO2
Answer:
(d) CO2

Question 28.
Which of the following gas has highest critical temperature?
(a) NH3
(b) CO2
(c) N2
(d) CH4
Answer:
(a) NH3

Question 29.
The relationship between critical volume and Vander waals constant is
(a) Vc =\(\frac{a}{R b}\)
(b) Vc = 3b
(c) Vc = \(\frac{8 a}{27 R b}\)
(d) Vc = 8b
Answer:
(b) Vc = 3b

Question 30.
The temperature below which a gas obeys Joule-Thomson effect is called ______ temperature.
(a) critical
(b) Inversion
(c) ideal
(d) real
Answer:
(b) Inversion

Samacheer Kalvi 11th Chemistry Guide Chapter 6 Gaseous State

Question 31.
In the equation PV = nRT, which one cannot be numerically equal to R?
(a) 8.31 × 107 ergs K-1 mol-1
(b) 8.31 × 107 dynes cm K-1 mol-1
(c) 8.317J K-1 mol-1
(d) 8.317L atm K-1 mol-1
Answer:
(d) 8.317L atm K-1 mol-1

Question 32.
A sample of a given mass of gas at constant temperature occupies a volume of 95 cm3 under a pressure of 10.13 × 104 Nm-2. At the same temperature, its volume at pressure of 10.13 × 104 Vm-2 is
(a) 190 cm3
(b) 93 cm3
(c) 46.5 cm3
(d) 4.75 cm3
Answer:
(b) 93 cm3

Question 33.
The number of moles of H2 in 0.224 L of hydrogen gas at STP (273 K, 1 atm) assuming ideal gas behavior is
(a) 1
(b) 0.1
(c) 0.01
(d) 0.001
Answer:
(c) 0.01

Question 34.
Use of hot air balloons in sports and meteorological observations is an application of
(a) Boyle’s law
(b) Newton’s law
(c) Kelvin’s law
(d) Charle’s law
Answer:
(d) Charle’s law

Question 35.
To what temperature must a neon gas sample be heated to double its pressure, if the initial volume of gas at 75°C is decreased by 15.0% by cooling the gas?
(a) 319°C
(b) 592°C
(c) 128°C
(d) 60°C
Answer:
(a) 319°C

Samacheer Kalvi 11th Chemistry Guide Chapter 6 Gaseous State

Question 36.
7.0 g of a gas at 300K and 1 atm occupies a volume of 4.1 litre. What is the molecular mass of the gas?
(a) 42
(b) 38.24
(c) 14.5
(d) 46.5
Answer:
(a) 42

Question 37.
If most probable velocity is represented by a and fraction possessing it by / then with increase in temperature which one of the following is correct?
(a) α increases, f decreases
(b) α decreases, f increases
(c) Both α and f decrease
(d) Both α and f increase
Answer:
(a) α increases, f decreases

Question 38.
The rate of diffusion of gases A and B of molecular weight 36 and 64 are in the ratio
(a) 9 : 16
(b) 4 : 3
(c) 3 : 4
(d) 16 : 9
Answer:
(b) 4 : 3

Question 39.
To which of the following gaseous mixtures Dalton’s law is not applicable?
(a) Ne + He + SO2
(b) NH3 + HCl + HBr
(c) O2 + N2 +CO2
(d) N2 + H2 + O2
Answer:
(b) NH3 + HCl + HBr

Question 40.
Which of the following is true about gaseous state?
(a) Thermal energy = molecular interaction
(b) Thermal energy >> molecular interaction
(c) Thermal energy << molecular interaction
(d) molecular forces >> those in liquids
Answer:
(b) Thermal energy >> molecular interaction

Samacheer Kalvi 11th Chemistry Guide Chapter 6 Gaseous State

Question 41.
50 mL of gas A effuses through a pinhole in 146 seconds. The same volume of CO2 under identical condition effuses in 115 seconds. The molar mass of A is
(a) 44
(b) 35.5
(c) 71
(d) None of these
Answer:
(c) 71

Question 42.
Gas deviates from ideal gas nature because molecules
(a) are colourless
(b) attract each other
(c) contain covalent bond
(d) show Brownian movement
Answer:
(b) attract each other

Question 43.
Which of the following gases is expected to have largest value of van der Waals constant ‘a’?
(a) He
(b) H2
(c) NH3
(d) O2
Answer:
(c) NH3

Question 44.
In van der Waals equation of state for a real gas, the term that accounts for intermolecular forces is
(a) Vm – b
(b) P + \(\frac{a}{V m^{2}}\)
(c) RT
(d) \(\frac{1}{R T}\)
Answer:
(b) P + \(\frac{a}{V m^{2}}\)

Question 45.
What are the most favourable conditions to liquefy a gas?
(a) High temperature and low pressure
(b) Low temperature and high pressure
(c) High temperature and high pressure
(d) Low temperature and low pressure
Answer:
(b) Low temperature and high pressure

Samacheer Kalvi 11th Chemistry Guide Chapter 6 Gaseous State

Question 46.
Which of the following has a non-linear relationship?
(a) P vs V
(b) P vs \(\frac{1}{V}\)
(c) both (a) and (b)
(d) none of these
Answer:
(a) P vs V

Question 47.
Why is that the gases show ideal behavior when the volume occupied is large?
(a) So that the volume of the molecules can be neglected in comparison to it.
(b) So that the pressure is very high
(c) So that the Boyle temperature of the gas is constant
(d) all of these
Answer:
(a) So that the volume of the molecules can be neglected in comparison to it.

Question 48.
At a given temperature, pressure of a gas obeying Van der Waals equation is
(a) less than that of an ideal gas
(b) more than that of an ideal gas
(c) more or less depending on the nature of gas
(d) equal to that of an ideal gas
Answer:
(a) less than that of an ideal gas

Question 49.
NH3 gas is liquefied more easily than N2. Hence
(a) Van der Waals constant a and b of NH3 > that of N2
(b) van der Waals constants a and b of NH3 < that of N2
(c) a(NH3) > a(N2) but b(NH3) < b(N2)
(d) a(NH3) < a(N2) but b(NH3) > b(N2)
Answer:
(c) a(NH3) > a(N2) but b(NH3) < b(N2)

Question 50.
Maximum deviation from ideal gas is expected from
(a) CH4(g)
(b) NH3(g)
(c) H2(g)
(d) N2(g)
Answer:
(b) NH3(g)

Samacheer Kalvi 11th Chemistry Guide Chapter 6 Gaseous State

II. Very short question and answers (2 Marks):

Question 1.
Define Pressure? Give its unit?
Answer:
Pressure is defined as force divided by the area to which the force is applied. The SI unit of pressure is pascal which is defined as 1 Newton per square meter (Nm-2).
Pressure = \(\frac{\text { Force }\left(\mathrm{N}(\text { or }) \mathrm{Kg} \mathrm{ms}^{-2}\right)}{\text {Area }\left(\mathrm{m}^{2}\right)}\)

Question 2.
State Gay Lussac ‘s law.
Answer:
At constant volume, the pressure of a fixed mass of a gas is directly proportional to temperature.
P ∝ T or \(\frac{P}{T}\) = constant K
If P1 and P2 are the pressures at temperatures T1 and T2, respectively, then from Gay Lussac’s law
\(\frac{P_{1}}{T_{1}}=\frac{P_{2}}{T_{2}}\)

Question 3.
State Dalton’s law of partial pressure.
Answer:
The total pressure of a mixture of non-reacting gases is the sum of partial pressures of the gases present in the mixture” where the partial pressure of a component gas is the pressure that it would exert if it were present alone in the same volume and temperature. This is known as Dalton s law of partial pressures.
For a mixture containing three gases 1, 2, and 3 with partial pressures p1, p2, and p3 in a container with volume V, the total pressure Ptotal will be give by
Ptotal = p1 + p2 + p3

Question 4.
What is Compressibility factor?
Answer:
The deviation of real gases from ideal behaviour is measured in terms of a ratio of PV to nRT. This is termed as compressibility factor. Mathematically,
Z = \(\frac{P V}{n R T}\)

Question 5.
Define Critical temperature (Tc) of a gas?
Answer:
Critical temperature (Tc) of a gas is defined as the temperature above which it cannot be liquefied even at high pressure.

Samacheer Kalvi 11th Chemistry Guide Chapter 6 Gaseous State

Question 6.
How does cooling is produced in Adiabatic Process?
Answer:
In Adiabatic process, cooling is produced by removing the magnetic property of magnetic material such as gadolinium sulphate. By this method, a temperature of 10-4 K i.e., as low as 0 K can be achieved.

Question 7.
How do you understand PV relationship?
Answer:
The PV relationship can be understood as follows. The pressure is due to the force of the gas particles on the walls of the container. If a given amount of gas is compressed to half of its volume, the density is doubled and the number of particles hitting the unit area of the container will be doubled. Hence, the pressure would increase two fold.

Question 8.
Write a note on Consequence of Boyle’s law.
Answer:
The pressure-density relationship can be derived from the Boyle’s law as shown below.
P1V1 = P2V2
P1 \(\frac{m}{d_{1}}\) = P2 \(\frac{m}{d_{2}}\)
where “m” is the mass, d1 and d2 are the densities of gases at pressure P1 and P2.
\(\frac{P_{1}}{d_{1}}=\frac{P_{2}}{d_{2}}\)
In other words, the density of a gas is directly proportional to pressure.

Question 9.
A gas cylinder can withstand a pressure of 15 aim. The pressure of cylinder is measured 12 atm at 27°C. Upto which temperature limit the cylinder will not burst?
Answer:
Cylinder will burst at that temperature when it attains the pressure of 15 atm
P1 = 12 atm
T = 27° C = (27 + 273)K = 300K
P2 = 15 atm; T = ?
\(\frac{P_{1}}{T_{1}}=\frac{P_{2}}{T_{2}}\)

T2 = \(\frac{15 \times 300}{12}\) = 375 K
= (375 – 273)°C = 102°C

Question 10.
Write a note on application of Dalton’s law.
Answer:
In a reaction involving the collection of gas by downward displacement of water, the pressure of dry vapor collected can be calculated using Dalton’s law.
Pdry gas collected = Ptotal – Pwatervapour
Pwatervapour has generally referred as aqueous tension and its values are available for air at various temperatures.

Samacheer Kalvi 11th Chemistry Guide Chapter 6 Gaseous State

Question 11.
State Charles law.
Answer:
For a fixed mass of a gas at constant pressure, the volume is directly proportional to its temperature.
\(\frac{V}{T}\) = constant (at constant pressure)

Question 12.
What happens when a balloon is moved from an ice cold water bath to a boiling water bath?
Answer:
If a balloon is moved from an ice cold water bath to a boiling water bath, the temperature of the gas increases. As a result, the gas molecules inside the balloon move faster and gas expands. Hence, the volume increases.

Question 13.
Write notes on coefficient of expansion(α).
Answer:
The relative increase in volume per °C (α) is equal to \(\frac{V}{V_{0} T}\)
Therefore, \(\frac{V}{V_{0} T}\)
TV = V0(αT + 1)
Charles found that the coefficient of expansion is approximately equal to 1/273. It means that at constant temperature for a given mass, for each degree rise in temperature, all gases expand by 1/273 of their volume at 0°C.

Question 14.
State Gay-Lussac law.
Answer:
At constant volume, the pressure of a fixed mass of a gas is directly proportional to temperature.
P ∝ T (at constant volume)

Question 15.
State Avogadro’s hypothesis.
Answer:
Equal volumes of all gases under the same conditions of temperature and pressure contain equal number of molecules.

Samacheer Kalvi 11th Chemistry Guide Chapter 6 Gaseous State

Question 16.
Distinguish between diffusion and effusion.
Answer:
The property of gas that involves the movement of the gas molecules through another gases is called diffusion. Effusion is another process in which a gas escapes from a container through a very small hole.

Question 17.
State Graham’s law of diffusion.
Answer:
The rate of diffusion or effusion is inversely proportional to the square root of molar mass. This statement is called Graham’s law of diffusion/effusion.
Mathematically, rate of diffusion ∝ \(\frac{1}{M}\)

Question 18.
What is Boyle temperature?
Answer:
The temperature at which a real gas obeys ideal gas law over an appreciable range of pressure is called Boyle temperature or Boyle point.

Samacheer Kalvi 11th Chemistry Guide Chapter 6 Gaseous State

III. Short Question and Answers (3 Marks):

Question 1.
Write notes on Boyle’s point.
Answer:
The temperature at which a real gas obeys ideal gas law over an appreciable range of pressure is called Boyle temperature or Boyle point. The Boyle point varies with the nature of the gas. Above the Boyle point, for real gases, Z > 1, i.e., the real gases show positive deviation. Below the Boyle point, the real gases first show a decrease for Z, reaches a minimum and then increases with the increase in pressure.

Question 2.
What are the different methods of liquefaction of gases?
Answer:
There are different methods used for liquefaction of gases:

  1. In Linde’s method, Joule-Thomson effect is used to get liquid air or any other gas.
  2. In Claude’s process, the gas is allowed to perform mechanical work in addition to Joule-Thomson effect so that more cooling is produced.
  3. In Adiabatic process, cooling is produced by removing the magnetic property of magnetic material such as gadolinium sulphate. By this method, a temperature of 10-4 K i.e., as low as 0 K can be achieved.

Question 3.
48 litre of dry N2 is passed through 36g of H2O at 27°C and this results In a loss of 1.20 g of water. Find the vapour pressure of water?
Answer:
Water loss is observed because of escape of water molecules with N2 gas. These water vapour occupy the volume of N2 gas i.e., 48 litres.
Using,
PV = \(\frac{m}{M}\)RT;
V = 48L
m = 1.2g;
M = 18u;
R = 0.082 L atm K-1mol-1
T = 27 + 273 = 300 K
P = \(\frac{1.2}{18} \times \frac{0.0821 \times 300}{48}\) = 0.034 atm

Samacheer Kalvi 11th Chemistry Guide Chapter 6 Gaseous State

Question 4.
A flask of capacity one litre is heated from 25°C to 35°C. What volume of air will escape from the flask?
Answer:
Applying, \(\frac{V_{1}}{T_{1}}=\frac{V_{2}}{T_{2}}\)
V1 = 1L;
T1 = 25 + 273 = 298 K
V2 = ?
T2 = 35 + 273 = 308 K
V2 = \(\frac{1}{298}\) × 308 = 1.033 L
Capacity of Flask = 1 L
So, volume of air escaped = 1.033 – 1 = 0.033 L = 33 mL

Question 5.
Discuss the graphical representation of Boyle’s law.
Answer:
Boyle’s law is applicable to all gases regardless of their chemical identity (provided the pressure is low). Therefore, for a given mass of a gas under two different sets of conditions at constant temperature we can write,
Samacheer Kalvi 11th Chemistry Guide Chapter 6 Gaseous State 10
Samacheer Kalvi 11th Chemistry Guide Chapter 6 Gaseous State 11

Question 6.
A certain gas takes three times as long to effuse out as helium. Find its molecular mass.
Answer:
Samacheer Kalvi 11th Chemistry Guide Chapter 6 Gaseous State 12

Question 7.
The vapour pressure of water at 80°C is 355.5 mm of Hg. A 100 mL vessel contains water saturated with O2 at 80°C, the total pressure being 760 mm of Hg. The contents of the vessel were pumped into a 50 mL vessel at the same temperature. What is the partial pressure of O2?
Answer:
Ptotal = PH2O + PO2
PO2 = 760 – 355.5 = 404.5
When the contents were pumped into 50 mL vessel
P1 = 404.5
V1 = 100 mL
P2 =?
V2 = 50 mL
P1V1 = P2V2
P2 = \(\frac{404.5 \times 100}{50}\) = 809 mm
Thus, PO2 in 50 mL vessel = 809 mm

Samacheer Kalvi 11th Chemistry Guide Chapter 6 Gaseous State

Question 8.
Write notes on compressibility factor for real gases.
Answer:
The compressibility factor Z for real gases can be rewritten,
Z = PVreal / nRT …………..(1)
Videal = \(\frac{n R T}{P}\) ……………(2)
substituting (2) in (1)
where Vreal is the molar volume of the real gas and Videal is the molar volume of it when it behaves ideally.

Question 9.
Derive ideal gas equation.
Answer:
The gaseous state is described completely using the following four variables T, P, V, and n and their relationships were governed by the gas laws studied so far.
Boyle’s law V ∝ P1
Charles law V ∝ T
Avogadro’s law V ∝ n
We can combine these equations into the following general equation that describes the physical behaviour of all gases.
V ∝ \(\frac{n T}{P}\)

V = \(\frac{n R T}{P}\)
where, R is the proportionality constant called universal gas constant.
The above equation can be rearranged to give the ideal gas equation
PV = nRT

Question 10.
State and explain Dalton’s law of partial pressure.
Answer:
John Dalton stated that “the total pressure of a mixture of non-reacting gases is the sum of partial pressures of the gases present in the mixture” where the partial pressure of a component gas is the pressure that it would exert if it were present alone in the same volume and temperature. This is known as Dalton’s law of partial pressures, i.e., for a mixture containing three gases 1, 2, and 3 with partial pressures p1, p2, and p3 in a container with volume V, the total pressure Ptotal will be given by
P = p1 + p2 + p3

Samacheer Kalvi 11th Chemistry Guide Chapter 6 Gaseous State

IV. Long Question and Answers (5 Marks):

Question 1.
Derive Van der waals equation of state.
Answer:
J.D.Van der Waals made the first mathematical analysis of real gases. His treatment provides us an interpretation of real gas behaviour at the molecular level. He modified the ideal gas equation PV = nRT by introducing two correction factors, namely, pressure correction and volume correction.

Pressure Correction:
The pressure of a gas is directly proportional to the force created by the bombardment of molecules on the walls of the container. The speed of a molecule moving towards the wall of the container is reduced by the attractive forces exerted by its neighbours. Hence, the measured gas pressure is lower than the ideal pressure of the gas. Hence, van der Waals introduced a correction term to this effect.

Van der Waals found out the forces of attraction experienced by a molecule near the wall are directly proportional to the square of the density of the gas.
P’ ∝ p2
p = \(\frac{n}{v}\)

where n is the number of moles of gas and V is the volume of the container
⇒ P’ = \(\frac{n^{2}}{V^{2}}\)
⇒ P’ = a\(\frac{n^{2}}{V^{2}}\)

where a is the proportionality constant and depends on the nature of gas.
Therefore, ideal P = P + a\(\frac{n^{2}}{V^{2}}\)

Volume Correction:
As every individual molecule of a gas occupies a certain volume, the actual volume is less than the volume of the container, V. Van der Waals introduced a correction factor V’ to this effect. Let us calculate the correction term by considering gas molecules as spheres.
V = excluded volume
Excluded volume for two molecules = \(\frac{4}{3}\)π(2r)3
= \(\left|\frac{-8}{(3 \pi)}\right|\) = 8Vm

where Vm is a volume of a single molecule
Excluded volume for single-molecule = \(\frac{8 V_{m}}{2}\) = 4Vm

Excluded volume for n molecule = n(4Vm) = nb
Where b is van der Waals constant which is equal to 4 Vm
=> V’ = nb
Videal = V nb

Replacing the corrected pressure and volume in the ideal gas equation PV = nRT we get the van der Waals equation of state for real gases as below,
(P + \(\frac{a n^{2}}{V}\))(V – nb) = nRT
The constants a and b are van der Waals constants and their values vary with the nature of the gas. It is an approximate formula for the non-ideal gas.

Samacheer Kalvi 11th Chemistry Guide Chapter 6 Gaseous State

Question 2.
Derive the relationship between Van der Waals constants and critical constants.
Answer:
The van der Waals equation for n moles is
(P + \(\frac{a n^{2}}{V}\))(V – nb) = nRT
For 1 mole
(p + \(\frac{a}{V^{2}}\))(V – b) = RT
From the equation we can derive the values of critical constants Pc, Vc, and Tc in terms of a and b, the van der Waals constants, On expanding the above equation
PV + \(\frac{a}{V}\) – Pb – \(\frac{a b}{V^{2}}\) – RT = 0

Multiply above equation by
\(\frac{V_{2}}{P}\)(PV + \(\frac{a}{V}\) – Pb – \(\frac{a b}{V^{2}}\) – RT) = 0

V3 + \(\frac{a V}{P}\) + -bV2 – \(\frac{a b}{p}\) – \(\frac{R T V^{2}}{P}\) = 0

when the above equation is rearranged in powers of V

V3 \(\frac{R T}{P}\) + bV2 \(\frac{a}{P}\) V – \(\frac{a b}{P}\) = 0.

The above equation is a cubic equation in V. On solving this equation,
we will get three solutions. At the critical point, all these three solutions of Vc are equal to the critical volume. The pressure and temperature becomes Pc and Tc respectively
i.e., V = Vc
V – Vc = 0
V – (Vc)3 = 0
V3 – 3VcV2 + 3VVc2 – Vc3 = 0.
As equation identical with equation above, we can equate the cocfficients of Vc, V and constant terms.

-3VcV2 = –\(\frac{R T_{C}}{P}\) + bV2

3Vc = \(\frac{R T_{C}}{P_{C}}\) + b ……….(1)

3Vc2 = \(\frac{a}{P_{C}}\) …………..(2)

Vc3 = \(\frac{a b}{P_{C}}\) …………..(3)

Divide equation (3) by equation (2)

\(\frac{V_{c}^{3}}{3 V_{C}^{2}}=\frac{a b / P_{C}}{a / P_{C}}\)

\(\frac{V_{C}}{3}\) = b
i.e., Vc = 3b ……………(4)

when equation (4) is substituted in (2)
Samacheer Kalvi 11th Chemistry Guide Chapter 6 Gaseous State 13
The critical constants can be calculated using the values of vander walls constant of a gas and vice versa.

a = 3Vc2 Pc and b = \(\frac{V_{C}}{3}\)

Samacheer Kalvi 11th Chemistry Guide Chapter 6 Gaseous State

Question 3.
Explain Andrew’s isotherm for Carbon dioxide.
Answer:
Thomas Andrew gave the first complete data on pressure-volume-temperature of a substance in the gaseous and liquid states. He plotted isotherms of carbon dioxide at different temperatures which is shown in Figure. From the plots we can infer the following.

At low temperature isotherms, for example, at 130°C as the pressure increases, the volume decreases along AB and is a gas until the point B is reached. At B, a liquid separates along the line BC, both the liquid and gas co-exist and the pressure remains constant. At C, the gas is completely converted into liquid. If the pressure is higher than at C, only the liquid is compressed so, there is no significant change in the volume. The successive isotherms shows similar trend with the shorter flat region. i.e., The volume range in which the liquid and gas coexist becomes shorter.

At the temperature of 31.1°C the length of the shorter portion is reduced to zero at point P. In other words, the CO2 gas is liquefied completely at this point. This temperature is known as the liquefaction temperature or critical temperature of CO3. At this point the pressure is 73 atm. Above this temperature, CO3 remains as a gas at all pressure values. It is then proved that many real gases behave in a similar manner to carbon dioxide.

Samacheer Kalvi 11th Chemistry Guide Chapter 6 Gaseous State 14

Question 4.
Explain Boyle’s law experiment:
Answer:
Robert Boyle performed a series of experiments to j study the relation between the pressure and volume of gases. The schematic diagram of the apparatus j used Boyle is shown in figure.

Samacheer Kalvi 11th Chemistry Guide Chapter 6 Gaseous State 15

Mercury was added through the open end of the apparatus such that the mercury level on both ends are equal as shown in the figure (a). Add more amount of mercury until the volume of the trapped air is reduced to half of its original volume as shown in figure (b). The pressure exerted on the gas by the addition of excess mercury is given by the difference in mercury levels of the tube.

Initially the pressure exerted by the gas is equal to 1 atm as the difference in height of the mercury levels is zero. When the volume is reduced to half, the difference in mercury levels increases to 760 mm. Now the pressure exerted by the gas is equal to 2 atm. It led him to conclude that at a given temperature the volume occupied by a fixed mass of a gas is inversely proportional to its pressure.
Mathematically, the Boyle’s law can be written as
V ∝ \(\frac{1}{P}\) ……….(1)
(T and n are fixed, T-temperature, n- number of moles)
V = k × \(\frac{1}{P}\) ……….(2)
k – proportionality constant When we rearrange equation (2)
PV = k at constant temperature and mass.

Samacheer Kalvi 11th Bio Botany Guide Chapter 12 Mineral Nutrition

Tamilnadu State Board New Syllabus Samacheer Kalvi 11th Bio Botany Guide Pdf Chapter 12 Mineral Nutrition Text Book Back Questions and Answers, Notes.

Tamilnadu Samacheer Kalvi 11th Bio Botany Solutions Chapter 12 Mineral Nutrition

11th Bio Botany Guide Mineral Nutrition Text Book Back Questions and Answers

Part -I

Question 1.
Identify correct match.
1. Die back disease of citrus -(i) Mo
2. Whip tail disease – (ii) Zn
3. Brown heart of turnip -(iii) Cu
4. Little leaf -(iv) B
Samacheer Kalvi 11th Bio Botany Guide Chapter 12 Mineral Nutrition 1
Answer:
b) 1 (iii) 2 (i) 3 (iv) 4 (ii)

Question 2.
If a plant is provided with all mineral nutrients but, Mn concentration is increased, what will be the deficiency?
(a) Mn prevent the uptake of Fe, Mg but not Ca
(b) Mn increase the uptake of Fe, Mg and Ca
(c) Only increase the uptake of Ca
(d) Prevent the uptake Fe, Mg, and Ca
Answer:
(a) Mn prevent the uptake of Fe, Mg but not Ca

Samacheer Kalvi 11th Bio Botany Guide Chapter 12 Mineral Nutrition

Question 3.
The element which is not remobilized?
a) Phosphorous
b) Potassium
c) Calcium
d) Sulphur
Answer:
c) Calcium

Question 4.
Match the correct combination.

MineralsRole
A Molybdenum1. Chlorophyll
B Zinc2. Methionine
C Magnesium3. Auxin
D Sulphur4. Nitrogenase

a) A-1 B-3 C-4 D-2
b) A-2 B-1 C-3 D-4
c) A-4 B-3 C-1 D-2
d) A-4 B-2 C-1 D-3
Answer:
c) A-4 B-2 C-1 D-3

Samacheer Kalvi 11th Bio Botany Guide Chapter 12 Mineral Nutrition

Question 5.
Identify the correct statement:
(i) Sulphur is essential for amino acids Cystine and Methionine
(ii) Low level of N, K, S and Mo affect the cell division
(iii) Non – leguminous plant Alnus which contain bacterium Frankia
(iv) Denitrification carried out by nitrosomonas and nitrobacter.

(a) (i), (ii) are correct
(b) (i), (ii), (iii) are correct
(c) I only correct
(d) all are correct
Answer:
(b) (i), (ii), (iii) are correct

Question 6.
Nitrogen is present in the atmosphere in huge amounts but higher plants fail to utilize it. Why?
Answer:
1. Plants absorb minerals from the soil along with water with the help of Roots. Minerals are absorbed as salts.

2. Nitrogen is present in large quantities in the atmosphere in a gaseous form, the gaseous nitrogen must be fixed in the form of Nitrate salts in the soil to facilitate absorption by plant roots.

3. Nitrogen fixation can occur 2 ways by

  • Non – Biological means (Industrial process or by lighting)
  • Biological means (Bacteria / Cyanobacteria Fungi)
  • Therefore higher plants con not utilize the atmospheric Nitrogen.

Samacheer Kalvi 11th Bio Botany Guide Chapter 12 Mineral Nutrition

Question 7.
Why is that in certain plants, deficiency symptoms appear first in younger parts of the plants while in others, they do so in mature organs?
Answer:
When deficiency symptoms appear first, we can notice the differences in old and younger leaves. It is mainly due to mobility’ of minerals. Based on this, they are classified into
1. Actively mobile minerals and
2. Relatively immobile minerals

a) Actively mobile minerals: Nitrogen, Phosphorus, Potassium, Magnesium, Chlorine, Sodium, Zinc and Molybdenum. Deficiency symptoms first appear on old and senescent leaves due to active movement of minerals to younger leaves, than the older leaves.

b) Relatively immobile minerals: Calcium, Sulphur, Iron, Boron and Copper. Here, deficiency symptoms first appear on young leaves due to the immobile nature of minerals.

Question 8.
Plant A in a nutrient medium shows whiptail disease plant B in a nutrient medium shows a little leaf disease. Identify mineral deficiency of plant A and B?
Answer:
Mineral deficiency of plant A and B:

  1. Plant A is deficient in the mineral molybdenum (Mo).
  2. Plant B is deficient in the mineral zinc (Zn).

Samacheer Kalvi 11th Bio Botany Guide Chapter 12 Mineral Nutrition

Question 9.
Write the role of nitrogenase enzyme in nitrogen fixation?
Answer:
Nitrogen fixation is the first step in Nitrogen cycle, during which gaseous nitrogen from the atmosphere is fixed. It required nitrogenase enzyme complex nitrogenase is active only in anaerobic condition. To create this anaerobic condition, a pigment known as leghaemoglobin is synthesized in the nodules which acts as oxygen scavenger and removes oxygen.

Question 10.
Explain the insectivorous mode of nutrition in angiosperms?
Answer:
Plants which are growing in nitrogen deficient areas develop insectivorous habit to resolve nitrogen deficiency.

  1. Nepenthes (Pitcher plant): Pitcher is a modified leaft and contains digestive enzymes. Rim of the pitcher is provided with nectar glands and acts as an attractive lid. When insect is trapped, proteolytic enzymes will digest the insect.
  2. Drosera (Sundew): It consists of long club shaped tentacles which secrete sticky digestive fluid which looks like a sundew.
  3. Utricularia (Bladder wort): Submerged plant in which leaf is modified into a bladder to collect insect in water.
  4. Dionaea (Venus fly trap): Leaf of this plant modified into a colourful trap. Two folds of lamina consist of sensitive trigger hairs and when insects touch the hairs it will close.

Insectivorous Plants

1. Nepenthes (Pitcher Plant)
Samacheer Kalvi 11th Bio Botany Guide Chapter 12 Mineral Nutrition 2
2. Drosera (Sundew)
Samacheer Kalvi 11th Bio Botany Guide Chapter 12 Mineral Nutrition 3

3. Dlonaca (Venus Fly tray)
Samacheer Kalvi 11th Bio Botany Guide Chapter 12 Mineral Nutrition 4

Part – II

11th Bio Botany Guide Mineral Nutrition Additional Important Questions and Answers

I. Choose the Correct Answers

Question 1.
Plants naturally obtain nutrients from:
(a) atmosphere
(b) water
(c) soil
(d) all of these
Answer:
(d) all of these

Question 2.
The minerals placed under the list of unclassified minerals are
a) Carbon. Hydrogen, & Oxygen
b) Sodium. Silicon. Cobalt and selenium
c) Copper, Iron, Cadmium, and selenium
d) Magnesium, Sulphur, & Manganese
Answer:
b) Sodium, Silicon, Cobalt, and Selenium

Samacheer Kalvi 11th Bio Botany Guide Chapter 12 Mineral Nutrition

Question 3.
Who coined the term ‘Hydroponics’:
(a) Julius Von Sachs
(b) William Frederick Goerick
(c) Liebig
(d) Wood word
Answer:
(b) William Frederick Goerick

Question 4.
Skeletal elements are
a) Carbon, Hydrogen, and Oxygen
b) Nitrogen, Phosphorus, and Calcium
c) Potassium, Magnesium, and Sulphur
d) Nitrogen, Sulphur and Phosphorus
Answer:
a) Carbon, Hydrogen, and Oxygen

Samacheer Kalvi 11th Bio Botany Guide Chapter 12 Mineral Nutrition

Question 5.
Actively mobile minerals are:
(a) nitrogen and phosphorus
(b) iron and manganese
(c) sodium and cobalt
(d) silicon and selenium
Answer:
(a) nitrogen and phosphorus

Question 6.
Which chelating agent found in soil are produced by bacteria?
a) Siderophores
b) EDTA
c) Auxin
d) Gibberellin
Answer:
a) Siderophores

Samacheer Kalvi 11th Bio Botany Guide Chapter 12 Mineral Nutrition

Question 7.
Molybdenum is essential for the reaction of:
(a) hydrolase enzyme
(b) nitrogenase enzyme
(c) carboxylase enzyme
(d) dehydrogenase enzyme
Answer:
(b) nitrogenase enzyme

Question 8.
Minerals that play important role for activation of enzymes involved in Respiration are
a) Molybdenum and Boron
b) Boron and Silicon
c) Calcium and Magnesium
d) Magnesium and Manganese
Answer:
d) Magnesium and Manganese

Samacheer Kalvi 11th Bio Botany Guide Chapter 12 Mineral Nutrition

Question 9.
Essential component of aminoacids like Cystine, Cysteine and Melhionine is
a) Potassium
b) Magnesium
c) Sulphur
d) Calcium
Answer:
c) Sulphur

Question 10.
Which of the element is involved in the synthesis of DNA and RNA:
(a) calcium
(b) magnesium
(c) sulphuric
(d) potassium
Answer:
(b) magnesium

Samacheer Kalvi 11th Bio Botany Guide Chapter 12 Mineral Nutrition

Question 11.
Delay in flowering is due to the deficiency of
a) N, S, Mo
b) Ca, Mg, Mn
c) C, H, O
d) N,P,K
Answer:
a) N,S,Mo

Question 12.
Kheria disease of Rice and Internal cork of Apple are caused by the deficiency of
a) Calcium and Maganese
b) Zinc and Boron
c) Copper and Manganese
d) Boron and Nickel
Answer:
b) Zinc and Boron

Samacheer Kalvi 11th Bio Botany Guide Chapter 12 Mineral Nutrition

Question 13.
Indicate the correct statements:
(i) Iron is the essential element for the synthesis of chlorophyll and carotenoid
(ii) Iron is the activator of carboxylene enzyme
(iii) Iton is the component of cytochrome
(iv) lvon is the component of plastocyanin

(a) (i) and (ii)
(b) (ii) and (iv)
(c) (ii) and (iii)
(d) (i) and (iii)
Answer:
(d) (i) and (iii)

Question 14.
The enzyme that is a constituent of urease and dehydrogenase are
a) Molybdenum
b) Boron
c) Nickel
d) Zinc
Answer:
c) Nickel

Samacheer Kalvi 11th Bio Botany Guide Chapter 12 Mineral Nutrition

Question 15.
A membrane bound bacterium formed inside the nodule is called
a) Bacteriod
b) Plasmid
c) Nucleoid
d) Noduloid
Answer:
a) Bacteriod

Question 16.
The increased concentration of manganese in plants will prevent the uptake of:
(a) calcium and potassium
(b) sodium and potassium
(c) boron and silicon
(d) iron and magnesium
Answer:
(d) iron and magnesium

Samacheer Kalvi 11th Bio Botany Guide Chapter 12 Mineral Nutrition

Question 17.
Plants need one of the following minerals for ATP and meristematic tissue formation
a) K, N
b) N, Cu
c) N, Ca
d) P, N
Answer:
d) P, N

Question 18.
The techniques of Aeroponics was developed by:
(a) Goerick
(b) Amon and Hoagland
(c) Soifer Hillel and David Durger
(d) Von Sachs
Answer:
(c) Soifer Hillel and David Durger

Samacheer Kalvi 11th Bio Botany Guide Chapter 12 Mineral Nutrition

Question 19.
Mo is a part of enzyme ……………..
a) Reverse transcriptase
b) Restriction endonuclease
c) Hexokinase
d) Nitrogenase
Answer:
d) Nitrogenase

Question 20.
Which of the bacterium causes denitrification?
a) Azotobacter
b) Nitrobacter
c) Nitrosomonas
d) Pseudomonas
Answer:
d) Pseudomonas

Samacheer Kalvi 11th Bio Botany Guide Chapter 12 Mineral Nutrition

Question 21.
Beside paddy fields, cyanobacteria are also found inside the vegetative parts of
a) Psiloturn
b) Pinus
c) Cycas
d) Equiseturn
Answer:
c) Cycas

Question 22.
The legume plants secrete phenolics to attract:
(a) Azolla
(b) Rhizobium
(c) Nitrosomonas
(d) Streptococcus
Answer:
(b) Rhizobium

Samacheer Kalvi 11th Bio Botany Guide Chapter 12 Mineral Nutrition

Question 23.
Element involved in Nitrogen fixation is
a) Zinc
b) Copper
c) iron
d) Chlorine
Answer:
c) Iron

Question 24.
The nitrogenase enzyme is active:
(a) only in aerobic condition
(b) only in anaerobic condition
(c) both in aerobic and anaerobic condition
(d) only in toxic condition
Answer:
(b) only in anaerobic condition

Samacheer Kalvi 11th Bio Botany Guide Chapter 12 Mineral Nutrition

Question 25.
Plants that can grow in marshy places where there is scarcity of Nitrogen are
a) Halophytes
b) Psammophytes
c) Bryophytes
d) insectivorous plants
Answer:
d) Insectivorous plants

Question 26.
Decomposition of organic nitrogen (proteins and amino acids) from dead plants and animals into ammonia is called:
(a) nitrification
(b) ammonification
(c) nitrogen fixation
(d) denitrification
Answer:
(b) ammonification

Samacheer Kalvi 11th Bio Botany Guide Chapter 12 Mineral Nutrition

Question 27.
Internal cork of apple and Exanthema in citrus and whiptail disease of cauliflower are produced by the deficiency of
1. Copper,
2. Zinc,
3. Boron
4. Molybdenum
a) 2,3, 1
b) 2, 3, 4
c) 4, 3, 1
d) 3, 1,4
Answer:
d) 3,1,4

Samacheer Kalvi 11th Bio Botany Guide Chapter 12 Mineral Nutrition

Question 28.
Necrosis means
a) Discolouration of leaf
b) Stunted growth
c) Death of the tissue
d) Death of the root
Answer:
c) Death of the tissue

Question 29.
The transfer of amino group (NH2) from glutamic acid to keto group of keto acid is termed as:
(a) Transamination
(b) Hydrogenation
(c) Nitrification
(d) Denitrification
Answer:
(a) Transamination

Samacheer Kalvi 11th Bio Botany Guide Chapter 12 Mineral Nutrition

Question 30.
Denitrification process deplete important nutrients from soil. It also cause ………………………
a) Acidification of soil
b) Alkalification of soil
c) Neutralization of soil
d) Ammoniafication of soil
Answer:
a) Acidification of soil

Question 31.
Availability of Nitrogenase enzyme depend on
a) Non avoulability of ATP
b) Availability of Nitric acid
c) Availability of ATP
d) Non availability of Nitric acid
Answer:
c) Availability of ATP

Samacheer Kalvi 11th Bio Botany Guide Chapter 12 Mineral Nutrition

Question 32.
Obligate or Total parasites are
a) Santalum albumn and orabanche
b) Vanda and Venilla
c) Cuscuta and Rafflesia
d) Viscum and Loranthus
Answer:
c) Cuscuta and Rafflesia

Question 33.
The association of mycorrhizae with higher plants is termed as:
(a) Parasitism
(b) Mutualism
(c) Symbiosis
(d) Saprophytic
Answer:
(c) Symbiosis

Samacheer Kalvi 11th Bio Botany Guide Chapter 12 Mineral Nutrition

Question 34.
Major role of minor elements inside living organism is to act as
a) Binder of cell structure
b) Constituent of hormone
c) Building blocks of important amino acids
d) Co factors of enzymes
Answer:
d) Co factors of enzymes

Question 35.
Lichens are the indicators of:
(a) carbon monoxide
(b) nitrogen oxide
(c) sulphur di oxide
(d) hydrogen sulphide
Answer:
(c) sulphur di oxide

Samacheer Kalvi 11th Bio Botany Guide Chapter 12 Mineral Nutrition

Question 36.
Free living aerobic nitrogen fixing bacterium is
a) Azotobacter, Beijemeckia and Derxia
b) Nostoc, Anabaena, and Oscullatoria
c) Saccharomyces, Pullularia, Pseudomonas
d) Chlorobium and Rhodospirillum
Answer:
a) Azotobacter, Beijerneckia and Derxia

Question 37.
Leguminous plants does not include
a) Black gram
b) Bengal gram
c) Pongamia
d) Casuarina
Answer:
d) Casuarina

Samacheer Kalvi 11th Bio Botany Guide Chapter 12 Mineral Nutrition

Question 38.
Cyanobacteria does not include
a) Nostoc
b) Anabaena
c) Clostridium
d) Oscillatoria
Answer:
c) Clostridium

II. Match The Following & Find Out The Correct Option

Question 39.
Cuscuta – A) Giant flower
Dianaea – B) Pitcher plant
Rafflesia – C) Dodder
Utricularia – D) Venus fly trap
Nepenthus – E) Bladder wort
Samacheer Kalvi 11th Bio Botany Guide Chapter 12 Mineral Nutrition 5
Answer:
b) C-D-A-E-B

Question 40.

Column IColumn II
I) 94% of dry weight of plant comprisesA) K
II) Maintain turgid and osmotic Potential of cellB) Mn
III) Mineral that play important role in photosynthesis of waterC) Mg
IV) Activator of enzymes RUBP and PEP carboxylaseD) C,H,O

Samacheer Kalvi 11th Bio Botany Guide Chapter 12 Mineral Nutrition 6
Answer:
b) D-A-B-C

Samacheer Kalvi 11th Bio Botany Guide Chapter 12 Mineral Nutrition

Question 41.

Column IColumn II
I) PotassiumA) Mitotic cell division & spindle fomiation
II) CalciumB) Constituent of vitamins Biotin and Thiamine
III) SulphurC) Essential component of amino acids Nucleic acids
IV) NitrogenD) Maintain opening and closing of Stomata

Samacheer Kalvi 11th Bio Botany Guide Chapter 12 Mineral Nutrition 7
Answer:
a) D-A-B-C

Question 42.
I) Criteria required for essential minerals was given by – A) Julius von Sachs
II) Word – Hydroponics Was coined by – B)SoiferHillel& David Durger
III) Hydroponics was developed by – C)Amon& Stout
IV) Aeroponics was developed by – D) William Frederick Goerick
Samacheer Kalvi 11th Bio Botany Guide Chapter 12 Mineral Nutrition 8
Answer:
c) C -D-A-B

Samacheer Kalvi 11th Bio Botany Guide Chapter 12 Mineral Nutrition

III. Find Out The Incorrect Statement With Reference To Potassium

Question 43.
a. It is essential for opening & closing of stomata
b. It is an essential component of vitamins, hormones, alkaloids and chlorophyll
c. It maintains osmotic potential of the cell
d. It maintain anion, cation balance by ion exchange.
Answer:
b. It is an essential component of vitamins, hormones, alkaloids and chlorophyll

Question 44.
a. Magnesium is a constituent of chlorophyll
b. Iron is essential for the formation of chlorophyll
c. Phosphorus is a component of ATP
d. Copper is essential for the synthesis of IAA
Answer:
d. Copper is essential for the synthesis of IAA

Samacheer Kalvi 11th Bio Botany Guide Chapter 12 Mineral Nutrition

Question 45.
Find out wrong choice with reference to symbiotic mode of Nutrition
a. Lichens
b. Mycorrhizae
c. Coralloid roots of cycas
d. Viscum
Answer:
d. Viscum

Question 46.
The deficiency of which two exhibit competitive behaviour and the deficiencey of the two showing same symptoms.
(I) Iron
(II) Magnesium
(III) Calcium
(IV) Manganese
a) I & II
b) II & III
c) III & IV
d) I & IV
Answer:
d. I & IV

Samacheer Kalvi 11th Bio Botany Guide Chapter 12 Mineral Nutrition

Question 47.
Statement
(I) Alnus and Casuarina are nonlegume nitrogen fixers containing bacterium Frankia
(II) Nostoc and Anabaena are present in the corolloid roots of cycas.
a) Both (I) & (IT) are correct
b) (I) is correct (II) is wrong
c) (I) is wrong (II) is correct
d) Both (I) & (II) are wrong
Answer:
a) Both (I) & (II) are correct

Question 48.
Statement
(I) Dionaea is a submerged hydrophyte in which leaf is modified into a bladder to trap insects
(II) Loranthus is a partial stem parasite, absorb water and minerals from the xylem of the host
a) Both (I) & (II) are correct
b) (I) is correct (II) is wrong
c) (I) is wrong (II) is correct
d) Both (I) & (II) are wrong
Answer:
c) (I) is wrong (II) is correct

Samacheer Kalvi 11th Bio Botany Guide Chapter 12 Mineral Nutrition

Assertion ‘A’ & Reason ‘R’
a) Both ‘A’ and ‘R’ are True and ‘R’ is the correct explanation of A
b) Both A and R are True, but R is not the correct explanation of A
c) A is True but ‘R’ is False
d) A& Rare False

Question 49.
Assertion: A Manganese is a Micro element
Reason: R Micro elements are required in traces only, less than 1 mg/gm of dry matter
Answer:
a) Both A and R are True and R is the correct explanation of A

Question 50.
Assertion: Calcium is a constituent of cell wall
Reason: R Calcium is required in mitotic division.
Answer:
b) A and R are True but ‘R’ is not the correct explanation of A

Samacheer Kalvi 11th Bio Botany Guide Chapter 12 Mineral Nutrition

Question 51.
Assertion: A Deficiency of sulphur causes chlorosis in plants
Reason: R Sulphur is a constituent of chlorophyll
Answer:
c) A is True but ‘R’ is false

Question 52.
Assertion: A Plants absorb Nitrogen in the form of Nitrate only
Reason: R Nitrogen is the most critical element
Answer:
d) Both A and R are false

Samacheer Kalvi 11th Bio Botany Guide Chapter 12 Mineral Nutrition

Question 53.
Assertion: A Mineral salt absorption is an active process.
Reason: R Metabolic energy is not used in active absorption.
Answer:
c) A is true but ‘R’ is false

IV. 2 Mark Questions

Question 1.
Define micronutrients of plants.
Answer:
Essential minerals which are required in less concentration called Micronutrients.

Question 2.
Is there any mne monic for remembering essential minerals?
Answer:
CHOPKNs Cafe Mg B Mn Cu Zn Mo Cl (C) HOPKINS (name) Cafe managed by Mine CUZINS, Mo tnd Claude”.

Samacheer Kalvi 11th Bio Botany Guide Chapter 12 Mineral Nutrition

Question 3.
What is the role of molybdenum in the conversion of nitrogen into ammonia?
Answer:
Molybdenum (Mo) is essential for nitrogenase enzyme during the reduction of atmospheric nitrogen into ammonia.

Question 4.
What are the minerls classifed as unclassified minerals and why?
Answer:
5ome minerals Such as Sodium, Silicon, Cobalt and Selenium some minerals are not included in the list ol essential nuitrients by they play some specific roles.
Eg. Silicon

  • essential for pest resistance
  • prevent water lodging
  • aids in cell wall formation in Equisetaceae, Cyperaceae & Gramineae

Samacheer Kalvi 11th Bio Botany Guide Chapter 12 Mineral Nutrition

Question 5.
What are the deficiency symptoms of nitrogen?
Answer:
Chlorosis, stunted growth, anthocyanin formation.

Question 6.
Distinguish between Hydroponics & Aeroponics
Answer:
Hydroponics: Growing plants in nutrient solution with roots immerse in it and air is supplied with the help of tube.
Hydroponics: It Is a system where roots suspended in air and nuitrients solution in a tank is sprayed over the roots by motor driven rotor – in the form of mist.

Samacheer Kalvi 11th Bio Botany Guide Chapter 12 Mineral Nutrition

Question 7.
Define the term Siderophores.
Answer:
Siderophores (iron carriers) are iron-chelating agents produced by bacteria. They are used to chelate ferric iron (Fe3+) from environment and host.

Question 8.
What are called critical elements & complete fertilizers?
Answer:

  • Macro elements which commonly remain deficient in the soil are called Critical elements, (ie) N.P.K.
  • The fertilizer which contain critical elements are called complete fertilizer. They are expressed in the ratio 15: 15: 15(N:P: K)

Question 9.
Why is Iron kept between Macro and Micro nuitrients?
Answer:
Iron is required lesser than macro nuitrients and larger than the micronuitrient so it can be placed in any one of the two groups.
Samacheer Kalvi 11th Bio Botany Guide Chapter 12 Mineral Nutrition 9

Question 10.
Write down the deficiency symptoms of molybdenum in plants.
Answer:
Chlorosis, necrosis, delayed flowering, retarded growth and whip tail disease of cauliflower.

Samacheer Kalvi 11th Bio Botany Guide Chapter 12 Mineral Nutrition

Question 11.
List two purpose for which you think Magnesium is required essentially to the plants.
Answer:
(I) Synthesis of Chlorophyll
(II) Formation of nodules in legumes

Question 12.
Define Aeroponics.
Answer:
It is a system where roots are suspended in air and nutrients are sprayed over the roots by a motor driven rotor.

Question 13.
What is meant by Toxicity of Minerals
Answer:
If mineral nuitrients lesser than critical concentration cause deficiency, where as when there is increase in
mineral nuitrients more than normal concentration cause Toxicity Toxicity ¡s that particular concentration at which 10% of the dry weight of tissue is reduced.

Samacheer Kalvi 11th Bio Botany Guide Chapter 12 Mineral Nutrition

Question 14.
Give examples for Nitrogen Fixation with out nodulation.
Answer:

PlantsProkaryotes
1. LichensAnabaena & Nostoc
2.  AnthocerosNostoc
3.  AzollaAnabaena azollae
4. CycasAnabaena & Nostoc

Question 15.
Give examples for Non – symbiotic Nitrogen fixation by bacteria and Fungi.
Answer:

AerobicAzotobacter and Dervia
AnaerobicClosthdium
PhotosyntheticChiorobiuni & Rhodospirillum
ChemosyntheticDisulfo – vibrio
Freeliving FungiYeast & Pullularia
CyanobacteriaÑostoc, Anabaen

Samacheer Kalvi 11th Bio Botany Guide Chapter 12 Mineral Nutrition

Question 16.
Define the term Nitrate assimilation.
Answer:
The process by which nitrate is reduced to ammonia is called nitrate assimilation and occurs during the nitrogen cycle.

Question 17.
What are the negative effects of denitrification.
Answer:

  • Nitrate in the soil are converted back to atmospheric nitrogen.
  • Denitrification process deplete important nuitrients from the soil.
  • It also causes acidification of the soil.

Question 18.
Name 2 hormones involved in Nodule formation.
Answer:
During nodule formation in leguminous plants cytokinin from bacteria and Auxin from host (leguminous) plant promotes cell division and leads to nodule formation.

Samacheer Kalvi 11th Bio Botany Guide Chapter 12 Mineral Nutrition

Question 19.
Give two examples of symbiotic mode of nutrition.
Answer:
Two examples of symbiotic mode of nutrition:

  1. Lichens: It is a mutual association of Algae and Fungi. Algae prepares food and fungi absorb water and provides thallus structure.
  2. Mycorrhizae: Fungi associated with roots of higher plants including Gymriosperms. eg: Pinus.

Question 20.
Decreased availability of the element results in early fall of fruits and flowers. Identify the element.
Answer:
Phosphorus, Magnesium and Copper (Any one of these three elements) may cause the above symptoms.

Question 21.
Name any 3 diseases caused by copper deficiency.
Answer:

  1. Die back of Citrus.
  2. Reclamation disease of cereals & legumes.
  3. Exanthema in Citrus.

Question 22.
Notes on unclassified minerals.
Answer:
Required by some plants – for some specific functions, in trace amounts.
Example: Sodium, Silicon, Selenium & Cobalt.

Samacheer Kalvi 11th Bio Botany Guide Chapter 12 Mineral Nutrition

Question 23.
Explain Nitrate Assimilation.
Answer:
Definaition: The process by which nitrate is reduced to ammonia is called Nitrate assimilation and it occurs during Nitrogen cycle.
Samacheer Kalvi 11th Bio Botany Guide Chapter 12 Mineral Nutrition 10
Question 24.
Explain Aluminium Toxicity.
Answer:
Aluminium toxicity causes,

  • Precipitation ofNucleic acid
  • Inhibition of ATP ase
  • Inhibition of cell division and binding of Plasma membrane with Calmodulin.

Question 25.
Differentiate between Nitrification & Denitrification
Answer:
Samacheer Kalvi 11th Bio Botany Guide Chapter 12 Mineral Nutrition 11

Question 26.
Organisms like Pseudomonas and Thiobacillus are of great significance in nitrogen cycle. How?
Answer:
These microorganisms carry out denitrification they help to maintain the constant level of nitrogen in the atmosphere.

Samacheer Kalvi 11th Bio Botany Guide Chapter 12 Mineral Nutrition

Question 27.
What is meant by Symbiotic association give examples?
Answer:
Close relationship between two organism, both being benefitted out of it is known as symbiosis.
Eg. 1. Nitrogen fixing bacteria Nitrosomonas living in the root nodules of leguminous plants.
2. Fungi associated with roots of higher plants is a symbiotic association known as Mycorrhiza

Question 28.
What is the use of FTWS.
Answer:

  • FTWS – means floating treatment wet lands.
  • It works on the principle of hydroponics recently FTWS work on the principle of hydroponics, helping to solve pollution that come up due to Eutrophication.

Question 29.
Notes on Lichens.
Answer:

  • Lichens are pioneer species in xeric succession.
  • Lichens are nothing but symbiotic association of Algae and Fungi partners.
  • Lichens are also indicators of S02 pollution.

Question 30.
Notes on Haustoria.
Answer:
Total parasitic or partial parasites they have some special structures to absorb food or water from the host plant phloem and xylem. These special absorbing structures are known as Haustoria.

Samacheer Kalvi 11th Bio Botany Guide Chapter 12 Mineral Nutrition

Question 31.
Identify the diagram A.
Answer:
Cycas corolloid roots – have symbiotic association with Nostoc helping to fix nitrogen.
Samacheer Kalvi 11th Bio Botany Guide Chapter 12 Mineral Nutrition 12

Question 32.
Identify the diagram.
Answer:
Root nodules of leguminous plant inhabiting Rhizobium fixing nitrogen

Samacheer Kalvi 11th Bio Botany Guide Chapter 12 Mineral Nutrition 13

Samacheer Kalvi 11th Bio Botany Guide Chapter 12 Mineral Nutrition

3 Mark Questions.

V. Identify And Complete The Equations

Question 1.
Samacheer Kalvi 11th Bio Botany Guide Chapter 12 Mineral Nutrition 14
Answer:
Samacheer Kalvi 11th Bio Botany Guide Chapter 12 Mineral Nutrition 15

Question 2.
Explain the unclassified minerals required for plants.
Answer:
Minerals like Sodium,Silicon, Cobalt and Selenium are not included in the list of essential nutrients but are required by some plants, these minerals are placed in the list of unclassified minerals. These minerals play specific roles for example, Silicon is essential for pest resistance, prevent water lodging and aids cell wall formation in Equisetaceae (Equisetum), Cyperaceae and Gramineae.

Samacheer Kalvi 11th Bio Botany Guide Chapter 12 Mineral Nutrition

Question 3.
Draw a model of Hydroponics.
Answer:
Samacheer Kalvi 11th Bio Botany Guide Chapter 12 Mineral Nutrition 16

Question 4.
Explain briefly the functions and deficiency symptoms of potassium.
Answer:
Functions: Maintains turgidity and osmotic potential of the cell, opening and closure of stomata, phloem translocation, stimulate activity of enzymes, anion and cation balance by ion – exchange. It is absorbed as K+ ions. Deficiency symptoms: Marginal chlorosis, necrosis, low cambial activity, loss of apical dominance, lodging in cereals and curled leaf margin.

Question 5.
Draw the schematic representation of Nitrogenase enzyme function.
Answer:
Samacheer Kalvi 11th Bio Botany Guide Chapter 12 Mineral Nutrition 17

Question 6.
Explain the term critical concentration of minerals.
Answer:
To increase productivity and also to avoid mineral toxicity knowledge of critical concentration is essential. Mineral nutrients lesser than critical concentration cause deficiency symptoms. Increase of mineral nutrients more than the normal concentration causes toxicity. A concentration, at which 10% of the dry weight of tissue is reduced, is considered a toxic critical concentration.

Question 7.
Nitrogen fixation is shown by Prokaryotes and not by Eukaryotes comment.
Answer:
Nitrogen fixation is the phenomenon that occurs in Prokaryotes but not in Eukaryotes, because the enzymes nitrogenase, which is capable of nitrogen reduction is present exclusively in prokaryotes and such microbes are often called fixers.

Samacheer Kalvi 11th Bio Botany Guide Chapter 12 Mineral Nutrition

Question 8.
Who are people responsible for developing hydroponics?
Answer:
Hydroponics or Soil less culture: Von Sachs developed a method of growing plants in nutrient solution. The commonly used nutrient solutions are Knop solution (1865) and Amon and Hoagland Solution (1940). Later the term Hydroponics was coined by Goerick (1940) and he also introduced commercial techniques for hydroponics. In hydroponics roots are immersed in the solution containing nutrients and air is supplied with help of tube.

VI. 5 Mark Questions

Question 1.
Classify minerals on the basis of on their function.
a) Structural component – C, H, O & N
b) Enzyme function – Mo, Zn, Mg, &Ni
Samacheer Kalvi 11th Bio Botany Guide Chapter 12 Mineral Nutrition 18
C) Osmotic potential – K:
Potassium -(K) – maintain osmotic Potential by 2 steps.

  1. Absorption of water
  2. Movement of stomata & turgidity

d) Energy components:
Mg – in chlorophyll
P- in ATP

Samacheer Kalvi 11th Bio Botany Guide Chapter 12 Mineral Nutrition

Question 2.
Tabulate the mode of absorption, function and deficiency symptoms of any 5 microelements.
Answer:
Samacheer Kalvi 11th Bio Botany Guide Chapter 12 Mineral Nutrition 19

Question 3.
Give the details of minerals and their deficiency symptoms.
Answer:
Name of the deficiency disease and symptoms:

  1. Chlorosis (Overall)
    • Interveinal chlorosis
    • Marginal chlorosis
  2. Necrosis (Death of the tissue)
  3. Stunted growth
  4. Anthocyanin formation
  5. Delayed flowering
  6. Die back of shoot, Reclamation disease, Exanthema in citrus (gums on bark)
  7. Hooked leaf tip
  8. Little Leaf
  9. Brown heart of turnip and Internal cork of apple
  10. Whiptail of cauliflower and cabbage
  11. Curled leaf margin

Deficiency minerals:

  1. Nitrogen, Potassium, Magnesium, Sulphur, Iron, Manganese, Zinc and Molybdenum. Magnesium, Iron, Manganese and Zinc Potassium
  2. Magnesium, Potassium, Calcium, Zinc, Molybdenum and Copper.
  3. Nitrogen, Phosphorus, Calcium, Potassium and Sulphur.
  4. Nitrogen, Phosphorus, Magnesium and Sulphur
  5. Nitrogen, Sulphur and Molybdenum
  6. Copper
  7. Calcium
  8. Zinc
  9. Boron
  10. Molybdenum
  11. Potassium

Question 4.
Why are NPK fertilizers important to plants?
Answer:
Nitrogen: It helps in plant growth and development.

  • It required in large amount
  • It is essential component of Proteins, Amino acids, Nucleic acids, Vitamins, Hormones, Chlorophyll etc.

Phosphorus:
It is an important constituent of Cell membrane, Proteins, Nucleic acids, ATP, NADP etc.

Potassium:

  • It is essential to maintain turgidity and osmotic potential of the cell.
  • Opening and closure of stomata.
  • Phloem translocation.
  • Ion exchange etc.
  • So overall all the three in right proportion is used by farmers for various plants to enhance yield.

Samacheer Kalvi 11th Bio Botany Guide Chapter 12 Mineral Nutrition

Question 5.
Tabulate the major Essential elements their function & Deficiency symptoms.
Answer:
Samacheer Kalvi 11th Bio Botany Guide Chapter 12 Mineral Nutrition 20
Samacheer Kalvi 11th Bio Botany Guide Chapter 12 Mineral Nutrition 21

Question 6.
What are the stages of Root nodule formation.
Answer:
1. Attraction:
Legume roots secretes Phenolics to attract Rhizobium.

2. Infection:

  • Rhizobium – reaches rhizosphere
  • Rhizosphere – to root hair.
  • Curling of root hairs.

3. Spreading & multiplication:
Infection thread grows inwards and infected area is separated from normal tissue.

4. Bacteriod formation:
A membrane bound bacterium is formed inside the nodule ……………. called Bacterioid.

5. Nodule formation:

  • Cytokinin from Bacteria.
  • Auxin from legume roots together promote cell division and nodules are formed.

Question 7.
Explain the fate of Ammonia or Assimilation of Ammonia.
Answer:

  • Ammonia ions are quite toxic to plants, and hence cannot accumulate in the plants.
  • It should be converted into Amino acids.

There are 3 methods by which it is done.

I) Reductive amination:
In this ammonia reacts with Ketoglutaric acid and form glutamic acid.Samacheer Kalvi 11th Bio Botany Guide Chapter 12 Mineral Nutrition 22

II) Transamination:

  • It involves the transfer of amino group from one amino acid to the ketogroup of another keto acid.
  • Glutamic acid is the main amino acid from which the transfer of NH2 (amino group) takes place and other amino acids are fonned through transamination.
  • The enzyme Transaminase + Pyridoxus phosphate (COenz) reactions.

Example:
Samacheer Kalvi 11th Bio Botany Guide Chapter 12 Mineral Nutrition 23

III) Catalytic Amination (GS/GOGAT path way)

Samacheer Kalvi 11th Bio Botany Guide Chapter 12 Mineral Nutrition 24

Samacheer Kalvi 11th Bio Botany Guide Chapter 12 Mineral Nutrition

Question 8.
Explain parasitic mode of Nuitrition.
Answer:
Definition:
Organism deriving their nuitrients from another organism (host and causing damage/disease to the host is known as parasite. Stem parasite Root parasite Stem parasite Root parasite.
Samacheer Kalvi 11th Bio Botany Guide Chapter 12 Mineral Nutrition 25
I) Obligate or Total parasite :

  1. Completely depends on host for their survival produce haustoria.
    Total stem parasite:
  2. Leafless plant twine around the host. Eg. Cuscuta on Zizipus, citrus etc.
    Total root parasite:
  3. Plants do not have stem axis – so grow in the roots of host plants produce haustoria.
    Eg. Rafflesia, Orobanche and Balanophora.

II) Partial parasite:
Plant have chlorophyll on their leaves dependent on water and mineral requirements.

  • Partial stem parasite: The plant grow an fig and mango and absorb water and minerals from xylem of host through haustoria.
    Eg. Loranthus.
  • Partial root parasite: This plant in its juvenile stages produces haustoria which grow on roots of many forest trees.
    Eg. Sandal wood tree (santalum album)

Question 9.
Describe Saprophytic mode of nuitrition in Angiosperms?
Answer:
Definition:
Derving nuitrients from dead and decaying organic matter is known as saprophytic – nuitrition.
Eg. Bacteria, Fungi

Saprophytic Angiosperms:

  • Neottia: (Bird’s nest orchid) Roots of Neottia get associated with the mycorrhizae and absorb nuitrients from the litter in the soil.
  • The plant leaves lack chlorophyll so dependon mycorrhiza to absorb nuitrients from the decomposed litter in the soil.
  • Monotropa: (Indian pipe) It also lack leaves, so absorb nuitrients from the soil through the mycorrhizal association.

Samacheer Kalvi 11th Chemistry Guide Chapter 5 Alkali and Alkaline Earth Metals

Tamilnadu State Board New Syllabus Samacheer Kalvi 11th Chemistry Guide Pdf Chapter 5 Alkali and Alkaline Earth Metals Text Book Back Questions and Answers, Notes.

Tamilnadu Samacheer Kalvi 11th Chemistry Solutions Chapter 5 Alkali and Alkaline Earth Metals

11th Chemistry Guide Alkali and Alkaline Earth Metals Text Book Back Questions and Answers

Textual Questions:

I. Choose the best answer:

Question 1.
For alkali metals, which one of the following trends is incorrect?
(a) Hydration energy: Li > Na > K> Rb
(b) Ionisationenergy: Li> Na> K> Rb
(c) Density: Li < Na < K < Rb
(d) Atomic size: Li < Na < K < Rb
Answer:
(c) Density: Li < Na < K < Rb

Question 2.
Which of the following statements is incorrect?
(a) Li+ has minimum degree of hydration among alkali metal cations
(b) The oxidation state of K in KO2 is +1
(c) Sodium is used to make Na / Pb alloy
(d) MgSO4 is readily soluble in water
Answer:
(a) Li+ has minimum degree of hydration among alkali metal cations

Question 3.
Which of the following compounds will not evolve H2 gas on reaction with alkali metals ?
(a) ethanoic acid
(b) ethanol
(c) phenol
(d) none of these
Answer:
(d) none of these

Question 4.
Which of the following has the highest tendency to give the reaction, M+(g) Samacheer Kalvi 11th Chemistry Guide Chapter 5 Alkali and Alkaline Earth Metals 1 M+(aq)
(a) Na
(b) Li
(c) Rb
(d) K
Answer:
(b) Li

Question 5.
sodium is stored in
(a) alcohol
(b) water
(c) kerosene
(d) none of these
Answer:
(c) kerosene

Samacheer Kalvi 11th Chemistry Guide Chapter 5 Alkali and Alkaline Earth Metals

Question 6.
RbO2 is
(a) superoxide and paramagnetic
(b) peroxide and diamagnetic
(c) superoxide and diamagnetic
(d) peroxide and paramagnetic
Answer:
(a) superoxide and paramagnetic

Question 7.
Find the wrong statement
(a) sodium metal is used in organic qualitative analysis
(b) sodium carbonate is soluble in water and it is used in inorganic qualitative analysis
(c) potassium carbonate can be prepared by solvay process
(d) potassium bicarbonate is acidic salt
Answer:
(c) potassium carbonate can be prepared by solvay process

Question 8.
Lithium shows diagonal relationship with
(a) sodium
(b) magnesium
(c) calcium
(d) aluminium
Answer:
(b) magnesium

Question 9.
Incase of alkali metal halides, the ionic character increases in the order
(a) MF < MCl < MBr < MI
(b) MI < MBr < MCl < MF
(c) MI < MBr < MF < MCl
(d) none of these
Answer:
(b) MI < MBr < MCl < MF

Question 10.
In which process, fused sodium hydroxide is electrolysed for extraction of sodium?
(a) Castner’s process
(b) Cyanide process
(c) Down process
(d) All of these
Answer:
(a) Castner’s process

Samacheer Kalvi 11th Chemistry Guide Chapter 5 Alkali and Alkaline Earth Metals

Question 11.
The product obtained as a result of a reaction of nitrogen with CaC2 is
(a) Ca(CN)3
(b) CaN2
(c) Ca(CN)2
(d) Ca3N2
Answer:
(c) Ca(CN)2

Question 12.
Which of the following has highest hydration energy
(a) MgCl2
(b) CaCl2
(c) BaCl2
(d) SrCl2
Answer:
(a) MgCl2

Question 13.
Match the flame colours of the alkali and alkaline earth metal salts in the bunsen burner

(p) Sodium(1) Brick red
(q) Calcium(2) Yellow
(r) Barium(3) Violet
(s) Strontium(4) Apple green
(t) Cesium(5) Crimson red
(u) Potassium(6) Blue

(a) p – 2, q – 1, r – 4, s – 5, t – 6, u – 3
(b) p – 1, q – 2, r – 4, s – 5, t – 6, u – 3
(c) p – 4, q – 1, r – 2, s – 3, t – 5, u – 6
(d) p – 6, q – 5, r – 4, s – 3, t – 1, u – 2
Answer:
(a) p – 2, q – 1, r – 4, s – 5, t – 6, u – 3

Question 14.
Assertion:
Generally alkali and alkaline earth metals form superoxides
Reason:
There is a single bond between O and O in superoxides.
(a) both assertion and reason are true and reason is the correct explanation of assertion .
(b) both assertion and reason are true but reason is not the correct explanation of assertion
(c) assertion is true but reason is false
(d) both assertion and reason are false
Answer:
(d) both assertion and reason are false

Question 15.
Assertion:
BeSO4 is soluble in water while BaSO4 is not
Reason:
Hydration energy decreases down the group from Be to Ba and lattice energy remains almost constant.
(a) both assertion and reason are true and reason is the correct explanation of assertion
(b) both assertion and reason are true but reason is not the correct explanation of assertion
(c) assertion is true but reason is false
(d) both assertion and reason are false
Answer:
(a) both assertion and reason are true and reason is the correct explanation of assertion

Samacheer Kalvi 11th Chemistry Guide Chapter 5 Alkali and Alkaline Earth Metals

Question 16.
Which is the correct sequence of solubility of carbonates of alkaline earth metals ?
(a) BaCO3 > SrCO3 > CaCO3 > MgCO3
(b) MgCO3 > CaCO3 > SrCO3 > BaCO3
(c) CaCO3 > BaCO3 > SrCO3 > MgCO3
(d) BaCO3 > CaCO3 > SrCO3 > MgCO3
Answer:
(b) MgCO3 > CaCO3 > SrCO3 > BaCO3

Question 17.
In context with beryllium, which one of the following statements is incorrect?
(a) It is rendered passive by nitric acid
(b) It forms Be2C
(c) Its salts are rarely hydrolysed
(d) Its hydride is electron deficient and polymeric
Answer:
(c) Its salts are rarely hydrolysed

Question 18.
The suspension of slaked lime in water is known as
(a) lime water
(b) quick lime
(c) milk of lime
(d) aqueous solution of slaked lime
Answer:
(c) milk of lime

Question 19.
A colourless solid substance (A) on heating evolved CO2 and also gave a white residue, soluble in water. Residue also gave CO2 when treated with dilute HCl.
(a) Na2CO3
(b) NaHCO3
(c) CaCO3
(d) Ca(HCO3)2
Answer:
(b) NaHCO3

Question 20.
The compound (X) on heating gives a colourless gas and a residue that is dissolved in water to obtain (5). Excess of CO2 is bubbled through aqueous solution of B, C is formed. Solid (C) on heating gives back X. (B) is
(a) CaCO3
(b) Ca(OH)2
(c) Na2CO3
(d) NaHCO3
Answer:
(b) Ca(OH)2

Samacheer Kalvi 11th Chemistry Guide Chapter 5 Alkali and Alkaline Earth Metals

Question 21.
Which of the following statement is false?
(a) Ca2+ ions are not important in maintaining the regular beating of the heart
(b) Mg2+ ions are important in the green parts of the plants
(c) Mg2+ ions form a complex with ATP
(d) Ca2+ ions are important in blood clotting
Answer:
(a) Ca2+ ions are not important in maintaining the regular beating of the heart

Question 22.
The name ‘Blue John’ is given to which of the following compounds?
(a) CaH2
(b) CaF2
(c) Ca3(PO4)2
(d) CaO
Answer:
(b) CaF2

Question 23.
Formula of Gypsum is
(a) CaSO4 .2H2O
(b) CaSO4 .\(\frac{1}{2}\)H2O
(c) 3CaSO4 .H2O
(d) 2CaSO4 .2H2O
Answer:
(a) CaSO4 .2H2O

Question 24.
When CaC2 is heated in atmospheric nitrogen in an electric furnace the compound formed is
(a) Ca(CN)2
(b) CaNCN
(c) CaC2N2
(d) CaNC2
Answer:
(b) CaNCN

Question 25.
Among the following the least thermally stable is
(a) K2CO3
(b) Na2CO3
(c) BaCO3
(d) Li2CO3
Answer:
(d) Li2CO3

Samacheer Kalvi 11th Chemistry Guide Chapter 5 Alkali and Alkaline Earth Metals

II. Write brief answer to the following questions:

Question 26.
Why sodium hydroxide is much more water-soluble than chloride?
Answer:

  1. Sodium hydroxide is stronger base whereas sodium chloride is a salt.
  2. Sodium hydroxide dissolve freely in water with evolution of much heat on account of intense hydration.
  3. In other words when the Na+ and OH ions break up, the OH ions are much smaller than Cl ions and are able to form a hydrogen bond with water.
  4. Thus sodium hydroxide dissolves easily in water.

Question 27.
Explain what to mean by efflorescence.
Answer:

  1. Efflorescence is a process of losing water of hydration from hydrate.
  2. Sodium carbonate crystallises as decahydrate which is white in colour.
  3. Upon heating, it loses the water of crystallization to form monohydrate.
  4. Monohydrate (Na2CO3.H2O) is formed as a result of efflorescence.
    Na2CO3 .10H2O → Na2CO3.H2O + 9H2O

Question 28.
Write the chemical equations for the reactions involved in solvay process of preparation of sodium carbonate.
Answer:
2NH3 + H2O + CO2 → (NH4)2CO3
(NH4)2CO3 + H2O + CO2 → 2NH4HCO3
2NH4HCO3 + NaCl → NH4Cl + NaHCO3
2NaHCO3 → Na2CO3 + CO2 + H2O

Question 29.
An alkali metal (x) forms a hydrated sulphate, X2SO4 .10H2O. Is the metal more likely to be sodium (or) potassium?
Answer:
Sodium: Because hydration is favoured by high charge density cations and of the two mono positive ions, sodium is smaller and will have higher charge density.
Thus, Na2SO4.10H2O is more readily formed.

Question 30.
Write a balanced chemical equation for each of the following chemical reactions.
(i) Lithium metal with nitrogen gas
(ii) heating solid sodium bicarbonate
(iii) Rubidum with oxgen gas
(iv) solid potassium hydroxide with CO2
(v) heating calcium carbonate
(vi) heating calcium with oxygen
Answer:
(i) 6Li(s) + N2(g) → 2Li3N(s)
(ii) 2NaHCO3(s) → Na2CO3(s) + CO2(g) + H2O(g)
(iii) Rb + O2 → RbO2
(iv) 2KOH + CO2 → K2CO3 + H2O
(v) CaCO3 → CaO + CO2
(vi) 2Ca + O2 → 2 CaO

Samacheer Kalvi 11th Chemistry Guide Chapter 5 Alkali and Alkaline Earth Metals

Question 31.
Discuss briefly the similarities between beryllium and aluminium.
Answer:

  1. Beryllium chloride forms a dimeric structure like aluminium chloride with chloride bridges. Beryllium chloride also forms a polymeric chain structure in addition to dimer. Both are soluble in organic solvents and are strong Lewis acids.
  2. Beryllium hydroxide dissolves in excess of alkali and gives beryllate ion and [Be(OH)4]2- and hydrogen as aluminium hydroxide which gives aluminate ion, [Al(OH)4]2-.
  3.  Beryllium and aluminium ions have strong tendency to form complexes, BeF42-, AlF63-.
  4. Both beryllium and aluminium hydroxides are amphoteric in nature.
  5. Carbides of beryllium (Be2C) like aluminium carbide (Al4C3) give methane on hydrolysis.
  6. Both beryllium and aluminium are rendered passive by nitric acid.

Question 32.
Give the systematic names for the following
(i) milk of magnesia
(ii) lye
(iii) lime
(iv) Caustic potash
(v) washing soda
(vi) soda ash
(vii) trona
Answer:
(i) Magnesium hydroxide
(ii) caustic soda(Sodium Hydroxide)
(iii) calcium oxide
(iv) Potassium Hydroxide
(v) sodium carbonate
(vi) sodium carbonate
(vii) Sodium Sesquicarbonate

Question 33.
Substantiate Lithium fluoride has the lowest solubility among group one metal fluorides.
Answer:
Lithium fluoride has the lowest solubility among alkali metal fluoride due to its small size of Li+ and F ions, lattice enthalpy is much higher than that of hydration enthalpy.

Question 34.
Mention the uses of plaster of paris.
Answer:
The largest use of Plaster of Paris is in the building industry as well as plasters. It is used for immobilising the affected part of organ where there is a bone fracture or sprain. It is also employed in dentistry, in ornamental work and for making casts of statues and busts.

Question 35.
Beryllium halides are Covalent whereas magnesium halides are ionic why?
Answer:
Halogens are non-metals and beryllium is also a non-metal. Since non-metals always form covalent bonds with each other due to almost similar ionization potential and electronegativity. And Beryllium is smaller in size and has high polarizing power therefore, beryllium halides are covalent.

Magnesium is a metal and metals mostly form ionic bonds with non-metals due to vast difference in their ionization potential and electronegativity, therefore magnesium halides are always ionic.

Samacheer Kalvi 11th Chemistry Guide Chapter 5 Alkali and Alkaline Earth Metals

Question 36.
Alkaline earth metal (A), belongs to 3rd period reacts with oxygen and nitrogen to form compound (B) and (C) respectively. It undergoes metal displacement reaction with AgNO3 solution to form compound (D).
Answer:
Alkaline earth metal, 3rd → Magnesium(Mg) ……….(A)
2 Mg + O2 → 2MgO …………(B)
3 Mg + N2 → Mg3N2 ……….(C)
Mg + 2 AgNO3 → 2 Ag + Mg(NO3)2 ………….(D)
A – Magnesium
B – Magnesium oxide
C – Magnesium nitride
D – Magnesium nitrate

Question 37.
Write balanced chemical equation for the following processes
(a) heating calcium in oxygen
(b) heating calcium carbonate
(c) evaporating a solution of calcium hydrogen carbonate
(d) heating calcium oxide with carbon
Answer:
(a) 2 Ca + O2 → 2CaO
(b) CaCO3 → CaO + CO2
(c) Ca(HCO3)2 → CO2 + H2O + CaCO3.
(d) CaO + 3 C → CaC2 + CO

Question 38.
Explain the important common features of Group 2 elements.
Answer:

  1. Group 2 is known as alkaline earth metals. It contains soft, silver metals that are less metallic in character than the Group 1 elements. Although many characteristics are common throughout the group, the heavier metals such as Ca, Sr, Ba, and Ra are almost as reactive as the Group 1 Alkali Metals.
  2. General electronic configuration can be represented as [Noble gas] ns2 where ‘n’ represents the valence shell.
  3. All the elements in Group 2 have two electrons in their valence shells, giving them an oxidation state of +2. This enables the metals to easily lose electrons, which increases their stability and allows them to form compounds via ionic bonds.
  4. The atomic and ionic radii of alkaline earth metals are smaller than the corresponding members of the alkali metals.
  5. On moving down the group, the radii increases due to gradual increase in the number of the shells and the screening effect.
  6. Down the group the ionisation enthalpy decreases as atomic size increases. They are less electropositive than alkali metals.
  7. Compounds of alkaline earth metals are more extensively hydrated than those of alkali metals, because the hydration enthalpies of alkaline earth metal ions are larger than those of alkali metal ions.

Question 39.
Discus the similarities between beryllium and aluminium.
Answer:
Similarities between Beryllium and Aluminium

  1. Beryllium chloride forms a dimeric structure like aluminium chloride with chloride bridges. Beryllium chloride also forms polymeric chain structure in addition to dimer. Both are soluble in organic solvents and are strong Lewis acids.
  2. Beryllium hydroxide dissolves in excess of alkali and gives beryllate ion and [Be(OH)4]2-and hydrogen as aluminium hydroxide which gives aluminate ion, [Al(OH)4].
  3. Beryllium and aluminium ions have strong tendency to form complexes, BeF42-, AlF63-.
  4. Both beryllium and aluminium hydroxides are amphoteric in nature.
  5. Carbides of beryllium (Be2C) like aluminium carbide (Al4C3) give methane on hydrolysis.
  6. Both beryllium and aluminium are rendered passive by nitric acid.

Question 40.
Why alkaline earth metals are harder than alkali metals?
Answer:
The strength of metallic bond in alkaline earth metals is higher than the alkali metals due to presence of 2 electrons in its outermost shell as compared to alkali metal which have only 1 electron in valence shell. Therefore alkaline earth metals are harder than the alkali metals.

Samacheer Kalvi 11th Chemistry Guide Chapter 5 Alkali and Alkaline Earth Metals

Question 41.
How is plaster of paris prepared?
Answer:
It is a hemihydrate of calcium sulphate. It is obtained when gypsum,
CaSO4.2H2O is heated to 393 K.
2CaSO4.2H2O(s) → 2CaSO4.H2O + 3H2O
Above 393 K, no water of crystallisation is left and anhydrous calcium sulphate, CaSO4 is formed. This is known as ‘dead burnt plaster’.

Question 42.
Give the uses of gypsum.
Answer:

  1. Gypsum is used in making drywalls or plasterboards. Plasterboards are used as the finish for walls and ceilings, and for partitions.
  2. Another important use of gypsum is the production of plaster of Paris. Gypsum is heated to about 300 degree Fahrenheit to produce plaster of Paris, which is also known as gypsum plaster. It is mainly used as a sculpting material.
  3. Gypsum is used in making surgical and orthopaedic casts, such as surgical splints and casting moulds.
  4. Gypsum plays an important role in agriculture as a soil additive, conditioner, and fertilizer. It helps loosen up compact or clay soil, and provides calcium and sulphur, which are essential for the healthy growth of a plant. It can also be used for removing sodium from soils having excess salinity.
  5. Gypsum is used in toothpaste, shampoos, and hair products, mainly due to its binding and thickening properties.
  6. Gypsum is a component of Portland cement, where it acts as a hardening retarder to control the speed at which concrete sets.

Question 43.
Describe briefly the biological importance of Calcium and magnesium.
Answer:
Magnesium:

  1. A typical adult human body contains about 25 g of magnesium and 1200 g of calcium.
  2. Magnesium plays an important role in many biochemical reactions catalyzed by enzymes.
  3. It is the co-factor of all enzymes that utilize ATP in phosphate transfer and energy release.
  4. It also essential for DNA synthesis and is responsible for the stability and proper functioning of DNA.
  5. It is also used for balancing electrolytes in our body.
  6. Deficiency of magnesium results into convulsion and neuromuscular irritation.
  7. The main pigment that is responsible for photosynthesis, chlorophyll, contains magnesium which plays an important role in photosynthesis.

Calcium:

  1. Calcium is a major component of bones and teeth.
  2. It is also present in in blood and its concentration is maintained by hormones (calcitonin and parathyroid hormone).
  3. Deficiency of calcium in blood causes it to take longer time to clot. It is also important for muscle contraction.

Question 44.
Which would you expect to have a higher melting point, magnesium oxide or magnesium fluoride? Explain your reasoning.
Answer:

  1. Magnesium fluoride – 1263°C
  2. Magnesium oxide – 2852°C
  3. The strength of ionic bonds usually depends on two factors – ionic radius and charge. Mg2+ and O2- have charges of +2 and -2 respectively. This is larger than the charge of other ions like.
  4. Magnesium ions and oxygen ions also have small ionic radius.
  5. Oxygen ion is smaller than fluoride
  6. The smaller the ionic radii, the smaller the bond length and the stronger the bond. Therefore the ionic bond between magnesium and oxygen is very strong.

Samacheer Kalvi 11th Chemistry Guide Chapter 5 Alkali and Alkaline Earth Metals

11th Chemistry Guide Alkali and Alkaline Earth Metals Additional Questions and Answers

I. Choose the best Answer:

Question 1.
The reducing property of alkali metals follows the order
(a) Na < K < Rb < Cs < Li
(b) K < Na < Rb < Cs < Li
(c) Li < Cs < Rb < K < Na
(d) Rb < Cs < K < Na < Li
Answer:
(a) Na < K < Rb < Cs < Li

Question 2.
Arrange the following in increasing order of hydration enthalpy.
(a) Rb+ > Li+ > Na+ > K+ > Cs+
(b) Cs+ > Rb+ > K+ > Na+ > Li+
(c) Li+ > Na+ > K+ > Rb+ > Cs+
(d) K+ > Na+ > Li+ > Rb+ > Cs+
Answer:
(c) Li+ > Na+ > K+ > Rb+ > Cs+

Question 3.
Li does not resemble other alkali metals in which of the following property?
(a) Li2CO3 decomposes into oxides while other alkali carbonates re thermally stable
(b) LiCl is predominantly covalent
(c) Li3N stable
(d) All of the above
Answer:
(d) All of the above

Question 4.
1 mol of a substance (X) was treated with an excess of water, 2 mol of readily combustible gas were . produced along with solution which when reacted with CO2 gas produced a white turbidity. The substance (X) could be
(a) Ca
(b) CaH2
(c) Ca(OH)2
(d) Ca(NO3)2
Answer:
(b) CaH2

Question 5.
The alkali metal used in photoelectric cells is
(a) Na
(b) Cs
(c) Rb
(d) Fr
Answer:
(b) Cs

Samacheer Kalvi 11th Chemistry Guide Chapter 5 Alkali and Alkaline Earth Metals

Question 6.
Na2O2 has light yellow colour. This is due to
(a) presence of unpaired electron in the molecule
(b) presence of trace of NaO2
(c) presence of KO2 ass an impurity
(d) none of the above
Answer:
(b) presence of trace of NaO2

Question 7.
Be2C + 4H2O → 2X + CH4
X + 2HCl + 2H2O → Y
X and Y formed in the above two reactions is
(a) BeCO3 and Be(OH)2 respectively
(b) Be(OH)2 and BeCl2 respectively
(c) Be(OH)2 and [Be(OH)4]Cl2 respectively
(d) [Be(OH)4]2- and BeCl2 respectively
Answer:
(c) BQ(OH)2 and [Be(OH)4]Cl2 respectively

Question 8.
When sodium reacts with excess of oxygen, oxidation number of oxygen changes from
(a) 0 to – 1
(b) 0 to 2
(c) – 1 to – 2
(d) +1 to -1
Answer:
(a) 0 to – 1

Question 9.
Magnesium burns in air to give
(a) MgO
(b) MgCO3
(c) MgCO3
(d) MgO and Mg3N2
Answer:
(d) MgO and Mg3N2

Question 10.
The composition of common baking powder is
(a) starch, sodium bicarbonate, citric acid
(b) Sodium bicarbonate, tartaric acid
(c) starch, sodium bicarbonate, citric acid
(d) Starch, sodium bicarbonate, calcium hydrogen phosphate.
Answer:
(d) Starch, sodium bicarbonate, calcium hydrogen phosphate.

Samacheer Kalvi 11th Chemistry Guide Chapter 5 Alkali and Alkaline Earth Metals

Question 11.
The word ‘alkali’ used for alkali metals indicates
(a) ashes of plants
(b) metallic luster
(c) soft metals
(d) reactive metals
Answer:
(a) ashes of plants

Question 12.
Which salt can be used to identify coloured cation
(a) borax
(b) microcosmic salt
(c) both (a) and (b)
(d) none of these
Answer:
(c) both (a) and (b)

Question 13.
Select the correct statement
LiOH > NaOH > KOH > RbOH
Li2CO3 > Na2CO3 > K2CO3 > Rb2CO3
(a) Solubility of alkali hydroxides is in order
(b) Solubility of alkali carbonates is in order
(c) both are correct
(d) None is correct
Answer:
(b) Solubility of alkali carbonates is in order

Question 14.
Which fumes in air?
(a) BeCl2
(b) MgCl2
(c) CaCl2
(d) BaCl2
Answer:
(a) BeCl2

Question 15.
Which of the following ions form a hydroxide highly soluble in water?
(a) Ni2+
(b) K2+
(c) Zn2+
(d) Al3+
Answer:
(b) K2+

Samacheer Kalvi 11th Chemistry Guide Chapter 5 Alkali and Alkaline Earth Metals

Question 16.
Which causes nerve signals in animals?
(a) Electrical potential gradient due to transfer of K+ ions
(b) Electrical potential gradient due to transfer of Na+ ions in (Na+ – K+) pumps
(c) Electrical potential gradient set up due to transfer of Ca2+ ions
(d) No nerve signal exists in animals.
Answer:
(a) Electrical potential gradient due to transfer of K+ ions

Question 17.
The carbide of which of the following metals on hydrolysis gives allylene or propyne?
(a) Be
(b) Ca
(c) Al
(d) Mg
Answer:
(d) Mg

Question 18.
Which of the following reaction produces hydrogen?
(a) Mg + H2O
(b) H2S4O8 + H2O
(c) BaO2 + HCl
(d) Na2O2 + 2HCl
Answer:
(a) Mg + H2O

Question 19.
A major constituent of Portland cement (except lime) is
(a) Silica
(b) Alumina
(c) Iron oxide
(d) Magnesia
Answer:
(a) Silica

Question 20.
Which of the following is known as a variety of gypsum ?
(a) CaCO3
(b) CaSO4
(c) plaster of paris
(d) gypsum
Answer:
(d) gypsum

Samacheer Kalvi 11th Chemistry Guide Chapter 5 Alkali and Alkaline Earth Metals

Question 21.
The elements belongs to group-1 are called as
(a) Alkali metals
(b) Alkaline earth metals
(c) halogens
(d) chalcogens
Answer:
(a) Alkali metals

Question 22.
Which one of the following is a radioactive element of alkali metal?
(a) Cesium
(b) Francium
(c) Potassium
(d) Sodium
Answer:
(b) Francium

Question 23.
Match the correct pair Element:

(A) lithium(i) Sylvite
(B) Sodium(ii) Spodumene
(C) Potassium(iii) Rock Salt

(a) A – ii, B – iii, C – i
(b) A – i, B – ii, C – iii
(c) A – ii, B – i, C – iii
(d) A – i, B – iii, C – ii
Answer:
(a) A – ii, B – iii, C – i

Question 24.
The colour of potassium salt in flame is
(a) Crimson red
(b) Lilac
(c) Blue
(d) Yellow
Answer:
(b) Lilac

Question 25.
Lithium reacts directly with carbon to form
(a) Li2C2
(b) Li2C
(c) LiC2
(d) LiC
Answer:
(a) Li2C2

Samacheer Kalvi 11th Chemistry Guide Chapter 5 Alkali and Alkaline Earth Metals

Question 26.
Lithium shows diagonal relationship with
(a) Beryllium
(b) Carbon
(c) Magnesium
(d) Calcium
Answer:
(c) Magnesium

Question 27.
Which of the following element forms monoxide and peroxide?
(a) Lithium
(b) Potassium
(c) Rubedium
(d) Sodium
Answer:
(d) Sodium

Question 28.
Choose the correct pair:

(A) Pb(Me)4(i) fertilizer
(B) KCl(ii) photoelectric cells
(C) Pb-Al alloy(iii) anti-knock additives
(D) Cs(iv) air craft parts

(a) A – iii, B – i, C – iv, D – ii
(b) A – ii, B – iii, C – iv, D – i
(c) A – iv, B – ii, C – iii, D – i
(d) A – ii, B – iv, C – i, D – iii
Answer:
(a) A – iii, B – i, C – iv, D – ii

Question 29.
Sodium reacts with acetylene to give
(a) Sodium ethoxide
(b) Sodium acetylide
(c) Sodium hydroxide
(d) Sodamide
Answer:
(b) Sodium acetylide

Question 30.
The products obtained on reaction of Na2O2 with water are
(a) NaOH and H2O
(b) NaOH and H2O2
(c) Na2O and H2O2
(d) NaOH, Na2O
Answer:
(c) Na2O and H2O2

Samacheer Kalvi 11th Chemistry Guide Chapter 5 Alkali and Alkaline Earth Metals

Question 31.
Choose the correct statement/s is are correct about alkali metals.
1. The oxides and peroxides are colourless when pure but the superoxides are yellow or orange in colour.
2. The peroxides are diamagnetic while the superoxides are paramagnetic.
3. Sodium peroxide is widely used as an oxidizing agent.
4. The alkali metal hydroxides are weak bases.
(a) 1, 2 and 4
(b) 2, 3 and 4
(c) 1, 2 and 3
(d) 1, 3 and 4
Answer:
(c) 1, 2 and 3

Question 32.
Statement – 1:
LiF has low solubility in water.
Statement – 2:
LiF has low lattice enthalpy.
In the above statements
(a) 1 alone is correct.
(b) Both 1 and 2 are correct
(c) 2 alone is correct
(d) Both 1 and 2 are incorrect
Answer:
(b) Both 1 and 2 are correct

Question 33.
Alkali metals except ______ form solid bicarbom
(a) Sodium
(b) Potassium
(c) Cesium
(d) Lithium
Answer:
(d) Lithium

Question 34.
The ammonia used in the Solvay proves- recovered by using
(a) calcium chloride
(b) Calcium hydroxide
(c) calcium carbonate
(d) calcium oxide
Answer:
(b) Calcium hydroxide

Question 35.
The by-product formed in the Solvay process
(a) calcium chloride
(b) calcium hydroxide
(c) calcium carbonate
(d) ammonium chloride
Answer:
(a) calcium chloride

Samacheer Kalvi 11th Chemistry Guide Chapter 5 Alkali and Alkaline Earth Metals

Question 36.
Sodium carbonate decahydrate on heating ab 373K gives
(a) Na2CO3 .3H2O
(b) N2CO3 .5H2O
(c) Na2CO3
(d) Na2CO3 .H2O
Answer:
(c) Na2CO3

Question 37.
_______ is used water treatment to convert the hard water to soft water.
(a) Sodium chloride
(b) Sodium bicarbonate
(c) Sodium hydroxide
(d) Sodium carbonate
Answer:
(d) Sodium carbonate

Question 38.
The product obtained on saturating a solution o sodium carbonate with carbon dioxide i,-.
(a) sodium bicarbonate
(b) sodium hydroxide
(c) sodium chloride
(d) sodium peroxide.
Answer:
(a) sodium bicarbonate

Question 39.
Choose the correct pair:

(A) Sodium chloride(i) Petroleum refining
(B) Sodium Carbonate(ii) domestic use
(C) Sodium bicarbonate(iii) laundering
(D) Sodium Hydroxide(iv) fire extinguisher

(a) A – ii, B – iv, C – iii, D – i
(b) A – ii, B – iii, C – iv, D – i
(c) A – iv, B – ii, C – i, D – iii
(d) A – iv, B – i, C – ii, D – iii
Answer:
(b) A – ii, B – iii, C – iv, D – i

Question 40.
The used in baking cakes, pastries etc., is
(a) sodium chloride
(b) sodium carbonate
(c) sodium bicarbonate
(d) sodium hydroxide
Answer:
(c) sodium bicarbonate

Samacheer Kalvi 11th Chemistry Guide Chapter 5 Alkali and Alkaline Earth Metals

Question 41.
______ pump play an important role in transmitting nerve signals.
(a) sodium-Magnesium
(b) sodium-potassium
(c) sodium-calcium
(d) sodium-lithium
Answer:
(b) sodium-potassium

Question 42.
Fluoraptite is the ore of
(a) magnesium
(b) beryllium
(c) potassium
(d) calcium
Answer:
(d) calcium

Question 43.
The fifth most abundant element in the earth’s crust is
(a) magnesium
(b) beryllium
(c) calcium
(d) strontium
Answer:
(c) calcium

Question 44.
Strontium nitrate give _______ colour in fire works.
(a) violet
(b) bright red
(c) green
(d) orange
Answer:
(b) bright red

Question 45.
Which of the alkaline earth metal has highest hydration enthalpy?
(a) Be
(b) Mg
(c) Ca
(d) Sr
Answer:
(a) Be

Samacheer Kalvi 11th Chemistry Guide Chapter 5 Alkali and Alkaline Earth Metals

Question 46.
The anomalous properties of beryllium is mainly due to its
1. small size
2. low electronegativity
3. high ionization energy
4. low polarizing power.
(a) 1,2, 3 and 4
(b) 2 and 4
(c) 1 and 3
(d) 1 and 3
Answer:
(d) 1 and 3

Question 47.
______ and ______ ions have strong tendency to form complexes.
(a) Be and Al
(b) Be and Mg
(c) Ca and Sr
(d) Be and B
Answer:
(a) Be and Al

Question 48.
______ is used as radiation windows for X-ray tubes.
(a) Mg
(b) Be
(c) Na
(d) Ca
Answer:
(b) Be

Question 49.
A compound of calcium used in makig surgical and orthopedic casts is
(a) Dolomite
(b) Gypsum
(c) Feldspar
(d) plaster of paris
Answer:
(b) Gypsum

Question 50.
______ is a major component of bones and teeth.
(a) Na
(b) Be
(c) Ca
(d) Mg
Answer:
(c) Ca

Samacheer Kalvi 11th Chemistry Guide Chapter 5 Alkali and Alkaline Earth Metals

II. Very short question and answers (2 Marks):

Question 1.
What are s-block elements?
Answer:
The elements belonging to the group 1 and 2 in the modem periodic table are called s-block elements. The elements belonging to these two groups are commonly known as alkali and alkaline earth metals respectively.

Question 2.
What are alkali metals?
Answer:
Alkali metals consists of the elements: lithium, sodium, potassium, rubidium, caesium and francium. They are all metals, generally soft and highly reactive. They form oxides and hydroxides and these compounds are basic in nature.

Question 3.
Write the mineral source of lithium, sodium and potassium.
Answer:

ElementMineral source
1. LithiumSpodumene
2. SodiumRock Salt
3. PottasiumSylvite

Question 4.
Why does the ionization enthalpy of alkali metals decreases in a group?
Answer:
Alkali metals have the lowest ionisation enthalpy compared to other elements present in the respective period. As we go down the group, the ionisation enthalpy decreases due to the increase in atomic size. In addition, the number of inner shells also increases, which in turn increases the magnitude of screening effect and consequently, the ionisation enthalpy decreases down the group.

Question 5.
The second ionization enthalpies of alkali metals are very high. Give reason.
Answer:
The second ionisation enthalpies of alkali metals are very high. The removal of an electron from the alkali metals gives monovalent cations having stable electronic configurations similar to the noble gas. Therefore, it becomes very difficult to remove the second electron from the stable Configurations, already attained.

Samacheer Kalvi 11th Chemistry Guide Chapter 5 Alkali and Alkaline Earth Metals

Question 6.
Why is the lithium salts are more soluble than the salts of other metals of group-1.
Answer:
Lithium salts are more soluble than the salts of other metals of group 1. eg., LiClO4 is up to 12 times more soluble than NaClO4. KClO4, RbClO4, and CsClO4 have solubilities only 10-3 times of that of LiClO4. The high solubility of Li salts is due to strong solvation of small size of Li+ ion.

Question 7.
What is diagonaol relatiobship?
Answer:
Similarity between the first member of group 1 (Li) and the diagonally placed second element of group 2 (Mg) is called diagonal relationship. It is due to similar size (rLi+ = 0.766 Å and Mg2+ = 0.12 Å) and comparable electronegativity values (Li = 1.0; Mg = 1.2).

Question 8.
Why does the solubility of carbonates and bicarbonates decreases in a group?
Answer:
All the carbonates and bicarbonates are soluble in water and their solubilities increase rapidly on descending the group. This is due to the reason that lattice energies decrease more rapidly than their hydration energies on moving down the group.

Question 9.
Lithium carbonate is considerably less stable and decompose readily. Give reason.
Answer:
Li2CO3 is considerably less stable and decomposes readily.
Li2CO3 → Li2O + CO2
This is presumably due to large size difference between Li+ and CO23- which makes the crystal lattice unstable.

Question 10.
What is washing soda?
Answer:
Sodium carbonate, commonly known as washing soda, crystallises as decahydrate which is white in colour.

Samacheer Kalvi 11th Chemistry Guide Chapter 5 Alkali and Alkaline Earth Metals

Question 11.
What is action of heating on sodium carbonate?
Answer:
Upon heating, it looses the water of crystallisation to form monohydrate. Above 313 K, the monohydrate becomes completely anhydrous and changes to a white powder called soda ash.
Na2CO3 .10H2O → Na2CO3 .H2O + 9H2O
Na2CO3 .H2O → Na2CO3 + H2O

Question 12.
How does Lithium shows similar properties with magnesium in its chemical behavior?
Answer:

  1. Both react with nitrogen to form nitrides.
  2. Both react with oxygen to give monoxides.
  3. Both the element have tendency to form covalent compounds.
  4. Both can form complex compounds.

Question 13.
Why are potassium and caesium, rather than lithium used in photoelectric cells?
Answer:
Potassium and Caesium have much lower ionization enthalpy than that of Lithium. As a result, these metals easily emit electrons on exposure to light. Due to this, K and Cs are used in photoelectric cells.

Question 14.
Write the chemical formula of the following compounds.
(a) Chile salt petre; (b) marble; (c) Brine
Answer:
(a) Chile salt petre – NaNO3
(b) marble – CaCO3
(c) Brine – NaCl

Question 15.
The order ofionic mobility of the ions in aqueous solution is Cs+ > Rb+ > K+ > Na+. Account it.
Answer:
Smaller the size of cation, higher will be the hydration and its effective size will increase and hence mobility in aqueous solution will decrease. Larger size ions have more ionic mobility due to less hydration. Thus the degree of hydration of M+ ions decreases from Li+ to Cs+.

Cosequently the radii of the hydrated ion decreses from Li+ to Cs+. Hence, the ionic conductance of these hydrated ions increases from Li+ to Cs+.

Samacheer Kalvi 11th Chemistry Guide Chapter 5 Alkali and Alkaline Earth Metals

Question 16.
(a) Lithium Iodide is more covalent than Lithium fluoride, (b) Lattice enthalpy of LiF is maximum among all the alkali metals halides. Explain.
Answer:
(a) According to Fajan’s rule, Li+ ion can polarise I ion more than the F ion due to bigger size of the anion. Thus, LiI has more covalent character than LiF.

(b) Smaller the size (intemuclear distance), more is the value of Lattice enthalpy since intemuclear distance is expected to be least in the LiF.

Question 17.
Write notes on flame test for alkali metals.
Answer:
When the alkali metal salts moistened with concentrated hydrochloric acid are heated on a platinum wire in a flame, they show characteristic coloured flame.
Eg:- Lithium – Crimson red; Potassium – Lilac

Question 18.
Give two uses of alkali metals.
Answer:

  • Lithium metal is used to make useful alloys. For example with lead it is used to make ‘white metal’ bearings for motor engines, with aluminium to make aircraft parts, and with magnesium to make armour plates. It is used in thermonuclear reactions.
  • Lithium is also used to make electrochemical cells.

Question 19.
Write the uses of sodium bicarbonate.
Answer:
The uses of sodium bicarbonate are

  • Primarily used as an ingredient in baking.
  • Sodium hydrogen carbonate is a mild antiseptic for skin infections.
  • It is also used in fire extinguishers.

Question 20.
What are alkaline earth metals?
Answer:
Group 2 in the modem periodic table contains the elements beryllium, magnesium, calcium, strontium, barium and radium are called alkaline earth metals.

Samacheer Kalvi 11th Chemistry Guide Chapter 5 Alkali and Alkaline Earth Metals

Question 21.
Write notes on the physical state of alkaline earth metals.
Answer:
Beryllium is rare and radium is the rarest of all comprising only 10% of igneous rocks. Magnesium and calcium are very common in the earth’s crust, with calcium the fifth-most-abundant element, and magnesium the eighth. Magnesium and calcium are found in many rocks and minerals: magnesium in carnallite, magnesite, dolomite and calcium in chalk, limestone, gypsum.

Strontium is found in the minerals celestite and strontianite. Barium is slightly less common, much of it in the mineral barite. Radium, being a decay product of uranium, is found in all uranium-bearing ores.

Question 22.
Write the uses of Beryllium.
Answer:

  1. Because of its low atomic number and very low absorption for X-rays, it is used as radiation windows for X-ray tubes and X-ray detectors.
  2. The sample holder in X-ray emission studies usually made of beryllium
  3. Since beryllium is transparent to energetic particles it is used to build the ‘beam pipe’ in accelerators.
  4. Because of its low density and diamagnetic nature, it is used in various detectors.

Question 23.
What are the uses of Strontium.
Answer:

  1. 90Sr is used in cancer therapy.
  2. 86Sr/ 86Sr ratios are commonly used in marine investigations as well as in teeth, tracking animal migrations or in criminal forensics.
  3. Dating of rocks.
  4. As a radioactive tracer in determining the source of ancient archaeological materials such as timbers and coins.

Question 24.
Write the uses of Barium.
Answer:

  1. Used in metallurgy, its compounds are used in pyrotechnics, petroleum mining and radiology.
  2. Deoxidiser in copper refining.
  3. Its alloys with nickel readily emits electrons hence used in electron tubes and in spark plug electrodes.
  4. As a scavenger to remove last traces of oxygen and other gases in television and other electronic tabes,
  5. An isotope of barium 133Ba, used as a source in the calibration of gamma-ray detectors in nuclear chemistry.

Question 25.
How does beryllium hydride can be prepared?
Answer:
All the elements except beryllium, combine with hydrogen on heating to fdrm their hydrides with general formula MH2. BeH2 can be prepared by the reaction of BeCl2 with LiAlH4.
2BeCl2 + LiAlH4 → 2BeH2 + LiCl + AlCl3

Samacheer Kalvi 11th Chemistry Guide Chapter 5 Alkali and Alkaline Earth Metals

Question 26.
Why does solubility of sulphates of alkaline earth metal decreases? Explain.
Answer:
The sulphates of the alkaline earth metals are all white solids and stable to heat. BeSO4, and MgSO4 are readily soluble in water; the solubility decreases from CaSO4 to BaSO4. The greater hydration enthalpies of Be2+ and Mg2+ ions overcome the lattice enthalpy factor and therefore their sulphates are soluble in water.

Question 27.
Write notes on plaster of paris.
Answer:
It is a hemihydrate of calcium sulphate. It is obtained when gypsum, CaSO4.2H2O, is heated to 393 K.
2CaSO4 2H2O{s) → 2CaSO4 .H2)O + 3H2O
Above 393 K, no water of crystallisation is left and anhydrous calcium sulphate, CaSO4 is formed. This is known as ‘dead burnt plaster’. It has a remarkable property of setting with water. On mixing with an adequate quantity of water it forms a plastic mass that gets into a hard solid in 5 to 15 minutes.
Uses:
The largest use of Plaster of Paris is in the building industry as well as plasters. It is used for immobilising the affected part of organ where there is a bone fracture or sprain. It is also employed in dentistry, in ornamental work and for making casts of statues and busts.

Samacheer Kalvi 11th Chemistry Guide Chapter 5 Alkali and Alkaline Earth Metals

III. Short question and answers (3 Marks):

Question 1.
Write notes characteristic flame colouration of alkali metal salts.
Answer:
When the alkali metal salts moistened with concentrated hydrochloric acid are heated on a platinum wire in a flame, they show characteristic coloured flame as shown below.

ElementColour
LithiumCrimson red
SodiumYellow
PotassiumLilac
RubidiumReddish violet
CaesiumBlue

The heat in the flame excites the valence electron to a higher energy level. When it drops back to its actual energy level, the excess energy is emitted as light, whose wavelength is in the visible region.

Question 2.
Discuss the reaction of alkali metals with liquid ammonia.
Answer:
Alkali metals dissolve in liquid ammonia to give deep blue solutions that are conducting in nature. The conductivity is similar to that of pure metals. This happens because the alkali metal atom readily loses its valence electron in ammonia solution. Both the cation and the electron are ammoniated to give ammoniated cation and ammoniated electron.
M + (x + y)NH3 → [M(NH3)x]+ [e(NH3)y)]

The blue colour of the solution is due to the ammoniated electron which absorbs energy in the visible region of light and thus imparts blue colour to the solution. The solutions are paramagnetic and on standing slowly liberate hydrogen resulting in the formation of an amide.
M+ + e + NH3 → MNH2 + \(\frac{1}{2}\)H2
In concentrated solution, the blue colour changes to bronze colour and become diamagnetic.

Question 3.
Write the properties of oxides and peroxides of alkali metals.
Answer:
The oxides and the peroxides are colourless when pure, but the superoxides are yellow or orange in colour. The peroxides are diamagnetic while the superoxides are paramagnetic. Sodium peroxide is widely used as an oxidising agent.

The hydroxides which are obtained by the reaction of the oxides with water are all white crystalline solids. The alkali metal hydroxides are strong bases. They dissolve in water with evolution of heat on account of intense hydration.

Samacheer Kalvi 11th Chemistry Guide Chapter 5 Alkali and Alkaline Earth Metals

Question 4.
Write the uses of sodium carbonate.
Answer:

  1. Sodium carbonate known as washing soda is used heavily for laundering
  2. It is an important laboratory reagent used in the qualitative analysis and in volumetric analysis.
  3. It is also used in water treatment to convert the hard water to soft water
  4. It is used in the manufacturing of glass, paper, paint etc…

Question 5.
Write the uses of sodium hydroxide.
Answer:

  1. Sodium hydroxide is used as a laboratory reagent
  2. It is also used in the purification of bauxite and petroleum refining
  3. It is used in the textile industries for mercerizing cotton fabrics.
  4. It is used in the manufacture of soap, paper, artificial silk and a number of chemicals.

Question 6.
What are the mineral sources of alkali metals?
Answer:

ElementMineral source
BerylliumBeryl, Be3Al2Si6O18
MagnesiumCamallite, KCl. MgCl2.6H2O Dolomite, MgCO3.CaCO3
CalciumFluorapatite
StrontiumCelestite, SrSO4
BariumBarytes, BaSO4

Question 7.
Comapare the ionization energy of alkali metals with alkaline earth metals.
Answer:
Members of group 2 have higher ionization enthalpy values than group 1 because of their smaller size, with electrons being more attracted towards the nucleus of the atoms. Correspondingly they are less electropositive than alkali metals.

Although IE1 values of alkaline earth metals are higher than that of alkali metals, the IE2 values of alkaline earth metals are much smaller than those of alkali metals. This occurs because in alkali metals the second electron is to be removed from a cation, which has already acquired a noble gas configuration. In the case of alkaline earth metals, the second electron is to be removed from a monovalent cation, which still has one electron in the outermost shell. Thus, the second electron can be removed more easily in the case of group 2 elements than in group 1 elements.

Samacheer Kalvi 11th Chemistry Guide Chapter 5 Alkali and Alkaline Earth Metals

Question 8.
Write the uses of magnesium.
Answer:

  1. Removal of sulphur from iron and steel
  2. Refining of titanium in the ‘Kroll” process.
  3. Used as photoengrave plates in printing industry.
  4. Magnesium alloys are used in aeroplane and missile construction.
  5. Mg ribbon is used in synthesis of Grignard reagent in organic synthesis.
  6. It alloys with aluminium to improve its mechanical, fabrication and welding property.
  7. As a desiccant.
  8. As sacrificial anode in controlling galvanic corrosion.

Question 9.
Write the uses of calcium.
Answer:

  1. As a reducing agent in the metallurgy of uranium, zirconium and thorium.
  2. As a deoxidiser, desulphuriser or decarboniser for various ferrous and non-ferrous alloys.
  3. In making cement and mortar to be used in construction.
  4. As a getter in vacuum tubes.
  5. In dehydrating oils
  6. In fertilisers, concrete and plaster of paris.

Question 10.
Give uses of magnesium.
Answer:

  1. Removal of sulphur from iron and steel
  2. Refining of titanium in the “Kroll” process.
  3. Used as photoengrave plates in printing industry.
  4. Magnesium alloys are used in aeroplane and missile construction.
  5. Mg ribbon is used in synthesis of Grignard reagent in organic synthesis.
  6. It alloys with aluminium to improve its mechanical, fabrication and welding property.
  7. As a desiccant.
  8. As sacrificial anode in controlling galvanic corrosion.

Question 11.
Give the structure of BeCl2 in the solid phase and Vapor phase.
Answer:
Beryllium chloride has a chain structure in the solid-state as shown below, (structure-a). In the vapour phase, BeCl2 tends to form a chloro-bridged dimer (structure-c) which dissociates into the linear monomer at high temperatures of the order of 1200 K. (structure-b).
Samacheer Kalvi 11th Chemistry Guide Chapter 5 Alkali and Alkaline Earth Metals 2

Samacheer Kalvi 11th Chemistry Guide Chapter 5 Alkali and Alkaline Earth Metals

IV. Long Answer Questions(5 Marks):

Question 1.
Compare the properties of Lithium with other elements of the group.
Answer:
The distinctive behaviour of Li+ ion is due to its exceptionally small size, high polarising power, high hydration energy and non-availability of d-orbitals.

LithiumOther elements of the Group
Hard, high melting and boiling pointSoft, Lower melting and boiling point
Least reactive (For example it reacts with oxygen to form normal oxide, forms peroxides with great difficulty and its higher oxides are unstable)More reactive
Reacts with nitrogen to give Li3NNo reaction
Reacts with bromine slowlyReact violently
Reacts directly with carbon to form ionic carbides. For example

2Li + 2C →  Li2C2

Do not react with carbon directly, but can react with carbon compounds.

Na + C2H2 → Na2C2

Compounds are sparingly soluble in waterhighly soluble in water.
Lithium nitrate decomposes to give an oxidedecompose to give nitrites

Question 2.
Discuss the diagonal relationship between Lithium and Magnesium.
Answer:
Similarity between the first member of group 1 (Li) and the diagonally placed second clement of group 2 (Mg) is called diagonal relationship. It is due to similar size (rLi+ = 0.766 Å and Mg2+ = 0.72 Å) and comparable electronegativity values (Li = 1.0; Mg = 1.2). Similarities between Lithium and Magnesium are

  1. Both lithium and magnesium are harder than other elements in the respective groups
  2. Lithium and magnesium react slowly with water. Their oxides and hydroxides are much less soluble and their hydroxides decompose on heating.
  3. Both form a nitride, Li3N and Mg3N2, by direct combination with nitrogen
  4. They do not give any superoxides and form only oxides, Li2O and MgO
  5. The carbonates of lithium and magnesium decompose upon heating to form their respective oxides and CO2.
  6. Lithium and magnesium do not form bicarbonates.
  7. Both LiCl and MgCl2 are soluble in ethanol and are deliquescent. They crystallise from aqueous solution as hydrates, LiCl.2H2O and MgCl28H2O

Samacheer Kalvi 11th Chemistry Guide Chapter 5 Alkali and Alkaline Earth Metals

Question 3.
Explain the reaction of alkali metals with (i) Oxygen (ii) hydrogen (iii) halogens.
Answer:
(i) Reaction with Oxygen:
All the alkali metals on exposure to air or oxygen bum vigorously, forming oxides on their surface. Lithium forms only monoxide, sodium forms the monoxide and peroxide and the other elements form monoxide, peroxide, and superoxides. These oxides are basic in nature.
4Li + O2 → 2Li2O (simple oxide)
2Na + O2 → Na2O2 (peroxide)
M + O2 → MO2
(M = K, Rb, Cs; MO2 – superoxide)

(ii) Reaction with hydrogen:
All alkali metals react with hydrogen at about 673 K (lithium at 1073 K) to form the corresponding ionic hydrides. Reactivity of alkali metals with hydrogen decreases from Li to Cs.
2M + H2 → 2M+H
(M = Li, Na, K, Rb, Cs)
The ionic character of the hydrides increases from Li to Cs and their stability decreases. The hydrides behave as strong reducing agents and their reducing nature increases down the group.

(iii) Reaction with halogen:
Alkali metals combine readily with halogens to form ionic halides MX. Reactivity of alkali metals with halogens increases down the group because of corresponding decrease in ionisation enthalpy.
2 M + X2 → 2 MX
(M = Li, Na,K, Rb, Cs) (X = F, Cl, Br, I)
All metal halides are ionic crystals. However Lithium iodide shows covalent character, as it is the smallest cation that exerts high, polarising power on the iodide anion. Additionally, the iodide ion being the largest can be polarised to a greater extent by Li+ ion.

Question 4.
Write the uses of alkali metals.
Answer:

  1. Lithium metal is used to make useful alloys. For example with lead it is used to make ‘white metal’ bearings for motor engines, with aluminium to make aircraft parts, and with magnesium to make armour plates. It is used in thermonuclear reactions.
  2. Lithium is also used to make electrochemical cells.
  3. Lithium carbonate is used in medicines
  4. Sodium is used to make Na/Pb alloy needed to make Pb(Et)4 and Pb(Me)4. These organolead compounds were earlier used as anti-knock additives to petrol, but nowadays lead-free petrol in use.
  5. Liquid sodium metal is used as a coolant in fast breeder nuclear reactors. Potassium has a vital role in biological systems.
  6. Potassium chloride is used as a fertilizer. Potassium hydroxide is used in the manufacture of soft soap. It is also used as an excellent absorbent of carbon dioxide.
  7. Caesium is used in devising photoelectric cells.

Samacheer Kalvi 11th Chemistry Guide Chapter 5 Alkali and Alkaline Earth Metals

Question 5.
How is washing soda prepared? Discuss its properties.
Answer:
Sodium carbonate is one of the important inorganic compounds used in industries. It is prepared by Solvay process. In this process, ammonia is converted into ammonium carbonate which then converted to ammonium bicarbonate by passing excess carbon dioxide in a sodium chloride solution saturated with ammonia.

The ammonium bicarbonate thus formed reacts with the sodium chloride to give sodium bicarbonate and ammonium chloride. As sodium bicarbonate has poor solubility, it gets precipitated. The sodium bicarbonate is isolated and is heated to give sodium carbonate. The equations involved in this process are,
2NH3 + H2O + CO2 → (NH4)2 CO3
(NH4)2 CO3 + H2O + CO2 → 2NH4HCO3
2NH4HCO3 + NaCl → NH4Cl + NaHCO3
2NaHCO → Na2CO3 + CO2 + H2O

The ammonia used in this process can be recovered by treating the resultant ammonium chloride solution with calcium hydroxide. Calcium chloride is formed as a by-product.

Properties:
Sodium carbonate, commonly known as washing soda, crystallises as decahydrate which is white in colour. It is soluble in water and forms an alkaline solution. Upon heating, it looses the water of crystallisation to form monohydrate. Above 373 K, the monohydrate becomes completely anhydrous and changes to a white powder called soda ash.
Na2CO3 .10H2O → Na2CO3.H2O + 9H2O
Na2CO3.H2O → Na2CO3 + H2O

Question 6.
Compare the properties of Beryllium with other elements of the group.
Answer:

BerylliumOther elements of the family
1. Forms covalent compoundsForm ionic compounds
2. High melting and boiling pointLow melting and boiling point
3. Does not react with water even at elevated temperatureReact with water
4. Does not combine directly with hydrogenCombine directly with hydrogen
5. Does not combine directly with halogens. Halides are covalentCombine directly with halogens. Halides are electrovalent.
6. Hydroxide and oxides of beryllium are amphoteric in natureBasic in nature.
7. It is not readily attacked by acids because of the presence of an oxide filmReadily attacked by acids
8. Beryllium carbide evolves methane with water.evolve acetylene with water.
9. Salts of Be are extensively hydrolysedHydrolysed

Samacheer Kalvi 11th Chemistry Guide Chapter 5 Alkali and Alkaline Earth Metals

Question 7.
Explain the diagonal relationship of Beryllium with Aluminium.
Answer:
Beryllium (the first member of group 2) shows a diagonal relationship with aluminium. In this case, the size of these ions (rBe2+ = 0.45 Å and rAl3+ = 0.54 Å) is not as close. However, their charge per unit area is closer. (Be2+ = 2.36 and Al3+ = 2.50) They also have same electronegativity values (Be = 1.5; Al = 1.5).
Properties:

  1. Beryllium chloride forms a dimeric structure like aluminium chloride with chloride bridges. Beryllium chloride also forms polymeric chain structure in addition to dimer. Both are soluble in organic solvents and are strong Lewis acids.
  2. Beryllium hydroxide dissolves in excess of alkali and gives beryllate ion and [Be(OH)4]2- and hydrogen as aluminium hydroxide which gives aluminate ion. [Al( OH4)
  3. Beryllium and aluminum ions have strong tendency to form complexes, BeF42-, AlF63-.
  4. Both beryllium and aluminium hydroxides are amphoteric in nature.
  5. Carbides of beryllium (Be2C) like aluminum carbide (Al4C3) give methane on hydrolysis
  6. Both beryllium and aluminium are rendered passive by nitric acid.

Question 8.
Explain the properties and uses of Gypsum.
Answer:
Properties of Gypsum:

  1. Gypsum is a soft mineral, which is moderately soluble in water. The solubility of this mineral in water is affected by temperature. Unlike other salts, gypsum becomes less soluble in water as the temperature increases. This is known as retrograde solubility, which is a distinguishing characteristic of gypsum.
  2. Gypsum is usually white, colorless, or gray in color. But sometimes, it can also be found in the shades of pink, yellow, brown, and light green, mainly due to the presence of impurities.
  3. Gypsum crystals are sometimes found to occur in a form that resembles the petals of a flower. This type of formation is referred to as ‘desert rose’, as they mostly occur in arid areas or desert terrains.
  4. Gypsum is known to have low thermal conductivity, which is the reason why it is used in making drywalls or wallboards. Gypsum is also known as a natural insulator.
  5. Alabaster is a variety of gypsum, that is highly valued as an ornamental stone. It has been used by the sculptors for centuries. Alabaster is granular and opaque.
  6. Gypsum has hardness between 1.5 to 2 on Moh’s Hardness Scale. Its specific gravity is 2.3 to 2.4.

Uses of Gypsum:

  1. The alabaster variety of gypsum was used in ancient Egypt and Mesopotamia by the sculptors. The ancient Egyptians knew how to turn gypsum into plaster of Paris about 5,000 years ago. Today, gypsum has found a wide range of uses and applications in human society, some of which are enlisted below.
  2. Gypsum is used in making drywalls or plaster boards. Plaster boards are used as the finish for walls and ceilings, and for partitions.
  3. Another important use of gypsum is the production of plaster of Paris. Gypsum is heated to about 300 degree Fahrenheit to produce plaster of Paris, which is also known as gypsum plaster. It is mainly used as a sculpting material.
  4. Gypsum is used in making surgical and orthopedic casts, such as surgical splints and casting moulds.
  5. Gypsum plays an important role in agriculture as a soil additive, conditioner, and fertilizer, It helps loosen up compact or clay soil, and provides calcium and sulphur, which are essential for the healthy growth of a plant. It can also be used for removing sodium from soils having excess salinity.

Samacheer Kalvi 11th Chemistry Guide Chapter 5 Alkali and Alkaline Earth Metals

Question 9.
Mention the biological importance of sodium and potassium.
Answer:

  1. Monovalent sodium and potassium ions are found in large proportions in biological fluids. These ions perform important biological functions such as maintenance of ion balance | and nerve impulse conduction.
  2. A typical 70 kg man contains about 90 g of sodium and 170 g of potassium compared with only 5 g of iron and 0.06 g of copper.
  3. Sodium ions are found primarily on the outside of cells, being located in blood plasma and in the interstitial fluid which surrounds the cells. These ions participate in the transmission of nerve signals, in regulating the flow of water across cell membranes and in the transport of sugars and amino acids into cells.
  4. Sodium and potassium, although so similar chemically, differ quantitatively in their ability to penetrate cell membranes, in their transport mechanisms and in their efficiency to activate enzymes.
  5. Thus, potassium ions are the most abundant cations within cell fluids, where they activate many enzymes, participate in the oxidation of glucose to produce ATP and, with sodium, are responsible for the transmission of nerve signals.
    Sodium-potassium pump play an important role in transmitting nerve signals.

Samacheer Kalvi 11th Bio Botany Guide Chapter 10 Secondary Growth

Tamilnadu State Board New Syllabus Samacheer Kalvi 11th Bio Botany Guide Pdf Chapter 10 Secondary Growth Text Book Back Questions and Answers, Notes.

Tamilnadu Samacheer Kalvi 11th Bio Botany Solutions Chapter 10 Secondary Growth

11th Bio Botany Guide Secondary Growth Text Book Back Questions and Answers

Part -I

I. Consider the following statements.

Question 1.
In spring vascular cambium
i) is less active
ii) Produces a large number of xylary elements
iii) forms vessels with wide cavities of these,
a) (i) is correct but (ii) and (iii) are not correct
b) (i) is not correct but (ii) and (iii) are correct
c) (i) and (ii) are correct but (iii) is not correct
d) (i) and (ii) are not correct but (iii) is correct
Answer:
b) (i) is not correct but (ii) and (iii) are correct

Question 2.
Usually, the monocotyledons do not increase their girth, because
a) They possess actively dividing cambium
b) They do not possess actively dividing cambium
c) Ceases activity of cambium
d) All are correct
Answer:
b) They do not possess actively dividing cambium

Samacheer Kalvi 11th Bio Botany Guide Chapter 10 Secondary Growth

Question 3.
In the diagram of lenticel identify the parts marked as A, B, C, D
Samacheer Kalvi 11th Bio Botany Guide Chapter 10 Secondary Growth 1
a) A. phellem, B. Complementary tissue, C. Phelloderm, D. Phellogen.
b) A. Complementary tissue, B.Phellem, C. Phellogcn,
c) A. Phellogen, B.Phellem, C. Phelloderm, D. Complementary tissue
d) A. Phelloderm, B. Phellem, C. Complementary tissue, D. Phellogen
Answer:
a) A. phellem, B. Complementary tissue, C. Phelloderm, D. Phellogen.

Question 4.
The common bottle cork is a product of
a) Dermatogen
b) Phellogen
c) Xylem
d) Vascular cambium
Answer:
b) Phellogen

Samacheer Kalvi 11th Bio Botany Guide Chapter 10 Secondary Growth

Question 5.
What is the fate of primary xylem in a dicot root showing extensive secondary growth?
a) It is retained in the center of the axis
b) It gets crushed
c) May or may not get crushed
d) It gets surrounded by primary phloem
Answer:
b) It gets crushed

Question 6.
In a forest, if the bark of a tree is damaged by the horn of a deer, How will the plant overcome the damage?
Answer:
When the bark is damaged, the phellogen forms a complete cylinder around the stem and it gives rise to ring barks.

Samacheer Kalvi 11th Bio Botany Guide Chapter 10 Secondary Growth

Question 7.
In which season the vessels of angiosperms are larger in size, why?
Ans:
In spring season the vessels are larger in size, because the cambium cells are very active during spring season.

Question 8.
Continuous state of dividing tissue is called meristem. In connection to this, what is the role is lateral meristem?
Answer:
The secondary growth in dicots and gymnosperms is brought about by two lateral meristems.

  1. Vascular cambium and
  2. Cork cambium

1. Vascular cambium:
The vascular cambium is the lateral meristem that produces the secondary vascular tissues, i.e.. secondary xylem and secondary phloem.

Origin and Formation of Vascular Cambium:

  • A strip of vascular cambium originate from the procambium is present between xylem and phloem of the vascular bundle. This cambial strip is known as intrafascicular or fascicular cambium.
  • In between the vascular bundles, a few parenchymatous cells of the medullary rays that are in line with the fascicular cambium become meristematic and form strips of vascular cambium. It is called interfascicular cambium.

A. Organization of Vascular cambium:

  • The active vascular cambium possesses cells with large central vacuole (or vacuoles) surrounded by a thin, layers of dense cytoplasm.
  • The most important character of the vascular cambium is the presence of two kinds of initials, namely fusiform initials and ray initials.

Fusiform Initials:

  • These are vertically elongated cells. They give rise to the longitudinal or axial system of the secondary xylem (tracheary elements, fibres, and Axia? parenchyma) and pholem (sieve, elements, fibres, and axial parenchyma).
  • Based on the arrangement of the fusiform initials two types of vascular cambium are recognized.

Stoned (Stratified cambium) and Non – storied (Non – stratified cambium)

  • If the fusiform initials are arranged in horizontal tiers, with the end of the cells of one tier appearing at approximately the same level, as seen in tangential longitudinal section (TLS) it is called storied (stratified) cambium. It is the characteristic of the plants with short fùsiform initials.
  • In plants with long fusiform initials, they strongly overlap at the ends, and this type of cambium is called non – storied (non stratified) cambium.

Ray Initials:
These are horizontally elongated cells. They give rise to the ray cells and form the elements of the radial system of secondary xylem and pholem.

Activity of Vascular Cambium:

  • The vascular cambial ring, when active, cuts off new cells both towards the inner and outer side. The cells which are produced outward form secondary phloem and inward secondary xylem.
  • Due to the continued formation of secondary xylem and phloem through vascular cambial activity, both the primary xylem and phloem get gradually crushed.

B. Phellogen (Cork Cambium)

  • It is a secondary lateral meristem. It comprises homogenous meristematic cells unlike vascular cambium. It arises from epidermis, cortex, pholem or pericycle (extrastelar in origin). Its cells divide periclinally and produce radially arranged files of cells.
  • The cells towards the outer side differentiate into phellem (cork) and those towards the inside as phelloderm (secondary cortex).

Samacheer Kalvi 11th Bio Botany Guide Chapter 10 Secondary Growth

Question 9.
A timer merchant bought 2 logs of wood from, a forest & named them A & B, The log A was 50 year old & B was 20 years old. Which log of wood will last longer for the merchant? Why?
Answer:

  • In wood, the older it is, the stronger it becomes.
  • Log A – Which was 50 years old is stronger and it will last longer.
  • In a tree the central part of the wood will be darker in colour, dead in nature known as Heartwood or Duramen, and the outer sad wood is lighter in colour, living and conducting water.
  • In the central Heartwood the conduction is blocked by the formation of tyloses from the nearby parenchyma cells, and dead.
  • In the fully developed tyloses, starch crystals, resins, gums, oils tannins and coloured substances are found and it becomes very hard and durable.
  • It is more resistant to the attack of microbes and insects like termites.
  • Older woods have more heartwood than sapwood.
  • Here log ‘A’ is older, has more heartwood and it is stronger and will last longer.

Question 10.
A transverse section of the trunk of a tree shows concentric rings which are known as growth rings. How are these rings formed? What are the significance of these rings?
Answer:
Growth (or) Annual Rings:
1. In the spring season cambium is very active and produces large number of xylary elements called Earlywood or Springwood. In the Winter season – cambium is less active and form few xylary elements – Latewood or Autumn Wood.

2. The springwood is lighter in color and has a lower density whereas the autumn wood is darker and has a higher density. The annual ring denotes the combination of earlywood and latewood and the ring becomes evident to our eye due to the high density of latewood. Sometimes annual rings are called growth rings

3. Pseudo – Annual Rings:
Additional growth rings are developed within a year due to adverse natural calamities like drought, frost defoliation, flood, mechanical, injury and biotic factors. Such rings arc called pseudo – or false – annual rings

4. Dendrochronology:
Each annual ring corresponds to one year’s growth and on the basis of these rings, the age of a particular plant can easily be calculated. The determination of the age of a tree by counting the annual rings is called dendrochronology.

Part – II.

11th Bio Botany Guide Secondary Growth Additional Important Questions and Answers

I. Choose The Correct Answer.

Question 1.
The roots and stems grow in length with the help of:
(a) cambium
(b) secondary growth
(c) apical meristem
(d) vascular parenchyma
Answer:
(c) apical meristem

Question 2.
The Gymnosperm in which vessel is present
a) Pinus
b) Cýcas
c) Ginkgo
d) Gnetum
Answer:
d. Gnetum

Samacheer Kalvi 11th Bio Botany Guide Chapter 10 Secondary Growth

Question 3.
The secondary vascular tissues include:
(a) secondary xylem and secondary phloem
(b) secondary xylem, cambium strip and secondary phloem
(c) secondary phloem and fascicular cambium
(d) secondary xylem and primary phloem
Answer:
(a) secondary xylem and secondary phloem

Question 4.
In a dicotyledonous stem, the sequence of tissues from the outside to the inside of
a) Phellem, Pericycle, Endodermis, phloem
b) Phellem phloem, Endodermis, Pericycle
c) Phellem, Endodermis, Pericycle, phloem
d) Pericycle, Phellem, Endodermis, Phloem
Answer:
c. Phellem, Endodermis, Pericycle, Phloem

Samacheer Kalvi 11th Bio Botany Guide Chapter 10 Secondary Growth

Question 5.
For a critical study of secondary growth in plants which one of the following pairs is suitable?
a) Sugarcane and sunflower
b) Teak and pine
c) Bamboo and Fem
d) Wheat and Fem
Answer:
b. Teak and pine

Question 6.
The axial system of the secondary xylem includes:
(a) treachery elements, sieve elements, fibers and axial parenchyma
(b) treachery elements, fibers and axial parenchyma
(c) treachery elements and fibers
(d) sieve elements and axial parenchyma
Answer:
(b) treachery elements, fibers and axial parenchyma

Samacheer Kalvi 11th Bio Botany Guide Chapter 10 Secondary Growth

Question 7.
Tissues considered in an annual ring is/are
a) Secondary xylem and phloem
b) Primary xylem and phloem
c) Secondary xylem only
d) Primary phloem and secondary xylem
Answer:
c. Secondary xylem only

Question 8.
Ray cells are present between:
(a) primary xylem and phloem
(b) primary xylem and secondary xylem
(c) secondary xylem and phloem
(d) secondary phloem and cambium
Answer:
(c) secondary xylem and phloem

Samacheer Kalvi 11th Bio Botany Guide Chapter 10 Secondary Growth

Question 9.
Interfascicular cambium is a
a) Primary meristematic tissue
b) Primordial meristem
c) Type of protoderm
d) Secondary meristematic tissue
Answer:
d. Secondary meristematic tissue

Question 10.
Interfascicular cambium develops from the cells of
a) Xylem parenchyma
b) endodermis
c) Pericycle
d) Medullary rays
Answer:
d. Medullary rays

Samacheer Kalvi 11th Bio Botany Guide Chapter 10 Secondary Growth

Question 11.
Which of the statement is not correct?
(a) In temperate regions, the cambium is very active in the winter season.
(b) In temperate regions, the cambium is very active in the spring season.
(c) In temperate regions, cambium is less active in the winter season.
(d) In temperate regions earlywood is formed in the spring season.
Answer:
(a) In temperate regions, the cambium is very active in the winter season.

Question 12.
At maturity, the sieve plates become impregnated with
a) Cellulose
b) Pectin
c) Suberin
d) Callose
Answer:
d. Callose

Samacheer Kalvi 11th Bio Botany Guide Chapter 10 Secondary Growth

Question 13.
You are given a fairly old piece of dicot stem and a dicot root, which of the following anatomical structures will you distinguish between the two?
a) Secondary xylem
b) Secondary phloem
c) Protoxylem
d) Cortical cells
Answer:
c. Protoxylem

Question 14.
determination of the age of a tree by counting the annual rings is called:
(a) chronology
(b) dendrochronology
(c) palaeology
(d) histology
Answer:
(c) palaeology

Samacheer Kalvi 11th Bio Botany Guide Chapter 10 Secondary Growth

Question 15.
Which one of the following is dead and works efficiently?
a) Sieve tube
b) Companian cells
c) Vessels
d) Both (b) and (c)
Answer:
c. Vessels

Question 16.
Which one of the following pairs is an example for meristematic tissue
a) Phellogen and phelloderm
b) Phellogen and Fascicular cambium
c) Procambium and phelloderm
d) Interfascicular cambium and phellem
Answer:
b. Phellogen and Fascicular cambium

Samacheer Kalvi 11th Bio Botany Guide Chapter 10 Secondary Growth

Question 17.
In fully developed tyloses:
(a) only starchy crystals are present
(b) resin and gums only are present
(c) oil and tannins are present
(d) starchy crystals, resins, gums, oils, tannins, or colored substances are present
Answer:
(d) starchy crystals, resins, gums, oils, tannins, or colored substances are present

Question 18.
Which wood is also known as Non-porous
a) Softwood
b) Heartwood
c) Hardwood
d) Sapwood
Answer:
a. Softwood

Samacheer Kalvi 11th Bio Botany Guide Chapter 10 Secondary Growth

Question 19.
Which of the statement is not correct?
(a) Sapwood and heartwood can be distinguished in the secondary xylem
(b) Sapwood is paler in colour
(c) Heartwood is darker in colour
(d) The sapwood conducts minerals, while the heartwood conduct water
Answer:
(d) The sapwood conducts minerals, while the heartwood conduct water

Question 20.
Removal of a ring of wood tissue outside the vascular cambium from the tree trunk kills it because
a) Water cannot move up
b) Food does not travel down and root become starved
c) Shoot apex become starved
d) Annual rings are not produced
Answer:
food does not travel down root become starved

Samacheer Kalvi 11th Bio Botany Guide Chapter 10 Secondary Growth

Question 21.
The trees growing in the desert will
a) Show alternate rings of xylem and sclerenchyma
b) Have only conjunctive tissue and phloem formed by the activity of cambium
c) do show distinct annual rings
d) do not show distinct annual rings
Answer:
d. do not show distinct annual rings.

Question 22.
Canada balsam is produced from:
(a) Pisum sativum
(b) the resin of Arjuna plant
(c) Abies balsamea
(d) the root of Vinca rosea
Answer:
(c) Abies balsamea

Samacheer Kalvi 11th Bio Botany Guide Chapter 10 Secondary Growth

Question 23.
Choose the living cells from the given
I) Phellem
II) Phloem
III) Phellogen
IV) Xylem parenchyma
a) (I) (II) & (III)
b) (II) (III) & (IV)
c) (I) (III) & (IV)
d) (I) (II) & (IV)
Answer:
b) (II) (III) & (IV)

Question 24.
When we peel the skin of a potato tuber we remove
a) Periderm
b) Epidermis
c) Cuticle
d) Sapwood
Answer:
a) Periderm

Samacheer Kalvi 11th Bio Botany Guide Chapter 10 Secondary Growth

Question 25.
Phelloderm is otherwise called as:
(a) primary cortex
(b) corkwood
(c) secondary cortex
(d) rhytidome
Answer:
(c) secondary cortex

Question 26.
The waxy substances associated with cell walls of cork cells are impervious to water because of the presence of ………………. which gets deposited on the cork cells
a) Cutin
b) Suberin
c) Eignin
d) Hemicellulose
Answer:
b) Suberin

Samacheer Kalvi 11th Bio Botany Guide Chapter 10 Secondary Growth

Question 27.
The antimalarial compound quinine is, extracted from:
(a) seeds of cinchona
(b) bark of cinchona
(c) leaves of cinchona
(d) flowers of cinchona
Answer:
(b) bark of cinchona

Question 28.
Annual rings are distinct in plants growing in
a) Tropical regions
b) Arctic regions
c) Grasslands
d) Temperate region
Answer:
d) Temperate region

Samacheer Kalvi 11th Bio Botany Guide Chapter 10 Secondary Growth

Question 29.
The bark does include three except one from the options.
I) Cortex
II) Periderm
III) Pith
IV) Secondary phloem
a) (I) (II) & (Ill)
b) (II) (III) & (IV)
c) (I) (III) & (IV)
d) (I) (II) & (IV)
Answer:
d) (I) (II) & (IV)

Question 30.
Rubber is obtained from:
(a) Bombax mori
(b) Hevea brasiliensis
(c) Quercus suber
(d) Morus rubra
Answer:
(b) Hevea brasiliensis

Samacheer Kalvi 11th Bio Botany Guide Chapter 10 Secondary Growth

Question 31.
Wood actually means
a) Primary xylem
b) Secondary xylem
c) Primary phloem
d) Secondary phloem
Answer:
b) Secondary xylem

Question 32.
When a plant is wounded, the wound is healed by the formation of new cells, by the cavity of
a) Primary meristem
b) Apical meristem
c) Secondary meristem
d) Intercalary meristem
Answer:
c) Secondary meristem

Samacheer Kalvi 11th Bio Botany Guide Chapter 10 Secondary Growth

Question 33.
Commercial cork is obtained from
a) Oak
b) Silver oak
c) Pine
d) Ficus
Answer:
a) Oak

II. Match Correctly And Choose The Right Answer

Question 1.
I) Spicy bark – A Turpentine
II) Ornamental Antique – B Quinine
III) Active drug – C Cinnamon
IV) Thinner and solvent – D Amber
Samacheer Kalvi 11th Bio Botany Guide Chapter 10 Secondary Growth 2
Answer:
d) C-D- B-A

Question 2.
I) Phellogen – A. Cork
II) Phelloderm – B. Cork cambium
III) Phellem – C. Lack suberin
IV) Phelloids – D. Secondary cortex
Samacheer Kalvi 11th Bio Botany Guide Chapter 10 Secondary Growth 3
Answer:
a) B-D- A-C

Samacheer Kalvi 11th Bio Botany Guide Chapter 10 Secondary Growth

Question 3.
I) Sapwood – A. Softwood
II) Heartwood – B. Hardwood
III) Porous wood – C. Albumum
IV) Nonporous wood – D. Duramen
Samacheer Kalvi 11th Bio Botany Guide Chapter 10 Secondary Growth 4
Answer:
c) C-D-B-A

III Identify True Or False And From The Given Option Choose The Right Answer:

Question 1.
A) In pinus wood is Non-porous
B) In Morns wood is porous
C) In Quercus the wood is Diffuse porous
D) In Acer the wood is Ring porous
a) A&DTrue B&C False
b) A & B True C & D False
c) A & C True B & D False
d) A&BFalseC &DTrue
Answer:
b) A & B True C & D False

Question 2.
Arrange the given plants in order from more distinct Annual rings to least distinct Annual rings.
a) Seashore plants, Desert plants, Tropical plants & Temperature plants
b) Temperature plants, Tropical plants, Desert plants, Seashore plants
c) Tropical plants, Desert plants, Temperature plants, Seashore plants
d) Temperature plants, Seashore plants, Tropical plants, Desert plants
Answer:
b) Temperature plants, Tropical plants, Desert plants, Seashore plants.

Samacheer Kalvi 11th Bio Botany Guide Chapter 10 Secondary Growth

Question 3.
In wood, the Annual rings become clearly evident to our eyes due to
a) The high density and dark coloured latewood or Autumn wood
b) The low density and light coloured early wood or springwood
c) The high density and dark coloured early wood or springwood
d) The low density and light coloured latewood or Autumn wood
Answer:
a) The high density and dark coloured of latewood or Autumn wood

Question 4.
Column I and Column II – Match them correctly and Find out the right option.
Answer:

Column IColumn II
A. Springwood or earlywood
B. Autumn wood or Latewood
1. Lighter in colour
2. Density high
3. Density low
4. Darker in colour
5. Larger number of xylem elements
6. Vessels with wider cavity
7. Lesser number of xylem elements
8. Vessels with a small cavity

Which of the following combination is correct?
a) A – 2, 4, 7, 8 B- 1,3, 5,6
b) A- 1,2, 7,8 B-3,4, 5, 6
c) A – 1,3, 5,6 B – 2,4, 7, 8
d) A- 1,3,7, 8 B – 2, 4, 5, 6
Answer:
b) A – 1, 2, 7,8 B-3,4,5, 6

Samacheer Kalvi 11th Bio Botany Guide Chapter 10 Secondary Growth

IV. Assertion And Reason

Question 1.
ASSERTION: – A All tissues lying inside the Vascular Cambium are called as Bark
REASON -R: Bark is made up of Phellogen. Phellem and Phelloderm Cortex, primary and secondary phloem
a) Both A and R are true and R is the correct explanation of A
b) Both A and R are true, but R is not the correct explanation of A
c) A is true but ‘R’ is false
d) A is false and ‘R’ is true
e) Both A and ‘R’ are false
Answer:
d) ‘A’ is false and ‘R’ is true

Question 2.
ASSERTION: -A In angiosperms, the conduction of water is more efficient because their xylem has vessels
REASON – R: Conduction of water by vessel element is an active process in which energy is supplied by xylem parenchyma with a large number of Mitochondria
Answer:
a) Both A and R – are true and ‘R’ is the correct explanation of A

Samacheer Kalvi 11th Bio Botany Guide Chapter 10 Secondary Growth

Question 3.
ASSERTION: -A. All the endodermal cells of the root do not contain Casparian thickenings on their radial and transverse walls.
REASON-R: Passage cells are found in the root endodermis, which conducts water in to the xylem
Answer:
a) Both A and R are true and ‘R’ is the correct explanation of A

Question 4.
ASSERTION:-A Cambium is a lateral meristem and causes growth in width
REASON-R Cambium is made up of fusiform and ray initials in stem
Answer:
b) Both A and R are true, but R is not the correct explanation of A

Question 5.
ASSERTION: – A The lenticel is meant for gaseous exchange.
REASON-R Lenticel checks excessive evaporation of water.
Answer:
b) Both A and R are true but R is not the correct explanation of A

Samacheer Kalvi 11th Bio Botany Guide Chapter 10 Secondary Growth

Question 6.
ASSERTION:-A Heartwood is more durable
REASON – R Heartwood contains organic compounds like tannins, resins, oil, gums, aromatic substances and essential oils help to resist microbial and termites attack.
Answer:
a) Both A and R are true and R is the correct explanation of A

V. 2 Marks Questions

Question 1.
Distinguish between Primary and Secondary growth.
Answer:
Primary growth

  1. The roots and stem grow in length with the help of Apical meristem
  2. It is known as longitudinal growth
  3. Eg. Angiosperms & Gymnosperms

Secondary growth

  1. The roots and stem show an increase in thickness or width with the help of Lateral meristem
  2. It is also known as latitudinal growth or growth in girth
  3. Eg. Most Angiosperms, including some Monocots and Gymnosperms

Question 2.
Mention the two Lateral meristems responsible for secondary growth.
Answer:
The secondary growth in dicots and gymnosperms is brought about by two lateral meristems.

  1. Vascular Cambium and
  2. Cork Cambium

Samacheer Kalvi 11th Bio Botany Guide Chapter 10 Secondary Growth

Question 3.
Define interfascicular cambium?
Answer:
In between the vascular bundles, a few parenchymatous cells of the medullary rays that are in line with the fascicular cambium become meristematic and form strips of the vascular cambium. It is called interfascicular cambium.

Question 4.
Fill in the blanks

The botanical name of the plantThe common name of the productUse
1. Abies balsameaCanada balsam………………………………..
2.  Acacia Senegal (meska)…………………………………………Natural gum used as a bind to water colour painting
3. …………………………………CorkHydrophobic, impermeable, used as a bottle stopper.
4. ………………………………………………HematoxylinDye from the heartwood to stain plant materials view under a microscope

Answer:

  1. The resin used as a mounting medium for microscopic slide preparation.
  2. Gum Arabic
  3. Quercus suber
  4. Haematoxylon campechianum

Question 5.
Distinguish between the stratified cambium and Non-stratified cambium.
Answer:
Stratified cambium: Plants with short fusiform initials, produced, storied, cambium in horizontal tiers known as
stratified cambium

Non-stratified cambium: Plants with long fusiform initials produced non-storied cambium, strongly overlap at the ends, known as Non-stratified cambium

Question 6.
Why does porous wood be harder than non-porous wood?
Answer:

  • Porous wood is wood with xylem vessels which appear as a pore in cross-section.
  • When a tree stem become old, most of its vessels are blocked by tyloses with deposition of gum, resin, tannin, oils, etc. (Heartwood)
  • So porous wood is harder and commercially important.

Samacheer Kalvi 11th Bio Botany Guide Chapter 10 Secondary Growth

Question 7.
What is the source of turpentine? and What is its use?
Answer:

  • Turpentine is a resin obtained from the bark of conifers Eg. pinus
  • It is also used as a thinner for oil-based paints.
  • It is also used as an organic solvent.
  • It is also used as a balm to relieve muscular pain.

Question 8.
Distinguish between Periderm and Polydor
Answer:
Periderm:

  1. The secondary growth replaces the epidermis and primary cortex and forms the Periderm
  2. It consists of
    • Phellem
    • Phellogen
    • Phelloderm
  3. Eg. Dicot stem & roots

Polyderm:

  1. It is a special type of protective tissue consisting of a miserable suberized layer, alternating with multiseriate nonsuberized cells in periderm
  2. Eg. Roots and underground stems of Rosaceae plants

Question 9.
Define Rhytidome?
Answer:
Rhytidome is a technical term used for the outer dead bark which consists of periderm and isolated cortical or phloem tissues ? formed during successive secondary growth, eg: Quercus.

Samacheer Kalvi 11th Bio Botany Guide Chapter 10 Secondary Growth

Question 10.
What is the use of Canada balsam?
Answer:
From the resin ducts, the Abies balsamea plant produces an organic gum-like substance, used as a permanent mounting medium for microscopic slide preparation.
Eg. A slide of 60 years old holotype specimen of a flatworm is permanently mounted in Canada balsam.

VI. 3 Mark Questions

Question 1.
Distinguish between primary and secondary growth.
Answer:
1. Primary growth: The plant organs originating from the apical meristems pass through a period of expansion in length and width. The roots and stems grow in length with the help of apical meristems. This is tailed primary growth or longitudinal growth.

2. Secondary growth: The gymnosperms and most angiosperms, including some monocots, show an increase in the thickness of stems and roots by means of secondary growth or latitudinal growth.

Samacheer Kalvi 11th Bio Botany Guide Chapter 10 Secondary Growth

Question 2.
Notes on Lenticels.
Answer:

  • The aerating pores are seen as raised opening on the surface of bark as scars on old stems and roots.
  • It is fonned during secondary growth in stems.
  • In this portion phellogen activity is more than elsewhere, a filling tissue known as complementary tissue (loosely arranged parenchyma) is formed.
  • Lenticel is helpful in the exchange of gases and also facilitate the little amount of transpiration

Question 3.
Explain briefly about false annual rings.
Answer:
Additional growth rings are developed within a year due to adverse natural calamities like drought, frost, defoliation, flood, mechanical injury and biotic factors during the middle of a growing season, which results in the formation of more than one annual ring. Such rings are called pseudo – or false – annual rings.

Question 4.
Differences between Diffuse porous wood and Ring porous wood
Answer:
Diffuse porous wood:

  1. This type of wood is formed where the climatic conditions are uniform
  2. The vessels are more or less equal in diameter in any annual ring
  3. The vessels are uniformly distributed throughout the wood

Ring porous wood:

  1. This type of wood is formed where the climatic conditions are not uniform
  2. The vessels are wide and narrow within an annual ring
  3. The vessels are not uniformly distributed throughout the wood

Question 5.
Differences between Porous Wood and Non – porous wood
Answer:
Porous wood or Hardwood, Ex: Morus:

  1. Common in Angiosperms
  2. Porous because it contains vessels

Non-porous wood or softwood Ex: Pinus

  1. Common in Gymnosperms
  2. Non – porous because it does not contain vessels

Question 6.
Differences between Sapwood (alburnum) and Heart Wood (duramen)
Answer:

Sapwood (Alburnum)Heartwood (Duramen)
1. Living part of the wood1. Dead part of the wood
2. It is situated on the outer side of wood2. It is situated in the centre part of wood
3. It is lighter in colour3. It is dark coloured
4. Very soft in nature4. Hard in nature
5. Tyloses are absent5. Tyloses are present
6. It is not durable and not resistant to microorganisms6. It is more durable and resists microorganisms insects and termites

Question 7.
Differences Between Phellem and Phelloderm
Answer:

Phellem (Cork)Phelloderm (secondary cortex)
1. It is formed on the outer side of phellogen11.  It is formed on the inner side of the phellogen
2. Cells are compactly arranged in regular tires and rows without intercellular spaces.2. Cells are loosely arranged with intercellular spaces.
3. Protective in function.3. As it contains chloroplasts, it synthesizes and stores food
4. Consists of non-living cells with suberized walls4. Consists of living cells, parenchymatous in nature and does not have suberin
5. Lenticels are present5. Lenticels are absent

Question 8.
Explain the term lenticel.
Answer:
Lenticel is raised opening or pore on the epidermis or bark of stems and roots. It is formed during secondary growth in stems. When phellogen is more active in the region of lenticels, a mass of loosely arranged thin-walled parenchyma cells is formed. It is called complementary tissue or filling tissue. Lenticel is helpful in the exchange of gases and transpiration called lenticular transpiration.

Question 9.
Mention the benefits of bark in a tree.
Answer:
Bark protects the plant from parasitic fungi and insects, prevents water loss by evaporation, and guards against variations of external temperature. It is insect repellent, decay proof, fireproof, and is used in obtaining drugs or spices. The phloem cells of the bark are involved in the conduction of food while secondary cortical cells involved in storage.

Question 10.
Annual rings are not clear and distinct in desert trees and seashore plants – Justify.
Answer:

  • In the desert, as well seashore regions the climatic condition remain the same throughout the year.
  • Secondary growth in plants is influenced by seasonal changes since in these areas seasonal changes are not significant enough to bring in distinct Annual rings with early and latewood formation alternatively.

Samacheer Kalvi 11th Bio Botany Guide Chapter 10 Secondary Growth

Question 11.
A plant dies if the sapwood is damaged, but not with that of Heartwood – Give factual justification.
Answer:

  • Sapwood is a living part of the wood, perform water conduction, that’s why it is known as Sapwood.
  • Heartwood is a dead part of the wood, do not perform water conduction so if destroyed, no vital function of the plant is affected.
  • If sapwood is damaged, or exposed conduction of water will be blocked, water loss is rapid leading to decay and decomposition of tissues and leads to death of the plant.

Question 12.
What is Dendrochronology? Add a note on the significance of studying the growth rings.
Answer:

  • The annual ring of a tree corresponds to one year’s growth.
  • If we count the rings we can determine the very age of the plant.
  • This method of calculating the age of a tree by counting the annual ring is known as dendrochronology.

Significance of studying growth rings:

  • Age of wood – calculated
  • Age verified by Radioactive carbon dating
  • Provides evidence in Forensic investigation.

Question 13.
If  ‘A’ is vascular cambium, then label other parts with reference to cambial activity.
Samacheer Kalvi 11th Bio Botany Guide Chapter 10 Secondary Growth 5

Answer:
A – Vascular cambium
B – First formed phloem – (Primary phloem)
C – First formed xylem – (Primary xylem)
D – Second formed phloem – (Secondary phloem)
E – Second formed xylem – (Secondary xylem)

Samacheer Kalvi 11th Bio Botany Guide Chapter 10 Secondary Growth

Question 14.
Samacheer Kalvi 11th Bio Botany Guide Chapter 10 Secondary Growth 6
Answer:
Cross-section of wood showing Annual rings.
A-Bark
B-Sapwood
C – heartwood
D -Annual rings

Question 15.
Identify the diagram & Label the parts.
Samacheer Kalvi 11th Bio Botany Guide Chapter 10 Secondary Growth 7
Answer:
Structure of Tyloses A – Parenchyma cell
B – Tyloses
C – Vessel wall
D – Vessel Lumen

Samacheer Kalvi 11th Bio Botany Guide Chapter 10 Secondary Growth

Question 16.
In the given diagram, the parts labelled are A, B, C, D identify the part correctly with respect to its function.
Samacheer Kalvi 11th Bio Botany Guide Chapter 10 Secondary Growth 8
a) A – Periderm for gaseous exchange
b) C – Secondary cortex for protection
c) B – Complementary tissues for gaseous exchange
d) D – Phellogen for xylem and phloem formation
Answer:
c) B – Complementary tissues for gaseous exchange

Question 17.
Samacheer Kalvi 11th Bio Botany Guide Chapter 10 Secondary Growth 9
Answer:
Different stages of secondary growth in Dicot root
A – Cambial ring
B – Primary’ xylem
C – Secondary xylem
D – Primary phloem
E – Secondary phloem

VII. 5 Mark Questions

Question 1.
Distinguish between Phellem and Phelloderm.
Answer:
Phellem (Cork):

  1. It is formed on the outer side of phellogen.
  2. Cells are compactly arranged in regular tires and rows without intercellular spaces.
  3. Protective in function.
  4. Consists of nonliving cells with suberized walls.
  5. Lenticels are present.

Phelloderm (Secondary cortex):

  1. It is formed on the inner side of phellogen.
  2. Cells are loosely arranged with intercellular spaces.
  3. As it contains chloroplast, it synthesises and stores food.
  4. Consists of living cells, parenchymatous in nature and does not have suberin.
  5. Lenticels are absent.

Question 2.
Distinguish the significance of Cork and Bark
Answer:
Cork:

  1. It includes only phellem layer of bark
  2. It is composed of suberin a hydrophobic substance
  3. It has impermeable buoyant, elastic and fibre retartant properties
  4. Used in making bottle stoppers Eg. Bark of Quercus suber

Bark:

  1. It includes all tissues outside vascular cambium (Periderm, Cortex, Primary and secondary phloem)
  2. It has insect repellent, decay proof, fire proof properties.
  3. Used as Drugs or spices.
  4. Eg. Bark of Chichona – (AntimalariaJ drug), Bark of Cinnamomum (Used as spice)

Samacheer Kalvi 11th Bio Botany Guide Chapter 10 Secondary Growth

Question 3.
Differentiate between, the vascular cambial components Fusiform initials and Ray initials.
Answer:
Fusiform initials:

  1. Vertically elongated cells
  2. Give rise to axial system of secondary tissues, xylem and phloem
  3. Secondary xylem includes tracheary elements, fibres and axial parenchyma
  4. Secondary phloem includes sieve elements
  5. Based on arrangement of fusiform initials 2 types of vascular cambium recognised
    a – stratified cambium
    b – Nonstratified cambium

Ray initials

  1. Horizontally elongated cells
  2. Give rise to radial system of secondary xylem and phloem
  3. Radial system consists of rows of parenchymatous cells oriented at right angles to the longitudinal axis of xylem elements
  4. Secondary phloem include phloem rays fibres and axial parenchyma

Question 4.
Give an account of Primary & Secondary structure of Dicto Stern. (Flow chart)
Answer:
Samacheer Kalvi 11th Bio Botany Guide Chapter 10 Secondary Growth 10

Samacheer Kalvi 11th Bio Botany Guide Chapter 10 Secondary Growth

Question 5.
Give an account of Any 5 Commercial barks their, properties and uses
Answer:
Samacheer Kalvi 11th Bio Botany Guide Chapter 10 Secondary Growth 11

Samacheer Kalvi 11th Chemistry Guide Chapter 4 Hydrogen

Tamilnadu State Board New Syllabus Samacheer Kalvi 11th Chemistry Guide Pdf Chapter 4 Hydrogen Text Book Back Questions and Answers, Notes.

Tamilnadu Samacheer Kalvi 11th Chemistry Solutions Chapter 4 Hydrogen

11th Chemistry Guide Hydrogen Text Book Back Questions and Answers

Textual Questions:

I. Choose the best answer:

Question 1.
Which of the following statements about hydrogen is incorrect?
(a) Hydrogen ion, H3O+ exists freely in solution.
(b) Dihydrogen acts as a reducing agent.
(c) Hydrogen has three isotopes of which tritium is the most common.
(d) Hydrogen never acts as cation in ionic salts.
Answer:
(c) Hydrogen has three isotopes of which tritium is the most common.

Question 2.
Water gas is
(a) H2O(g)
(b) CO + H2O
(c) CO + H2
(d) CO + N2
Answer:
(c) CO + H2

Question 3.
Which one of the following statements is incorrect with regard to ortho and para dihydrogen ?
(a) They are nuclear spin isomers
(b) Ortho isomer has zero nuclear spin whereas the para isomer has one nuclear spin
(c) The para isomer is favoured at low temperatures
(d) The thermal conductivity of the para isomer is 50% greater than that of the ortho isomer.
Answer:
(b) Ortho isomer has zero nuclear spin whereas the para isomer has one nuclear spin

Question 4.
Ionic hydrides are formed by
(a) halogens
(b) chalogens
(c) inert gases
(d) group one elements
Answer:
(d) group one elements

Question 5.
Tritium nucleus contains
(a) 1p + 0n
(b) 2p + 1n
(c) 1p + 2n
(d) none of these
Answer:
(c) 1p + 2n

Samacheer Kalvi 11th Chemistry Guide Chapter 4 Hydrogen

Question 6.
Non-stoichiometric hydrides are formed by
(a) palladium, vanadium
(b) carbon, nickel
(c) manganese, lithium
(d) nitrogen, chlorine
Answer:
(b) carbon, nickel

Question 7.
Assertion:
Permanent hardness of water is removed by treatment with washing soda.
Reason:
Washing soda reacts with soluble calcium and magnesium chlorides and sulphates in hard water to form insoluble carbonates
(a) Both assertion and reason are true and reason is the correct explanation of assertion.
(b) Both assertion and reason are true but reason is not the correct explanation of assertion.
(c) Assertion is true but reason is false
(d) Both assertion and reason are false
Answer:
(a) Both assertion and reason are true and reason is the correct explanation of assertion.

Question 8.
If a body of a fish contains 1.2 g hydrogen in its total body mass, if all the hydrogen is replaced with deuterium then the increase in body weight of the fish will be
(a) 1.2 g
(b) 2.4 g
(c) 3.6 g
(d) \(\sqrt{4.8}\) g
Answer:
(a) 1.2 g

Question 9.
The hardness of water can be determined by volumetrically using the reagent
(a) sodium thio sulphate
(b) potassium permanganate
(c) hydrogen peroxide
(d) EDTA
Answer:
(d) EDTA

Question 10.
The cause of permanent hardness of water is due to
(a) Ca(HCO3)2
(b) Mg(HCO3)2
(c) CaCl2
(d) MgCO3
Answer:
(c) CaCl2

Samacheer Kalvi 11th Chemistry Guide Chapter 4 Hydrogen

Question 11.
Zeolite used to soften hardness of water is, hydrated
(a) Sodium aluminium silicate
(b) Calcium aluminium silicate
(c) Zinc aluminium borate
(d) Lithium aluminium hydride
Answer:
(a) Sodium aluminium silicate

Question 12.
A commercial sample of hydrogen peroxide marked as 100 volume H2O2, it means that
(a) 1 ml of H2O2 will give 100 ml O2 at STP
(b) 1 L of H2O2 will give 100 ml O2 at STP
(c) 1 L of H2O2 will give 22.4 L O2
(d) 1 ml of H2O2 will give 1 mole of O2 at STP
Answer:
(a) 1 ml of H2O2 will give 100 ml O2 at STP

Question 13.
When hydrogen peroxide is shaken with an acidified solution of potassium dichromate in presence of ether, the ethereal layer turns blue due to the formation of
(a) Cr2O3
(b) CrO42-
(c) CrO(O2)2
(d) none of these
Answer:
(c) CrO(O2)2

Question 14.
For decolourisation of 1mole of acidified KMnO4, the moles of H2O2 required is
(a) \(\frac{1}{2}\)

(b) \(\frac{3}{2}\)

(c) \(\frac{5}{2}\)

(d) \(\frac{7}{2}\)
Answer:
(c) \(\frac{5}{2}\)

Question 15.
Volume strength of 1.5 NH2O2 is
(a) 1.5
(b) 4.5
(c) 16.8
(d) 8.4
Answer:
(d) 8.4

Samacheer Kalvi 11th Chemistry Guide Chapter 4 Hydrogen

Question 16.
The hybridisation of oxygen atom is H2O and H2O2 are, respectively
(a) sp and sp3
(b) sp and sp
(c) sp and sp2
(d) sp3 and sp3
Answer:
(d) sp3 and sp3

Question 17.
The reaction H3PO2 + D2O → H2DPO2 + HDO indicates that hypo-phosphorus acid is
(a) tribasic acid
(b) dibasic acid
(c) mono basic acid
(d) none of these
Answer:
(c) mono basic acid
Solution:
Hypophosphorus acid on reaction with D2O, only one hydrogen is replaced by deuterium and hence it is mono basic.
Samacheer Kalvi 11th Chemistry Guide Chapter 4 Hydrogen 1

Question 18.
In solid ice, oxygen atom is surrounded
(a) tetrahedrally by 4 hydrogen atoms
(b) octahedrally by 2 oxygen and 4 hydrogen atoms
(c) tetrahedrally by 2 hydrogen and 2 oxygen atoms
(d) octahedrally by 6 hydrogen atoms
Answer:
(a) tetrahedrally by 4 hydrogen atoms
Solution:
Samacheer Kalvi 11th Chemistry Guide Chapter 4 Hydrogen 2

Question 19.
The type of H-bonding present in ortho nitro phenol and p-nitro phenol are respectively
(a) inter molecular H-bonding and intra molecular f H-bonding
(b) intra molecular H-bonding and inter molecular H-bonding
(c) intra molecular H – bonding and no H – bonding
(d) intra molecular H -bonding and intra molecular H-bonding
Answer:
(b) intra molecular H-bonding and inter molecular H-bonding
Samacheer Kalvi 11th Chemistry Guide Chapter 4 Hydrogen 3                          Samacheer Kalvi 11th Chemistry Guide Chapter 4 Hydrogen 4

Question 20.
Heavy water is used as
(a) modulator in nuclear reactions
(b) coolant in nuclear reactions
(c) both (a) and (b)
(d) none of these
Answer:
(c) both (a) and (b)
Solution:
(c) Heavy water is used as moderator as well as coolant in nuclear reactions.

Question 21.
Water is a
(a) basic oxide
(b) acidic oxide
(c) amphoteric oxide
(d) none of these
Answer:
(c) amphoteric oxide
Solution:
Water is a amphoteric oxide.

Samacheer Kalvi 11th Chemistry Guide Chapter 4 Hydrogen

II. Write brief answer to the following questions:

Question 22.
Explain why hydrogen is not placed with the halogen in the periodic table.
Answer:
The electron affinity of hydrogen is much less than that of halogen atoms. Hence, the tendency of hydrogen to form hydride ion is low compared to that of halide ions. In most of its compounds hydrogen exists in +1 oxidation state. Therefore, it is reasonable to place the hydrogen in group -1 along with alkali metals and not placed with halogens.

Question 23.
A cube at the 0°C is placed in some liquid water at 0°C, the ice cube sinks – Why?
Answer:
In ice, each atom is surrounded tetrahedrally by four water molecules through hydrogen bonds. That is, the presence of two hydrogen atoms and two lone pairs of electron on oxygen atoms in each water molecule allows formation of a three-dimensional structure.

This arrangement creates an open structure, which accounts for the lower density of ice compared with water at 0°C. While in liquid water, unlike ice where hydrogen bonding occurs over a long-range, the strong hydrogen bonding prevails only in a short range and therefore the denser packing. Hence, ice cube sinks in water.

Question 24.
Discuss the three types of Covalent hydrides.
Answer:
Covalent hydrides are the compound in which hydrogen is attached to another element by sharing of electrons. The most common examples of covalent hydrides of non-metals are methane, ammonia, water and hydrogen chloride. Covalent hydrides are further divided into three categories, viz., electron
precise (CH4 C2H6), electron deficient (B2H6) and electron-rich hydrides (NH3H2 O). Since most of the covalent hydrides consists of discrete, small molecules that have relatively weak intermolecular forces, they are generally gases or volatile liquids.

Question 25.
Predict which of the following hydrides is a gas on a solid (a) HCl (b) NaH. Give your reason.
Answer:
Sodium hydride (NaH) is a gas on a soiid. NaH is prepared by direct reaction of hydrogen gas with liquid sodium and it has NaCl crystal structure. It is a tendency of deprotonating in many organic reactions. NaH is used in fuel cells.

Samacheer Kalvi 11th Chemistry Guide Chapter 4 Hydrogen

Question 26.
Write the expected formulas for the hydrides of 4th period elements. What is the trend in the formulas? In what way the first two numbers of the series different from the others?
Answer:
The expected formulas of the hydrides of 4th period elements are MH or MH2. However, except the first two members, many of the elements form non- stoichiometric interstitial hydrides with variable composition. The first two members of the period alkali metal (Potassium) and alkali earth metal (Calcium) forms ionic hydrides.

Question 27.
Write chemical equation for the following reactions.
Answer:
(i) reaction of hydrogen with tungsten (VI) oxide NO3 on heating.
(ii) hydrogen gas and chlorine gas.
Answer:
(i) Hydrogen can be used to reduce metal oxide into metal. Hydrogen reduces tungsten(VI) oxide into tungsten.
WO3 + 3H2 → W + 3H2O

(ii) Hydrogen reacts with chlorine at room temperature under light gives hydrogen chloride.
H2(g) + Cl2(g) → 2HCl(g)

Question 28.
Complete the following chemical reactions and classify them into (a) hydrolysis (b) redox (c) hydration reactions.
(i) KMnO4 + H2O2
(ii) CrCl3 + H2O →
(iii) CaO + H2O →
Answer:
(i) KMnO4 + H2O2 → 2KMnO2 + 2KOH + 2H2O + 3O2
The reaction of potassium permanganate with hydrogen peroxide is a redox reaction.

(ii) CrCl3 + H2O → [Cr(H2O)6]Cl3
It is a hydration reaction. Many salts crystallized from aqueous solutions form hydrated crystals. The water in the hydrated salt may form co-ordinate bonds.

(iii) CaO + H2O → Ca(OH)2
It is a hydrolysis reaction. Calcium oxide hydrolyses to calcium hydroxide.

Question 29.
Hydrogen peroxide can function as an oxidising agent as well as reducing agent. Substantiate this statement with suitable examples.
Answer:
Hydrogen peroxide can act both as an oxidizing agent and a reducing agent. Oxidation is usually performed in acidic medium while the reduction reactions are performed in basic medium.

In acidic conditions:
H2O2 + 2H+ + 2e → 2H2O (E° = +1.77 V)
For example
2FeSO4 + H2SO4 + H2O2 → Fe2(SO4)3 + 2H2O

In basic conditions:
HO2 + OH → O2 + H2O + 2e (E° = + 0.08V)

For Example,
2 KMnO4(aq) + 3H2O2(aq) → 2MnO2 + 2KOH + 2H2O + 3O2(g)

Question 30.
Do you think that heavy water can be used for drinking purposes?
Answer:
Heavy water cannot be used for drinking purposes because it does not form hydrogen bonding.

Samacheer Kalvi 11th Chemistry Guide Chapter 4 Hydrogen

Question 31.
What is water-gas shift reaction?
Answer:
The carbon monoxide of the water gas can be converted to carbon dioxide by mixing the gas mixture with more steam at 400°C and passed over a shift converter containing iron/copper catalyst. This reaction is called as water-gas shift reaction.
CO + H2O → CO2 + H2
The CO2 formed in the above process is absorbed in a solution of potassium carbonate.
CO2 + K2CO3 + H2O → 2KHCO3

Question 32.
Justify the position of hydrogen in the periodic table?
Answer:
The hydrogen has the electronic configuration of 1s1 which resembles with ns1 general valence shell configuration of alkali metals and shows similarity with them as follows:
1. It forms unipositive ion (H+) like alkali metals {Na+, K+, Cs+)
2. It forms halides (HX), oxides, (H2O), peroxides (H2O2) and sulphides (H2S) like alkali metals (NaX, Na2O, NaH2OH2, NaH2S)
3. It also acts as a reducing agent.

However, unlike alkali metals which have ionization energy ranging from 377 to 520 kJ mol-1, the hydrogen has 1,314 kJ mol-1 which is much higher than alkali metals.

Like the formation of halides (X) from halogens, hydrogen also has a tendency to gain one electron to form hydride ion (H) whose electronic configuration is similar to the noble gas, helium. However, the electron affinity of hydrogen is much less than that of halogen atoms. Hence, the tendency of hydrogen to form hydride ion is low compared to that of halogens to form the halide ions as evident from the following reactions:
\(\frac{1}{2}\) H2 + e → H                         ∆H = +36 kcalmol-1
\(\frac{1}{2}\) Br2 + e → Br                       ∆H = -55 kcalmol-1

Since, hydrogen has similarities with alkali metals as well as the halogens; it is difficult to find the right position in the periodic table. However, in most of its compounds hydrogen exists in +1 oxidation state. Therefore, it is reasonable to place the hydrogen in group 1 along with alkali metals as shown in the latest periodic table published by IUPAC.

Question 33.
What are isotopes? Write the names of isotopes of hydrogen.
Answer:
Atoms of the same element having same atomic number and different mass number are called isotopes.
Hydrogen has three naturally occurring isotopes, viz., protium (1H1 or H), deuterium (1H2 or D) and tritium (1H3 or T). Protium 1H1 is the predominant form (99.985 %) and it is the only isotope that does not contain a neutron. Deuterium, also known as heavy hydrogen, constitutes about 0.015 %. The third isotope, tritium is a radioactive isotope of hydrogen which occurs only in traces (~1 atom per 1018 hydrogen atoms). Due to the existence of these isotopes naturally occurring hydrogen exists as H2, HD, D2, HT, T2, and DT.

Question 34.
Give the uses of heavy water.
Answer:
The uses of heavy water are as follows
(i) Heavy water is widely used as moderator in nuclear reactors as it can lower the energies of fast neutrons
(ii) It is commonly used as a tracer to study organic reaction mechanisms and mechanism of metabolic reactions
(iii) It is also used as a coolant in nuclear reactors as it absorbs the heat generated.

Question 35.
Explain the exchange reactions of deuterium.
Answer:
When compounds containing hydrogen are treated with D2O, hydrogen undergoes an exchange for deuterium. This reaction is known as exchange reaction of deuterium.
2NaOH + D2O → 2NaOD + HOD

HCl + D2O → DCl + HOD

NH4Cl + 4D2O → ND4Cl + 4HOD

These exchange reactions are useful in determining the number of ionic hydrogens present in a given compound. For example, when D2O is treated with of hypo-phosphorus acid only one hydrogen atom is exchanged with deuterium. It indicates that, it is a monobasic acid.
H3PO2 + D2O → H2DPO2 + HDO
It is also used to prepare some deuterium compounds:

Al4C3 + 12D2O → 4Al(OD)3 + 3CD4
CaC2 + 2D2O → Ca(OD)2 + C2D2
Mg3N2 + 6D2O → 3Mg(OD)2 + 2ND3
Ca3P2 + 6D2O → 3Ca(OD)2 + 2PD3

Samacheer Kalvi 11th Chemistry Guide Chapter 4 Hydrogen

Question 36.
How do you convert parahydrogen into ortho hydrogen?
Answer:
At room temperature, normal hydrogen consists of about 75% ortho-form and 25% para-form. As the ortho-form is more stable than para-form, the conversion of one isomer into the other is a slow process. However, the equilibrium shifts in favour of para hydrogen when the temperature is lowered.

The para-form can be catalytically transformed into I ortho-form using platinum or iron. Alternatively, it can also be converted by passing an electric j discharge, heating above 800°C and mixing with paramagnetic molecules such as O2, NO, NO2 or with nascent/atomic hydrogen.

Question 37.
Mention the uses of deuterium.
Answer:
(i) Deuterium is used to prepare heavy water which is used as moderator in nuclear reactors.
(ii) Deuterium exchange reactions are useful in determining the number of ionic hydrogens present in a given compound.
(iii) It is also used to prepare some deuterium compounds.

Question 38.
Explain preparation of hydrogen using electrolysis.
Answer:
High purity hydrogen (> 99.9 %) is obtained by the electrolysis of water containing traces of acid or alkali or the electrolysis of aqueous solution of sodium hydroxide or potassium hydroxide using a nickel anode and iron cathode. However, this process is not economical for large-scale production.
At anode:
2OH → H2O + \(\frac{1}{2}\)O2 + 2e
At cathode:
2H2O + 2e → 2OH + H2
Overall reaction:
H2O → H2 + \(\frac{1}{2}\)O2

Question 39.
A group-1 metal (A) which is present ¡n common salt reacts with (B) to give compound (C) in which hydrogen is present in -1 oxidation state. (B) on reaction with a gas to give universal solvent (D). The compound (D) on reacts with (A) to give (B), a strong base. Identify A, B, C, D and E. Explain the reactions.
Answer:
The metal belongs to Group-1 which is present in common salt is Sodium(A).
The metal reacts with (B) to give compound (C) in which hydrogen is present in -1 oxidation state.
2Na + H2 → 2NaH
Hence, the (B) is hydrogen and (C) is sodium hydride. (B) on reaction with a gas to give universal solvent (D).
H2 + O2 → 2NaOH
The universal solvent (D) is water. The compound (D) on reaction with (A) to give (E) which is a strong base.
H2O + 2Na → 2NaOH
The Compound (E) is Sodium hydroxide.
A – Sodium (Na)
B – Hydrogen (H2)
C – Sodium Hydride (NaH)
D – Water (H2O)
E – Sodium hydroxide (NaOH)

Question 40.
An isotope of hydrogen (A) reacts with diatomic molecule of element which occupies group number 16 and period number 2 to give compound (B) is used as a moderatorin nuclear reaction. (A) adds on to a compound (C), which has the molecular formula C3H6 to give (D). Identify A, B, C and D.
Answer:
An isotope of hydrogen (A) reacts with diatomic molecule of element which occupies group number 16 and period number 2 to give compound (B) is used as a moderator in nuclear reaction.
2D2 + O2 → 2D2O
The isotope of hydrogen is deuterium(A), diatomic element is oxygen and the compound (B) is heavy water.
(A) adds on to a compound (C), which has the molecular formula C3H6 to give (D).
CH3 – CH = CH2 + D2 → CH3 – CHD – CH2D
(C)                                     (D)
The compound (C) is propene and (D) is 1, 2 deutropropane.
A – Deuterium (D2)
B – Heavy water (D2O)
C – Propene (CH3 – CH = CH2)
D – 1, 2 deutero propene (CH3 – CHD – CH2D)

Samacheer Kalvi 11th Chemistry Guide Chapter 4 Hydrogen

Question 41.
NH3 has exceptionally high melting point and boiling point as compared to those of the hydrides of the remaining element of group 15- Explain.
Answer:
When a hydrogen atom is covalently bonded to a highly electronegative atom such as nitrogen, the bond is polarized. Due to this effect, the polarized hydrogen atom is able to form a weak electrostatic interaction with another electronegative atom present in the vicinity.

This interaction is called hydrogen bonding. Hence, NH3 has exceptionally high melting point and boiling point as compared to those of the hydrides of the remaining element of group 15 due to intermolecular hydrogen bonding.

Question 42.
Why interstitial hydrides have a lower density than the parent metal?
Answer:
In interstitial hydrides, hydrogen occupies the interstitial sites. These hydrides show properties similar to parent metals. Most of these hydrides are non-stoichiometric with variable composition. Hence, interstitial hydrides have lower density than the parent metal.

Question 43.
How do you expect the metallic hydrides to be useful for hydrogen storage?
Answer:
Metallic hydrides are usually obtained by hydrogenation of metals and alloys in which hydrogen occupies the interstitial sites (voids). Most of the hydrides are non-stoichiometric with variable composition (TiH 1.5 – 1.8 and PdH0.6 – 0.8), some are relatively light, inexpensive and thermally unstable which make them useful for hydrogen storage applications.

Question 44.
Arrange NH3, H2O and HF in the order of increasing magnitude of hydrogen bonding and explain the basis for your arrangement.
Answer:
When a hydrogen atom is covalently bonded to a highly electronegative atom such as nitrogen, the bond is polarized. Due to this effect, the polarized hydrogen atom is able to form a weak electrostatic interaction with another electronegative atom present in the vicinity. This interaction is called hydrogen bonding. The magnitude of hydrogen bonding increases with the increase in electronegativity of the atom. Hence, the increasing magnitude of hydrogen bonding of NH3, H2O and HF follows the order NH3 < H2O < HF.

Question 45.
Compare the structures of HO and HO.
Answer:
Both in gas-phase and liquid-phase, the molecule adopts a skew conformation due to repulsive interaction of the OH bonds with lone-pairs of electrons on each oxygen atom. Indeed, it is the smallest molecule known to show hindered rotation about a single bond.
Samacheer Kalvi 11th Chemistry Guide Chapter 4 Hydrogen 5
H2O2 has a non-polar structure. The molecular dimensions in the gas phase and solid phase differ as shown in figure. Structurally, H2O2 is represented by the dihydroxyl formula in which the two OH-groups do not lie in the same plane.

One way of explaining the shape of hydrogen peroxide is that the hydrogen atoms would lie on the pages of a partly opened book, and the oxygen atoms along the spine. In the solid phase of molecule, the dihedral angle reduces to 90.2° due to hydrogen bonding and the O-O-H angle expands from 94.8° to 101.9°. Water has bent structure and the H-O-H bond angle is 104.5°.

Samacheer Kalvi 11th Chemistry Guide Chapter 4 Hydrogen

11th Chemistry Guide Hydrogen Additional Questions and Answers

I. Choose the best Answer:

Question 1.
A simplest atom which contains one electron and one proton is
(a) Helium
(b) Deuterium
(c) Hydrogen
(d) Tritium
Answer:
(c) Hydrogen

Question 2.
Hydrogen has similarities with
(a) Alkali metals and halogens
(b) Alkaline earth metals and halogens
(c) Alkalimetals and noble gases
(d) Halogens and noble gases.
Answer:
(a) Alkali metals and halogens

Question 3.
Which of the following properties of hydrogen similar to alkali metals?
1. It forms uni negative ion.
2. It forms halides, oxides and sulphides similar to alkali metals.
3. It also acts as a reducing agent.
(a) 1 and 2
(b) 2 and 3
(c) 1 and 3
(d) 1,2 and 3
Answer:
(b) 2 and 3

Question 4.
Ionisation energy of hydrogen is (in kJ mol-1)
(a) 377
(b) 520
(c) 1413
(d) 1314
Answer:
(d) 1314

Question 5.
Hydrogen is placed in the ________ of the periodic table.
(a) group – 1
(b) group – 17
(c) group – 18
(d) group – 2
Answer:
(a) group – 1

Samacheer Kalvi 11th Chemistry Guide Chapter 4 Hydrogen

Question 6.
The predominant isotope of hydrogen is
(a) deuterium
(b) protium
(c) tritium
(d) heavy hydrogen
Answer:
(b) protium

Question 7.
The radioactive isotope of hydrogen is
(a) protium
(b) deuterium
(c) tritium
(d) heavy hydrogen
Answer:
(c) tritium

Question 8.
The number of naturally occurring hydrogens due to existence of isotopes is
(a) 6
(b) 5
(c) 4
(d) 3
Answer:
(a) 6

Question 9.
The half life period of tritium is ______(in years).
(a) 13.2
(b) 10.5
(c) 12.3
(d) 15.8
Answer:
(c) 12.3

Question 10.
The correct order of melting point of isotopes of hydrogen is
(a) H < D < T
(b) T < D < H
(c) H < T < D
(d) D < H < T
Answer:
(a) H < D < T

Samacheer Kalvi 11th Chemistry Guide Chapter 4 Hydrogen

Question 11.
The percentage of ortho and para forms of normal hydrogen at room temperature is
(a) 25% and 75%
(b) 40% and 60%
(c) 60% and 40%
(d) 75% and 25%
Answer:
(d) 75% and 25%

Question 12.
Which of the following statement is correct about ortho-para hydrogen?
(a) The magnetic moment of para hydrogen is twice that of a proton.
(b) Ortho form is more stable than para form
(c) Ortho form can be catalytically converted into para form using platinum.
(d) At room temperature, normal hydrogen consists of 75% para form.
Answer:
(b) Ortho form is more stable than para form

Question 13.
The composition of syngas is
(a) CO + N2
(b) CO + H2O
(c) CO + H2
(d) CO2 + H2
Answer:
(c) CO + H2

Question 14.
During electrolysis of water containing traces of acid hydrogen is liberated at
(a) cathode
(b) anode
(c) both anode and cathode
(d) none of the above
Answer:
(a) cathode

Question 15.
The conversion of carbon monoxide of the water gas into carbon dioxide is called water gas _______ reaction.
(a) displacement
(b) decomposition
(c) shift
(d) conversion
Answer:
(c) shift

Samacheer Kalvi 11th Chemistry Guide Chapter 4 Hydrogen

Question 16.
The catalyst used in the water gas shift reaction is
(a) Copper
(b) Nickel
(c) Platinum
(d) Palladium
Answer:
(a) Copper

Question 17.
The CO2 formed in the water gas shift reaction is absorbed in a solution of
(a) Potassium bicarbonate
(b) Sodium chloride
(c) Potassium sulphate
(d) Potassium carbonate
Answer:
(d) Potassium carbonate

Question 18.
The percentage of heavy water in normal water is
(a) 1.6 × 104
(b) 1.6 × 10-4
(c) 1.6 × 10-3
(d) 1.6 × 102
Answer:
(b) 1.6 × 10-4

Question 19.
When water is completely electrolysed, the gas liberated is/are
(a) H2
(b) D2
(c) H2 and D2
(d) H2 and T2
Answer:
(c) H2 and D2

Question 20.
Lithium Aluminium Hydride is
(a) [LiAlH3]
(b) Li[Al2H4]
(c) Li[AlH2]
(d) Li[AlH4]
Answer:
(d) Li[AlH4]

Samacheer Kalvi 11th Chemistry Guide Chapter 4 Hydrogen

Question 21.
Deuterium oxide is called
(a) hard water
(b) soft water
(c) heavy water
(d) heavy hydrogen
Answer:
(c) heavy water

Question 22.
Ammonia is synthesized by ______ process.
(a) Haber’s
(b) Bergius
(c) Decon’s
(d) Solvay
Answer:
(b) Bergius

Question 23.
Statement – I:
Tritium is a β-emitter.
Statement – II:
Radioactive decay of tritium gives \({ }_{2}^{3} \mathrm{He}\) and \({ }_{1}^{0} e\).
The correct statement/s is/are
(a) I alone
(b) II alone
(c) both I and II
(d) both are incorrect.
Answer:
(c) both I and II

Question 24.
The high melting and boiling points of water is due to
(a) Covalent bonding
(b) Hydrogen bonding
(c) Ionic bonding
(d) co-ordinate bonding
Answer:
(b) Hydrogen bonding

Question 25.
Chlorine reacts with water and forms _____ and _____ respectively.
(a) HCl and HOCl
(b) H2 and HCl
(c) HOCl and H2
(d) HCl and ClO2
Answer:
(c) HOCl and H2

Samacheer Kalvi 11th Chemistry Guide Chapter 4 Hydrogen

Question 26.
Water is an ______ oxide.
(a) acidic
(b) basic
(c) amphoteric
(d) neutral
Answer:
(a) acidic

Question 27.
Hydrolysis of P4O10 gives
(a) HPO2
(b) H4P2O7
(c) H3PO3
(d) H2PO4
Answer:
(d) H2PO4

Question 28.
In CuSO4.5H2O, the number of water molecules form co-ordinate bonds is
(a) 4
(b) 5
(c) 3
(d) 1
Answer:
(a) 4

Question 29.
Flourine reacts with water and liberates
(a) hydrogen
(b) oxygen
(c) Fluorine dioxide
(d) HOF
Answer:
(b) oxygen

Question 30.
The number water molecules in hydrated crystal of Chromium chloride salt is
(a) 5
(b) 6
(c) 4
(d) 3
Answer:
(b) 6

Samacheer Kalvi 11th Chemistry Guide Chapter 4 Hydrogen

Question 31.
The most common metal ions present in the hard water are
(a) Magnesium and Iron
(b) Calcium and Aluminium
(c) Magnesium and Calcium
(d) Manganese and Calcium
Answer:
(c) Magnesium and Calcium

Question 32.
Temporary hardness of water is removed by ______ method.
(a) Dewar
(b) Clark’s
(c) Leibeg
(d) Haber
Answer:
(b) Clark’s

Question 33.
Permanent hardness of water is due to the presence of soluble salts of _____ and ______ of magnesium and calcium.
(a) carbonates and bicarbonates
(b) chlorides and carbonates
(c) bicarbonates and sulphates
(d) chlorides and sulphates
Answer:
(d) chlorides and sulphates

Question 34.
The ion exchange bed used for the softening of hard water is
(a) Borates
(b) Zeolites
(c) Fluorides
(d) Phosphates
Answer:
(b) Zeolites

Question 35.
The general formula of zeolites is
(a) NaOAl2O3. xSiO2. yH2O
(b) Na2O.Al2O3. ySiO2. xH2O
(c) NaOH.Al2O3. xSiO2. yH2O
(d) NaO.Al (OH)3 .xSiO2. yH2O
Answer:
(a) NaOAl2O3. xSiO2. yH2O

Samacheer Kalvi 11th Chemistry Guide Chapter 4 Hydrogen

Question 36.
________ reactions are useful in determining the number of ionic hydrogens present in a given compound.
(a) Oxygen exchange
(b) Metal exchange
(c) Deuterium exchange
(d) Deuterium decomposition
Answer:
(c) Deuterium exchange

Question 37.
_______ is used as a moderator and coolant in nuclear reactors.
(a) Heavy hydrogen
(b) Ortho hydrogen
(c) Hydrogen peroxide
(d) Heavy water
Answer:
(d) Heavy water

Question 38.
Autoxidation of 2-alkyl anthraquinol gives
(a) Hydrogen peroxide
(b) Heavy water
(c) Hydrogen
(d) Water
Answer:
(a) Hydrogen peroxide

Question 39.
The percentage of hydrogen peroxide in ‘100 volume’ is
(a) 40
(b) 30
(c) 50
(d) 20
Answer:
(b) 30

Question 40.
Hydrogen peroxide solutions are stored in ______ container
(a) glass
(b) alkali metal
(c) plastic
(d) wooden
Answer:
(c) plastic

Samacheer Kalvi 11th Chemistry Guide Chapter 4 Hydrogen

Question 41.
______ present in the glass catalyses the disproportionation reaction of hydrogen peroxide.
(a) Silica
(b) Alkali metals
(c) fluorine
(d) Oxygen
Answer:
(b) Alkali metals

Question 42.
Disproportionation of hydrogen peroxide gives
(a) oxygen and hydrogen
(b) hydrogen and water
(c) hydrogen and ozone
(d) oxygen and water
Answer:
(d) oxygen and water

Question 43.
Which of the following statement/s are true about hydrogen peroxide?
1. It can act both as an oxidizing agent and a reducing agent.
2. It is used in water treatment to oxidize pollutants.
3. It is used as mild analgesic.
4. It restores the white colour of the old paintings,
(a) 1, 2 and 3
(b) 1, 3 and 4
(c) 1, 2 and 4
(d) 2, 3 and 4
Answer:
(c) 1, 2 and 4

Question 44.
White pigment is
(a) Pb2(OH)2(C03)3
(b) Pb3(OH)2(C03)2
(c) Pb3(OH)(CO3)2
(d) Pb2(OH)(CO3)3
Answer:
(b) Pb3(OH)2(C03)2

Question 45.
The smallest molecule which shows hindered rotation about single bond is
(a) Hydrogen peroxide
(b) Water
(c) Deuterium oxide
(d) hydrogen
Answer:
(a) Hydrogen peroxide

Samacheer Kalvi 11th Chemistry Guide Chapter 4 Hydrogen

Question 46.
Compounds in which hydrogen is attached to another element by sharing of electrons are called _________ hydrides.
(a) Interstitial
(b) Molecular
(c) Saline
(d) Metallic
Answer:
(b) Molecular

Question 47.
Which of the following molecule shows intramolecular hydrogen bond?
(a) Water
(b) Ammonia
(c) Salicylaldehyde
(d) Para-nitrophenol
Answer:
(c) Salicylaldehyde

Question 48.
Each water molecule is linked to ______ other molecules through hydrogen bonds.
(a) five
(b) four
(c) six
(d) two
Answer:
(b) four

Question 49.
Which one of the following is a covalent hydride?
(a) NH3
(b) BeH2
(c) NaH
(d) ZrH2
Answer:
(a) NH3

Question 50.
Hypo-phosphorus is a ______ acid.
(a) dibasic
(b) tribasic
(c) monobasic
(d) tetrabasic
Answer:
(c) monobasic

Samacheer Kalvi 11th Chemistry Guide Chapter 4 Hydrogen

II. Very Short Question and Answers (2 Marks):

Question 1.
What are the isotopes of hydrogen?
Answer:
Hydrogen has three naturally occurring isotopes, viz., protium (1H1 or H), deuterium (1H2 or D) and tritium (1H3 or T).

Question 2.
Write the physical properties of Hydrogen?
Answer:
Hydrogen is a colorless, odorless, tasteless, lightest and highly flammable gas. It is a non-polar diatomic molecule. It can be liquefied under low temperature and high pressure. Hydrogen is a good reducing agent

Question 3.
How is tritium prepared?
Answer:
Tritium is artificially prepared by bombarding lithium with slow neutrons in a nuclear fission reactor. The nuclear transmutation reaction for this process is as follows.
\({ }_{3}^{6} L i\) + \({ }_{0}^{1} n\) → \({ }_{2}^{4} \mathrm{He}\) + \({ }_{1}^{3} T\)

Question 4.
What are ortho and para hydrogens?
Answer:
In the hydrogen atom, the nucleus has a spin. When molecular hydrogen is formed, the spins of two hydrogen nuclei can be in the same direction or in the opposite direction as shown in the figure. These two forms of hydrogen molecules are called ortho and para hydrogens respectively.

Question 5.
Write the different forms of naturally occurring hydrogen?
Answer:
Due to the existence of three isotopes of hydrogen, Protium (H), Deuterium (D) and Tritium(T), naturally occurring hydrogen exists as H2, HD, D2, HT, T2, and DT.

Samacheer Kalvi 11th Chemistry Guide Chapter 4 Hydrogen

Question 6.
How will you convert para hydrogen into ortho hydrogen?
Answer:
The para-form can be catalytically transformed into ortho-form using platinum or iron. Alternatively, it can also be converted by passing an electric discharge, heating above 800°C and mixing with paramagnetic molecules such as O2, NO, NO2 or within ascent/atomic hydrogen.

Question 7.
How is pure hydrogen prepared?
Answer:
High purity hydrogen (> 99.9 %) is obtained by the electrolysis of water containing traces of acid or alkali or the electrolysis of aqueous solution of sodium hydroxide or potassium hydroxide using a nickel anode and iron cathode. However, this process is not economical for large-scale production.
At anode:
2OH → H2O + \(\frac{1}{2}\)O2 + 2e

At cathode:
2H2O + 2e → 2OH + H2

Overall reaction:
H2O → H2 + \(\frac{1}{2}\)O2

Question 8.
How is hydrogen prepared by steam reforming reaction?
Answer:
Hydrogen is produced in large scale by steam-reforming of hydrocarbons. In this method, hydrocarbon such as methane is mixed with steam and passed over nickel catalyst in the range 800- 900°C and 35 atm pressure.
CH4 + H2O → CO + 3H2

Question 9.
What is water gas? How is it prepared?
Answer:
The mixture of carbon monoxide and hydrogen is called water gas. When steam is passed over a red- hot coke to produce carbon monoxide and hydrogen. The mixture of gases produced in this way is known as water gas (CO + H2).
C + H2O → (CO + H2)Water gas /Syngas

Question 10.
What is syngas? Why is it called so?
Answer:
Water gas is also called as syngas as it is used in the synthesis of organic compounds such as methanol and simple hydrocarbons.

Samacheer Kalvi 11th Chemistry Guide Chapter 4 Hydrogen

Question 11.
How is Deuterium prepared?
Answer:
Normal water contains 1.6 × 10-4 percentage of heavy water. The dissociation of protium water (H2O) is more than heavy water (D2O). Therefore, when water is electrolysed, hydrogen is liberated much faster than D2. The electrolysis is continued until the resulting solution becomes enriched in heavy water. Further electrolysis of the heavy water gives deuterium.
Samacheer Kalvi 11th Chemistry Guide Chapter 4 Hydrogen 6

Question 12.
How is Tritium prepared?
Answer:
Tritium is present only in trace amounts. So it can be artificially prepared by bombarding lithium with slow neutrons in a nuclear fission reactor. The nuclear transmutation reaction for this process is as follows.
\({ }_{3}^{6} L i\) + \({ }_{0}^{1} n\) → \({ }_{2}^{4} \mathrm{He}\) + \({ }_{1}^{3} T\)

Question 13.
Write the physical properties of hydrogen.
Answer:
Hydrogen is a colorless, odorless, tasteless, lightest and highly flammable gas. It is a non-polar diatomic molecule. It can be liquefied under low temperature and high pressure. Hydrogen is a good reducing agent.

Question 14.
What is deuterium exchange reaction?
Answer:
Deuterium can replace reversibly hydrogen in compounds either partially or completely depending upon the reaction conditions. These reactions occur in the presence of deuterium or heavy water.
CH4 + 2D2 → CD4 + 2H2
2NH3 + 3D2 → 2ND3 + 3H2

Question 15.
Write the physical properties of water.
Answer:
Water is a colourless and volatile liquid. The peculiar properties of water in the condensed phases are due to the presence of inter molecular hydrogen bonding between water molecules. Hydrogen bonding is responsible for the high melting and boiling points of water.

Samacheer Kalvi 11th Chemistry Guide Chapter 4 Hydrogen

Question 16.
Water is an amphoteric oxide. Give reason.
Answer:
Water is an amphoteric oxide. It has the ability to accept as well as donate protons and hence it can act as an acid or a base. For example, in the reaction with HC1 it accepts proton where as in the reaction with weak base ammonia it donates proton.
NH3 + H2O → NH4+ + OH
HCl + H2O → H3O+ + Cl

Question 17.
What is hard water? Give its types.
Answer:
Hard water contains high amounts of mineral ions. The most common ions found in hard water are the soluble metal cations such as magnesium & calcium, though iron, aluminium, and manganese may also be found in certain areas. Presence of these metal salts in the form of bicarbonate, chloride and sulphate in water makes water ‘hard’.

Question 18.
What is meant by temporary hardness of water?
Answer:
Temporary hardness is primarily due to the presence of soluble bicarbonates of magnesium and calcium.

Question 19.
What is permanent hardness of water?
Answer:
Permanent hardness of water is due to the presence of soluble salts of magnesium and calcium in the form of chlorides and sulphates in it.

Question 20.
What are zeolites? Give its use.
Answer:
Zeolites are hydrated sodium alumino-silicates with a general formula, NaO.Al2O3 .xSiO2 .yH2O (x = 2 to 10, y = 2 to 6). Zeolites have porous structure in which the monovalent sodium ions are loosely held and can be exchanged with hardness producing metal ions (M = Ca or Mg) in water.

Samacheer Kalvi 11th Chemistry Guide Chapter 4 Hydrogen

Question 21.
What is heavy water? How is it obtained?
Answer:
Heavy water (D2O) is the oxide of heavy hydrogen. One part of heavy water is present in 5000 parts of ordinary water. It is mainly obtained as the product of electrolysis of water.

Question 22.
What is the effect of shielding on ionization energy?
Answer:
As we move down a group, the number of inner shell electron increases which in turn increases the repulsive force exerted by them on the valence electrons, i.e., the increased shielding effect caused by the inner electrons decreases the attractive force acting the valence electron by the nucleus. Therefore, the ionization energy decreases.

Question 23.
How does hard water produces less foam with detergents?
Answer:
The cleaning capacity of soap is reduced when used in hard water. Soaps are sodium or potassium salts of long chain fatty acids (e.g., coconut oil). When soap is added to hard water, the divalent magnesium and calcium ions present in hard water react with soap. The sodium salts present in soaps are converted to their corresponding magnesium and calcium salts which are precipitated as scum/precipitate.
M2+ + 2RCOONa → (RCOO)2M + 2Na+
M = Ca or Mg, R = C17H35

Question 24.
How is hydrogen peroxide prepared?
Answer:
It can be prepared by treating metal peroxide with dilute acid.
BaO2 + H2SO4 → BaSO4 + H2O2

Na2O2 + H2SO2 → Na2SO4 + H2O2

Question 25.
What are hydrides? How are they classified?
Answer:
Hydrogen forms binary compounds with many electropositive elements including metals and non¬metals are called hydrides. It also forms ternary hydrides with two metals. E.g., LiBH4 and LiAlH4. The hydrides are classified as ionic, covalent and metallic hydrides according to the nature of bonding.

Samacheer Kalvi 11th Chemistry Guide Chapter 4 Hydrogen

Question 26.
What is a hydrogen bond?
Answer:
When a hydrogen atom (H) is covalently bonded to a highly electronegative atom such as fluorine (F) or oxygen (O) or nitrogen (N), the bond is polarized. Due to this effect, the polarized hydrogen atom is j able to form a weak electrostatic interaction with another electronegative atom present in the vicinity, f This interaction is called as a hydrogen bond.

Question 27.
What are intra and inter molecular hydrogen bonding?
Answer:
Hydrogen bonds can occur within a molecule is called intramolecular hydrogen bonding whereas between two molecules of the same type or different type is called intermolecular hydrogen bonding.

III. Short question and Answers (3 Marks):

Question 1.
Write notes on water-gas shift reaction?
Answer:
The carbon monoxide of the water gas can be converted to carbon dioxide by mixing the gas mixture with more steam at 400°C and passed over a shift converter containing iron/copper catalyst. This reaction is called as water-gas shift reaction.
CO + H2O → CO2 + H2

The CO4 formed in the above process is absorbed in a solution of potassium carbonate.
CO2 + K2CO3 + H2O → 2KHCO3

Question 2.
Write the properties of hydrogen similar to alkali metals.
Answer:
The hydrogen has the electronic configuration of 1s1 which resembles with ns1 general valence shell configuration of alkali metals and shows similarity with them as follows:
(i) It forms unipositive ion (H+) like alkali metals (Na+, K+, Cs+)
(ii) It forms halides (HX), oxides (H2O), peroxides (H2O2) and sulphides (H2S) like alkali metals (NaX, Na2O, Na2O2, Na2S)
(iii) It also acts as a reducing agent.

Question 3.
Write notes on isotopes of hydrogen.
Answer:
Hydrogen has three naturally occurring isotopes, viz., protium (1H1 or H), deuterium (1H2 or D) and tritium (1H3 or T). Protium (1H1) is the predominant form (99.985 %) and it is the only isotope that does not contain a neutron.
Deuterium, also known as heavy hydrogen, constitutes about 0.015%. The third isotope, tritium is a radioactive isotope of hydrogen which occurs only in traces (~1 atom per 1018 hydrogen atoms). Due to the existence of these isotopes naturally occurring hydrogen exists as H2, HD, D2, HT, T2, and DT.

Question 4.
What are ortho and para hydrogen? How will you convert one form into another?
Answer:
In the hydrogen atom, the nucleus has a spin. When molecular hydrogen is formed, the spins of two hydrogen nuclei can be in the same direction or in the opposite direction as shown in the figure. These two forms of hydrogen molecules are called ortho and para hydrogens respectively.

Samacheer Kalvi 11th Chemistry Guide Chapter 4 Hydrogen 7

At room temperature, normal hydrogen consists of about 75% ortho-form and 25% para-form. As the ortho-form is more stable than para-form, the conversion of one isomer into the other is a slow process. However, the equilibrium shifts in favour of para hydrogen when the temperature is lowered.

The para-form can be catalytically transformed into ortho-form using platinum or iron. Alternatively, it can also be converted by passing an electric discharge, heating above 800°C and mixing with paramagnetic molecules such as O2, NO, NO2 or with nascent/atomic hydrogen.

Samacheer Kalvi 11th Chemistry Guide Chapter 4 Hydrogen

Question 5.
Discuss the methods of preparation of hydrogen.
Answer:
High purity hydrogen (> 99.9%) is obtained by the electrolysis of water containing traces of acid or alkali or the electrolysis of aqueous solution of sodium hydroxide or potassium hydroxide using a nickel anode and iron cathode. However, this process is not economical for large-scale production.
At Anode:
2OH → H2O + \(\frac{1}{2}\)O2 + 2e

At Cathode:
2H2O + 2e → 2OH + H2

Overall Reaction:
H2O → H2 + \(\frac{1}{2}\)O2
Hydrogen is conveniently prepared in laboratory by the reaction of metals, such as zinc, iron, tin with dilute acid.
Zn + 2HCl → ZnCl2 + H2

Samacheer Kalvi 11th Chemistry Guide Chapter 4 Hydrogen 8
Laboratory preparation of Hydrogen

Question 6.
Write the chemical properties of deuterium.
Answer:
Like hydrogen, deuterium also reacts with oxygen to form deuterium oxide called heavy water. It also reacts with halogen to give corresponding halides.
2D2 + O2 → 2D2O
D2 + X2 → 2DX (X = F, Cl, Br & I)

Deuterium can replace reversibly hydrogen in compounds either partially or completely depending upon the reaction conditions. These reactions occur in the presence of deuterium or heavy water
CH4 + 2D2 → CD4 + 2H2
2NH3 + 3D2 → 2ND3 + 3H2

Question 7.
Write the reaction of halogens with water.
Answer:
The halogens react with water to give an acidic solution. For example, chlorine forms hydrochloric acid and hypo chlorous acid. It is responsible for the antibacterial action of chlorine water, and for its use as bleach.
Cl2 + H2O → HCl + HOCl
Fluorine reacts differently to liberate oxygen from water.
2F2 + 2H2O → 4HF + O2

Question 8.
Discuss the nature of hydrated salts with suitable examples.
Answer:
Many salts crystallized from aqueous solutions form hydrated crystals. The water in the hydrated salts may form co-ordinate bond or just present in interstitial positions of crystals.
Examples: Cr(H2O6) Cl3) – All six water molecules form co-ordinate bond. BaCl2.2H2O – Both the water molecules are present in interstitial positions.
CuSO4 .5H2O – In this compound four water molecules form co-ordinate bonds while the fifth water molecule, present outside the co-ordination, can form intermolecular hydrogen bond with another molecule. [Cu(H2O)4]SO4. H2O.

Samacheer Kalvi 11th Chemistry Guide Chapter 4 Hydrogen

Question 9.
How is temporary hardness of water removed by boiling?
Answer:
Temporary hardness is primarily due to the presence of soluble bicarbonates of magnesium and calcium. This can be removed by boiling the hard water followed by filtration. Upon boiling, these salts decompose into insoluble carbonate which leads to their precipitation. The magnesium carbonate thus formed further hydrol used to give insoluble magnesium hydroxide.
Ca(HCO3)2 → CaCO3 + H2O + CO2Mg(HCO3) → MgCO3 + H2O
CO2MgCO3 + H2O → Mg(OH)2 + CO2
The resulting precipitates can be removed by filtration.

Question 10.
How is temporary hardness of water removed by Clark’s method?
Answer:
In Clark’s method, calculated amount of lime is added to hard water containing the magnesium and calcium, and the resulting carbonates and hydroxides can be filtered-off.
Ca(HCO3)2 + Ca(OH)2 → 2CaCO3 + 2H2O
Mg(HCO3) + 2Ca(OH)2 → 2CaCO3+ Mg(OH)2 + 2H2O

Question 11.
Write the chemical properties of heavy water.
Answer:
When compounds containing hydrogen are treated with D2O, hydrogen undergoes an exchange for deuterium 2NaOH + D2O → 2NaOD + HOD
HCl + D2O → DCl + HOD
NH4Cl + 4D2O → ND4Cl + 4HOD

These exchange reactions are useful in determining the number of ionic hydrogens present in a given compound. For example, when D2O is treated with of hypo-phosphorus acid only one hydrogen atom is exchanged with deuterium. It indicates that, it is a monobasic acid.
H3PO2 + D2O → H2DPO2 + HDO
It is also used to prepare some deuterium compounds:
Al4C3 + 12D2O → 4Al(OD)3 + 3CD4
CaC2 + 2D2O → Ca(OD)2 + C2D2
MgN2 + 6D2O → 3Mg(OD)2 + 2ND3
Ca3P2 + 6D2O → 3Ca(OD)2 + 2PD3

Samacheer Kalvi 11th Chemistry Guide Chapter 4 Hydrogen

Question 12.
Write the uses of heavy water.
Answer:
(i) Heavy water is widely used as moderator in nuclear reactors as it can lower the energies of fast neutrons
(ii) It is commonly used as a tracer to study organic reaction mechanisms and mechanism of metabolic reactions
(iii) It is also used as a coolant in nuclear reactors as it absorbs the heat generated.

Question 13.
Write the uses of hydrogen peroxide.
Answer:
The oxidizing ability of hydrogen peroxide and the harmless nature of its products, i.e., water and oxygen, lead to its many applications. It is used in water treatment to oxidize pollutants, as a mild antiseptic, and as bleach in textile, paper and hair – care industry.

Hydrogen peroxide is used to restore the white colour of the old paintings which was lost due to the reaction of hydrogen sulphide in air with the white pigment Pb3(OH)2 (CO3)2 to form black colored lead sulphide. Hydrogen peroxide oxidises black coloured lead sulphide to white coloured lead sulphate, there by restoring the colour.
PbS + 4H2O2 → PbSO4 + 4H2O

Samacheer Kalvi 11th Chemistry Guide Chapter 4 Hydrogen

IV. Long Question and Answers (5 Marks):

Question 1.
Justify the position of hydrogen in the periodic table.
Answer:
The hydrogen has the electronic configuration of 1s1 which resembles with ns1 general valence shell configuration of alkali metals and shows similarity with them as follows:
(i) It forms unipositive ion (H+) like alkali metals (Na+, K+, Cs+)
(ii) It forms halides (HX), oxides (H2O), peroxides (H2O2) and sulphides (H2S) like alkali metals (NaX, Na2O, Na2O2, Na2S)
(iii) It also acts as a reducing agent.

However, unlike alkali metals which have ionization energy ranging from 377 to 520 kJ mol-1, the hydrogen has 1,314kJ mol-1 which is much higher than alkali metals.

Like the formation of halides (X) from halogens, hydrogen also has a tendency to gain one electron to form hydride ion (H) whose electronic configuration is similar to the noble gas, helium. However, the electron affinity of hydrogen is much less than that of halogen atoms. Hence, the tendency of hydrogen to form hydride ion is low compared to that of halogens to form the halide ions as evident from the following reactions:

\(\frac{1}{2}\) H2 + e → H                                 ∆H = + 36 kcalmol-1
\(\frac{1}{2}\) Br2 + e → Br                                 ∆H = -55 kcalmol-1

Since, hydrogen has similarities with alkali metals as well as the halogens; it is difficult to find the right position in the periodic table. However, in most of its compounds hydrogen exists in+1 oxidation state. Therefore, it is reasonable to place the hydrogen in group 1 along with alkali metals as shown in the latest periodic table published by IUPAC.

Question 2.
Discuss the reaction of hydrogen with (i) Oxygen (ii) Halogens (iii) Alkali metals.
Answer:
(i) Reaction of hydrogen with oxygen.
Hydrogen reacts with oxygen to give water. This is an explosive reaction and releases lot of energy. This is used in fuel cells to generate electricity.
2H2 + O2 → 2H2O

(ii) Reaction of hydrogen with halogens.
Similarly, hydrogen also reacts with halogens to give corresponding halides. Reaction with fluorine takes place even in dark with explosive violence while with chlorine at room temperature under light. It combines with bromine on heating and reaction with iodine is a photochemical reaction.
2H2 + O2 → 2H2O
In the above reactions the hydrogen has an oxidation state of +1.

(iii) Reaction of hydrogen with alkali metals:
It also has a tendency to react with reactive metals such as lithium, sodium and calcium to give corresponding hydrides in which the oxidation state of hydrogen is -1.
2Li + H2 → 2 LiH
2Na + H2 → 2NaH

These hydrides are used as reducing agents in synthetic organic chemistry. It is used to prepare other important hydrides such as lithium aluminium hydride and sodium boro hydride.
4 LiH + AlCl3 → Li[AlH4] + 3LiCl
4 NaH + B(OCH3)3 → Na[BH4] + 3CH3ONa

Samacheer Kalvi 11th Chemistry Guide Chapter 4 Hydrogen

Question 3.
Explain the uses of hydrogen.
Answer:
1. Over 90 % hydrogen produced in industry is used for synthetic applications. One such process is Haber process which is used to synthesis ammonia in large scales. Ammonia is used for the manufacture of chemicals such as nitric acid, fertilizers and explosives.
N2 + 3HSamacheer Kalvi 11th Chemistry Guide Chapter 4 Hydrogen 9 2NH
2. It can be used to manufacture the industrial solvent, methanol from carbon monoxide using copper as catalyst.
CO + 2H2 Samacheer Kalvi 11th Chemistry Guide Chapter 4 Hydrogen 11 CH3OH
3. Unsaturated fatty oils can be converted into saturated fats called Vanaspati (margarine) by the reduction reaction with \(\frac{P_{t}}{H_{2}}\)
4. In metallurgy, hydrogen can be used to reduce many metal oxides to metals at high temperatures.
CuO + H2 → Cu + H2O

WO3 + 3H2 → W + 3H2O
5. Atomic hydrogen and oxy-hydrogen torches are used for cutting and welding.
6. Liquid hydrogen is used as a rocket fuel.
7. Hydrogen is also used in fuel cells for generating electrical energy. The reversible uptake of hydrogen in metals is also attractive for rechargeable metal hydride battery.

Question 4.
What is permanent hardness of water? How is it removed?
Answer:
Permanent hardness of water is due to the presence of soluble salts of magnesium and calcium in the form of chlorides and sulphates in it. It can be removed by adding washing soda, which reacts with these metal {M = Ca or Mg) chlorides and sulphates in hard water to form insoluble carbonates.

MCl2 + Na2CO3 → MCO3+ 2NaCl
MSO4 + Na2CO3 → MCO3 + Na2SO4

In another way to soften the hard water is by using a process called ion-exchange. That is, hardness can be removed by passing through an ion-exchange bed like zeolites or column containing ion-exchange resin. Zeolites are hydrated sodium alumino-silicates with a general formula, NaO . Al2O3 . xSiO2. yH2O (x = 2 to 10, y = 2 to 6).

Zeolites have porous structure in which the monovalent sodium ions are loosely held and can be exchanged with hardness producing metal ions (M= Ca or Mg) in water. The complex structure can conveniently be represented as Na2 – Z with sodium as exchangeable cations.
Na2 – Z + M2+ → M – Z + 2Na+

When exhausted, the materials can be regenerated by treating with aqueous sodium chloride. The metal ions (Ca2 and Mg2+) caught in the zeolite (or resin) are released and they get replenished with sodium ions.
M – Z + 2NaCl → Na2 – Z + MCl2

Samacheer Kalvi 11th Chemistry Guide Chapter 4 Hydrogen

Question 5.
Write the chemical properties and uses of heavy water.
Answer:
When compounds containing hydrogen are treated with D2O, hydrogen undergoes an exchange for deuterium 2NaOH + D2O → 2NaOD + HOD
HCl + D2O → DCl + HOD
NH4Cl + 4D2O → ND4Cl + 4HOD

These exchange reactions are useful in determining the number of ionic hydrogens present in a given compound. For example, when D2O is treated with of hypo-phosphoric acid only one hydrogen atom is exchanged with deuterium. It indicates that, it is a monobasic acid.
H3PO2 +D2O → H2DPO2 + HDO

It is also used to prepare some deuterium compounds:
Al4Cl3 + 12D2O → 4Al(OD)3 + 3CD4
CaC2 + 2D2O → Ca(OD)2 + C2D2
Mg3N2 + 6D2O → 3Mg(OD)2 + 2ND3
Ca3P2 + 6D2O → 3Ca(OD)2 + 2PD3

Uses of Heavy Water:
1. Heavy water is widely used as moderator innuclear reactors as it can lower the energies of fast neutrons
2. It is commonly used as a tracer to study organic reaction mechanisms and mechanism of metabolic reactions
3. It is also used as a coolant in nuclear reactors as it absorbs the heat generated.

Question 6.
Explain the structure of hydrogen peroxide.
Answer:
Both in gas-phase and liquid-phase, the molecule adopts a skew conformation due to repulsive interaction of the OH bonds with lone-pairs of electrons on each oxygen atom. Indeed, it is the smallest molecule known to show hindered rotation • about a single bond.

Samacheer Kalvi 11th Chemistry Guide Chapter 4 Hydrogen 10

H2O2 has a non-polar structure. The molecular dimensions in the gas phase and solid phase differ as shown in figure 4.5. Structurally, H2O2 is represented by the dihydroxyl formula in which the two OH-groups do not lie in the same plane.

One way of explaining the shape of hydrogen peroxide is that the hydrogen atoms would lie on the pages of a partly opened book, and the oxygen atoms along the spine. In the solid phase of molecule, the dihedral angle reduces to 90.2° due to hydrogen bonding and the O-O-H angle expands from 94.8° to 101.9°.

Samacheer Kalvi 11th Chemistry Guide Chapter 4 Hydrogen

Question 7.
What are hydrides? How are they classified?
Answer:
Hydrogen forms binary hydrides with many electropositive elements including metals and non-metals. It also forms ternary hydrides with two metals. E.g., LiBH4 and LiAlH4 The hydrides are classified as ionic, covalent and metallic hydrides according to the nature of bonding.

Hydrides formed with elements having lower electronegativity than hydrogen are often ionic, whereas with elements having higher electronegativity than hydrogen form covalent hydrides.

Ionic (Saline) hydrides:
These are hydrides composed of an electropositive metal, generally, an alkali or alkaline-earth metal, except beryllium and magnesium, formed by transfer of electrons from metal to hydrogen atoms. They can be prepared by the reaction of elements at about 400° These are salt-like, high-melting, white crystalline solids having hydride ions (H) and metal cations (Mn+).
2 Li + H2 → 2LiH

Covalent (Molecular) hydrides:
They are compounds in which hydrogen is attached to another element by sharing of electrons. The most common examples of covalent hydrides of non-metals are methane, ammonia, water and hydrogen chloride. Covalent hydrides are further divided into three categories, viz., electron precise (CH4, C2H6, SiH4, GeH4), electron-deficient(B2H6) and electron-rich hydrides (NH3, H2O). Since most of the covalent hydrides consist of discrete, small molecules that have relatively weak intermolecular forces, they are generally gases or volatile liquids.

Metallic (Interstitial) hydrides:
Metallic hydrides are usually obtained by hydrogenation of metals and alloys in which hydrogen occupies the interstitial sites (voids). Hence, they are called interstitial hydrides; the hydrides show properties similar to parent metals and hence they are also known as metallic hydrides.

Most of the hydrides are non-stoichiometric with variable composition (TiH1.5 – 1.8 and PdH0.6 – 0.8), some are relatively light, inexpensive and thermally unstable which make them useful for hydrogen storage applications. Electropositive metals and some other metals form hydrides with the stoichiometry MH or sometimes MH2 (M = Ti, Zr, Hf, V, Zn).

Question 8.
Write notes on intermolecular hydrogen bonding.
Answer:
Intermolecular hydrogen bonds occur between two separate molecules. They can occur between any numbers of like or unlike molecules as long as hydrogen donors and acceptors are present in positions which enable the hydrogen bonding interactions. For example, intermolecular hydrogen bonds can occur between ammonia molecule themselves or between water molecules themselves or between ammonia and water.

Water molecules form strong hydrogen bonds with one another. For example, each water molecule is linked to four others through hydrogen bonds. The shorter distances (100 pm) correspond to covalent bonds (solid lines), and the longer distances (180 pm) correspond to hydrogen bonds (dotted lines).

In ice, each atom is surrounded tetrahedrally by four water molecules through hydrogen bonds. That is, the presence of two hydrogen atoms and two lone pairs of electron on oxygen atoms in each water molecule allows formation of a three-dimensional structure. This arrangement creates an open structure, which accounts for the lower density of ice compared with water at 0°C. While in liquid water, unlike ice where hydrogen bonding occurs over a long-range, the strong hydrogen bonding prevails only in a short range and therefore the denser packing.

Samacheer Kalvi 11th Chemistry Guide Chapter 4 Hydrogen

Question 9.
What is hydrogen bonding? Discuss its properties and applications.
Answer:
Hydrogen bonding is one of the most important natural phenomena occurring in chemical and biological sciences. These interactions play a major role in the structure of proteins and DNA. When a hydrogen atom (H) is covalently bonded to a highly electronegative atom such as fluorine (F) or oxygen (O) or nitrogen (N), the bond is polarized.

Due to this effect, the polarized hydrogen atom is able to form a weak electrostatic interaction with another electronegative atom present in the vicinity. This interaction is called as a hydrogen bond (20 – 50 kJ mol-1) and is denoted by dotted lines (………).

It is weaker than covalent bond (> 100 kJ mol-1) but stronger than the vander Waals interaction (< 20 kJ mol-1). Hydrogen bond has profound effect on various physical properties including vapour pressure (H2O and H2S), boiling point, miscibility of liquids (H2O and C2H5OH), surface
tension, densities, viscosity, heat of vaporization and fusion, etc. Hydrogen bonds can occur within a molecule (intramolecular hydrogen bonding) and between two molecules of the same type or different type (intermolecular hydrogen bonding).

Hydrogen bond occurs not only in simple molecules but also in complex biomolecules such as proteins, and they are crucial for biological processes. For example, hydrogen bonds play an important role in the structure of deoxyribonucleic acid (DNA), since they hold together the two helical nucleic acid chains (strands).

Samacheer Kalvi 11th Bio Botany Guide Chapter 9 Tissue and Tissue System

Tamilnadu State Board New Syllabus Samacheer Kalvi 11th Bio Botany Guide Pdf Chapter 9 Tissue and Tissue System Text Book Back Questions and Answers, Notes.

Tamilnadu Samacheer Kalvi 11th Bio Botany Solutions Chapter 9 Tissue and Tissue System

11th Bio Botany Guide Tissue and Tissue System Text Book Back Questions and Answers

Part-I.

Question 1.
Refer to the given figure and select the correct statement.
Samacheer Kalvi 11th Bio Botany Guide Chapter 9 Tissue and Tissue System 1.
i) A, B, and C are histogen of shoot apex,
ii) A Gives rise to medullary rays.
iii) B Gives rise to cortex.
iv) C Gives rise to epidermis
a) I and ii only
b) ii and iii only
c) i and iii only
d) iii and iv only
Answer:
c) i and iii only

Question 2.
Read the following sentences and identify the correctly matched sentences.
i) In exarch condition, the protoxylem lies outside of the metaxylem.
ii) In endarch condition, the protoxylem lies towards the centre.
iii) In centrarach condition, metaxylem lies in the middle of the protoxylem
iv) In mesarch condition, protoxylem lies in the middle of the metaxylem
a) i, ii, and iii only
b) ii, iii, and iv only
c) i, ii, and iv only
d) All of these
Answer:
c) i, ii and iv only

Samacheer Kalvi 11th Bio Botany Guide Chapter 9 Tissue and Tissue System

Question 3.
In Gymnosperms, the activity of sieve tubes are controlled by.
a) Nearby sieve tube members
b) Pholem parenchyma cells
c) Nucleus of companion cell
d) Nucleus ofalbuminous cells
Answer:
d) Nucleus of albuminous cells

Question 4.
When a leaf trace extends from a vascular bundle in a dicot stem, what would be the arrangement of vascular in the veins of the leaf?
a) Xylem would be on top and the pholem on the bottom
b) Pholem would be on the top and the xylem on the bottom
c) Xylem would encircle the pholem
d) Pholem would encircle the xylem
Answer:
a) Xylem would be on top and the pholem on the bottom

Samacheer Kalvi 11th Bio Botany Guide Chapter 9 Tissue and Tissue System

Question 5.
Grafting is successful in dicots but not in monocots because the dicots have
a) Vascular bundles arranged ina ring
b) Cambium for secondary growth
c) Vessels with elements arranged end to end
d) Cork cambium
Answer:
b) Cambium for secondary growth

Question 6.
Why the cells of sclerenchyma and tracheids become dead?
Answer:
The cells of sclerenchyma and tracheids become dead because they lack protoplasm.

Samacheer Kalvi 11th Bio Botany Guide Chapter 9 Tissue and Tissue System

Question 7.
Explain sclereids with their types
Answer:
1. Sclereids – dead cells Isodiametric – but some elongated.
2. Cell wall is very thick due to lignification
3. Lumen – much reduced
4. Pits – may be simple or branched.
Samacheer Kalvi 11th Bio Botany Guide Chapter 9 Tissue and Tissue System 2
Samacheer Kalvi 11th Bio Botany Guide Chapter 9 Tissue and Tissue System 3
Question 8.
What are sieve tubes? Explain.
Answer:
Sieve tubes are long tube-like conducting elements in the phloem. These are formed from a series of cells called sieve tube elements. The sieve tube elements are arranged one above the other and form vertical sieve tube. The end wall contains a number of pores and it looks like a sieve. So it is called as sieve plate. The sieve elements show nacreous thickenings on their lateral walls. They may possess simple or compound sieve plates.

The function of sieve tubes are believed to be controlled by campanion cells In mature sieve tube, Nucleus is absent. It contains a lining layer of cytoplasm. A special protein (P. Protein = Phloem Protein) called slime body is seen in it. In mature sieve tubes, the pores in the sieve plate are blocked by a substance called callose (callose plug). The conduction of food material takes lace through cytoplasmic strands. Sieve tubes occur only in Angiosperms.

Samacheer Kalvi 11th Bio Botany Guide Chapter 9 Tissue and Tissue System 4

Question 9.
Distinguish the anatomy of dicot root from monocot root
Answer:

Characters

Dicot root

Monocot root

1. PericycleGives rise to lateral roots, phellogen and a part of vascular cambiumGives rise to lateral roots only.
2. Vascular tissueUsually limited number of xylem and phloem strips.Usually more number of xylem and phloem strips,
3. Conjunctive tissueParenchymatous; Its cells are differentiated into vascular cambium.Mostly sclerenchymatous but sometimes parenchymatous. It is never differentiated in to vascular cambium.
4. CambiumIt appears as a secondary meristem at the time of secondary growth.It is altogether absent.
5. XylemUsually tetrachUsually poly arch
6. PithAbsentPresent at the centre

Question 10.
Distinguish the anatomy of dicot stem from monocot stem
Answer:

Characters

Dicot root

Monocot root

1. HypodermiscollenchymatousSclerenchymatous
2. Ground tissueDifferentiated into cortex, endodermis and pericycle and pithNot differentiated, but it is a continuous mass of parenchyma.
3. StarchSheathPresentAbsent
4. Medullary raysPresentAbsent
5. Vascular bundlesa) Collateral and opena) Collateral and closed
b) Arranged in a ringb) Scattered in ground tissue
c) Secondary growth occursc) Secondary growth usually does not occur.

Part-II

11th Bio Botany Guide Tissue and Tissue System Additional Important Questions and Answers

I. Choose the correct answer

Question 1.
Who is the father of plant anatomy?
(a) David Muller
(b) Katherine Esau
(c) Nehemiah Grew
(d) Hofmeister
Answer:
(c) Nehemiah Grew

Question 2.
Father of Anatomy, as well as the scientist, who coined the term Meristem is
a) Hofmeister
b) Mettemius
c) Nehemiah Grew
d) Bloch
Answer:
c. Nehemia Grew

Samacheer Kalvi 11th Bio Botany Guide Chapter 9 Tissue and Tissue System

Question 3.
The book “Anatomy of seed plants” is written by:
(a) Hanstein
(b) Schmidt
(c) Nicholsen
(d) Katherine Esau
Answer:
(d) Katherine Esau

Question 4.
The fibres in which lignin is less and cellulose is more in the cell walls is known as
a) Gelatinous fibres,
b) Septate fibres
c) Libriform fibres
d) Hard fibres
Answer:
a. Gelatinous fibres

Samacheer Kalvi 11th Bio Botany Guide Chapter 9 Tissue and Tissue System

Question 5.
Which of the statement is not correct?
(a) Meristematic cells are self-perpetuating
(b) Meristematic cells are the most actively dividing cells
(c) Meristematic cells have large vacuoles
(d) Meristematic cells have dense cytoplasm with a prominent nucleus
Answer:
(c) Meristematic cells have large vacuoles

Question 6.
In mature sieve tubes, the pores in the sieve plates are blocked by a substance called
a) gum & nesins
b) Callose
c) Callus
d) Pectinose
Answer:
b. Callose

Samacheer Kalvi 11th Bio Botany Guide Chapter 9 Tissue and Tissue System

Question 7.
The tunica is:
(a) the peripheral zone of shoot apex, that forms cortex
(b) the inner zone of shoot apex, that forms stele
(c) the peripheral zone of shoot apex, that forms the epidermis
(d) the inner zone of shoot apex, that forms cortex and stele
Answer:
(c) the peripheral zone of shoot apex, that forms the epidermis

Question 8.
The tissue, that provide mechanical support and elasticity to the growing parts of the plant is
a) Sclerenchyma
b) Sclereids
c) Fibres
d) Collenchyma
Answer:
d. Collenchyma

Samacheer Kalvi 11th Bio Botany Guide Chapter 9 Tissue and Tissue System

Question 9.
The quiescent centre concept was proposed by:
(a) Lindall
(b) Clowes
(c) Holstein
(d) Sanio
Answer:
(b) Clowes

Question 10.
A meristem which divide in all planes is called
a) Lateral meristem
b) Apical meristem
c) Plate meristem
d) Mass meristem
Answer:
d. Mass meristem

Samacheer Kalvi 11th Bio Botany Guide Chapter 9 Tissue and Tissue System

Question 11.
Petioles of banana is composed of:
(a) storage parenchyma
(b) stellate parenchyma
(c) angular collenchyma
(d) prosenchyma
Answer:
(b) stellate parenchyma

Question 12.
The term ‘Hadrome’ for xylem and ‘Leptome’ for phloem were coined by
a) Sachs
b) Nageli
c) Hanstein
d) Haberlandt
Answer:
d. Haberlandt

Samacheer Kalvi 11th Bio Botany Guide Chapter 9 Tissue and Tissue System

Question 13.
The seed coat of groundnut is made up of:
(a) stone cells
(b) osteosclereids
(c) macrosclereids
(d) parenchyma cells
Answer:
(b) osteosclereids

Question 14.
The theory equivalent to Tunicia Corpus theory is
a) Histogen theory
b) Korperkappe theory
c) Apical cell theory
d) Quiescent center concept
Answer:
b. Korper Kappe theory

Samacheer Kalvi 11th Bio Botany Guide Chapter 9 Tissue and Tissue System

Question 15.
The term xylem was introduced by:
(a) Alexander
(b) Nageli
(c) Holstein
(d) Schmidt
Answer:
(b) Nageli

Question 16.
Trichoblasts are
a) Long cells seen in the root epidermis
b) the hair-like appendages seen on stem epidermis
c) the short cells seen in the piliferous layer of roots
d) the cells helping in the dispersal of seeds and fruits
Answer:
c. the short cells seen in the piliferous layer of roots

Samacheer Kalvi 11th Bio Botany Guide Chapter 9 Tissue and Tissue System

Question 17.
In cross-section, the tracheids are:
(a) hexagonal in shape
(b) rectangular in shape
(c) triangular in shape
(d) polygonal in shape
Answer:
(d) polygonal in shape

Question 18.
Stele include
a) Endodermis, pericycle, & Vascular bundle
b) Pericycle, Vascular bundle & pith
c) Cortex, endodermis, & Percycle
d) Xylem, phloem, cambium, & Pith
Answer:
b. Pericycle, Vascular bundle & Pith

Samacheer Kalvi 11th Bio Botany Guide Chapter 9 Tissue and Tissue System

Question 19.
Bulliform cells are present in:
(a) mango
(b) grasses
(c) groundnut
(d) potato
Answer:
(b) grasses

Question 20.
Water stomata occur in
a) Mangrove plants
b) Grass plants
c) Monocotyledon plants
d) Aquatic plants
Answer:
b. Grass Plants

Samacheer Kalvi 11th Bio Botany Guide Chapter 9 Tissue and Tissue System

Question 21.
In Ocimum the trichomes are:
(a) non – glandular
(b) fibrous
(c) glandular
(d) none of these
Answer:
(c) glandular

Question 22.
Sunken stomata is an adaptation seen in
a) Cycas
b) Neem
c) Ficus
d)Nerium
Answer:
d. Nerium

Samacheer Kalvi 11th Bio Botany Guide Chapter 9 Tissue and Tissue System

Question 23.
Casparian strips contain thickenings of:
(a) calcium carbonate and calcium oxalate
(b) carbohydrate, protein and lignin
(c) crystal of calcium oxalate
(d) lignin, suberin and some other carbohydrates
Answer:
(d) lignin, suberin and some other carbohydrates

Question 24.
The extension of pith cells that are involved in radial conduction of food and water is known as
a) Amphivasal vascular rays
b) Radial vascular parenchyma
c) Medullary ray
d) Inter fascicular parenchyma
Answer:
c. Medullary ray

Samacheer Kalvi 11th Bio Botany Guide Chapter 9 Tissue and Tissue System

Question 25.
Secondary phloem is derived from:
(a) apical meristem
(b) vascular cambium
(c) primary phloem
(d) none of the above
Answer:
(b) vascular cambium

Question 26.
Ground tissue includes all tissues except
a) Vascular bundles and pith
b) Epidermis and vascular strands
c) Cortex and vascular strands
d) Pith and conjunctive tissue
Answer:
b. Epidermis and vascular strands

Samacheer Kalvi 11th Bio Botany Guide Chapter 9 Tissue and Tissue System

Question 27.
In beans, the metaxylem vessels are generally:
(a) polygonal in shape
(b) circular in shape
(d) rectangular in shape
(d) triangular in shape
Answer:
(a) polygonal in shape

Question 28.
The thickening of which substance make endodermis impervious to water
a) Hemicellulose, cellulose, and pectin
b) Lignin, suberin, or cutin
c) Cellulose, Pectin, and Lignin
d) Pectin, Hemicellulose, and Suberin
Answer:
b. Lignin, Suberin, or Cutin

II. Match The Following & Find Out The Correct Order:

Question 1.
(I) Protoxylem lacuna – A. Liriodendron
(II) Multiple perforation plates – B. Gnetum
(III) Fibre like sclereids occur in – C. Zeamaysstem
(IV) Vessels occur in – D. Olea europaea
Samacheer Kalvi 11th Bio Botany Guide Chapter 9 Tissue and Tissue System 5
Answer:
a) C-A-D-B

Question 2.
(I) Apical Meristem – A. Cambium
(II) Lateral Meristem – B. Intemode
(III) Intercalary meristem – C. Root Apex
(IV) Secondary meristem – D. Cork cambium
Samacheer Kalvi 11th Bio Botany Guide Chapter 9 Tissue and Tissue System 6
Answer:
d) C-A-B-D

Samacheer Kalvi 11th Bio Botany Guide Chapter 9 Tissue and Tissue System

Question 3.
Name of the cell Occurence
(I) Bulliform cells or Motor cells – A. Rose&Ocimum
(II) Multilayered epidermis – B. Styrax & Hibiscus
(III) Glandular trichomes – C. Nerium & Ficus
(IV) Stellate hairs – D. Chloris & Grass
Samacheer Kalvi 11th Bio Botany Guide Chapter 9 Tissue and Tissue System 7
Answer:
a) D-C-A-B

Question 4.
Nature of vascular bundle Example
(I) Conjoint, Collateral & closed – A. Dicot root
(II) Conjoint, Collateral open Endarch – B. Monocot stem
(III) Radial, Tetrarch & Exarch – C. Dicot leaf & Monocot leaf
(IV) Conjoint, Collateral Close & Endarch- D. Dicot stem
Samacheer Kalvi 11th Bio Botany Guide Chapter 9 Tissue and Tissue System 8
Answer:
b) C-D-A-B

Samacheer Kalvi 11th Bio Botany Guide Chapter 9 Tissue and Tissue System

Question 5.
(i) Surface fibre – A. Jute
(II) Soft fibre – B. Agave
(III) Leaf fibre – C. Coconut
(IV) Septate fibre – D. Cofton
(V) Mesocarp fibre – E. Teak
Samacheer Kalvi 11th Bio Botany Guide Chapter 9 Tissue and Tissue System 9
Answer:
b) D – A – B – E

Question 6.
Lateral roots originate
(i) Endo genously
(ii) From pericycle cells
(iii) Exogenously
(iv) From endodermal cells
a) I & II
b) II & III
c) III & IV
d) I & IV
Answer:
a. I & II

Samacheer Kalvi 11th Bio Botany Guide Chapter 9 Tissue and Tissue System

Question 7.
Monocot stem has
(I) Medulla or pith
(II) Atactostele
(III) Cambium – present
(IV) Scattered & skull-shaped bundles occur
a) I & II
b) II & III
c) II & IV
d) I & III
Answer:
c. II & IV

Question 8.
Which of the following statements are correct with reference to monocot stem
(I) Starch sheath is absent
(II) Pith is absent
(III) Pericycle absent
(IV) Phloem parenchyma is present
a) I, II, III
b) I and IV
c) II and IV
d) III & IV
Answer:
a. I, II,& III

III. State True Or False & On That Basis Choose The Right Answer

Question 1.
I) Lateral meristem – It occurs between the mature tissues, responsible for elongation of intemodes.
II) Inter calary meristem – It occurs along the longitudinal axis of stem and root, responisble for secondary growth
III) Protoderm – It gives rise to epiderminal tissue system, (i.e) epidermis, stomata & hairs
IV) Ground meristem – It gives rise to all tissues except Vascular strands and epidermis
Samacheer Kalvi 11th Bio Botany Guide Chapter 9 Tissue and Tissue System 10
Answer:
b) False – False – True – True

Samacheer Kalvi 11th Bio Botany Guide Chapter 9 Tissue and Tissue System

Question 2.
I) Phloem fibres and phloem parenchyma, are absence in primary phloem of monocot stem.
II) Phloem fibres are also known as Libriform fibres.
Ill Sieve cells are main food conducting elements of Angiosperms
IV) Phloem fibres are absent in primary phloem of Dicot stem
Samacheer Kalvi 11th Bio Botany Guide Chapter 9 Tissue and Tissue System 11
Answer:
a) True – False – False – True

Question 3.
I) The bundle cap of Dicto stem is known as Hard bast.
II) The bundle cap of Dicot stem is parenchymatous
III) The bundle sheath of Dicot leaf is sclerenchymatous walls of Endodermis in Endodermis is known as the outermost layer of stele.
IV) In Angiosperms pericycle gives rise to lateral roots
Samacheer Kalvi 11th Bio Botany Guide Chapter 9 Tissue and Tissue System 12
Answer:
b) False – True – False – True

Samacheer Kalvi 11th Bio Botany Guide Chapter 9 Tissue and Tissue System

Question 4.
I) Prickles are one type of epidermal emergences with vascular supply
II) Albuniinous cells! straburger cells – in conifers are analogous to companian cells of Angiosperm but
III) Piliferous layer, Epiblema are other names of Endodermis.
IV) Hypodermis of Dicot stem is living, whereas the Hypodermis of Moncot stem is dead.
Samacheer Kalvi 11th Bio Botany Guide Chapter 9 Tissue and Tissue System 12
Answer:
d) False – True – False – True

Question 5.
I) The inner most layer of cortex is known as pericycle
II) Suberin, lignin, and some other carbohydrates are present as strips in the radial and inner tangentious walls of the endodermis
III) Endodermis is known as the outer most layer of stele.
IV) InAngiosperms pericycle gives rise to lateral roots
Samacheer Kalvi 11th Bio Botany Guide Chapter 9 Tissue and Tissue System 13
Answer:
b) False – True – False – True

IV. With Reference To The Given Diagram, Identify The Incorrect Option Given Below:

Question 1.
a) Living cells with cell wall made up of more of hemicellulose and pectin besides cellulose
b) The type of tissue is of common occurrence in the hypodermis of Helianthus stem
c) Here cells are compactly arranged with thickening on the intercellular spaces
d) Here cells compactly arranged with thickening appear as successive tangential layers
Samacheer Kalvi 11th Bio Botany Guide Chapter 9 Tissue and Tissue System 14
Answer:
c) Here cells are compactly arranged with thickening on the intercellular spaces.

Samacheer Kalvi 11th Bio Botany Guide Chapter 9 Tissue and Tissue System

Question 2.
With reference to the given diagram/ figure of section of the plant organ, identify the in correct.
a) There is no epidermal growth, and hypodermis is sclerenchymatous
b) Cortex is absent but ground tissue is present
c) Endodermis, pericycle and pith are absent
d) Vascular bundles are scattered, skull shaped conjoint, collateral open and endarch
Samacheer Kalvi 11th Bio Botany Guide Chapter 9 Tissue and Tissue System 15
Answer:
d) Vascular bundles are scattered skull-shaped conjoint, collateral open and endarch

Question 3.
With reference to the given figure of the section of the plant part, identify the incorrect option given.
a) The vascular bundles are radial, tetrarch and endarch
b) The vascular bundles are radial tetrarch, and exarch
c) This is the cross-section of the primary structure root of Beam
d) Here xylem and phloem are arranged alternate to one another
Samacheer Kalvi 11th Bio Botany Guide Chapter 9 Tissue and Tissue System 16
Answer:
a) The vascular bundles are radial, tetrarch and endarchces.

Question 4.
With reference to the figure choose the right option.
Samacheer Kalvi 11th Bio Botany Guide Chapter 9 Tissue and Tissue System 17

A

BC

D

aLateral meristemLeafPrimordiaIntercalary meristemApical meristem
bApical meristemLateral meristemIntercalary meristemLeaf primordia
cApical meristemIntercalary meristemLateral meristemLeaf primordia
dIntercalary meristemLateral meristemLeaf primordiaApical meristem

V. Out of the given four options, find out the three relevant statements with reference to Quiescent centre.

Question 1.
a) It is the peripheral zone of shoot apex
b) This is the appearance in the active region of cells in root promeristem
c) It is located between calyptrate and other differentiating cells
d) It is the site of hormone synthesis.
i) a, b & C
ii) b, c & d
iii) a, c & d
iv) a, b & d
Answer:
ii) b, c & d

Question 2.
Out of the given four, find out the three relevant statements with reference to sclereids
a) These are dead cells, isodiametric, but some elongated to
b) The cell wall is very thick due to lignification
c) These are living, lignified cells with elongated tapering ends
d) These are only mechanical in function.
i) a,b& c
ii) a,c& d
iii) a,b,& d
iv) b,c, & d
Answer:
iii) a,b, & d

Samacheer Kalvi 11th Bio Botany Guide Chapter 9 Tissue and Tissue System

Question 3.
Generally, Ground tissue include
a) Cortex
b) Pericycle
c) Pith
d) Vascular bundle
i) a,b& d
ii) b,c,& d
iii) a,c,& d
iv) a,b,& c
Answer:
iv) a,b& c

VI. Find out the incorrect statement.

Question 1.
a) A stoma is surrounded by pa ir of guard cells
b) Each stoma opens into an air chamber
c) Guard cells contain no chloroplasts
d) The cuticle helps to check transpiration
Answer:
c. Guard cells contain no chloroplasts

Question 2.
a) Sieve cells occur in gymnosperms
b) Sieve tubes occur in Angiosperms
c) Sieve cells are absent in Angiosperms
d) Vessels are absent in Gnetum
Answer:
d. Vessels are absent in Gneturn

Samacheer Kalvi 11th Bio Botany Guide Chapter 9 Tissue and Tissue System

Question 3.
Read the following statements having two blank A and B
Collenchyma cell walls contain and find the correct option for A and B

Blank ABlank B
a) Pectin1. Lignin
b) cellulose2. Aminosugar
e) Lignin3. Cellulose
d) Pectin4. Hemicellulose

Answer:
d. Pectin Hemicellulose

Question 4.
Read the following statements having two blank A and B Collenchyma cell walls contain A and B find the correct option for A and B
Samacheer Kalvi 11th Bio Botany Guide Chapter 9 Tissue and Tissue System 18
Answer:
C. C → E → A → D → B

VII. From the given choose the correct answer – Regarding Assertion & Reason

Question 1.
ASSERTION: – A The endodermis of root is homologous to starch sheath of dicot stem.
REASON -R The cells of endodermis are rich in starch grain and so-referred as starch sheath.
a. A & R correct and R is explaining A
b. A&R correct but R is not explaining A
c. A-correct but R is false
d. A – correct and R is not explaining ‘A’
Answer:
a. A&R correct and R is explaining A

Question 2.
ASSERTION: – A In Gymnosperm – plants show well developed vessels & fibres
REASON -R Companian cells are absent in Gymnosperm plants.
a. BothA&Rture, ‘R’is giving correct explanation of‘A’
b. Both A&R- true, but ‘ R’ is not correct explanation of ‘ A’
c. Both A & R are false
d. ‘A’ is false and ‘R’ is true.
Answer:
d. ‘A’ is false and ‘R’ is true.

Samacheer Kalvi 11th Bio Botany Guide Chapter 9 Tissue and Tissue System

Question 3.
ASSERTION:-A In grasses the bundle sheath is called kranz sheath
REASON -R It is involved in photsynthesis
a. ‘A’ and ‘R’ are right
b. A and R are wrong
c. R does not explain A
d. A is right and ‘R’ is wrong
Answer:
a. ‘A’ and ‘R’ are right

VIII. 2 Marks Questions

Question 1.
What is the Use of the study of Anatomy?
Answer:

  • The organisation of cells and different kinds of tissues is understood.
  • It is studied by means of dissection and microscopic examination.
  • The organisation of cells and different kinds of tissues is understood by the study of anatomy
  • The anatomical structure of different organs of plants can be compared
  • The anatomical knowledge play an important role in taxonomical studies too.

Question 2.
What are the different types of plant tissue?
Answer:
The two types of principal groups are:

  1. Meristematic tissues
  2. Permanent tissues.

Question 3.
The pulp of pear is stony & gritty, whereas the seed coat of Pisum sativum seed coat is bony & shiny give reasons.
Answer:
The pulp of pear has Brachysclereids that make it stony and gritty, whereas the seed Coat of Peas seed coat is bony and shiny due to the presence of Osteosclereids

Samacheer Kalvi 11th Bio Botany Guide Chapter 9 Tissue and Tissue System

Question 4.
Mention the function of the apical meristem.
Answer:
Present in apices of root and shoot. It is responsible for the increase in the length of the plant, it is called primary growth.

Question 5.
Differentiate between Centrach and Mesearch xylem
Answer:

Centrach

Mesarch

Protoxylem lies in the centre, surrounded by metaxylemProtoxylem lies in the centre, surrounded by metaxylem
Only one Vascular stand is developed
Eg – Selaginella sp
Here unlike cent reach many vascular bundles are developed
Eg – Ophioglossum sp.

Question 6.
Differentiate between Trichoblast and Trichomes
Answer:

TrichoblastTrichomes
The root epidermis is made up of single layer of parenchyma, with big and small cells – The root hair are the extension of small cells known as trichoblast.The epidermal layers of stems and leaves have unicellular or multicellular appendages that originate from the epidermal cells, known as trichomes, can be branched or unbranched, glandular or non glandular, helpful m dispersal of fruits & seeds. They are also protective infunction.

Question 7.
Differentiate between Exarch and Endarch condition.
Answer:

Exarch

Endarch

Protoxylem lies towards the periphery and metaxylem towards the centre is called Exarch condition.
Eg. – Root Anatomy
Protoxylem lies towards the centre and metaxylem, towards the periphery is known as Endarch condition.
Eg. Stem Anatomy

Question 8.
Explain briefly Branchysciereids or Stone cells.
Answer:
Isodiametric sclereids, with hard cell wall. It is found in bark, pith cortex, hard endosperm and fleshy portion of some fruits. eg: Pulp of Pyrus.

Question 9.
What is Protoxylent lacuna?
Answer:

  • In Monoeoi stem, Xylem vessels occur in the form of letter ‘ Y’. The upper two arms of has two metaxylem vessels and at the base on or two protoxylem vessels occur.
  • At maturity, the lowes, basal protoxylem disintegrates and form a cavity known as Protoxylem lacuna.

Question 10.
Distinguish between Eustele and Atactostele
Answer:

Eustele

Atactostele

Vascular bundles are arranged in the form of a ring around the pith is known as Eustele
Eg. Dicot Stem (Sun flower)
Vascular bundles are simply scattered in the ground tissue. This condition is known as Atactostele
Eg. Monocot Stem (Maize)

Question 11.
What are bast fibres?
Answer:
These fibres are present in the phloem. Natural Bast fibres are strong and cellulosic. Fibres obtaining from the phloem or outer bark of jute, kenaf, flax and hemp plants. The so-called pericyclic fibres are actually phloem fibres.

Samacheer Kalvi 11th Bio Botany Guide Chapter 9 Tissue and Tissue System

Question 12.
What is the significance of Quiescent centre?
Answer:

  • The apparently inactive centre in the root anatomy, located between root cap and differentiating cells of the root.
  • It is the site of hormone synthesis and also the ultimate source of all meristematic cells of the meristem.

Question 13.
Differentiate between Meristematic Tissue and Permanent tissue.
Answer:

Meristematic tissue

Permanent tissue

Cells divide repeatedlyDonot divide but develop from meristematic tissue.
Cells are undifferentiated Cells are differentiated
Produce other tissuesPerform specific functions.

Question 14.
Differentiate between xylary fibres and Extra xylary fibres (Phloem fibres)
Answer:

Xylary fibres

Bast fibres

Associated with sec xylem tissuePresent in phloem
Derived from the vascular cambiumDerived from phloem or outer bark
Many types
Eg. Teak
Eg. Jute, Kenaf, Flax & hemp plant fibres

Question 15.
Explain bulliform cells in grasses.
Answer:
Some cells of the upper epidermis (eg: Grasses) are larger and thin-walled. They are called bulliform cells or motor cells. These cells are helpful for the rolling and unrolling of the leaf according to the weather change.

Question 16.
What is meant by Sunken Stomata?
Answer:
In some Xerophytic plants (eg: Cycas, Nerium), stomata are sunken beneath the abaxial leaf surface within stomatal crypts. The sunken stomata reduce water loss by transpiration.

Samacheer Kalvi 11th Bio Botany Guide Chapter 9 Tissue and Tissue System

Question 17.
Distinguish, Protoxylem and Metaxylem from Protophloem and Metaphloem
Answer:

Proto & Metaxylem

Proto & Metaphloem

From the primary Xylem derived from procambium, the first formed elements are known as protoxylem and the later formed are known as metaxylem.From the primary phloem derived from procambium, the first formed elements are known as proto phloem are known as meta phloem.

Question 18.
Distinguish the Bundle sheath of stem and leaf
Answer:

Bundle sheath of stem

Bundle sheath of leaf

1. Bundle sheath is the surrounding tissue of the vascular bundle1. The sheath surrounding the dicot leaf and monocot leaf is known as bundle sheath
2. In monocot stem it is sclerenchymatous2. It is parenchymatous both in Dicot and Monocot leaf
3. It is protective in function.3.It is also known as border parenchyma, protective in function.

Question 19.
Distinguish Guard Cells and Subsidiary Cells
Answer:

Guard Cells

Subsidiary Cells

1. The two kidney-shaped cells in dicot leat and the two dumbbell-shaped cells in monocot leaf, which flank the stoma are called Guard Cells1. These are specialised epidermal cells, distinct from other cells of the epidermis
2. Chloroplasts are present in the cells2. Chloroplasts are absent in the cells
3.Help in opening and closing of stoma3.She subsidiary ceils assist guard cells in the opening and closing of stoma

Question 20.
Differential between Radial and Collateral Vascular bundle.
Answer:

Radial

Collateral

1. Here, the xylem and phloem are arranged at different radius, (i.e) alternating with one another.
Eg. Root Anatomy
1. this condition, the phloem and xylem lie in the same radius, one below another.
2. Here phloem is above and xylem lies below, this condition is known as conjoint, collateral Eg. Stem Anatomy

Question 21.
Describe briefly radial types of vascular Bundles.
Answer:
Xylem and phloem are present on different radii alternating with each other. The bundles are separated by parenchymatous tissue. (Monocot and Dicot roots).

Samacheer Kalvi 11th Bio Botany Guide Chapter 9 Tissue and Tissue System

Question 22.
What are Halophiles?
Answer:

  • Plants adapted to grow in salty environmental conditions are known as Halophytes
  • The secretion of ions by the salt glands, present in the leaves is the best mechanism to regulate the salt content of plant shoots.
  • Eg. Mangrove Plants-Avicennia

Question 23.
Write down the function of Sclerenchyma.
Answer:

  • Main function is to provide mechanical strength.
  • Grittiness in the pulp of fruits like Guava, the presence of Pear, Pyrus etc is due to the presence of Sclerenchyma tissue.
  • Provide rough and stiffness to seed coats nuts etc.
  • Give various types of commercially useful fibres. Eg. Jute, hemp, cotton.

Question 24.
What are the special aspects of the trichomes on the leaves of insectivorous plants?
Answer:
The trichomes on the leaves of the insectivorous plants secrete mucopolysaccharides that help to trap bisects in the insectivorous plants living in marshy plants.

Samacheer Kalvi 11th Bio Botany Guide Chapter 9 Tissue and Tissue System

Question 25.
Define, hydathode?
Answer:
A hydathode is a type of epidermal pore, commonly found in higher plants. Structurally, hydathodes are modified stomata, usually located at leaf tips or margins, especially at the teeth. Hydathodes occur in the leaves of submerged aquatic plants such as ranunculus fluitans as well as in many herbaceous land plants.

Question 26.
Notes on multilayered epidermis multiseriate epidermis.
Answer:

  • In some leaves the upper and lower epidermis remain multilayered.
  • The outer most layer has cuticle.
  • In Nerium these multilayers and the culicle help to reduce the rate of transpiration.
  • In Ficus the upper epidermal layer contain cystoliths made up of calcium carbonate crystals.
  • These are plants that grow in dry climatic conditions and these are the Anatomical adaptations seen in xerophytic plants.

Question 27.
Notes on Medulla or Pith.
Answer:

  • In the Dicot stem, Dicot root and Monocot root the central part is made up of ground tissue known as pith.
  • Usually, starch, fatty substances, tannin, phenol, calcium oxalate crystals are stored in the pith.
  • Function: storage

Question 28.
State Tunica corpus theory.
Answer:

  • The theory was proposed by A. Schmidt (1924)
  • There are two zones of tissues are found in apical meristem.
  • Tunica-It is the peripheral zone of shoot apex that forms epidermis.
  • Corpus – It is the inner zone of shoot apex that forms cortex and stele of the shoot.

Samacheer Kalvi 11th Bio Botany Guide Chapter 9 Tissue and Tissue System

Question 29.
State Koroperkappe theory.
Answer:

  • The Korper Kappe theory was proposed by schuepp.
  • This theory is equivalent to Tunica corpus theory of shoot apex.
  • The two divisions are distinguished by the type of T division.
  • Korper is characterised by inverted T divisions
  • Kappe is characterised by straight T divisions.

Question 30.
Name the 4 types of xylary fibres.
Answer:

  • Xylary fibres are associated with the secondary xylem tissue.
  • These fibres are derived from the vascular cambium.

There are 4 types of xylary fibres.

  • Libriform fibres – Long, narrow fibres with simple pits and lignified secondary walls
  • Fibre tracheids – Shorter with moderate thickening pits-simple or bordered
  • Septate fibres – Fibres have thin septa separating the lumen in to distinct chambers. Eg. Teak.
  • Gelatinous fibres – Fibres with less lignin and more cellulose in the cell wall.

Question 31.
Distinguish single perforation plate from multiple perforation plate.
Answer:
Xylem vessels are perforated at the end walls.
If the entire cell wall is dissolved – and, give rise one pore then it is known as single perforation plate. Eg. Mangifera.
If the perforation plate has many pores it is called Multiple perforation plate. Eg. Liriodendron.

Samacheer Kalvi 11th Bio Botany Guide Chapter 9 Tissue and Tissue System

Question 32.
State Apical cell theory.
Answer:

  • Proposed by Nagel
  • Single apical cell-composes the Root meristem
  • The apical initial is tetrahedral in shape and produces the root cap from one side.
  • The remaining 3 sides produces epidermis cortex and vascular tissue.
  • Fg. Vascular cryptogams.

IX. Identify the diagram & Label the parts.

Question 1.
Samacheer Kalvi 11th Bio Botany Guide Chapter 9 Tissue and Tissue System 19
Answer:
The given diagram is shoot apical meristem
A – Apical cell
B – Leaf Primordium

Question 2.
Samacheer Kalvi 11th Bio Botany Guide Chapter 9 Tissue and Tissue System 20
Answer :
Brachysciereid
A – Lumen Cell B – Thick cell wall

Question 3.
Name the tissue found ¡n these fruits Name the fruits a, b, c
Samacheer Kalvi 11th Bio Botany Guide Chapter 9 Tissue and Tissue System 21
Answer :
Sclerenchyma is the tissue found in these fruits
A – Pear fruit
B – Strawberry
C – Guava

Question 4.
Samacheer Kalvi 11th Bio Botany Guide Chapter 9 Tissue and Tissue System 22
Answer :
Asteroscie Reid
A – Thick cell wall
B – Lumen

X. 3 Mark Questions

Question 1.
Give an account of Prosenchyma and Chiorenchyma
Answer:
These are the two types of Parenchyma tissue
Prosenchyma:
Here the parenchyma cells become elongated, pointed and slightly thick-walled it provide mechanical support
Samacheer Kalvi 11th Bio Botany Guide Chapter 9 Tissue and Tissue System 23
Chiorenchyma:
Parenchyma cells with chiorephyll is known as chiorenchyma.
Eg. Mesophyll of leaves. it can be divided in Palisade tissue and spongy tissue in dicot leaf.
Samacheer Kalvi 11th Bio Botany Guide Chapter 9 Tissue and Tissue System 24

Question 2.
Distinguish libre and sclereids?
Answer:

Fibre

Sclereids

1. Long CellsShort Cells
2. Narrow, Elongated pointed endsUsually short and broad
3. Occurs in bundlesOccurs individually or in small groups
4. Commonly unbranchedMaybe branched
5. Derived directly from meristematic tissueDevelops from secondary sclerosis parenchyma cells

Question 3.
What is meant by the quiescent centre concept?
Answer:
Quiescent centre concept was proposed by Clowes (1961) to explain root apical meristem activity. This centre is located between the root cap and differentiating cells of the roots. The apparently inactive region of cells in root promeristem is called quiescent centre. It is the site of hormone synthesis and also the ultimate source of all meristematic cells of the meristem.

Samacheer Kalvi 11th Bio Botany Guide Chapter 9 Tissue and Tissue System

Question 4.
Difference Between Meristernatic Tissue and Permanent Tissue.
Answer:

Meristematic tissue

Permanent tissue

1. Cells divide repeatedly1. Do not divide
2. Cells are undifferentiated2. Cells are fully differentiated
3. Cells are small and Isodiametric3. Ceils are variable in shape and size
4. Intercellular spaces are absent4. Intercellular spaces are present
5. Vacuoles are absent5. Vacuoles are present
6.Cell walls are thin6.Cell walls are may be thick or thin
7. Inorganic inclusions are absent7. Inorganic inclusions are present

Question 5.
Draw and label three types of collenchyma
Answer:
Samacheer Kalvi 11th Bio Botany Guide Chapter 9 Tissue and Tissue System 25

Question 6.
Differentiate between Dicot leaf and Monocot leaf.
Answer:

Dicot Leaf

Monocot Leaf

1. Dorsiventral leaf1. Isobilateral leaf
2. The mesophyll is differentiated into palisade and spongy parenchyma2. Palisade parenchyma is present on both sides of the leaf and spongy parenchyma lies in the centre
3. Eg. Sunflower3. Eg. Grass

Question 7.
Define tracheids & Draw the different types of cell wall thickening seen in tracheids & vessels
Answer:
Tracheids are dead, lignified and elongated cells with tapering ends. Its lumen is broader than that of fibres. In cross section, the tracheids are polygonal.
Samacheer Kalvi 11th Bio Botany Guide Chapter 9 Tissue and Tissue System 26

Question 8.
Draw the structure of stomata & label the parts.
Samacheer Kalvi 11th Bio Botany Guide Chapter 9 Tissue and Tissue System 27

Question 9.
Give a brief answer on subsidiary cells in plant leaves.
Answer:
Stomata are minute pores surrounded by two guard cells. The stomata occur mainly in the epidermis of leaves. In some plants addition to guard cells, specialised epidermal cells are present which are distinct from other epidermal cells. They are called Subsidiary cells. Based on the number and arrangement of subsidiary cells around the guard cells, the various types of stomata are recognized, The guard cells and subsidiary cells help in the opening and closing of stomata during gaseous exchange and transpiration.

Samacheer Kalvi 11th Bio Botany Guide Chapter 9 Tissue and Tissue System

Question 10.
Distinguish between Bulliform or motor cells, and silica cells
Answer:

Bulliform or motor cells

Silica cells

1. Some cells of upper epidermis in Grasses are larger and thin-walled, are known as bulliform or motor cells1. Some of the epidermal cells of grass are filled with silica. They are called silica cells.
2. These cells are helpful for the rolling and unrolling of the leaf- according to the weather change in order to check transpiration2. They provide mechanical stability and protection to the tissues

Question 11.
Explain the piliferous layer as epiblema.
Answer:
The outermost layer of the root is known as piliferous layer. It consists of single row of thin-walled parenchymatous cells without any intercellular space. Epidermal pores and cuticle are absent in the piliferous layer. Root hairs that are found in the piliferous layer are always unicellular. They absorb waer and mineral salt from the soil. Root hairs are generally short-lived. The main function of piliferous layer is protection of the inner tissues.

Question 12.
Differentiate between sieve tubes and vessels
Answer:

Sieve tube

Vessels

1. It is a component of phloem1. It is a component of xylem
2. It is a syncyte (i.e) cell which is formed by fusion of cells is called syncyte2. It is also a syncyte
3. Nucleus is absent but contain a lining layer of cytoplasm so known as living syncyte3. Nucleus is absent but contain a lining layer of cytoplasm so known as living syncyte

Question 13.
Differentiate between Amphicribral (Halocentric) and Amphivasal (Leptocentric) vascular bundle.
Answer:
The above two come under concentric type of vascular bundle. Here xylem and phloem are present in concentric circles one around the other, in some stems.

Amphicribral – (Halocentric)
Here xylem lies in the centre and phloem surrounding it.
Eg. Ferns – (Polypodium) dicots – aquatic Amphivasal – (Leptocentric)
Here phloem lies in the centre and xylem surrounding it.
Eg. Dragon plant – Dracena & Yucca
Samacheer Kalvi 11th Bio Botany Guide Chapter 9 Tissue and Tissue System 28

Question 14.
Bring out the different between vascular bundles of Dicot and Monocot roots.
Answer:

Dicot roots

Monocot root

1. Vascular tissueUsually limited number of xylem and phloem stripsUsually more number of xylem and phloem strips.
2. Conjunctive tissueParenchymatous; Its cells are differentiated into vascular cambiumMostly sclerenchymatous but sometimes parenchymatous. It is never differentiated in to vascular cambium
3. CambiumIt appears as a secondary meristem at the time of secondary growthIt is altogether absent
4. XylemUsually tetrarchUsually poly arch

Question 15.
What is meant by kranz Anatomy? What is its importance.
Answer:

  • In C4 plants like maize, the tissue outside the vein, (vascular bundle), the bundle sheath is with large chloro- plasts where as its spongy tissue have few if any chloroplast.
  • This anatomical uniqueness is known as Kranz anatomy. The border parenchyma has chloro plasts with out grana.
    This kranz sheath help in efficient CO2, fixation in C4 plants than C3 plants.

Samacheer Kalvi 11th Bio Botany Guide Chapter 9 Tissue and Tissue System

Question 16.
Explain the nature of phloem in dicot stem.
Answer:
Primary phloem lies towards the periphery. It consists of protpphloem and metaphloem. Phloem consists of sieve tubes, companion cells and phloem parenchyma. Phloem fibres are absent in primary phloem. Phloem conduct organic foods material from the leaves to other parts of the plant body.

XI. 5 Marks Questions

Question 1.
A section enlarged – T.S. of Dicot leaf (Helianthus)
Answer:
Samacheer Kalvi 11th Bio Botany Guide Chapter 9 Tissue and Tissue System 29

Question 2.
Explain in detail about the vascular bundles of monocot stem.
Answer:
1. Vascular bundles: Vascular bundles are scattered (atactostele) in the parenchyma ground tissue. Each vascular bundle is surrounded by a sheath of sclerenchymatous fibres called bundle sheath. The vascular bundles are conjoint, collateral, endarch and closed. Vascular bundles are numerous, small and closely arranged in the peripheral portion. Towards the centre, the bundles are comparatively large in size and loosely arranged. Vascular bundles are skull or oval-shaped.

2. Phloem: The phloem in the monocot stem consists of sieve tubes and companion cells. Phloem parenchyma and phloem fibres are absent. It can be distinguished into an outer crushed protophloem and an inner metaphloem.

3. Xylem: Xylem vessels are arranged in the form of ‘Y’ the two metaxylem vessels at the base. In a mature bundle, the lowest protowylem disintegrates and forms a cavity known as protoxylem lacuna.

Question 3.
Korper Kappe theory:
Answer:

  • Schuepp (1917)- proposed it
  • According to it, Root system has 2 zones – Korper and Kappe
  • Korper – zone forms body and Kappe forms the cap
  • This theory is comparable to Tunica – corpus theory of shoot apex.

Question 4.
Compare and contrast simple and complex tissues by tabulation.
Answer:
Samacheer Kalvi 11th Bio Botany Guide Chapter 9 Tissue and Tissue System 30
Samacheer Kalvi 11th Bio Botany Guide Chapter 9 Tissue and Tissue System 31

Question 5.
Draw the different types of phloem elements and add a note on sieve tubes.
Answer:

  • Sieve tubes are long tubes formed by a series of cells known as sieve tube elements.
  • Arranged one above another to form vertical sieve tube.
  • No. of pores occur on end walls – known as sieve plate.
  • Sieve plates may be simple or compound.
  • Sieve elements show nacreous thickening on their lateral walls.
  • Mature sieve tube, nucleus is absent, only lining layer of cyto plasm, a special phloem protein (slimy body) is seen in it.
  • Mature sieve tubes pores blocked by a substance known as callose (callose plug) sieve tube function as food conducting tissue Angiosperm.
    Samacheer Kalvi 11th Bio Botany Guide Chapter 9 Tissue and Tissue System 32

Question 6.
Differentiate between collateral and Bicollateral vascular bundles.
Answer:
Samacheer Kalvi 11th Bio Botany Guide Chapter 9 Tissue and Tissue System 33

Question 7.
Tabulate the Anatomical differences between root and stem
Answer:

Characters

Root

Stem

1. EpidermisAbsence of Cuticle and epidermal pores.Presence of cuticle and epidermal pores.
Presence of unicellular root hairs.Presence of unicellular and multicellular trichomes.
2. Outer cortical cellsChlorenchyma absentChlorenchyma present
3. EndodermisWell definedill-defined or absent
4. Vascular bundlesRadial arrangementConjoint arrangement
5. XylemExarchEndarch

Question 8.
Explain the various types of vascular bundles in a tabulation form.
Answer:
Samacheer Kalvi 11th Bio Botany Guide Chapter 9 Tissue and Tissue System 34

Question 9.
Tabulate the types and characteristics of tissue systems.
Answer:

 Types/characters

Epidermal tissue systemGround or fundamental tissue system

Vascular or conduction tissue system

1.FormationForms the outermost covering protodermForms the ground meristemForms the procambial bundles
 

2. Components

epidermal cells, stomata and epidemic outgrowthSimple permanent tissues – Parenchyma and CollenchymaXylem and Phloem
3.FunctionsProtection of plant body; absorption of water in roots; gas exchange for photosynthesis and respiration; transpiration in shootsGives mechanical
support to the organs;
prepares and stores food
in leaf and stem
Conducts is water and food: gives mechanical strength

 

Question 10.
Tabulate the Anatomical differences between stem and monocot stem
Answer:

Characters

Dicot stem

Monocot stem

1. HypodermisCollenchymatousSclerenchymatous
2. Ground tissueDifferentiated into cortex, endodermis, and peri cycle and pithNot differentiated but it is a continuous mass of parenchyma
3. Starch sheathPresentAbsent
4. Medullary raysPresentAbsent
5. Vascular bundlesa. Collateral and open
b. Arranged in a ring
c. Secondary growth occurs
a. Collateral and closed
b. Scattered in ground tissue
c. Secondary growth usually does not occur

Question 11.
Explain the internal structure of Dicot root.
Answer:
The transverse section shows the following structure.
Piliferous layer or Epiblemma or Rhizodermis;

  • Single-layer of parenchyma cells compactly arranged with out inter cellular space, devoid of circle and stomata (epidermal pores)
  • Single called root hairs arise from the small cell known as trichoblast

Function: Protection & absorption
Cortex:

  • Made of loosely arranged parenchyma cells with intercellular spaces.
  • Starch grains are stored in, them leucoplasts occur in the cells.

Endodermis:

  • Inner most layer of cortex – made up of single layer of barrel-shaped parenchyma cells.
  • The radial and inner tangential walls have suberin and lignin thickening known as Casparian thickening.
  • The cells opposite to protoxylem do not have Casparian thickening, known as Passage cells, which allow water to pass through but not the cells with Casparian thickening.

Stele:
All the tissue present inside endodermis comprise the stele, include pericycle & vascular bundle,
a) Pericycle:
Outer most layer of stele Single layer of parenchyma. The lateral roots originate from pericycle, so known to have endogenous origin.

Vascular bundle:
Made up of xylem and phloem.
Radial arrangement: In dicot root xylem and phloem are in different radii known as radial arrangement.

Exarch condition:
The protoxylem is pointing towards the periphery.

Tetrarch:
There are four protoxylem points, present this condition is known as tetrarch. Conjunctive tissue: The parenchyma tissue that separates xylem and phloem are known tissue.

Metaxylem – Vessels: are generally polygonal in cross-section.
Pith or Medulla: absent.
Samacheer Kalvi 11th Bio Botany Guide Chapter 9 Tissue and Tissue System 35

Question 12.
Explain the structure of the vascular bundle of Maize stem.
Answer:

  • Vascular bundles are skull-shaped, numerous, bigger bundles towards the centre and numerous small bundles arranged in the periphery.
  • Vascular bundles are scattered in the parenchymatous ground tissue. This condition is known as Atactostele.
  • V – Bs Conjoint Collateral, Closed and Endarch in nature
  • Pith or Medulla is absent.
    Samacheer Kalvi 11th Bio Botany Guide Chapter 9 Tissue and Tissue System 36

Question 13.
Describe the Anatomy of Dicot stem.
Answer:
Epidermis:
A single layer of compactly arranged rectangular parenchymatous cells, with out intercellular space. Cuticle: on the outer walls check transpiration
Stomata: may be present here and their Chloroplasts: usually absent Multicellular hairs: occur in large numbers Function: Protective Cortex:

Lies below epidermis has 3 zones

1. Hypodermis:
Epidemial hay Made upof few layers of colknchyma cells liv- Cuticleing with thickenings at the successive tangential Epidenms avers giving mechanical inheiweeit

2. Chloresrchma:
A few layers below hypodermis with resin ducts in between

3. Parenchyma:
3rd zone, store food material.

Lndodermis or Starch Sheath:
inner most layer of cortex. barrel-shaped cells compactly managed without intercellular spaces.
Since starch grains are abundant in it. It is also a Medullary ray known as starch sheath, homologous to endodermis of root.

Stete: fonn a central ring inner to endodermis made up of Pericycle, VascuLar bundle & Pith.

Perlccle: A few layer of sclerenchyma outside the phloem, known as Hundk cap or Hard bast and also parenchynia cells between them constitute pericycic.

Vascular bundles:
Muscular bundles wedge-shaped arranged the form of a ring – (Eustelic)
Vascular bridle is made upon xylem. Phloem and cambium.
V – B is Conjoint, Collateral. Open and Endarch

Phloem: lies towards periphery.
Samacheer Kalvi 11th Bio Botany Guide Chapter 9 Tissue and Tissue System 37

Function : Conduction of organic food material

Cambium: brick-shaped thin-walled meristem responsible for secondary growth so. V – B is known as open V – B.

Samacheer Kalvi 11th Bio Botany Guide Chapter 9 Tissue and Tissue System 38
Function: Conduction of water and mineraLs from root to other parts.
Pith (Medulla): Central pith is present. It is parenchymatous.
Medullar ray: Pith extends between V – Bs as primary medullary ray.
FunctIon : Storage.

Samacheer Kalvi 11th Bio Botany Guide Chapter 9 Tissue and Tissue System

Question 14.
Explain the internal structure of monocot leaf. Epidermis:
Answer:

  • A single layer of thin-walled cells with outer walls covered by thick cuticle.
  • Stomata occur on both epidermis – stomata surrounded by dumbbell-shaped guard cells.
  • Subsidiary cells: Surround guard cells.
  • Bulliform cells : Occur on upper epidermis help for the rolling and un rolling of the leaf according to the weather change.
  • Silica ceils: Some epidermal cells are filled with silica

Mesophyll:

  • Grass, being isobilateral, mesophyll is not differentiated into palisade and spongy tissue, but compactly arranged cells with limited intercellular space.

Vascular Bundles:

  • V.Bs differ in size – most of them are smaller, Large bundles occur at regular intervals
  • Above and below large bundles sclerenchymatous patches occur – provide mechanical support, they are
  • absent in small bundles.
  • Bundle sheath – Each V.B is surrounded by a parenchymatous bundle sheath, generally contain starch grains.
  • V.B has xylem upward and phloem towards the lower epidermis.
  • V.Bs are Conjoint Collateral and Closed.
  • In C4 grasses the bundle sheath cells are called Kranz sheath, involve in C4 cycle.
    Samacheer Kalvi 11th Bio Botany Guide Chapter 9 Tissue and Tissue System 39

Question 15.
Draw the internal structure of Nerium leaf & Add a note on it’s special adaptive special features.
Answer:

  • Multiseriate upper and lower Epidermis.
  • Thick cuticle on the surface of upper epidermis
  • Mesophyll is distinguished in to upper palisade and lower spongy parenchyma.
  • Well developed vascular bundles with upper xylem and lower phloem (conjoint collateral closed V.B).
  • Sunken stomata on the lower epidermis with trichomes, to reduce the rate of transpiration.
    Samacheer Kalvi 11th Bio Botany Guide Chapter 9 Tissue and Tissue System 40

Question 16.
Difference between Stomata and Hydathodes.
Answer:

Stomata

Hydathodes

1. Occur in the epidermis of leaves, young stemsOccur at the tip or margin of leaves that are grown in moist shady place.
2. Stomatal aperture is guarded by two guard cellsThe aperture of hydathodes are surrounded by a ring of cuticularized cells
3. The two guard cells are generally surrounded by subsidiary cell.Subsidiary cells are absent
4. Opening and closing of the stomatal aperture is regulated by guard cells.Hydathodes pores remain always open.
4. These are involved in transpiration and exchange of gases.These are involved in guttation

Samacheer Kalvi 11th Bio Botany Guide Chapter 9 Tissue and Tissue System

Samacheer Kalvi 11th Bio Botany Guide Chapter 6 Cell The Unit of Life

Tamilnadu State Board New Syllabus Samacheer Kalvi 11th Bio Botany Guide Pdf Chapter 6 Cell The Unit of Life Text Book Back Questions and Answers, Notes.

Tamilnadu Samacheer Kalvi 11th Bio Botany Solutions Chapter 6 Cell The Unit of Life

11th Bio Botany Guide Cell The Unit of Life Text Book Back Questions and Answers

Choose The Right Answers:

Question 1.
The two subunits of ribosomes remain united at a critical level of
a) Magnesium
b) Calcium
c) Sodium
d) Ferrous
Answer:
a) Magnesium

Question 2.
Sequence of which of the following is used to know the phylogeny
a) mRNA
b) rRNA
c) tRNA
d) HnRNA
Answer:
d) HnRNA

Samacheer Kalvi 11th Bio Botany Guide Chapter 6 Cell The Unit of Life

Question 3.
Many cells function properly and divide mitotically even they do not have
a) Plasma membrane
b) Cyto skeleton
c) Mitochondria
d) Plastids
Answer:
d) Plastids

Question 4.
Keeping in view the Fluid mosaic model for the structure of cell membrane which one of the following statements is correct with respect to the movement of lipids & Proteins from one lipid mono layer to the other
a) Neither lipid nor protein can flip flop
b) Both lipid and protein can flip flop
c) While lipid can rarely flip flop proteins cannot
d) While proteins can flip flop but lipids cannot ,
Answer:
c) While lipids can rarely flip-flop proteins cannot

Samacheer Kalvi 11th Bio Botany Guide Chapter 6 Cell The Unit of Life

Question 5.
Match the columns and identify the correct option:
Answer:

Column I

Column II

a. ThylakoidsDisc shaped sacs in Golgi apparatus
b. CristaeCondensed structure of DNA
c. CistemaeFlat membrane sacs in stroma
d. ChromatinIn folding in Mitochondria

(a) (b) (c) (d)
(1) (iii) (iv) (ii) (i)
(2) (iv) (iii) (i) (ii)
(3) (iii) (iv) (j) (ii)
(4) (iii) (i) (iv) (ii)
Answer:
(3) (iii) (iv) (i) (ii)

Question 6.
Bring out the significance of Phase Contrast Microscope
Answer:
Phase-contrast microscope is used to observe living cells, tissues and the cells cultured invitro during mitosis.

Samacheer Kalvi 11th Bio Botany Guide Chapter 6 Cell The Unit of Life

Question 7.
State the Protoplasm theory
Answer:

  • Fischer in 1894 & Hardy ( 1899 ) Proposed the Colloidal theory of Protoplasm (the physical basis of life)
  • It is a colloidal system with water, many biological import things, glucose, fatty acids, amino acids minerals, vitamins hormones & enzymes are seen.
  • Homogenous -These solutes are soluble
  • Heterogenous – Solutes are not soluble – This Forms the basis for its colloidal nature.
  • Protoplasm occur in 2 states but interconvertibleSamacheer Kalvi 11th Bio Botany Guide Chapter 6 Cell The Unit of Life 1

Question 8.
Distinguish between Prokaryotes & Eukaryotes.
Answer:

Prokaryotes

Eukaryotes

Size of cell1-5 cm10 -100 cm True Nucleus
Nuclear characterNucleoid or incipient nucleus only (No nuclear membrane or NucleolusNucleolus & Nuclear membrane present
DNAUsually Circular without histone proteinUsually linear with histone proteins
RNA/ Protein synthesisCouples in CytoplasmRNA Synthesis inside Nucleus / Protein synthesis in the cytoplasm)
Ribosomes50 s +30 s (70s)60s + 40s ( 80s)
OrganellesAbsentNumerous
Cell MovementFlagellaFlagella & Celia
OrganisationUsually unicellularSingle, Colonial and multicellular
Cell divisionBinary FissionMitosis & Meiosis
ExampleBacteria & Archae BacteriaFungi, Plants, and Animals

Question 9.
Difference between plant and animal cell:
Answer:

Plant Cell

Animal Cell

1.Usually they are large than animal cell Usually smaller than plant cell
2. Cell wall present in addition to plasma membrane and consists of middle lamellae. Primary and secondary wallsCell wall absent
3. Plasmaodesmata presentPlasmodesmata absent
4. Chloroplast presentChloroplast absent
5. Centrioles absent except motile cells of lower plantsVacuole small and temporary
6. Vacuole larger and pennanentTonoplast absent
7. Tonoplast present around vacuoleCentrioles present
8. Nucleus present along the periphery of the cellNucleus at the centre of the cell
9. Lysosomes are rareLysosomes present

Question 10.
Draw the ultrastructure of a plant cell:
Answer:
Samacheer Kalvi 11th Bio Botany Guide Chapter 6 Cell The Unit of Life 2

Part-A

Choose The Right Answer:

Question 1.
Scientist who named the unicellular particles as ‘animalcules’ …………… .
(a) Aristotle
(b) Robert Brown
(c) Antonie von Leeuwenhoek
(d) Robert Hooke
Answer:
(c) Antonie van Leeuwenhoek

Question 2.
Compound microscope was invented by
a) Robert brown
b) Z. Sigmody
c) Z. Jansen
d) Zenike
Answer:
C) Z. Jansen

Samacheer Kalvi 11th Bio Botany Guide Chapter 6 Cell The Unit of Life

Question 3.
Micrometry is a technique of measurement of
a) Microtomy
b) Nanoparticles
c) Microscopic Objects
d) Moving objects
Answer:
c) Microscopic Objects

Question 4.
Which of the following electron opaque chemical is used in Electron microscope?
(a) Strontium
(b) Deuterium
(c) Palladium
(d) Uranium
Answer:
(c) Palladium

Samacheer Kalvi 11th Bio Botany Guide Chapter 6 Cell The Unit of Life

Question 5.
Who first observed Protoplasm
a) Corti
b) Felix Dujardin
c) Hugo Van Mohl
d) O. Hertwig
Answer:
a) Corti

Question 6.
Dinoflagellates and Protozoa are kept under
a) MegaKaryotes
b) Prokaryotes
c) Eukaryotes
d) Mesokaryola
Answer:
d) Mesokaryota

Samacheer Kalvi 11th Bio Botany Guide Chapter 6 Cell The Unit of Life

Question 7.
Which among the following is NOT an exception to cell theory?
(a) Viruses
(b) Viroids
(c) Prions
(d) Fungi
Answer:
(d) Fungi

Question 8.
Michondria was named by
a) A.kolliker
b) Altmann
c) Benda
d) Purkinje
Answer:
c) Benda

Samacheer Kalvi 11th Bio Botany Guide Chapter 6 Cell The Unit of Life

Question 9.
When Thylakoids are stacked together like a pile of coins known as
a) Grana
b) Cistemae
c) Quantosomes
d) Polysomes
Answer:
a) Grana

Question 10.
Dense particulars or granules observed by George Palade is known as
a) Cirtemae
b) Lamella
c) Locules
d) Ribosomes
Answer:
d) Ribosomes

Samacheer Kalvi 11th Bio Botany Guide Chapter 6 Cell The Unit of Life

Question 11.
Histone proteins are seen in the DNA of …………… .
(a) Pseudokaryotes
(b) Prokaryotes
(c) Mesokaryotes
(d) Eukaryotes
Answer:
(d) Eukaryotes

Question 12.
These are also known as Microbodies
a) Mitochondrial & Ribosomes
b) Ribosomes & Cistemao
c) Polysomes & Vacuoles
d) Peroxisomes & Glyoxysomes
Answer:
d) Peroxisomes & Glyoxysomes

Samacheer Kalvi 11th Bio Botany Guide Chapter 6 Cell The Unit of Life

Question 13.
The organelle made up of nine triplet peripheral fibrils are known as
a) Microbodies
b) Tululin
c) Centrosome
d) Centroles
Answer:
d) Centroles

Question 14.
Fungal cell wall is made of …………… .
(a) Cutin
(b) Chitin
(c) Hemicellulose
(d) Pectin
Answer:
(b) Chitin

Samacheer Kalvi 11th Bio Botany Guide Chapter 6 Cell The Unit of Life

Question 15.
‘Annule’ are circular structure seen around
a) Nuclear membrane
b) Nuclear Pore
c) Perinuclear Space
d) Annuli
Answer:
d) Annuli

Question 16.
The Chromosome that occur in the oocyte of Salamander and in Giant nucleus of Acetabularia is known as
a) Polytene Chromosome
b) Lamp brush chromosome
c) Mitochondrial chromosome
d) Chloroplast chromosome
Answer:
b) Lamp brush chromosome

Samacheer Kalvi 11th Bio Botany Guide Chapter 6 Cell The Unit of Life

Question 17.
Ordinary microscope can be made into Dark Field Microscope (DFM) by means of a special component is called
a) Patch stop carrier
b) Secondary Magnification lens
c) Stage
d) Phase plate
Answer:
a) Patch stop Carrier

Question 18.
In-plant cells, golgi bodies are found as small vesicles called …………… .
(a) Polysomes
(b) Cytosomes
(c) Cytosol
(d) Dictyosomes
Answer:
(d) Dictyosomes

Samacheer Kalvi 11th Bio Botany Guide Chapter 6 Cell The Unit of Life

Question 19.
Cisternae, tubule and Vesicles occur in which of the following:
a) Golgi apparatus
b) Lysosomes
c) Endoplasmic reticulum
d) Glyoxysomes
(i) a & b
(ii) b & c
(iii) c & d
(iv) a & c
Answer:
(iv) a & c

Question 20.
The Golgi apparatus in plant is known as
a) Dictyosomes
b) Glyoxysomes
c) Neo-particles
d) Microvesides
Answer:
a) Dictyosomes

Samacheer Kalvi 11th Bio Botany Guide Chapter 6 Cell The Unit of Life

Question 21.
Which of the three, come under the system of the membrane in Eukaryotic cell
a) Mitochondria
b) Nuclear Membrane
c) Golgi apparatus
d) Endoplasmic reticulum
(i) a, b & c
(ii) b, c & d
(iii) a, c & d
(iv) a, b & d
Answer:
(ii) b, c & d

Question 22.
DNA of mitochondrion is …………… .
(a) Helical
(b) Dumbbell
(c) Circular
(d) Spiral
Answer:
(c) Circular

Samacheer Kalvi 11th Bio Botany Guide Chapter 6 Cell The Unit of Life

Question 23.
Fluid droplets are engulfed by membrane, which form vesicles around them
a) Phagocytosis
b) Exocytosis
c) Endocytosis
d) Pinocytosis
Answer:
d) Pinocytosis

Question 24.
The 60 s large subunit of Eukaryotes contain
a) 23 s & 5 s – large subunit
b) 16 s r RNA in large subunit
c) 18 s r RNA in large subunit
d) 28 s, 5-8 sand 5 s in large subunit
Answer:
d) 28 s, 5-8 sand 5 s in large subunit

Samacheer Kalvi 11th Bio Botany Guide Chapter 6 Cell The Unit of Life

Question 25.
Elaioplasts store …………….
(a) Starch
(b) Lipid
(c) Protein
(d) Chlorophyll
Answer:
(b) Lipid

II. State whether the following statement True or False with reference to the origin of Eukaryotes.

1. A Prokaryote grow in size and develop infoldings in its cell membrane to increase surface area to volume ratio
2. Aerobic protea bacterium enter eukaryote as prey or parasite and become an endosymbiont
3. Proteobacteria eventually assimilated and became mitochondria
4.  Some Prokaryotes go on to acquire additional Exo symbionts the cyanobacteria evolve to become chloroplasts.
Samacheer Kalvi 11th Bio Botany Guide Chapter 6 Cell The Unit of Life 3
Answer:
b) True, True, True, False

Samacheer Kalvi 11th Bio Botany Guide Chapter 6 Cell The Unit of Life

Question 2.
Find out the true and false statements from the following and on that basis And the correct answer.
(i) In Prokaryotes the flagellar rotation, only proton movements are involved & not ATP.
(ii) In Eukaryotes to shift the adjacent microtubules to bend cilia or flagella, dynein use energy from ATP
(iii) Bacterial flagella are made up of helical polymers of protein known as Tubulin
(iv) In Eukaryotes the flagella are made up of microtubules and proteins known as dynein and nexin.
Samacheer Kalvi 11th Bio Botany Guide Chapter 6 Cell The Unit of Life 4
Answer:
b) True True False True

Question 3.
With reference to Eukaryotic flagellum Find out the true or false statements from the following and on that basis find the correct answer
(i) Flagellum is shorter than cilia as short as 200 µm
(ii) Flagella are microtubule projection of plasma membrane
(iii) Flagella composed of 8 pairs of microtubules with 2 pairs of microtubules in the center
(iv) Structure of Flagella has Axoneme made up of microtubules & protein tubules
Samacheer Kalvi 11th Bio Botany Guide Chapter 6 Cell The Unit of Life 5
Answer:
c) False True False True

Samacheer Kalvi 11th Bio Botany Guide Chapter 6 Cell The Unit of Life

Question 4.
(i) Cytoplasm is the physical basis of life
(ii) Cytoplasm inheritance occurs only through the plasma genes
(iii) Cytoplasm serves as a molecular soup where all the cellular organelles are suspended and bound together by a lipid bilayer plasma membrane
(iv) Cytoplasm is a very bad conductor of electricity.
Samacheer Kalvi 11th Bio Botany Guide Chapter 6 Cell The Unit of Life 6
Answer:
a) False True True False

Question 5.
Find out the true or false statements from the following and on that basis find the correct answer
(i) The contractibility of protoplasm is important for the absorption and removal of water, especially in stomatal operations
(ii) The viscosity of protoplasm is 2-20centipoises
(iii) The protoplasm is made of 10-20% of water
(iv) Brownian movement and Tyndall effect are colloidal properties, so not applicable to protoplasm
Samacheer Kalvi 11th Bio Botany Guide Chapter 6 Cell The Unit of Life 7
Answer:
d) True True False False

Samacheer Kalvi 11th Bio Botany Guide Chapter 6 Cell The Unit of Life

II. Choose The Wrong Match

Question 1.
(a) Cytoplith – Hypodermal leaf cells of ficus bengaliensis
(b) Raphides – Eichhomia leaves
(c) Sphaero raphides – Colocasia
(d) Silica – Oryza sativa
Answer:
d) Silica – Oryza sativa

Question 2.
Choose the wrong match with reference to mitochondria
(a) Protein – 73%
(b) Lipids – 25-30%
(c) DNA – 12%
(d) RNA – 5-7%
Answer:
c) DNA-12%

Samacheer Kalvi 11th Bio Botany Guide Chapter 6 Cell The Unit of Life

Question 3.
(i) Centrosome give rise to spindle fibers in Animal cell
(ii) Golgibodies play important role in packaging and secretion
(iii) Endoplasmic reticulum-SER is involved in protein synthesis
(iv) Vacuoles facilitate the transport of ions and materials in plant cell
Answer:
(iii) Endoplasmic reticulum SER is involved in protein synthesis

Question 4.
(i) The magnification of SEM & its resolving power is – 200000 &5-20nm
(ii) The magnification &resolution power of temis – 1 – 300000&2-10A
(iii) The magnification power of TEM is – 100000 then the light microscope
(iv) The magnification power of phase-contrast – 3 – 40000 & 8-10A microscope &its resolution power
Answer:
(iv) The magnification power contrast is microscope & its resolution power – 3-400000 & 8-10A

IV. Choose The Right Match From The Following

Question 1.
(i) Size of mycoplasma – 0.15-0.03 µm
(ii) Size of BGA – 60mm
(iii) Size of RBC – 0.25-0.06 µm
(iv) Size of chick egg – 7-811mm
Answer:
(i) Size of mycoplasma – 0.15-0.03µm

Samacheer Kalvi 11th Bio Botany Guide Chapter 6 Cell The Unit of Life

Question 2.
Choose the right match:
(i) Volutin granules occurin -Bacteria
(ii) Ttannin – Cassia auriculata
(iii) Calcium carbonate – Mimosa pudica
(iv) Heavy metals – Erchhornia
Answer:
(i) Volutin granules- Bacteria

Question 3.
Choose the right match:
(i) Cell theory – Cortix
(ii) Protoplasm theory – Max Schultze
(iii) Chromosomes physical carriers of genes – Strasburger
(iv) Endoplasmic reticulum word coined by – Benda
Answer:
(ii) Protoplasm theory – Max Schultze

V. Match The Following And Find The Correct Answer:

Question 1.
(i) Harry Beevers – (A) identified Lysosomes a Peroxisomes
(ii) Christian Do Duve – (B) Discovered Glycoxysome c
(iii) A-F-U- Schimper – (C) Coined the word Chromosome
(iv) Waldeyer – (D) Coined the word Plastids
Samacheer Kalvi 11th Bio Botany Guide Chapter 6 Cell The Unit of Life 8
Answer:
a) B A D C

Samacheer Kalvi 11th Bio Botany Guide Chapter 6 Cell The Unit of Life

Question 2.
(i) When the small pieces of golgibody pinches off from its tubules to form – A. Chioroplast
(ii) Fernandez moran particles occur in – B. Golgi apparatus
(iii) Zymogen granules occur in – C. Lysosome
(iv) Quantosomes are present in – D. Mitochondria
Samacheer Kalvi 11th Bio Botany Guide Chapter 6 Cell The Unit of Life 9
Answer:
b) C D B A

Question 1.
ASSERTION (A): A cell membrane shows fluid behavior
REASON (R): A membrane is- a mosaic or composite of diverse lipids and proteins
a) Assertion and Reason are correct ‘R’ explaining ‘A’
b) A and R-correct ‘R’ not explaining A
c) A is true, but R is wrong
d) A is true but R is not explaining A
Answer:
(a) Assertion A & Reason R are correct R is explaining A

Samacheer Kalvi 11th Bio Botany Guide Chapter 6 Cell The Unit of Life

Question 2.
Assertion (A): Chloroplast is an important cell organelle performing photosynthesis in plants
Reason (R): An organelle is a distinct part of a cell which has a particular structure and function.
a) A and R are correct R explaining A
b) A and R correct and R not explaining A
c) A is true, but R is wrong
d) A is true but R is not explaining A
Answer:
b) A and R correct R not explaining A

Question 3.
Assertion (A): The inheritance of Mitochondria is uniparental
Reason (R): Mitochondria of any one of the parenting divide and gets distributed to daughter cells.
a) A and R are correct R explaining A
b) A and R are correct R not explaining A
c) A is true but R is wrong
d) A is true but R is not explaining A
Answer:
(c) A is true but R is wrong

Samacheer Kalvi 11th Bio Botany Guide Chapter 6 Cell The Unit of Life

Question 4.
Assertion (A): The objective of optic lenses of a microscope are interchanged, then it can work as a telescope
Reason (R): The objective of the telescope has a small focal length
(a) A and R are correct R explaining A
(b) A and R are correct R not explaining A
(c) A is true but R is wrong
(d) A is true but R is not explaining A
Answer:
(d) A is true but R is not explaining A

Question 5.
Assertion (A): A polytene achieved by repeated replication of chromosomal DNA without nuclear division. The daughter chromatids aligned side by side called Endomitosis
Reason (R): Polytenes is observed in the salivary glands of Drosophila by C.G.Balbiani. 1881.
a) A and R are correct R explaining A
b) A and R are correct R not explaining A
c) A is true but R is wrong
d) A is true but R is not explaining A
Answer:
(b) A and R correct R not explaining A

Samacheer Kalvi 11th Bio Botany Guide Chapter 6 Cell The Unit of Life

Two Marks Questions

Question 1.
Name the scientist who proposed the cell theory.
Answer:
Matthias Schleiden and Theodor Schwann.

Question 2.
ER- can be referred to as the endoskeleton of the cell. Justify.
Answer:

  • Yes. It connects plasma membrane & nuclear membrane, giving support to the Cytosol so we can call it the endoskeleton of the cell.
  • It also helps in the exchange of substances in and out of the cell.

Samacheer Kalvi 11th Bio Botany Guide Chapter 6 Cell The Unit of Life

Question 3.
Why do we say that viruses are an exception to its cell theory?
Answer:
Viruses lack protoplasm, the essential parts of the cell, and are existing as obligate parasites (i.e)(subcellular particles).

Question 4.
Who said that different kinds of plastids can transform into one another?
Answer:
Samacheer Kalvi 11th Bio Botany Guide Chapter 6 Cell The Unit of Life 10
A-F-U Schimper said that the 3 different kinds of plastids can transform into one another according to the need or demand of the plant body.

Samacheer Kalvi 11th Bio Botany Guide Chapter 6 Cell The Unit of Life

Question 5.
In a Bright field microscope, where does the primary & secondary magnification occurs?
Answer:
Primary magnification is obtained through, objective lens, and secondary magnification is obtained through an eye piece lens.

Question 6.
State the functions of chloroplast
Answer:

  • They are organs of Photosynthesis.
  • Light reactions & dark reactions take place in the granum & stroma respectively.
  • Chloroplast also play important role in the Photorespiration or C2 cycle.

Samacheer Kalvi 11th Bio Botany Guide Chapter 6 Cell The Unit of Life

Question 7.
Distinguish between 70’s & 80’s Ribosomes.
Answer:
Samacheer Kalvi 11th Bio Botany Guide Chapter 6 Cell The Unit of Life 11

Question 8.
Name the types of cells based on nuclear characteristics.
Answer:
The types of cells based on nuclear characteristics:

  1. Prokaryotes
  2. Mesokaryotes and
  3. Eukaryotes.

Question 9.
Distinguish between glyoxysomes, peroxysomes & sphaerosomes
Answer:

GLYOXYSOMESPEROXYSOMESSPHAEROSOMES
Single membrane-bound &sub cellular organelleSingle membrane-bound & subcellular organelleSingle membrane-bound & subcellular organelle
Contain enzymes of the glyoxylate pathwayContain enzymes and play important role in C2 cycle or PhotorespirationThey play important role in the storage of fats in the endoplasm cells of oilseeds
Beta oxidation of fatty acids occurs in the glyoxysomes of germinating seeds
Eg. Castor seedsEg. Occur in all green plantsEg. Coconut Castor seeds

Question 10.
Distinguish between Resolution & Magnification:
Answer:

RESOLUTIONMAGNIFICATION
Ability of lenses to show the finest details between two points form Resolution RIt is the size of the image seen with eye, magnified by the microscope
Formula =
\(R=\frac{0.61 \lambda}{(\mathrm{NA})}\)
where,λ -wavelength of light
NA-numerical aperture
Formula =
Size of image seen with microscope
Size of image seen with normal eyes

Samacheer Kalvi 11th Bio Botany Guide Chapter 6 Cell The Unit of Life

Question 11.
Differentiate 4 points of differences between Prokaryotes & Mesokaryotes
Answer:

PROKARYOTES

MESOKARYOTES

Nucleoid no true nucleusNucleus with nuclear membrane
1-5µm5- 10µm
DNA usually circular withoutDNA linear but without
histone proteinshistone proteins
Ribosomes 50S+30S60S+40S
Organelles absentOrganelles present
Eg. bacteria & archaeaEg. Dinoflagellate, Protozoa

Question 12.
Write down any 4 functions of cell wall
Answer:

NAME OF THE CELL WALL

FUNCTIONS OF THE CELL WALL

SHAPEIt offers definite Shape and Rigidity
BARRIERIt prevents the entry of several molecules into the cell
PROTECTIONProtects internal protoplasm against mechanical injury
Prevents cell from burstinglit maintains osmotic pressure and prevent cell from bursting
DEFENSIVE DEVICEIt plays a major role by acting as a defensive device

Question 13.
Differentiate between TEM and SEM:
Answer:

TEM

SEM

It has a high resolving powerResolving power Comparatively lower
Most commonly usedOccasionally used depending on the study
2-dimensional image is provided3D image is provided
Magnification 1-3 lakhs timesMagnification 2 lakhs times
Resolving power 2-10A°Resolving power 5-20 nm

Question 14.
Explain signal transduction:
Answer:
DEFINITION:

  • It is a process by which a cell receives information from outside and respond to it is called signal transduction
  • Nitric oxide → is the main signally molecule
  • Cell membrane → site of chemical interaction of signal transduction

Samacheer Kalvi 11th Bio Botany Guide Chapter 6 Cell The Unit of Life 12

Samacheer Kalvi 11th Bio Botany Guide Chapter 6 Cell The Unit of Life

Question 15.
Draw the structure of the Golgi apparatus & label its parts.
Answer:
Samacheer Kalvi 11th Bio Botany Guide Chapter 6 Cell The Unit of Life 13

Question 16.
What is the cell wall composition of the following organism?
(a) Fungi
(b) Bacteria
(c) Algae
Answer:
(a) Fungi – Chitin and fungal cellulose.
(b) Bacteria – Peptidoglycan
(c) Algae – Cellulose, mannan and galactan.

Samacheer Kalvi 11th Bio Botany Guide Chapter 6 Cell The Unit of Life

Question 17.
What is meant by Holocentric chromosomes?
Answer:
If a chromosome has centromere activity distributed along the whole surface of the chromosome during mitosis (i.e) microtubules distributed all along the mitotic chromosome.
Eg. Caenorhabditis Elegans (transparent nematode) & many insects.

Question 18.
Differentiate between point centromere & Regional centromere.
Answer:

POINT CENTROMERE

REGION AL CENTROMERE

The kinetochore is assembled as a result of protein recognition of specific DNA sequences
Kinetochores assembled on point centromere bind a single microtubule localized, Centromere
Eg. Budding Yeasts
The kinetochore is assembled on a variable array of repeated DNA sequences
Kinetochore assembled on regional centromeres, bind multiple microtubules
Eg. Fission yeast cells, Human cells

Question 19.
Draw the structure of the polytene chromosome:
Answer:
Samacheer Kalvi 11th Bio Botany Guide Chapter 6 Cell The Unit of Life 14

Question 20.
Draw the structure of the lysosome.
Answer:
Samacheer Kalvi 11th Bio Botany Guide Chapter 6 Cell The Unit of Life 15

Three Mark Questions

Question 1.
Distinguish between autosomes & allosomes.
Answer:

AUTOSOMES

ALLOSOMES

In human diploid cells out of 46, only 44 chromosomes are AutosomesOnly 2 chromosomes are Allosomes or Sex chromosomes
They are controlling somatic characteristics of an organismThey are involved in Sex determination

Question 2.
Explain lampbrush chromosomes:
Answer:
Samacheer Kalvi 11th Bio Botany Guide Chapter 6 Cell The Unit of Life 16

  • In 1882- observed by Flemming in Oocytes of animal Salamander &Giant nucleus of unicellular Algae Acetabularia
  • The highly condensed chromosomes form a chromosomal axis, from which lateral loops of DNA formed as a result of intense RNA synthesis

Samacheer Kalvi 11th Bio Botany Guide Chapter 6 Cell The Unit of Life

Question 3.
Define cytoplasmic streaming.
Answer:
Cytoplasmic streaming refers to the movement of the cytoplasm along with the cellular materials inside the cell.

Samacheer Kalvi 11th Bio Botany Guide Chapter 6 Cell The Unit of Life

Question 4.
Draw the structure of the Eukaryotic flagellum.
Answer:
Samacheer Kalvi 11th Bio Botany Guide Chapter 6 Cell The Unit of Life 17

Question 5.
List out the functions of the Cell Wall.
Answer:
The cell wall plays a vital role in holding several important functions given below.

  1. Offers definite shape and rigidity to the cell.
  2. Serves as barrier for several molecules to enter the cells.
  3. Provides protection to the internal protoplasm against mechanical injury.
  4. Prevents the bursting of cells by maintaining the osmotic pressure.
  5. Plays a major role by acting as a mechanism of defense for the cells.

Samacheer Kalvi 11th Bio Botany Guide Chapter 6 Cell The Unit of Life

Question 6.
Explain in detail about Fluid mosaic model.
Answer:
Jonathan Singer and Garth Nicolson (1972) proposed fluid model: It is made up of lipids and proteins together with a little amount of carbohydrate. The lipid membrane is made up of phospholipid. The phospholipid molecule has a hydrophobic tail and hydrophilic head. The hydrophobic tail repels water and water-loving polar molecule are called hydrophilic molecule. They have polar phosphate group responsible for attracting water. Water-hating non – polar molecule are called as a hydrophobic molecules. They have fatty acid which is non – polar which cannot attract water.

Hydrophilic head attracts water. The proteins of the membrane are globular proteins which are found intermingled between the lipid bilayer most of which are projecting beyond the lipid bilayer. These proteins are called as integral proteins. Few are superficially attached on either surface of the lipid bilayer which are called as peripheral proteins. The proteins are involved in the transport of molecules across the membranes and also act as enzymes, receptors or antigens.

Question 7.
Draw the structure of the chromosome & neatly label the parts:
Answer:
Samacheer Kalvi 11th Bio Botany Guide Chapter 6 Cell The Unit of Life 18

Question 8.
Based on the position of centromere classify the chromosomes with the help of diagrams.
Answer:
Samacheer Kalvi 11th Bio Botany Guide Chapter 6 Cell The Unit of Life 19
Eukaryotic chromosomes may be rod-shaped telo & acrocentric as well as meta & sub-meta-centric.

Samacheer Kalvi 11th Bio Botany Guide Chapter 6 Cell The Unit of Life

Question 9.
List out the functions of Golgi bodies.
Answer:
Functions of Golgi bodies:

  1. Glycoproteins and glycolipids are produced.
  2. Transporting and storing lipids.
  3. Formation of lysosomes.
  4. Production of digestive enzymes.
  5. Cell plate and cell wall formation
  6. Secretion of carbohydrates for the formation of plant cell walls and insect cuticles.
  7. Zymogen granules (proenzyme / pre-cursor of all enzymes) are synthesized.

Question 10.
Explain the structure of Cilia.
Answer:

  • Short cellular-numerous microtubule bound projections of plasma membrane.
  • Each Cilium has membrane-bound structures, basal body,rootlets, basal plate shaft
  • Shaft (axoneme) consists of nine pairs of microtubule doublets, arranged in a
  • circle along the periphery with a two central tubules (9+2) arrangement of microtubules is present.
  • Microtubules – made up of tubulin.
  • Motor protein dynein – connects the outer microtubules pair & links them to the central pair.
  • Nexin – links the peripheral doublets of microtubules.

Question 11.
Write in detail about the 3 types of centromere in eukaryotes.
Answer:
There are three types of centromere in Eukaryotes. They are as follows:

  1. Point Centromere: The type of centromere in which the kinetochore is assembled as a result of protein recognition of specific DNA sequences. Kinetochores assembled on point centromere bind a single microtubule. It is also called a localized centromere. It occurs in budding yeasts.
  2. Regional Centromere: In regional centromere where the kinetochore is assembled on a variable array of repeated DNA sequences. Kinetochore assembled on regional centromeres bind multiple microtubules. It occurs in fission yeast cell, humans and so on.
  3. Holocentromere: The microtubules bind all along the mitotic chromosome. Example: Caenorhabditis Elegans (transparent nematode) and many insects.

Samacheer Kalvi 11th Bio Botany Guide Chapter 6 Cell The Unit of Life

Question 12.
Distinguish between primary wall & secondary wall of the plant cell wall.
Answer:

PRIMARY WALL

SECONDARY WALL

First formedFormed later
Thin elastic, extensibleThick inelastic
Matrix made up of Hemi cellulose-bind micro, fibrils with matrix Pectinase- filling material, Glycoprotein-control orientation of microfibrils WaterHere cellulose & pectin compactly arranged with different orients giving a laminated structure to give strength to the cell wall.
Only one layerHas three sub-layers s1,s2,s3.
Does not determine shape of cellDetermine shape of cell

Question 13.
Describe the steps involved in cytological techniques.
Answer:
There are different types of mounting based on the portion of a specimen to be observed.

  1. Whole-mount: The whole organism or smaller structure is mounted over a slide and observed.
  2. Squash: This is a preparation where the material to be observed is crushed/squashed onto a slide so as to reveal its contents. Example: Pollen grains, mitosis, and meiosis in root tips and flower buds to observe chromosomes.
  3. Smears: Here the specimen is in the fluid (blood and microbial cultures etc) are scraped, brushed, or aspirated from the surface of the organ. Example: Epithelial cells.
  4. Sections: Freehand sections from a specimen and thin sections are selected, stained, and mounted on a slide. Example: Leaf and stem of plants.

Samacheer Kalvi 11th Bio Botany Guide Chapter 6 Cell The Unit of Life

Question 14.
List out any 3 stains used in histo- chemistry.
Answer:

S.NoStainColour of stainingAffinity
1.EosinPink or redCytoplasm, Cellulose
2.Methylene blueBlueNucleus
3.SaffranineRedCell wall(lignin)
4.Janus greenGreenish blueMitochondria

Question 15.
Identify the diagram and label the parts.
Samacheer Kalvi 11th Bio Botany Guide Chapter 6 Cell The Unit of Life 20
Answer:
This is a dark field microscope
A-objective lens
B-stage
C-condenser lens
D- patch stop
E-light source

Five Mark Questions

Question 1.
Differentiate between BFM & DFM.
Answer:
Samacheer Kalvi 11th Bio Botany Guide Chapter 6 Cell The Unit of Life 21
Question 2.
Differentiate between Light microscope & electron microscope.
Answer:

Light Microscope

Electron Microscope

Another name = compound microscope1st introduced by Ernest Ruska & developed by   G.Binnin & H. Roher (1981)
PrinciplePrinciple
The transmission of visible light from the source of eye through a sample It uses a beam of accelerated electrons as source of illumination.
Resolving power – LesserResolving power – Higher
Magnification – LessMagnification-1,00,000 times than the light
Purpose – studying in schools & collegePurpose Microscope Research purpose -can be seen in scientific laboratories
Pattern of working:
The microscope transmits visible light from eye through sample where
interaction occur and magnified image is visible.
The specimen to be viewed under EM should be dehydrated and impregnated with election opaque chemicals like gold, palladium for withstanding electrons & also for contrast.
Types :1 Only oneTypes: 2 types TEM, SEM

Question 3.
Write down the functions of the cell wall.
Answer:

NAME OF THE CELL WALL

FUNCTIONS OF THE CELL WALL

SHAPEIt gives definite Shape and Rigidity to the ceil
BARRIERIt prevents several molecules from entering the cells
PROTECTIONTo the internal protoplasm against mechanical injury
MAINTAIN ANCEIt maintains osmotic pressure So, prevent bursting of cells
DEFENCEThey are acting as a source of defense for cells

Question 4.
Write down the functions of the Plasma Membrane or cell membrane.
Answer:

  • Cell transport is the main function
  • PM act as a channel of transport for molecules
  • PM is selectively permeable to molecules

It transported by

  1. Energy-dependent processes,
  2. Energy independent processes Membrane proteins involved processes
  3. Endocytosis & Exocytosis large quantity of solids and liquids are transported into a cell or out of cells.

I. Endocytosis 2 types
a) Phagocytosis particle is engulfed by membrance which fold around it forming vesicles, enzymes digest and products are absorbed.

b) Pinocytosis Fluid droplets are engulfed by forming vesicles.
II. Exocytosis -Vesicles fuse with the plasma membrane and eject contents.
-This may be a secretion in the case of digestive enzymes hormones or mucus.

Samacheer Kalvi 11th Bio Botany Guide Chapter 6 Cell The Unit of Life

Question 5.
Explain the fluid mosaic model of plasma membrane.
Answer:

  • Jonathan Singer & Garth Nicolson (1972) proposed FM model.
  • Plasma membrane made up of lipid (phospholipid), protein & little carbohydrate.

I. Phospholipid: Molecule has a hydrophobic tail(repel water) & hydrophilic head (water-loving)
II. Protein of membrane

  • Globular in nature intermingles between lipid bipolar most perfect beyond Jt known
    as (integral proteins)

Few are superficially attached on either surface of lipid bilayer (peripheral proteins)

  • They are involved in transport of molecules across the membrane
  • They acts as enzymes
  • They acts as receptors or antigens.

III Carbohydrate

  • They are short chain of polysaccharides.
    (i.e) With protein glycoprotein With lipid glycolipids, glycocalyx

Flip Flapping:

  • The movement of membrane lipids from one side of the membrane to the other side by vertical movement called flip-flap movement.

Samacheer Kalvi 11th Bio Botany Guide Chapter 6 Cell The Unit of Life 22

Answer:
A- hydrolipid tail,
B-hydrophilic head,} lipid
C-intrisic protein
D-extrinsic protein
This movement is very slow than lateral diffusion of lipid molecules.

  • Phospholipids can flip flop due to smaller polar regions.
  • Proteins cannot do so because of extensive polar regions.

Question 6.
Give an account of the structure and function of mitochondria.
Answer:
Samacheer Kalvi 11th Bio Botany Guide Chapter 6 Cell The Unit of Life 23

  • 1st observed by A. Kolliker (1880)
  • Altmann(1894) – named it as Bio-plasts
  • Benda (1897) – named as Mitochondria

Structure

  • Ovoid, rod-shaped, pleomorphic structures
  • Double membrane
  • Outer membrane smooth, & permeable- contain porins

2 compartments
1. outer chamber between 2 membranes
2. Inner chamber filled with matrix

Cristae – Infoldings of inner membrane:

  • It contain enzymes for ETS(Electron Transport System)
  • Inner membrane has FI particles or exosomes
  • Each FI particle has a base, a stem & a rounded head
  • Head has ATP synthetase to do oxidative phosphorylation content.
    • 73% protein
    • 25-30% lipids
    • 5-7% RNA, DNA & enzymes(about 60 circular DNA &70’s Ribosomes.
  • All enzymes of Kreb’s cycle are found in the matrix except succinate dehydrogenase.
  • Mitochondria is a semi-autonomous body
  • It’s inheritance is uniparental (i.e) maternal
  • It is used to track recent evolutionary time because it mutates 5-10 times faster than DNA in the nucleus.

Samacheer Kalvi 11th Bio Botany Guide Chapter 6 Cell The Unit of Life

Question 7.
Structure of chloroplast
Answer:

  • A vital organ of green plants.
  • Double membrane-bound organelle peripheral space in between the membrane
  • Inner chloroplast is filled with gelatinous stroma
  • Inside the stroma interconnected sacs called Thylakoids
  • Inner space of the thylakoid is the thylakoid lumen
  • Thylakoids stacked together like piles of coins known as grana.
  • Light is absorbed and converted into chemical energy (carbohydrates) in the granum
    Samacheer Kalvi 11th Bio Botany Guide Chapter 6 Cell The Unit of Life 27
  • Chloroplast genome encodes for approximately 30 proteins involved in photosystem I & II – cytochrome, b, f, complex and ATP synthase & also one of the subunits of RUBISCO is enclosed by it.
  • RUBISCO- is the major protein component of the stroma single most abundant protein on earth
  • The thylakoid contain small, rounded photosynthetic units called Quantosomes
  • The chloroplast is semi-autonomous, divided by fission.
    Samacheer Kalvi 11th Bio Botany Guide Chapter 6 Cell The Unit of Life 24

Question 8.
Give an account of Ribosomes:
Answer:

  • 1953 – 1 observed by George Palade
  • Dense particles in the EM not membrane-bound

Electron microscope observation
1. Made up of 2 round subunits one large layer & one small unit to form a complete unit
2. Mg++ is required for complete cohesion.
Biogenesis – denova formation, auto replication and nucleolar origin
Function – Sites of protein synthesis.

Content – consists of

  • RNA 60%,
  • Protein 40%

Polysemes:
In protein synthesizing cells, many ribosomes attached to single m RNA – to form polysomes’ main role in the formation of several copies of particular.
Samacheer Kalvi 11th Bio Botany Guide Chapter 6 Cell The Unit of Life 25

Question 9.
Differentiate between chromoplast & leucoplast
Answer:

Chromoplast

Leucoplast

NatureColouredColourless
Types & occurenceChloroplast:
occur in green algae& higher plants. Pigment chlorophyll a & b
Phaeoplast:
occur in brown algae & dinoflagelletes Pigment-fucoanthin
Rhodoplast:
Occur in red algae Stores protein
Pigment phycoerythrin
Amyloplast
Stores starch occur in storage parts Eg. Tapioca rootElaioplast Stores- lipids
Eg. Groundnut seeds
Aleuroplast or
proteoplast
Eg. Moon dhal

Question 10.
State any 3 functions of Lysosomes
Answer:
polypeptide Intracellular digestion:
They digest carbohydrates, proteins & lipids present in the cytoplasm

Autophagy:
During the adverse condition, they digest their own organelles like mitochondria ER

Auto lysis:
Causes self-destruction of cell on the insight of disease

Aging:
Have autolytic enzymes that disrupts intracellular molecules.

Samacheer Kalvi 11th Bio Botany Guide Chapter 6 Cell The Unit of Life

Question 11.
Explain the structure of Centrioles
Answer:

  • Central hub, surrounded by nine triplet peripheral fibrils (tubulin) connected to the tubules by radial spokes (9 + 0) pattern Cilia or Flagella Spindle fibres
  • Centriole is the basal body of Flagella, Lilia or, Spindle fibers.
  • It is a nonmembranous organelle

Question 12.
Differentiate between other inclusions of cells in Prokaryotes & Eukaryotes.
Answer:

Prokaryotes

Eukaryotes

Reserse materialPhosphate granules & Cyanophycean granulesStarch grains Glycogen granules
Organic materialsPoly (3 hydroxyl granules sulphur granules, carboxysomes &Gas vacuolesAleurone grains, flat droplets
Other secretions         …………………………….Essential oil, resins, gums, latex and tannin
Inorganic inclusionsmetachromatic granules- such as polyphosphate granules (volutin granules) & sulfur granulesCalcium carbonate crystals, Calcium oxalate crystals, Silica crystals Eg.cystolith- hypodermal cells of Ficus bengalensis (calcium carbonate)
Raphides- Eichhornia (calcium oxalate)
Prismatic crystals – dry scales ofAlliumcepa (calcium oxalate)

Question 13.
Explain the structure of the Nucleus.

  • It is important CPU of the cell, the largest part of it
  • Control all activities of cell
  • Hold the hereditary information

Samacheer Kalvi 11th Bio Botany Guide Chapter 6 Cell The Unit of Life 26Nuclear envelope Nuclear space (nucleoplasm)

I Membrane:
Double membrane Nuclear envelope
a) Outer membrane

  • Rough by the presence of ribosomes and with irregular intervals continues with ER
  • It has nuclear pores that allow m RNA, ribosomal units, proteins & other macromolecules to pass in & out
  • Nuclear pore enclosed by circular structure – annuli

b) Inner membrane:
Smooth without ribosomes in between the two membranes perinuclear space is present

II. Nucleoplasm:
A gelatinous matrix has 2 parts

  • Nucleoli &
  • Chromatin reticulum

a) Nucleoli:

  • Small dense spherical structure occur in singly or in multiples.
  • It possesses genes for r RNA &, tRNA

b) Chromatin network

  • Uncoiled, indistinct , thread like structure(inter phase)
  • Has little amount of RNA, DNA bound to histone proteins in Eukaryotes
  • At the time of cell division – It get condensed to form Chromosome

Euchromatin With -2 parts
1. Euchromatin
2.Heterochromatin

  • The portion that get transcribed into rn RNA – active genes that are not tightly condensed & stains lightly.
  • Heterochromatin
  • The portion of chromatin that does not get transcribed into m RNA – remain tightly condensed & stains intensively.

Samacheer Kalvi 11th Bio Botany Guide Chapter 6 Cell The Unit of Life

Question 14.
Explain the structure of Endoplasmic reticulum
Answer:

  • The largest internal membrane (ER)
  • Name given by K.R.Porter(1948)
    Consists of Vesicles &Tubules, Cisternae

Cisternae:

  • Long broad, flat sac-like structures arranged in stacks to form lamella.
  • In between membrane is filled with fluid

Vesicles:
Oval membrane-bound vascular structure

Tubules:
Irregular shaped, branched, smooth-walled structure enclosing a space

Function:

  • It is associated with nuclear membrane and cell surface membrane
  • When ribosomes present on ER- it is known as (RER) Rough Endoplasmic Reticulum
  • When ribosomes absent on ER- it is known as Smooth Endoplasmic Retiöulum(SER).

Samacheer Kalvi 11th Bio Botany Guide Chapter 6 Cell The Unit of Life

Samacheer Kalvi 11th Chemistry Guide Chapter 3 Periodic Classification of Elements

Tamilnadu State Board New Syllabus Samacheer Kalvi 11th Chemistry Guide Pdf Chapter 3 Periodic Classification of Elements Text Book Back Questions and Answers, Notes.

Tamilnadu Samacheer Kalvi 11th Chemistry Solutions Chapter 3 Periodic Classification of Elements

11th Chemistry Guide Periodic Classification of Elements Text Book Back Questions and Answers

Textual Questions:

I. Choose the best Answer:

Question 1.
What would be the IUPAC name for an element with atomic number 222?
(a) bibibiium
(b) bididium
(c) didibium
(d) bibibium
Answer:
(d) bibibium

Question 2.
The electronic configuration of the elements A and B are 1s2, 2s2, 2p6, 3s2 and 1s2, 2s2, 2p5 respectively. The formula of the ionic compound that can be formed between these elements is
(a) AB
(b) AB2
(c) A2B
(d) none of the above
Answer:
(b) AB2

Question 3.
The group of elements in which the differentiating electron enters the anti penultimate shell of atoms are called
(a) p-block elements
(b) d-block elements
(c) s-block elements
(d) f-block elements
Answer:
(d) f-block elements

Question 4.
In which of the following options the order of arrangement does not agree with the variation of property indicated against it?
(a) I < Br < Cl < F (increasing electron gain enthalpy)
(b) Li < Na < K < Rb (increasing metallic radius)
(c) Al3+ < Mg2+ < Na+ < F (increasing ionic size)
(d) B < C < O < N (increasing first ionisation enthalpy)
Answer:
(a) I < Br < Cl < F (increasing electron gain enthalpy)

Question 5.
Which of the following elements will have the highest electronegativity?
(a) Chlorine
(b) Nitrogen
(c) Cesium
(d) Fluorine
Answer:
(d) Fluorine

Samacheer Kalvi 11th Chemistry Guide Chapter 3 Periodic Classification of Elements

Question 6.
Various successive ionisation enthalpies (in kjmol 1) of an element are given below.

Samacheer Kalvi 11th Chemistry Guide Chapter 3 Periodic Classification of Elements 1

The element is
(a) phosphorus
(b) Sodium
(c) Aluminium
(d) Silicon
Answer:
(c) Aluminium

Question 7.
In the third period the first ionization potential is of the order.
(a) Na > Al > Mg > Si > P
(b) Na < Al < Mg < Si < P
(c) Mg > Na > Si > P > Al
(d) Na < Al < Mg < P < Si
Answer:
(b) Na < Al < Mg < Si < P

Question 8.
Identify the wrong statement.
(a) Amongst the isoelectronic species, smaller the positive charge on cation, smaller is the ionic radius
(b) Amongst isoelectric species greater the negative charge on the anion, larger is the ionic radius
(c) Atomic radius of the elements increases as one moves down the first group of the periodic table
(d) Atomic radius of the elements decreases as one moves across from left to right in the 2nd period of the periodic table.
Answer:
(a) Amongst the isoelectronic species, smaller the positive charge on cation, smaller is the ionic radius

Question 9.
Which one of the following arrangements represent the correct order of least negative to most negative electron gain enthalpy
(a) Al < O < C < Ca < F
(b) Al < Ca < O < C < F
(c) C < F < O < Al < Ca
(d) Ca < Al < C < O < F
Answer:
(d) Ca < Al < C < O < F

Question 10.
The correct order of electron gain enthalpy with negative sign of F, Cl, Br and I having atomic number 9, 17, 35 and 53 respectively is
(a) I > Br > Cl > F
(b) F > Cl > Br > I
(c) Cl > F > Br > I
(d) Br > I > Cl > F
Answer:
(c) Cl > F > Br > I

Samacheer Kalvi 11th Chemistry Guide Chapter 3 Periodic Classification of Elements

Question 11.
Which one of the following is the least electronegative element?
(a) Bromine
(b) Chlorine
(c) Iodine
(d) Hydrogen
Answer:
(d) Hydrogen

Question 12.
The element with positive electron gain enthalpy is
(a) Hydrogen
(b) Sodium
(c) Argon
(d) Fluorine
Answer:
(c) Argon

Question 13.
The correct order of decreasing electronegativity values among the elements X, Y, Z and A with atomic numbers 4, 8, 7 and 12 respectively
(a) Y > Z > X > A
(b) Z > A > Y > X
(c) X > Y > Z > A
(d) X > Y > A > Z
Answer:
(a) Y > Z > X > A

Question 14.
Assertion:
Helium has the highest value of ionisation energy among all the elements known
Reason:
Helium has the highest value of electron affinity among all the elements known
(a) Both assertion and reason are true and reason is correct explanation for the assertion
(b) Both assertion and reason are true but the reason is not the correct explanation for the assertion
(c) Assertion is true and the reason is false
(d) Both assertion and the reason are false
Answer:
(c) Assertion is true and the reason is false

Question 15.
The electronic configuration of the atom having | maximum difference in first and second ionisation j energies is
(a) 1s2, 2s2, 2p6, 3s1
(b) 1s2, 2s2, 2p6, 3S2
(c) 1s2, 2s2, 2p6, 3s2, 3s2, 3p6, 4s1
(d) 1s2, 2s2, 2p6, 3s2, 3p1
Answer:
(a) 1s2, 2s2, 2p6, 3s1

Samacheer Kalvi 11th Chemistry Guide Chapter 3 Periodic Classification of Elements

Question 16.
Which of the following is second most electronegative element?
(a) Chlorine
(b) Fluorine
(c) Oxygen
(d) Sulphur
Answer:
(a) Chlorine

Question 17.
IE1 and IE2 of Mg are 179 and 348 kcal mol-1 respectively. The energy required for the reaction Mg → Mg2+ + 2e is
(a) + 169 kcal mol-1
(b) -169 kcal mol-1
(c) +527 kcalmol-1
(d) -527 kcal mol-1
Answer:
(c) +527 kcalmol-1

Question 18.
In a given shell the order of screening effect is
(a) s > p > d > f
(b) s > p > f > d
(c) f > d > p > s
(d) f > p > s > d
Answer:
(a) s > p > d > f

Question 19.
Which of the following orders of ionic radii is correct?
(a) H > H+ > H
(b) Na+ > F > O2-
(c) F > O2- > Na+
(d) None of these
Answer:
(d) None of these

Question 20.
The First ionisation potential of Na, Mg and Si are 496, 737 and 786 kJ mol-1 respectively. The ionisation potential of Al will be closer to
(a) 760 kJ mol-1
(b) 575 kJ mol-1
(c) 801 kJ mol-1
(d) 419 kJ mol-1
Answer:
(b) 575 kJ mol-1

Samacheer Kalvi 11th Chemistry Guide Chapter 3 Periodic Classification of Elements

Question 21.
Which one of the following is true about metallic character when we move from left to right in a period and top to bottom in a group?
(a) Decreases in a period and increases along the group
(b) Increases in a period and decreases in a group
(c) Increases both in the period and the group
(d) Decreases both in the period and in the group
Answer:
(b) Increases in a period and decreases in a group

Question 22.
How does electron affinity change when we move from left to right in a period in the periodic table?
(a) Generally increases
(b) Generally decreases
(c) Remains unchanged
(d) First increases and then decreases
Answer:
(a) Generally increases

Question 23.
Which of the following pairs of elements exhibit diagonal relationship?
(a) Be and Mg
(b) Li and Mg
(c) Be and B
(d) Be and Al
Answer:
(d) Be and Al

Samacheer Kalvi 11th Chemistry Guide Chapter 3 Periodic Classification of Elements

II. Write brief answer to the following questions:

Question 24.
Define modern periodic law.
Answer:
The modem periodic law states that “The physical and chemical properties of the elements are a periodic function of their atomic numbers.”

Question 25.
What are isoelectronic ions? Give examples.
Answer:
Two ions having the same number of electrons are called isoelectronic ions.
Example: Na+ (1s2 2s2 2p6) and F (1s2 2s2 2p6). Both these ions contain eight electrons.

Question 26.
What is an effective nuclear charge?
Answer:
The net nuclear charge experienced by valence electrons in the outermost shell is called the effective nuclear charge.
Zeff = Z – S
Where Z = Atomic number
S = Screening constant calculated by using Slater’s rules.

Question 27.
Is the definition given below for ionization enthalpy is correct?
Answer:
“Ionisation enthalpy is defined as the energy required to remove the most loosely bound electron from the valence shell of an atom”
The given statement is not correct. Ionization energy is defined as the minimum amount of energy required to remove the most loosely bound electron from the valence shell of the isolated neutral gaseous atom in its ground state.

Question 28.
Magnesium loses electrons successively to form Mg+, Mg2+, and Mg3 ions. Which step will have the highest ionization energy and why?
Answer:
Magnesium loses electrons successively in the following steps,
Step 1:
Mg(g) + IE1 → Mg+(g) + 1e, Ionisation energy = I.E1
Step 2:
Mg+(g)+ IE2 → Mg2+(g) + 1e, Ionisation energy = I.E2
Step 3:
Mg2+(g) + IE3 → Mg3+(g) + 1e, Ionisation energy = I.E3
The total number of electrons is less in the cation than the neutral atom while the nuclear charge remains the same. Therefore, the effective nuclear charge of the cation is higher than the corresponding neutral atom. Thus, the successive ionization energies, always increase in the following order I.E1 < I.E2 < I.E3. Thus, Step-3 will have the ionization energy.

Question 29.
Define electronegativity.
Answer:
Electronegativity is defined as the relative tendency of an element present in a covalently bonded molecule, to attract the shared pair of electrons towards itself.

Question 30.
How would you explain the fact that the second ionisation potential is always higher than the first ionisation potential?
Answer:

  • The second ionization potential is always higher than the first ionization potential.
  • Removal of one electron from the valence orbit of a neutral gaseous atom is easy so first ionization energy is less. But from a uni positive ion, removal of one more electron becomes difficult due to the more forces of attraction between the excess of protons and less number of electrons.
  • Due to greater nuclear attraction, second ionization energy is higher than first ionization energy.

Samacheer Kalvi 11th Chemistry Guide Chapter 3 Periodic Classification of Elements

Question 31.
The energy of an electron in the ground state of the hydrogen atom is -2.8 × 10-8 J. Calculate the ionization enthalpy of atomic hydrogen in terms of kJ mol-1
Answer:
Energy of an electron in the ground state of the hydrogen atom is – 2.8 × 10-8.
The ionization energy of atomic hydrogen is 2.8 × 10-18 × 6.023 × 1023 J/mol
= 16.86 × 105 J/mol
= 1686 kJ/mol.

Question 32.
The electronic configuration of an atom is one of the important factors which affects the value of ionization potential and electron gain enthalpy. Explain.
Answer:

  • The electronic configuration of an atom affects the value of ionization potential and electron gain enthalpy.
  • Half-filled valence shell electronic configuration and completely filled valence shell electronic configuration are more stable than partially filled electronic configuration.
  • For e.g. Beryllium (Z = 4) 1s2 2s2 (completely filled electronic configuration)
    Nitrogen (Z = 7) 1s2  2s2  2px1  2py1 2pz1 (half-filled electronic configuration) Both beryllium and nitrogen have high ionization energy due to more stable nature.
  • In the case of beryllium (1s2 2s2), nitrogen (1s2 2s2 2p3) the addition of extra electrons will disturb their stable electronic configuration and they have almost zero electron affinity.
  • Noble gases have stable ns2 np6 configuration and the addition of further electrons is unfavorable and they have zero electron affinity.

Question 33.
In what period and group will an element with Z = 118 will be present?
Answer:
The element Ununoctium (Oganesson, Z – 118) present in the 7th period and 18th group of the periodic table.

Question 34.
Justify that the fifth period of the periodic table should have 18 elements on the basis of quantum numbers.
Answer:
The fifth period of the periodic table has 18 elements. 5th period starts from Rb to Xe (18 elements).
5th period starts with principal quantum number n = 5 and l = 0, 1, 2, 3 and 4.
When n = 5, the number of orbitals = 9.
1 for 5s
5 for 4d
3 for 5p
The total number of orbitals = 9.
Total number of electrons that can be accommodated in 9 orbitals = 9 x 2 = 18.
Hence the number of elements in the 5th period is 18.

Samacheer Kalvi 11th Chemistry Guide Chapter 3 Periodic Classification of Elements

Question 35.
Elements a, b, c and d have the following electronic configurations:
a: 1s2, 2s2, 2p6
b: 1s2, 2s2, 2p6, 3s2, 3p1
c: 1s2, 2s2, 2p6, 3s2, 3p6
d: 1s2, 2s2, 2p1
Which elements among these will belong to the same group of the periodic table?
Answer:
The elements ‘a’ [Ne (Z= 10), 1s2, 2s2, 2p6] and ‘c’ [Ar (Z = 18), 1s2, 2s2, 2p6, 3s2, 3p6] have the same valence electronic configuration and hence, belongs to the same group, i.e., group 18 of the periodic table . Similarly, the elements ‘b’ [ Al (Z = 13), 1s2, 2s2, 2p6, 3s2, 3p1] and ‘d’ [B (Z= 5), 1s2, 2s2, 2p1] have the same valence electronic configuration and hence, belongs to the same group, i.e., group 13 of the periodic table.

Question 36.
Give the general electronic configuration of lanthanides and actinides?
Answer:

  • The electronic configuration of lanthanides is 4f1-14 5d0-16s2.
  • The electronic configuration of actinides is 5f1-14 6d0-1 7s2.

Question 37.
Why do halogens act as oxidizing agents?
Answer:
Halogens are having the general electronic configuration of ns2, np5 and readily accept an electron to get the stable noble gas electronic configuration. Therefore, halogens have high electron affinity. Hence, halogens act as oxidizing agents.

Question 38.
Mention any two anomalous properties of second-period elements.
Answer:

  • In the 1st group, lithium forms compounds with more covalent character while the other elements of this group form only ionic compounds.
  • In the 2nd group, beryllium forms compounds with more covalent character while the other elements of this family form only ionic compounds.

Question 39.
Explain the Pauling method for the determination of ionic radius.
Answer:
Ionic radius is defined as the distance from the centre of the nucleus of the ion upto which it exerts its influence on the electron cloud of the ion. The ionic radius of a uni-univalent crystal can be calculated using Pauling’s method from the interionic distance between the nuclei of the cation and anion. Pauling assumed that ions present in a crystal lattice are perfect spheres, and they are in contact with each other and therefore,
d = rc+ + rA- …………..(1)
where ‘d’ is the distance between the centre of the nucleus of the cation C+ and A. r c+ and rA- are the radius of the cation and anion respectively.

Pauling also assumed that the radius of the ion having noble gas electronic configuration (Na+ and Cl having 1s2, 2s2, 2p6 configuration) is inversely
proportional to the effective nuclear charge felt at the periphery of the ion.
i.e.,   rc+ ∝ \(\frac{1}{\left(Z_{e f f}\right)^{C+}}\) ………(2)

and rA- ∝ \(\frac{1}{\left(Z_{e f f}\right)^{A-}}\) ………….(3)

where Zeff is the effective nuclear charge.
Zeff = Z – S.
Dividing the equation (2) by (3)
\(\frac{r_{c^{+}}}{r_{A^{-}}}=\frac{\left(Z_{e f f}\right)^{A-}}{\left(Z_{e f f}\right)^{C+}}\)

On solving the equations (1) and (4), the ionic radius of cation and anion are calculated.

Samacheer Kalvi 11th Chemistry Guide Chapter 3 Periodic Classification of Elements

Question 40.
Explain the periodic trend of ionisation potential.
Answer:
(a) The energy required to remove the most loosely held electron from an isolated gaseous atom is called ionization energy.
(b) Variation in a period:
Ionization energy is a periodic property. On moving across a period from left to right, the ionization enthalpy value increases. This is due to the following reasons.

  • Increase of nuclear charge in a period
  • Decrease of atomic size in a period

Because of these reasons, the valence electrons are held more tightly by the nucleus. Therefore, ionization enthalpy increases.

(c) Variation in a group:
As we move from top to bottom along a group, the ionization enthalpy decreases. This is due to the following reasons.

  • A gradual increase in atomic size
  • Increase of screening effect on the outermost electrons due to the increase of the number of inner electrons.

Hence, ionization enthalpy is a periodic property.

Question 41.
Explain the diagonal relationship.
Answer:
On moving diagonally across the periodic table, the second and third-period elements show certain similarities. Even though the similarity is not the same as we see in a group, it is quite pronounced in the following pair of elements.
Samacheer Kalvi 11th Chemistry Guide Chapter 3 Periodic Classification of Elements 2
The similarity in properties existing between the diagonally placed elements is called ‘diagonal relationship’.

Question 42.
Why the first Ionisation enthalpy of sodium is lower than that of magnesium while its second ionisation enthalpy Is higher than that of magnesium?
Answer:
The 1st ionization enthalpy of magnesium is higher than that of Na due to the higher nuclear charge and slightly smaller atomic radius of Mg than Na. After the loss of the first electron, Na+ formed has the electronic configuration of neon (2, 8). The higher stability of the completely filled noble gas configuration leads to a very high second ionization enthalpy for sodium. On the other hand, Mg+ formed after losing the first electron still has one more electron in its outermost (3s) orbital. As a result, the second ionization enthalpy of magnesium is much smaller than that of sodium.

Samacheer Kalvi 11th Chemistry Guide Chapter 3 Periodic Classification of Elements

Question 43.
By using Pauling’s method calculate the ionic radii of K+ and Cl ions in the potassium chloride crystal. Given that dK + – Cl = 3.14 Å.
Answer:
d = rK+ + rCl- = 3.14 Å
\(\frac{r_{K+}}{r_{C l-}}=\frac{\left(Z_{e f f}\right)^{C l-}}{\left(Z_{e f f}\right)^{K+}}\)

(Zeff)Cl- = Z – S = 17 – 10.9 = 6.1
(Zeff)K+ = Z – S = 19 – 16.8 = 2.2
\(\frac{r_{K+}}{r_{C l-}}=\frac{6.1}{2.2}\) = 2.77

rK+ = 2.77 rCl-
2.77 rCl- + rCl- = 3.17 Å
3.77 rCl- = 3.17 Å
rCl- = 0.83 Å
rK+ = (3.14 – 0.83) Å = 2.31 Å
The ionic radius of the K+ ion is 2.31 Å and Cl ion is 0.83 Å.

Question 44.
Explain the following, give appropriate reasons.
(i) Ionisation potential of N is greater than that of O:
Answer:
Nitrogen with 1s2, 2s2, 2p3 electronic configuration has higher ionization energy than oxygen. Since the half-filled electronic configuration is more stable, it requires higher energy to remove an electron from the 2p orbital of nitrogen. Whereas the removal of one 2p electron from oxygen leads to a stable half-filled configuration. This makes it comparatively easier to remove 2p electron from oxygen.

(ii) First ionisation potential of the C-atom is greater than that of the B atom, whereas the reverse is true is for the second ionisation potential.
Answer:
The first ionization potential of the C atom and B-atom are as follows:
C(1s2, 2s2, 2p2) + IE1 → C+ (1s2, 2s2, 2p1)

B(1s2, 2s2, 2p1) + IE1 → B+ (1s2, 2s2)

The ionization energy usually increases along a period. Hence, the first ionization energy of carbon is greater than that of Boron.
The second ionization potential of the C atom and B atom is as follows:
C+ (1s2, 2s2, 2p1) + IE2 → C+(1s2, 2s2)
B+ (1s2, 2s2) + IE2 → B+ (1s2, 2s1)

B+ has completely filled 2s orbital which is more stable than the partially filled valence shell electronic configuration of the C+ atom. Hence, the second ionization energy of Boron is greater than that of carbon.

(iii) The electron affinity values of Be, Mg, and noble gases are zero, and those of N (0.02 eV) and P (0.80 eV) are very low.
Answer:
Be, Mg and noble gases have completely filled stable configuration and the addition of further electron is unfavourable and requires energy. The addition of extra electrons will disturb their stable electronic configuration and hence, they have almost zero electron affinity.

Nitrogen and Phosphorus have a half-filled stable configurations and the addition of further electrons is unfavourable and requires energy. The addition of extra electrons will disturb their stable electronic configuration and hence, they have very low zero electron affinity.

(iv) The formation of from F(g)  from F(g) is exothermic while that of O2-(g) from O(g) is endothermic.
Answer:
The sizes of oxygen and fluorine atoms are comparatively small and they have high electron density. The extra electron added to fluorine has to accommodate in the 2p orbital which is relatively compact. Hence, the formation of F- from F is exothermic. In the case of oxygen, the formation of O2- from O is endothermic due to extra stability of the completely filled 2p orbital of O2- formation.

Samacheer Kalvi 11th Chemistry Guide Chapter 3 Periodic Classification of Elements

Question 45.
What is the screening effect?
Answer:
The repulsive force between inner shell electrons and the valence electrons leads to a decrease in the electrostatic attractive forces acting on the valence electrons by the nucleus. Thus the inner shell electrons act as a shield between the nucleus and the valence electrons. This effect is called the shielding effect (or) screening effect.

Question 46.
Briefly give the basis for Pauling’s scale of electronegativity.
Answer:
Pauling’s scale:

  • Electronegativity is the relative tendency of an element present in a covalently bonded molecule to attract the shared pair of electrons towards itself.
  • Pauling assigned arbitrary values of electronegativities for hydrogen and fluorine as 2.2 and 4, respectively.
  • Based on this the electronegativity values for other elements can be calculated using the following expression.
    (XA-XB) = 0.182 √EAB – (EAA EBB)
    Where EAB , EAA, and EBB are the bond dissociation energies of AB, A2, and B2 molecules respectively.
    XA and XB are electronegativity values of A and B.

Question 47.
State the trends in the variation of electronegativity in groups and periods.
Answer:
Variation of Electronegativity in a period:
The electronegativity generally increases across a period from left to right. As discussed earlier, the atomic radius decreases in a period, as the attraction between the valence electron and the nucleus increases. Hence, the tendency to attract shared pair of electrons increases. Therefore, electronegativity also increases in a period.

Variation of Electronegativity in a group:
The electronegativity generally decreases down a group. As we move down a group, the atomic radius increases, and the nuclear attractive force on the valence electron decreases. Hence, the electronegativity decreases. Noble gases are assigned zero electronegativity. The electronegativity values of the elements of 5-block show the expected decreasing order in a group. Except for 13th and 14th groups, all other p-block elements follow the expected decreasing trend in electronegativity.

Samacheer Kalvi 11th Chemistry Guide Chapter 3 Periodic Classification of Elements

11th Chemistry Guide Periodic Classification of Elements Additional Questions and Answers

I. Very Short Question and Answers (2 Marks):

Question 1.
State periodic law.
Answer:
Periodic law states that ‘‘the properties of the elements are the periodic functions of their atomic weights”.

Question 2.
Write a note about Chancourtois classification.
Answer:
In this system, elements that differed from each other in atomic weight by 16 or multiples of 16 fell very nearly on the same vertical line. Elements lying directly under each other showed a definite similarity. This was the first periodic law.

Question 3.
What is Lavoiser’s classification of elements?
Answer:
Lavoiser classified the substances into four groups of elements namely acid-making elements, gas-like elements, metallic elements, and earthy elements.

Question 4.
State Mendeleev’s periodic law.
Answer:
This law states that “The physical and chemical properties of elements are a periodic function of their atomic weights.”

Question 5.
What are groups and periods?
Answer:
All the elements are arranged in the modem periodic table which contains 18 vertical columns and 7 horizontal rows. In the periodic table, the vertical columns are called groups, and horizontal rows are called periods.

Samacheer Kalvi 11th Chemistry Guide Chapter 3 Periodic Classification of Elements

Question 6.
State modern periodic law.
Answer:
The modem periodic law states that, “The physical and chemical properties of the elements are periodic function of their atomic numbers.”

Question 7.
What are p-block elements? Give their general electronic configuration.
Answer:
The elements of groups 13 to 18 are called p-block elements or representative elements and have a general electronic configuration ns2, np1 – 6.

Question 8.
Mention the names of the elements with atomic numbers 101, 102, 109, and 110.
Answer:
Z = 101  IUPAC  name : Mendelevium
Z = 102  IUPAC  name : Nobelium
Z = 109  IUPAC  name : Meitnerium
Z = 110  IUPAC  name : Darmstadtium

Question 9.
What are f-block elements? Give their properties.
Answer:
The lanthanides and the actinides are called f-block elements. These elements are metallic in nature and have high melting points. Their compounds are mostly coloured. These elements also show variable oxidation states.

Question 10.
Give the name and electronic configuration of elements of group and 2 groups.
Answer:

  • Elements of 1st group are called alkali metals. Their electronic configuration is ns1.
  • Elements of 2nd group are called alkaline earth metals. Their electronic configuration is ns2.

Samacheer Kalvi 11th Chemistry Guide Chapter 3 Periodic Classification of Elements

Question 11.
Define Atomic radius.
Answer:
The atomic radius of an atom is defined as the distance between the centre of its nucleus and the outermost shell containing the valence electron.

Question 12.
Write any two characteristic properties of alkaline earth metals.
Answer:

  • Alkaline earth metals readily lose their outermost electrons to form a +2 ion.
  • As we go down the group. their metallic character and reactivity are increased.

Question 13.
Why is the covalent radius shorter than the actual atomic radius?
Answer:
The formation of a covalent bond involves the overlapping of atomic orbitals and it reduces the expected internuclear distance. Therefore, the covalent radius is always shorter than the actual atomic radius.

Question 14.
Define metallic radius.
Answer:
Metallic radius is defined as one-half of the distance between two adjacent metal atoms in the closely packed metallic crystal lattice.

Question 15.
Halogens and chalcogens have highly negative electron gain enthalpies. Why?
Answer:

  • Group 16 (chalcogens) and Group 17 (halogens) are interested to add two or one electrons respectively to attain a stable noble gas configuration.
  • Because of this interest, these elements have highly negative electron gain enthalpies.

Samacheer Kalvi 11th Chemistry Guide Chapter 3 Periodic Classification of Elements

Question 16.
What is the effective nuclear charge? How is it approximated?
Answer:
The net nuclear charge experienced by valence electrons in the outermost shell is called the effective nuclear charge. It is approximated by the below-mentioned equation Zeff = Z – S.
where Z is the atomic number and S is the screening constant which can be calculated using Slater’s rules.

Question 17.
Elements Zn, Cd, and Hg with electronic configuration (n-1)d10 ns2 do not show most of the transition elements properties. Give reason.
Answer:

  • Zn, Cd, and Hg are having completely filled d-orbitais (d10 electronic configuration).
  • They do not have partially filled d-orbitais Like other transition elements. So they do not show much of the transition elements properties.

Question 18.
Define Ionisation energy.
Answer:
Ionization energy is defined as the minimum amount of energy required to remove the most loosely bound electron from the valence shell of the isolated neutral gaseous atom in its ground state.

Question 19.
Why d-block elements are called transition elements?
Answer:
d-block elements form a bridge between the chemically active metals of s-block elements and the less active elements of groups of 13th and 14th and thus take their familiar name transition elements.

Question 20.
Beryllium has higher ionization energy than Boron. Give reason.
Answer:
Beryllium has completely filled 2s orbital which is more stable than the partially filled valence shell electronic configuration of Boron (2s2 – 2p1). Hence, Beryllium has higher ionization energy than Boron.

Samacheer Kalvi 11th Chemistry Guide Chapter 3 Periodic Classification of Elements

Question 21.
Write the electronic configuration of lanthanides and actinides?
Answer:

  • The electronic configuration of lanthanides is 4f1-144 5d0-11 6s2.
  • The electronic configuration of actinides is 5f1-14 6d0-17s2.

Question 22.
What is the effect of shielding on ionization energy?
Answer:
As we move down a group, the number of inner-shell electrons increases which in turn increases the repulsive force exerted by them on the valence electrons, i.e., the increased shielding effect caused by the inner electrons decreases the attractive force acting the valence electron by the nucleus. Therefore, the ionization energy decreases.

Question 23.
Define electron affinity.
Answer:
Electron affinity is defined as the amount of energy released when an electron is added to the valence shell of an isolated neutral gaseous atom in its ground state to form its anion.

Question 24.
What are periodic properties? Give example.
Answer:
The term periodicity of properties indicates that the elements with similar properties reappear at certain regular intervals of atomic number in the periodic table.
Example:

  • Atomic radii
  • Ionization energy
  • Electron affinity
  • Electronegativity.

Question 25.
Why is the electron affinity of Nitrogen almost zero?
Answer:
Nitrogen has half-filled stable (1s2, 2s2, 2p3) electronic configuration. The addition of extra electrons will disturb their stable electronic configuration and it has almost zero electron affinity.

Samacheer Kalvi 11th Chemistry Guide Chapter 3 Periodic Classification of Elements

Question 26.
The cationic radius is smaller than its corresponding neutral atom. Justify this statement.
Answer:

  • When a neutral atom loses one or more electrons it forms cation.
    Na → Na+ + e
  • The radius of this cation (rNa+)is decreased than its parent atom (rNa).
  • When an atom is charged to cation, the number of nuclear charges becomes greater than the number of orbital electrons. Hence the remaining electrons are more strongly attracted by the nucleus. Hence the cationic radius is smaller than its corresponding neutral atom.

Question 27.
Define electronegativity.
Answer:
Electronegativity is defined as the relative tendency of an element present in a covalently bonded molecule, to attract the shared pair of electrons towards itself.

Question 28.
What are isoelectronic ions? Give example.
Answer:
There are some ions of different elements having the same number of electrons are called isoelectronic ions.
Example: Na+ Mg2+, Al3+, F, O2-, N3-

Question 29.
What is the variation of electronegativity in a group?
Answer:
The electronegativity generally decreases down a group. As we move down a group, the atomic radius increases and the nuclear attractive force on the valence electron decreases. Hence, the electronegativity decreases.

Question 30.
The ionization energy of beryllium is greater than the ionization energy of boron. Why?
Answer:
Be (Z= 4) 1s2 2s2. it has completely filled valence electrons, which requires high IE1.
B (Z =5) 1s2 2s2 2p1. It has incompletely filled valence electrons, which requires comparatively
less IE1 Hence I.E1 Be > I.E1 B.

Samacheer Kalvi 11th Chemistry Guide Chapter 3 Periodic Classification of Elements

Question 31.
What is the diagonal relationship?
Answer:
On moving diagonally across the periodic table, the second and third-period elements show certain similarities. The similarity in properties existing between the diagonally placed elements is called the ‘diagonal relationship’.

Question 32.
Define electron gain enthalpy or electron affinity. Give its unit.
Answer:
The electron gain enthalpy of an element is the amount of energy released when an electron is added to the neutral gaseous atom.
A + electron → A + energy (E.A)
Unit of electron affinity is KJ mole.

Samacheer Kalvi 11th Chemistry Guide Chapter 3 Periodic Classification of Elements

II. Short Question and Answers (3 Marks):

Question 1.
How Moseley determined the atomic number of an element using X-rays?
Answer:

  • Henry Moseley studied the X-ray spectra of several elements and determined their atomic numbers (Z).
  • He discovered a correlation between atomic number and the frequency of X-rays generated by bombarding a clement with the high energy of electrons.
  • Moseley correlated the frequency of the X-ray emitted by an equation as,
    \(\sqrt{v}\) = a (Z – b)
    Where υ = Frequency of the X-rays emitted by the elements.
    a and b = Constants.
  • From the square root of the measured frequency of the X-rays emitted, he determined the atomic number of the element.

Question 2.
Write notes on Newlands classification of elements.
Answer:
Newland made an attempt to classify the elements and proposed the law of octaves. On arranging the elements in the increasing order of atomic weights, he observed that the properties of every eighth element are similar to the properties of the first element. This law holds good for lighter elements up to calcium.

Question 3.
Describe Mendeleev’s periodic classification of elements.
Answer:
Dmitriev Mendeleev proposed that “the properties of the elements are the periodic functions of their atomic weights” and this is called periodic law. Mendeleev listed the 70 known elements at that time in several vertical columns in order of increasing atomic weights. Thus, Mendeleev constructed the first periodic table based on the periodic law.

In the periodic table, he left some blank spaces since there were no known elements with the appropriate properties at that time. He and others predicted the physical and chemical properties of the missing elements. Eventually, these missing elements were discovered and found to have the predicted properties. For example, Gallium of group-III and Germanium of group- IV were unknown at that time. But Mendeleev predicted their existence and properties. After the discovery of the actual elements, their properties were found to match closely to their predicted by Mendeleev.

Samacheer Kalvi 11th Chemistry Guide Chapter 3 Periodic Classification of Elements

Question 4.
Write notes on Moseley’s work.
Answer:
Henry Mosley studied the characteristic X-rays spectra of several elements by bombarding them with high energy electrons and observed a linear correlation between atomic number and the frequency of X-rays emitted which is given by the following expression, √υ = a(Z – b)
where, υ is the frequency of the X-rays emitted by the element with atomic number ‘Z’; ‘a’ and ‘b’ are constants and have same values for all the elements. The plot of √υ against Z gives a straight line. Using this relationship, we can determine the atomic number of an unknown element from the frequency of X-rays emitted.

Question 5.
What are the reasons behind Moseley’s attempt in finding an atomic number?
Answer:

  • The number of electrons increases by the same number as the increase in the atomic number.
  • As the number of electrons increases, the electronic structure of the atom changes.
  • Electrons in the out can not shell of an atom (valence shell electrons) determine the chemical properties of the elements.

Question 6.
What are s-block elements? Give their properties.
Answer:
The elements of group-1 and group-2 are called s-block elements, since the last valence electron enters the ns orbital.

  • The group-1 elements are called alkali metals while group-2 elements are called alkaline earth metals.
  • These are soft metals and possess low melting and boiling points with low ionization enthalpies.
  • They are highly reactive and form ionic compounds.
  • They are highly electropositive in nature and most of the elements imparts colour to the flame.

Question 7.
Explain the classification of elements based on electronic configuration.
Answer:

  • The distribution of electrons into orbitais, s, p, d, and f of an atom is called its electronic configuration. The electronic configuration of an atom is characterized by a set of four quantum numbers, n, l, m, and s. of these the principal quantum number (n) defines the main energy level known as shells.
  • The position of an element in the periodic table is related to the configuration of that element and thus reflects the quantum numbers of the last orbital filled.
  • The electronic configuration of elements in the periodic table can be studied along with the periods and groups separately for the best classification of elements.
  • Elements placed in a horizontal row of a periodic table is called a period. There are seven periods.
  • A vertical column of the periodic table is called a group. A group consists of a series of elements having a similar configuration to the outermost shell. There are 18 groups in the periodic table.

Samacheer Kalvi 11th Chemistry Guide Chapter 3 Periodic Classification of Elements

Question 8.
What are d-block elements? Give their properties.
Answer:
The elements of the groups 3 to 12 are called d-block elements or transition elements with general valence shell electronic configuration ns1 – 2, (n – 1 )d1 – 10.

  • These elements show more than one oxidation state and form ionic, covalent, and coordination compounds.
  • They can form interstitial compounds and alloys which can also act as catalysts.
  • These elements have high melting points and are good conductors of heat and electricity.

Question 9.
What is a covalent radius? Explain.
Answer:
Covalent radius is one-half of the internuclear distance between two identical atoms linked together by a single covalent bond. The internuclear distance can be determined using X-ray diffraction studies.
For example, the experimental intemuclear distance in Cl2 molecule is 1.98 Å. The covalent radius of chlorine is calculated as follows,
dcl – cl = rcl + rcl
rcl = \(\frac{d_{c l-d t}}{2}=\frac{1.98}{2}\) = 0.99 Å .

The formation of a covalent bond involves the overlapping of atomic orbitals and it reduces the expected internuclear distance. Therefore, the covalent radius is always shorter than the actual atomic radius.

Question 10.
How is the covalent radius of an individual atom can be calculated?
Answer:
The covalent radius of an individual atom can be calculated using the internuclear distance (dA-B) between two different atoms A and B. The simplest method proposed by Schomaker and Stevenson is as follows.
dA – B = rA + rB – 0.09(χA – χB)
where χA and χB are the electronegativities of A and B respectively in Pauling units. Here, χA > χB and radius is in Å.

Question 11.
Write about the electronic configuration of the 1st and 2nd periods.
Answer:
Electronic configuration of t period:
In 1 period only two elements are present. This period starts with the filling of electrons in the first energy level, n1. This level has only one orbital as is. Therefore it can accommodate two electrons maximum.

Electronic configuration of 2nd period:
In the 2’ period 8 elements are present. This period starts with the filling of electrons in the second energy level, n = 2. In this level four orbitais (one 2s and three 2p) are present. Hence the second energy level can accommodate 8 electrons. Thus, the second period has eight elements.

Samacheer Kalvi 11th Chemistry Guide Chapter 3 Periodic Classification of Elements

Question 12.
Discuss the variation of electron affinity in the period.
Answer:
As we move from alkali metals to halogens in a period, generally electron affinity increases, i.e., the amount of energy released will be more. This is due to an increase in the nuclear charge and a decrease in the size of the atoms. However, in the case of elements such as beryllium and nitrogen the addition of extra electrons will disturb their stable electronic configuration and they have almost zero electron affinity.

Noble gases have stable ns2, np6 configurations, and the addition of further electrons is unfavourable and requires energy. Halogens having the general electronic configuration of ns2, np5 readily accept an electron to get the stable noble gas electronic configuration (ns2, np6), and therefore, in each period the halogen has high electron affinity.

Question 13.
What are the two exceptions of block division in the periodic table?
Answer:
1. Helium has two electrons. Its electronic configuration is 1s2. As per the configuration, it is supposed to be placed in ‘s’ block but actually placed in s group which belongs to ‘p’ block. Because it has a completely filled valence shell as the other elements present in the 18th group. It also resembles 18th group elements in other properties. Hence helium is placed with other noble gases.

2. The other exception is hydrogen. it has only one s-electron and hence can be placed in group 1. It can also gain an electron to achieve a noble gas arrangement and hence it can behave as halogens (17th group elements). Because of these assumptions, the position of hydrogen becomes a special case. Finally, it is placed separately at the top of the periodic table.

Samacheer Kalvi 11th Chemistry Guide Chapter 3 Periodic Classification of Elements

III. Long Question and Answers (5 Marks):

Question 1.
Describe Mosley’s work and Modern Periodic Law.
Answer:
Henry Mosley studied the characteristic X-rays spectra of several elements by bombarding them with high energy electrons and observed a linear correlation between atomic number and the frequency of X-rays emitted which is given by the following expression,
√υ = a(Z – b)
where, υ is the frequency of the X-rays emitted by the element with atomic number ‘Z’; ‘a’ and ‘b’ are constants and have the same values for all the elements. The plot of √υ against Z gives a straight line. Using this relationship, we can determine the atomic number of an unknown element from the frequency of X-rays emitted.

Based on his work, the modern periodic law was developed which states that, “the physical and chemical properties of the elements are periodic functions of their atomic numbers”. Based on this law, the elements were arranged in order of their increasing atomic numbers. This mode of arrangement reveals an important truth that the elements with similar properties recur after regular intervals. The repetition of physical and chemical properties at regular intervals is called periodicity.

Question 2.
The first ionization enthalpy of magnesium is higher than that of sodium. On the other hand, the second ionization enthalpy of sodium is very much higher than that of magnesium. Explain.
Answer:
The 1st ionization enthalpy of magnesium is higher than that of Na+ due to higher nuclear charge and slightly smaller atomic radius of Mg than Na. After the loss of the first electron, N& formed has the electronic configuration of neon (2, 8). The higher stability of the completely filled noble gas configuration leads to very high second ionization enthalpy for sodium. On the other hand. Mg+ formed after losing first electron still has one more electron in its outermost (3s) orbital. As a result, the second ionization enthalpy of magnesium is much smaller than that of sodium.

Question 3.
By using Pauling’s method calculate the ionic radii of Na+ and F ions in the potassium chloride crystal. Given that dNa+ – F = 231 pm.
Answer:
Samacheer Kalvi 11th Chemistry Guide Chapter 3 Periodic Classification of Elements 4
Samacheer Kalvi 11th Chemistry Guide Chapter 3 Periodic Classification of Elements 5

Samacheer Kalvi 11th Chemistry Guide Chapter 3 Periodic Classification of Elements

Question 4.
Discuss the variation of electronic configuration along the periods.
Answer:
Each period starts with the element having general outer electronic configuration, ns1 and ends with ns2, np6 where n is the period number. The first period starts with the filling of valence electrons in is orbital, which can accommodate only two electrons. Hence, the first period has two elements, namely hydrogen and helium.

The second period starts with the filling of valence electrons in 2s orbital followed by three 2p orbitals with eight elements from lithium to neon. The third period starts with filling of valence electrons in the 3s orbital followed by 3p orbitals. The fourth period starts with filling of valence electrons from 4s orbital followed by 3d and 4p orbitals in accordance with Aufbau principle. Similarly, we can explain the electronic configuration of elements in the subsequent periods.

In the fourth period, the filling of 3d orbitals starts with scandium and ends with zinc. These 10 elements are called first transition series. Similarly, 4d, 5d and 6d orbitals are filled in successive periods and the corresponding series of elements are called second third and fourth transition series respectively.

In the sixth period the filling of valence electrons starts with 6s orbital followed by 4f, 5d and 6p orbitals. The filling up of 4f orbitals begins with Cerium (Z = 58) and ends at Lutetium (Z = 71). These 14 elements constitute the first inner-transition series called Lanthanides. Similarly, in the seventh period 5f orbitals are filled, and it’s -14 elements constitute the second inner-transition series called Actinides. These two series are placed separately at the bottom of the modem periodic table.

Question 5.
Describe the nomenclature of elements with Atomic Number greater than 100.
Answer:
Usually, when a new element is discovered, the discoverer suggests a name following IUPAC guidelines which will be approved after a public opinion. In the meantime, the new element will be called by a temporary name coined using the following IUPAC rules until the IUPAC recognizes the new name.
1. The name was derived directly from the atomic number of the new element using the following numerical
roots.

Samacheer Kalvi 11th Chemistry Guide Chapter 3 Periodic Classification of Elements 6

2. The numerical roots corresponding to the atomic number are put together and ‘ium’ is added as suffix.
3. The final ‘n’ of ‘enn is omitted when it is written before ‘nil’ similarly the final ‘i’ of ‘bi’ and ‘tri’ is omitted when it written before ‘ium’.
4. The symbol of the new element is derived from the first letter of the numerical roots.

Samacheer Kalvi 11th Chemistry Guide Chapter 3 Periodic Classification of Elements 7

Samacheer Kalvi 11th Chemistry Guide Chapter 3 Periodic Classification of Elements

Question 6.
Explain the merits of Moseley’s long form of the periodic table.
Answer:
Merits of Moseley’s long form of the periodic table:

  •  As this classification is based on atomic number, it relates the position of an element to its electronic configuration.
  • The elements having similar electronic configuration fall in a group. They also have similar physical and chemical properties.
  • The completion of each periõd is more logical. In a period as the atomic number increases, the energy shells are gradually filled up until an inert gas configuration is reached.
  • The position of zero group is also justified in the table as group 18.
  • The table completely separates metals and non-metals.
  • The table separates two subgroups. lanthanides and actinides, dissimilar elements do not fall together.
  • The greatest advantage of this periodic table is that this can be divided into four blocks namely s, p. d, and f-block elements.
  • This arrangement of elements is easier to remember, understand and reproduce.

Question 7.
Explain the variation of the atomic radius in periods and groups.
Answer:
Variation in a period:
Atomic radius tends to decrease in a period. As we move from left to right along a period, the valence electrons are added to the same shell. The simultaneous addition of protons to the nucleus increases the nuclear charge, as well as the electrostatic attractive force between the valence electrons and the nucleus. Therefore atomic radius decreases along a period.

Samacheer Kalvi 11th Chemistry Guide Chapter 3 Periodic Classification of Elements 8

Variation in a group:
In the periodic table, the atomic radius of elements increases down the group. As we move down a group, new shells are opened to accommodate the newly added valence electrons. As a result, the distance between the centre of the nucleus and the outermost shell containing the valence electron increases. Hence, the atomic radius increases.

Question 8.
What is an Effective nuclear charge? How is it calculated using slater’s rule?
Answer:
In addition to the electrostatic forces of attraction j between the nucleus and the electrons, there | exists repulsive forces among the electrons. The repulsive force between the inner shell electrons j and the valence electrons leads to a decrease in the j electrostatic attractive forces acting on the valence 1 electrons by the nucleus. Thus, the inner shell | electrons act as a shield between the nucleus and the valence electrons. This effect is called the shielding effect.

The net nuclear charge experienced by valence electrons in the outermost shell is called the effective 1 nuclear charge. It is approximated by the below-mentioned equation.
Zeff = Z – S
Where Z is the atomic number and ‘S’ is the screening constant which can be calculated using Slater’s rules as described below.
Step 1:
Write the electronic configuration of the atom and rearrange it by grouping ns and np orbitals together and others separately in the following form.
(1s)(2s, 2p) (3s, 3p) (3d) (4s, 4p) (4d) (4f) (5s, 5p) ……

Step 2:
Identify the group in which the electron of interest is present. The electron present right to this ! group does not contribute to the shielding effect. Each of the electrons within the identified group (denoted by ‘n’) shields to, an extent of 0.35 unit of nuclear charge. However, it is 0.30 unit for 1s electron.

Step 3:
Shielding of inner-shell electrons. If the electron of interest belongs to either s or p orbital,
(i) each electron within the (n – 1) group shields to an extent of 0.85 unit of nuclear charge, and
(ii) each electron within the (n – 2) group (or) even lesser group (n – 3), (n – 4) etc…
completely shields i.e. to an extent of 1.00 unit of nuclear charge.

If the electron of interest belongs to d or f orbital, then each of electron left of the group of electron of interest shields to an extent of 1.00 unit of nuclear charge.

Step 4:
Summation of the shielding effect of all the electrons gives the shielding constant ‘S’.

Samacheer Kalvi 11th Chemistry Guide Chapter 3 Periodic Classification of Elements

Question 9.
Explain the periodic variation of ionization energy in a period.
Answer:
The ionization energy usually increases along a period with few exceptions. When we move from left to right along a period, the valence electrons are added to the same shell, at the same time protons are added to the nucleus, This successive increase of nuclear charge increases the electrostatic attractive force on the valence electron and more energy is required to remove the valence electron resulting in high ionization energy. Consider the variation in ionization energy of second period elements. The plot of atomic number vs ionisation energy is given below.

In the graph, there are two deviations in the trends of ionisation energy. It is expected that boron has higher ionisation energy than beryllium since it has higher nuclear charge. However, the actual ionisation energies of beryllium and boron are 899 and 800kJ mol-1 respectively contrary to the expectation. It is due to the fact that beryllium with completely filled 2s orbital, is more stable than partially filled valence shell electronic configuration of boron. (2s2, 2p1).

Samacheer Kalvi 11th Chemistry Guide Chapter 3 Periodic Classification of Elements 9

The electronic configuration of beryllium (Z = 4) in its ground state is 1s2, 2s2 and that of boron (Z = 5) 1s2, 2s2, 2p1. Similarly, nitrogen with 1s2, 2s2, 2p1 electronic configuration has higher ionisation energy (l402 kJmol-1) than oxygen (1314 kJmol-1). Since the half-filled electronic configuration is more stable, it requires higher energy to remove an electron from 2p orbital of nitrogen. Whereas the removal of one 2p electron from oxygen leads to a stable half-filled configuration. This makes it comparatively easier to remove 2p electron from oxygen.

Question 10.
Explain the periodic variation of electron affinity in a group.
Answer:
Electron affinity is defined as the amount of energy released (required in the case of noble gases) when an electron is added to the valence shell of an isolated ^neutral gaseous atom in its ground state to form its anion. It is expressed in kJmol-1
A + 1e → A + EA

Variation of Electron Affinity in a period:
As we move from alkali metals to halogens in a period, generally electron affinity increases, i.e., the amount of energy released will be more. This is due to an increase in the nuclear charge and a decrease in size of the atoms. However, in case of elements such as beryllium (1s2, 2s2), nitrogen (1s2, 2s2, 2p3) the addition of extra electron will disturb their stable electronic configuration and they have almost zero electron affinity.

Noble gases have stable ns2, np6 configurations, and the addition of further electrons is unfavourable and requires energy. Halogens having the general electronic configuration of ns2, np5 readily accept an electron to get the stable noble gas electronic configuration (ns2, np6), and therefore in each period the halogen has high electron affinity, (high negative values)

Question 11.
Define electron affinity. How does it vary along with the group?
Answer:
Electron affinity is defined as the amount of energy released (required in the case of noble gases) when an electron is added to the valence shell of an isolated neutral gaseous atom in its ground state to form its anion. It is expressed in kJmoF1
A + 1e → A + EA

Variation of Electron affinity in a group:
As we move down a group, generally the electron affinity decreases. It is due to an increase in atomic size and the shielding effect of inner-shell electrons. However, oxygen and fluorine have lower affinity than sulphur and chlorine respectively. The sizes of oxygen and fluorine atoms are comparatively, small and they have high electron density.

Moreover, the extra electron, added to oxygen and fluorine has to be accommodated in the 2p orbital which is relatively compact compared to the 3p orbital of sulphur and chlorine so, oxygen and fluorine have lower electron affinity than their respective group elements sulphur and chlorine.

Samacheer Kalvi 11th Chemistry Guide Chapter 3 Periodic Classification of Elements

Question 12.
Explain the salient features of groups.
Answer:
1. Number of electrons in the outermost shell:
The number of electrons present in the outermost shells does not change on moving down in a group, i.e remains the same. Hence, the valency also remains the same within a group.

2. Number of shells:
In going down a group the number of shells increases by one at each step and ultimately becomes equal to the period number to which the element belongs.

3. Valency:
The valencies of all the elements of the same group are the same. The valency of an element with respect to oxygen is same in a group.

4. Metallic character:
The metallic character of the elements increases in moving from top to bottom in a group.

Samacheer Kalvi 11th Bio Botany Guide Chapter 7 Cell Cycle

Tamilnadu State Board New Syllabus Samacheer Kalvi 11th Bio Botany Guide Pdf Chapter 7 Cell Cycle Text Book Back Questions and Answers, Notes.

Tamilnadu Samacheer Kalvi 11th Bio Botany Solutions Chapter 7 Cell Cycle

11th Bio Botany Guide Cell Cycle Text Book Back Questions and Answers

Choose The Correct Answer:

Question 1.
The correct sequence in cell cycle is
a) S M G1 G2
b) S G1 G2 M
c) G1 S G2 M
d) M G1 G2 S
Answer:
c) G1 S G2 M

Question 2.
If mitotic division is restricted in G, phase the cell cycle, then the condition is known as
a) S Phase
b) G2 Phase
c) M Phase
d) G0 phase
Answer:
d) G0 phase

Samacheer Kalvi 11th Bio Botany Guide Chapter 7 Cell Cycle

Question 3.
Anaphase promoting complex APC is a protein degradation machinery necessary for proper mitosis of animal cells. If APC is defective in a human cells. Which of the following is expected to occur?
a) Chromosomes will be fragmented
b) Chromosomes will not condense
c) Chromosomes will not regregate
d) Recombination of Chromosomes will occur
Answer:
c) Chromosomes will not segregate

Question 4.
In the S phase of cell cycle
a) Amount of DNA doubles in each cell
b) Amount of DNA remain same in each cell
c) Chromosome number is increased
d) Amount of DNA is reduced to half in each cell
Answer:
a) Amount of DNA doubles in each cell

Samacheer Kalvi 11th Bio Botany Guide Chapter 7 Cell Cycle

Question 5.
The centromere is required for
a) Transcription
b) Crossing over
c) Cytoplasmic cleavage
d) movement of chromosome towards the pole
Answer:
d) movement of chromosome towards the pole

Question 6.
Synapsis occurs between
a) m RNA and ribosomes
b) spindle fibres and centromeres
c) two homologous chromosomes
d) a male and a female gemale
Answer:
c) two homologous chromosomes

Samacheer Kalvi 11th Bio Botany Guide Chapter 7 Cell Cycle

Question 7.
In meiosis crossing over is initiated at
a) Diplotene
b) Pachytene
c) Leptotene
d) Zygotene
Answer:
b) Pachytene

Question 8.
Colchicine prevents the mitosis of the cells at which of the following stage
a) Anaphase
b) Metaphase
c) Prophase
d) Interphase
Answer:
a) Anaphase

Samacheer Kalvi 11th Bio Botany Guide Chapter 7 Cell Cycle

Question 9.
The pairing of homologous chromosomes on meiosis is known as
a) Bivalent
b) Synapsis
c) Disjunction
d) Synergids
Answer:
b) Synapsis

Question 10.
Anastral mitosis is the characteristic feature of
a) Lower animals
b) Higher animals
c) Higher plants
d) All living Organism
Answer:
c) Higher plants

Samacheer Kalvi 11th Bio Botany Guide Chapter 7 Cell Cycle

Question 11.
Write any three significance of mitosis
Answer:
Exact copy of the parent cell is produced by mitosis (genetically identical).

  1. Genetic stability – daughter cells are genetically identical to parent cells.
  2. Repair of tissues – damaged cells must be replaced by identical new cells by mitosis.
  3. Regeneration – Arms of starfish.

Question 12.
Differentiate between Mitosis and Meiosis.
Answer:
Differences between Mitosis and Meiosis

Mitosis

Meiosis

One divisionTwo division
The number of chromosomes remains the sameThe number of chromosomes is halved
Homologous chromosomes line up separately on the metaphase plateHomologous chromosomes line up in pairs at the metaphase plate
Homologous chromosome do not pair upHomologous chromosome pair up to form bivalent
Chiasmata do not form and crossing over never occursChiasmata form and crossing over occurs
Daughter cells are genetically identicalDaughter cells are genetically different from the parent cells
Two daughter cells are formedFour daughter cells are formed

Question 13.
Differentiate Cytokinesis in plant cells & animal cells
Answer:
Samacheer Kalvi 11th Bio Botany Guide Chapter 7 Cell Cycle 1Samacheer Kalvi 11th Bio Botany Guide Chapter 7 Cell Cycle 2

Question 14.
Given an account of the Go phase.
Answer:
Some cells exit G1 and enters a quiescent stage called G0, where the cells remain metabolically active without proliferation. Cells can exist for long periods in G0 phase. In G0 cells cease growth with reduced rate of RNA and protein synthesis. The G0 phase is not permanent. Mature neuron and skeletal muscle cell remain permanently in G0. Many cells in animals remains in G0 unless called onto proliferate by appropriate growth factors or other extracellular signals. G0 cells are not dormant.

Samacheer Kalvi 11th Bio Botany Guide Chapter 7 Cell Cycle

Question 15.
Write about the Pachytene and Diplotene stage of Prophase I.
Answer:
Samacheer Kalvi 11th Bio Botany Guide Chapter 7 Cell Cycle 3.
3. Pachytene stage

  • Chromosome appear as bivalent or tetrads
  • 4 chromatids & 2 centromeres are seen
  • Synapsis of homologous chromosomes between non-sister chromatids completes except at chiasmata where crossing over occurs
  • Recombination (exchange of chromosomal bits is completed by the end) – but chromosomes are linked at the sites of crossing over
  • Enzyme – Recombinase mediates the process.

Samacheer Kalvi 11th Bio Botany Guide Chapter 7 Cell Cycle

4. Diplotene

  • Synaptonemal complex disassembled & dissolves
  • Nonsister chromatids of homologous chromosomes get attached where x like shape occur at Crossing over known as chiasmata holding the homologous chromosomes together the homologous chromosomes tend to separate except at chiasmat
  • The sub-stage last for days or years depending on the sex & the organism follows Pachytene
  • synaptical complex disassembled & dissolves
  • The chromosomes are actively transcribed in females as the eggs stores up materials for embryonic development
  • Exception In Lamp brush chromosome prominent loops occur.

11th Bio Botany Guide Cell Cycle Additional Important Questions and Answers

I.Choose the correct answer: (1 Marks)

Question 1.
Most of the neurons in the brain are in …………… stage.
(a) G1
(b) S
(c) G2
(d) G0
Answer:
(d) G0

Question 2.
Un differentiated cells include
a) Stem cells in animals
b) Meristematic cells in plants
c) RBC which carry out the transportation of oxygen
d) Mesophyll cells which carry out photosynthesis
(i) a & b
(ii) c & d
(iii) a & c
(iv) b & c
Answer:
(i) a & b

Samacheer Kalvi 11th Bio Botany Guide Chapter 7 Cell Cycle

Question 3.
Robert Brown discovered the nucleus in the cells of …………… roots.
(a) Mirabilis
(b) Orchid
(c) Moringa
(d) Oryza
Answer:
(b) Orchid

Question 4.
The proteins that activate the cell to perform cell division are
a) Actin and Myosin
b) Kinases and Cyclin
c) Histamine and Cyclin
d) Tubulin and Actin
Answer:
b) Kinases & Cyclin

Samacheer Kalvi 11th Bio Botany Guide Chapter 7 Cell Cycle

Question 5.
The number of chromosomes in the onion cell is …………….
(a) 8
(b) 16
(c) 32
(d) 64
Answer:
(a) 16

Question 6.
Mitosis is called
a) Direct cell division
b) Indirect cell division
c) Mitotic Meiotic cell division
d) Reduction division
Answer:
a) Direct cell division

Samacheer Kalvi 11th Bio Botany Guide Chapter 7 Cell Cycle

Question 7.
During Anaphase
(I) The daughter chromosome move to the opposite poles due to the shortening of the phragmoplast
(II) due to the thickening of chromosomes
(III) Shortening of microtubules
(IV) Shortening of asters
Answer:
(III) Shortening of microtubules

Question 8.
Cell cycle was discovered by …………….
(a) Singer & Nicolson
(b) Prevost & Dumans
(c) Schleider & Schwann
(d) Boveri
Answer:
(b) Prevost & Dumans

Samacheer Kalvi 11th Bio Botany Guide Chapter 7 Cell Cycle

Question 9.
The cells without nucleus are
a) RBC – platelets, tracheids & vessels
b) RBC – sievetube, companion cells thrombocytes
c) WBC – platelets, companion cells & vessels
d) RBC – platelets, companion cells & neurons
Answer:
a) RBC – platelets, tracheids & vessels

Question 10.
The stage between two meiotic division is called
a) Cytokinesis
b) Interphase I
c) Inter kinesis
d) Interphase II
Answer:
c) Inter kinesis

Samacheer Kalvi 11th Bio Botany Guide Chapter 7 Cell Cycle

Question 11.
Replication of DNA occurs at …………… phase.
(a) G0
(b) G1
(c) S
(d) G2
Answer:
(c) S

II. Find out the true and false statements from the following and on that basis find the correct answer.

Question 1.
(I) Nucleolus disappear during the metaphase stage of mitosis
(II) The microtubules arrange to form asters in plant cells
(III) In plant cells phragmoplast is formed prior to the formation of cell plate
(IV) Mitosis is responsible for the Regeneration of lost arms of starfish
Samacheer Kalvi 11th Bio Botany Guide Chapter 7 Cell Cycle 4
Answer:
b) False – False – True- True

Samacheer Kalvi 11th Bio Botany Guide Chapter 7 Cell Cycle

Question 2.
(i) The word Protoplasm was coined by – Purkinje
(ii) Structure of bacteria was observed first – Edouard Van Beneden through a microscope by
(iii) Centrosome & Chromosome theory – Theodor Boveri Proposed by
(iv) Cell division in round Worm was – Walther Flemming Observed by
Samacheer Kalvi 11th Bio Botany Guide Chapter 7 Cell Cycle 5
Answer:
b) True – False – True – False

Question 3.
(i) C Value is the amount in picograms of DNA contained within a haploid Nucleus
(ii) Nucleolan membrane disappear during Ana Phase stage of mitosis
(iii) The arrangement of microtubules is called to form Asters -, which is a unique feature of plant cells
(iv) One of the protein synthesis in G2 – phase is known as Maturation Promoting Factor
Samacheer Kalvi 11th Bio Botany Guide Chapter 7 Cell Cycle 6
Answer:
a) True – False – False – True

Samacheer Kalvi 11th Bio Botany Guide Chapter 7 Cell Cycle

III. Find out the correct match from the following.

Question 1.
Zygotene – Chromosomes appear as tetrads
Pachytene – Synapsis of homologous chromosomes occur
Diplotene – Condensation of chromosomes takes place
Diakinesis – Terminalisation of chiasmata occur & Nucleolus Disappear
Answer:
Diakinesis -Terminalisation of chiasmata occur & Nucleolus Disappear

Question 2.
Duration of different Phases of cell cycle given find out the correct match
(I) S Phase – 12 Hours
(II) G1 Phase – 11 Hours
(III) G2 Phase – 4 Hours
(IV) M Phase – 2 Hours
Answer:
(III) G2 Phase – 4 Hours

IV. Find out the Wrong match

Question 1.
(I) The chromosome does not divide as chromatids, for centromere does not divide – Anaphase I
(II) The chromatids move to the opposite poles by the splitting of the centromere – Anaphase
(III) Sister chromatids get separated by splitting of Centromere – Anaphase II
(IV) Homologous chromosomes appear as bivalent or tetrad – Metaphase II
Answer:
(IV) Homologous chromosomes appear as bivalent or tetrad – Metaphase II

Samacheer Kalvi 11th Bio Botany Guide Chapter 7 Cell Cycle

Question 2.
Most nëurons remain in G-’o’ stage do not divide
(I) This technique can be applied to replace neurons in dementia patients
(II) neurons can be activated by giving electric shocks
(III) neurons can be replaced by surgical procedures
(IV) Dead or injured neurons can be replaced by stem cell therapy
Answer:
(IV) Dead or injured neurons can be replaced by stem cell therapy

V.

Question 1.
Match the following and find the
(I) Robert Brown – A) Coined the word cell
(II) Robert Hook – B) Coined the word Mitosis
(III) Schleiden & Schwann – C) Studied the presence of Nucleus in cells
(IV) Waither Flemming – D) Cell theory
Samacheer Kalvi 11th Bio Botany Guide Chapter 7 Cell Cycle 7
Answer:
d) C-A- D- B

Samacheer Kalvi 11th Bio Botany Guide Chapter 7 Cell Cycle

Question 2.
(I) Cell cycle – A) division that follows the nuclear division
(II) Restriction point – B) Longest part but not resting stage
(III) lnterphae – C) A series of events leading to the formation of a new Cell
(IV) Cytokinesis – D) The checkpoint at the end of Gi determine a cell’s fate
Samacheer Kalvi 11th Bio Botany Guide Chapter 7 Cell Cycle 8
Answer:
c) C-D- B- A

VI. 

Question 1.
Read the following Assertion and Reason. Find the correct answer
Assertion A: The mitochondrial inheritance in higher animals is uniparental
Reason R: The mitochondria from the male partner either undergo degeneration or rejected and only mitochondria from egg or ova is accepted.
(a) Assertion and Reason are correct Reason is explaining assertion
(b) Assertion and Reason are correct, but the reason is not explaining assertion
(c) Assertion is true but Reason not explaining assertion
(d) Assertion is true but Reason is wrong
Answer:
a) Assertion and Reason are correct. Reason is explaining assertion

Samacheer Kalvi 11th Bio Botany Guide Chapter 7 Cell Cycle

Question 2.
Assertion A: In Meiosis Prophase I is a longer but significant phase
Reason R: Chiasma formation and crossing over takes place and recombination takes place
(a) Assertion and Reason are correct Reason is explaining Assertion
(b) Assertion and Reason are correct but Reason is not explaining Assertion
(c) Assertion is true but Reason is wrong
(d) Assertion is true but Reason not explaining Assertion
Answer:
b) Assertion and Reason are correct but Reason is not explaining Assertion

Question 3.
Assertion A: Interphase is the longest part of cell division and the cell actively involved protein synthesis & DNA synthesis
Reason: The Interphase is also known as the resting phase, & the cell takes rest between successive cell division
(a) Assertion and Reason are correct Reason is explaining Assertion
(b) Assertion and Reason are correct but Reason is not explaining Assertion
(c) Assertion is true but Reason is wrong
(d) Assertion is true but Reason not explaining assertion
Answer:
c) Assertion is true but Reason is wrong

Samacheer Kalvi 11th Bio Botany Guide Chapter 7 Cell Cycle

Question 4.
Assertion A: The sister chromatids of homologous chromosomes exchange chromosomal bits
Reason R: This process of exchange of chromosomal bits is known as crossing over
(a) Assertion and Reason are correct Reason is explaining Assertion
(b) Assertion and Reason are correct but Reason is not explaining Assertion
(c) Assertion is true but Reason is wrong
(d) Assertion is true but Reason not explaining assertion
Answer:
d) Assertion is true but Reason not explaining assertion

VII. 

Question 1.
See the diagram & label the parts
Samacheer Kalvi 11th Bio Botany Guide Chapter 7 Cell Cycle 9
Answer:
A – Leptotene
B – Chromosomes are visible under a light microscope
C – Paired sister chromatids begin to condense

Samacheer Kalvi 11th Bio Botany Guide Chapter 7 Cell Cycle

Question 2.
See the diagram and write the correct answer.
Samacheer Kalvi 11th Bio Botany Guide Chapter 7 Cell Cycle 10

A

BC

D

a) Cell growthinterphaseMitotic phaseCyto kinesis
b) InterphaseCell growthMitotic phaseCytokinesis
c) Cell growthInter PhaseCytokinesisMitotic phase
d) InterphaseCell growthCytokinesesMitotic phase

Answer:
a) Cell growth – Interphase – Mitotic phase – Cyto kinesis

Question 3.
See the diagram & label Find out the correct labelling.
Samacheer Kalvi 11th Bio Botany Guide Chapter 7 Cell Cycle 11

ABCD
a)ChromatinKineto choreSee constrictionCentromere
b)CentromereChromatinSee constrictionKineto chore
c)CentromereKineto choreChromatinCentomere
d)ChromatinSee ConstrictionKineto choreCentomere

Answer:
b) Centromere – Chromatin – Secondary constriction – Kinetochore

Samacheer Kalvi 11th Bio Botany Guide Chapter 7 Cell Cycle

Question 4.
Label the diagram properly.
Samacheer Kalvi 11th Bio Botany Guide Chapter 7 Cell Cycle 12
Answer:
A – Non-sister Chromatids
B – Centromere
C – Chiasma
D – Bivalent or Tetrad

Question 5.
Samacheer Kalvi 11th Bio Botany Guide Chapter 7 Cell Cycle 13
Answer:
A – Outer kinetochore
B – Fibrous corona
C – Inner Kinetochore
D – Microtubules

Samacheer Kalvi 11th Bio Botany Guide Chapter 7 Cell Cycle

2 Mark Questions.

Question 1.
Name the two types of nuclear division.
Answer:
The two types of nuclear division:

  1. Mitosis and
  2. Meiosis.

Question 2.
What are the reasons for the arresting growth of cell during G1 Phase?
Answer:

  • Deprivation of nutrition
  • Lack of growth factors or density-dependent inhibition occur
  • Some metabolic changes leads to Go – stage

Samacheer Kalvi 11th Bio Botany Guide Chapter 7 Cell Cycle

Question 3.
Point out the reasons responsible for the arresting of the cell in the G1 phase?
Answer:
Cells are arrested in G1 due to:

  • Nutrient deprivation
  • Lack of growth factors or density dependant inhibition
  • Undergo metabolic changes and enter into G0 state.

Question 4.
Differentiate between karyokinesis and Cytokinesis of Amitosis.
Answer:

Karyokinesis

Cytokinesis

Division of Nucleus occurDivision of Cytoplasm occur
Nucleus develop contraction at the centre become dumbbell shaped contriction deepen divide nucleus into twoPlasma membrane develop constriction along with nuclear contraction, which deepen centripetally and the cell divides into two

Question 5.
Define amitosis & write about its drawbacks.
Answer:
Amitosis is known as Direct cell division or Incipient cell division.
No spindle formation, no condensation of chromatin material occur.

It has one 2 steps

  1. Karyokinesis
  2. Cytokinesis

Drawbacks: Causes unequal distribution of chromosomes Can lead to abnormalities in

  • metabolism
  • reproduction

Samacheer Kalvi 11th Bio Botany Guide Chapter 7 Cell Cycle

Question 6.
Distinguish between Closed and Open mitosis.
Answer:

Closed mitosis

Open mitosis

Nuclear envelope remain intact & chromosomes migrate to opposite poles of a spindle with in the Nucleus
Eg – Unicellular Eukaryotes – Yeast, Slime molds
Nuclear envelope breaks down and then reforms around the 2 sets of separated Chromosome
Eg – Most higher Plants & Animals

Question 7.
Differentiate between Anastral and Amphiastral cell division
Answer:

Anastral

Amphiastral

  • Occur in plant cell
  • No asters or centrioles are formed,
    only spindle fibres are formed Eg. Plants
  • Occur in animal cells
  • Asters and centrioles formed at each pole of the spindle during cell division Eg. Animals

Question 8.
What happens to plant cells at the end of Telophase in Mitosis?
Answer:
In plants, phragmoplast are formed between the daughter cells. A cell plate is formed between the two daughter cells, reconstruction of cell wall takes place. Finally, the cells are separated by the distribution of organelles, macromolecules into two newly formed daughter cells.

Samacheer Kalvi 11th Bio Botany Guide Chapter 7 Cell Cycle

Question 9.
Differentiate meiosis in Plants & Animals.
Answer:

Plants

Animals

In flowering plants meiosis occur during Microsporogenesis (anther) & in Mega sporogenesis (i.e) (ovule) developmentIt take place in reproductive organs at the time of production of gametes Spermatogenesis – produces haploid sperms Oogenesis – produces haploid eeas

Question 10.
Define Mitogens.
Answer:

  • The biochemical substances or factors which promote cell cycle acceleration & proliferation is called Mitogen.
  • Eg. Gibberellin, Ethylene, Indole Acelic Acid, Kinetin.
  • They are also known as Growth promotors.

Samacheer Kalvi 11th Bio Botany Guide Chapter 7 Cell Cycle

Question 11.
Explain briefly about Endomitosis.
Answer:
The replication of chromosomes in the absence of nuclear division and cytoplasmic division resulting in numerous copies within each cell is called endomitosis. Chromonema do not separate to form chromosomes but remain closely associated with each other. Nuclear membrane does not rupture. So no spindle formation. It occurs notably in the salivary glands of Drosophila and other flies. Cells in these tissues contain giant chromosomes (polyteny), each consisting of over thousands of intimately associated, or synapsed, chromatids. Example: Polytene chromosome.

3 Mark Questions

Question 1.
Write down the significance of Meiosis.
Answer:

  • Maintain chromosome number constant
  • Crossing over (exchange of genetic meterial) leads to variations
  • Variation – the raw material for Evolution
  • Finally, meiosis produces genetic variability by partitioning different combinations of genes into gametes through an independent assortment.
  • Responsible for Adaptations of organisms to various environmental stress.

Samacheer Kalvi 11th Bio Botany Guide Chapter 7 Cell Cycle

Question 2.
Differentiate between Mitosis in Plants & Animals.
Answer:

Plants

Animals

Centrioles are absentCentrioles are present
Asters are not formedAsters are formed
Cell division involves the formation of a cellCell division involves furrowing and cleavage of cytoplasm
Occurs mainly at the meristemOccurs in tissues throughout the body

Question 3.
Explain Endomitosis.
Answer:
Sometimes, the replication of chromosomes occur in the absence of karyokinesis & cytokinesis resulting in numerous copies within each cell condition known as Endomitosis.

  • Chromonema donot separate to form Chromosomes
  • Nuclear membrance does not repture
  • No spindle formation occur
  • Each chromosome consisting of over thousands of synapsed Chromatids
    Eg – Salvary gland chromosome of Drosophila (Polytene or Chromosome).

Samacheer Kalvi 11th Bio Botany Guide Chapter 7 Cell Cycle

Question 4.
Differentiate between Anaphase I & Anaphase II of Meiosis.
Answer:
Samacheer Kalvi 11th Bio Botany Guide Chapter 7 Cell Cycle 14

5 Mark Questions

Question 1.
Explain in detail the various stages of Prophase I.
Answer:
The various stages of Prophase I:
1. Prophase I – Prophase I is of longer duration and it is divided into 5 substages – Leptotene, Zygotene, Pachytene, Diplotene and Diakinesis.

2. Leptotene – Chromosomes are visible under light microscope. Condensation of chromosomes takes place. Paired sister chromatids begin to condense.

3. Zygotene – Pairing of homologous chromosomes takes place and it is known as synapsis. Chromosome synapsis is made by the formation of synaptonemal complex. The complex formed by the homologous chromosomes are called as bivalent (tetrads).

4. Pachytene – At this stage bivalent chromosomes are clearly visible as tetrads. Bivalent of meiosis I consists of 4 chromatids and 2 centromeres. Synapsis is completed and recombination nodules appear at a site where crossing over takes place between non – sister chromatids of homologous chromosome. Recombination of homologous chromosomes is completed by the end of the stage but the chromosomes are linked at the sites of crossing over. This is mediated by the enzyme recombinase.

5. Diplotene – Synaptonemal complex disassembled and dissolves. The homologous chromosomes remain attached at one or more points where crossing over has taken place. These points of attachment where ‘X’ shaped structures occur at the sites of crossing over is called.

6. Chiasmata: Chiasmata are chromatin structures at sites where recombination has been taken place. They are specialised chromosomal structures that hold the homologous chromosomes together. Sister chromatids remain closely associated whereas the homologous chromosomes tend to separate from each other but are held together by chiasmata. This substage may last for days or years depending on the sex and organism. The chromosomes are very actively transcribed in females as the egg stores up materials for use during embryonic development. In animals, the chromosomes have prominent loops called lampbrush chromosome.

7. Diakinesis – Terminalisation of chiasmata. Spindle fibres assemble. Nuclear envelope breaks down. Homologous chromosomes become short and condensed. Nucleolus disappears.

Samacheer Kalvi 11th Bio Botany Guide Chapter 7 Cell Cycle

Question 2.
Explain karyokinesis in mitosis of plant cell
Answer:
Samacheer Kalvi 11th Bio Botany Guide Chapter 7 Cell Cycle 15

Prophase – Longest Phase

  • Chromosomes visible thread like condenses into thick chromosomes
  • Initiation of spindle fibres occur
  • Nucleolus disappear Nuclear envelope breaks down
  • Golgi apparatus & ER not seen

Metaphase

  • Sister chromatids attached to spindle fibres by kinetochore of centromere
  • Chromosome align on the equatorial plane (metaphase plate)
    (spindle assembly check point decide the fate of the cell)

Anaphase

  • Centromere split daughter chromatids move to opposite poles
  • Shortening of spindle create pull divide centromere & divide chromosome into a chromatids
    (APC /C leads to degradation of protein lead to separation of chromatids

Telophase

  • Genetic material division completed Nucleolus & Nuclear membrane reform.
  • Sister chromatids become thick chromosomes with its own centromere.

Samacheer Kalvi 11th Bio Botany Guide Chapter 7 Cell Cycle

Question 3.
Explain S phase & G2 phase, til S Phase
Answer:
(i) S Phase:

  • Known as synthetic phase of interphase of mitosis
  • Growth of cell continues
  • Replication of DNA occur
  • Histones synthesised and attach to DNA
  • Duplication of centrioles occur
  • DNA content doubles from 2C to 4C

(ii) G2 phase

  • 4 C amount of DNA
  • Cell growth continues
  • Synthesis of
    • organelle,
    • mitochondria & chloroplast
    • tubulin synthesised, microtubules formed
  • Spindle begin to occur
  • Nuclear division follows
  • MPF (Maturation Promoting factor) formed brings out condensation of interphase chromosomes into mitotic form.

Samacheer Kalvi 11th Bio Botany Guide Chapter 7 Cell Cycle

Question 4.
Draw the Cell cycle.
Answer:
Samacheer Kalvi 11th Bio Botany Guide Chapter 7 Cell Cycle 16

Question 5.
What are the significances of Mitosis.
Answer:
Exact copy of the parent cell is produced by mitosis (genetically identical).

  1. Genetic stability – Daughter cells are genetically identical to parent cells.
  2. Growth – As multicellular organisms grow, the number of cells making up their tissue increases. The new cells must be identical to the existing ones.
  3. Repair of tissues – Damaged cells must be replaced by identical new cells by mitosis.
  4. Asexual reproduction – Asexual reproduction results in offspring that are identical to the parent. Example Yeast and Amoeba.
  5. In flowering plants, structure such as bulbs, corms, tubers, rhizomes and runners are produced by mitotic division. When they separate from the parent, they form a new individual. The production of large numbers of offsprings in a short period of time, is possible only by mitosis. In genetic engineering and biotechnology, tissues are grown by mitosis (i.e. in tissue culture).
  6. Regeneration – Arms of starfish

Samacheer Kalvi 11th Bio Botany Guide Chapter 7 Cell Cycle