ICSE Computer Applications Question Paper Solved Semester 2 for Class 10

ICSE 2022 Computer Applications Question Paper Solved Semester 2 for Class 10

Solving ICSE Class 10 Computer Applications Previous Year Question Papers ICSE Class 10 Computer Applications Question Paper 2022 Semester 2 is the best way to boost your preparation for the board exams.

ICSE Class 10 Computer Applications Question Paper 2022 Solved Semester 2

Maximum Marks: 50
Time Allowed: 1½

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 marks intended for questions are given in brackets [].

Section-A
(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.) [10]
(i) Return data type of isLetter(char) is __________ .
(a) Boolean
(b) boolean
(c) bool
(d) char
Answer.
(b) boolean

ICSE 2022 Computer Applications Question Paper Solved Semester 2 for Class 10

(ii) Method that converts a character to uppercase is
(a) toUpper()
(b) ToUpperCase()
(c) toUppercase()
(d) toUpperCase(char)
Answer.
(d) toUpperCase(char)

(iii) Give the output of the following String methods:
“SUCESS”.indexOf(‘S) “+ “SUCESS”. latlndexOf(’S)
(a) 0
(b) 5
(c) 6
(d) – 5
Answer.
(b) 5

(iv) Corresponding wrapper class of float data type is
(a) FLOAT
(b) float
(c) Float
(d) Floating
Answer.
(c) Float

(v) ____________ class is used to convert a primitive data type to its corresponding object.
(a) String
(b) Wrapper
(c) System
(d) Math
Answer.
(b) Wrapper

(vi) Give the output of the following code: System.out.println(“Good”.concat(“Day”));
(a) GoodDay
(b) Good Day
(c) Goodday
(d) goodDay
Answer.
(a) GoodDay

ICSE 2022 Computer Applications Question Paper Solved Semester 2 for Class 10

(vii) A single dimensional array contains N elements. What will be the last subscript ?
(a) N
(b) N – 1
(c) N – 2
(d) N + 1
Answer.
(b) N – 1

(viii) The access modifier that gives least accessibility is:
(a) private
(b) public
(c) protected
(d) package
Answer.
(a) private

(ix) Give the output of the following code:
String A =”56.0″, B=”94.0″;
double C=Double.parseDouble(A);
double D=Double.parseDouble(B);
System.out.println((C+D));
(a) 100
(b) 150.0
(c) 100.0
(d) 150
Answer.
(b) 150.0

(x) What will be the output of the following code? System.out.println(“Lucknow”.substring (0,4));
(a) Lucknow
(b) Luckn
(c) Luck
(d) luck
Answer.
(d) luck

Section – B
(Attempt any four questions from this Section.)

Question 2.
Define a class to perform binary search on a list of integers given below, to search for an element input by the user, if it is found display the element along with is position, otherwise display the message “Search element not found. ” [10]
2, 5, 7, 10, 15, 20, 29, 30, 46, 50
Answer.

import java.util.Scanner; 
class Search {
int arr[ ] = {2, 5, 7, 10, 15, 20, 29, 30, 46, 50}; 
int n;
Search (int arr) { 
n = arr;
}
void search( ) {
int i = 0, len = arr.length, m; 
while(i <= len) { 
m = (i + len)/2; 
if(arr[m] == n) {
System.out.println("Found at = " +m); 
System.exit(0);
}
if(arr[m] < n) {
i = m+ 1;
}
if(arr[m] > n) {
len = m - 1;
}
System.out.printIn("Search element no found.");
}
}
}

ICSE 2022 Computer Applications Question Paper Solved Semester 2 for Class 10

Question 3.
Define a class to declare a character array of size ten, accept the characters into the array and display the characters with highest and lowest ASCII (American Standard Code for Information Interchange) value. [10]
EXAMPLE
INPUT
‘R’, ‘z’, ‘q’, ‘A’ ‘N’, ‘p’, ‘m’, V, ‘Q’, ‘F’
OUTPUT
Character with highest ASCII value = z
Character with lowest ASCII value = A
Answer:

import java.util.Scanner; 
class ASCII {
public static void main(String args[ ]) { 
Scanner sc = new Scanner(System.in); 
char arr[ ] = new char[10]; 
System.out.println("Enter characters");
double n = sc.nextDouble( ); 
for(int i = 0; i < 10; i++) { 
arr[i] = sc.next( ).charAt(0);
}
System.out.println("Entered numbers are"); 
for(int i = 0; i < 10; i++) {
System.out.println(arr[i] + "\t");
}
int i, len = arr.length, large = arr[0], small = arr[0];
for(i = 0; i < 10; i++) {
if (arr[i] > large) {
large = arr[i];
}
if(arr[i]< small) {
small = arr[i];
}
}
System.out.println("Character with Highest ASCII value =" +(char)large);
System.out.println("Character with Lowest ASCII value ="+(char)small);
}
}

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

  • Calculate and print the product of all the elements.
  • Print the square of each element of the array.

Answer:

import java.util.Scanner; 
class HighSmall {
public static void main(String args[ ]) {
Scanner sc = new Scanner(System.in); 
double air[ ] = new double[20]; 
System.out.println("Enter values"); 
double n = sc.nextDouble(); 
for(int i = 0; i < 20; i ++) { 
arr[i] = sc.nextDouble( );
}
System.out.println("Entered numbers are"); 
for(int i = 0; i < 20; i++) {
System.out.println(arr[i]+"\t");
}
int i, len = arr.length; 
double prod = 1; 
for(i = 0; i < len; i++) { 
prod = prod * arr[i];
System.out.println("Square of "+arr[i] + "=" +arr[i] * arr[i]);
}
System.out.println("Product of all the elements:" +prod);
}
}

ICSE 2022 Computer Applications Question Paper Solved Semester 2 for Class 10

Question 5.
Define a class to accept a string, and print the characters with the uppercase and lowercase reversed, but all the other characters should remain the same as before. [10]
EXAMPLE: INPUT : WelCoMe_2022
OUTPUT : wELcOmE_2022
Answer:

import java.util.Scanner; 
class UpperLower { 
public static void main(String args[ ]) { 
System.out.println("Enter a string:");
Scanner read = new Scanner(System.in);
String str = read.nextLine( );
String convert = "";
for(int i = 0; i < str.length(); i++) { 
char ch = str.charAt(i); 
if (Character.isUpperCase(ch)) { 
convert = convert + Character.toLower Case(ch);
}
else
if(Character.isLowerCase(ch)) { 
convert = convert + Character toUpper Case(ch);
}
else {
convert = convert + ch;
}
}
System.out.println("Original String is:" +str); 
System.out.println("Changed String is:" + convert);
} 
}

Question 6.
Define a class to declare an array to accept and store ten words. Display only those words which begin with the letter ‘A ’or ‘a ’and also end with the letter ‘A ’or ‘a ’. [10]
EXAMPLE:
Input: Hari, Anita, Akash, Amrita, Alina, Devi, Rishab, John, Farha, AM1THA
Output:
Anita
Amrita
Alina
AMITHA
Answer:

import java.util.Scanner; 
class Words {
public static void main(String args[ ]) {
String str[ ] = new String[10];
Scanner scan = new Scanner(System.in); 
System.out.println("Enter ten strings:"); 
for (int i = 0; i < 10; i++) { 
str[i] = scan.nextLine();
}
System.out.println( );
System.out.println("Entered strings are::"); 
for (int i = 0; i < 10; i++) {
System.out.println(str[i]);
}
System.out.printIn("Words are:"); 
for(int i = 0; i < 10; i++) {
if (str[i].startsWith("A") || str[i].startsWith ("a") && 
str[i].endsWith("a")|| str[i].ends With("A")) { 
System.out.println(str[i]);
}
}
System.out.println(" ");
}
}

ICSE 2022 Computer Applications Question Paper Solved Semester 2 for Class 10

Question 7.
Define a class to accept two strings of same length and form a new word in such a way that, the first character of the first word is followed by thefirst character ofthe second word and soon. [10]
Example: Input string 1-BALL
Input String 2-WORD
OUTPUT: BWAOLRLD
Answer:

import java.util.*; 
public class TwoStrings { 
public static void main(String atgs[ ]) {
Scanner sc= new Scanner(System.in); 
System.out.println("Enter First String: ");
String a = sc.nextLine();
System.out.println("Enter Second String: ");
String b = sc.nextLine( ); 
if(a.length( ) = b.length()){
System.out.printIn("Both strings are equal.");
} else { .
System.out.println("Both strings are not equal."); 
System.exit(0);
}
String newString = ""; 
for(int i = 0; i < a.length(); i++) { 
newString = newString + a.charAt(i) + b.charAt(i);
}
System.out.println(newString);
}
Refer More:

VOLTAS Pivot Point Calculator

ICSE Computer Applications Question Paper Solved for Class 10

ICSE 2012 Computer Applications Question Paper Solved for Class 10

Solving ICSE Class 10 Computer Applications Previous Year Question Papers ICSE Class 10 Computer Applications Question Paper 2012 is the best way to boost your preparation for the board exams.

ICSE Class 10 Computer Applications Question Paper 2012 Solved

[Section – A (40 Marks)]
(Attempt all Questions)

Question 1.
(a) Give one example each of a primitive data type and a composite data type [2]
Answer:
ICSE 2012 Computer Applications Question Paper Solved for Class 10 1

ICSE 2012 Computer Applications Question Paper Solved for Class 10

(b) Give one point of difference between unary and binary operators. [2]
Answer:

Uniary Operators Binary Operators
The operators which act upon a single operand are called unary operators. The operators which require two operands for their action are called binary operators.
They are preincrement and post increment (++) They are mathematical operators and relational operators.

(c) Differentiate between call by value or pass by value and call by reference or pass by reference. [2]
Answer:
Pass by reference means, passing the address itself rather than passing the value. Pass by value means passing a copy of the value.
Primitive data types are always passed by call by value whereas all objects, arrays are passed by call by reference.

(d) Write a Java expression for \(\sqrt{2 a s+\mu^2}\) [2]
Answer:
y = Math.sqrt(2*a*s+Math.pow(u,2)) ;

(e) Name the type of error (syntax, runtime or logical error) in each case given below:
(i) Division by a variable that contains a value of zero.
(ii) Multiplication operator used when the operation should be division.
(iii) Missing semicolon. [2]
Answer:
(i) Runtime error
(ii) Logical error
(iii) Syntax error

Question 2.
(a) Create a class with one integer instance variable. Initialize the variable using:
(i) default constructor.
(ii) parameterized constructor. [2]
Answer:
class IntegCons {
int num;
//default constructor IntegConsO {
num = 0; //initialization of variable
}
//parameterized constructor
IntegCons(int n) {
num = n;
}
}

(b) Complete the code below to create an object of Scanner class.
Scanner sc = _________ Scanner (_________).
(ii) parameterized constructor. [2]
Answer:
Scanner sc = new Scanner(System.in);

(c) What is an array ? Write a statement to declare an integer array of 10 elements. [2]
Answer:
An array is a series of elements of the same type placed in contiguous memory locations that can be individually referenced by adding an index to a unique identifier.
int number = new int[10];

ICSE 2012 Computer Applications Question Paper Solved for Class 10

(d) Name the search or sort algorithm that:
(i) Makes several passes through the array, selecting the next smallest item in the array each time and placing it where it belongs in the array.
(ii) At each stage, compares the sought key value with the key value of the middle element of the array. [2]
Answer:
(i) Selection Sort
(ii) Binary Search

(e) Differentiate between public and private modifiers for members of a class. [2]
Answer:
Access specifiers are keywords that determine the type of access to the member of a class. These keywords are for allowing privileges to parts of a program such as functions and variables.
Public: accessible to all classes
Private : accessible only to the class to which they belong.

Question 3.
(a) What are the values of x and y when the following statements are executed ? [2]
int a = 63, b = 36;
boolean x=(a>b)? true false;
int y = (a<b)?a:b;
Answer:
(i) True
(ii) 36

(b) State the values of n and ch. [2]
char c = ‘A’;
int n = c+I;
char ch = (char)n;
Answer:
66

(c) What will be the result stored iri x after evaluating the following expression ? [2]
in x = 4; x+=(x++)+(++x)+x;
Answer:
20

(d) Give the output of the following program segment: double x = 2.9, y = 2.5;
System.out.println(Math.min(Math. floor(x),y));
System.out.println(Math.max(Math. ceil(x),y)); [2]
Answer:
(i) 2.0
(ii) 3.0

(e) State the output of the following program segment.
String s=”Examination
int n=s.length():
System.out.println(s.startsWith(s. substring(5,n)));
System.out.println(s.charAt(2)==s. charAt(6)); [2]
Answer:
(i) false
(ii) false

(f) State the method that:
(i) Converts a string to a primitive float data type
(ii) Determines if the specified character is an uppercase character. [2]
Answer:
(i) Float.valueOf()
(ii) isUpperCase() Method

ICSE 2012 Computer Applications Question Paper Solved for Class 10

(g) State the data type and values of a and b after the following segment is executed.
String si=”Computer”,
s2=”Applications”;
a =(s1.compareTo(s2));
b =(s1.equals(s2));
Answer:
Data type of a is int and for b is boolean. a = 2, b = false

(h) What will the following code output ? [2]
String s=”malayalam”;
System. out.println(s. indexOff(‘m’));
System. outprintln(s. lastlndexOff(‘m’));
Answer:
(i) 0
(ii) 8

(i) Rewrite the following program segment using while instead of for statement, [2]
int f = I, i; ,
for(i = 1; i <= 5; i++)
{f*=i; System.out.println(f);} [2]
Answer:
int f = 1;
int i = 1;
while(i<=5) {
f*= i;
System.out.println(f);
i++;
}

(j) In the program given below, state the name and the value of the
(i) method argument or argument variable
(ii) class variable
(iii) local variable
(iv) instance variable
class myClass {
static int x = 7;
int y=2;
public static void main(String args[]){
myClass obj = new myClass();
System.out.println(x);
obj.sampleMethod(5);
int a = 6;
System.out.println(a);
}
void sampleMethod(int n) {
System.out.println(n);
System.out.println(y);
}
}
Answer:
(i) method argument = int n
(ii) class variable = static int x;
(iii) local variable = int a;
(iv) instance variable = int y;
Output of the program-
7
5
2
6

ICSE 2012 Computer Applications Question Paper Solved for Class 10

Section – B (60 Marks)
(Attempt any Four questions from this section)

Question 4.
Define a class called Library with the following description :
Instance variables/data members :
int acc_um – stores the accession number of the book
String title – stores the title of the book
String author – stores the name of the author

Member methods:
(i) void input()To input and store the accession number, title and author.
(ii) void compute()To accept the number of days late, calculate and display the fine charged at the rate of Rs. 2 per day.
(iii) void display()To display the details in the following format:
Accession Number Title Author
Write a main method to create an object of the class and call the above member methods. [15]
Answer:

import java.io.*;
class Library {
int acc_num;
String title;
String author;
static int days;
static double fine;
void input(int num, String tit, String auth) {
acc_num = num;
title=tit;
author=auth;
}
static void compute(int d){
days = d;
System.out.println("Enter the number of days (late days)" + days);
fine = days*2;
System.out.println("Fine is=" +fine);
}
public void display() {
System.out.println("Accession Number" + "\t" + "Title"+ "\t" + "Author");
System.out.println(acc_num + "\t" +title +"\t" + author);
}
public static void main(String args[]) throws IOException {
BufferedReader reader = new
BufferedReadeifnew InputStreamReader(System.in));
Library lib = new Library();
System.out.println("Enter the number of days (late days)");
String a = reader.readLine();
int d = Integer.parselnt(a);
lib.compute(d);
}
}

ICSE 2012 Computer Applications Question Paper Solved for Class 10

Question 5.
Given below is a hypothetical table showing rates of Income Tax for male citizens below the age of 65 years:

Taxable Income (TI) in Rs. Income Tax in Rs.
Does not exceed Rs. 1,60,000 Nil
Is greater than Rs. 1,60,000 & less than or equal to Rs. 5,00,000 (TI-1,60,000) × 10%
Is greater than Rs. 5,00,000 & less than or equal to Rs. 8,00,000 [(TI – 5,00,000) × 20%] + 34,000
Is greater than Rs. 8,00,000 [(TI – 8,00,000) × 30%] + 94,000

Write a program to input the age, gender (male or female) and Taxable Income of a person.
If the age is more than 65 years or the gender is female, display “wrong category”.
If the age is less than or equal to 65 years and the gender is male, compute and display the Income Tax payable as per the table given above. [15]
Answer:

