ICSE Class 10 Computer Applications Sample Question Paper 14 with Answers

ICSE Class 10 Computer Applications Sample Question Paper 14 with Answers

Maximum Marks: 50
Time: 2 Hours

Section – A [10 Marks]
Attempt all questions

Question 1.
Choose the correct answers to the questions from the given options. (Do not copy the question, write the correct answer only)
(i) Which of these is a super class of wrappers Long, Character and Integer?
(a) Long
(b) Digits
(c) Float
(d) Number
Answer:
(d) Number
Explanation:
Number is an abstract class containing subclasses Double, Float, Byte, Short, Integer and Long.

ICSE Class 10 Computer Applications Sample Question Paper 14 with Answers

(ii) Which of the following statements are incorrect?
(a) String is a class
(b) Strings in java are mutable
(c) Every string is an object of class String
(d) Java defines a peer class of String, called StringBuffer, which allows string to be altered
Answer:
(b) Strings in java are mutable
Explanation:
Strings in Java are immutable that is they can not be modified.

(iii) What will be the output of the following Java program? class string _Term2
{
public static void main(String args[])
{
String obj = “I” + “like” + “Java”;
System.out.println(obj);
}
}
(a) I
(b) like
(c) Java
(d) IIikejava
Answer:
(d) Ilikejava
Explanation:
Java defines an operator +, it is used to concatenate strings.

ICSE Class 10 Computer Applications Sample Question Paper 14 with Answers

(iv) Which of these is a wrapper for simple data type char?
(a) Float
(b) Character
(c) String
(d) Integer
Answer:
(b) Character
Explanation:
In Java Character is wrapper class for char type.

(v) Non static functions can access:
(a) Static data members
(c) Both (a) and (b)
(b) Non static data members
(d) None of these
Answer:
(c) Both (a) and (b)
Explanation:
In java, non static functions can access both static data members and non static data members.

ICSE Class 10 Computer Applications Sample Question Paper 14 with Answers

(vi) Given a string str=”FilmFestiva12021″;
The statement str.substring(4,12).toUpperCase() will produce :
(a) Film
(b) Fest
(c) Festival
(d) FESTIVAL
Answer:
(d) FESTIVAL
Explanation:
str.substring(4,12) returns characters from index 4 to 11, that is “Festival” and toUpperCase() converts it to FESTIVAL.

(vii) Which among the following best describes encapsulation?
(a) It is a way of combining various data members into a single unit.
(b) It is a way of combining various member functions into a single unit.
(c) It is a way of combining various data members and member functions into a single unit which can operate on any data.
(d) It is a way of combining various data members and member functions that operate on those data members into a single unit.
Answer:
(d) Encapsulation
Explanation:
It is a way of combining both data members and member functions, which operate on those data members, into a single unit. We call it a class in OOPs generally.

ICSE Class 10 Computer Applications Sample Question Paper 14 with Answers

(viii) The most strict access specifier is:
(a) Private
(b) Public
(c) Protected
(d) Default
Answer:
(a) Private
Explanation:
The Private access specifier is most strict as private members can be accessed only in the class where they are defined.

(ix) Consider the following two statements : int x = 25;
Integer y = new Integer(33);
What is the difference between these two statements?
(a) Primitive data types
(b) Primitive data type and an object of a wrapper class
(c) Wrapper class
(d) None of the above
Answer:
(b) Primitive data type and an object of a wrapper class
Explanation:
Here the variable x is of primitive data type. Whereas Integer y is an object of Integer wrapper class.

ICSE Class 10 Computer Applications Sample Question Paper 14 with Answers

(x) Void is not a wrapper class
(a) True
(b) False
Answer:
(a) True
Explanation:
Unlike the other wrappers Void class doesn’t store a value of type void in itself and hence is not a wrapper in true essence. – The Void class according to javadoc exists because of the fact that some time we may need to represent the void keyword as an object.

Section – B  (40 Marks)
Attempt any four questions

Attempt any four questions from this Section
The answers in this Section should consist of the Programs in either Blue J environment or any program environment with Java as the base. Each program should be written using Variable descriptions/Mnemonic Codes such that the logic of the program is clearly depicted. Flow-Charts and Algorithms are not required.

Question 2.
Write a program in Java to store 20 temperatures in °F in a Single Dimensional Array (SDA) and display all the temperatures after converting them into °C.
Hint: (c/5) = (f – 32) / 9
Answer:

import java.util.Scanner;
public class Temperature
{
public static void main(String args[])
{
Scanner in = new Scanner(System.in);
double arr[] = new double[20];
System.out.println("Enter 20 temperatures in degree Fahrenheit");
for (int i = 0; i < arr.length; i++)
{
arr[i] = in.nextDouble();
}
System.out.println("Temperatures in degree Celsius");
for (int i = 0; i < arr.length; i++)
{
double tc = 5 * ((arr[i] - 32) / 9);
System.out.println(tc);
}
}
}

ICSE Class 10 Computer Applications Sample Question Paper 14 with Answers

Question 3.
Write a program to input a sentence. Find and display the following:
(i) Number of words present in the sentence
(ii) Number of letters present in the sentence
Assume that the sentence has neither include any digit nor a special character.
Answer:

import java.util.Scanner;
public class WordsNLetters
{
public static void main(String args[])
{
Scanner in = new Scanner(System.in);
System.out.println("Enter a sentence:");
String str = in.nextLine();
int wCount = 0, ICount = 0;
int len = str.length();
for (int i = 0; i < len; i++)
{
char ch = str.charAt(i);
if (ch ='') wCount++;
else
lCount++;
}
wCount++;
System.out.println("No. of words = " + wCount);
System.out.println("No. of letters = " + ICount);
}
}

ICSE Class 10 Computer Applications Sample Question Paper 14 with Answers

Question 4.
Write a program to accept name and total marks of N number of students in two single subscript arrays name[] and totalmarks[ ]. Calculate and print:
(i) The average of the total marks obtained by N number of students.
[average = (sum of total marks of all the students)/N]
(ii) Deviation of each student’s total marks with the average.
[deviation = total marks of a student – average]
Answer:

import java.util.Scanner;
public class ArrayProcessing
{
public static void main(String args[])
{
Scanner in = new Scanner(System.in);
System.out.print("Enter number of students: ");
int n = in.nextlnt();
String nameQ = new String[n];
int totalmarks[] = new int[n];
int grandTotal = 0;
for (int i = 0; i < n; i++)
{
in.nextLine();
System.out.print("Enter name of student" + (i+1) + ");
name[i] = in.nextLine();
System.out.print("Enter total marks of student " + (i+1) + ");
totalmarks[i] = in.nextlnt();
grandTotal += totalmarks[i];
}
double avg = grandTotal / (double)n;
System.out.println("Average = " + avg);
for (int i = 0; i < n; i++)
{
System.out.println("Deviation for " + name[i] + " = " + (totalmarks[i] - avg));
}
}
}

ICSE Class 10 Computer Applications Sample Question Paper 14 with Answers

Question 5.
Write a program in Java to accept a name(Containing three words) and Display only the initials (i.e., first letter of each word).
Sample Input: NARAYAN KUMAR DEY
Sample Output: N K D
Answer:

import java.util.Scanner;
public class Namelnitials
{
public static void main(String args[])
{
Scanner in = new Scanner(System.in);
System.out.println("Enter a name of 3 or more words:");
String str = in.nextLine();
int len = str.length();
System.out.print(str.charAt(0) + " ");
for (int i = 1; i < len; i++)
{
char ch = str.charAt(i);
if (ch ='')
{
char ch2 = str.charAt(i + 1);
System.out.print(ch2 + " ");
}
}
}
}

ICSE Class 10 Computer Applications Sample Question Paper 14 with Answers

Question 6.
Write a program in Java to accept a name containing three words and display the surname first, followed by the first and middle names.
Sample Input: LALA MOHENDAR AMARNATH
Sample Output: AMARNATH LALA MOHENDAR
Answer:

import java.util.Scanner;
public class SurnameFirst
{
public static void main(String args[])
{
Scanner in = new Scanner(System.in);
System.out.println("Enter a name of 3 words:");
String name = in.nextLine();
int lastSpaceldx = name.lastIndexOf('');
String surname = name.substring(lastSpaceIdx + 1);
String initialName = name.substring(0, lastSpaceldx);
System.out.println(sumame + " " + initialName);
}
}

ICSE Class 10 Computer Applications Sample Question Paper 14 with Answers

Question 7.
Write a program in Java to enter a String/Sentence and display the longest word and the length of the longest word present in the String.
Sample Input: “SOURAV GANGULY IS THE PRESIDENT OF BCCI”
Sample Output: The longest word: PRESIDENT: The length of the word: 9
Answer:

import java.util.Scanner;
public class LongestWord
{
public static void main(String args[])
{
Scanner in = new Scanner(System.in);
System.out.println("Enter a word or sentence:");
String str = in.nextLine();
str += " //Add space at end of string
String word = ""; IWord = "";
int len = str.length();
for (int i = 0; i < len; i++) { char ch = str.charAt(i); if (ch ='') { if (word.length() > lWord.length())
IWord = word;
word = "";
}
else
{
word += ch;
}
}
System.out.println("The longest word: " + IWord +
": The length of the word: " + lWord.length());
}
}
ICSE Class 10 Computer Applications Question Papers with Answers

ICSE Class 10 Chemistry Sample Question Paper 6 with Answers

ICSE Class 10 Chemistry Sample Question Paper 6 with Answers

Maximum Marks: 40
Time: 1 1/2 Hours

Section-A [10 Marks]
(Attempt all questions from this Section)

Question 1.
Choose the correct answers to the questions from the given options. (Do not copy the question, write the correct answer only.)
(i) The product obtain at the end of the reaction, as shown in the following figure is:
ICSE Class 10 Chemistry Sample Question Paper 6 with Answers 1
(a) Sulphuric acid
(b) Nitric acid
(c) Hydrochloric acid
(d) Hydrogen chloride gas
Answer:
(c) Hydrochloric acid
Explanation:
This arrangement shown the production of HCl gas using sodium chloride and sulphuric acid. The gas so produced is then purified using cone. H2SO4 and then pass through an empty beaker. At last, passes through water which produces hydrochloric acid. Hence the end product is HCl acid.

(ii) The reaction taking place in the Haber’s process is ________ reaction.
(a) Endothermic and irreversible
(b) Endothermic and reversible
(c) Exothermic and reversible
(d) Exothermic and irreversible
Answer:
(c) Exothermic and reversible
Explanation:
The reaction of nitrogen and hydrogen gas to produce ammonia is highly exothermic as it produces an enormous amount of heat. Also, it is reversible in nature. The reason is that some of produce, ammonia, converts back to the original reactants, nitrogen and hydrogen, under the reaction conditions. Since the reverse reaction occurs under the same conditions as the forward reaction, the reaction is reversible.

ICSE Class 10 Chemistry Sample Question Paper 6 with Answers

(iii) Reaction of copper with dil. and cone, nitric acid yields ________ and ________ gases respectively.
(a) NO and NO2
(b) NO2 and NO3
(c) NO and NO3
(d) NO and N2
Answer:
(a) NO and NO2
Explanation:
3Cu + 8HNO3(dil.) → 3 Cu(NO3)2 + 4H2O + 2NO
Cu + HNO3(conc.) → Cu(NO3)2 + NO2 + H2O
Both dilute and concentrated nitric acid reacts with copper to give salt of copper nitrate and water. However, both of these acids produce different gases. Dilute nitric acid produces nitrous oxide, whereas concentrated nitric acid produces nitrogen dioxide.

(iv) Pyrosulphuric acid is the chemical name of:
(a) Green vitriol
(b) White vitriol
(c) Oleum
(d) Gypsum
Answer:
(c) Oleum
Explanation:
Oleum is a common name of a compound having molecular formula H2S2O7. This compound is also known as pyrosulphuric acid. It is produced during the manufacturing of sulphuric acid in the contact process.

(v) An unsaturated hydrocarbon having a triple covalent bond has 50 hydrogen atoms in its molecule. The number of “C” atoms in its molecule will be:
(a) 24
(b) 25
(c) 28
(d) 26
Answer:
(d) 26
Explanation:
The compounds containing triple bond are known as alkynes and they have the general formula of CnH2n-2. Where, n is the number of atoms in one molecule. If the number of hydrogen atoms in its molecule is 50, then the number of carbon atoms should be 26 (2n – 2 = 50) therefore n = 26.

(vi) In electrolytic reduction of alumina the reaction of oxidation of anode by oxygen produces:
(a) N2 gas
(b) H2 gas
(c) CO2 gas
(d) O2gas
Answer:
(c) CO2 gas
Explanation:
In electrolytic reduction of alumina, oxygen is produced at anode. This oxygen oxidizes anode (which is made up of graphite) to initially give carbon monoxide, which when further combines with oxygen produces carbon dioxide gas.

ICSE Class 10 Chemistry Sample Question Paper 6 with Answers

(vii) The addition of water inside the flask containing HCl gas in fountain experiment the ________ inside the flask.
(a) Lowers; pressure
(b) Increases; pressure
(c) Lowers; number of moles
(d) Increases; temperature
Answer:
(a) Lowers; pressure
Explanation:
The HCl gas present inside the flask, when mixed with water, lowers the pressure inside the flask as some gas molecules dissolve in water.

(viii) In the contact process, platinum is replaced by the catalyst V2O5 because:
(a) Platinum has highly reactive in nature
(b) Platinum is costly and can be easily poisoned
(c) Platinum is cheap
(d) Platinum does not act as a catalyst
Answer:
(b) Platinum is costly and can be easily poisoned
Explanation:
Platinum is an efficient catalyst, but it is costly and easily poisoned by arsenic oxide. V2O5 is an efficient catalyst and less expensive than platinum and hence is a suitable replacement for platinum.

(ix)

Column-I Column-II
(1) Functional group present in alcohol. (i) Addition reaction.
(2) Characteristic reaction of saturated hydrocarbon. (ii) Preservation of fish.
(3) Characteristic reaction of unsaturated hydrocarbon. (iii) Substitution reaction.
(4) Use of vinegar. (iv) -OH

Which option is correct?
(a) (1)-(iv), (2)-(iii), (3)-(i), (4)-(ii)
(c) (1)-(iii), (2)-(iv), (3)-(ii), (4)-(i)
(b) (1)-(iv), (2)-(iii), (3)-(ii), (4)-(i)
(d) None of these
Answer:
(a) (1)-(iv), (2)-(iii), (3)-(i), (4)-(ii)

(x) Complete the reaction by giving all the products formed:
(a) CO2 + H2O
(b) CO2 + N2 + H2O
(c) NO2 + CO2 + H2O
(d) N2O + CO + H2
Answer:
(c) NO2 + CO2 + H2O
Explanation:
Carbon reacts with concentrated nitric acid to give carbon dioxide, water and nitrogen dioxide gas. Due to the strong oxidising nature of nitric acid, it oxidises carbon to CO2. The reaction is given as
C + 4HNO3 → CO2 + 2H2O + 4NO2

Section-B [30 Marks]
(Attempt any three questions from this Section)

Question 2.
(i) Define:
(a) Mineral
(b) Isomers
(ii) Name the compound formed when:
(a) The property to form long chains of atoms through chemical linkage among the atoms.
(b) A fertilizer made by combining ammonia and carbon dioxide.
(iii) Draw the structural diagram of:
(a) 2, 3-Dimethyl butane
(b) 2-Propanol
(c) 1-Propanal
(iv) Complete and balance the following chemical equations:
(a) C2H4 + H2
(b) S + HNO3\(\stackrel{\Delta}{\longrightarrow}\)
(c) C12H22O11 + H2SO4
Answer:
(i) (a) The naturally occurring compounds of elements are known as mineral. It has a definite chemical composition and ordered atomic structure.
(b) Compounds having the same molecular formula, but different structural formula, are called ‘isomers’ of one another and this phenomenon is called ‘isomerism’.

(ii) (a) Catenation
(b) Urea (NH2CONH2)
ICSE Class 10 Chemistry Sample Question Paper 6 with Answers 2

Question 3.
(i) Identify the anion present in the following compounds :
(a) Compound X on heating, with copper turnings and concentrated sulphuric acid liberates a reddish brown gas.
(b) Compound L on reacting with barium chloride solution gives a white precipitate insoluble in dilute hydrochloric acid or dilute nitric acid.
(ii) Identify the gas evolved in each of the following cases :
(a) A colourless gas liberated on decomposition of nitric acid
(b) The gas released when sodium carbonate is added to a solution of sulphur dioxide.
(iii) State the observation for the following, when:
(a) Ethanol is heated with cone. H2SO4 at 170°C.
(b) Silver nitrate solution is added to dilute hydrochloric acid.
(c) Zinc sulphide is heated with dilute hydrochloric acid.
(iv) Write balanced equation for the following conversions:
(a) Ethane to ethyl chloride.
(b) Ferric hydroxide from ferric chloride.
(c) Ammonium nitrate from ammonia.
Answer:
(i) (a) Nitrate ion, NO3
(because reddish brown fumes are evolved with turns KI paper brown. This shows the presence of NO3 ion.)

(b) Sulphate ion, SO42-
(BaCl2 + SO42- → BaSO4 + 2 Cl)

(ii) (a) Nitrogen dioxide (4HNO3 → 2H2o + 4NO2 + o2)
(b) Carbon dioxide gas (Na2Co3 + 2So2 + H2O → 2NaHSO3 + CO2)

(iii) (a) When ethanol is heated with cone. H2SO4 at 170°C, it undergoes dehydration and forms ethene.
ICSE Class 10 Chemistry Sample Question Paper 6 with Answers 3

(b) When silver nitrate solution is added to dilute hydrochloric acid, an insoluble white precipitate of silver chloride is formed.
ICSE Class 10 Chemistry Sample Question Paper 6 with Answers 4

(c) When zinc sulphide is heated with dilute hydrochloric acid, a colourless hydrogen sulphide gas is evolved, which has a rotten egg smell.
ICSE Class 10 Chemistry Sample Question Paper 6 with Answers 5

(iv) (a) When equal volumes of ethane and chlorine are exposed to diffused sunlight, they react to form ethyl chloride (monochloroethane).
ICSE Class 10 Chemistry Sample Question Paper 6 with Answers 6

(b) When an aqueous solution of ammonia is added to ferric chloride solution, a reddish brown precipitate of ferric hydroxide is produced which is insoluble even in the excess of ammonium hydroxide.
ICSE Class 10 Chemistry Sample Question Paper 6 with Answers 7

(c) Ammonia reacts with nitric acid to from ammonium nitrate.
ICSE Class 10 Chemistry Sample Question Paper 6 with Answers 8

Question 4.
(i) State the relevant reason for the following:
(a) Hydrocarbons are excellent fuels. Give reason.
(b) The mixture of nitrogen and hydrogen gases entering the catalyst chamber must be pure. Why?
(ii) Name the metals which can be extracted from the following ores:
(a) Bauxite
(b) Haematite
(iii) Identify the terms for the following:
(a) An alloy used in the manufacturing of pressure cookers.
(b) An explosive formed when ammonia and chlorine react together.
(c) The first member of alkyne series.
(iv) The following questions are based on the preparation of ammonia gas in the laboratory:
(a) Name the compound normally used as a drying agent during the process.
(b) How is ammonia gas collected?
(c) Explain why it is not collected over water.
Answer:
(i) (a) Hydrocarbons are excellent fuels because they ignite easily at low temperature and liberate large amount of heat without producing harmful products.

(b) The mixture of nitrogen and hydrogen gases entering the catalyst chamber must be pure, because the presence of carbon dioxide, carbon monoxide and traces of sulphur compound poisoned the catalyst. Therefore, the removal of these catalyst poison from nitrogen and hydrogen is very essential.

(ii) (a) Aluminium
(b) Iron

(iii) (a) Duralumin (alloy of 95% Al as steel, 4% Cu„ 0.5% Mn and 0.5% Mg)
(b) Nitrogen trichloride (NH3 + 3Cl2 → 3HCl + NCl3)
(c) Acetylene (Ethyne) C2H2.

(iv) (a) Quick lime. (CaO is a hydroscopic salt as it readily absorbs moisture)
(b) By downward displacement of air.
(c) It is highly soluble in water.

ICSE Class 10 Chemistry Sample Question Paper 6 with Answers

Question 5.
(i) Write the names and molecular formulas of following:
(a) Third member of homologous series of alkynes.
(b) Member of homologous series of alkenes having the molecular weight of 56
(ii) Select the correct answer from the brackets to complete the following statements:
(a) Ammonia gas is dried by using ________ during its laboratory preparation.
(b) Sodium carbonate on treatment with hydrochloric acid gives sodium chloride and ________ gas. (oxygen/carbon dioxide/carbon monoxide)
(iii) Give the IUPAC names of the following organic compound:
ICSE Class 10 Chemistry Sample Question Paper 6 with Answers 10
(iv) Write balanced chemical equation to show preparation of sulphuric acid using :
(a) SO3
(b) cone. HNO3
(c) Cl2
Answer:
(i) (a) Butyne (Methyne is not possible, thus, first member is Ethyne, second member is Propyne and third member is Butyne. C4H6

(b) Butene, C4H8 (Molecular weight of C4H8 = 12 x 4 + 1 x 8)
= 48 + 8
= 56u

(ii) (a) Quick lime
(b) Carbon dioxide (Na2Co3 + 2HCl → 2NaCl + CO2 + H2O)

(iii) (a) But-l-ene
(b) 2, 2, 3, 3-Tetramethyl butan-l-ol
(c) But-2-yne

(iv) (a) SO3 + H2O → H2SO4
(b) IMGGG
(c) SO2 + 2H2O + Cl2 → H2SO4 + 2HCl

ICSE Class 10 Chemistry Sample Question Paper 6 with Answers

Question 6.
(i) Distinguish between the following:
(a) Ethene and ethane [using potassium permanganate solution]
(b) Dilute HCl and dilute H2SO4 [using lead nitrate solution]
(ii) Give one word for the following statements:
(a) The shape of methane molecule.
(b) The most common ore of aluminium.
(iii) A, B, C and D summarize the properties of sulphuric add depending on whether it is dilute or concentrated. Choose the property (A, B, C or D), depending on which is relevant to each of the preparations (a) to (c):
(A) Dilute acid (typical acid properties)
(B) Non-volatile acid.
(C) Oxidizing agent.
(D) Dehydrating agent
(a) Preparation of hydrogen chloride.
(b) Preparation of ethene from ethanol.
(c) Preparation of copper sulphate from copper oxide.
(iv) (a) Write a balanced equation for the complete combustion of ethane.
(b) Name a solid which can be used instead of concentrated sulphuric acid to prepare ethylene by the dehydration of ethanol.
(c) Ethylene forms an addition product with chlorine. Name this addition product and write its structural formula.
Answer:
(i) (a) When few drops of purple colour potassium permanganate is added to ethane, its purple colour does not fades but when a few drops of it is added to ethene, the solution decolourizes.

(b) Lead nitrate reacts with dilute HCl to form the insoluble salt lead chloride, which appears as the white precipitate. The insoluble lead chloride reacts with excess Cl- ions (of HCl) to form a soluble complex, the tetrachloroplumbate(II) ion,
Pb(NO3)2 + 2HCl → PbCl2↓+ 2HNO3
PbCl2 + 2HCl → [PbCl2]-2 + 2H+ (aq)
Soluble
Lead nitrate solution reacts with H2SO4 to give lead sulphate, which does not dissolve further in sulphuric solution.
Pb(NO3)2 + H2SO4 → PbSO4 ↓ + 2HNO3

(ii) (a) Tetrahedral
Bauxite

(iii)(a) B (non-volatile acid).
ICSE Class 10 Chemistry Sample Question Paper 6 with Answers 9

ICSE Class 10 Chemistry Question Papers with Answers

ICSE Class 10 Chemistry Sample Question Paper 5 with Answers

ICSE Class 10 Chemistry Sample Question Paper 5 with Answers

Maximum Marks: 40
Time: 1 1/2 Hours

Section-A [10 Marks]
(Attempt all questions from this Section)

Question 1.
Choose the correct answers to the questions from the given options. (Do not copy the question, write the correct answer only.)
(i) All ores are minerals, while all minerals are not ores because:
(a) The metals can’t be extracted economically from all the minerals.
(b) Minerals are complex compounds.
(c) The minerals are obtained from mines.
(d) All of the above
Answer:
(a) The metals can’t be extracted economically from all the minerals.
Explanation:
The naturally occurring compound of metals generally mixed with other matters such as soil, sand, limestone rocks are known as minerals. At the same time, ores are only those minerals in which metals can be extracted commercially and economically.

(ii) When HCl gas reacts with a gas X (having a pungent choking smell), it produces white fumes. The gas X is:
(a) H2
(b) Cl2
(c) N2
(d) NH3
Answer:
(d) NH3
Explanation :
The reaction of ammonia with HCl gas gives ammonium chloride, which produces white fumes. The ammonia gas has a pungent choking smell. If a glass rod dipped in aqueous ammonia solution is brought near HCl gas, then the white fumes are produced, which act as an identification test for HCl gas.

ICSE Class 10 Chemistry Sample Question Paper 5 with Answers

(iii) The hydrocarbon 2-Methyl butane is an isomer of:
(a) n-Butane
(b) n-Pentane
(c) Propane
(d) None of these
Answer:
(b) n-pentane
Explanation:
ICSE Class 10 Chemistry Sample Question Paper 5 with Answers 1
These two molecules have same molecular formula C5H12 but their structure is different.

(iv) The gas X evolved during the reaction shown in the picture is:
ICSE Class 10 Chemistry Sample Question Paper 5 with Answers 2
(a) O2
(b) H2
(c) SO2
(d) CO2
Answer:
(b) H2
Explanation:
Zinc is a reactive metal that gives salt and hydrogen gas upon reaction with dilute sulphuric acid. When a burning candle is brought near to the gas, the candle blows out with a pop sound indicating the presence of hydrogen gas.

ICSE Class 10 Chemistry Sample Question Paper 5 with Answers

(v) Why promoter is used in the Haber’s process:
(a) To increase the efficiency of finely divided iron
(b) To increase the pressure
(c) To decrease the rate of reaction
(d) To decrease the temperature
Answer:
(a) To increase the efficiency of finely divided iron
Explanation:
The Haber’s process uses finely divided iron as a catalyst which increases the speed of reaction. However, to increase the efficiency of this catalyst, a promoter is used, which is usually molybdenum or aluminium oxide.

(vi) Match the following reactants with their correct products:
ICSE Class 10 Chemistry Sample Question Paper 5 with Answers 3
(a) (i)-(p), (ii)-(q), (iii)-(r)
(b) (i)-(r), (ii)-(p), (iii)-(q)
(c) (i)-(r), (ii).-(q), (iii)-(p)
(d) (i)-(q), (ii)-(p), (iii)-(r)
Answer:
(b) (i)-(r), (ii)-(p), (iii)-(q)
Explanation:
When Nad reacts with sulphuric acid at a lower temperature, it produces sodium bisulphate and one molecule of HCl, while at high temperature, it produces sodium sulphate and two molecules of HCl. Sodium bisulphate is acidic and reacts with common salt to give a conjugate base (Na2SO4) and one molecule of HCl.

ICSE Class 10 Chemistry Sample Question Paper 5 with Answers

(vii) Al(OH)3 is heated at 1000°C to produce:
(a) NaAlO2
(b) Al2O3.2H2O
(c) Al2O3
(d) NaOH
Answer:
(c) Al2O3
Explanation:
Aluminium hydroxide is heated at 1000°C to produce alumina having molecular formula Al2O3. The reaction is given as:
2Al(OH)3 → Al2O3 + 3H2O

(viii) The molecular formula of A is C10H18. In which homologous series “A” belongs to:
(a) Alkane
(b) Alkene
(c) Aikyne
(d) None of these
Answer:
(c) Alkyne
Explanation:
CnH2n-2 → Alkyne
Here n = 10
Thus C10H2×102 = C10H18

(ix) ________ is used for demonstrating solubility of ammonia in water.
(a) Baeyer’s test
(b) Lime water test
(c) Pop sound test
(d) Fountain experiment
Answer:
(d) Fountain experiment
Explanation:
In the fountain experiment, ammonia on mixing with small amounts of water creates a pressure difference, leading the red litmus solution to rush inside the flask to give a blue fountain. The basic ammonia imparts the blue colour. This demonstrates the high solubility of ammonia in water.

(x) The compound X in the given figure is:
ICSE Class 10 Chemistry Sample Question Paper 5 with Answers 4
(a) Sulphuric acid
(b) Phosphoric acid
(c) Nitric acid
(d) Acetic acid
Answer:
(c) Nitric acid
Explanation:
When concentrated sulphuric acid is added to sodium or potassium nitrate, a double displacement reaction occurs in which sodium or potassium bisulphate is formed along with nitric acid.
KNO3 + H2SO4 → KHSO4 + HNO3.

Section-B [30 Marks]
(Attempt any three questions from this Section)

Question 2.
(i) Define:
(a) Functional group
(b) Gangue or matrix
(ii) What is the special feature of the structure of:
(a) C2H4
(b) C2H2
(iii) Draw the structure of the following:
(a) Iso-butane
(b) Neo-pentane
(c) Iso-butanol
(iv) Complete and balance the following chemical equations:
ICSE Class 10 Chemistry Sample Question Paper 5 with Answers 5
Answer:
(i) (a) Functional group is defined as an atom or a group of atoms present in a molecule which largely determines its chemical properties.
(b) The unwanted impurities which are associated with ore are called gangue or matrix, e.g., stone, clay etc.

(ii) (a) C2H4 contains a double bond between two carbon atoms.
(b) C2H2 contains a triple bond between two carbon atoms.ICSE Class 10 Chemistry Sample Question Paper 5 with Answers 6

Question 3.
(i) Identify the gas evolved in each of the following cases :
(a) A colourless gas liberated on decomposition of nitric acid.
(b) Dilute hydrochloric acid is added to zinc sulphide.
(ii) State the following:
(a) The process of converting ammonia into nitric acid industrially.
(b) The reagent used to dry ammonia gas during its laboratory preparation.
(iii) State the observation for the following, when:
(a) Dilute sulphuric acid is added to iron sulphide.
(b) When dilute hydrochloric acid is added to sodium carbonate crystals.
(c) Silver nitrate solution is added to dilute hydrochloric acid.
(iv) Write balanced equation for the following conversions:
(a) Ethane from ethyne.
(b) Sodium chloride from sodium hydrogen carbonate.
(c) Sulphuric acid from sulphur.
Answer:
(i) (a) Nitrogen dioxide (NO2) gas.
ICSE Class 10 Chemistry Sample Question Paper 5 with Answers 7

(b) Hydrogen sulphide (H2S) gas.
ZnS + HCl → ZnCl2 + H2S↑

(ii) (a) Ostwald’s process (b) Quicklime

(iii) (a) Iron(II) sulphate is formed with the evolution of hydrogen sulphide gas, which has a rotten egg smell.
ICSE Class 10 Chemistry Sample Question Paper 5 with Answers 8
(b) A colourless odourless CO2 gas evolves with brisk effervescence.

(c) Art insoluble, white precipitate of silver chloride is obtained.
ICSE Class 10 Chemistry Sample Question Paper 5 with Answers 10

ICSE Class 10 Chemistry Sample Question Paper 5 with Answers

Question 4.
(i) State the relevant reason for the following:
(a) Concentrated hydrochloric acid cannot be not used in place of sulphuric acid for laboratory preparation of nitric acid.
(b) There are fumes in the air when the stopper of a bottle full of hydrogen chloride gas is opened.
(ii) Give the chemical formulae of the following naturally occuring ores:
(a) Galena
(b) Zincite
(iii) Identify the terms for the following:
(a) A mixture of three parts of cone. HCl and one part of cone, nitric acid.
(b) A catalyst used during Haber’s process.
(c) A catalyst used during hydrogenation of alkene.
(iv) (a) Copy and complete the following table:

Name of the process Catalyst Temperature Equation for the reaction
Haber’s Process

(b) How is ammonia separated from unreacted nitrogen and hydrogen?
Answer:
(i) (a) Concentrated hydrochloric acid cannot be used in place of sulphuric acid because hydrochloric acid is a volatile acid and the produced nitric acid carry away the HCl vapours from reaction mixture.

(b) Hydrogen chloride gas is highly water soluble. When it comes out of the bottle it gets dissolved in the atmospheric moisture and the newly formed solution looks like a dense fume.

(ii) (a) PbS
(b) ZnO

(iii) (a) Aqua regia
(b) Finely divided iron
(c) Nickel

(iv) (a)

Name of the process Catalyst Temperature Equation for the reaction
Haber’s Process Iron 450°-500°C N2 + 3H2 ⇌ 2NH3

(b) The unreacted nitrogen and hydrogen, together with the ammonia are proceeded into a cooling tank. The cooling tank liquefies the ammonia. The unreacted hydrogen and nitrogen gases are recycled by being fed back through pipes to pass through the hot iron catalyst beds again.

ICSE Class 10 Chemistry Sample Question Paper 5 with Answers

Question 5.
(i) Study the figure given below and answer the questions that follow:
ICSE Class 10 Chemistry Sample Question Paper 5 with Answers 11
(a) Identify the gas Y.
(b) What property of gas Y does this experiment demonstrate?

(ii) Select the correct answer from the brackets to complete the following statements:
(a) The ore from which aluminium is extracted must first be treated with ________ so that pure aluminium oxide can be obtained, (sodium hydroxide solution/sodium chloride solution).
(b) ________ has two carbon atoms joined by a triple covalent bond [Ethyne / Ethene]

(iii) Give the IUPAC name of the following:
ICSE Class 10 Chemistry Sample Question Paper 5 with Answers 12

(iv) (a) State one condition under which chlorine and hydrogen react to form hydrogen chloride gas.
(b) Give balanced chemical equation for the above reaction.
(c) For which gas, ammonia fountain experiment can be used?
Answer:
(i) (a) Y is Hydrochloride (HCl) gas.
(b) Gas Y is highly soluble in water.

(ii) (a) Sodium hydroxide solution
(b) Ethyne

(iii) (a) Methanal
(b) Propanone
(c) Ethoxy Ethane

(iv) (a) Presence of diffused sunlight.
(b) H2 + Cl2 → 2HCl
(c) Hydrogen chloride gas.

ICSE Class 10 Chemistry Sample Question Paper 5 with Answers

Question 6.
(i) Complete and balance the following:
(a) NH3 + Cl2
(b) Na2CO3+HNO3
(ii) Give one word for the following statements:
(a) The oxide of sulphur which reacts with water to give sulphuric acid.
(b) This gas is used as a fruit ripening agent.
(iii) Name the functional group in the following compounds given below:
(a) CH3OH
(b) CH3COOH
(c) CH3 CHO
(iv) The given sketch of an electrolytic cell used in the extraction of aluminium:
ICSE Class 10 Chemistry Sample Question Paper 5 with Answers 13
(a) What is the substance of which the electrode A and B are made?
(b) At which electrode (A or B) aluminium is formed?
(c) What are the two aluminium compound in the electrolyte C?
(d) Why is it necessary for electrode B to be continuously replaced?
Answer:
(i) (a) 8NH3 + 3Cl2 → 6NH4Cl + N2↑but if Cl is taken in excess then NCl3 obtained.
NH3 + 3Cl2 → NCl3 + 3HCl

(b) Na2CO3 + 2HNO3 → 2NaNO3 + H2O + CO2

(ii) (a) Sulphur trioxide SO3 + H2O → H2SO4
(b) Acetylene gas (C2H2) when calcium carbide comes in contact with moisture produce C2H2 gas.

(iii) (a) Alcoholic – OH group present in CH3OH
(b) Carboxylic – COOH group present in CH3COOH.
(c) Aldehyde group – CHO group present in CH3CHO.

(iv) (a) Carbon or (Graphite)
(b) A (Cathode)
(c) Aluminium oxide, (Alumina) and cryolite (sodium aluminium fluoride).
(d) It is necessary for electrode B to be continuously replaced because it bums always in the presence of oxygen produced or consumed and get oxidised by oxygen to CO2 at anode.

ICSE Class 10 Chemistry Question Papers with Answers

ICSE Class 10 Computer Applications Sample Question Paper 13 with Answers

ICSE Class 10 Computer Applications Sample Question Paper 13 with Answers

Maximum Marks: 50
Time: 2 Hours

Section – A [10 Marks]
Attempt all questions

Question 1.
Choose the correct answers to the questions from the given options. (Do not copy the question, write the coned answer only)
(i) When primitive data type is converted to its corresponding objected of its class. it is called as ……………
(a) Boxing
(b) Explicit type conversion
(c) unboxing
(d) Implicit type conversion
Answer:
(a) Boxing
Explanation:
When primitive data type is converted to its corresponding object of its class, it is called as Boxing.

ICSE Class 10 Computer Applications Sample Question Paper 13 with Answers

(ii) State the value of y after the following is executed:
char x = ’7’;
y = Character, is Letter (x);
(a) false
(b) 7
(c) true
(d) ‘7’
Answer:
(a) false
Explanation:
The variable x stores 7. Hence Character.isLetter(x); returns false into y.

(iii) Give the output of the following string methods:
“MISSISSIPPI ‘.indexOf(‘S’) + “MISSISSIPPI”. tastlndexOf(‘I’)
(a) 10
(b) 12
(c) 20
(d) 11
Answer:
(b) 12
Explanation:
“MISSISSIPPI”.indexOf(‘S’) returns 2, the first index of ‘S’ + “MISSISSIPPI”.lastlndexOf(T) returns 10, the last index of ‘I’ =12

ICSE Class 10 Computer Applications Sample Question Paper 13 with Answers

(iv) Corresponding wrapper class of mt data type is .
(a) integer
(b) INTEGER
(c) Int
(d) Integer
Answer:
(iv) (d) Integer
Explanation:
The Integer is the Wrapper class for the int primitive data type.

(v) Variable that is declared with in the body of a method Is termed as:
(a) Instance variable
(b) class variable
(c) Local vanable
(d) Argument vanable
Answer:
(c) Local variable
Explanation:
Variable that is declared with in the body of a method is called a local variable as they are accessible locally in the scope of the method.

ICSE Class 10 Computer Applications Sample Question Paper 13 with Answers

(vi) Identify the correct array declaration statement.
(a) in a[10]
(b) int a[]=new int[10];
(c) int arr[i]=10;
(d) int a[10]=new int[];
Answer:
(vi) (c) int a[]=new int[10];
Explanation:
While declaring an array the array name along with the new operator and size of the array is to be specified.

(vii) A variable that is bounded to the object it sell is called as:
(a) Instance variable
(b) class variable
(c) Local variable
(d) Argument variable
Answer:
(a) Instance variable
Explanation:
An Instance variable is bounded to the object itself as it carries different values for different objects,

ICSE Class 10 Computer Applications Sample Question Paper 13 with Answers

(viii) The access modifier that gives most accessibility is:
(a) private
(b) public
(c) protected
(d) package
Answer:
(b) public
Explanation:
As the name suggests, the public access specifier creates members that are accessible to all others.

(ix) Give the output of the following code: String A =”26.0″, B=”74.0″;
double C = Double .parseDouble(A);
double D = Double .parseDouble(B); System.out.println((C+D));
(a) 26
(b) 74
(c) 100.0
(d) 2674
Answer:
(c) 100
Explanation:
double C = Double .parseDouble(A); gives C as 74.0
double D = Double .parseDouble(B); gives D as 24.0 C+D gives 100.0

ICSE Class 10 Computer Applications Sample Question Paper 13 with Answers

(x) Wrapper classes are available in package.
(a) java.io
(b) java.util
(c) java.lang
(d) java.awt
Answer:
(c) java.lang
Explanation:
The Wrapper classes in java are available in java.lang package.

Section – B  (40 Marks)
Attempt any four questions

Attempt any four questions from this Section
The answers in this Section should consist of the Programs in either Blue J environment or any program environment with Java as the base. Each program should be written using Variable descriptions/Mnemonic Codes such that the logic of the program is clearly depicted. Flow-Charts and Algorithms are not required.

Question 2.
Define a class to declare an integer array of size n and accept the elements into the array. Search for an element input by the user using linear search technique, display the element if it is found, otherwise display the message “NO SUCH ELEMENT. [10]
Answer:

import java.util.Scanner;
class Linear Search
{
public static void main(String args[])
int c, n, search, array[];
Scanner in = new Scanner(System.in);
System.out.println("Enter number of elements");
n = in.nextlnt(); array = new int[n];
System.out.println("Enter those " + n + " elements");
for (c = 0; c < n; C++)
array[c] = in.nextlnt();
System.out.println("Enter value to find");
search = in.nextlnt();
for (c = 0; c < n; C++)
{
if (array[c] = search) /* Searching element is present */
{
System.out.println(array[c]);
break;
}
}
if (c = n) /* Element to search isn’t present* /
System.out.println(search + "No such element”);
}
}

ICSE Class 10 Computer Applications Sample Question Paper 13 with Answers

Question 3.
Define a class to declare a character array of size ten, accept the character into the array and perform the following: [10]

  • Count the number of uppercase letters in the array and print.
  • Count the number of vowels in the array and print.

Answer:

public class CountUpperLower
{
public static void main(String[] args)
{
Scanner sc= new Scanner(System.in);
int uppercase = 0;
int vowels = 0;
char chh,ch;
System.out.println("Input some characters...");
char[10] a = sc.next().toCharArray();
for(int i=0;i<a.length;i++) { chh=a[i];
System.out.print(a[i]);
if(chh >='A' && chh <='Z') upperCase++;
ch=Character.toUpperCase(chh);
if (ch='A' I I ch='E' I I ch=T I I ch='0' I I ch='U') vOwels++;
}
System.out.println("Count of uppercase letters + uppercase);
System.out.println("Count of vowels:" + vowels);
}
}

ICSE Class 10 Computer Applications Sample Question Paper 13 with Answers

Question 4.
Define a class to declare an array of size 20 of double datatype, accept the elements into the array and perform the following: [10]

  • Calculate and print the sum of all the elements.
  • Calculate and print the highest value of the array.

Answer:

import java.util.Scanner;
public class MaxSum
{
public static void main(String args[])
{
Scanner in = new Scanner(System.in);
double arr[] = new double[20];
System.out.println("Enter 20 numbers:");
for (int i = 0; i < 20; i++)
{
arr[i] = in.nextDouble();
}
int max = arr[0], sum = 0;
for (int i = 0; i < arr.length; i++)
{
if (arr[i] > max)
max = arr[i];
sum += arr[i];
}
System.out.println("Largest Number = " + max);
System.out.println("Sum = " + sum);
}
}

ICSE Class 10 Computer Applications Sample Question Paper 13 with Answers

Question 5.
Define a class to accept two strings, convert them into uppercase, check and display whether two strings are equal or not, if the two strings are not equal, print the string with the highest length or print the message both the strings are of equal length. [10]
Answer:

import java.util.*;
public class Strings
{
public static void main(String [] args)
{
String sl="",s2="";
Scanner sc=new Scanner(System.in);
System.out.println("Enter two strings:");
sl=sc.nextLine();
s2=sc.nextLine();
sl=sl.toUpperCase();
s2=s2.toUpperCase();
if (!sl.equals(s2))
{
if (sl.length()>s2.1ength())
System.out.println(sl);
else
System.out.println(s2);
}
else
System.out.println("Strings are equal");
}
}

ICSE Class 10 Computer Applications Sample Question Paper 13 with Answers

Question 6.
Define a class to accept a string, convert it into lowercase and check whether the string is a palindrome or not.
A palindrome is a word which reads the same backward as forward. [10]
Example:
madam, racecar etc.
Answer:

public class Palindrome
{
public static void main(String args[])
{
String a, b = "";
Scanner s = new Scanner(System.in);
System.out.print("Enter the string you want to check:");
a = s.nextLine();
a=a.toLowerCase();
int n = a.lengthQ;
for(int i = n -1;
i >= 0; i--)
{
b = b + a.charAt(i);
}
if(a.equalsIgnoreCase(b))
{
System.out.println("The string is palindrome.");
}
else
{
System.out.println("The string is not palindrome.");
}
}
}

ICSE Class 10 Computer Applications Sample Question Paper 13 with Answers

Question 7.
Define a class to accept and store 10 strings into the array and print the strings with even number of characters. [10]
Answer:

import java.util.*;
public class Strings
{
public static void main(String[] args)
{
Scanner sc=new Scanner(System.in);
String[] strArray = new String[10];
System.out.println("Enter 10 Strings:");
for (int i=0;i<3;i++)
strArray[i]=sc.nextLine();
for (int i=0;i<3;i++)
{
if (strArray[i].length() %2=0)
System.out.println(strArray[i]);
}
}
}

ICSE Class 10 Computer Applications Question Papers with Answers

ICSE Class 10 Chemistry Sample Question Paper 4 with Answers

ICSE Class 10 Chemistry Sample Question Paper 4 with Answers

Maximum Marks: 40
Time: 1 1/2 Hours

Section-A [10 Marks]
(Attempt all questions from this Section)

Question 1.
Choose the correct answers to the questions from the given options. (Do not copy the question, write the correct answer only.)
(i) Identify the pairs of metals and their ores from the following:

Group A Group B
(1) Bauxite (i) Iron
(2) Calamine I (ii) Aluminium
(3) Magnetite (iii) Zinc

(a) (1)-(i), (2)-(ii), (3)-(iii)
(b) (1)-(ii), (2)-(i), (3)-(iii)
(c) (1)-(i), (2)-(iii), (3)-(ii)
(d) (1)-(ii), (2)-(iii), (3)-(i)
Answer:
(i) (d) (1)-(ii), (2)-(iii), (3)-(i)
Explanation:
Bauxite is an ore of Aluminium, white calamine is zinc carbonate and Magnetite is triferric tetraoxide.

(ii) The round bottom flask in the fountain experiment is filled with:
(a) Liquid HCl
(b) Hydrochloric acid
(c) HCl gas
(d) Red litmus solution
Answer:
(c) HCl gas
Explanation:
The fountain experiment is done to demonstrate the solubility of HCl gas in water. Therefore, it is filled with HCl gas. It is not easy to arrange the flask in an inverted position with liquid HCl. Moreover, hydrochloric acid will not give a fountain as it already consists of water. Red litmus solution is taken in a trough.

ICSE Class 10 Chemistry Sample Question Paper 4 with Answers

(iii) The reaction taking place in the Haber’s process is reaction.
(a) Endothermic and irreversible
(b) Endothermic and reversible
(c) Exothermic and reversible
(d) Exothermic and irreversible
Answer:
(c) Exothermic and reversible
Explanation:
The reaction of nitrogen and hydrogen gas to produce ammonia is highly exothermic as it produces an enormous amount of heat. Also, it is reversible in nature. The reason is that some of produce, ammonia converts back to the original reactants, nitrogen and hydrogen under the reaction conditions. Since the reverse reaction occurs under the same conditions as the forward reaction, the reaction is reversible.

(iv) Reaction of aqueous ammonia with nitric acid produces:
(a) NH4OH and NO2
(b) NH4Cl and NO2
(c) NH4NO3 and H2O
(d) NH4OH and N2
Answer:
(c) NH4NO3 and H2O
Explanation:
Ammonia is a weak base. When it is mixed with water, it produces ammonium hydroxide, which gives salt and water upon reaction with nitric acid. This salt is NH4NO3.

(v) What happens if impurities are not removed from the sulphur dioxide produced during the process?
(a) The impurities will not interfere with the process.
(b) The impurities will upgrade the quality of a catalyst.
(c) The impurities will degrade the quality of a catalyst.
(d) The impurities will form a new product with SO2.
Answer:
(c) The impurities will degrade the quality of a catalyst.
Explanation:
If impurities are not removed, they will reduce the efficiency of the catalyst used during the conversion of sulphur dioxide to sulphur trioxide. This will affect the yield of sulphuric acid.

(vi) Two neighbours of a homologous series differ by:
(a) CH
(b) CH2
(C) CH3
(d) CH4
Answer:
(b) CH2
Explanation:
The characteristic property of homologous series is that each member of the series differs from the preceding one by the addition of CH2 group. Hence the two neighbours of a homologous series differ by CH2 whose molecular mass is 14 amu. For example, C2H6 differs from CH4 by CH2.

ICSE Class 10 Chemistry Sample Question Paper 4 with Answers

(vii) A compound X changes blue litmus paper to red, and it reacts readily with potassium chloride to yield hydrochloric acid. What is compound X?
(a) Acetic acid
(b) Sulphuric acid
(c) Carbonic acid
(d) Citric acid
Answer:
(b) Sulphuric acid
Explanation:
Sulphuric acid is an acid; therefore, it turns blue litmus paper to red. Also, it reacts with KCl to give KHSO4 and HCl. The reaction is given as:
KCl + H2SO4 → KHSO4 + HCl
The other three acids, acetic acid, carbonic acid, and citric acid, are very mild acids.

(viii) Which of the following statement is true?
(a) The rate of dissolution of ammonia in water is low.
(b) Aqueous ammonia can also be written as NH3 (aq).
(c) Ammonia has high vapour density than air.
(d) All statements are true.
Answer:
(b) Aqueous ammonia can also be written as NH3 (aq).
Explanation:
The rate of dissolution of ammonia in water is very high. Also, ammonia has high vapour density than air. Therefore, both the options (a) and (c) are wrong. Hence, only option (b) is correct.

(ix) An alkyne has 75 carbon atoms in its molecule. The number of hydrogen atoms in its molecule will be:
(a) 148
(b) 150
(c) 147
(d) 152
Answer:
(a) 148
Explanation:
The general formula of alkyne is CnH2n-2.
Here C = 75 (given)
∴ H = 2 x 75 – 2 = 150 – 2
= 148.

(x) Why is coke sprinkled over the surface of electrolytes?
(a) It reduces heat loss.
(b) It prevents the burning of anode.
(c) Both (a) and (b)
(d) It is used to increase the conductivity.
Answer:
(c) Both (a) and (b)
Explanation:
The prominent role of sprinkling coke over electrolyte in Hall and Heroult’s experiment is to prevent heat loss and prevent burning of anode rode.

Section-B [30 Marks]
(Attempt any three questions from this Section)

Question 2.
(i) Define:
(a) Saturated hydrocarbons
(b) Unsaturated hydrocarbons
(ii) Name the compound formed when:
(a) Aqueous solution of ammonia is added to solution of ferric chloride.
(b) Chlorine reacts with excess of ammonia.
(iii) Give the formula of the next higher homologue of:
(a) Pentane
(b) Butene
(c) Ethyne
(iv) Complete and balance the following chemical equations:
ICSE Class 10 Chemistry Sample Question Paper 4 with Answers 1
Answer:
(i) (a) Hydrocarbons in which the carbon atoms are linked to each other by single bonds only are known as saturated hydrocarbons. Examples include methane (CH4), ethane (CH3 – CH3) etc.

(b) Hydrocarbons in which the carbon atoms are linked to each other by double (C=C) or triple (C=C) bonds are known as unsaturated hydrocarbons. Examples include ethene (H2C=CH2), propyne (HC≡CH – CH3) etc.

(ii) (a) A reddish brown precipitate of ferric hydroxide is produced which is insoluble even in the excess of ammonium hydroxide.
ICSE Class 10 Chemistry Sample Question Paper 4 with Answers 2

(b) When chlorine reacts with excess of ammonia, ammonium chloride is formed.
ICSE Class 10 Chemistry Sample Question Paper 4 with Answers 3

(iii) (a) Hexane – C6H14
(b) Pentane – C5H10
(c) Propyne – C3H4

ICSE Class 10 Chemistry Sample Question Paper 4 with Answers 4

Question 3.
(i) Identify the following terms which are underlined :
(a) An alkaline gas which produces dense white fumes when reacted with hydrogen chloride gas.
(b) A dilute mineral acid which forms a white precipitate when treated with barium chloride
(ii) State the following:
(a) The compound added to pure alumina to lower the fusion temperature during the electrolytic reduction of alumina.
(b) An acid commonly known as oil of vitriol.
(iii) The questions below are related to the manufacture of ammonia:
(a) Name the process.
(b) In what ratio must the reactants be taken?
(c) Name the catalyst and give the equation for the manufacture of ammonia.
(iv) Write balanced equation for the following conversions:
(a) Oleum from sulphur trioxide.
(b) Chloroform from methane.
(c) Lead from lead oxide.
Answer:
(i) (a) Ammonia
(b) Dilute sulphuric acid

(ii) (a) Cryolite.
(b) Sulphuric acid

(iii) (a) Haber’s process.
(b) Nitrogen one part, hydrogen three parts.
(c) Iron powder
N2 + 3H2 → 2NH3

ICSE Class 10 Chemistry Sample Question Paper 4 with Answers 5

Question 4.
(i) State one relevant reason for the following:
(a) Upward displacement method is applied to collect hydrogen chloride gas during laboratory preparation of HCl gas.
(b) Ammonium nitrate is not used in the preparation of ammonia.
(ii) Give the chemical formulae of the following naturally occurring ores:
(a) Bauxite
(b) Haematite
(iii) Write the structural formula of the following:
(a) 1,2-Dichloroethane.
(b) 2-Methyl propane
(c) 2-Propanol.
(iv) Complete the table by writing the gas evolved in each case and its odour:
A solution of hydrogen chloride in water is prepared. The following substances are added to separate portions of the solution.

Substance added Gas evolved Odour
Calcium carbonate
Magnesium ribbon
Manganese (IV) oxide with heating
Sodium sulphide

Answer:
(i) (a) HCl gas is 1.28 times heavier than air so, upward displacement method is applied to collect
hydrogen chloride gas.

(b) Ammonium nitrate does not undergo a reversible sublimation reaction; it melts and decomposes into nitrogen dioxide gas and water vapour. Thus, it is not used in the preparation of ammonia.

(ii) (a) Al2O3.2H2O
(b) Fe2O3

ICSE Class 10 Chemistry Sample Question Paper 4 with Answers 6

(iv)

Substance added Gas evolved Odour
Calcium carbonate Carbon dioxide Odourless
Magnesium ribbon Hydrogen Odourless
Manganese (IV) oxide with heating Chlorine Pungent irritating
Sodium sulphide Hydrogen sulphide Rotten eggs

Question 5.
(i) Answer the following:
(a) Of the two gases, ammonia and hydrogen chloride, which is more dense? Name the method of collection of this gas.
(b) Give one example of a reaction between the above two gases which produces a solid compound.
(ii) Select the correct answer from the brackets to complete the following statements:
(a) The metal other than aluminium present both in magnalium and duralumin is ________ [magnesium / manganese].
(b) ________ is used as a catalyst during preparation of ammonia [Molybdenum / Vanadium]
(iii) Name the following:
(a) An alloy used in aircraft construction.
(b) The catalyst used in the catalytic oxidation of ammonia.
(c) The type of reactions alkenes undergo.
(iv) Fill the missing boxes in the flow chart given below:
ICSE Class 10 Chemistry Sample Question Paper 4 with Answers 8
Answer:
(i) (a) HCl gas is more dense because vapour density of HCl = 18.25 while of NH3 = 8.5. Thus, HCl
collected by upward displacement of air.
(b) NH3 + HCl → NH4Cl.

(ii) (a) Magnesium
(b) Vanadium

(iii) (a) Duralumin
(b) Platinum
(c) Addition reaction

ICSE Class 10 Chemistry Sample Question Paper 4 with Answers

(iv) A = Fe2O3
B = SO2
c = sO3
ICSE Class 10 Chemistry Sample Question Paper 4 with Answers 7
The flow chart shown in the question represents the decomposition of green vitriol to produce sulphuric acid. This is shown in two steps. The first step involves the production of Fe2O3, sulphur dioxide, sulphur trioxide and water. In the second step, sulphur trioxide and water react to give sulphuric acid.

Question 6.
(i) State one relevant observation for each of the following reactions:
(a) A solution of bromine in carbon tetrachloride is passed in a sample of propyne.
(b) Copper is heated with concentrated nitric acid in a hard glass test tube.
(ii) Give the IUPAC name of the following:
ICSE Class 10 Chemistry Sample Question Paper 4 with Answers 9
(iii) Study the diagram given below, which illustrates the manufacture of sulphuric acid.
ICSE Class 10 Chemistry Sample Question Paper 4 with Answers 10
(a) Write the name of the substance A to F.
(b) Describe how gas C could be identified?
(c) Explain the purpose of V2Os or Pt.
(iv) The list of some organic compound is given below:
Ethanol, ethane, methanol, methane, ethyne, and ethene.
From the list above, name of compound:
(a) Formed by the dehydration of ethanol by concentrated sulphuric acid.
(b) Which will give red precipitate with ammonical cuprous chloride solution?
(c) Which forms chloroform on halogenation in the presence of sunlight?
Answer:
(i) (a) The reddish brown coloured bromine solution becomes colourless due to the formation of 1,1, 2, 2-Tetrabromopropane. The reddish brown colour of bromine is discharged as long as propyne is present in excess.
ICSE Class 10 Chemistry Sample Question Paper 4 with Answers 11

(b) A reddish brown fumes of nitrogen dioxide gas is evolved.
ICSE Class 10 Chemistry Sample Question Paper 4 with Answers 12

(ii) (a) Propyne
(b) 1, 2-dichloro ethane

(iii) (a) A-Sulphur
B-Iron pyrites
C-Sulphur dioxide
D-Oxygen
E-Concentrated sulphuric acid
F-Water

(b) The gas C will turn acidified potassium dichromate paper green.

(c) V2O5 or Pt acts as a catalyst and increases the rate of formation of sulphur trioxide from sulphur dioxide and oxygen.

(iv) (a) Ethene
(b) Ethyne
(c) Methane

ICSE Class 10 Chemistry Question Papers with Answers

ICSE Class 10 Commercial Studies Sample Question Papers 1 with Answers

ICSE Class 10 Commercial Studies Sample Question Papers 1 with Answers

Maximum Marks: 40
Time: 1 1/2 Hours

General Instructions

  • Answers to this Paper must be written on the paper provided separately.
  • You will not be allowed to write during the first 10 minutes.
  • This time is to be spent in reading the question paper.
  • The time given at the head of this Paper is the time allowed for writing the answers.
  • Attempt all questions from Section A and any four questions from Section B.
  • The intended marks for questions or parts of questions are given in brackets [ ].

Section-A [10 Marks]
(Attempt all questions from this Section)

Question 1.
Choose the correct answers to the questions from the given options. (Do not copy the question, write the correct answer only.)
(i) The budget contains an estimate of the total volume of production week wise, month wise and product wise.
(a) Production
(b) Purchase
(c) Cash
(d) Sales
Answer:
(a) Production
Explanation:
The production budget is a forecast of the production for the budget period. It is prepared in two parts, viz., production volume budget for the physical units of the products to be manufactured and the cost of manufacturing budget detailing the budgeted costs.

ICSE Class 10 Commercial Studies Sample Question Papers 1 with Answers

(ii) market consists of all organizations, institutions and instruments that provide long term funds.
(a) Money
(b) Goods
(c) Capital
(d) Services
Answer:
(c) Capital
Explanation:
Capital market consists of all organizations, institutions and instruments that provide long term funds to the borrowers.

(iii) The capital of the company is divided into equal parts called
(a) Debentures
(b) Shares
(c) Deposits
(d) Funds
Answer:
(b) Shares
Explanation:
The capital of a company is divided into small units of capital called shares. These shares can be classified into Equity shares and Preference Shares.

ICSE Class 10 Commercial Studies Sample Question Papers 1 with Answers

(iv) The selection tests seek to measure a candidate’s capacity to learn particular skills and test his potential abilities.
(a) Personality
(b) Dexterity
(c) Trade
(d) Aptitude
Answer:
(d) Aptitude
Explanation:
Aptitude means the potential which an individual has for learning the skills required to do a job efficiently. Aptitude tests measure an applicant’s capacity and his potential for development.

(v) is a positive process which creates a pool of candidates.
(a) Recruitment
(b) Selection
(c) Training
(d) Development
Answer:
(a) Recruitment
Explanation:
Recruitment is the process of searching for prospective employees and stimulating and encouraging them to apply for jobs in an organisation. It is the positive activity in the sense that it aims at reaching as many job-seekers as possible for jobs in the enterprise.

ICSE Class 10 Commercial Studies Sample Question Papers 1 with Answers

(vi) The function of the Central bank involves settling of claims of Commercial banks through a process of book entries.
(a) Monopoly of note issue
(b) Government’s bank
(c) Clearing house
(d) Developmental
Answer:
(c) Clearing house
Explanation:
The Central Bank performs ‘The-Clearing-House Function’ for the commercial banks. This means, it settles the mutual claims of commercial banks by a process of book entries.

(vii) shares do not carrv voting rights.
(a) Equity
(b) Preference
(c) Debentures
(d) Public deposits
Answer:
(b) Preference
Explanation:
Preference shares do not carry voting rights. This privilege is available to only Equity Share holders who are considered to be true owners of a company.

ICSE Class 10 Commercial Studies Sample Question Papers 1 with Answers

(viii) The result of the trading account is the and it is transferred to the Profit and Loss account.
(a) Gross Profit
(b) Net Profit
(c) Bills Receivable
(d) Bills Payable
Answer:
(a) Gross Profit
Explanation:
The result of the trading account is the Gross Profit and it is transferred to the Profit and Loss account.

(ix) A is an establishment for storage or accumulation of goods.
(a) Bank
(b) Warehouse
(c) Budget
(d) Forecast
Answer:
(b) Warehouse
Explanation:
A warehouse is a properly constructed place where surplus goods can be kept safely for future use.

ICSE Class 10 Commercial Studies Sample Question Papers 1 with Answers

(x) means a promise to compensate in case of loss.
(a) Causa Proxima
(b) Doctrine of Subrogation
(c) Indemnity
(d) Contribution
Answer:
(c) Indemnity
Explanation:
The principle of indemnity is based on the idea that the assured in the case of loss only shall be compensated against the actual loss.

Section-B[30 Marks]
(Attempt any three questions from this Section)

Question 2.
(i) Explain Application Blank as a step in the selection process. [2]
(ii) What is a Production Budget? [2]
(iii) Explain any three reasons why warehousing is important. [3]
(iv) Explain any three Principles of Insurance. [3]
Answer:
(i) A candidate who succeeds in preliminary interview is generally required to fill in a specially drafted application blank (form). The application blank contains the record of the candidate’s qualifications, experience, etc. It can be used as a good test device to understand the expression, handwriting and other abilities of the candidate.

(ii) The production budget is an estimate of the production, both in terms of physical quantity as well as cost aspect, for a specified period. It may be prepared in two parts, i.e., production volume budget for the physical units of the products to be manufactured and the cost of manufacturing budget detailing the budgeted costs.

(iii) Following are the causes of importance of warehousing:
1. Seasonal Production: Goods which are produced seasonally (like agricultural products) must be stored so that they can be supplied to the consumers throughout the year. In order to supply such commodities to the consumers, their storage is very much necessary.

2. Seasonal Demand: Many goods (like woollen cloth, umbrella, rain coats, fans, etc.) are produced throughout the year but their demands are seasonal. Such goods must be stored and preserved in warehouse until the beginning of the next season.

3. Production at One Place but Demand at Various Places: When goods are produced at a particular facility at a place, they must be stored in various warehouses near the customers. It enables goods to be available to the consumers whenever and wherever they are required by them.

(iv) Following are the three principles of Insurance:

1. Utmost Good Faith: All types of contracts of insurance depend upon the utmost good faith. Both parties (insurer and the insured) in the contract must disclose all the material facts for the benefit of each other. False information or non-disclosure of any important fact makes the contract voidable.

2. Insurable Interest: The insured must have an actual interest called the insurable interest in the subject-matter of the insurance. A person is said to have an insurable interest in the subject- matter (i.e., property, human life, machinery, goods etc.) if he is benefitted by its existence and is at loss by its destruction. Without insurable interest the contract of insurance is void.

3. Indemnity: All types of contracts except life and personal accident insurance are contract of indemnity. A contract of insurance is a contract of indemnity. The principle of indemnity is based on the idea that the assured in the case of loss only shall be compensated against the actual loss and in no case more than the value of the policy.

ICSE Class 10 Commercial Studies Sample Question Papers 1 with Answers

Question 3.
(i) Explain ‘Mobile Wallets’. [2]
(ii) What is Insurance? [2]
(iii) Write short notes on: [3]
(a) Fire Insurance
(b) Cash Credit
(iv) What is External recruitment? Explain Employment Exchanges and Recommendations as sources of external recruitment. [3]
Answer:
(i) A mobile wallet is an app based payment service through which money can be transferred to another person or received from him. For this purpose one has to download a prescribed payment app on the smart phone and get registered for the same. The mobile application can be linked to one’s bank account, debit card or credit card and payment can be processed by using QR scan code or the mobile number.

(ii) Insurance is a contract between two parties by which one of them undertakes, against a sum known as premium, to indemnity the other against a loss which may arise on the happening of some untoward event. The document containing the contract is called the Policy of Insurance, the person insured is called the Assured or Insured, and the party which insures is known as the Assurer, Insurer or Underwriter.

(iii)
(a) Fire insurance is the insurance which covers losses caused by fire. It is a contract of indemnity in which the insurer undertakes to indemnify the loss suffered by the insured caused by fire, against a consideration known as premium.

(b) Cash Credit is an arrangement by which the bank advances cash loans upto a specified limit to the customers against a security. When the cash loan is granted, the borrower opens a current
account with that amount in the bank. The borrower has the right to withdraw the full amount of loan. Interest is charged on the amount actually utilised by the borrower and not on the whole amount granted to him.

(iv) External source of recruitment refers to the sources external to the organisation through which the
suitable candidates are searched. Following are the two external sources of recruitment:

1. Employment Exchanges: The Government has set up employment exchanges throughout the country. Anyone seeking employment can get himself registered in the employment exchange. Employees notify the vacancies and the various exchanges refer suitable candidates for recruitment.

2. Recommendations: Applicants introduced by employees, their friends and relatives may prove to be a good source of recruitment. It saves the cost and time of organization in searching for suitable candidates.

ICSE Class 10 Commercial Studies Sample Question Papers 1 with Answers

Question 4.
(i) What is a Budget? [2]
(ii) Explain Placement Agencies as sources of External Recruitment. [2]
(iii) Explain any three steps of the Selection Process. [3]
(iv) Write Short notes on: [3]
(a) Discounting of bills of exchange
(b) IMPS
Answer:
(i) Budget is an estimate of the financial activities of the business to achieve certain specific purpose. In other words, budget is an outline of future financial activities. Primarily it involves an estimation of the future receipts, and payments.

(ii) A placement agency is an institution which assists other organisations in recruiting and selecting suitable human resources. There are several recruitment agencies such as ABC consultants, A. F. Ferguson Associates, etc., which provide recruitment and selection services to various companies.

(iii) The steps of the selection are following:

1. Preliminary Interview: The very first stage of the selection process is the preliminary interview of the candidate. The preliminary interview is generally conducted by a junior level officer or functional specialist to determine whether it is worthwhile for the candidate to move to the next stages of the selection process.

2. Blank Application: The candidate who succeeds in preliminary interview is generally required to fill in a specially drafted application blank (form). The application blank contains the record of the candidate’s qualifications, experience, etc. It can be used as a good test device to understand the expression, handwriting and other abilities of the candidate.

3. Selection Tests: A Candidate may be required to undertake employment tests to express his knowledge of his domain. These tests are of various types based on the specific requirement of the job.

(iv)
(a) Discount of a bill refers to the payment of a bill of exchange by the bank at some discounted rate. When the holder of the bill of exchange need money before the maturity of the bill, it may present the bill before its bank which can make the payment after deducting some amount as the discount. Later the bank may get its payment for the drawee after maturity period.

(b) IMPS is the short form of Immediate Payment Service. It refers to the real time inter-bank electronic fund transfer service. Through this service, a client of a bank can instantly transfer a certain amount to any other person who has bank account with any other bank. This service is provided by National Payments Corporation of India (NPCI) 24 x 7 in a year.

ICSE Class 10 Commercial Studies Sample Question Papers 1 with Answers

Question 5.
(i) What is a Central Bank? [2]
(ii) What is a Master Budget? [2]
(iii) Explain any two functions of the Central Bank. [3]
(iv) Write short notes on: [3]
(a) Intellectual Property Fraud
(b) Internet and Cyber fraud
Answer:
(i) Central Bank is the apex policy making and monitoring institution of the monetary and banking system of the country. Reserve Bank of India is the Central Bank in India.

(ii) Master budget is a consolidated summary of the various functional budgets. It is the culmination of the preparation of all other budgets, like the sales budget, production budget, purchase budget etc. It consists in reality of the budgeted profit and loss account, the balance sheet and the budgeted funds flow statement.

(iii) Following are the functions of a central bank:

1. Issue of Currency: The central bank has the monopoly of issuing currency notes of the country. For issuing the notes, the central bank has to maintain a minimum reserve of gold, silver and foreign securities so as to inspire and retain the confidence of the people in the paper currency.

2. Custodian of Foreign Currency: The central bank is the custodian of the foreign exchange reserves of the country. The reserves with central bank are utilized for making payments to foreign countries.

(iv)
(a) Intellectual Property Fraud: This type of fraud is committed when the fake and counterfeit products and pirated products which are no longer original are passed to customers as being original. Such kinds of fraud generally take place in the areas of health, fashion, softwares, films and music etc.

(b) Internet and Cyber Fraud: Internet refers to the global network of computers linked with communication lines and facilities. Cyber fraud refers to the use of internet to befool or cheat the people by hacking, downloading malware or spyware, sending spams etc. Hackers steal financial information of people in this way and harass them for financial or personal gains.

ICSE Class 10 Commercial Studies Sample Question Papers 1 with Answers

Question 6.
(i) State any two differences between Credit Card and Debit Card. [2]
(ii) State any two Disadvantages of Internal Recruitment. [2]
(iii) Use the following Trial Balance to complete the Final Accounts of Ms. K. Pant for the year ending March 31,2021. [6]
ICSE Class 10 Commercial Studies Sample Question Papers 1 with Answers img-1 ICSE Class 10 Commercial Studies Sample Question Papers 1 with Answers img-2 ICSE Class 10 Commercial Studies Sample Question Papers 1 with Answers img-3 ICSE Class 10 Commercial Studies Sample Question Papers 1 with Answers img-4
Answer:
(i) Following are the two differences between credit card and debit card:

Credit Card Debit Card
A credit card entitles the holder to buy goods and services on credit no matter the amount is available or not in his bank account. A debit card entitles the holder to buy goods and services only when he has amount available in his bank account.
It is a kind of loan facility to the holder. It is a cash withdrawing facility or payment alternative of available cash in the bank account.

(ii) Following are the two disadvantages of internal recruitment:

1. No Opportunity for Outside Deserving Candidates: The major drawback of this source is that the enterprise may deprive of competent, talented and deserving candidates from outside.

2. Promotion of Inefficient Employees: Sometimes, unsuitable persons may use their influence to get promotions. They are promoted from within the organisation without giving any importance to merit simply because they are working in the organization and have good relations with the superiors.

(iii) Trading Account
(i) Purchase returns – ₹ 14000
(ii) Carriage Inwards – ₹ 18,000
(iii) Gross Profit – ₹ 116000
P&L Account
(iii) Gross Profit – ₹ 116000
(iv) Net Profit – ₹ 6000
Balance Sheet
(v) Capital – ₹ 378000
(iv) Net Profit – ₹ 6000
(vi) Closing Stock – ₹ 100000

ICSE Class 10 Commercial Studies Question Papers with Answers

ICSE Class 10 English Literature Sample Question Papers with Answers 2022-2023

ICSE Class 10 English Literature Sample Question Papers with Answers 2022-2023

ICSE Sample Papers for Class 10 with Answers

ICSE Class 10 English Language Sample Question Papers with Answers 2022-2023

ICSE Class 10 English Language Sample Question Papers with Answers 2022-2023

ICSE Sample Papers for Class 10 with Answers

ICSE Class 10 Chemistry Sample Question Paper 3 with Answers

ICSE Class 10 Chemistry Sample Question Paper 3 with Answers

Maximum Marks: 40
Time: 1 1/2 Hours

Section-A [10 Marks]
(Attempt all questions from this Section)

Question 1.
Choose the correct answers to the following questions from the given options. (Do not copy the question, write the correct answer only.)
(i) The general formula of alkynes is:
(a) CnH2n-2
(b) CnH2n+2
(c) CnH2
(d) CnH2n+2O
Answer:
(a) CnH2n-2
Explanation:
The general formula of alkyne is CnH2n-2

(ii) The drying agent used to dry NH3 is :
(a) P2O5
(b) Cone. H2SO4
(c) CaCl2
(d) CaO
Answer:
(d) CaO
Explanation:
The drying agent used to dry NH3 is quicklime (CaO).

ICSE Class 10 Chemistry Sample Question Paper 3 with Answers

(iii) The main ore used for the extraction of aluminium is:
(a) Calamine
(b) Bauxite
(c) Haematite
(d) Chalcopyrite
Answer:
(b) Bauxite
Explanation:
The main ore used for the extraction of aluminium is bauxite and Hall – Heroult process is the major industrial process for extraction of aluminium from its oxide alumina.

(iv) Formation of ethylene bromide from ethene and bromine is an example of:
(a) Hydrogenation reaction
(b) Dehydrohalogenation reaction
(c) Substitution reaction
(d) Addition reaction
Answer:
(d) Addition reaction
Explanation:
The reaction of ethene with Br2 to form 1,2-Dibromoethane (Ethylene bromide) is an addition reaction. The atoms that add to the double bond are located on adjacent carbon atoms, a common characteristic of addition reactions of alkenes.
ICSE Class 10 Chemistry Sample Question Paper 3 with Answers 8

(v) The delivery tube used in the laboratory preparation of hydrogen chloride is dipped in:
(a) Concentrated nitric acid
(b) Dilute nitric acid
(c) Concentrated sulphuric acid
(d) Dilute sulphuric acid
Answer:
(c) Concentrated sulphuric acid
Explanation:
The delivery tube is dipped in concentrated sulphuric acid so that easy movement of HCl gas takes place and no impurity can add to it. It also helps in making the HCl gas moisture-free.

(vi) When sulphuric acid is added to sodium carbonate brisk effervesence is produced which is due to:
(a) evolution of H2S gas
(b) evolution of Cl2 gas
(c) evolution of CO2 gas
(d) evolution of O2 gas
Answer:
(c) evolution of C02 gas
Explanation:
The reaction of sulphuric acid and sodium carbonate produces sodium sulphate, water, and brisk effervescence of carbon dioxide. The reaction is given as:
Na2CO3 + H2SO4 → Na2SO4 + H2O + CO2 (↑)

(vii) The reactants for laboratory preparation of nitric acid are:
(a) Ammonium hydroxide and sulphuric acid
(b) Sodium nitrate and sulphuric acid
(c) Sodium nitrate and water
(d) Ammonium nitrate and water
Answer:
(b) Sodium nitrate and sulphuric acid
Explanation:
Nitric acid in the laboratory is prepared by reaction of sodium or potassium nitrate and sulphuric acid. They are distilled to produce the required ammonia.

ICSE Class 10 Chemistry Sample Question Paper 3 with Answers

(viii) The process used to convert impure alumina to pure alumina is:
(a) Roasting
(b) Electrolytic refining
(c) Purification
(d) Bayer’s process
Answer:
(d) Bayer’s process
Explanation:
Concentration of ore or purification of ore, i.e., conversion of bauxite (impure alumina) to pure alumina, is known as Bayer’s process. Roasting refers to the heating of compounds in the presence of air, while electrolytic refining is the process of purification of metal using electrolysis.

(ix) Calcium oxide reacts with HCl gas to produce __________ and water.
(a) Calcium chloride
(b) Calcium sulphate
(c) Hydrogen gas
(d) Chlorine gas
Answer:
(a) Calcium chloride
Explanation:
The reaction of calcium chloride with water is neutralisation and a double displacement reaction, which produces salt and water. The chlorine atom of HCl displaces oxygen from CaO and hence produces calcium chloride (CaCl2).

(x) The compound A and B, as shown in the figure below, can be:
ICSE Class 10 Chemistry Sample Question Paper 3 with Answers 1
(a) Water and salt solution
(b) Water and cone. H2SO4
(c) Baking soda solution and water
(d) Water and NaOH solution
Answer:
(b) Water and cone. H2SO4
Explanation:
When water is added to concentrated sulphuric acid, a highly exothermic reaction occurs, leading to the spurting of the acid. This can be very dangerous.

Section-B [30 Marks]
(Attempt any three questions from this Section)

Question 2.
(i) Define:
(a) Homologous series
(b) Gangue or Matrix
(ii) Name the compound formed when:
(a) Ethene reacts with hydrogen chloride.
(b) Sodium aluminate is diluted with water and cooled to 50°C
(iii) Draw the structural diagram of the following isomers:
(a) Pentane
(b) 2-Methyl butane
(c) 2,2-Dimethyl propane
(iv) Complete and balance the following chemical equations:
ICSE Class 10 Chemistry Sample Question Paper 3 with Answers 2
Answer:
(i) (a) A series of compounds of the same family in which each member differ from its adjacent member by one CH2 unit is called homologous series.
(b) The unwanted impurities which are associated with ore are called gangue or matrix, e.g., stone, clay etc.

(ii) (a) Ethyl chloride (chloroethane) is formed. The reaction can be represented as follows:
ICSE Class 10 Chemistry Sample Question Paper 3 with Answers 9

(b) Aluminium hydroxide is formed. The reaction can be represented as follows:
NaAlO2 + 2H2O → NaOH + Al(OH)3
ICSE Class 10 Chemistry Sample Question Paper 3 with Answers 10

Question 3.
(i) Dry ammonia gas is passed over black substance as shown in figure below:
ICSE Class 10 Chemistry Sample Question Paper 3 with Answers 3
(a) Name the black substance A.
(b) Name the gas evolved B.
(c) Write a balanced equation for the reaction of ammonia with A.
(ii) State the following:
(a) The catalysts used in contact process.
(b) The product formed when glass rod dipped in NH4OH is brought near the mouth of a bottle full of HCl gas.
(iii) State the observation for the following, when:
(a) Concentrated sulphuric acid is added to a lump of blue vitriol.
(b) Copper turnings are heated with concentrated nitric acid.
(c) Dil hydrochloric acid is added to silver nitrate solution.
(iv) Refer to the flow chart diagram below and give balanced equations with conditions if any for the following conversions A to D.
ICSE Class 10 Chemistry Sample Question Paper 3 with Answers 4
Answer:
(i) (a) Copper (II) oxide
(b) Nitrogen gas
ICSE Class 10 Chemistry Sample Question Paper 3 with Answers 11a

(ii) (a) Vanadium pentoxide (V2O5)
(b) Ammonium chloride

(iii) (a) The blue coloured hydrated copper sulphate loses its water of crystallisation and white annhydrous copper (II) sulphate is formed.:
ICSE Class 10 Chemistry Sample Question Paper 3 with Answers 11

(b) The reddish brown nitrogen dioxide gas which has pungent smell is evolved along with the formation of (Cupric nitrate) and water.
ICSE Class 10 Chemistry Sample Question Paper 3 with Answers 12

(c) A thick curdy white precipitate of silver chloride is formed.
AgNO3 + HCl → AgCl ↓ + HNO3
ICSE Class 10 Chemistry Sample Question Paper 3 with Answers 13

Question 4.
(i) State the relevant reason for the following:
(a) Methane is called as marsh gas. Why?
(b) All glass apparatus are used in the laboratory preparation of HNO3.
(ii) Name the ores of the given metals :
(a) Aluminium
(b) Zinc
(iii) Identify the terms for the following:
(a) Another name of nitric acid
(b) The catalyst used in the conversion of ethyne to ethane.
(c) A mixture of three parts of cone. HC1 and one part of cone. HNOj.
(iv) Copy and complete the following table : Column 3 has the names of gases to be prepared using the substance you enter in column 1 alongwith dilute or concentrated sulphuric acid as indicated by you in column 2.

Column 1
Substance reacted with acid
Column 2
Dilute or concentrated sulphuric acid (H2SO4)
Column 3
Gas
(a) Hydrogen
(b) Carbon dioxide
(c) Only chlorine

Answer:
(i) (a) Methane is called as marsh gas because methane is formed by the decomposition of plant and animal matter lying under water in marshy areas.

(b) All glass apparatus are used in the laboratory preparation of HNO3 because nitric acid being very corrosive and destroys the rubber or cork of the apparatus.

(ii) (a) Bauxite
(b) Calamine

ICSE Class 10 Chemistry Sample Question Paper 3 with Answers

(iii) (a) Aqua fortis
(b) Lindlar catalyst
(c) Aqua regia

(iv)

Column 1
Substance reacted with acid
Column 2
Dilute or concentrated sulphuric acid (H,S04)
Column 3
Gas
(a) Zinc Dilute H2SO4 Hydrogen
(b) Copper carbonate Dilute H2SO4 Carbon dioxide
(c) Sodium chloride
+
Manganese oxide
Concentrated H2SO4 Only chlorine

Question 5.
(i) (a) Write a balanced chemical equation for the laboratory preparation of nitric acid.
(b) Mention two precautions to be followed while carrying on the above experiment.
(ii) Select the correct answer from the brackets to complete the following statements:
(a) Haber’s process is used for industrial preparation of __________ (ammonium hydroxide/ammonium chloride/ammonia).
(b) Pure nitric acid is __________. (brown coloured/yellow coloured/colourless)
(iii) Give the IUPAC name of the following:
ICSE Class 10 Chemistry Sample Question Paper 3 with Answers 5
(iv) (a) Which of A and B is the cathode and which one is the anode?
(b) What is the electrolyte in the tank?
ICSE Class 10 Chemistry Sample Question Paper 3 with Answers 6
(c) What material is used for the cathode?
Answer:
(i) (a) KNO3 + cone. H2SO4 → KHSO4 + HNO3 (below 200°C)
(b) 1. The reaction mixture should not be heated beyond 200°C because nitric acid decompose at highter temperatures.
2. The apparatus must be made of all glass as the vapours of nitric acid are corrosive therefore it damages the rubber and cork.

(ii) (a) Ammonia
ICSE Class 10 Chemistry Sample Question Paper 3 with Answers 14

(b) Colourless. (Pure nitric acid is colourless fuming liquid while commercial nitric acid is yellowish brown.)

(iii) (a) 2-Methyl butanoic acid
(b) 1,2-Dibromoethane
(c) Propan-2-ol

(iv) (a) A is cathode and B is anode.
(b) Molten fluorides of Al, Na and Ba.
(c) Graphite rods dipped in pure aluminium.

ICSE Class 10 Chemistry Sample Question Paper 3 with Answers

Question 6.
(i) Distinguish between the following:
(a) Alkane, alkene and alkyne [using potassium permanganate solution]
(b) Ethylene and Acetylene [ammonical solution of silver nitrate]
(ii) Give the formula of the next higher homologue of the following:
(a) Ethane.
(b) Ethene.
(iii)
ICSE Class 10 Chemistry Sample Question Paper 3 with Answers 7
(a) Name (i) the ammonium salt A (ii) alkaline gas C.
(b) How the conversion D is carried out ? State all the conditions like temperature, pressure and catalyst.
(c) (i) How is C converted to nitric oxide? Write the equation.
(ii) How is temperature maintained in above process?
(iii) Write the equation for conversion of F and G.
(iv) Draw the structural formula for each of the following:
(a) Isomer of n-butane.
(b) A three membered unsaturated hydrocarbon with a triple bond.
(c) The straight chain structure of 2-methyl butane.
(d) The mono-substituted product formed when ethane reacts with bromine gas.
Answer:
(i) (a)

Test Alkanes Alkenes Alkynes
Alkaline Potassium Permanganate Test: Add a few drops of alkaline potassium permanganate sol. to the hydrocarbon. No change takes place. The purple colour of Potassium permanganate is decolourised. The purple colour of potassium permanganate is decolorised.

(b) When acetylene is passed through an ammonical solution of silver nitrate, it gives a white precipitate of silver acetylide, while ethylene does not show any such reaction.

(ii) Propane – C3H8
(b) Propene – C3H6

(iii) (a) (i) Ammonium nitrate, NH4NO3
(ii) Ammonia

(b) D is mixed with hydrogen in the ratio of 1 : 3, compressd to a pressure of 200 to 500 atomosphere and passes over a catalyst (iron) heated to 450 to 500°C.

ICSE Class 10 Chemistry Sample Question Paper 3 with Answers

(c) (i) By passing the gas with excess of air over platinium gauze heated to 800°C.
4NH3 + 5O2 → 4NO + 6H2

(ii) The oxidation of ammonia of nitric oxide is exothermic reaction and once the reaction is started it maintains the temperature of the platinium gauze.

(iii) 2N2O + 2H2O + O2 → 4HNO3
Ca(OH)2 + 2HNO3 → Ca(NO3)2 + 2H2O

(iv) (a) Isomer of n-butane
ICSE Class 10 Chemistry Sample Question Paper 3 with Answers 15

(b) Propyne is the three membered unsaturated hydrocarbon with a triple bond.
H3C – C ≡CH

(c) The compound n-pentane represents the straight chain structure of 2-methyl butane.
ICSE Class 10 Chemistry Sample Question Paper 3 with Answers 16

(d) The monosubstituted product formed when ethane reacts with bromine gas is bromoethane.
ICSE Class 10 Chemistry Sample Question Paper 3 with Answers 17

ICSE Class 10 Chemistry Question Papers with Answers

ICSE Class 10 Chemistry Sample Question Paper 2 with Answers

ICSE Class 10 Chemistry Sample Question Paper 2 with Answers

Maximum Marks: 40
Time: 1 1/2 Hours

Section-A [10 Marks]
(Attempt all questions from this Section)

Question 1.
Choose the correct answers to the questions from the given options. (Do not copy the question, write the correct answer only.)
(i) The IUPAC name of Acetylene is:
(a) Propane
(b) Propyne
(c) Ethene
(d) Ethyne
Answer:
(d) Ethyne
Explanation:
Because formula of acetylene is CH ≡ CH .
Thus, IUPAC name is Ethyne.

(ii) Aluminium powder is used in thermite welding because:
(a) it is a strong reducing agent.
(b) it is a strong oxidising agent.
(c) it is corrosion resistant.
(d) it is a good conductor of heat.
Answer:
(a) It is a strong reducing agent
Explanation:
It reduces Fe2O3 to iron, this reduced iron (molten) sinks and flows in to the gap of grinder thereby welding it.

ICSE Class 10 Chemistry Sample Question Paper 2 with Answers

(iii) An aqueous solution of HCl gas is named:
(a) Aqua fortis
(b) Aqua regia
(c) Oil of vitriol
(d) Muriatic acid
Answer:
(d) Muriatic acid
Explanation:
An aqueous solution of HCl gas is hydrochloric acid. It was first named by Lavoisier as muriatic acid. Later on, Davy, in 1810, named it as hydrochloric acid.

(iv) Which of the following can be used as a drying agent for ammonia?
(a) CaO
(b) H2SO4
(c) P2O5
(d) CaCl2
Answer:
(a) CaO
Explanation:
Calcium oxide or limewater is generally used for obtaining dry ammonia gas. On the other hand, sulphuric acid, phosphorus pentoxide, and calcium chloride react with ammonia to give a product, and hence they are not suitable for drying purposes.

(v) Rearrange the following steps involved in the contact process for the manufacturing of H2SO4.
(i) Production of sulphur trioxide
(ii) Addition of water to H2S2O7
(iii) Production of sulphur dioxide
(iv) Production of oleum
(v) Purification of gases
(a) (i), (v), (iii), (iv), (ii)
(b) (iii), (v), (i), (iv), (ii)
(c) (v), (iii), (i), (iv), (ii)
(d) (iii), (i), (v), (iv), (ii)
Answer:
(b) (iii), (v), (i), (iv), (ii)
Explanation:
The first step in the contact process is to produce SO2 from sulphur or metallic sulphide, which includes some impurities. Therefore, the second step is the purification of SO2 produced in the first step. Then purified SO2 is used to produce SO3 gas, which is further converted to oleum (H2S2O7). The last step is the production of sulphuric acid by adding water to the oleum.

(vi) Compounds having the same molecular formula but different arrangements of atoms are called:
(a) Isotope
(b) Isobar
(c) Isomers
(d) None of these
Answer:
(c) Isomers
Explanation:
The compounds which have the same number of atoms of the same elements but differ in structural arrangements and properties.

(vii) Liquor ammonia fortis is:
(a) Unsaturated solution of ammonia in water
(b) Saturated solution of ammonia in water
(c) Saturated solution of ammonia in alcohol
(d) Unsaturated solution of ammonia in alcohol
Answer:
(b) Saturated solution of ammonia in water
Explanation:
Liquor ammonia fortis is a name given to the saturated solution of ammonia in water, and it is also known as 880 ammonia because it has a density of nearly about 0.880. It is always stored in tightly stoppered bottles in a cold place.

ICSE Class 10 Chemistry Sample Question Paper 2 with Answers

(viii) What are the constituent elements of duralumin?
(a) Al, Cu, Mg
(b) Al and Mg
(c) Al, Cu, Mg and Mn
(d) Al, Cu and Mn
Answer:
(c) Al, Cu, Mg and Mn
Explanation:
The constituents of duralumin are aluminium, copper, magnesium and manganese.

(ix) The arrangement of the round bottom flask in the fountain experiment is:
(a) Inverted position
(b) Erect position
(c) Facing 900 to left
(d) Facing 90° to right
Answer:
(a) Inverted position
Explanation:
The round bottom flask is generally arranged in an inverted position using a retort stand for the fountain experiment. It is arranged in such a position so that suction of the litmus solution can take place.

(x) When sulphuric acid is added to sodium carbonate, brisk effervesence is produced which is due to:
(a) Evolution of H2S gas
(b) Evolution of Cl2 gas
(c) Evolution of CO2 gas
(d) Evolution of O2 gas
Answer:
(c) Evolution of CO2 gas
Explanation:
The reaction of sulphuric acid and sodium carbonate produces sodium sulphate, water, and brisk effervescence of carbon dioxide. The reaction is given as:
Na2CO3 + H2SO4 → Na2SO4 + H2O + CO2(↑)

Section-B [30 Marks]
(Attempt any three questions from this Section)

Question 2.
(i) Define: [2]
(a) Isomerism
(b) Ore
(ii) Name the compound formed when: [2]
(a) Copper turnings are heated with cone. H2SO4.
(b) A mixture of ammonia and oxygen are passed over heated platinum at 800°C.
(iii) Draw the structural diagram of: [3]
(a) Ethanol
(b) Methanoic acid
(c) 2,3-Dimethyl butane
(iv) Complete and balance the following chemical equations:
ICSE Class 10 Chemistry Sample Question Paper 2 with Answers 1
Answer:
(i) (a) Compounds having the same molecular formula but different structural formula are called ‘isomers’ of one another and this phenomenon is called ‘isomerism’.

(b) A mineral from which, metals are extracted commercially at a comparatively low cost and with minimum effort are called ores of the metals.
ICSE Class 10 Chemistry Sample Question Paper 2 with Answers 4

Question 3.
(i) Study the figure given below and answer the questions that follow: [2]
ICSE Class 10 Chemistry Sample Question Paper 2 with Answers 2
(a) Identify the gas Y.
(b) What property of gas Y does this experiment demonstrate?
(ii) State the following: [2]
(a) Name one lead compound that can be used to oxidise HCl to chlorine.
(b) The compound added to pure alumina to lower the fusion temperature during the electrolytic reduction of alumina.
(iii) State the observation for the following, when: [3]
(a) Hydrogen chloride gas comes in contact with ammonia solution.
(b) Ammonia is passed through yellow lead oxide.
(c) Action of nitric acid on limestone.
(iv) Write balanced equation for the following conversions:
(a) Potassium sulphate from potassium hydrogen carbonate and sulphuric acid.
(b) Methyl chloride from methane
(c) Carbonic acid from carbon and concentrated nitric acid.
Answer:
(i) (a) Y is Hydrochloride (HCl) gas.
(b) Gas Y is highly soluble in water.

(ii) (a) Lead dioxide or red lead
(b) Cryolite

(iii) (a) When hydrogen chloride gas comes in contact with ammonia, it combines with ammonia to form dense white fumes of ammonium chloride.
ICSE Class 10 Chemistry Sample Question Paper 2 with Answers 5

(b) When ammonia is passed through yellow lead oxide, it changes to silvery white lead.
ICSE Class 10 Chemistry Sample Question Paper 2 with Answers 6

(c) When nitric acid reacts with limestone(calcium carbonate) carbon dioxide gas is liberated.
ICSE Class 10 Chemistry Sample Question Paper 2 with Answers 7

Question 4.
(i) State the relevant reason for the following: [2]
(a) During the extraction of aluminium, cryolite and fluorspar are added to alumina. Why?
(b) Why in construction work alloy duralumin is used rather than aluminium?
(ii) Write the composition of the alloys given below: [2]
(a) Duralumin
(iii) Identify the terms for the following: [3]
(a) The experiment which demonstrates extreme solubility of hydrogen chloride gas.
(b) The industrial process which starts with the reaction of catalytic oxidation of ammonia.
(c) The electrode where oxidation takes place.
(iv) Complete and balance the equations given below:
(a)
ICSE Class 10 Chemistry Sample Question Paper 2 with Answers 3
(b) Mg3N2 + H2O → Mg(OH)2 + NH3
(c) C2H5OH + H2SO4 → _______ + _______
Answer:
(i) (a) Cryolite and fluorspar are added to alumina :
(i) To lower the melting point of aluminium.
(ii) To make alumina a good conductor of electricity.
(iii) Cryolite acts as a solvent for alumina.

(b) In construction work alloy duralumin is used rather than aluminium because duralumin is harder, stronger and more resistant to corrosion.

(ii) (a) Al (90%) Cu (4%), Mg (0.5%) and Mn (less than 1 %)
(b) Al (95%), Mg (5%)

ICSE Class 10 Chemistry Sample Question Paper 2 with Answers

(iii) (a) Fountain experiment.
(b) Ostwald’s process.
(c) Anode

(iv) (a) Na2SO4+ HCl
(b) NH3
ICSE Class 10 Chemistry Sample Question Paper 2 with Answers 8

Question 5.
(i) The chief ore of aluminium, bauxite is concentrated by Baeyer’s process and extracted by electrolytic reduction by Hall Heroult’s process. Furnish the following by means of equations. [2]
(a) The three steps required in the concentration of the ore.
(b) The cathode and anode reactions in the extraction of aluminium by electrolytic reduction.
(ii) Select the correct answer from the brackets to complete the following statements: [2]
(a) The drying agent used to dry ammonia gas is _______ [quick lime / calcium carbonate].
(b) The product formed when ammonia reacts with carbon dioxide at 150 °C and 150 atm. pressure is _______ [urea / ammonium nitrate]
(iii) Name the following organic compound: [3]
(a) A hydrocarbon which on catalytic hydrogenation gives a saturated hydrocarbon.
(b) The first homologue whose general formula is CnH2n.
(c) The product formed when mixture of acetylene and hydrogen is heated at 200°C temperature.
(iv) Some bacteria obtain their energy by oxidizing sulphur, producing sulphuric acid as a byproduct. In the laboratory, or industrially, the first step in the conversion of sulphur to sulphuric acid is to produce sulphur dioxide. Then sulphur dioxide is converted to sulphur trioxide which reacts with water, producing sulphuric acid.
(a) Name the catalyst used industrially which speeds up the conversion of sulphur dioxide to sulphur trioxide.
(b) Write the equation for the conversion of sulphur dioxide to sulphur trioxide. Why does this reaction supply energy?
(c) What is the name of the compound formed between sulphur trioxide and sulphuric acid?
Answer:
(i) (a) Bauxite is mixed with concentrated sodium hydroxide solution, bauxite dissolves to from sodium aluminate leaving behind the impurity ferric oxide unreacted. The solution is filtered where sodium is collected as filtrate and the impurities are left behind.
Al2O32H2O + 2NaOH → 2NaAlO2 + 3H2O
Sodium aluminate solution is diluted with water, white precipitate of aluminium hydroxide is formed which is filtered, washed and dried.
NaAlO2 + 2H2O → NaOH + Al(OH)3
Aluminium hydroxide is heated to high temperatures to obtain alumina.
2Al(OH)3 → Al2O3 + 3H2O

(b) At cathode:
Al3+ + 3e → Al
At anode:
O-2 + 2e → [O]
[O] + [O] → O2
2C + O2 → CO2
2CO + O2 → 2CO2

(ii) (a) Quick lime
(b) Urea

ICSE Class 10 Chemistry Sample Question Paper 2 with Answers

(iii) (a) Ethene
(b) Methane (An alkane) (CH4)
(c) Ethane (C2H6)

(iv) (a) Platinum and Vanadium pentaoxide.
(b) When conversion of SO2 to SO3 takes place according to the following reaction.
SO2 + O2 → 2SO3 + 45 kcal
The 45 k cal energy supplied by above reaction.

(c) Oleum (H2S2O7).

Question 6.
(i) Distinguish between the following: [2]
(a) Ethene and ethane [using potassium permanganate solution]
(b) Hydrogen chloride gas and carbon dioxide gas [using silver nitrate solution]
(ii) Give one word for the following statements: [2]
(a) A hydrocarbon which is a greenhouse gas.
(b) The processes involved in the extraction of pure metals from their ore.
(iii) A, B, C and D summarize the properties of sulphuric acid depending on whether it is dilute or concentrated. [3]
A = Typical acid property.
B = Non-volatile acid C = Oxidizing agent D = Dehydrating agent
Choose the property (A, B, C or D) depending on which is relevant to each of the following :
(a) Preparation of Hydrogen chloride gas.
(b) Preparation of copper sulphate from copper oxide.
(c) Action of cone, sulphuric acid on sulphur.
(iv) Copy and complete the following table which relates to three homologous series of Hydrocarbons:

General formula CnH2n-2 CnH2n CnH2n+2
IUPAC name of the homologous series Alkynes (a) _______ (b) _______
Characteristics bond type (c) _______ (d) _______ Single bonds
IUPAC name of the first member of the series (e) _______ Ethene (f) _______

Answer:
(i) (a) When few drops of purple colour potassium permanganate is added to ethane, its purple colour
does not fades but when a few drops of it is added to ethene, the solution decolourizes.

(b)
ICSE Class 10 Chemistry Sample Question Paper 2 with Answers 9
When carbon dioxide gas is passed into lime water, it forms a milky white precipitate of calcium carbonate.
ICSE Class 10 Chemistry Sample Question Paper 2 with Answers 10

(ii) (a) Methane
(b) Metallurgy

(iii)
(a) B = Non-volatile acid.
(b) A = Typical acid property.
(c) C = Oxidizing agent.

(iv)

General formula CnH2n-2 CnH2n CnH2n+2
IUPAC name of the homologous series Alkynes Alkenes Alkanes
Characteristics bond type Triple bond Double bond Single bonds
IUPAC name of the first member of the series Ethyne Ethene Methane

ICSE Class 10 Chemistry Question Papers with Answers