import java.io.*;
class IncomeTax {
public static void main(String args[]) throws IOException{
int age;
int gender;
double income;
double tax;
double p,d,net;
String name,address;
System.out.println("********* INCOME TAX **********");
System.out.println("Enter Age of the Person::");
InputStreamReader reader = new InputStream Reader(System.in);
BufferedReader input = new Buffered Reader(reader);
String x = input.readLine();
age = Integer.parselnt(x);
System.out.println("Enter Income of the Person::");
String y = input.readLine();
income=Double.parseDouble(y);
System.out.println("M. Enter M for Male");
System.out.println("F. Enter F for Female");
System.out.println();
System.out.println("Enter your choice::");
char choice;
choice=(char)System.in.read();
switch(choice) {
case 'M': if(age<=65 && income<=160000) {
System.out.println("Tax Amount - Nil");
}
else if(age<=65 && income>160000 && income<=500000){
tax=(income-160000)*0.1;
System.out.println("Income Tax in Rupees=" +tax);
}
else if(age<=65 && income> 500000 && income <= 800000) {
tax=(income-500000)*0.2+34000;
System.out.println("____________");
System.out.println("Income Tax in Rupees=" +tax);
System.out.println("____________");
}
else if(age<=65 && income>800000) {
tax=(income-800000)*0.3+64000;
System.out.println("Income Tax in Rupees-' +tax);
}
break;
case 'F': if(age>65) {
System.out.println("____________");
System.out.println("Wrong Category");
System.out.println("___________");
}
break;
}
}
}

Question 6.
Write a program to accept a string. Convert the string to uppercase. Count and output the number of double letter sequences that exist in the string.
Sample Input: “SHE WAS FEEDING THE LITTLE RABBIT WITH AN APPLE” [15]
Answer:

import java.io.*;
public class DoubleLetter {
public static void main(String args[]) throws IOException {
InputStreamReader reader
= new InputStreamReader(System.in);
BufferedReader in
= new BuflferedReader(reader);
int x,y;
x=0;
y=0;
int count=0;
String a;
char ch1, ch2;
System.out.println(“Enter String::”);
a=in.readLine();
x=a.length0; if(a = null)
return;
String strUpper = a.toUpperCase();
System.out.println("Original String:" +a);
System.out.println("String changed to uppercase: "+ strUpper);
for(y=0;y<x-1;y++) {
ch1=strUpper.charAt(y);
ch2=strUpper.charAt(y+1);
if((int)ch1=(int)ch2)
System.out.println(ch1 +" " +ch2 +" is a duplicate sequence");
}
}
}

ICSE 2012 Computer Applications Question Paper Solved for Class 10

Question 7.
Design a class to overload a Junction polygonQ as follows :
(i) void polygon(int n, char ch) with one integer argument and one character type argument that draws a filled square of side n using the character stored in ch.
(ii) void polygon(int x, inty) with two integer arguments that draws a filled rectangle of length x and breadth y, using the symbol ‘@’
(iii) void polygon() with no argument that draws a filled triangle shown below.

Example:
(i) Input value of n-2, ch=’O’
ICSE 2012 Computer Applications Question Paper Solved for Class 10 2

(ii) Input value of x = 2, y=5
Output:
@@@@@
@@@@@

(iii) Output:
*
* *
* * *
Answer:

import java.io.*;
class Polygon {
void polygon(int n,char ch) throws IOException {
for(int i=1; i<=n; i++) {
System.out.println();
for(int j=1 y <=n; j++) {
System.out.print(ch);
}
}
}
void polygon(int x, int y) {
for(int i=1;i<=x; i++) {
System.outprintln();
for(int j=1 y<=y; j++) {
System.out.print("@" + " ");
}
}
}
void polygon() {
for(int i=1; i<4; i++) {
System.out.println();
for(int j=l; j<=i; ++j) {
System.out.print("*" + " ");
}
}
}
}

Question 8.
Using the switch statement, write a menu driven program to :
(i) Generate and display the first 10 terms of the Fibonacci series 0, 1, 1, 2, 3, 5 ………………
The first two Fibonacci numbers are 0 and 1, and each subsequent number is the sum of the previous two.

(ii) Find the sum of the digits of an integer that is input. [15]
Sample Input: 15390
Sample Output: Sum of the
digits=18
For an incorrect choice, an appropriate error message should be displayed.
Answer:

import java.io.*;
class UseSwitch {
public static void main(String args[]) throws IOException {
int ch;
int n=0, j;
double m;
InputStreamReader read = new Input StreamReader(System.m);
BufferedReader in = new Buffered Reader(read);
System.out.println("l. Series 1");
System.out.println("2. Series 2");
System.out.println("Enter your choice");
ch = Integer.parseInt(in.readLine());
System.out.println("Enter die number try {
DatalnputStream d = new Datalnput Stream(System.in);
n=Integer.parseInt(d.readLine());
}
catch(Exception e) {
System.out.println("Input Error!");
System.exit(0);
}
switch(ch){
case 1:
int a=0, b=1,c,i;
System.out.println("Fibonacci Series is \n" +a);
System.out.println(b);
for(i=!;i<=n-2;i-H-) {
c=a+b;
System.outprintln(c);
a=b;
b=c;
}
break;

case 2:
System.out.println("Sum of Digits of the Number ");
{
int q=1, s=0;
for(; q!=0;) {
int r = n%10;
q = n/10;
n = q;
s = s + r;
}
System.out.print(s);
}
break;
default:
System.out.println("Wrong choice");
}
}
}

ICSE 2012 Computer Applications Question Paper Solved for Class 10

Question 9.
Write a program to accept the names of 10 cities in a single dimension string array and their STD (Subscribers Trunk Dialing) codes in another single dimension integer array. Search for a name of a city input by the user in the list. If found, display “Search Successful” and print the name of the city along with its STD code, or else display the message “Search Unsuccessful, No such city in the list”. [15]
Answer:

import java.io.*;
class NameCity {
private String a[] = new String[10];
private int b[] = new int[10];
public void inputdata(String name[], int std[]) {
for(int i=0; i<name.length;i++)
a[i]=name[i];
for(int j=0; j<std.length;j++)
b[j]=std[j];
}
public void data() thrdws IOException {
boolean value = false;
System.out.println("Enter City You want to Search");
BufferedReader reader = new Buffered Reader(new InputStream Reader(System.in));
String x = reader.readLine();
for(int i=0; i<10; i++) {
if(x.compareTo(a[i]) = 0) {
value = true;
System.out.println("Search Successful!");
System.out.println("Name of the city is ::" + a[i]);
System.out.println("STD Code of" +a[i] + " is ::" +b[i]);
}
}
if(value == false){
System.out.println("Search Unsuccessful. No Such city in the list");
data();
}
}
}
ICSE English Literature Question Paper Solved for Class 10

ICSE 2020 English Literature Question Paper Solved for Class 10

Solving ICSE Class 10 English Literature Previous Year Question Papers ICSE Class 10 English Literature Question Paper 2020 is the best way to boost your preparation for the board exams.

ICSE Class 10 English Literature Question Paper 2020 Solved

**Answer is not provided due to change in the present syllabus.

Section – A(Drama)
Answer one or more questions from only ONE of the following plays :

The Merchant of Venice
or
The Mousetrap
The Merchant of Venice: Shakespeare

Question 1.
Read the extract given below and answer the questions that follow:
Launcelot : But, I pray you, ergo, old man, ergo,
I beseech you, talk you of young Master Launcelot ?
Gobbo : Of Launcelot, an ’ t please your mastership.
Launcelot : Egro, Master Launcelot. Talk not of Master Launcelot, father; for the young gentleman, according to Fates and Destines, and such odd sayings, the Sisters Three and such branches of leaning.
is indeed, deceased; or, as you would say in plain terms, gone to heaven.

(i) What information does Gobbo seekfrom Launcelot at the beginning of this scene ? [3]
What does Launcelot say has happened to Gobbo s son ? Who are the ‘Sisters Three ’? [3]
(ii) Who are the ‘Sister’s Three’
What role were they thought to play in the lives of humans?
(iii) Who was Launcelot s master ? [3]
What gift had Gobbo brought him ?
What does Launcelot want him to do with it ?
(iv) What reasons does Launcelot give for wanting to leave his present master’s service ? [3]
Whom does he wish to serve instead ?
(v) Why does Gobbo have trouble recognising Launcelot ? [4]
What purpose does this scene serve in the context of the play ?
Answers :
(i) Gobbo wants to know from Launcelot the way to the house of the big Jew i.e. Shylock.
Trying to deal with the old Gobbo, Launcelot tells him that his son master Launcelot is dead.

(ii) The three sisters are Clotho, Lachesis and Atropos. They are also called the Fates and Destinies. They are symbolic classic conception of fate and destiny.
They were supposed to control the happenings in the likes of humans.

(iii) Shylock was Launcelot’s master. Gobbo had brought a dish of doves for Shylock, Launcelot’s master. Launcelot wanted old Gobbo to give this present to his new master i.e. Bassanio whose service he was going to join.

(iv) Launcelot tells his father that he wants to leave his master’s job because he has been so much starved in the service that he has grown thin and weak. Instead of Shylock he wants to serve Bassanio who looks after his servants well and gives them five uniforms.

(v) Gobbo could not recognise his son Launcelot because his eye sight was very weak due to old age. This scene brings Launcelot in the service of Bassanio who is engaging a large retinue of servants to accompany him to Belmont. Launcelot’s inclusion in the retinue will release the tension in the play at Belmont.

Question 2.
Read the extract given below and answer tthe questions that follow:

Shylock : To bait fish withal. If it will feed nothing else, it will feed my revenge. He hath disgraced me and hindered me half a million, laughed at my losses, mocked at my gains, scorned my nation, thwarted my bargains, cooled my friends, heated mine enemies – and what s his reason ? Iam a Jew. Hath not a Jew eyes ? Hath not a Jew hands, organs, dimensions, senses, affections, passions ? Fed with the same food, hurt with the same weapons, subject to the same diseases, healed by the same means, warmed and cooled by the same winter and summer as a Christian is? If you prick us, do we not bleed?

(i) Who is ‘He’? [3]
What does Shylock want from him ?
What does Shylock mean by ‘to bait fish withal’?
(ii) Explain in your own words any three ways in which ‘he ’ had wronged Shylock. [3]
(iii) According to Shylock, in what other ways did Jews resemble Christians ? [3]
(iv) How does Shylock use Christian example to justify his desire for revenge? [3]
(v) The given extract reveals two distinct emotions that Shylock experiences. [4]
What are they ?
Give one reason to justify each of these emotions.
Answers:
(i) ‘He’ referred to in the second line is Antonio. Shylock wants to take revenge from him. Antonio had often insulted Shylock and scorned his nation. For this he wanted to take revenge from him.
Salarino has said that if Antonio failed to return the money within the stipulated period, he would not take a pound of flesh from his body according to the bond, because it was of no use to him. In reply to him Shylock says that the pound of Antonio’s flesh can be used as bait to catch fish: He adds that if it does nothing good, it will gratify his revenge.

(ii) ‘He’ had insulted Shylock many times and had caused him losses. Secondly he had poured scorn on his nation. Thirdly he had interfered with his business deals and encouraged his enemies.

(iii) According to Shylock Jews resemble Christians in many other ways also. If they are tickled they laugh and if they are poisoned they die. Moreover if they are wronged they too, like the Christians take revenge.

(iv) Shylock says that if a Jew wrongs a Christian, the Christian takes revenge. That is his natural reaction. He does not forgive the Jew. In the same way if a Christian wrongs a Jew, his reaction will also be similar to the reaction of the Christian i.e. he will also take revenge.

(v) The given extract reveals two distinct emotions that Shylock experiences. The first is of hatred and the other is of love for his nation.

He wants to take revenge from Antonio because he has insulted him and scorned his nation. Shylock loves his country. He is prined because Antonio has not only disgraced him but has also hated his nation by spitting at his Jewesh gaberdine.

ICSE 2020 English Literature Question Paper Solved for Class 10

Question 3.
Read the extract given below and answer the questions that follow:

Portia : The quality of mercy is not strained;
It droppeth as the gentle rain from heaven
Upon the place beneath : it is twice blessed;
It blesseth him that gives and him that takes :
”Tis mightiest in the mightiest; it becomes
The throned monarch better than his crown :

(i) Where does this scene take place ? [3]
Why is Portia here ?
Why does Bassanio not recognise her ?
(ii) To what is mercy compared in these lines ’?
Why is mercy said to be Twice blessed ?
(iii) Explain the lines : [3]
Tis mightiest in the mightiest; it becomes
The throned monarch better than his crown:
(iv) Later in her speech Portia mentions a sceptre. What is a sceptre ? [3]
How, according to Portia, is mercy above the ‘sceptred sway ’ ? [3]
(v) To whom are these words addressed ? [4]
What does the person say in response to Portia s words? Portia is seen as the dramatic heroine of the play. Using references from the text mention any two aspects of her character that appeal to you most.
Answers:
(i) This scene takes place in Venice, in a court of justice. Portia, dressed like a doctor of laws, is here to represent. Dr. Bellario whose opinion the Duke had sought in this strange caze. Dr. Bellario had not been able to come due to illness, so he had sent in his place Portia dressed as a lawyer.
Bassanio does not recognise her because she is in male attire dressed as a doctor of laws. .

(ii) Mercy is compared to gentle rain which falls freely from the sky upon the earth beneath.
It is twice-blessed. It is a blessing to a person who shows mercy and it is a blessing to him who benefits by it.

(iii) The quality of mercy is the greatest quality even in the most powerful men. In a royal king it is nobler than the crown which he wears and the sceptre which he weilds. It is for above the earthly power.

(iv) A sceptre is the rod of authority weilded by the king. It symbolises the temporal power, the worldly rule. According to Portia mercy is above the worldly power. It is a noble quality coming from the very heart of a king. It is a tribute to Almighty God. The power of kings is most divine in its working when justice is mingled with mercy.

(v) These words are addressed to Shylock who is adament on taking apound of flesh from Antonio’s body. In response to Portia’s words Shylock says, “My deeds upon my head! ” It means that he takes responsibility for his act. Portia is very intelligent. The way she turns the tables on Shylock in the trial scene is highly commendable. It shows her exceptional intelligence.

Secondly she is very witty. Even in serious situations she does not give up her wit. In the trial scene when Bassanio says that he is ready to sacrifice everything even his dear wife for Antonio’s sake, she calmly says, “your wife would give you little thanks for that.”

The Mousetrap: Agatha Christie

Question 4.**
Read the extract given below and answer the questions that follow:

Giles : (Calling) Mollie ? Mollie ? Mollie ? Where are you ?
(Mollie enters from the arch Left.)
Mollie : (Cheerfully) Doing all the work you brute. (She crosses to Giles).
Giles : Oh, there you are – leave it all to me. Shall I stoke the Aga ?
Mollie : Done.

(i) Where does the opening scene of the play take place ? [3 ]
What song is played at the beginning of Act I?
Who is the first character to appear on the scene? –
(ii) What is the ‘partnership ’ that Mollie speaks of later in this scene ? [3]
Whose idea was it?
(iii) Who is Mrs. Barlow ? Why is Giles annoyed with her ? [3]
(iv) Who is the first guest to arrive at Monkswell Manor ?
Describe this person. [3]
(v) What were this person s expectations when he arrived at the Manor ? [4]
To what extent were they fulfilled ?

Question 5.**
Read the extract given below and answer the questions that follow:

Mrs Boyle : I am Mrs Boyle. (She puts down the suitcase)
Giles : I’m Giles Ralston. Come in to the fire. Mrs Boyle, and get warm. (Mrs Boyle moves down to the fire.)
Mrs Boyle : A Major Metcalf is it ? Is carrying it ?
Giles : I’ll leave the door open for him.

(i) Who is Mrs Boyle ? Why is she in a bad mood? [3]
(ii) Describe Major Metcalf. Mention any one action of his which indicates that he is a polite and courteous man. [3]
(iii) How does Major Metcalf describe the weather outside? [3]
(iv) What comments does Mrs Boyle make when she first encounters Mollie ? [3]
(v) Mention three reasons that Mrs Boyle gives for being unhappy with Monkswell Manor. [4]
What is your impression of Mrs Boyle ?

ICSE 2020 English Literature Question Paper Solved for Class 10

Question 6.**
Read the extract given below and answer the questions that follow:
Trotter : It s true, isn’t it, that Jimmy, the child who died, managed to get a letter posted to you ? (He sits at the Right end of the sofa). The letter begged for help – help from this kind young teacher. You never answered that letter.
Mollie : I couldn’t. I never got it.
Trotter : You just-didn’t bother.

(i) Explain what Mollie means by, ‘I couldn ‘t. I never got it. ‘ [3]
(ii) What was Troner real name? [3]
How was he related to Jimmy?
How did he gain entty into the Manor?
(iii) What did Trotter accuse Mollie of doing? [3]
How did he in tend to punish her for it?
(iv) Who had come to England in search of Trotter? [3]
How was this person related to Trotter?
What clues from their past did this person use to remind
Trotter of their childhood days?
(v) Who had guessed Trotter c identity correctly? [4}
Why was this person ¡n the Manor?
Mention two ways in which the setting of the play serves to heighten the air of mystery and suspense.

Section – B
Answer one or more questions from this Section.
A Collection of Poems

Question 7.
Read the extract given below and answer the questions that follow:

Bangle sellers are we who bear
Our shining loads to the temple fair…
— The Bangle Sellers, Sarojini Naidu

(i) Why does the poet use the word ‘delicate ’ to describe the bangles ? [3]
How is ‘rainbow-tinted circles of light’ an appropriate description of bangles ?
(ii) Explain thefollowing phrasesfrom the poem in your own words: [3]

• Shining loads
• Lustrous tokens of radiant lives
• For happy daughters and happy wives.

(iii) The poet uses several images ofsight and sound to create a musical effect in the poem. Mention any three examples of these images. [3]
(iv) What are the emotions that the poet associates with a bride on her wedding day ? What colours are the bangles on her wrist that reflect these emotions ? [3]
(v) What colours does the poet associate with : [4]
(a) a maiden
(b) a middle aged woman ?
How does the poet describe the thoughts and concerns of women in both these stages of life?
Answers:
(i) The poet uses the word ‘delicate’ to describe bangles because bangles are easily damaged and broken.
Bangles are circular and multi-coloured. They radiate light. So they are described as ‘rainbow-tinted circles of light’.

(ii) ‘Shining loads’describe the load of shining bangles.
• ‘Lustrous tokens of radiant lives’ refer to shining bangles which are tokens of happy longings of those who are to wear them.
• Bangles are worn by unmarried daughters to express their happy longings. They are worn by wives to show their happiness and contentment in their married life.

(iii) The poet has used these images of sight and sound to create musical effect.
(a) The image of bangles of misty silver and blue colour, worn by unmarried girls.
(b) The image of the bangles of golden yellow and red colour, worn by the bride, is visual.
The ‘tinkling’ of these bangles (an auditory image) reveals the happy, nervous longings of the bride.
(c) The image of the ‘bridal laughter’ and ‘bridal tear’ is both visual and auditory.

(iv) The poet associates the feelings of happiness and nervousness with a bride on her wedding day. The golden yellow and fiery red colours of bangles worn by the bride reflect these emotions.

(v) The poet associates silver and blue colours with a maiden. The poet associates purple and gold-flacked grey colours with a middle aged woman.
The maiden remains lost in happy dreams of her married life, while the middle aged woman feels self-satisfied and proud in her happy married life.

Question 8.
Read the extract given below and answer the questions that follow:

But a caged bird stands on the grave of dreams
His shadow shouts on a nightmare scream
His wings are clipped and his feet are tied
So he opens his throat to sing.
-I Know Why the Caged Bird Sings, Maya Angelo

(i) In the context of the poem who is a free bird’and who is a ‘caged bird’ ? [3]
What mood do the above lines convey ?
(ii) How does a free bird live his life ? [3] What are the things he thinks of and dreams about ?
(iii) What does the caged bird sing about ? [3]
What are the restrictions that a caged bird has to deal with ?
(iv) What do you understand from the title of the poem ? [3] What do you like about the poem ?
(v) Explain what you understand by the following lines : [4]

  • ‘…a bird that stalks down his narrow cage ’
  • ‘he names the sky his own ’

Answers :
(i) The ‘free bird’ is the white’ American while the ‘encaged bird’ is the black American.
The lines convey the mood of agonised take helplessness and protest.

(ii) A free bird flies in the sky at his sweet will. He can go wherever he likes. He can think of another flight in another breeze and can dream of his food (‘fat worms’).

(iii) The caged bird sings about freedom. He sings of unknown things which he can only dream about. The restrictions that a caged bird has to deal with are those of prejudice, racial discrimination and inequality.

(iv) The title of the poem reveals that the poet is concerned with the suppressed longings of the ‘caged bird’ representative of the oppressed black American.
The poem greatly appeals to me for its use of beautiful, contrastive metaphors of a ‘caged’ and a ‘free’ bird.

(v)

  • The caged bird moves slowly in his narrow cage. It shows the plight of the black American who feels oppressed due to many restrictions on his free movement.
  • The free bird has claim on the whole sky. He is free to fly anywhere. Likewise, the white American feels totally free to move about anywhere he likes.

ICSE 2020 English Literature Question Paper Solved for Class 10

Question 9.
Read the extract given below and answer the questions that follow:

Abou Ben Adhem (may his tribe increase !)
Awoke one night from a deep dream of peace.
— Abou Ben Adhem, Leigh Hunt O’)

(i) What did Abou Ben Adhem see when woke from a deep sleep one night ? [3]
(ii) What did Abou Ben Adhem ask the angel ? [3]
What was the angel’s response ?
(iii) What did Abou request the angel to do when he learnt that his name did not appear among the names of those who loved the Lord ? [3]
What does this reveal to us of Abou Ben Adhem’s character?
(iv) When and how did the angel appear to Abou Ben Adhem again ? [3]
What did the angel show Abou this time ?
(v) What does the poet mean by ‘May his tribe increase ! ’ ? [4]
Why do you think he says this ?
What is the central message of the poem ?
Answers :
(i) Abou Ben Adhem saw an angel in the moonlight when he woke from a sleep one night.

(ii) Abou Ben Adhem asked the angel what he was writing. The angel’s response was that he was writing the names of those persons who love God.

(iii) Abou requested the angel to include his name in the list of those who love their fellow men.

(iv) The next night the angel appeared again with more dazzling light. This time he show Abou the list of those who are blessed by God. Abou’s name topped the list.

(v) The poet means that the number of noble people like Abou should increase.
He says so because the number of noble persons in the world is less.
The central idea of the poem is that real and true worship of God is to love mankind created by God. God loves and rewards those who love their fellow human beings.

Section – C
Answer one or more questions from this only ONE of the following books that you have studied:

A Collection of Short Stories
or
Animal Farm
or
The Call of the Wild
A Collection of Short Stories

Question 10.
Read the extract given below and answer the questions that follow:

“Well, Mr. Easton, if you will make me speak first, I suppose I must. Don ‘tyou ever recognize old friends when you meet them in the West ? ”
The younger man roused himself sharply at the sound of her voice, seemed to struggle with a slight embarrassment . which he threw off instantly, and then clasped her fingers
with his left hand.
“It’s Miss Fairchild, “he said, with a smile. “I’ll ask you to excuse the other hand; “it s otherwise engagedjust at present. ”

(i) Describe Miss Fairchild and Mr. Easton. [3]
(ii) Where does the above conversation occur? [3]
Why was Mr. Easton embarrassed when Miss Fairchild addressed him ?
(iii) How was Mr. Easton’s other hand ‘otherwise engaged’? [3]
How does Miss Fairchild react when he raises his right hand to show her what he meant ?
(iv) How does Miss Fairchild feel about Mr. Easton? [3] How does she try to convey these feelings to him ?
(v) The story has a surprise ending. How is the surprise revealed to the reader. [4]
Answers:
(i) Miss Fairchild is a charming woman. She is a pretty young woman and is elegantly dressed. She is travelling in a train to Denver. She is rich, materialistic and self-centred.
Mr Easton is a handsome person with frank countenance and manner. He is handcuffed to the other man seated beside him. Easton knows Miss Fairchild and greets her.

(ii) The above conversation takes place in a train coach to Denver. Miss Fairchild is acquainted to Mr. Easton who feels embarrassed and uncomfortable when greeted by Miss Fairchild because Easton is at present handcuffed.

(iii) Mr Easton’s other hand was ‘engaged’ that is, it was handcuffed at the wrist by the shining bracelet to the left of his companion when Miss Fairchild saw this, the glad look in her eyes changed to bewildered horror.

(iv) All her excitement and joy disappears on seeing Mr Easton handcuffed. The glow of her face fades away. Her lips part
in a vague distress. She understands that the young man has been arrested by the marshal sitting by his side and is probably being taken to some prison.

(v) The story ‘Hearts and Hands’ has a surprise ending. The actual offender is taken as a marshal and vice versa. This surprise is revealed at the end by the other two passengers who have been observing and listening to the conversation. One of these passengers remarks that Mr. Easton seems too young to be a marshal. The other passenger asks: “Did you ever know an officer to handcuff a prisoner to his right hand ?“ This is enough to clear the mystery about the identity of Mr. Easton and his companion.

ICSE 2020 English Literature Question Paper Solved for Class 10

Question 11.
Read the extract given below and answer the questions that follow:
So the little girl walked about the streets on her naked feet, which were red and blue with cold. In her old apron she carried a great many matches, and she had a packet of them in her hand as well.

(i) Who was ‘she’? [3]
What can you conclude about her condition from the above description ?
(ii) What time of the year was it ? Why did she not want to go home ? [3]
(iii) What did she use the matches for ? What happened when she lit the first match ? [3]
(iv) Whom did she love dearly ? What did she say when this person appeared before her? [3]
(v) What happened to the little girl at the end of the story ? [4]
Would you consider this a happy ending or a sad one ? Give one reason for your answer.
Answers :
(i) ‘ She ’ was a little match girl. She was poor and she walked bareheaded and barefoot in the cold weather through the streets. She was shivering in the cold and was hungry. Her naked feet had become red and blue with cold.

(ii) It was bitterly cold, snow was falling and darkness was gathering, for it was the last evening of the old year. It was New Year’s Eve. She was out to sell matches but failed to do so. She was afraid to go home because she had lost her matches and she was afraid of confronting her strict father who would beat her for not earning even a penny.

(iii) She used her matches to warm herself as she was numb with cold. She drew out one and struck it. It blazed and burnt and gave out a warm, bright flame like a little candle as she held her hands over. It was a wonderful light.

(iv) She loved her old grandmother, the only one who had ever been good to her but who was now dead. As she lit another match against the wall, her grandmother appeared before her, in its brightness, bearing love and kindness. She cried out, “Granny ! Oh, take me with you”.

(v) The little match girl was found frozen the next morning. There was a smile on her face. She had died on the last evening of the old year. This is probably one of the saddest of Andersen’s fairy tales, describing the unfortunate tale of a poor girl who dies of cold and hunger. Death comes to her as a deliverance from cold, hunger and misery.

Question 12.
Answer the following questions with reference to Norah Burke’s short story “The Blue Bead”.
(i) Describe Sibia s experience at the Bazaar. [4]
What were the things that filled her with wonder ?
(ii) Who were the Gujars ? Give a brief description of their lifestyle. [4]
(iii) Describe how Sibia rescued the Gujar woman from the crocodile. [8]
What did Sibia regard as the highlight of that fateful day? What does this tell us about Sibia ?
Answers:
(i) The bazaar near Sibia’s village is always full of hustle and bustle. The colourful wares in the stalls are quite eye-catching. The blown glassbeads piled up in a stall look like stars. There is a bangle-seller who keeps the multi-coloured bangles on a stick to attract the eyes of the passing women. There is a big crowd of people in the bazaar along with stray dogs, monkeys full of fleas and sacred bulls with clonking bells. Apart from this there is a sweatment stall displaying brilliant honey confections smelling wonderfully. And then, there is a cloth-stall stacked with great rolls of new cotton cloth. Tin trays from Birmingham, embroidered saris and silks added to the charm of this little bazaar. All these things attracted Sibia’s attention. Though she was fascinated by all things displayed and sold in the bazaar, Sibia turned her mind to her work as she felt she was marked for work.

(ii) The Gujar women made their living by cutting paper-grass from the cliffs above the river. When they had cut enough grass, they would take it down by the bullockcart to be delivered to the agent. The agent’s job was to arrange for the dispatch of this grass to the paper-mills. The Gujar women toiled all through the day while the agent sat on silk-cushions, smoking a hookah. Besides cutting grass, the Gujar women also grazed their buffaloes and other cattle. They had to carry heavy loads on their buffaloes and other cattle. They had to carry heavy loads on their heads and cross the river to go to the other side. Not only this. They had to fetch drinking water from the river in earthen or brass pitchers for their domestic consumption. The Gujar women seemed to be fond of adornments. They wore trousers, tight and wrinkled at the ankles. In their ears they wore large silver rings made out of melted silver rupees.

(iii) The Gujar woman came down with two gurrahs to the river to get clean water from the river bed. She wanted to fill both the gurrahs to the top without sand. So she walked down the stepping stone. She was within a yard of the crocodile when he lunged at her. He closed his jaws round her leg. The Gujar woman screamed, dropped both her pitchers with a clatter on the boulder. Sibia, who was present nearly, observed this. She at once made up her mind to rescue the helpless woman. She sprang from boulder to boulder like a mountain-goat.

In a minute, she was beside the shrieking woman. The crocodile was tugging to and fro when he noticed Sibia and struck at her. But Sibia did not hesitate and aimed straight at the crocodiles eyes. With all the force of her little body. She drove the hayfork into his eyes. The crocodile reared up in convulsion and then disappeared. Sibia dragged the injured woman from the water with a heroic effort. She stopped her wounds with sand and bound them with a rag. She was also able to help her home to the Gujar encampment for further medical care.

This shows that Sibia is a girl with a heroic streak. But the best thing about her is that she does not boast of her great victory over a giant reptile. She is happy with the blue bead she gets near the river bank after the great fight against the monster of the river.

Question 13.**
Read the extract given below and answer the questions that follow:

How they toiled and sweated to get the hay in! But their efforts were rewarded, for the harvest was an even bigger success than they had planned. Sometimes the work was hard;…

(i) What hardships did the animals face when they began the harvest ? [3]
(ii) How long did they take to complete the harvest? What was the result ? [3]
(iii) What other hardships did they face later that year ? [3]
(iv) Describe the Sunday routine on Animal Farm. [3]
(v) What contribution did Boxer make to the farm work which earned him the admiration of his fellow creatures ? [4]

ICSE 2020 English Literature Question Paper Solved for Class 10

Question 14.**
Read the extract given below and answer the questions that follow:

These two disagreed on every point where disagreement was possible. If one of them suggested sowing a bigger acreage with barley, the other was certain to demand a bigger acreage of oats, and if one of them said that such and such field was just right for cabbages, the other would declare that it was useless for anything except roots.

(i) Who were the two who disagreed on every point? [3]
What special skills did each of them possess ?
(ii) What was Snowball s dream project ? [3]
How, in his opinion, would it transform life on Animal Farm ?
(iii) How did Snowball work out the details of this project ? Where did he do the planning? [3]
(iv) How did the farm animals view Snowball s effort ? [3]
(v) Later on, at a Sunday meeting of the farm animals, Snowball is expelled and Napoleon assumes charge. [4] What immediate changes does he announce regarding the running of Animal Farm.

Question 15.**
With reference to George Orwell s ‘The Animal Farm ’, answer the following questions:

(i) What decisions were made regarding the retiring age of the animals at the beginning when the laws of Animal Farm were being formulated ? [4]
(ii) What ‘improvements ’ in their lifestyle compared to the days of Jones did Squealer point out to the animals when a reduction in their rations was announced to the animals during the next winter on Animal Farm ? [4]
(iii) What stories did Moses the raven tell the farm animals? [8]
What effect did these stories have on the animals ?
What does this tell us about their living conditions ?

The Call of the Wild: Jack London

Question 16.**
Read the extract given below and answer the questions that follow:
During thefour years since his piippyhood he (B.uck) had lived the life of a sated aristocrat; he had a fine pride in himself, was ever a trifle egotistical, as country gentlemen sometimes become because of their insular situation.
(i) Where did Buck spend his puppyhood ? Describe the place. [3]
(ii) Who were Buck’s parents ? Who do you know about them? [3]
(iii) What do you understand from the term, ‘sated aristocrat’? [3]
In what way did Buck’s life resemble that of a ‘sated aristocrat ’ ?
(iv) What did Buck do to prevent himself from becoming a pampered house-dog ? [3]
(v) What historical event changed Buck’s life of ease forever? [4]
Which member of the household was responsible for bringjng about this change ?
Why do you think person acted in this manner?

Question 17.
Read the extract given below and answer the questions that follow:

On the other hand, possibly because he divined in Buck a dangerous rival, Spitz never lost an opportunity of showing his teeth. He even went out of his way to bully Buck, striving constantly to start the fight which could end only in the death of one or the other. (3.2)
(i) Who was Spitz ? Why did he consider Buck ‘a dangerous rival’? [3]
(ii) How did the ‘dominant primordial beast ’ which grew in Buck shape his behaviour in his new environment ? [3]
(iii) Earlier in the trip, Buck and Spitz were engaged in a violent fight. [3]
What led to the fight ? Why did it end abruptly?
(iv) Later in the story, Buck intervened when Spitz was about to punish Pike. [3]
Why did he do this ? How did Francois reward Buck for this ?
(v) In what ways are Buck and Spitz similar ?
How are they different from each other ? [4]

ICSE 2020 English Literature Question Paper Solved for Class 10

Question 18.
Answer the following with reference to Jack London s, ‘The Call of the Wild’.
(i) Why is Buck regarded as the protagonist (the hero) of Jack London’s book ‘The Call of the Wild ’ ? [4]
(ii) After Spitz s death Buck was made leader of the dog team.
In what ways did Buck prove to be better than Spitz in his role as leader of the team ? [4]
(iii) Explore the themes of love and loyalty as revealed in the relationship between Buck and Thornton in Jack London s novel, ‘The Call of the Wild’. [8]

ICSE Computer Applications Question Paper Solved for Class 10

ICSE 2015 Computer Applications Question Paper Solved for Class 10

Solving ICSE Class 10 Computer Applications Previous Year Question Papers ICSE Class 10 Computer Applications Question Paper 2015 is the best way to boost your preparation for the board exams.

ICSE Class 10 Computer Applications Question Paper 2015 Solved

Section – A (40 Marks)
(Attempt all Questions)

Question 1.
(a) What are the default values of the primitive data type int and float? [2]
Answer:

  • Default value of the data type int is 0.
  • Default value of the data type float is 0.0f.

ICSE 2015 Computer Applications Question Paper Solved for Class 10

(b) Name any two OOP s principles. [2]
Answer:
Object-Oriented Programming is a methodology or paradigm to design a program using classes and objects. OOP principles are :

  • Data Abstraction
  • Encapsulation

(c) What are identifiers ? [2]
Answer:
An identifier is a name given to a package, class, interface, method, or variable. It allows a programmer to refer to the item from other places in the program. An identifier is a sequence of one or more characters. The first character must be a valid first character.

(d) Identify the literals listed below: [2]
(i) 0.5 (ii) ‘A’ (iii) false (iv) “a”.
Answer:
(i) Float
(ii) Character
(iii) Boolean
(iv) String

(e) Name the wrapper classes of char type and boolean type. [2]
Answer:

  • Wrapper class of char is Character.
  • Wrapper class of boolean is Boolean.

Question 2.
(a) Evaluate the value of n if value of p = 5, q = 19
int n = (q – p) >(p-q) ? (q – p) : (p – q) ; [2]
Answer:
14

(b) Arrange the following primitive data types in an ascending order of their size:
(i) char
(ii) byte
(iii) double
(iv) int. [2]
Answer:
char is 2 bytes in size,
byte is I byte in size,
double is 8 bytes in size.
int is 4 bytes in size.
Therefore, the ascending order is byte, char, int, double.

ICSE 2015 Computer Applications Question Paper Solved for Class 10

(c) What is the value stored in variable res given below :
double res = Math.pow (“345”.indexOf(‘5), 3); [2]
Answer:
8.0

(d) Name the two types of constructors. [2]
Answer:
Default constructor, Parameterized constructor.

(e) What are the values of a and b after the following function is executed, if the values passed are 30 and 50: [2]
void paws (int a, int b)
{ a = a + b;
b = a – b;
a = a – b;
System.out.println(a + “, ”+b) ;
}
Answer:
50, 30

Question 3.
(a) State the data type and value of y after the following is executed:
char x = ‘7’;
y = Character.isLetter(x) ; [2]
Answer:
Data type of y is boolean and value is false.

(b) What is the function of catch block in exception handling? Where does it appear in a program? [2]
Answer:
You can associate exception handlers with a try block by providing one or more catch blocks directly after the try block. No code can be between the end of the try block and the beginning of the first catch block. The catch block appears just after the try block.
fry {
} catch (ExceptionType name) {
} catch (ExceptionType name) {
}

(c) State the output when the following program segment is executed:
String a = “Smartphone”, b = “Graphic Art”;
String h = a.substring(2, 5) ;
String k = b.substring(8).toUpperCase() ;
System.out.println(h);
System.out.println(k.equalsIgnore Case(h)); [2]
Answer:
art
true

ICSE 2015 Computer Applications Question Paper Solved for Class 10

(d) The access specifier that gives the most accessibility is ………………………….. and the least accessibility is …………………… .[2]
Answer:
public,
private

(e) (i) Name the mathematical function which is used to find sine of an angle given in radians.
(ii) Name a string function which removes the blank spaces provided in the prefix and suffix of a string. [2]
Answer:
(i) Math.sin()
(ii) trim()

(f) (i) What will this code print ?
int arr[] = new int [5];
System, out.print In (arr);
(i) 0
(ii) value stored in arr[0]
(iii) 0000
(iv) garbage value
(ii) Name the keyword which is used to resolve the conflict between method parameter and instance variables /fields. [2]
Answer:
(i) garbage value
(ii) The this keyword

(g) State the package that contains the class :
(i) BufferedReader
(ii) Scanner [2]
Answer:
(i) java.io
(ii) java.util.Scanner

(h) Write the output of the following program code: [2]
char ch: ‘
do
{
ch=(char) x ;
System.out.print(ch + ” “);
if(x% 10 == 0)
break;
++x;
} while (x<=100);
Answer:
a

(i) Write the Java expressions for: \(\frac{a^2+b^2}{2 a b}\)
Answer:
Math.pow(a, 2) + Math.pow(b, 2)/(2*a*b);

(j) If int y = 10 then find int z = (++y *(y++ +5));
Answer:
176

ICSE 2015 Computer Applications Question Paper Solved for Class 10

(Section – B (60 Marks)
Attempt any four questions from this Section.

Question 4.
Define a class called Parking Lot with the following description:
Instance variables / data members:
int vno – To store the vehicle number
int hours – To store the number of hours the vehicle is parked in the parking lot
double bill: To store the bill amount
Member methods:
void input() – To input and store the vno and hours.
void calculate () – To compute the parking charge at the rate of ₹ 3 for the first hour or part thereof and ₹ 1.50 for each additional hour or part thereof.
void display() – To display the detail Write a main method to create an object of the class and call the above methods. [15]
Answer:

import java.io.*;
class ParkingLot {
private int vno;
private int hours;
private double bill;
void input() throws IOException {
BufferedReader reader = new Buffered Reader(new InputStreamReader (System.in));
System.out.println("Enter the vehicle number::");
String y = reader.readLine();
vno = lnteger.parselnt(y);
System.out.println("Enter number of hours::");
String r =reader.readLine();
hours=lnteger.parseInt(r);
} .
void calculate() {
if(hours<=0) {
System.out.println("Wrong Input");
System.exit(0);
}
else if(hours >0 && horns <=1) {
System.out.println("Parking Charges-');
bill = hours*3.0;
}
else {
System.out.println("Parking Charges =");
bill = 3.0+(hours-1)*3;
System.out.println(+ bill);
}
}
void display() {
System.out.println("Vehicle Number:: " +vno);
System.out.println("Total Time:: " +hours);
System.out.println("Total Charges:: " +bill);
}
public static void main(String args[]) throws IOException {
ParkingLot pk = new ParkingLot(); //creation of object
pk.input();
pk.calculate();
pk.display();
System.out.println();
}
}
ICSE 2015 Computer Applications Question Paper Solved for Class 10

Question 5.
Write two separate programs to generate the following patterns using iteration (loop) statements:
(a)
ICSE 2015 Computer Applications Question Paper Solved for Class 10 1
Answer:

class Test {
public static void main(String args[]) {
int n, c, k, space, count = 1;
n=5;
space = n;
for(c = 1 ; c <= n; C++) {
for( k = 1 ; k < space ; k++)
System.out.print(" ");
for (k = 1 ; k <= c; k++) {
System.out.print("*");
k++;
if ( c > 1 && count++ < c) {
System.out.print("#");
count++;
}
}
System.out.print("\n");
space- -;
count =1;
}
}
}

(b)
ICSE 2015 Computer Applications Question Paper Solved for Class 10 2
Answer:

class Pattem2 {
public static void main(String args[]) {
int ij;
int rows=5;
for (i = 1 ; i <= 5 ; i++) {
for (j = (rows + 1 - i) ; j >0;j--){
System.out.print(j);
}
System.out.println();
}
}
}

Question 6.
Write a program to input and store roll numbers, names and marks in 3 subjects of n number students in five single dimensional array and display the remark based on average marks as given below : (The maximum marks in the subject are 100) [15]
Average marks = \(=\frac{\text { Tatal marks }}{3}\)

Average mark Remark
85-100 EXCELLENT
75-84 DISTINCTION
60-74 FIRST CLASS
40-59 PASS
Less than 400 POOR

Answer:

import java.io.*;
class ScoreCard {
public static void travel() throws IOException {
String namef] = new String[15];
int rollnof] = new int[15];
int subjectl[] = new int[15];
int subject2[] = new int[15];
int subject3[] = new int[15];
double average[]=new doublet 15];
int i;
BufferedReader buf = new Buffered
Reader(new InputStreamReader (System.in));
//The for loop will accept the names and details for 15 students.
for(i=0; i<15; i++) {
System.out.println("Name of the Student::");
name[i] = but.readLine();
System.out.println("Roll Number::");
String r = buf.readLine();
rollno[i] = Integer.parselnt(r);
System.out.println("Marks in Subject 1 ::");
String ml = buf.readLine();
subject l[i] = Integer.parselnt(ml);
System.out.println("Marks in Subject 2 ::");
String m2 buf.readLine();
subject2[i] = Integer.parselnt(m2);
System.out.println("Marks in Subject 3 ::");
String m3 = buf.readLine();
subject3[i] = Integer.parselnt(m3);
average[i] = (subject 1 [i] + subject2[i] + subject3[i])/3;
if(average[i] >= 85 && average[i] <=100) {
System.out.println("EXCELLENT");
}
else if(average[i] >=75 && average[i] <= 84){
System.out.println("DISTINC- TION");
}
else if(average[i] >= 60 && average[i] <= 74){
System.out.println("FIRST CLASS");
}
else iffaveragefi] >= 40 && average[i] <= 59){
System.out.println("PASS");
}
else
System.out.println("POOR");
}
}
}

ICSE 2015 Computer Applications Question Paper Solved for Class 10

Question 7.
Design a class to overload a function Joystring () as follows:
(i) void Joystring (String s, char chi, char ch2) with one string argument and two character arguments that replaces the character argument chi with the character argument ch2 in the given string s and prints the new string.
Example:
Input value ofs = “TECHNALAGY”
ch1 = ‘A’,
ch2 = ‘O’
Output: “TECHNOLOGY”
Answer:

class OverLoading {
void Joystring(String s, char chi, char ch2) {
System.out.println("Entered String is:");
System.out.println(s);
System.out.println("New String is:");
System.out.println(s.replace(ch 1 ,ch2));
}

(ii) void Joystring (String s) with one string argument that prints the position of the first space and the last space of the given string s.
Example:
Input value of = “Cloud computing means Internet based computing”
Output: First index: 5
Last index: 36
Answer:

void Joystring(String s) {
System.out.print("Entered String is:");
System.out.println(s);
System.out.println("Char 'First Space' at first occurance: "+s.indexOf(' '));
System.out.println("Char 'Last Space' at Lastoccurance: "+s.lastIndexOf(' '));
}

(iii) void Joystring (String si, String s2) with two string arguments that combines the two strings with a’ space between them and prints the resultant string. [15]
Example:
Input value of s1 = “COMMON WEALTH”
Input value of s2 = “GAMES”
Output: COMMON WEALTH GAMES
(use library Junctions)
Answer:

void Joystring(String si, String s2) {
String s3= " "; //creating a blank space
String s4 = sl.concat(s3); //adding a blank
space to first String.
String s5 = s4.concat(s2);
System.out.println("String concat using String
concat method : " + s5);
}
}

Question 8.
Write a program to input twenty names in an array. Arrange these names in descending order of alphabets, using the bubble sort technique. [15]
Answer:

import java.io.*;
class BubbleSorting {
public static void main(String argsf]) throws IOException {
String name[] = new String[20];
int i;
BufferedReader br = new BufferedReader(new InputStreamReader(System.in));
System.out.println("Enter Name=");
for(i=0;i<name.length;i++)
name[i] = br.readLine();
//Showing the entered names.
System.out.print("EnteredNames are=");
for(i=0;i<name.length;i-H-) {
System.out.print(" " +name[i]);
}
for(int k=0;k<name.length;k++) {
for(int j=0;j<name.length-1 ;j++) {
if((name[j].compareTo(name[j+1]))>0) {
String temp;
temp = name[j];
name[j]=name[j+1];
name[j+1 ]=temp;
}
}
}
System.out.println("The sorted names are= ");
for(i=0;i<name.length;i++) {
System.out.println(name[i]+ " ");
}
}
}

ICSE 2015 Computer Applications Question Paper Solved for Class 10

Question 9.
Using the switch statement, write a menu driven program to:
(i) To find and display all the factors of a number input by the user (including 1 and excluding number itself).
Example:
Sample Input: n = 15
Sample Output: 1, 3, 5

(ii) To find and display the factorial of a number input by the user (the factorial of a non-negative integer n, denoted by n !, is the product of all integers less than or equal to n.
Example:
Sample Input: n = 5
Sample Output: 5! = 1 × 2 × 3 × 4 × 5 = 120.
For an incorrect choice, an appropriate error message should be displayed. [15]
Answer:

import java.io.*;
class SwitchStatement { 
public static void main(String args[]) throws lOException { 
System.out.println("******** Factors and Factorial Program *********"); 
InputStreamReader reader = new Input StreamReader(System.in); 
BufferedReader input = new Buffered Reader(reader);
System.out.println("l. Factor of a Number"); 
System.out.println("2. Factorial of a Number"); 
System.out.println();
System.out.println(”Enter your choice::");
String x = input.readLine(); 
int ch = Integer.parselnt(x); 
switch(ch) { 
case 1: 
int i;
System.out.print("Enter the number: ");
String a = input.readLine(); 
int n = Integer.parselnt(a); 
System.out.print("The factors are : "); 
for(i=1;i<=n/2;i++) {
if(n%i==0)
System.out.print(i+","); .
}
System.out.print(n); 
break; 
case 2:
int numb=0, count, fact = 1; 
System.out.println("Enter an integer to calculate it's factorial");
System.out.println("Enter the no. of terms");
String t = input.readLine(); 
numb = Integer.parselnt(t);
{
for (count = 1 ; count <= numb; count++ ) 
fact = fact*count;
System.outprintIn("Factorial of "+numb+" is = "+fact);
}
}
}
ICSE Class 10 Chemistry Previous Year Question Papers Last 10 Years Solved

ICSE Class 10 Chemistry Previous Year Question Papers Last 10 Years Solved

ICSE Class 10 Chemistry Previous Year Question Papers: Students can download these ICSE Chemistry Class 10 Previous Year Question Papers to know the exact exam pattern and to check the types of questions asked along with their marking system and time allotted for each question. Check out the ICSE Previous Year Question Papers Class 10 to help in the self-assessment of students. Students are advised to practice the below-mentioned Chemistry Class 10 ICSE Question Paper to ace their exam with good marks.

ICSE Chemistry Class 10 Previous Year Question Papers

Students can access the ICSE Chemistry Class 10 Question Paper along with the detailed solution and marking scheme by clicking on the link below.

Last 10 Years ICSE Chemistry Question Papers Solved

Class 10 ICSE Chemistry Question Paper | Chemistry ICSE Class 10 Question Paper

These ICSE Class 10 Previous Year Question Papers Chemistry is designed in such a way that it helps a student to focus on the subject concepts that are mentioned in the syllabus. Students can practice the ICSE Class 10 Chemistry Question Paper to get an idea of the type of questions asked in the board Chemistry paper. We hope students must have found this Class 10 ICSE Chemistry Previous Year Question Paper will be useful for their exam preparation.

ICSE Chemistry Question Paper Solved for Class 10

ICSE 2015 Chemistry Question Paper Solved for Class 10

Solving ICSE Class 10 Chemistry Previous Year Question Papers ICSE Class 10 Chemistry Question Paper 2015  is the best way to boost your preparation for the board exams.

ICSE Class 10 Chemistry Question Paper 2015 Solved

Time: 2 hours
Maximum Marks: 80

General Instructions:

  • Answers to this Paper must be written on the paper provided separately.
  • You will not be allowed to write during the first 15 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.
  • Section I is compulsory. Attempt any four questions from Section II.
  • The intended marks for questions or parts of questions are given in brackets [ ].

Section – I (40 Marks)
(Attempt all questions from this Section)

Question 1.
(a) Select from the list the gas that matches the description given in each case: [ammonia, ethane, hydrogen chloride, hydrogen sulphide, ethyne]
(i) This gas is used as a reducing agent in reducing copper oxide to copper.
(ii) This gas produces dense white fumes with ammonia gas.
(iii) This gas is used for welding purposes.
(iv) This gas is also a saturated hydrocarbon.
(v) This gas has a characteristic rotten egg smell. [5|
Answer:
(i) Ammonia
(ii) Hydrogen chloride
(iii) Ethyne
(iv) Ethane
(v) Hydrogen sulphide

IICSE 2015 Chemistry Question Paper Solved for Class 10

(b) Choose the most appropriate answer for each of the following:
(i) Among the elements given below, the element with the least electronegativity is:
(A) Lithium
(B) Carbon
(C) Boron
(D) Fluorine
Answer:
(A) Lithium
Lithium is an. element with the least electronegativity.

(ii) Identify the statement which does not describe the property of alkenes:
(A) They are unsaturated hydrocarbons
(B) They decolourise bromine water
(C) They can undergo addition as well as substitution reactions
(D) They undergo combustion with oxygen forming carbon dioxide and water.
Answer:
(C) They can undergo addition and substitution reactions.
Alkenes do not undergo substitution reaction.

(iii) This is not an alloy of copper:
(A) Brass
(B) Bronze
(C) Solder
(D) Duralumin.
Answer:
(C) Solder
Solder is an alloy of lead and tin.

(iv) Bonding in this molecule can be understood to involve coordinate bonding.
(A) Carbon tetrachloride
(B) Hydrogen
(C) Hydrogen chloride
(D) Ammonium chloride
Answer:
(D) Ammonium chloride
The bond formed between the nitrogen atom in ammonia and the chloride ion is a coordinate bond.

(v) Which of the following would weigh the least?
(A) 2 gram atoms of Nitrogen.
(B) 1 mole of Silver
(C) 22.4 litres of oxygen gas at 1 atmospheric pressure and 273K
(D) 6.02 . 1023 atoms of carbon.
[Atomic masses: Ag=108, N=14, 0=16, C=12] [5]
Answer:
(D) 6.02 . 1023 atoms of carbon.

IICSE 2015 Chemistry Question Paper Solved for Class 10

(c) Complete the following calculations. Show working for complete credit:
(i) Calculate the mass of Calcium that will contain the same number of atom as are present in 3.2 gm of Sulphur. [Atomic masses: S=32, Ca=40] [2]
Answer:
32 g of sulphur contains 6.022 × 1023 atoms
1 g of sulphur contains = \(\frac{6.022 \times 10^{23}}{32 \mathrm{~g}}\) atoms
3.2 g of sulphur will contains = \(\frac{40}{6.022 \times 10^{23}}\) × 3.2 = 6.022 × 1022 atoms
6.022 × 1023 atoms of calcium will weigh 40 g
1 atom of calcium will weigh
= \(\frac{40}{6.022 \times 10^{23}}\) × 6.022 × 1022 = 4 g

(ii) If 6 litres of hydrogen and 4 litres of chlorine are mixed and exploded and if water is added to the gases formed, find the volume of the residual gas. [2]
Answer:
ICSE 2015 Chemistry Question Paper Solved Semester 2 for Class 10 1
1 vol of Cl2 reacts with 1 vol of H2
4 litres of Cl2 reacts with 4 litres of H2
If water is added all hydrogen chloride will dissolve.
So volume of residual air = 2 litres of hydrogen.

(iii) If the empirical formula of a compound is CH and it has a vapour density of 13, find the molecular formula of the compound. [1]
Answer:
M.M. = 2 × V.D.
= 2 × 13
= 26
n = \(\frac{\text { Molecular mass }}{\text { Empirical mass }}\)
n = \(\frac{26}{13}\)
n = 2
Molecular formula = (CH)2 = C2H2.

(d) State one relevant observation for each of the following: [5]
(i) When crystals of copper nitrate are heated in a test tube.
Answer:
ICSE 2015 Chemistry Question Paper Solved Semester 2 for Class 10 2

(ii) When the gaseous product obtained by dehydration of ethyl alcohol is passed through bromine water.
Answer:
ICSE 2015 Chemistry Question Paper Solved Semester 2 for Class 10 3

(iii) When hydrogen sulphide gas is passed through lead acetate solution.
Answer:
(CH3COO)2Pb + H2S → 2CH3COOH + PbS (Black colouration appears)

(iv) When ammonia gas is burnt in an atmosphere of excess oxygen.
Answer:
4NH3 + 3O2 → 2N2 + 6H3O
Ammonia bums with a yellow flame.

(v) At the Anode when aqueous copper sulphate solution is electrolysed using copper electrodes.
Answer:
CuSO4 ⇌ Cu2+ + SO42-
At Anode:
Cu → Cu2+ + 2e
Anode will be worn out and it will be reduced to a thin uneven strip.

(e) Identify the acid which matches the following description (i) to (v): [5]
(i) The acid which is used in the preparation of a non-volatile acid.
Answer:
Hydrochloric acid

(ii) The acid which produces sugar charcoal from sugar.
Answer:
Sulphuric acid

(iii) The acid which is prepared by catalytic oxidation of ammonia.
Answer:
Nitric acid

(iv) The acid on mixing with lead nitrate solution produces a white precipitate which is insoluble even on heating.
Answer:
Sulphuric acid

(v) The acid on mixing with silver nitrate solution produces a white precipitate which is soluble in excess ammonium hydroxide.
Answer:
Hydrochloric acid

(f) Give appropriate scientific reasons for the following statements: [5]
(i) Zinc oxide can be reduced to zinc by using carbon monoxide, but aluminium oxide cannot be reduced by a reducing agent
Answer:
Zinc oxide can be reduced to zinc by using carbon monoxide but aluminium oxide cannot be because of the following reasons:
(a) Aluminium oxide has a very high melting point.
(b) Aluminium has a high affinity for oxygen so it doesn’t lose its oxygen easily.

(ii) Carbon tetrachloride does not conduct electricity.
Answer:
Carbon tetrachloride has strong covalent bonding. It contains only molecules. Due to the absence of ions it is a bad conductor of electricity.

IICSE 2015 Chemistry Question Paper Solved for Class 10

(iii) During electrolysis of molten lead bromide graphite anode is preferred to other electrodes.
Answer:
Graphite anode is preferred because bromine vapours do not react with graphite. On the other hand, even platinum electrodes are attacked by bromine vapours.

(iv) The electrical conductivity of acetic acid is less in comparison to the electrical conductivity of dilute sulphuric acid at a given concentration.
Answer:
Acetic acid is a weak acid, its degree of ionisation is very less whereas sulphuric acid is a strong acid, its degree of ionisation is very high. Thus, due to production of large number of ions sulphuric acid behaves as a strong acid and shows high electrical conductivity.

(v) Electrolysis is of molten lead bromide is considered to be a redox reaction.
Answer:
ICSE 2015 Chemistry Question Paper Solved Semester 2 for Class 10 4

At Cathode : Pb2+ + 2e → Pb(s) (Reduction)

At Anode : Br – e → Br
Br + Br → Br2 (Oxidation)
Since both reduction and oxidation occur in the same reaction, thus we can say that electrolysis of molten lead bromide is a redox reaction.

(g) (i) Give balanced chemical equations for the following conversions A, B and C: [3]
ICSE 2015 Chemistry Question Paper Solved Semester 2 for Class 10 1
Answer:
ICSE 2015 Chemistry Question Paper Solved Semester 2 for Class 10 5

(ii) Differentiate between the terms strong electrolyte and weak electrolyte. [2]
(stating any two differences)
Answer:

Strong Electrolytes Weak Electrolytes
They are almost completely dissociated in the molten or dissolved states. They are only slightly dissociated in the molten or dissolved states.
They consist of free ions in the molten or dissolved states They consist of molecules as well as ions in the molten or dissolved states.

(h) Answer the following questions:
(i) Explain the bonding in methane molecule using electron dot structure. [2]
Answer:
Methane (CH<sub>4</sub>)
C(6) → 2, 4
H(1) → 1
ICSE 2015 Chemistry Question Paper Solved Semester 2 for Class 10 6

(ii) The metal of Group 2 from top to bottom are Be, Mg, Ca, Sr, and Ba.
(1) Which one of these elements will form ions most readily and why?
(2) State the common feature in the electronic configuration of all these elements. [3]
Answer:
(1) Barium because its size is largest, effective nuclear charge is less and energy required to remove the outermost electron (Ionisation energy) is less.
(2) All these are alkaline earth metals with 2 valence electrons.

IICSE 2015 Chemistry Question Paper Solved for Class 10

Section – II (40 Marks)
Attempt any four questions from this Section

Question 2.
(a) Arrange the following as per the instructions given in the brackets:
(i) Cs, Na, Li, K, Rb (increasing order of metallic character).
(ii) Mg, Cl, Na, S, Si (decreasing order of atomic size).
(iii) Na, K, Cl, S, Si (increasing order ionization energy)
(iv) Cl, F, Br, I (increasing order of electron affinity) [4]
Ans.
(i) Li < Na < K < Rb < Cs
(ii) Na > Mg > Si > S > Cl
(iii) K < Na < Si < S < Cl
(iv) I < Br < F < Cl

(b) Choose the most appropriate answer from the following list of oxides which fit the description. Each answer may be used only once:
[SO2, SiO2, Al2O3, MgO, CO, Na2O]
(i) A basic oxide.
(ii) An oxide which dissolves in water forming an acid.
(iii) An amphoteric oxide.
(iv) A covalent oxide of a metalloid.
Answer:
(i) Na2O
(ii) SO2
(iii) Al2O3
(iv) SiO2

(c) Element X is a metal with a valency 2, Y is 3 non-metal with a valency 3.
(i) Write an equation to show how Y from an ion.
(ii) If Y is a diatomic gas, write an equation for the direct combination of X and Y to from a compound. [2]
Answer:
X+2,y
(i) Y + 3e → Y-3.
(ii) 3X + Y2 → X3Y2

Question 3
(a) Give balanced chemical equations for the following conversions’.
(i) Ethanoic acid to ethyl ethanoate.
(ii) Calcium carbide to ethyne.
(iii) Sodium ethanoate to methane. [3]
Answer:
ICSE 2015 Chemistry Question Paper Solved Semester 2 for Class 10 7

(b) Using theiil structural formulae identify the functional group by circling them:
(i) Dimethyl ether.
(ii) Propanone.
Answer:
ICSE 2015 Chemistry Question Paper Solved Semester 2 for Class 10 8

IICSE 2015 Chemistry Question Paper Solved for Class 10

(c) Name the following:
(i) Process by which ethane is obtained from ethene.
(ii) A hydrocarbon which contributes towards the greenhouse effect.
(iii) Distinctive reaction that takes place when ethanol is treated with acetic acid.
(iv) The property of element by virtue of which atoms of the element can link to each other in the form of a long chain or ring structure.
(v) Reaction when an alkyl halide is treated with alcoholic potassium hydroxide. [5]
Answer:
(i) Hydrogenation
(ii) Methane
(iii) Esterification reaction
(iv) Catenation
(v) Elimination reaction

Question 4.
(a) Identify the anion present in each of the following compounds:
(i) A salt M on treatment with concentrated sulphuric acid produces a gas which fumes in moist air and gives dense fumes with ammonia.
(ii) A salt D on treatment with dilute sulphuric acid produces a gas which turns lime water milky but has no effect on acidified potassium dichromate solution.
(iii) When barium chloride solution is added to salt solution E a white precipitate insoluble in dilute hydrochloric acid is obtained. [3]
Answer:
(a) (i) Chloride ion
NaCl + H2SO4 → NaHSO4 + HCl
HCl + NH3 → NH4Cl

(ii) Carbonate ion
Na2CO3 + H2SO4 → Na2SO4 + H2O + CO2

(iii) Sulphate ion
Na2SO4 + BaCl2 → 2NaCl + BaSO4

(b) The following table shows the tests a student performed on four different aqueous solutions which are X, Y, Z and W. Based on the observations provided, identify the cation present: [4]

Chemical test Observation Conclusion
To solution X, ammonium hydroxide is added in minimum quantity first and then in excess. A dirty white precipitate is formed which dissolves in excess to form a clear solution (i)
To solution Y ammonium hydroxide is added in minimum quantity first and then in excess. A pale blue precipitate is formed which dissolves in excess to form a clear inky blue solution. (ii)
To solution W a small quantity of sodium hydroxide solution is added and then in excess. A white precipitate is formed which remains insoluble. (iii)
To a salt Z calcium hydroxide solution is added and then heated. A pungent smelling gas turning moist red litmus paper blue is obtained. (iv)

Answer:
(i) Zinc
(ii) Copper
(iii) Magnesium
(iv) Ammonia

(c) Give balanced chemical equations for each of the following: [3]
(i) Lab preparation of ammonia using an ammonium salt
Answer:
(i)
ICSE 2015 Chemistry Question Paper Solved Semester 2 for Class 10 9

(ii) Reaction of ammonia with excess chlorine.
Answer:
NH3 + 3Cl2 → NCl3 + 3HCl

(iii) Reaction of ammonia with sulphuric acid.
Answer:
2NH3 + H2SO4 → (NH4)2SO4

IICSE 2015 Chemistry Question Paper Solved for Class 10

Question 5.
(a) Consider the following reaction and based on the reaction answer the questions that follow:
ICSE 2015 Chemistry Question Paper Solved Semester 2 for Class 10 11
Calculate:
(i) the quantity in moles of (NH4)2Cr2O7 if 63gm of(NH4)2Cr2O7 is heated.
(ii) the quantity in moles of nitrogen formed.
(iii) the volume in litres or dm3 of N2 evolved at S.T.P.
(iv) the mass in grams of Cr2O3 formed at the same time.
(Atomic masses: H=1, Cr=52, N=14)
Answer:
(i) Wt. of (NH4)2Cr2O7
= (14 + 4) × 2 + 52 × 2 + 16 × 7
= 18 × 2 + 52 × 2 + 16 × 7
= 36 + 104 + 112 = 252
252 g represents 1 mole
1 g represents \(\frac{1}{252}\) mole
63 g represents \(\frac{1}{252}\) × 63 = \(\frac{1}{4}\) mole
= 0.25 mole

(ii) If 252 g of (NH4)2Cr2O7 is heated 1 mole of Nitrogen is formed.
1 g of (NH4)2Cr2O7 is heated mole of Nitrogen is formed.
63 g of (NH4)2Cr2O7 is heated \(\frac{1}{252}\) × 63 mole of Nitrogen is formed = 0.25 mole

(iii) 1 mole of compound is heated 22.4L of N2 is liberated.
0.25 mole of compound is heated 22.4 L × 0.25 of N2 is liberated = 5.6 L

(iv) M.M. of Cr2O3
= 2(52) + 3(16) = 104 + 48 = 152
252 g of (NH4)2Cr2O7 gives us 152 g of Cr2O3.
1 g of (NH4)2Cr2O7 gives us \(\frac{152}{252}\) g of Cr2O3.
63 g of (NH4)2Cr2O7 gives us × 63 g of Cr2O3 = 38 g of Cr2O3

IICSE 2015 Chemistry Question Paper Solved for Class 10

(b) (i) For each of the substance listed below, describe the role played in the extraction of aluminium.
(1) Cryolite
(2) Sodium hydroxide
(3) Graphite [3]
(ii) Explain why :
(1) In the electrolysis of alumina using the Hall Heroult’s Process the electrolyte is covered with powdered coke.
(2) Iron sheets are coated with zinc during galvanization. |2]
Answer:
(i) (1) Cryolite: Cryolite is Na3AlF6. It acts as a solvent and lower the fusion temperature from 2050°C to 950°C.
(2) Sodium hydroxide: It increases the alkalinity of the mixture and helps to increase the conductivity of electrolyte.
(3) Graphite : Graphite is used as electrode during the extraction of aluminium.

(ii) (1) A layer of powdered coke is sprinkled over the surface of the electrolytic mixture. This reduces the heat loss by radiation and prevents carbon anode from burning in air (the point where carbon anodes emerges from the electrolyte).
(2) Iron sheets undergo rusting so in order to prevent iron from rusting, they are covered with zinc which is known as galvanization.

Question 6.
(a) (i) Give balanced chemical equations for the action of sulphuric acid on each of the following:
(1) Potassium hydrogen carbonate.
(2) Sulphur.
(ii) In the contact process for the manufacture of sulphuric acid give the equations for the conversion of sulphur trioxide to sulphuric acid. [2]
Answer:
(1) 2KHCO3 + H2SO4 → K2SO4 + 2H2O + 2CO2
(2) S + 2H2SO4 → 3SO2 + 2H2O

(ii)
SO3 + H2SO4 (cone.) → H2S2O7 (Oleum)
H2S2O7 + H2O → 2H2SO4 (sulphuric acid)

IICSE 2015 Chemistry Question Paper Solved for Class 10

(b) (i) Copy and complete the following table: [2]

Anode Electrolyte
Purification of copper

(ii) Write the equation taking place at the anode. [1]
Answer:
(i)

Anode Electrolyte
Purification of copper Impure copper Acidified
CuSO4

(ii) at anode: Cu – 2e → Cu2+
Impure copper anode loses electrons to form copper ions which move to solution.

(c) Explain the following:
(i) Dilute nitric acid is generally considered a typical acid but not so in its reaction with metals.
(ii) Concentrated nitric add appears yellow when it is left standing in a glass bottle.
(iii) An all glass apparatus is used in the laboratory preparation of nitric acid. [3]
Answer:
(i) All metals on reaction with acids liberate hydrogen gas but metals on reaction with nitric acid do not liberate hydrogen. Nitric acid being a strong oxidising agent oxidises hydrogen to water.

(ii) In the laboratory, the nitric acid stored in a bottle appears yellow, this is due to dissolved NO2 in the undecomposed HNO3. The colour of NO2 is brown but when it dissolves slightly it appears to be yellow.

(iii) All glass apparatus is used because nitric acid vapours are corrosive and may attack rubber cork or metal.

Question 7.
(a) The following questions are pertaining to the laboratory preparation of hydrogen chlo¬ride gas:
(i) Write the equation for its preparation mentioning the condition required. [1]
(ii) Name the drying agent used and justify your choice. [2]
(iii) State a safety precaution you would take during the preparation of hydrochloric acid. [1]
Answer:
(i)
ICSE 2015 Chemistry Question Paper Solved Semester 2 for Class 10 10

(ii) The gas is purified and dried by passing through cone. H2SO4 which absorbs moisture.
We cannot use basic drying agents like calcium oxide (CaO) and phosphorus pentoxide (P2O5) because they react with it.

(iii) Use inverted funnel arrangement for its preparation. If inverted funnel arrangement is not used back suction can take place leading to cracking of all apparatus.

(b) An element L consists of molecules.
(i) What type of bonding is present in the particles that make up L?
(ii) When L is heated with iron metal, it forms a compound FeL. What chemical term would
you use to describe the change undergone by L? [2]
Answer:
(i) Covalent
(ii) L + Fe → FeL
Synthesis reaction
But as in FeL, it shows that iron has lost two electrons and L has accepted these two electrons. Thus, if we take this into consideration, then we can say L is an electronegative element with high electron affinity.

IICSE 2015 Chemistry Question Paper Solved for Class 10

(c) From the list of the following salts choose the salt that most appropriately fits the description given in the following:
[AgCl, MgCl2, NaHSO4, PbCO3, ZnCO3, KNO3, Ca(NO3)2]
(i) A deliquescent salt.
(ii) An insoluble chloride.
(iii) On heating, this salt gives a yellow residue when hot and white when cold.
(iv) On heating this salt, a brown coloured gas is evolved. [4]
Answer:
(i) MgCl2
(ii) AgCl
(iii) ZnCO3
(iv) Ca(NO3)2

ICSE Physical Education Question Paper Solved for Class 10

ICSE 2015 Physical Education Question Paper Solved for Class 10

Solving ICSE Class 10 Physical Education Previous Year Question Papers ICSE Class 10 Physical Education Question Paper 2015 is the best way to boost your preparation for the board exams.

ICSE Class 10 Physical Education Question Paper 2015 Solved

Maximum Marks: 100
Time allowed: Two 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 15 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 two questions from Section B.
  • The intended marks for questions or parts of questions are given in brackets [ ].

Section – A (50 Marks)
(Attempt All questions from this section)

Question 1.
(a) Mention two steps that may be taken to maintain personal cleanliness. (2)
Answer:

  • Bath daily, clean your clothes and utensils thoroughly and dry them in sunlight.
  • Wash hands and eatables properly (like fruits, vegetables) before eating and cover the eatables properly.
  • Do not share your personal items like undergarments, clothes, towel, shoes, safety razor, comb, handkerchief, etc.
  • Care of teeth and gums (Oral hygiene).
  • Care of eyes, care of hair; care of ears.

ICSE 2015 Physical Education Question Paper Solved for Class 10

(b) State two causes of obesity in children. (2)
Answer:
The causes of obesity are :

  • Wrong dietary habits and less physical activity like overeating.
  • Taking lots of fats and fried food.
  • Taking lots of animal flesh; eating lots of sweets; eating junk food.
  • Drinking alcohol.

(c) Give three precautions an athlete should take while exercising. (3)
Answer:
Precautions an athlete should take while exercising.

  1. Avoid exercise just after meal.
  2. Proper rest and relaxation should be done after exercise.
  3. Do not do exercise when injured.

(d) Define the term Organic Disease. Give two examples. (3)
Answer:
Organic Disease: An organic disease is one caused by a physical or physiological change to some tissue or organ of the body. It is commonly used in contrast with mental disorders. It includes emotional and behavioural disorders if they are due to changes to the physical structures or functioning of the body, such as Brain Tumours, Facial Paralysis, Spinal cord damage and tumours to more complex problems.

Question 2.
(a) What is meant by ‘hereditary disease’? (2)
Answer:
Hereditary Diseases: These are also named as Congenital diseases. These diseases are present right from the birth. They are caused either due to genetic disorder or environmental factors during development, e.g. haemophilia, colour-blindness, sickle-cell anaemia, albinism, etc. They are passed on from generation to generation.

(b) Name any two types of heart diseases. (2)
Answer:
Heart diseases such as hypertensive heart disease, rheumatic heart disease, cardiomyopathy, heart arrhythmia, congenital heart disease, valvular heart disease, carditis, aortic aneurysms, peripheral artery disease and venous thrombosis.

ICSE 2015 Physical Education Question Paper Solved for Class 10

(c) What are prescribed drugs? How is it different from a non-prescribed drugs ? (3)
Answer:
Prescribed Drugs: These are the drugs recommended by physician/ doctor for curing certain disease. It is different from non-prescribed drugs as they are not recommended by physician/doctor; they are self-taken and may cause serious health problems or side effects.

(d) Differentiate between innate immunity and acquired immunity. (3)
Answer:
Innate Immunity or Internal defence or Natural Immunity : It is developed by body itself to resist against disease.
Acquired Immunity or Adoptive Immunity or External agent defence : It is developed by medicines, drugs, creams and medical aids to resist against diseases.

Question 3.
(a) Write the full form of WHO and CPR. (2)
Answer:
WHO stands for World Health Organization; WHO came into force on 7 April 1948.
CPR stands for Cardio-Pulmonary Resuscitation. It is a method of CPR, is an emergency procedure that combines chest compression often with artificial ventilation in an effort to manually preserve intact brain function until further measures are taken to restore spontaneous blood circulation and breathing in a person who is in cardiac.

(b) State two symptoms of insomnia. (2)
Answer:
Insomnia is the health problem in which a person cannot sleep properly. The symptoms of insomnia are:

  • Emotional excitement
  • Restlessness
  • Irritated easily
  • Overstressfulness
  • Eye pain

(c) Suggest three measures to avoid accidents caused by a fire. (3)
Answer:

  • Matchstick should be properly extinguished before throwing.
  • Electric switches should not be switched on when there is leakage.
  • Matchstick should be ignited before switching on the gas stove.
  • Person who is working on gas stove should not wear synthetic clothes.

(d) State any three causes of a bad posture. (3)
Answer:
Causes of bad posture:

  1. Accident: Sometimes bad posture arises due to accidents. It may cause postural deformity.
  2. Disease: Many kinds of diseases and illnesses, chronic sickness cause bad posture.
  3. Lack of Nutritional Diet: Sometimes bad posture arises due to unbalanced diet, over-diet, under-diet and lack of nutritional diet.
  4. Wrong Postural Habits : The wrong sitting posture or wrong postural habits during sitting, standing, lying, working, etc., cause bad posture.
  5. Improper Treatment: Sometimes the improper treatment or wrong treatment for curing injury causes bad posture or postural deformity.

ICSE 2015 Physical Education Question Paper Solved for Class 10

Question 4.
(a) What is understood by the term ‘cramp’ ? (2)
Answer:
Cramp: Cramp is inability of muscles to contract properly causing severe pain over affected part. In other words, this is unbalance contraction of muscles. The causes of the cramps are due to overtraining (without rest); loss of body water by sweating; physical activity during sickness; loss or lack of body salts or minerals; physical activity dining extreme bad weather or climate; not performing proper warming-up, etc.

(b) What is meant by the term ‘sprain’ ? (2)
Answer:
Sprain: It is the injury of ligament or tendon around the joints. It occurs due to overstretching of ligament or twisting of joints. In sprain injury, there is rupture of ligament or tendons. Sprain is very painful and it restricts the movement of joints. There is swelling as there is a lot of internal bleeding. Sprain injury is common to knee, ankle, wrist or elbow joints. It can be prevented by proper warming-up and avoiding jerky movements.

(c) Differentiate between a defect and an injury. (3)
Answer:
Defect: It is a fault, inability of body or mind in an individual. It is also considered as postural problem. It causes hindrance in proper functioning of individual and also affects social activity.

Injury: Injury is damage caused to any part of the body externally or internally. It causes inability to perform physical ability. Injuries are usually found over skin, muscles and bones during sports activities. Injuries can be classified into two groups: (i) Minor Injuries (//’) Serious Injuries.

(d) What is meant by the term ‘RICER’ ? (3)
Answer:
The treatment and management steps of strain, sprain injury is referred as ‘RICER’, i.e., Rest, Ice, Compression, Elevation and Rehabilitation.

  • Rest to player and completely restrict the movement of joint immediately.
  • Immediately apply cold compression or ice over the affected part to stop internal bleeding. Repeat this process several times after some intervals and put compression bandage over the affected part.
  • Compression bandage should be applied over the affected part to reduce the swelling.
  • Elevate the affected part above the level of heart by splint or support.
  • After two days, apply inflammatory cream to reduce swelling and give gentle massage to the affected joint or perform contrast bath (hot and cold bath) to reduce swelling.
  • After the treatment is over, the complete recovery is gained by Rehabilitation. Perform rehabilitation exercises or physiotherapy to regain strength of the joints and muscles. This should be performed in progressive manner.

Question 5.
(a) State any four steps to treat bone injury. (2)
Answer:
First aid and Management of Bone Injuries:

  • Do not move the joint or bone. The victim should be kept at a comfortable position.
  • Apply cold compression or ice packs to reduce pain swelling and internal bleeding.
  • Provide support by using string or splint bandage sling to prevent further movement; moreover, it gives relief to victim.
  • Patient should be handled by an expert doctor and X-ray and other diagnosis should be done properly. The expert should manage immobility by applying plaster so as to enable the joint to take its real position.
  • This immobility should be for 3 to 6 weeks as per expert advice.
  • After full treatment of the dislocated joint or bone, fracture follows the progressive rehabilitation exercises or physiotherapy to regain strength of the joint or bone under the observation of an expert.

(b) Name any two diseases spread by viruses. (2)
Answer:
Viruses Spread Diseases: Common cold, influenza, measles, mumps, poliomyelitis, rabies, smallpox, chickenpox, yellow fever, AIDS, etc.

ICSE 2015 Physical Education Question Paper Solved for Class 10

(c) State three causes of accidents that occur due to an electric shock. (3)
Answer:
Causes of accident due to an electric shock :

  1. Short circuit, defective wiring, damaged wiring, etc.
  2. Damp or moisture on the switches.
  3. Lack of knowledge while doing electric work.
  4. Handling electrical gadgets barefooted.

(d) What first aid must be administered to an athlete suffering from cramps? (3)
Answer:
First aid and Treatment steps for Cramps :

  • Complete rest to the affected individual.
  • Drink sufficient water (preferably salty or juices) during prolonged activity.
  • Massage over affected part after some time.
  • If pain is more apply ice or cold compression for some duration.
  • Preventing overexertion of muscles in excessive hot or cold climate.

Section – B (50 Marks)
Attempt two questions from this Section.
You must attempt one question on each of the two games of your choice.
Cricket

Question 6.
(a) Briefly explain the following terms: (8)
(i) An overthrow
(ii) A boundary for six
(iii) A yorker
(iv) Popping crease
Answer:
(i) Over throw: If a fielder throws the ball and no other fielder is able to stop the throwing ball, thus batsman is able to score runs or a boundary is scored; such runs are termed as over-throw.

(ii) Boundary for Six: A ball hit by batsman in the air which lands outside the boundary line, is given with six runs.

(iii) Yorker: When ball is just bounced under the bat and is difficult for batsman to play.

(iv) Popping Crease: The crease, which is the back edge of the crease marking, shall be in front of and parallel with the bowling crease. It shall have the back edge of the crease marking 4 ft/1.22 m from the centre of the stumps and shall extend to a minimum of 6 ft/1.83 m on either side of the line of the wicket.

(b) (i) When is a ball deemed Tost’ during play? What procedures are then adopted in case the ball is declared Tost’ ?
(ii) State three instances when the ball is considered a ‘dead ball’.
(iii) Mention three situations when a team’s innings is said to be complete. (9)
Answer:
(i) Lost Ball: If a ball in play cannot be found or recovered, any fielder may call lost ball. The Umpires replace the ball with one which had comparable wear to the previous ball.

(ii) Dead Ball: Dead ball is a particular state of play in which the players may not perform any of the active aspects of the game. In other words, batsmen may not score runs and fielders may not attempt to get batsmen out.

  • The Umpire is satisfied that, with adequate reason, the batsman is not ready for the delivery of the ball.
  • The ball passes the batsman, is gathered by the wicketkeeper, and the batsmen obviously decline to attempt to take runs.
  • The ball is finally settled in the hands of the wicketkeeper or the bowler, and the batsmen obviously decline to attempt to take any more runs.
  • The umpire feels that both the fielding team and the batsmen consider the ball no longer to be in play.
  • The ball reaches the boundary and four runs or six runs are scored.

(iii) An innings is closed when:

  • Ten of the eleven batsmen are out (have been dismissed); in this case, the team is said to be “all out”.
  • The team has only one batsman left who can bat, one or more of the remaining players being unavailable owing to injury, illness or absence; again, the team is said to be “all out”.
  • The team batting last reaches the score required to win the match.
  • The predetermined number of overs has been bowled (in a one-day match only, commonly 50 overs; or 20 in Twenty20).
  • A captain declares his team’s innings closed while at least two of his batsmen are not out (this does not apply in one-day limited over matches).

ICSE 2015 Physical Education Question Paper Solved for Class 10

(c) (i) Identify the colour of the cricket ball used in test and one day matches. What is the reason behind using coloured balls?
(ii) When is a ‘follow on’ implemented during the course of a test match?
(iii) What is the umpire’s decision in the following cases?
(a) When a batsman obstructs a fielder trying to catch the ball.
(b) When a batsman hits the ball intentionally twice in succession. (8)
Answer:
(i) Red balls are used in test matches while white balls are used in limited overs matches, especially those involving flood-lights (day/night games). This is because a red ball under yellow floodlights takes on a brownish colour which is very similar to the colour of the pitch. Pink balls are also being tried for cricket matches.

(ii) Follow-On: It is given in a test match when batting team cannot score sufficient runs and the lead is more than 200 runs, it may be given follow-on or to bat again.

(iii) (a) If the batsman gets in the way of an opponent trying to catch the ball, then the Umpire will give him out intentional disturbance.
(b) If the batsman hits the ball intentionally for the second time (can stop but not to hit) then batsman can be declared out on an appeal (double-hit).

Question 7.
(a) Briefly explain the following terms: (8)
(i) A Bouncer
(ii) The Third Umpire
(iii) Scorer
(iv) A hattrick
Answer:
(i) A Bouncer: When the bowler bowls the ball above the shoulder level.

(ii) Third Umpire : (or TV Umpire) is an off-field umpire who makes the final decision in questions referred to him by the two on-field umpires. Television replays are available to the third umpire to assist him in coming to a decision. An on-field umpire can, at his own discretion, use a radio link to refer any close decision concerning dismissals (catches, run outs or stumpings) or boundaries to the third umpire.

(iii) Scorer: The scorer is someone appointed to record all runs scored, all wickets taken and, where appropriate, the number of overs bowled. In professional games, in compliance with the Laws of Cricket, two scorers are appointed, most often one provided by each team.

(iv) Hat-Trick: When a bowler gets three wickets in three successive balls, i.e., the bowler dismisses three batsmen on three consecutive balls, it is called hat-trick.

(b) (i) Mention any three instances when a bowler does not get credit for wickets being taken.
(ii) State any three situations where a batsman can be declared out even when a ‘No ball’ has been bowled.
(iii) What is meant by ‘extra runs’? Give two examples of extra runs. (9)
Answer:
(i) The bowler is not credited with having taken a wicket if the batsman is:

  • Run out
  • Handles the ball
  • Hits the ball twice
  • Obstructs the field
  • Hit wicket

(ii) Batsman can be declared out even when a ‘No ball’ has been bowled:

  • If the batsman breaks the wicket by hitting it (Hit-wicket).
  • If the batsman touches the ball with his hand (Handling the ball).
  • If the batsman gets in the way of an opponent trying to catch the ball (Intentional disturbance).
  • If the batsman runs towards wicket but does not get there in time to place his bat between the edge of the popping crease and an opponent breaks the wicket (Run-out).

(iii) Extra runs: All extra runs are credited to the team total, rather than individual batsmen. They are also referred to as sundries.

  • No ball
  • Leg Bye
  • Bye
  • Wide ball
  • Overthrow

ICSE 2015 Physical Education Question Paper Solved for Class 10

(c) (i) State any two conditions due to which a pitch may be changed.
(ii) Mention the length of the cricket pitch.
(iii) What will be the Umpire’s decision in the following cases ?
1. If the ball becomes unfit for play during the course of the game.
2. If a batsman touches the ball with his hands. (8)
Answer:
(i) Conditions due to which a pitch may be changed: The pitch shall not be changed during the match unless the umpires decide that it is dangerous or unreasonable for play to continue on it and then only with the consent of both the captains.

  • If pitch provides uneven bounce, like high bounce.
  • Pitch condition is dangerous for players.

(ii) Length of the Pitch/ Distance between stumps is 66 feet (22 yd.) or 20-12 m.

(iii) 1. If ball becomes unfit for play during the course of the game then new ball (almost of similar condition) will be replaced.
2. If a batsman touches the ball with his hands then he will be declared out by handling the ball.

Football

Question 8.
(i) Explain the following terms: (8)
(i) The Technical area
(ii) The optional mark
(iii) Centre circle
(iv) A corner kick.
Answer:
(i) Technical Area: It is an area which a manager, other coaching personnel, and substitutes are allowed to occupy during the match. The technical area includes the dugout, bench and a marked zone adjacent to the pitch. It is 1 metre away extending towards Touch line.

(ii) Optional Mark: Optional mark is a type of marker on the field. It is used to mark where the ball should be for a free kick in the game. It is marked on goal line which is 10 yds away from corner point towards goal post.

(iii) Center Circle: The center circle is marked at 9.15 metres (10 yd.) from the center mark.

(iv) Corner-Kick: It is also known as flag kick. Corner kick is awarded when a player of the defending team puts the ball out of the play behind his team’s goal line. An attacking player then tries to send the ball in front of the goal for another attacker to head or make a short pass to a teammate to convert it into goal. It is taken from corner-arc or quarter-yard circle.

(b) (i) What is a ‘kick-off’? Give any two instances when it is initiated. (9)
(ii) What is the procedure adopted to restart a match when there is a situation of a Dropped ball?
(iii) Mention any three circumstances where the referee awards an indirect free kick against the goalkeeper.
Answer:
(i) Kick-off : It is starting the game (in beginning or after half-time or after the goal has been scored or in extra-time). During kick-off players remain in their own half. Opponent team player does not enter 10 yard circle until ball is pushed or kicked forward. Kick-off player should not touch the ball consecutively second time until played by another player.

(ii) Dropped Ball Procedure: In case of struggle for ball possession when both players commit foul simultaneously, in that case the Referee stops the game for sometime and afterwards drops the common ball to get the possession of the ball. Game restarts when the ball touches the ground.

(iii) An indirect free kick is awarded to the opponent if a goalkeeper commits any of the following offences inside his own penalty area:

  • Takes more than four steps while controlling the ball with his hands, before releasing it from his possession.
  • Touches the ball again with his hands after it has been released from his possession without touching another player.
  • Touches the ball with his hands after it has been deliberately kicked to him by a teammate.
  • Touches the ball with his hand after he has received it directly from a throw-in by a teammate.

ICSE 2015 Physical Education Question Paper Solved for Class 10

(c) (i) State any two conditions when the ball is called ‘out of play’. (8)
(ii) What should be the width of goal line, touchline and goal post?
(iii) Define a Direct Free kick.
(iv) How many substitutions may be permitted in an official competition organized under the auspices of FIFA?
Answer:
(i) Ball out of play:

  • The ball leaves the field by entirely crossing a goal line or touch line (this includes when a goal is scored).
  • Play is stopped by the Referee (for example, when a foul has been committed)
  • A player is seriously injured, or the ball becomes defective.

(ii)

  • Width of Goal line = 50 to 100 yards.
  • Width of Touch line = 100 to 130 yards.
  • Width of Goalpost = 8 yards.

(iii) Direct Free-Kick: It is given when Referee shows the warning card to the player. In this foul has been committed outside the penalty area like intentional delay, intentional hit to the player, intentional handling the ball, charging, dangerous play, holding opponent from behind, violent play, kicking the opponent. While taking direct-kick the opposing player should be at least 10 yards away from the ball (unless same member is nearby). Goal can be scored from this direct kick.

(iv) Up to maximum of three substitutions permitted in an official competition organized under auspices of FIFA.

Question 9.
(a) Explain the following terms : (8)
(i) Corner arc
(ii) Ball in play
(iii) Penalty mark
(iv) A goal kick.
Answer:
(i) Corner arc is 1 yard (91 cm) at corners. It is a quarter circle at a junction of Touch line and Goal line.

(ii) The ball remains in play from the beginning of each period to the end of that period, except
1. The ball leaves the field by entirely crossing a goal line or touch line (this includes when a goal is scored.
2. Play is stopped by the referee (for example, when a foul has been committed, a player is seriously injured, or the ball becomes defective).

(iii) Penalty mark is 12 yds. (11 m) from goal line within goal area, used to take penalty kick at this mark.

(iv) Goal Kick: When ball passes over the goal line without goal scoring by the attacking player, then ball is kicked by placing from the penalty area.

(b) (i) State the three methods of restarting a game in football. (9)
(ii) Mention three instances for which a direct free-kick is awarded. ?
(iii) State any three types of fouls committed by a player that may invite a red card from the referee.
Answer:
(i) The restarts in football are:

  • Throw-in
  • Indirect Free kick
  • Direct Free kick
  • Kick-off
  • Goal kick
  • Penalty kicks
  • Corner kick

(ii) Awarding Direct Free Kick instances:

  • Intentional delay
  • Intentional hit to the player
  • Intentional handling the ball
  • Charging
  • Dangerous play
  • Holding opponent from behind

(iii) Fouls that may invite a Red card from the Referee: Player is expelled if he

  • Commits a Serious foul
  • Is violent
  • Strikes, charges, kicks or attempts to kick
  • Trips on opponent
  • Holds opponent
  • Handles the ball intentionally
  • Uses abusive, offensive or insulting language
  • Receives a second yellow-card during the game.

ICSE 2015 Physical Education Question Paper Solved for Class 10

(c) (i) What procedure may be adopted if the ball is damaged or becomes defective during the course of play ?
(ii) Mention three circumstances when time is lost or wasted during the course of play and that is added at the end of each playing session.
(iii) Define an Indirect Free kick.
(iv) What colour warning cards are shown by a referee during the course of playing in a football match ? What does the colour of a warning card indicate ? (8)
Answer:
(i) Procedure may be adopted if the ball is damaged or becomes defective during the course of play:

  • The match is stopped.
  • The match is restarted by dropping the replacement at the place where the original ball became defective.
  • Inside the goal area, in this case Referee drops . the replacement ball on the goal area at the nearest point where the original ball was located when play was stopped.

(ii) Wastage of time during play :

  • Substitution
  • Assessment of injury to players
  • Removal of injured player from the field for treatment Fouls

(iii) Indirect Free Kick: It is given when some foul or injury to player has occurred outside the penalty area. A goal cannot be scored unless touched by another player. These fouls are like illegal pushing, dangerous kick, charging, using abusive language to opponent etc.

(iv) Yellow-card/ Warning : The players receive a warning if they regularly break the rules; do not respect the referee’s decision; delay the start of play; are argumentative or show unsportsman conduct; goalkeeper keeps the possession of the ball for more than six seconds, etc.

Handball

Question 10.
(a) Explain the following: (8)
(i) 4-metre line.
(ii) 9-metre Line
(iii) IHF
(iv) Goalposts
Answer:
(i) 4-metre line: It is also named as Goalkeeper Restraining line, it restricts goalkeeper not to come ahead of this line during Penalty throw. This line is marked in front of goal post at a distance of 4 metres from outer goal line.

(ii) 9-metre line: It is a semi-circle dotted marked from outer goal line and it is parallel to goal line. Free throw is taken from this line. If defensive team commits fault or violation then opponent is awarded with 9 m free-throw.

(iii) IHF: International Handball Federation formed in 1928.

(iv) Goalpost: It is wooden made with inner dimensions of 2 m high and 3 m length. The wooden log must be 8 cm thick in cubical shape log. It should be painted in black and white with dimension of 20 cm × 8 cm with alternate colour.

(b) (i) Mention three situations of unsportsmanlike conduct during the game. (9)
(ii) State any three advantages a handball goalkeeper enjoys.
(iii) List any three goal shooting techniques used by players in handball game.
Answer:
(i) Unsportsmanlike conduct during the game is like :

  • To pull or hit the ball.
  • To block the opponent with arms, hand, legs or pushes him away, dangerous use of elbow.
  • To hold an opponent (body or uniform)
  • Run into or jump into an opponent.

(ii) Advantages to goalkeeper :

  • Only goalkeeper is permitted inside the own goal area.
  • Goalkeeper can touch the ball with any body part inside the goal area.
  • Only goalkeeper is permitted to leave the goal area without permission.

(iii) Techniques for goal shooting used by players:

  • Jump-Throw: The shooter jumps up to throw at the goal.
  • Fall away-Throw: The fall away throw is a spectacular variation of the jump throw. It is used for throws over goal post from the wings.
  • Lob-Shot: This skill of throw is often used when goalkeeper is ahead (near goal-line) providing narrow area for throw.

ICSE 2015 Physical Education Question Paper Solved for Class 10

(c) (i) When is a time out necessary ? (8)
(ii) State any two occasions when a goalkeeper may be disqualified by the referee.
(iii) What will the referee’s decision be when a player enters his own goal area and in trying to stop the ball with his foot deflects it into his own goal ?
(iv) What is the maximum time a player can hold on to a ball in a match ?
Answer:
(i) Time out is necessary:

  • When injury takes place.
  • 2-minute suspension
  • Disqualification
  • Expulsion

(ii) Disqualification of goalkeeper:

  • For serious unsportsman conduct on or outside the court.
  • Receive warning and 2-minute suspension already received.
  • Foul for endangering opponents health.
  • Assault by goalkeeper.

(iii) Referee decision when a player enters his own goal area and trying to stop the ball with his foot deflects it into his own goal then goal will be counted for score.

(iv) The maximum time a player can hold on to a ball in a match is three seconds.

Question 11.
(a) Explain the following terms : (8)
(i) 7-metre line
(ii) Substitution line
(iii) Safety zone
(iv) Scorekeeper
Answer:
(i) 7-metre line: It is also known as penalty throw line used during penalty throw. It is 1 metre line parallel to goal line at a 7 metres distance.

(ii) Substitution Line: It is segment of side line marked 15 centimetre, for each team extends from the center line to a point at a distance of 4.50 metre from the center line.

(iii) Safety Zone: It is an area around the handball court 3 metre on all sides of the court.

(iv) Scorekeeper: Scorekeeper is an official responsible for all data on the score sheet like score, fouls of players, time outs, player in, player out, etc.

(b) (i) Mention any three restrictions imposed on a handball goalkeeper. (9)
(ii) List any three situations when a goalkeeper throw is awarded.
(iii) State any three types of passes used by players in the game of handball.
Answer:
(i) Restrictions imposed on handball goalkeeper are:

  • To re-enter the goal area with the ball from the playing area.
  • To touch the ball when it is stationary or rolling on the floor outside the goal area, while he is inside goal area.
  • To endanger the opponent while in the act of defence.
  • To take the ball into the goal area when it is stationary or rolling on the floor outside the goal area.

(ii) Situations when goalkeeper throw is awarded are :

  • Player of opposing team enters the goal area.
  • Goalkeeper has controlled the ball.
  • Player of opposing team has trounced the ball and it is stationary in the goal area.

(iii) Passes used in handball: The ball may be passed or thrown to a teammate in various ways, such as

  • Over-head pass
  • Under arm pass
  • Bounce pass
  • Hook pass
  • Jump pass

ICSE 2015 Physical Education Question Paper Solved for Class 10

(c) (i) How many timeouts are permitted and of what duration ? (8)
(ii) What is meant by ‘running’ in the game of handball?
(iii) What will the referee’s decision be if ball is in the defending team’s goal area and picked by the opposition team’s player who then scores a goal ?
(iv) What is the width of the marking lines of a playing field in a game of handball ?
Answer:
(i) Timeout: Each team has the right to receive one time out of 1 minute duration in each half of regular playing time, and one time out in extra time.

(ii) Running: A player with ball is not allowed to run or move more than 3 steps without dribbling the ball otherwise fault of running is given to opponent.

(iii) Referee decision : If ball is in the defending team’s goal area and picked by the opposing team’s player who then scores a goal is counted.

(iv) All lines on handball court are 5 centimetre wide except 8 centimetre under the goal post.

Hockey

Question 12.
(a) Explain the following terms : (8)
(i) A Stroke
(ii) A Scoop
(iii) Backline
(iv) A Hit
Answer:
(i) Stroke : It is the stick work over the ball to make reach to the desired point. There is lot of variation of strokes like push-pass, hit, flick, scoop, etc.

(ii) Scoop: It is similar like flick but ball is lifted more high. This skill is generally used for penalty stroke from 7 yard point.

(iii) Backline : 55.00 metres (60 yds.) long perimeter lines. It is shorter perimeter line and shorter than side line, it touches both the touch lines of the field.

(iv) Hit: This is a powerful stroke for long passes or to score goal. Player raises the stick at back and then hits the ball with full swing of stick whereas; hands hold the stick from top.

(b) (i) What is meant by a ‘centre-pass’ ?
(ii) Briefly explain the warning cards used in a game of hockey. (9)
(iii) What is understood by a ‘manufactured foul’ ?
Answer:
(i) Centre-Pass : It is termed as back pass. It is a push or hit in any direction behind the centre line from the centre of the field, while all players stay in their own half of the field. It is used for starting the game in the beginning or after the goal scoring.

(ii) Warning/ Green Card: A player is warned by green card by Umpire, if the player has committed foul unintentionally. It can also be given if player indulges himself in foul play or wasting time. Temporarily suspended for 2 minutes.
Warning/ Yellow Card: It is temporarily suspended for a minimum of 5 minutes of playing time indicated by a yellow card.
Suspension/ Red Card: It is permanently suspended from the current match (indicated by a red card).

(iii) Manufactured Foul: It is given when player or players are found that they are not using the specified stick as per rules. In this stage, penalty corner is awarded to opposing team.

(c) (i) What is meant by a ‘Long Corner’ ?
(ii) What is an ‘Advantage’ in a game of hockey ? (8)
(iii) What will the referee’s decision be if a player enters the field before completion of a 5 minute suspension and a goal is scored by his/her team simultaneously dining that duration of play ?
(iv) Give two instances when the ball is declared out of play in a game of hockey.
Answer:
(i) Long-Corner: It is awarded to the attacking team after the ball goes over the end line (not between the goal post) from the stick of the defender. The ball is placed five yard away from the side line over the end line.

(ii) Advantage: A penalty is awarded only when a player or team has been disadvantaged by an opponent breaking the Rules. Referee extends one arm high from the shoulder in the direction in which the benefiting team is playing.

(iii) Referee’s decision if a player enters the field before completion of a 5 minute suspension and a goal is scored by his/her team simultaneously during that duration of play; the goal will not be counted and again he will be suspended for 5 minutes (Yellow Card).

(iv) (a) When the ball crosses the back line.
(b) When the ball crosses the side line.

ICSE 2015 Physical Education Question Paper Solved for Class 10

Question 13.
(a) Explain the following terms : (8)
(i) A Push
(ii) A Raised ball
(iii) Sideline
(iv) A Flick
Answer:
(i) A Push: This stroke is used to send the ball to shorter distance. Right hand is placed low on the stick and pushes the stick forward while the left hand holds the top of handle. This skill is mostly used to pass the ball to own team player when he is close.

(ii) Raised ball: The ball should not be raised in penalty area. Referee hold palms facing each other horizontally in front of the body, with one palm approximately 150 mm above the other.

(iii) Sideline: The straight line marked parallel to each other touching back line. The length is 91.40 metres (100 yds.) long.

(iv) Flick: This technique is used for penalty stroke. It is similar to push but the ball is lifted at a low height.

(b) (i) What is meant by a side line hit ? (9)
(ii) State any three situations when a penalty corner is said to be complete.
(iii) List any six basic equipments worn by a hockey goalkeeper.
Answer:
(i) Side line hit: If ball goes out from side line then opposite team gets side line hit from the point where it has gone outside.

(ii) The penalty corner is completed when :

  • A goal is scored.
  • A Free hit is awarded to the defending team.
  • The ball travels more than 5 metres outside the circle.
  • The ball is played over the back-line and a penalty corner is not awarded.
  • Defender commits an offence which does not result in another penalty corner.

(iii) Basic equipment worn by a hockey goalkeeper :

  • Elbow pads
  • Gloves
  • Pads
  • Kicker
  • Body Protector
  • Blocker
  • Helmet
  • Neck guard
  • Thigh guard
  • Abdominal guard

(c) (i) What is the height of the flag posts placed on the hockey field ? (8)
(ii) State the full form of FIH.
(iii) What decision will the referee take if the ball is hit outside the backline intentionally by the defender ?
(iv) What is meant by the term ‘back-stick’ in a game of hockey ?
Answer:
(i) Height of the flag posts placed on the hockey field: Flag-posts are between 1.20 and 1.50 metre. 4 flags are placed at four corners.
(ii) FIH means ‘The Federation of International Hockey’, it was founded in 1924.
(iii) If the ball is hit outside the backline intentionally by the defender then long corner will be given by the Referee.
(iv) Back-Stick: A player when uses back-side of stick while dribbling. It is also a violation.

ICSE 2015 Physical Education Question Paper Solved for Class 10

Basketball

Question 14.
(a) Explain the following terms: (8)
(i) A Jump Ball
(ii) Travelling
(iii) A Foul
(iv) A Free throw
Answer:
(i) Jump Ball : A jump ball is a technique of starting the game in the beginning, from the circles. It takes place when official tosses the ball between the two opposing players with new rales only one time the jump ball is done and next time it is done with throw in.

(ii) Travelling: It is a violation in which illegal movement of ball by dribbling i.e., player moves without the bounce; passes or collects ball while running.

(iii) Fouls: It is an infraction of rales involving personal contact with the opponent or un-sportsmanlike behaviour. These obstructions are committed to the opponent to get the possession of the ball or overpower the opponent or misconducts or misbehave with the officials in the playfield. Fouls are noted over score sheet by the table official.

(iv) Free throw: It is attempting for unhindered shot (basket scoring) from the position behind the free throw line, it is without the interruption by opponent player. It may be one, two or three free throws according to officials.

(b) (i) Mention three situations when the ball is considered ‘live’ in a game of basketball. (9)
(ii) Mention any three duties of a scorer in a basketball match.
(iii) Explain in brief the term ‘jump shot’.
Answer:
(i) The ball becomes live when :

  • During the Jump ball, the ball leaves the hand(s) of the Referee on the toss.
  • During a Free throw, the ball is at the disposal of the Free-throw shooter.
  • During a Throw-in, the ball is at the disposal of the player taking the Throw-in.

(ii) Duties of Scorer :

  • He shall make chronological running summary of points scored and shall record the field goals or basket scored made along with free-throws.
  • He shall record the personal and technical fouls of each player.
  • He shall indicate the number of fouls committed by each player by using number marker.
  • He shall record the team fouls and raise free- throw flag in case of more than four fouls in each quarter.

(iii) Jump Shot: This is the most common shot for 3 points. In this one hand is used to push the ball and other directs the ball towards the basket with the jump. Hand extends over the head with full accuracy.

(c) (i) How many time-outs can a team avail during a basketball match? (8)
(ii) What is understood by the term ‘dunk’ in basketball?
(iii) Differentiate between unsportsmanlike foul and disqualifying fouls?
(iv) State any two types of shooting baskets.
Answer:
(i) Charged Timeout : It is an interruption of game requested by coach. It lasts not more than one minute. It can be taken one time in I, II and III quarter; and two times in IV quarter.

(ii) Dunk: After faking opponent, the player reaches near the ring and pushes the ball inside the ring with hand.

(iii) An Unsportsmanlike foul: It is a foul of player contact foul, in the judgment of an official.

  • Not a legitimate attempt to directly play the ball within the spirit and intent of the rales.
  • Excessive, hard contact caused by a player in an effort to play the ball.
  • Contact by the defensive player from behind or laterally on an opponent in an attempt to stop the fast break and there is no defensive player between the offensive player and the opponent’s basket.
  • Contact by the defensive player on an opponent on the court during the last 2 minutes in the fourth period and in each extra period, when the ball is out-of-bounds for a throw-in and still in the hands of the official or at the disposal of the player taking the throw-in.

Disqualifying foul: A disqualifying foul is any flagrant unsportsmanlike action by a player or team bench personnel.

  • A coach who has received a disqualifying foul shall be replaced by the assistant coach as entered on the score sheet. If no assistant coach is entered on the score sheet, he shall be replaced by the captain (CAP).
  • A disqualifying foul shall be charged against the offender.
  • Whenever the offender is disqualified according to the respective articles of these rules, he shall go to and remain in his team’s dressing room for the duration of the game or, if he so chooses, he shall leave the building.

(iv) Types of shooting baskets :

  1. Jump Shot
  2. Dunk Shot
  3. Lay-up Shot.

ICSE 2015 Physical Education Question Paper Solved for Class 10

Question 15.
(a) Explain the following terms : (8)
(i) Alternating possession
(ii) Double dribble
(iii) Player out of bounds
(iv) A throw in
Answer:
(i) Alternate Possession : Alternating possession is a method of causing the ball to become live with a throw-in rather than a jump ball. Begins when the ball is at the disposal of the player taking the throw in or when ends.

(ii) Double Dribble: It is a violation. In this, a player shall not dribble for a second time after his first dribble has ended unless between the 2 dribbles he has lost control of a live ball on the playing court.

(iii) Player out of bound: A player is out of bounds when any part of his body is in contact with the floor, or any object other than a player above, on or outside the boundary line.

(iv) Throw in: It is passing the ball from side line or end line (after the dead-ball) to restart the continuity of game.

(b) (i) State three passing techniques used by players in basketball match. (9)
(ii) Mention the three types of baskets that are scored from different areas of a court and state the point awarded for each type.
(iii) Explain the term ‘low dribble’.
Answer:
(i) Passing Techniques :

  • Chest-pass
  • Bounce-pass
  • Long-pass
  • One hand pass
  • One hand side-pass
  • Under hand pass.

(ii) Points for Free Throw:- One point score Points for Lay-up Shot:- Two points score Points for Dunk:- Two points score Beyond 3-point line:- Three points score

(iii) Low-Dribble : It is a defensive dribble, when opponent is close and attempts to snatch the ball. The ball is bounced at low height up to knee and body shields the opponent while body is slightly crouched.

(c) (i) What is the penalty imposed on a team for a team foul committed ? (8)
(ii) What are player foul makers ?
(iii) When is a ball out of bounds ?
(iv) Explain the term ‘double foul’ in a game of basketball.
Answer:
(i) Penalties on team foul: If team fouls exceed more than four fouls in each quarter then opponent team is awarded with two free throws on each foul.

(ii) Player foul makers : They are 1 to 5 numbered plate/play card, where 1 to 4 numbers are written in black and number 5 in red colour on each plate/ play card.

(iii) Ball Out of bound : When ball hits the boundary line or it bounces out of court/ playfield.

(iv) Double-Foul : A situation in which opposing player commits contact fouls against each other simultaneously.

ICSE 2015 Physical Education Question Paper Solved for Class 10

Volleyball

Question 16.
(a) Explain the following terms : (8)
(i) Change of courts
(ii) The penalty area
(iii) Side bands
(iv) Libero replacement zone
Answer:
(i) Change of Court : After each set the ends are changed. In the final set it is changed at 8th point.

(ii) Penalty area : A penalty area, sized approximately 1 × 1 m and equipped with two chairs, is located in the control area, outside the prolongation of each end line. They may be limited by a 5 cm wide red line.

(iii) Side Band : Two white bands are fastened vertically to the net and placed directly above each side line. They are 5 cm wide and 1 m long and are considered as part of the net.

(iv) Libero Replacement Zone : The Libero Replacement zone is part of the free zone on the side of the team benches, limited by the extension of the attack line up to the end line.

(b) (i) What is understood by the term ‘attack hit’? (9)
(ii) What is meant by the term ‘Libero’?
(iii) Define the term ‘Setter’ and ‘Ace’ in a game of volleyball.
Answer:
(i) Attack Hit : All actions which direct the ball towards the opponent, with the exception of service and lock, are considered as attack hits. During an attack hit, tipping is permitted only if the ball is cleanly hit, and not caught or thrown.

(ii) Libero: A specialized defensive player (wears different colour kit) who plays in rear half to provide rest to certain player. He can be substituted any time during match from rear row player. He cannot serve, block and smash (he can smash behind the attack line).

(iii) Setter : A player specialized to lift the ball for the smash. It is performed over the coming ball from own teammates. This player is also known as booster.
Ace : A point scored over service which is unreturned or an unreturned service which gains point.

(c) (i) List any two faults that players commit while playing the balls. (8)
(ii) State the full form of FIVB.
(iii) State the maximum number of Libero players a team can include in the team list?
(iv) What is the duration of a timeout ?
Answer:
(i) Faults while playing ball: A team hits the ball four times before returning it.

  • Assisted Hit: A player takes support from a teammate or any structure/ object in order to hit the ball within the playing area.
  • Catch: The ball is caught and/or thrown; it does not rebound from the hit.
  • Double Contact: A player hits the ball twice in succession or the ball contacts various parts of his/her body in succession.

(ii) FIVB stands for Federation International de Volleyball, it was founded in 1949.

(iii) Libro is a team. Each team has the right to designate from the list of players on the score sheet up to two specialist defensive players.

(iv) Timeout: Each team may request a maximum of two timeouts. All requested time-outs last for 30 seconds.

ICSE 2015 Physical Education Question Paper Solved for Class 10

Question 17.
(a) Explain the following terms : (8)
(i) A Spiker
(ii) Warm-up area
(iii) Aball “in”
(iv) An Assisted hit.
Answer:
(i) Spiker: A player specialized to hit the ball down towards the opponent court. He is also known as smasher.
(ii) Warm-up area: For FIVB, World and Official Competitions, the warm-up areas, sized approximately 3 × 3 m is located in both of the bench side corners, outside the free zone.
(iii) A ball ‘in’: The ball is ‘in’ if at any moment of its contact with the floor, some part of the ball touches the court, including the boundary lines.
(iv) Assisted Hit: A player when takes the support from teammate or any other structure or object in order to reach the ball within the playing area.

(b) (i) State any three specific rules related to libero player. (9)
(ii) List the various sanction cards used by the referee along with the offence for which they are used.
(iii) List three types of service techniques used by the volleyball players.
Answer:
(i) Rules related to Libero player:

  • The Libero is allowed to replace any player in a back row position.
  • He/she is restricted to perform as a back row player and is not allowed to complete an attack hit from anywhere (including playing court and free zone) if at the moment of the contact the ball is entirely higher than the top of the net.
  • He/she may not serve, block or attempt to block.

(ii) Sanctions imposed by Referee: According to the judgment of the 1st referee and depending on the seriousness of the offence, the sanctions to be applied and recorded on the score sheet are:
Warning: no sanction – Stage 1: verbal warning, Stage 2: symbol Yellow card
Penalty: sanction – symbol Red card
Expulsion: sanction – symbol Red + Yellow cards jointly
Disqualification: sanction – symbol Red + Yellow card separately

(iii) Variations of Services:

  • Under arm Service
  • Overhead Service
  • Tennis or Jump Service
  • Top spin Service
  • Reverse spin Service
  • Floating Service

(c) (i) When is the ball considered “out” ? (8)
(ii) What is the maximum number of timeouts and substitutions per set for a team ?
(iii) Explain the term ‘four hits’.
(iv) List two conditions when a team is compelled to substitute a player.
Answer:
(i) The ball is “out” when :

  • The part of the ball which contacts the floor is completely outside the boundary lines.
  • It touches an object outside the court, the ceiling or a person out of play.
  • It touches the antennae, ropes, posts or the net itself outside the side bands.
  • It crosses the vertical plane of the net either partially or totally outside the crossing space.
  • It crosses completely the lower space under the net.

(ii) Timeout : Each team may request a maximum of two timeouts. All requested time-outs last for 30 seconds.
Substitutions : Each team may request a maximum of six substitutions per set.

(iii) Four Hits: The team is entitled to a maximum of three hits (in addition to blocking), for returning the ball. If more are used, the team commits the fault of “Four Hits”.

(iv) Conditions when a team is compelled to substitute a player:

  • If player is injured and cannot continue to play; can be substituted legally.
  • An expelled player must be substituted legally.

ICSE 2015 Physical Education Question Paper Solved for Class 10

Softball

Question 18.
(a) Explain the following in Softball: [8]
(i) Bunt
(ii) Over slide
(iii) The dug out
(iv) A Fly ball.
Answer:
(i) Bunt: A bunt is a batted ball that is not hit with full force and swing.
(ii) Over slide : The base is disloged and moved from its position after a runner slide. If the runner is outside the reach of the basic orginal position and is touched legally, he/she is retired ?
(iii) The dugout: The dug out is a designated area for coaches, players, subsitution and other officials.
(iv) A fly ball: A fly ball caught in the field, hold the runner on base. Runners advancing on fly ball can be thrown out returning to base.

(b) (i) Mention any three circumstances when the batter is out.
(ii) List three situations when an umpire calls a ball.
(iii) State three situations when an umpire can suspend play. [9]
Answer:
(i) Three circumstances when the batter is out:
(a) When the third strike is caught by the catcher.
(b) When the ball is caught by any player.
(c) When he/she bunts foul, after the second strike.

(ii) When umpire calls a ball:
(a) For each legally pitched ball that does not enter the strike zone.
(b) Touches the ground before reaching home plate . and is not swung at.
(c) Touches home plate and at which the batter does not swing.

(iii) When umpire suspends a play:
(a) Whenever the plate umpire leaves his position to burst the plate or any such activity.
(b) Whenever the plate umpire leaves his position to brush the plate.
(c) Whenever a batter or pitcher stops out of position for a legitimate reason.

(c) (i) When is a pitcher credited with a loss ? [8]
(ii) List two situations when a base hit shall not be recorded.
(iii) What will the decision of the referee be when the ball in play is over thrown or is blocked ?
(iv) List two instances when the umpire declares no pitch.
Answer:
(i) A pitcher shall be charged with a loss, when his team is left behind in score and his team thereafter fails to tie the score.

(ii) When base hit shall not be recorded:
(a) When a runner is forced out by a batted ball, except for a fielding area.
(b) When a player fielding a batted ball retires a preceding runner with ordinary effort.

(iii) When the ball in the play is overthrown, as is blocked, the referee gives the runner to next base if he runs.

(iv) The umpire declares no pitch when :
(a) The pitcher pitches during a suspension of play.
(b) The pitcher pitches before a runner has retouched his base after a foul ball has been declared and the ball is dead.

ICSE 2015 Physical Education Question Paper Solved for Class 10

Question 19.
(a) Explain the following terms: [8]
(i) Appeal play
(ii) A batted ball
(iii) Fair territory
(iv) Base path
Answer:
(i) Appeal play : A play upon which an umpire cannot make a decision until requested by a player. The appeal must be done (made) before the next ball is delivered.

(ii) A batted ball: Any ball that hits the bat and lands either on fair or foul territory.

(iii) Fair territory : That part of the playing field within the first and third base foul lines from home base to the bottom of the extreme playing field fence

(iv) Base Path : An imaginary line three feet to either side or direct line between the bases.

(b) (i) State three situations when a ball is declared a ‘blocked ball’ ? (9)
(ii) List three situations when an umpire calls a strike.
(iii) Write three instances when an umpire calls a delayed- dead ball.
Answer:
(i) Three Situations when a ball is declared a ‘blocked ball’:
(a) A thrown ball which touches any object which is not a part of the official equipment or official playing area.
(b) A thrown ball that is touched or handled by a person not engaged in the game.
(c) When a ball is blocked due to any hindrance.

(ii) An umpire calls a strike when :
(a) For each legally pitched ball struck at and missed by the batter.
(b) When any part of a legally pitched ball enters the strike zone before touching the ground and at which batter does not swing.
(c) For each foul ball when the batter has less than two strikes.

(iii) Umpire calls a delayed dead ball when there is :
(a) An illegal pitch
(b) Catcher’s obstruction
(c) Plate umpire interference.

(c) (i) When are stolen bases credited to a runner? (8)
(ii) List two situations when a runner is declared ‘not out’.
(iii) What will the decision of the referee be when the ball gets lodged in the clothing of an opponent player ?
(iv) When does the pitch start ?
Answer:
(i) Stolen bases are credited to a runner whenever he advances one base unaided by a hit, a put out, an error or force out, a fielder’s choice, a passed ball, a wild pitch or an illegal pitch.

(ii) Runner is declared not out:
(a) When a fielder makes a play on a runner while using an illegal glove.
(b) Having the entire play nullified with runner returning to the last base held at the time of the play.

(iii) When the ball gets lodged in the clothing of an opponent player, the referee gives the throw in again.

(iv) The pitch start : A pitch starts when the pitcher holds the ball in both hands in front of the body and both feet must be on the ground and touching the pitcher’s palate. Only one forward step is allowed to start the pitch as the ball is simultaneously released from the hand.

ICSE Class 10 Commercial Applications Previous Year Question Papers Last 10 Years Solved

ICSE Class 10 Commercial Applications Previous Year Question Papers Last 10 Years Solved

ICSE Class 10 Commercial Applications Previous Year Question Papers: Students can download these ICSE Commercial Applications Class 10 Solutions to know the exact exam pattern and to check the types of questions asked along with their marking system and time allotted for each question. Check out the ICSE Previous Year Question Papers Class 10 to help in the self-assessment of students. Students are advised to practice the below-mentioned Class 10 ICSE Commercial Applications Previous Year Question Paper to ace their exam with good marks.

ICSE Commercial Applications Class 10 Previous Year Question Papers

Students can access the Commercial Application ICSE Class 10 Question Paper along with the detailed solution and marking scheme by clicking on the link below.

Last 10 Years ICSE Commercial Applications Question Papers Solved

Commercial Applications 10 Years Question Paper ICSE | Commercial Application ICSE Class 10 Question Paper

These ICSE Commercial Application Class 10 Solutions are designed in such a way that it helps a student to focus on the subject concepts that are mentioned in the syllabus. Students can practice the Commercial Applications ICSE Class 10 Answer Key to get an idea of the type of questions asked in the board Commercial Applications paper. We hope students must have found this Commercial Application ICSE Class 10 Question Paper will be useful for their exam preparation.

ICSE Class 10 Geography Previous Year Question Papers Last 10 Years Solved

ICSE Class 10 Geography Previous Year Question Papers Last 10 Years Solved

ICSE Class 10 Geography Previous Year Question Papers: Students can download this Geography Class 10 ICSE Previous Year Question Paper to know the exact exam pattern and to check the types of questions asked along with their marking system and time allotted for each question. Check out the ICSE Previous Year Question Papers Class 10 to help in the self-assessment of students. Students are advised to practice the below-mentioned ICSE Class 10 Geography Previous Year Question Paper to ace their exam with good marks.

ICSE Geography Class 10 Previous Year Question Papers

Students can access the Class 10 ICSE Geography Question Paper along with the detailed solution and marking scheme by clicking on the link below.

Last 10 Years ICSE Geography Question Papers Solved

Geography 10 Years Question Paper ICSE | Geography Class 10 ICSE Question Paper

These Class 10 ICSE Geography Previous Year Question Papers are designed in such a way that it helps a student to focus on the subject concepts that are mentioned in the syllabus. Students can practice the ICSE Geography Class 10 Question Paper to get an idea of the type of questions asked in the board Geography paper. We hope students must have found these ICSE Class 10 Geography Last 10 Years Question Papers will be useful for their exam preparation.

ICSE Class 10 Hindi Previous Year Question Papers Last 10 Years Solved

ICSE Class 10 Hindi Previous Year Question Papers Last 10 Years Solved | ICSE Hindi Question Paper

ICSE Class 10 Hindi Previous Year Question Papers: Students can download these Hindi Previous Year Question Paper Class 10 ICSE to know the exact exam pattern and to check the types of questions asked along with their marking system and time allotted for each question. Check out the ICSE Previous Year Question Papers Class 10 to help in the self-assessment of students. Students are advised to practice the below-mentioned Hindi ICSE Class 10 Question Paper to ace their exam with good marks.

ICSE Hindi Class 10 Previous Year Question Papers

Students can access the Class 10 ICSE Hindi Question Paper along with the detailed solution and marking scheme by clicking on the link below.

Last 10 Years ICSE Hindi Question Papers Solved

Last 10 Years Hindi Question Paper ICSE | Class 10 ICSE Hindi Previous Year Question Paper

These ICSE Class 10 Hindi Solved Question Papers is designed in such a way that it helps a student to focus on the subject concepts that are mentioned in the syllabus. Students can practice the ICSE Class 10 Hindi Question Paper to get an idea of the type of questions asked in the board Hindi paper. We hope students must have found these Hindi Question Paper Class 10 ICSE Solved will be useful for their exam preparation.

ICSE Class 10 Maths Previous Year Question Papers Last 10 Years Solved

ICSE Class 10 Maths Previous Year Question Papers Last 10 Years Solved

ICSE Class 10 Maths Previous Year Question Papers: Students can download these Maths Class 10 Previous Year Question Papers to know the exact exam pattern and to check the types of questions asked along with their marking system and time allotted for each question. Check out the ICSE Previous Year Question Papers Class 10 to help in the self-assessment of students. Students are advised to practice the below-mentioned Class 10 ICSE Maths Previous Year Question Paper to ace their exam with good marks.

ICSE Previous Year Question Papers Class 10 Maths with Solutions

Students can access the Class 10 ICSE Maths Question Paper along with the detailed solution and marking scheme by clicking on the link below.

Last 10 Years Maths Question Paper Class 10 ICSE

ICSE Class 10 Maths Question Paper | Maths ICSE Class 10 Question Paper

These Previous Year Question Paper Class 10 ICSE Maths is designed in such a way that it helps a student to focus on the subject concepts that are mentioned in the syllabus. Students can practice the Class 10 ICSE Maths Previous Year Question Paper to get an idea of the type of questions asked in the board Maths paper. We hope students must have found these Last 10 Years Maths Question Paper Class 10 ICSE will be useful for their exam preparation.