0% found this document useful (0 votes)
320 views116 pages

Study Material IP XII

The document discusses various questions related to pandas in Python. It includes questions on pandas series, dataframes, missing value imputation, pivoting, aggregation, reindexing, pipe, creating dataframes from data, operations on dataframes like finding max, min, mean, mode, transpose etc. It also includes questions on creating dataframe from dictionary data with indexes and getting element-wise powers of array values.
Copyright
© © All Rights Reserved
We take content rights seriously. If you suspect this is your content, claim it here.
Available Formats
Download as PDF, TXT or read online on Scribd
0% found this document useful (0 votes)
320 views116 pages

Study Material IP XII

The document discusses various questions related to pandas in Python. It includes questions on pandas series, dataframes, missing value imputation, pivoting, aggregation, reindexing, pipe, creating dataframes from data, operations on dataframes like finding max, min, mean, mode, transpose etc. It also includes questions on creating dataframe from dictionary data with indexes and getting element-wise powers of array values.
Copyright
© © All Rights Reserved
We take content rights seriously. If you suspect this is your content, claim it here.
Available Formats
Download as PDF, TXT or read online on Scribd
You are on page 1/ 116

Topic : Numpy

1. What is Numpy?
2. Why Numpy is used over Lists?
3. Write a Numpy program to get the Numpy version ?
4. Write Numpy Program to test whether none of the elements of a given array is zero.
5. Write a Numpy program to create an array of 10 zeros, 10 ones and 10 fives.
6. Write a Numpy program to find the number of rows and columns of the given
matrix.
7. Write a Numpy program to compute sum of all elements, sum of each column and
sum of
each row of a matrix.
8. Write a Numpy program to convert a given array into a list and then convert it into a
array
again.
9. Write a Numpy program to create a 1 D array with values from 0 to 9
10. Write a NumPy program to reverse an array (first element
becomes last). Original array:
[12 13 14 15 16 17 18 19 20 21 22 23 24 25 26 27 28 29 30 31 32 33 34 35 36 37]
Reverse array:
[37 36 35 34 33 32 31 30 29 28 27 26 25 24 23 22 21 20 19 18 17 16 15 14 13 12]
11. Write a NumPy program to create a 2d array with 1 on the border and 0 inside.
Expected Output:
Original array:
[[ 1. 1. 1. 1. 1.]
[ 1. 1. 1. 1. 1.]
[ 1. 1. 1. 1. 1.]
[ 1. 1. 1. 1. 1.]
[ 1. 1. 1. 1. 1.]]
1 on the border and 0 inside in the
array [[ 1. 1. 1. 1. 1.]
[ 1. 0. 0. 0. 1.]
[ 1. 0. 0. 0. 1.]
[ 1. 0. 0. 0. 1.]
[ 1. 1. 1. 1. 1.]]

12. Write a NumPy program to append values to the end of an


array. Expected Output:
Original array:
[10, 20, 30]
After append values to the end of the
array: [10 20 30 40 50 60 70 80 90]
13. Write a NumPy program to find common values between two arrays.
Expected Output:
Array1: [ 0 10 20 40 60]
Array2: [10, 30, 40]
Common values between two
arrays: [10 40]
14. Write a NumPy program to compute the covariance matrix of two given arrays.
15. Write a NumPy program to compute cross-correlation of two given arrays.
16. Write a NumPy program to compute the mean, standard deviation, and variance of a
given array along the second axis.
Sample output:
Original array:
[0 1 2 3 4 5]
Mean: 2.5
std: 1
variance: 2.9166666666666665
17. Write a NumPy program to generate six random integers between 10
and 30. Expected Output:
[20 28 27 17 28 29]
18. What is covariance ?

19. What is Linear Regression?


Answers Of Numpy
1. NumPy is a general-purpose array-processing package. It provides a high-
performance multidimensional array object, and tools for working with these arrays. It
is the fundamental package for scientific computing with Python. A powerful N-
dimensional array object.
2. NumPy uses much less memory to store data
The NumPy arrays takes significantly less amount of memory as compared to python
lists. It also provides a mechanism of specifying the data types of the contents, which
allows further optimisation of the code.
3. import numpy as
np print(np. version )
print(np.show_config(
))
4. import numpy as np
x = np.array([1, 2, 3,
4]) print("Original
array:") print(x)
print("Test if none of the elements of the said array is zero:")
print(np.all(x))
x = np.array([0, 1, 2,
3]) print("Original
array:") print(x)
print("Test if none of the elements of the said array is zero:")
print(np.all(x))
5. import numpy as
np
array=np.zeros(10)
print("An array of 10
zeros:") print(array)
array=np.ones(10)
print("An array of 10
ones:") print(array)
array=np.ones(10)*5
print("An array of 10
fives:") print(array)
6. import numpy as np
m= np.arange(10,22).reshape((3,
4)) print("Original matrix:")
print(m)
print("Number of rows and columns of the said
matrix:") print(m.shape)
7. import numpy as np
x=
np.array([[0,1],[2,3]])
print("Original array:")
print(x)
print("Sum of all
elements:")
print(np.sum(x))
print("Sum of each
column:") print(np.sum(x,
axis=0)) print("Sum of
each row:") print(np.sum(x,
axis=1))
8. import numpy as
np a = [[1, 2], [3, 4]]
x=
np.array(a)
a2 = x.tolist()
print(a ==
a2)
9. import numpy as
np x =
np.arange(10)
print("Array from 0 to
9:") print(x)
10. import numpy as
np import numpy as
np
x = np.arange(12,
38) print("Original
array:") print(x)
print("Reverse
array:") x = x[::-1]
print(x)
11. import numpy as
np x = np.ones((5,5))
print("Original array:")
print(x)
print("1 on the border and 0 inside in the
array") x[1:-1,1:-1] = 0
print(x)
12. import numpy as
np x = [10, 20, 30]
print("Original array:")
print(x)
x = np.append(x, [[40, 50, 60], [70, 80, 90]])
print("After append values to the end of the array:")
print(x)
13. import numpy as np
array1 = np.array([0, 10, 20, 40,
60]) print("Array1: ",array1)
array2 = [10, 30, 40]
print("Array2: ",array2)
print("Common values between two
arrays:") print(np.intersect1d(array1,
array2))
14. import numpy as
np x = np.array([0, 1,
2])
y = np.array([2, 1, 0])
print("\nOriginal
array1:") print(x)
print("\nOriginal
array1:") print(y)
print("\nCovariance matrix of the said arrays:\n",np.cov(x, y))
15. import numpy as
np x = np.array([0, 1,
3])
y = np.array([2, 4, 5])
print("\nOriginal
array1:") print(x)
print("\nOriginal
array1:") print(y)
print("\nCross-correlation of the said arrays:\n",np.cov(x, y))
16. import numpy as
np x = np.arange(6)
print("\nOriginal
array:") print(x)
r1 = np.mean(x)
r2 =
np.average(x)
assert np.allclose(r1,
r2) print("\nMean: ",
r1)
r1 = np.std(x)
r2 = np.sqrt(np.mean((x - np.mean(x)) **
2 )) assert np.allclose(r1, r2)
print("\nstd: ",
1) r1= np.var(x)
r2 = np.mean((x - np.mean(x)) **
2 ) assert np.allclose(r1, r2)
print("\nvariance: ", r1)
17. import numpy as np
x = np.random.randint(low=10, high=30,
size=6) print(x)
18. Covariance provides the a measure of strength of correlation between two variable
or more set of variables.
19. Simple linear regression is an approach for predicting a response using a single
feature. It is assumed that the two variables are linearly related. Hence, we try to find a
linear function that predicts the response value(y) as accurately as possible as a
function of the feature or independent variable(x).
Topic : Python
Pandas HOTS
Questions

1. What is pandas series?


2. What is dataframe?
3. Write a python code to create an empty Dataframe?
4. How can we fill missing values in dataframe?
5. What is quartile? How it is related to quantile? How do you generate in Pandas?
6. What is pivoting? Which function of pandas support pivoting?
7. what is the use of aggregation in python
8. How pivot_table() is different from pivot() when both perform pivoting?
9. Write a Pandas program to create and display a one-dimensional array-like object
containing an
array of data.
10. What are differences between reindex() and rename()?
11. What is the use of pipe() in python pandas?
12. Write python statements to create a data frame for the following
data. Name Age Designation
RAJIV 20 CLERK
SAMEER 35 MANAGER
KAPIL 45 ACCOUNTANT
13. Write one python program to find the following from the given dataframe DF:
Rollno Name Age Marks
11 Aruna 18 68
12 Mohini 14 47
13 Kiya 13 78
14 Lakshmi 16 87
15 Ravisha 14 60

a) Maximum marks and minimum marks


b) sum of all the marks
c) Mean and mode of age of the students
d) Count the no of rows present in the dataframe

14. Suppose a data frame contains information about student having columns rollno, name,
class and section. Write the code for the following:
(i) Add one more column as fee
(ii) Write syntax to transpose data frame.
(iii) Write python code to delete column fee of data frame.
(iv) Write the code to append df2 with df1
15. Assume following data is stored in data frame named as df1
Write following commands:
(i) Find total sales per state
(ii) find total sales per employee
(iii) find total sales both employee wise and state wise
(iv)find mean, median and min sale state
wise (v)find maximum sale by individual
Name of
Employee Sales Quarter State
RSahay 125600 1 Delhi

George 235600 1 Tamil Naidu


JayaPriya 213400 1 Kerala
ManilaSahai 189000 1 Haryana
RymaSen 456000 1 West Bengal
ManilaSahai 172000 2 Haryana
JayaPriya 201400 2 Kerala
16. Write Output for the following
code ? import pandas as pd
data = [{'a': 1, 'b': 2},{'a': 5, 'b': 10, 'c': 20}]
#With two column indices, values same as dictionary keys
df1 = pd.DataFrame(data, index=['first', 'second'],
columns=['a', 'b']) #With two column indices with one index
with other name
df2 = pd.DataFrame(data, index=['first', 'second'], columns=['a',
'b1']) print df1
print df2
17. Write a Pandas program to get the powers of an array values
element-wise. Note: First array elements raised to powers from
second array
Sample data: {'X':[78,85,96,80,86], 'Y':[84,94,89,83,86],'Z':[86,97,96,72,83]}
Expected Output:
X Y
Z 0 78 84
86
1 85 94 97
2 96 89 96
3 80 83 72
4 86 86 83
18. Write a Pandas program to create and display a DataFrame from a specified dictionary
data which has the index labels.

Sample DataFrame:
exam_data = {'name': ['Anastasia', 'Dima', 'Katherine', 'James', 'Emily', 'Michael',
'Matthew', 'Laura', 'Kevin', 'Jonas'],
'score': [12.5, 9, 16.5, np.nan, 9, 20, 14.5, np.nan, 8, 19],
'attempts': [1, 3, 2, 3, 2, 3, 1, 1, 2, 1],
'qualify': ['yes', 'no', 'yes', 'no', 'no', 'yes', 'yes', 'no', 'no', 'yes']}
labels = ['a', 'b', 'c', 'd', 'e', 'f', 'g', 'h', 'i', 'j']
19. Write a Pandas program to select the rows where the number of attempts in the
examination is greater than 2.
Sample DataFrame:
exam_data = {'name': ['Anastasia', 'Dima', 'Katherine', 'James', 'Emily', 'Michael',
'Matthew', 'Laura', 'Kevin', 'Jonas'],
'score': [12.5, 9, 16.5, np.nan, 9, 20, 14.5, np.nan, 8, 19],
'attempts': [1, 3, 2, 3, 2, 3, 1, 1, 2, 1],
'qualify': ['yes', 'no', 'yes', 'no', 'no', 'yes', 'yes', 'no', 'no', 'yes']}
labels = ['a', 'b', 'c', 'd', 'e', 'f', 'g', 'h', 'i', 'j']
20. Write a Pandas program to select the rows the score is between 15 and 20 (inclusive).

Sample DataFrame:
exam_data = {'name': ['Anastasia', 'Dima', 'Katherine', 'James', 'Emily', 'Michael',
'Matthew', 'Laura', 'Kevin', 'Jonas'],
'score': [12.5, 9, 16.5, np.nan, 9, 20, 14.5, np.nan, 8, 19],
'attempts': [1, 3, 2, 3, 2, 3, 1, 1, 2, 1],
'qualify': ['yes', 'no', 'yes', 'no', 'no', 'yes', 'yes', 'no', 'no', 'yes']}
labels = ['a', 'b', 'c', 'd', 'e', 'f', 'g', 'h', 'i', 'j']

21. Write a Pandas program to select the specified columns and rows from a given
DataFrame. Select 'name' and 'score' columns in rows 1, 3, 5, 6 from the following data
frame.

Sample DataFrame:
exam_data = {'name': ['Anastasia', 'Dima', 'Katherine', 'James', 'Emily', 'Michael',
'Matthew', 'Laura', 'Kevin', 'Jonas'],
'score': [12.5, 9, 16.5, np.nan, 9, 20, 14.5, np.nan, 8, 19],
'attempts': [1, 3, 2, 3, 2, 3, 1, 1, 2, 1],
'qualify': ['yes', 'no', 'yes', 'no', 'no', 'yes', 'yes', 'no', 'no', 'yes']}
labels = ['a', 'b', 'c', 'd', 'e', 'f', 'g', 'h', 'i', 'j']
Answers
1. Pandas Series is a one-dimensional labeled array capable of holding data of any type
(integer, string, float, python objects, etc.) . The axis labels are collectively called index.
Pandas Series is nothing but a column in an excel sheet.
2. Python | Pandas DataFrame. Pandas DataFrame is two-dimensional size-mutable,
potentially heterogeneous tabular data structure with labeled axes (rows and columns).
A Data frame is a two-dimensional data structure, i.e., data is aligned in a tabular fashion
in rows and columns.
3. Import pandas as
pd
Df=pd.DataFrame()
Print(df)
4. Df=df1.fillna(0)
5. A quartile is a type of quantile. The first quartile is defined as the middle number
between the smallest number and the median of the data set. The second quartile is
the median of the data. The third quartile is the middle value between the median and
the highest value of the data set
Pandas dataframe.quantile() function return values at the given quantile over requested
axis, a numpy.percentile. Note : In each of any set of values of a variate which divide a
frequency distribution into equal groups, each containing the same fraction of the total
population.
6. Data pivioting is summarization technique to rearrange the coluns and rows in a
report so as to view data from different prospectives.
Pandas library makes available two functions for pivoting – the pivot() and pivot_table()
function.
7. Dataframe.aggregate() function is used to apply some aggregation across one or
more column. Aggregate using callable, string, dict, or list of string/callables. Most
frequently used aggregations are: sum: Return the sum of the values for the requested
axis. min: Return the minimum of the values for the requested axis.
8. pivot() is used for pivoting without aggregation. Therefor, it can’t deal with duplicate
values for one index/column pair.
9. import pandas as pd
ds = pd.Series([2, 4, 6, 8,
10]) print(ds)
10. The rename() function renames the existing indexes in dataframe whereas
reindex() function is used to change the order or existing lables in dataframe
11. The method pipe() creates a pipe and returns a pair of file descriptors (r, w) usable
for reading and writing, respectively.
12. import pandas as pd
d={‘Name”:[‘RAJIV’,’SAMEER’,’KAPIL’],
’Age’:[20,35,45],’Designation’:[‘CLERK’,’MANAGER’,’ACCOUNTANT’]}
df=pd.DataFrame(d)
13.
a. print(“Maximum marks = “ ,
DF[“Marks”].max())
print(“Minimum marks = “ , DF[“Marks”].min())
b. print(“Sum of marks = “ , DF[“Marks”].sum())
c. print(“Mean of Age = “,DF[“Age”].mean())
print(“Mode of Age = “,DF[“Age”].mode())
d. print(“No of rows = “,DF.count())

14.
I. Df1[‘fee’]=([100,200,300])
II. Df1=Df1.T
III. Df2.pop(‘fee’)
Df2=Df2.append(Df1)

15.
(i) pv1=pd.pivot_table(dfN,index=[‘State’], values=[‘Sales’],aggfunc=np.sum)
(ii) pv1=pd.pivot_table(dfN,index=[‘Name of Employee’], values=[‘Sales’],aggfunc=np.sum)
(iii)pv1=pd.pivot_table(dfN,index=[‘Name of
Employee’,’State’],values=[‘Sales’],aggfunc=np.sum)
(iv) pv1=pd.pivot_table(dfN,index=[‘State’],values=[‘Sales’],aggfunc=[np.mean,np.
min,np. max])
pv1=pd.pivot_table(dfN,index=[‘Name of Employee’],values=[‘Sales’],aggfunc=np.max)
16. #df1
output a b
first 1 2
second 5 10
#df2 output
a b1
first 1 NaN
second 5 NaN
17. import pandas as pd
df = pd.DataFrame({'X':[78,85,96,80,86], 'Y':[84,94,89,83,86],'Z':[86,97,96,72,83]});
print(df)
18. import pandas as
pd import numpy as
np
exam_data = {'name': ['Anastasia', 'Dima', 'Katherine', 'James', 'Emily', 'Michael',
'Matthew', 'Laura', 'Kevin', 'Jonas'],
'score': [12.5, 9, 16.5, np.nan, 9, 20, 14.5, np.nan, 8, 19],
'attempts': [1, 3, 2, 3, 2, 3, 1, 1, 2, 1],
'qualify': ['yes', 'no', 'yes', 'no', 'no', 'yes', 'yes', 'no', 'no', 'yes']}
labels = ['a', 'b', 'c', 'd', 'e', 'f', 'g', 'h', 'i', 'j']

df = pd.DataFrame(exam_data ,
index=labels) print(df)

19. import pandas as


pd import numpy as
np

exam_data = {'name': ['Anastasia', 'Dima', 'Katherine', 'James', 'Emily', 'Michael',


'Matthew', 'Laura', 'Kevin', 'Jonas'],
'score': [12.5, 9, 16.5, np.nan, 9, 20, 14.5, np.nan, 8, 19],
'attempts' : [1, 3, 2, 3, 2, 3, 1, 1, 2, 1],
'qualify': ['yes', 'no', 'yes', 'no', 'no', 'yes', 'yes', 'no', 'no', 'yes']}
labels = ['a', 'b', 'c', 'd', 'e', 'f', 'g', 'h', 'i', 'j']

df = pd.DataFrame(exam_data , index=labels)
print("Number of attempts in the examination is greater than
2:") print(df[df['attempts'] > 2])
20. import pandas as
pd import numpy as
np
exam_data = {'name': ['Anastasia', 'Dima', 'Katherine', 'James', 'Emily', 'Michael',
'Matthew', 'Laura', 'Kevin', 'Jonas'],
'score': [12.5, 9, 16.5, np.nan, 9, 20, 14.5, np.nan, 8, 19],
'attempts': [1, 3, 2, 3, 2, 3, 1, 1, 2, 1],
'qualify': ['yes', 'no', 'yes', 'no', 'no', 'yes', 'yes', 'no', 'no', 'yes']}
labels = ['a', 'b', 'c', 'd', 'e', 'f', 'g', 'h', 'i', 'j']

df = pd.DataFrame(exam_data , index=labels)
print("Rows where score between 15 and 20
(inclusive):") print(df[df['score'].between(15, 20)])
21. import pandas as
pd import numpy as
np

exam_data = {'name': ['Anastasia', 'Dima', 'Katherine', 'James', 'Emily', 'Michael',


'Matthew', 'Laura', 'Kevin', 'Jonas'],
'score': [12.5, 9, 16.5, np.nan, 9, 20, 14.5, np.nan, 8, 19],
'attempts': [1, 3, 2, 3, 2, 3, 1, 1, 2, 1],
'qualify': ['yes', 'no', 'yes', 'no', 'no', 'yes', 'yes', 'no', 'no', 'yes']}
labels = ['a', 'b', 'c', 'd', 'e', 'f', 'g', 'h', 'i', 'j']

df = pd.DataFrame(exam_data ,
index=labels) print("Select specific
columns and rows:") print(df.iloc[[1, 3, 5,
6], [1, 3]])
PLOTTING WITH
PYPLOT
Q1. What is data visualization? What is its significance?
Q2 What is Boxplot? How do you create it in Pyplot? Explain with an
example. Q3. What is quantile? Explain.
Q4. What is a cumulative histogram? How do you create it?
Q5. Given two arrays namely arr1 and arr2 each having 5 values. Create a scatter chart
so that each data points gets a different color, different size. Keep the marker style as
square.
Q6. What will be the output of the following code :
import matplotlib.pyplot as
plt plt.plot([1,2,3],[4,5,1])
plt.show()

Q7. From the following ordered set of data:


63, 65, 67, 69, 71, 71, 72, 74, 75, 78, 79, 79, 80, 81, 83
a) Create a horizontal box plot.
b) Create a vertical box plot.
Q8 Complete the following code to draw the bar chart given:
from matplotlib import pyplot as
plt x = [5,8,10]
y = [12,16,6]
x2 = [6,9,11]
y2 = [6,15,7]
………………………..
(Complete Rest of the code)

Q9. Write a Python program to draw a line as shown below using given axis values with
suitable label in the x axis , y axis and a title.

Q10. Write a Python program to draw line charts of the financial data of Alphabet Inc.
between October 3, 2016 to October 7, 2016.
Sample Financial data
(fdata.csv):
Date,Open,High,Low,Close
10-03-16,774.25,776.065002,769.5,772.559998
10-04-16,776.030029,778.710022,772.890015,776.429993
10-05-16,779.309998,782.070007,775.650024,776.469971
10-06-16,779,780.47998,775.539978,776.859985
10-07-16,779.659973,779.659973,770.75,775.080017
The code snippet gives the output shown in the following screenshot:
Q11. Write a Python program to plot two or more lines on same plot with suitable
legends of each line.
The code snippet gives the output shown in the following screenshot:

Q.12 Is there any function in pyplot to create frequency polygon? If no how can we create it.
SOLUTIONS
Ans 1:
Data visualization is the act of taking information (data) and placing it into a visual
context, such as a map or graph. Data visualizations make big and small data easier for
the human brain to understand, and visualization also makes it easier to detect patterns,
trends, and outliers in groups of data.
Ans 2:
A Box Plot is the visual representation of the statistical five number summary of a given
data set.
A Five Number Summary includes:
• Minimum

• First Quartile

• Median (Second Quartile)

• Third Quartile

• Maximu

m
Example
value1 = [72,76,24,40,57,62,75,78,31,32]
import matplotlib.pyplot as plt
A1 = [72,76,24,40,57,62,75,78,31,32]
box=plt.boxplot(A
1) plt.show()
Ans 3:
The word “quantile” comes from the word quantity. Means a quantile is where a sample
is divided into equal-sized subgroups. It can also refer to dividing a probability
distribution into areas of equal probability
Ans 4:
A cumulative histogram is a mapping that counts the cumulative number of observations
in all of the bins up to the specified bin.
Example: A = [63, 65, 67, 69, 71]
plt.hist(A, cumulative = True)

Ans 5:
import matplotlib.pyplot as
plt ar1 =
[2,4,6,8,10,12,14,16]
ar2 = [5,10,15,20,25,30,35,40]
colors = [ 'r', 'b', 'g', 'y',
'k'] sizes =
[20,30,50,45,60]
plt.scatter(ar1,ar2,c = colors, s = sizes, marker = 's')

Ans 6:

Ans 7:
A = [63, 65, 67, 69, 71, 71, 72, 74, 75, 78, 79, 79, 80, 81, 83]
(i) plt.boxplot(A1, bins = 5, vert = False)
(ii) plt.boxplot(A1, bins = 5, vert = True)

Ans 8:
from matplotlib import pyplot as
plt x = [5,8,10]
y = [12,16,6]
x2 = [6,9,11]
y2 = [6,15,7]
plt.bar(x, y, align='center')
plt.bar(x2, y2, color='g',
align='center') plt.title('Epic Info')
plt.ylabel('Y
axis')
plt.xlabel('X
axis')
plt.show()

Ans 9:
import matplotlib.pyplot as
plt # x axis values
x = [1,2,3]
# y axis
values y =
[2,4,1]
# Plot lines and/or markers to the
Axes. plt.plot(x, y)
# Set the x axis label of the current
axis. plt.xlabel('x - axis')
# Set the y axis label of the current
axis. plt.ylabel('y - axis')
# Set a title
plt.title('Sample
graph!') # Display a
figure. plt.show()
Ans 10:
import matplotlib.pyplot as
plt import pandas as pd
df = pd.read_csv('fdata.csv', sep=',', parse_dates=True,
index_col=0) df.plot()
plt.show()
Ans 11:
import matplotlib.pyplot as
plt # line 1 points
x1 = [10,20,30]
y1 = [20,40,10]
# plotting the line 1 points
plt.plot(x1, y1, label = "line
1") # line 2 points
x2 = [10,20,30]
y2 = [40,10,30]
# plotting the line 2 points
plt.plot(x2, y2, label = "line
2") plt.xlabel('x - axis')
# Set the y axis label of the current
axis. plt.ylabel('y - axis')
# Set a title of the current axes.
plt.title('Two or more lines on same plot with suitable
legends ') # show a legend on the plot
plt.legend()
# Display a
figure.
plt.show()
Ans 12
There is not any pyplot function to create frequency polygon. We can create it by
1. Plot a histrogram from the data
2. Mark a single point at the midpoint of an interval/bin
3. Draw straight lines to connect the adjacent points
4. Connect first data point to the midpoint of previous interval on xais
5. Connect last data point to the midpoint of the following interval on x asis
For example we have a series name com that stores some 1000 values Plotting a
step histogram from the same
Pl.hist(com,bin-10,histtype=’step’)
Joining midpoint of each set of adjacent bins to create frequency polygon
The output of every Sprint is an Increment of a Done Software which can be
shipped off to the end user for usage. An item is only marked done if it matches
the definition of done.
Topic : MySQL : Revision Tour, More on SQL

Q1 What is DBMS? What is the function of database management


system ?

Q2 What is Data Model? Name various types of Data Model?


Q3 What is data redundancy? What are the problems associated
with it? Q4 Illustrate the difference between the three levels of data
abstraction.
Q5 What is meant by “data independence”? What are types of Data
Independence?
Q6.What is SQL?
Q7. Define various Relational Model Terminology
1. Relation 2. Tuple 3. Attribute 4. Degree 5.
Cardinality
6. Primary Key 7. Candidate Key 8. Alternate Key 9. Foreign
Key
Q8 What are various Integrity Constraints? Describe
them? Q9 How are SQL Statements Classified?
Q10.Create the following
table DEPT TABLE
Column Name Type SIZE Constraint Description
DEPTNO INTEGER PRIMARY KEY DEPARTMENT NUMBER
DNAME VARCHA 20 NAME OF DEPARTMENT
R
LOC VARCHA 10 LOCATION OF DEPARTMENT
R

EMP TABLE
Column Name Type SIZ Constraint Description
E
EMPNO INTEGER PRIMARY KEY EMPLOYEE NUMBER
ENAME VARCHAR 20 NOT NULL EMPLOYEE NAME
JOB CHAR 10 DESIGNATION
MGR INTEGER RESPECTIVE MANGER’S
EMPNO
HIREDATE DATE DATE OF JOINING
SAL DECIMAL 9,2 >0 SALARY
COMM INTEGER COMMISSION
DEPTNO INTEGER FOREIGN KEY DEPARTMENT NUMBER
DEPT
DEPTNO

Q11 On the basis of above table perform the following queries


a) List the employee belonging to the department 20 and working as salesman
b) List the employee number and name of mangers.
c) List the name of clerks working in department 20
d) List the details of the employees who have joined before the end of September 2014
e) List the names of employees who are not mangers.
f) List the name of employees whose employees numbers are 7369,7521,7839,7934,7788
g) List the employee name and salary whose salary is between 1000 and 2000.
h) List the employee name how have joined before 30 June 2014 and after Dec 2014
i) List the different job available in the emp table
j) List the employee who are not eligible for commission.
k) List the employee whose name start with “S”
l) List the name of employee whose name has 5 charcters.
m) List the name of employee having ‘I” as second character.
n) List the empno, name and salary in ascending order of salary.
o) List the employee name and hiredate in descending order of hiredate.
p) List the employee name, salary, pf, hra, da and gross; order the result in
ascending order of gross. Pf is 10% of salary, HRA is 50% of salary and da is
30% of salary.
q) List the number of employees working in emp table.
r) List the number of jobs available in emp table.
s) List the department number and the total salary payable in each department.
t) List the job and the number of employees in each job. The result should be in
descending order of the number of employees.
u) List the total salary, maximum and minimum salary and the average salary of
employees jobwise for department number 20 only.
v) List the average monthly salary for each job type within department.
w) List the average salary for all department employing more than 5 people.
x) List the total salary, maximum and minimum salary and the average salary of
employee job wise for department number 20 and display only those rows having
average salary greater than 1000 in ascending order of sum(sal).
y) List the employee number, name and department number and department name of clerks.
z) Display the total salary which is sum of salary and
commission. aa) Add a column address to the employee table
bb) Suppose the user forget to make empno as primary key and deptno as foreign key
write the query to make such changes.
cc) Increase the size of salary from 9,2 to
15,2 dd) Drop the column address in the
above table;

Q 12 Amit creates a database name contacts but he is not able to create the table.
What command should be used before creating the table?
Q13 A table Student has 4 rows and 2 Column and another table has 3 rows and 4
columns. How many rows and columns will be there if we obtain the Cartesian product
of these two tables?
Q14 Mr. Sanghi created two tables with City as Primary Key in Table1 and Foreign key
in Table2 while inserting row in Table2 Mr Sanghi is not able to enter value in the column
City. What is the possible reason for it?
Q15. What is difference between curdate() and date() functions?
Q16. There is column salary in table employee. The following two statements are giving
different outputs. What may be the possible reasons?
Select count(*) from employee select count(salary) from employee
Q17. Give One difference between Rollback and Commit?
Q18. What is View?
Q19. TABLE: GRADUATE
S.NO NAME STIPEND SUBJECT AVERAGE DIV.
1 KARAN 400 PHYSICS 68 I
2 DIWAKAR 450 COMP. Sc. 68 I
3 DIVYA 300 CHEMISTRY 62 I
4 REKHA 350 PHYSICS 63 I
5 ARJUN 500 MATHS 70 I
6 SABINA 400 CEHMISTRY 55 II
7 JOHN 250 PHYSICS 64 I
8 ROBERT 450 MATHS 68 I
9 RUBINA 500 COMP. Sc. 62 I
10 VIKAS 400 MATHS 57 II
(a) List the names of those students who have obtained DIV I sorted by NAME.
(b) Display a report, listing NAME, STIPEND, SUBJECT and amount of stipend
received in a year assuming that the STIPEND is paid every month.
(c.) To count the number of students who are either PHYSICS or COMPUTER SC graduates.
(d) To insert a new row in the GRADUATE table 11,”KAJOL”, 300, “COMP. SC.”, 75, 1
(e) Give the output of following sql statement based on table GRADUATE:
i. Select MIN(AVERAGE) from GRADUATE where SUBJECT=”PHYSICS”;
ii. Select SUM(STIPEND) from GRADUATE WHERE div=2;
iii. Select AVG(STIPEND) from GRADUATE where AVERAGE>=65;
iv. Select COUNT(distinct SUBDJECT) from GRADUATE;
Assume that there is one more table GUIDE in the database as shown below:
Table: GUIDE

MAINAREA ADVISOR
PHYSICS VINOD
COMPUTER SC ALOK
CHEMISTRY RAJAN
MATHEMATICS MAHESH

(f) What will be the output of the following query:


SELECT NAME, ADVISOR FROM GRADUATE,GUIDE WHERE SUBJECT= MAINAREA;

Q20. Write the SQL query commands based on following


table Table : Book
Book_id Book name Author_name Publisher Price Type Quantity
C0001 Fast Cook Lata Kapoor EPB 355 Cookery 5
F0001 The Tears William Hopkins First Publi. 650 Fiction 20
T0001 My First c++ Brain & Brooke FPB 350 Text 10
T0002 C++ Brain A.W. Rossaine TDH 350 Text 15
works
F0002 Thunderbolts Anna Roberts First Publ. 750 Fiction 50
Table : issued
Book_Id Quantity Issued
T0001 4
C0001 5
F0001 2

Write SQL query for (a) to (f)


a. To show book name, Author name and price of books of First Pub. Publisher
b. To list the names from books of text type
c. To Display the names and price from books in ascending order of their prices.
d. To increase the price of all books of EPB publishers by 50.
e. To display the Book_Id, Book_name and quantity issued for all books which
have been issued
f. To insert a new row in the table issued having the following data. ‘F0003’, 1
g. Give the output of the following
I. Select Count(*) from Books
II. Select Max(Price) from books where quantity >=15
III. Select book_name, author_name from books where publishers=’first publ.’
IV. Select count(distinct publishers) from books where Price>=400
Q21. Write the SQL commands for the (i) to (iv) and write the output of the (v) to (viii) on
the basis of table CLUB. Table: CLUB
COACH_I COACHNA AGE SPORTS DATOFAPP PAY SEX
D
ME
1 KUKREJA 35 KARATE 27/03/1996 10000 M
2 RAVINA 34 KARATE 20/01/1997 12000 F
3 KARAN 34 SQUASH 19/02/1998 20000 M
4 TARUN 33 BASKETBALL 01/01/1998 15000 M
5 ZUBIN 36 SWIMMING 12/01/1998 7500 M
6 KETAKI 36 SWIMMING 24/02/1998 8000 F
7 ANKITA 39 SQUASH 20/02/1998 22000 F
8 ZAREEN 37 KARATE 22/02/1998 11000 F
9 KUSH 41 SWIMMING 13/01/1998 9000 M
10 SHAILYA 37 BASKETBALL 19/02/1998 17000 M
a. To show all information about the swimming coaches in the club.
b. To list names of all coaches with their date of appointment (DATOFAPP) in
descending order.
c. To display a report, showing coachname, pay, age and bonus (15% of pay) for
all the coaches.
d. To count the number of coaches in each sports.
e. Give the output of following SQL statements:
I. SELECT COUNT( DISTINCT SPORTS) FROM CLUB;
II. SELECT SUM(PAY) FROM CLUB WHERE DATOFAPP> ‘31/01/1998’;
III. SELECT LCASE(SPORTS) FROM CLUB;
IV. SELECT MOD(AGE,5) FROM CLUB WHERE SEX= ‘F’;
Q22 . Write SQL queries for (i) to (iv) and find outputs for SQL queries (v) to (viii), which
are based on the tables.
Table: ACCOUNT

ANO ANAME ADDRESS

101 Nirja Singh Bangalore

102 Rohan Gupta Chennai

103 Ali Reza Hyderabad

104 Rishabh Jain Chennai

105 Simran Kaur Chandigarh

Table: TRANSACT

TRNO ANO AMOUN TYPE DOT


T
T001 101 2500 Withdraw 2017-12-21

T002 103 3000 Deposit 2017-06-01


T003 102 2000 Withdraw 2017-05-12

T004 103 1000 Deposit 2017-10-22

T005 101 12000 Deposit 2017-11-06

(i) To display details of all transactions of TYPE Deposit from Table TRANSACT
(ii) To display the ANO and AMOUNT of all Deposits and Withdrawals done in the
month of October 2017 from table TRANSACT.
(iii) To display the last date of transaction (DOT) from the table TRANSACT for the
Accounts having ANO as 103.
(iv) To display all ANO, ANAME and DOT of those persons from tables ACCOUNT and
TRANSACT who have done transactions less than or equal to 3000.
(v) SELECT ANO, ANAME FROM ACCOUNT WHERE ADDRESS NOT IN ('CHENNAI',
'BANGALORE'); (vi)SELECT DISTINCT ANO FROM TRANSACT;
(vii) SELECT ANO, COUNT(*), MIN(AMOUNT) FROM TRANSACT GROUP BY ANO
HAVING COUNT(*)> 1;
(viii) SELECT COUNT(*), SUM(AMOUNT) FROM TRANSACT WHERE DOT <= '2017-06-01';
(ix) identify the foreign key.

Q23. What are indexes

SOLUTIONS

Ans 1. A database management system (DBMS) is system software for creating and
managing databases. The DBMS provides users and programmers with a systematic
way to create, retrieve, update and manage data
Ans 2. A data model refers to a set of concepts to describe the structure of a database,
and certain constraints (restrictions) that the database should obey. The four data
model that are used for database management are :
1. Relational data model : In this data model, the data is organized into tables (i.e. rows
and columns). These tables are called relations. 2. Hierarchical data model 3. Network
data model
4. Object Oriented data model
Ans 3. Data redundancy means duplication of data. Itcauses duplicate
dataatdifferentlocations which destroys the integrityof the database and wastage of
storage space.

Ans 4.
Internal Level Conceptual Level External Level
Describes what data
Describes how the data is
are actually stored Concerned with the data is
actually stored on the
inthedatabase and viewed by individual users.
storage medium.
relationship
existing
among data.
At this level, complex low- At this level, the database is Only a part of the database
level
described logically in terms relevant to the users is
data structure are described provided to them through this
of simple data-structures.
in details.

Ans 5. Data independence is the ability to modify a scheme definition in one level
without affecting a scheme definition in ahigher level. Data independence types are
1. Physical Data Independence has ability to modify the scheme followed at the
physical level without affecting thescheme followed atthe conceptual level.
2. Logical Data Independence has ability to modify the conceptual scheme
without causing any changes in the schemes followed at view levels.

Ans 6. SQL is a language that enables you to create and operate on relational
databases, which are sets of related information stored in tables.
Ans 7
1. Relation : A table storing logically related data is called a Relation.
2. Tuple : A row of a relation is generally referred to as a tuple.
3. Attribute : A column of a relation is generally referred to as an attribute.
4. Degree : This refers to the number of attributes in a relation.
5. Cardinality : This refers to the number of tuples in a relation.
6. Primary Key : This refers to a set of one or more attributes that can uniquely identify
tuples within the relation.
7. Candidate Key : All attribute combinations inside a relation that can serve as primary
key are candidate keys as these are candidates for primary key position.
8. Alternate Key : A candidate key that is not primary key, is called an alternate key.
9. Foreign Key : A non-key attribute, whose values are derived from the primary key of
some other table, is known as foreign key in its current table.

Ans 8. Integrity Constraints


Integrity constraints are a set of rules. It is used to maintain the quality of information.
Integrity constraints ensure that the data insertion, updating, and other processes have
to be performed in such a way that data integrity is not affected.
Thus, integrity constraint is used to guard against accidental damage to the
database. Types of Integrity Constraint

1. Domain constraints
Domain constraints can be defined as the definition of a valid set of values for an
attribute. The data type of domain includes string, character, integer, time, date,
currency, etc. The value of the attribute must be available in the corresponding
domain.

Example:

2. Entity integrity constraints


The entity integrity constraint states that primary key value can't be null.
This is because the primary key value is used to identify individual rows in relation and if
the primary key has a null value, then we can't identify those rows.
A table can contain a null value other than the primary key field.
Example:

3. Referential Integrity Constraints


A referential integrity constraint is specified between two tables.
In the Referential integrity constraints, if a foreign key in Table 1 refers to the Primary
Key of Table 2, then every value of the Foreign Key in Table 1 must be null or be
available in Table 2. Example:

4. Key constraints
Keys are the entity set that is used to identify an entity within its entity set uniquely.
An entity set can have multiple keys, but out of which one key will be the primary key. A
primary key can contain a unique and null value in the relational table.
Example:

Ans 9. Classification of Sql Statements


a. DDL(Data Definition Language): It is set of SQL commands used to create, modify
and delete database structures but not data. Commands in DDL are
1. Create – to create the objects in database
2. Alter – alters the structures of the database
3. Drop – Delete objects from the database
b. DML(Data Manipulation Language): It is the area of SQL that allows changing the
dat within the database. Command in DML are
1. insert : insert data into the table
2. Update Updates Existing data within the table
3. Delete : Delete the records from the table
c. TCL(Transaction Control Language): Commands theat allow to manage and control
the transactions Commands are
1. Commit : making changes to database permanent
2. Rollback : undoing changes to database permanent
3. SavePoint : Identiy a point in a transaction to which we can later roll back
4 SET TRANSACTION :Change transaction option like what roll back segment to use

Ans 10 .
Create table dept(deptno integer Primary Key,dname integer(20), loc varchar(10));
Create table emp(empno integer Primary Key, Ename varchar(20) NOT NULL, job
Char(10), mgr integer, hiredate date, sal decimal(9,2) check(sal>0),comm integer,
deptno integer references dept(deptno) on delete cascade);

Ans 11.
a) select * from emp where deptno=20 or job=’salesman’;
b) select empno,ename from emp where job=’Manger’;
c) select * from emp where deptno=20 and job=’clerk’;
d) select * from emp where hiredate<’2014-09-01’;
e) select * from emp where job!=’manager’;
f) select * from emp where empno in(7369,7521,7839,7934,7788);
g) select empno, ename from emp where empno between 1000 and 2000;
h) select ename from emp where hiredate not between ‘2014-06-30’ and ’2014-12-31’;
i) select distinct(job) from emp;
j) select * from emp where comm is NULL;
k) select ename from emp where ename like ‘S%’;
l) select ename from emp where ename like’ ’;
m) select ename from emp where ename like ‘_I%’;
n) select empno,ename,sal from emp order by sal;
o) select empno,ename from emp order by hiredate desc;
p) select ename, sal,sal*,5 as “hra”,sal*.1 as “pf”, sal*.3 as “da”, sal+sal*.5+sal*.3-sal*.1 as
“gross” order by sal+sal*.5+sal*.3-sal*.1;
q) select count(*) from emp ;
r) select count(distinct job) from emp;
s) select depnto,sum(sal) from emp group by deptno;
t) select job, count(*) from emp group by job order by count(*) desc;
u) select sum(sal),max(sal),min(sal),avg(sal) from where deptno=20 emp group by job;
v) select depnto,job,deptno from emp group by deptno,job;
w) select avg(sal) from emp group by deptno having count(*)>5;
x) select sum(sal),max(sal),min(sal),avg(sal) from emp where deptno=20 group by
job having avg(sal)>1000 order by sum(sal);
y) select empno,ename, e.deptno,dname from emp e, dept d where e.deptno=d.deptno;
z) select empno,ename, sal, sal+ifnull(comm,0) as “total salary”
from emp; aa) alter table emp add column address varchar(20);
bb) alter table emp add constraing pk_1 Primay key(empno);
cc) alter table emp add constraint fk_1 Foreign Key deptno references (dept(deptno)
on delete cascade)
dd) alter table emp Modify sal
decimal(15,2); ee) alter table emp drop
column address;

Ans 12
Use Contacts
Ans 13
12 rows and 6 columns
Ans 14
Mr Sanghi was trying to enter the name of City in Table2 which is not present in Table1
i.e. Referential Integrity ensures that value must exist in referred table.
Ans 15
curdate() returns the current date whereas date() extracts the date part of a date.
Ans 16
The possible reason is that the salary filed may contain null values so count(salary)
will not count that record.

Ans 17
Rollback command is used to end the current transaction and Undo all the changes we
made since current transaction begin While Commit is used to make all changes
permanent to underlying database which we made during the current transaction.
Ans 18
View is a virtual table that does not e xists physically. Data in view is derived from original
table . create view v1 as select empno,ename from emp where deptno=10;

Ans 19
(a) SELECT NAME FROM GRADUATE WHERE DIV='I' ORDER BY NAME;
(b) SELECT NAME, STIPEND, SUBJECT, STIPEND*12 STIPEND_YEAR FROM GRADUATE;
(c) SELECT SUBJECT, COUNT(NAME) FROM GRADUATE GROUPBY
(SUBJECT) HAVING SUBJECT='PHYSICS' OR SUBJECT='COMP. Sc.';
(d) INSERT INTO GRADUATE VALUES(11,'KAJOL',300,'COMP. Sc.',75,1);
(e) (i) MIN(AVERAGE) 63
(ii) SUM(STIPEND) 800
(iii) AVG(STIPEND) 420
(iv) COUNT(DISTINCTSUBJECT) 4
(f) SELECT NAME, ADVISOR FROM GRADUATE, GUIDE WHERE
SUBJECT=MAINAREA; NAME ADVISOR
DIVYA RAJAN
SABINA RAJAN
KARAN VINOD
REKHA VINOD
JOHN VINOD
Ans 20
a) Select book_name, author_name , price from books where publisher=’First Publ’
b) Select book_name from books where type=’Text’
c) Select book_name, price from books Order by Price;
d) Update books set price=price+50 where publishers=’EPB’
e) Select a.book_id,a.book_name,b.quantity_issued from books a, issued b where
a.book_id=b.book_id
f) Insert into issued Values (‘F0003’,1);
g) (i) 5 (ii) 750 (iii)Fast Cook Lata Kappor (iv)My First c++ Brain &
Brooke

Ans 21
i. SELECT * FROM CLUB WHERE SPORTS=’SWIMMING’;
ii. SELECT COACHNAME,DATOFAPP FROM CLUB ORDER BY DATOFAPP DESC;
iii. SELECT COACHNAME, PAY, AGE, PAY *0.15 AS BONUS FROM CLUB ;
iv. SELECT COUNT(COACHNAME) FROM CLUB GROUP
BY SPORTS v.(a) 4
(b). 78000

(c)
Karate
Karate
Squash
Basketball
Swimming
Swimming
Squash
Karate
Swimming
Basketball
(d) 4 6 9 7
Ans 22
(i) SELECT * FROM TRANSACT WHERE TYPE = 'Deposit';
(ii) SELECT ANO,AMOUNT FROM TRANSACT WHERE DOT >= '2017-10-01' AND
DOT <= '2017- 10-31'; OR
SELECT ANO,AMOUNT FROM TRANSACT WHERE DOT BETWEEN '2017-10-01'
AND '2017-10- 31';
(iii) SELECT MAX(DOT) FROM TRANSACT WHERE ANO = 103;
(iv) SELECT ACCOUNT.ANO,ANAME,DOT FROM
ACCOUNT,TRANSACT WHERE
ACCOUNT.ANO=TRANSACT.ANO AND AMOUNT <=3000; OR
SELECT A.ANO,ANAME,DOT FROM ACCOUNT A,TRANSACT T WHERE
A.ANO=T.ANO AND AMOUNT <=3000;
(v) ANO ANAME
103 Ali Reza
105 Simran Kaur
(vi) DISTINCT ANO
101
102
103
(vii) ANO COUNT(*) MIN(AMOUNT)
101 2 2500
103 2 1000
(viii) SUM(AMOUN
COUN T) 5000
T(*) 2
(ix) Ano in Transact table

Ans 23. An index is a data structure maintained by database that helps it find records
within a table more quickly. Eg. To create index : create index id on emp(deptno);
CLASS XII

INFORMATICS PRACTICES

NEW (065)

MARKING SCHEME (2019-20)

Max Marks: 70 Time: 3 hrs

Section A
Answer the following questions:
1 a) [70 10]
1 mark for correct answer
b) [1 2 3 3 2 1]
1 mark for correct answer
c) plt.hist(height)

1 mark for correct


answer Or
(i) plt.plot()
(ii) plt.bar()
½ mark each for correct answer
d) [[1 2]
[7 5]
[1 6]]

2 marks for correct answer.


e) import numpy as np
import matplotlib.pyplot as plt
Cities=[‘Delhi’,’Mumbai’,’Bangalore’,’Hyderabad’]
Population=[23456123,20083104,18456123,13411093]
plt.barh(Cities,Populatio
n) plt. ylabel(‘Cities’)
plt.xlabel(‘Population’)
plt.show()

½ mark for lists


½ mark for barh() function
½ mark for labels
½ mark for show()

f) A series is one dimensional object that can hold any data type such as integers,
floats, and strings. It has only one axis.
A DataFrame is two dimensional object that can hold different data types. Individual
columns of a dataframe can act as a separate series object.

1 mark each for correct definition / difference of each.


g) import numpy as np
arr=np.array([0,1,2,3,4,5,6,7,8,9])
for i in
range(len(arr)):
if(arr[i]%2!=0):
print(arr[i],end=’ ‘)
1 mark for declaring array using numpy
½ mark for for loop
1 mark for correct if statement
½ mark for
print OR
import numpy as np
x=np.array([[0,1],[2,3]])
print('Sum of all
elements:')
print(np.sum(x))
print('Sum of each
column:')
print(np.sum(x,axis=0))
print('sum of each row:')
print(np.sum(x,axis=1))

½ mark for declaring array using numpy


½ mark for sum of all
elements 1 mark for sum of
each column 1 mark for sum
of each row
Answer the following questions
2 a) applymap()
1 mark for correct answer
b) import pandas as pd
Smarks={'name':['rashmi','harsh','priya'],'grade':['A1','A2','
B1']} df=pd.DataFrame(Smarks)
print(df)
1 mark for correct
answer OR
import pandas as pd
S=pd.Series([5,10,15,20,25],index=['a','b','c','d'
,'e']) print(S)
1 mark for correct answer
c) quantile()

1 mark for correct answer


d) df.drop([2,4])
1 mark for correct answer
e) pipe() function performs the operation on the entire dataframe with the help of
user defined or library functions. Any example.

1 mark for correct definition


1 mark for correct example
f) import pandas as pd
d={'Name':['RAJIV','SAMEER','KA
PIL'],
'Age':[20,35,45],'Designation':['CLERK','MANAGER','ACCOUNTANT']}
df=pd.DataFrame(
d) print(df)

½ mark for importing


pandas 1 mark for creating
dictionary
½ mark for using DataFrame function
g) a. print(“Maximum marks = “ , DF[“Marks”].max())
b. print(“Sum of marks = “ , DF[“Marks”].sum())
c. print(“Mean of Age = “,DF[“Age”].mean())

1 mark for each correct answer


h) Find the output of the following
code a b
first 1 2
second 5 10

a b1
first 1 NaN
second 5 NaN
1 mark for correct index and column name in both
cases 1 mark each for correct output (values) of
both cases
g) (i) df1+df2
(ii) dfa=df1.sort_values(‘Second’,ascending=False)
(iii) import pandas as pd
d={'First':[1,2,3,4],'Second':[5,6,7,8]}
df2=pd.DataFrame(d,index=['a','b','c','
d'])
(iv) df1[‘Third’].gt(50)
1 mark each for correct answer
Section B
3 a) Evolutionary model
1 mark for correct answer
b) Maintenance
1 mark for correct answer.
c) It is a set of methods and practices where solutions evolve through
collaboration between self organizing, cross functional teams.
1 mark for above definition or any suitable definition.
d) Features of sprints:
1. Sprints are periods of time when software development is actually done.
2. A sprint lasts from one week to one month to complete an item from the
backlog.
3. The goal of sprint is to create a saleable product.
4. Each sprint ends with sprint review.
½ mark each for above or any correct
feature. OR
Steps in waterfall model of software development:
Requirement specification, Analysis and System design, Implementation and
Unit
Testing, Integration and System Testing, Operation and maintenance.
2 marks for correct sequence of steps.
e) 1 mark for each correct
difference. OR
1 mark for each correct difference
f) 1 mark for correct definition of
VCS. 1 mark for commit / update
1 mark for push / pull requests.
g) 2 marks for correct use case diagram of taxi booking app.
2 marks for correct use case diagram of simple banking system.
Section C
4 a) init .py, settings.py, urls.py and wsgi.py

1 mark for correct answer. (Any two correct files)


b) ½ mark for update and ½ mark for alter
command. OR
½ mark for commit and ½ mark for rollback
c) Get and Post
½ mark for each correct request
d) Select * from Employee where Comm is Null;

1 mark for correct query


e) Char – fixed length string
Varchar – Variable length
string
½ mark for each correct answer.
f) Compare Having Clause and Order by clause with example?
½ mark for correct definition of Having
½ mark for correct definition of Order
by 1 mark for correct example of
Having
1 mark for correct example of Order by
g) (i) ALTER TABLE EMP MODIFY ENAME(VARCHAR(20));
(ii) UPDATE EMP SET Sal=Sal +Sal*0.05;
(iii) DELETE FROM EMP WHERE YEAR(Hiredate)>1985;

1 mark for each correct query


h) a) select shop_name from shop where area like ‘South’ and sale>avg(sale);
b) select city, sum(sale) from shop group by city;
c)
i) Min(sale)

380000
428000
456000
500000
ii) Count(Distinct(City)

iii) Avg(sale)

4060000
iv) Area

East
North
Sout
h

1 mark for each correct query


½ mark each for correct output
OR
1 mark for opening database connection
½ mark for creating cursor
½ mark for sql query
½ mark for fetchall()
½ mark for correct for loop
1 mark for printing in correct format

Section D
5 a) 1 mark for correct definition

b) ½ mark for each correct online fraud


½ mark each for each measure to curb online fraud.
c) ½ mark each for correct method of E-waste

d) a) Nivedita has become a victim of cyber bullying and cyber stalking.


b) She must immediately bring it into the notice of her parents and school authorities
and she must report this cyber crime to local police with the help of her parents.

1 mark for each correct answer.


e) Phishing is the practice of attempting to acquire sensitive information from individuals
over internet, by means of deception.
Computer forensics refers to methods used for interpretation of computer media or
digital evidence.

1 mark for correct definition of phishing.


1 mark for correct definition of computer forensics.
f) 1 mark each for correct advantage of Online
Campaigning. OR
2 marks for correct description about Bitcoin.

************** End of Paper **************


CLASS XII
INFORMATICS
PRACTICES (065)
SAMPLE QUESTION PAPER (2019-20)
Max Marks : 70 Time : 3hrs

General Instructions:

All questions are compulsory


Question Paper is divided into 4 sections A, B, C
and D Section A comprises of questions (1 and
2)
(i) Question 1 comprises Data Handling-2 (DH-2)(Series, Numpy)
(ii) Question 2 comprises of question from Data Handling-2(DH-2) (Data Frames and
its operations)
Section B comprises of questions from Basic Software
Engineering Section C Comprises of questions from Data
Mangment-2 (DM-2) Section D comprises of questions from
Society, Law and Ethics-2 (SLE-2)

SECTION A
Answer the following questions
1 (a) How would you create this identity matrix in python? 1
(a) np.eye(3)
(b) identity(3,2)
(c)np.array([1, 0, 0], [0, 1, 0], [0, 0, 1])
(d)All of these
(b) Consider the matrix of 5 observations each of 3 variables X0,X1,X2 whose 1
observed values are held in the three rows of the array X:
X = np.array([ [0.1, 0.3, 0.4, 0.8, 0.9], [3.2, 2.4, 2.4, 0.1, 5.5], [10., 8.2, 4.3, 2.6,
0.9] ])
Write the python statement to print the covariance of X and state that what does
the diagonal element of the resultant matrix depicts.
(c) Mr Ajay wants to plot a horizontal bar graph of the above given set of values with 1
programming language on x axis and its popularity on y axis with following code.
import matplotlib.pyplot as plt
x = ['Java', 'Python', 'PHP', 'JS', 'C#',
'C++'] popularity = [22.2, 17.6, 8.8, 8,
7.7, 6.7]
Statement
1 plt.xlabel("Popularity")
plt.ylabel("Languages")
plt.show()
Complete the code by writing statement1 to print the horizontal bar graph with
colour green
Or

Complete the Python program in blank line to draw a scatter graph taking a
random distribution in X and Y and plotted against each other in red colour.
import matplotlib.pyplot as
plt X = randn(200)
Y = randn(200)
plt.xlabel("X")
plt.ylabel("Y")
plt.show()
(d) Suppose you want to join train and test dataset (both are two numpy arrays train_set 2
and test_set) into a resulting array (resulting_set) to do data processing on it
simultaneously. This is as follows:

train_set = np.array([1, 2, 3])


test_set = np.array([[0, 1, 2], [1, 2, 3]])
resulting_set --> [[1, 2, 3], [0, 1, 2], [1, 2, 3]]

How would you join the two arrays?


(e) Write the code to plot the following figure in python 2

(f) Write a Pandas program to convert a NumPy array to a Pandas series 2


(g) Write a NumPy program to create a 2d array with 1 on the border and 0 inside. 3

Original array:
[[ 1. 1. 1. 1. 1.]
[ 1. 1. 1. 1. 1.]
[ 1. 1. 1. 1. 1.]
[ 1. 1. 1. 1. 1.]
[ 1. 1. 1. 1. 1.]]

Expected Output:
1 on the border and 0 inside in the
array [[ 1. 1. 1. 1. 1.]
[ 1. 0. 0. 0. 1.]
[ 1. 0. 0. 0. 1.]
[ 1. 0. 0. 0. 1.]
[ 1. 1. 1. 1. 1.]]
Or
Write a NumPy program to create a random 10x4 array and extract the first five
rows of
the array and store them into a variable
2 (a) All pandas data structures are -mutable but not always -mutable. 1
a) size,value
b) semantic,size
c) value,size
d) none of the Mentioned
(b) Suppose we make a dataframe as 1
df = pd.DataFrame(['ff', 'gg', 'hh', 'yy'], [24, 12, 48, 30], columns = ['Name', 'Age'])

What is the difference between the two data series given


below? df[‘Name’] and df.loc[:, ‘Name’]
or
A dictionary Grade contains the following data:
Grade = {'Name' : ['Rashmi', 'Harsh', 'Ganesh', 'Priya', 'Vivek', 'Anita', 'Karthik'],
'Grade' :
['A1','A2', 'B1', 'A1', 'B2', 'A2', 'A1']}
Add a column called Percentage with following
data: [92, 89, None, 95, 68, None, 93]
(c) A vector x is given with the following even 1
number x = [2, 5, 6, 10, 11, 13]
what will the output of the following
print(x.quantile([0.25, 0.50, 0.75]))
(d) Calculate the mean of specific numeric columns (Test1, Test2, Test3) row-wise for 1
DataFrame df excluding null values. Also display the result in 2 decimal formats.
(e) A dictionary Grade contains the following data: 2
Grade = {'Name' : ['Rashmi', 'Harsh', 'Ganesh', 'Priya', 'Vivek', 'Anita', 'Karthik'],
'Grade' :
['A1','A2', 'B1', 'A1', 'B2', 'A2', 'A1']}
(i) Drop the column (i.e., Grade) by name.
(ii) Delete the 3rd and 5th rows rows.
(f) Write a Pandas program to add, subtract, multiple and divide two Pandas 2
Series. or
Write a python program to change the order of index of a given
series. For ex if
Original Data Series is :
A1
B2
C3
D4
E5

Data Series after changing the order of


index: B 2
A 1
C 3
D 4
E 5
(g) A dataframe df1 is given with following 3
data: English Accounts
Economics Bst IP
Name
Aashna 87.0 76.0 82.0 72.0 78.0
Simran 64.0 76.0 69.0 56.0 75.0
Jack 58.0 68.0 78.0 63.0 82.0
Raghu 74.0 72.0 67.0 64.0 86.0
Somya 87.0 82.0 78.0 66.0 67.0
Ronald 78.0 68.0 68.0 71.0 71.0
Write the command to given an increment of 5% to all students to DataFrame df1
using applymap() function.

Or

Consider the data frame


dfC = pd.DataFrame({'Student Name' : ['TANVI GUPTA', 'MRIDUL KOHLI',
'DHRUV TYAGI', 'SAUMYA PANDEY', 'ALEN RUJIS', 'MANALI SOVANI',
'AAKASH IRENGBAM', 'SHIVAM BHATIA'],'Height' : [60.0, 62.9, np.nan, 58.3,
62.5, 58.4, 63.7, 61.4], 'Weight' : [54.3, 56.8,
60.4, 58.3, np.nan, 57.4, 58.3, 55.8]}

(i) Count the number of non-null value across the column for DataFrame dfC.
(ii) Find the most repeated value for a specific column ‘Weight’ of DataFrame dfC.
(iii) Find the median of hieght and weight column for all students using DataFrame
dfC
(h) Consider the following data frame of automobile 3

wheel- num-of-
index company body-style base cylinders price
0 bmw sedan 101.2 four 16925
1 bmw sedan 101.2 six 20970
2 honda sedan 96.5 four 12945
3 honda sedan 96.5 four 10345
4 toyota hatchback 95.7 four 5348
5 toyota hatchback 95.7 four 6338

(i) From the given data set print first and last five rows
(ii) Find the most expensive car company name
(iii) Sort all cars by price columns

(i) A dataframe dfB is given with following data: 4

Itemno ItemName Color


Price 1 Ball Pen Black 15.0
2 Pencil Blue 5.5
3 Ball Pen Green 10.5
4 Gel Pen Green 11.0
5 Notebook Red 15.5
6 Ball Pen Green 11.5
7 Highligher Blue 8.5
8 Gel Pen Red 12.5
9 P Marker Blue 8.6
10 Pencil Green 11.5
11 Ball Pen Green 10.5

Answer the following questions


(a) Display Color wise item and price of each ItemName category.
(b) Find the maximum price of each ItemName.
(c) Find the minimum price of each ItemName.
(d) Count the number of items in each ItemName category.

SECTION B
3 (a) The Incremental Model is a result of combination of elements of which two 1
models?

a) Build & FIX Model & Waterfall Model


b) Linear Model & RAD Model
c) Linear Model & Prototyping Model
d) Waterfall Model & RAD Model
(b) Which one of the following is not an Evolutionary Process Model? 1

a) WINWIN Spiral Model


b) Incremental Model
c) Concurrent Development Model
d) All of the mentioned
(c) Which of the following does not apply to agility to a software process? 1

a) Uses incremental product delivery strategy


b) Only essential work products are produced
c) Eliminate the use of project planning and testing
d) All of the mentioned
(d) List any two differences between Agile method and Waterfall 2
model? Or
Write any four points of manifesto of the Agile Software development
(e) Which model will you implement if customer wants to get partial product early in 3
life cycle? State the model and its advantages and disadvantages?
Or
In which situation you will use concurrent process model? Write its advantage and
disadvantage?
(f) Draw a Use Case Diagram for a typical School including Classes Teacher, 3
Student, Course,
Grade, etc
(g) 1. Consider the following scenario involving Git. Alice and Bob are both working on 4
a shared project MyProj that is stored in a remote Git repository. Bob does a clone
on the remote repository. What two things does Git create when Bob issues the
clone command?

2. Next, Bob edits the MyProj file foo.rb. Then, he does a commit and a push. What
does Git do when Bob issues these commands?
3. Next, Alice does a clone on MyProj. Then, Alice and Bob both edit foo.rb in
parallel. foo.rb has over 100 lines of code. Alice edits a couple lines at the top of
the file, and Bob edits a couple lines at the bottom of the file. Then, Bob does a
commit and a push. Finally, Alice does a commit and a push. What does Git do
when Alice issues the push command?

4. What Git commands should Alice issue next and what would the result of the
command be?

Or

Look at the following use case diagrams and write the actors and the situation
depicted by the Use Case diagram?

SECTION C
4 (a) Write the django command to create a project name school? 1
(b) What is 1
SAVEPOINT?
Or
What is Primary Key?
(c) What are two types of HTTP request? 1
(d) Write Mysql command that will be used to open an already existing database 1
“Contacts”
(e) method will return only one row from the resultset in the form of a 1
tuple containing record.
(f) (i) There is column salary in table employee. The following two statements are 3
giving different outputs. What may be the possible reasons?
Select count(*) from employee select count(salary) from employee

(ii) Mr. Sanghi created two tables with City as Primary Key in Table1 and Foreign
key in Table2 while inserting row in Table2 Mr Sanghi is not able to enter value in
the column City. What is the possible reason for it?

(iii) Difference between Alter and Drop


(g) Consider the following hospital table
No Name Age Department Dateofadmin Charge
Sex 1 Arpit 62 Surgery 21/01/06
300 M
2 Zayana 18 ENT 12/12/05 250 F
3 Kareem 68 Orthopedic 19/02/06 450 M
4 Abhilash 26 Surgery 24/11/06 300 M
5 Dhanya 24 ENT 20/10/06 350 F
6 Siju 23 Cardiology 10/10/06 800 M
7 Ankita 16 ENT 13/04/06 100 F
8 Divya 20 Cardiology 10/11/06 500 F
9 Nidhin 25 Orthopedic 12/05/06 700 M
10 Hari 28 Surgery 19/03/06 450 M

Write the sql query for


(i) To reduce Rs 200 from the charge of female patients who are in Cardiology
department.
(ii) To insert a new row in the above table with the following
data : 11, ‘Rakesh’, 45, ‘ENT’, {08/08/08}, 1200, ‘M’
(iii) To remove the rows from the above table where age of the patient > 60.
(h) Consider the following tables GAMES. Write SQL commands for the statements (i) 4
to (iii) and give outputs for SQL queries (1v) to (v).
GCode GameName Number PrizeMoney ScheduleDate
101 Carom Board 2 5000 23-Jan-
2004 102 Badminton 2 12000 12-
Dec-2003
103 Table Tennis 4 8000 14-Feb-
2004 105 Chess 2 9000 01-
Jan-2004
108 Lawn Tennis 4 25000 19-Mar-2004
(i) To display details of those games which are having PrizeMoney more than
7000.
(ii) To display the content of the GAMES table in ascending order of
ScheduleDate.
(iii) To display sum of PrizeMoney for each of the Number of participation
groupings
(iv) SELECT COUNT(DISTINCT Number) FROM GAMES;
(v) SELECT MAX(ScheduleDate),MIN(ScheduleDate) FROM GAMES;

Or
Write a python code considering a database organization having a table employee
to update the salary for employee working in department 10 to 70000
SECTION D
5 (a) is a code injecting method used for attacking the database of a 1
system / website.
a) HTML injection
b) SQL Injection
c) Malicious code injection
d) XML Injection
(b) is a famous technological medium for the spread of malware, 1
facing
problems of spam, & phishing attacks.
(c) means authentication of any electronic records by a subscriber by 1
the means of an electronic method.

(d) What is digital property? Give some examples? 2


(e) What are common gender and disability issued faced while teaching/using 2
computers in
classroom?
(f) Explain the issues with the 3
internet Or
Define E-waste and how to manage the E-waste
CLASS XII
INFORMATICS
PRACTICES (065)
MARKING SCHEME 2019-20

SECTION A
Answer the following questions
1 (a) Solution: (A) 1mark
Option B does not exist (it should be np.identity()and 2 parameters)
Option C is wrong, because the syntax is incorrect. So the answer is
option A
(b) print( np.cov(X) ) diagonal element represent variance 1
½ marks
for
eac
h correct
answer
(c) plt.barh(x_pos, popularity, color='green') 1 marks
or plt.scatter(X,Y, color='r')
(d) resulting_set = np.vstack([train_set, test_set]) 2 marks

(e) import matplotlib as 2 marks


plt Import numpy as ½ mark for
np
X = ['A','B','C'] import 1/2
Y = [1,2,3] mark for
Z = [2,3,4] creating
K= np.arange(len(X)) array 1
marks for
plt.bar(_X - 0.2, Y, 0.4) xticks bar
plt.bar(_X + 0.2, Z, 0.4) and show
plt.xticks(K, X)
plt.show()

(f) import numpy as 2 marks


np import pandas 1 mark for
as pd creating
np_array = np.array([10, 20, 30, 40, array 1
50]) print("NumPy array:") mark for
print(np_array) converting
new_series =
pd.Series(np_array)
print("Converted Pandas
series:") print(new_series)
(g) import numpy as np 3mark
x = np.ones((5,5)) 1 mark for
print("Original array:") creating
print(x) array
print("1 on the border and 0 inside in the array") 2 marks for
x[1:-1,1:-1] = 0 extracting
print(x) Or
or 2 marks for
creating 1
marks for
import numpy as np extracting
x = np.random.rand(10,
4) print("Original array:
") print(x)
y= x[:5, :]
print("First 5 rows of the above
array:") print(y)
2 (a) C 1 mark
(b) 2 is view of original dataframe and 1 is a copy of original 1 mark
dataframe. Or
Gr["Percentage"] = [92, 89, None, 95, 68, None, 93]
(c) 0.25 5.25 1mark
0.50 8.00
0.75 10.75
(d) df.loc[:, ['Test1', 'Test2', 1 mark
'Test3']].mean(axis=1,
skipna=False).round(decimals=2)
(e) Gr.drop('Grade',axis= 2 marks
1) Gr.drop([2, 4]) 1mark for
each
correct
(f) import pandas as pd 2 marks
ds1 = pd.Series([2, 4, 6, 8, 10]) 1 marks
ds2 = pd.Series([1, 3, 5, 7, for
9]) ds = ds1 + ds2 creating
print("Add two series
Series:") print(ds) and 1
print("Subtract two marks for
Series:") ds = ds1 - ds2 showing
print(ds) operations
print("Multiply two Or
Series:") ds = ds1 * ds2 2 marks
print(ds) 1 marks
print("Divide Series1 by for
Series2:") ds = ds1 / ds2 creating
print(ds series
) or an
import pandas as pd d 1 marks
s = pd.Series(data = [1,2,3,4,5], index = ['A', 'B', 'C','D','E']) for reindex
print("Original Data
Series:") print(s)
s = s.reindex(index = ['B','A','C','D','E'])
print("Data Series after changing the order of index:")
print(s)
(g) def 3 marks
increase5(x):
return x +
x*0.05
df1.applymap(increase 1 for def 1
5) or for return
(i) dfC.count(axis='columns') 1 for use
(ii) dfC['Weight'].mode() of
(iii) dfC.loc[:, ['Height', 'Weight']].mean() applymap
Or
1 marks for
each
(h) (i) df.head(5 3 marks
) df.tail(5) 1 marks
(ii) df = df [['company','price']][df.price==df['price'].max()] for each
(iii) carsDf = carsDf.sort_values(by=['price', 'horsepower'], corret
ascending=False) answer
(i) (a) dfX = dfB.groupby(['ItemName', 4 marks
'Color']) dfX.first() 1 marks for
(b) dfB.groupby('ItemName').Price.max() each
(c) dfB.groupby('ItemName').Price.min()
(d) dfB.groupby('ItemName')['Color'].apply(lambda x: x.count())
SECTION B
3 (a) Answer: c 1 mark
Explanation: Each linear sequence produces a deliverable “increment”
of the software and particularly when we have to quickly deliver a limited
functionality system.
(b) Answer: d 1 mark
(c) Answer:c 1 mark
Explanation: Testing is a major part of each software development
process
which can’t be avoided.
(d) Waterfall vs. Agile Agile is more flexible than traditional methods (like 2
the waterfall). Here are some key factors that separates the traditional marks
waterfall method versus the more flexible Agile methods, such as Or
Scrum: • Agile and Scrum is based on Iterations while Waterfall is 2 mark ½
Sequential • Agile and Scrum focus on less documentation • Agile is mark for
good for small projects – not so good for larger projects? • If the each point
Customer don’t know what he wants in detail – Scrum is a good
approach any 2 points

Or

The Manifesto for Agile Software Development is based on twelve


principles: Customer satisfaction by early and continuous delivery of
valuable software. Welcome changing requirements, even in late
development.
Deliver working software frequently (weeks rather than months)
Close, daily cooperation between business people and
developers Projects are built around motivated individuals, who
should be trusted
Face-to-face conversation is the best form of communication (co-
location) Working software is the primary measure of progress
Sustainable development, able to maintain a constant
pace Continuous attention to technical excellence and
good design
Simplicity—the art of maximizing the amount of work not done—is
essential
Best architectures, requirements, and designs emerge from self-
organizing teams
Regularly, the team reflects on how to become more effective, and
adjusts accordingly

(e) Prototype model 3


At least 2 advantage 2 1 for model
disadvantage or 1 for
The concurrent development model advantage
The concurrent development model is called as concurrent model. and one for
The communication activity has completed in the first iteration and exits disadvanta
in the awaiting changes state. ge
The modelling activities completed its initial communication and then go Or
to the underdevelopment state. 3 mark
If the customer specifies the change in the requirement, then the 1 for any
modelling activity moves from the under development state into the point of
awaiting change state. model and
The concurrent process model activities moving from one state to any 1
another state. point from
advantage
and 1 from
disavanta
ge

Advantages of the concurrent development model


This model is applicable to all types of software development
processes. It is easy for understanding and use.
It gives immediate feedback from testing.
It provides an accurate picture of the current state of a
project. Disadvantages of the concurrent development
model
It needs better communication between the team members. This may
not be achieved all the time.
It requires remembering the status of the different activities.
(f) 3 marks

(g)1. When Bob issues the checkout command, Git creates a local copy of 4 marks
the MyProj repository and a working directory that contains the latest
snapshot of the project files. 1 marks for
2 The add commands “stages” the changes. The commit command each
updates Bob’s local repository to reflect the changes. The push
command updates the remote repository to reflect the changes in Bob’s
local repository.
3 When Alice issues the push command, Git rejects her push because
the remote branch has changed since the last time she pulled from it.
4. Alice should do a pull on the remote repository. That will update her
current branch in her local repository as well as her working directory.
The update will both download the changes in the remote repository and
merge them into her current branch. To then upload the merged
changes, she would need to do an add/commit/push.
Or
Use Case of Payroll management System calculating salary etc.Marks
are to
be distributed on basis of correct explnation
SECTION C
4 (a) django-admin startproject school 1mark
(b) SavePoint : Identiy a point in a transaction to which we can later roll 1mark
back Or
Primary Key : This refers to a set of one or more attributes that can
uniquely
identify tuples within the relation.
(c) GET and POST 1 mark
(d) Use contacts 1 mark
(e) fetchone()
(f) (i) contain null values 3 mark
1 mark for
each
(ii) 14 Mr Sanghi was trying to enter the name of City in Table2 which is
not present in Table1 i.e. Referential Integrity ensures that value must
exist in referred table.
(iii) alter is used to change the structure of object while update is used
to update the record in a table
(g) (i) UPDATE HOSPITAL SET CHARGE = CHARGE – 200 WHERE 3 marks 1
(DEPARTMENT = marks for
‘CARDIOLOGY’ AND SEX = ‘f’; each
(ii) INSERT INTO HOSPITAL VALUES
(11,‘Rakesh’,45,‘ENT’,{08/08/08}, 1200,
‘M’);
(iii) DELETE FROM HOSPITAL WHERE AGE > 60;
(h) (ii) SELECT * FROM GAMES WHERE PrizeMoney>7000; 4 marks
(ii) SELECT * FROM GAMES ORDER BY ScheduleDate; 1 marks
(iii) SELECT SUM(PrizeMoney),Number FROM GAMES GROUP BY for query
Number; ½
(iv) 2 marks for
(v) 19-Mar-2004 12-Dec-2003 each
Or output

import mysql.connector
mydb=mysql.connector.connect(host="localhost",user="root",passwd=
"123"
,database="organization")
mycursor=mydb.cursor()
mycursor.execute("select * from
emp") data=mycursor.fetchall()

for x in data:
print(x)
mycursor.execute("update emp set sal={}
where empno={}".format(70000,10))
mydb.commit()
mycursor.execute("select * from
emp") data=mycursor.fetchall()

for x in data:
print(x)
SECTION D
5 (a) b 1 mark
(b) Email 1 mark
(c) Digital Signature
(d) Digital property refers to any information about you created by you that 2 marks
exists in digital form either online or on an storage device eb. Email id,
social
networking account etc
(e) under representation of girls, not girl friendly work culture unavailability 2marks
of
teaching material/aid lack of special needs teachers
(f) Describing of net neutrality, internet as echo 3 marks
chamber Or
Ewaste is electronic waste and process of ewaste disposal
KENDRIYA VIDYALAYA
SANGATHAN CLASS XII -
INFORMATICS PRACTICES (065)
SESSION ENDING EXAMINATION (SESSION 2019-20)
TIME ALLOWED : 3 HRS MM:70
General Instructions:
1. All the questions are compulsory.
Q. a What is the shape of the 1
1 following 1 2 3 4
567 8

b What is the purpose of split() function ? 1


c Consider the 2
array
A=np.array(
[10,20,30,40,50,60,70,80,90,100,110,120]).reshape(3,4) what will
be the result of
(i) print (A[:2, 1:] ) (ii) print (A[1:3,3:1:-1])

d Predict the output of the following code fragments.


x=np.array([1,2,3])
2
y=np.array([3,2,1])
z=np.concatenate([x,
y]) prit(z)

e Find the output 2


A =” Kendriya Vidyalaya
sangathan” Print(A[2:8])

f Q1: Underline the Error in the following code of data visualization and then rewrite the 2
rectified code
A=range(10,50,12
)
B=range(90,250,2
0)
matplotlib.pyplot.plot(a,b)
Q. a Name the function used to create frequency polygon 2
2
b What is the difference between pivot() and pivot_table() functions 2

c What is quartile? How do you generate it in pandas 2


d Assume following data is stored in data frame named as df1 4
Write following commands:
(i) Find total sales per state
(ii) find total sales per employee
(iii) find total sales both employee wise and
state wise (iv)find mean, median and min sale
state wise
Name of Quarte
Employee Sales r
State

RSahay 125600 1 Delhi

George 235600 1 Tamil Naidu


JayaPriya 213400 1 Kerala
ManilaSahai 189000 1 Haryana
RymaSen 456000 1 West Bengal
ManilaSahai 172000 2 Haryana
JayaPriya 201400 2 Kerala
Q. a What is the difference between apply() and applymap() methods 2
3
b Write a program to calculate covariance, correlation and regression for the given 3
data sets for the number of items purchased with their unit price as under.
unit_price =[10,30,50,80,100]
no_items = 30,45,40,20,40]
c What is Boxplot? How do you create it in Pyplot? 2
d Given a data frame namely “data” as shown in adjacent figure. Write code 3
statement to Color Count Price
Apple Red 3 120
Apple Green 9 110
Pear Red 25 125
Pear Green 26 150
Lime Green 99 70

(a)Find all rows with label “Apple”. Extract all columns


(b)List only the columns count and price using loc
(c )List only rows with label ‘Apple’and ‘pear’ using loc.
Q. a What is the need of software engineering? 1
4
b What is the difference between verification and validation 2
c What is feasibility study? Explain in detail 2
d What is difference between water fall model and evolutionary model of s/w 3
engineering
e Describe version control system. Explain utility of version control system 3
f Draw a use-case diagram for a Taxi Booking app 4
Q. a Write the output of following MYSQL queries: 2
5
(i) SELECT ROUND(6.5675,2);
(ii) SELECT TRUNCATE(5.3456,2);
(iii) SELECT DAYOFMONTH(curdate());
(iv) SELECT MID(‘PRE_BOARD CLASSS 12’,4,6);

b What do you mean by null value in MYSQL ? 1


c What are two type of HTTP requests? Explain them 2
d Which package must be imported in python to create database connectivity application 2
e Difference between where and having clause 1
Q. a What is the difference between group by and order by clause of MYSQL ? Give an
6 example
of each.
b Consider the following table WORKERS and DESIG. Write SQL commands for the the
statements
(i) to (iv) and give outputs for SQL queries (v) to ( viii). 6

WORKERS
W_ID FIRSTNAME LASTNAME ADDRESS CITY
102 Sam Tones 33 Elm St. Paris
105 Sarah Ackerman 440 U.S 110 New York
144 Manila Sengupta 24 Friends Street New Delhi
210 George Smith 83 First Street Howard
255 Mary Jones 842 VineAve. Lsantiville
300 Robert Samuel 9 Fifth Cross Washington
335 Henry Williams 12 Moore Street Boston
403 Ronny Lee 121 Harrison St. New York
451 Pat Thompson 11 Red Road Paris

DESIG
W_ID SALARY BENEFITS
DESIGNATION 102 75000
15000 Manager
105 85000 25000 Director
144 70000 15000 Manager
210 75000 12500 Manager
255 50000 12000 Clerk
300 45000 10000 Clerk
335 40000 10000 Clerk
403 32000 7500 Salesman
451 28000 7500 Salesman

(i) To display W_ID Firstname, Address and city of all employees living in New York from
the table WORKERS.
(ii) To Display the content of WORKERS table in ascending order of LASTNAME.
(iii) To display the Firstname ,Lastname and Total Salary of all Clerks from the tables
WORKERS and DESIG , Where Total Salary is calculated as a Salary +Benefits.
(iv) To display the Minimum salary among Managers and Clerks from the table DESIG.
(v) SELECT
FIRSTNAME,SALARY
FROM
WORKERS,DESIG
WHERE DESIGNATION= ‘Manager’ AND WORKERS.W_ID =DESIGN.W_ID;
(vi) SELECT COUNT (DISTINCT DESIGNATION) FROM DESIG;
(vii) SELECT DESIGNATION,SUM(SALARY) FROM DESIG GROUP BY
DESIGNATION HAVING COUNT(*) < 3;
(viii)SELECT SUM(BENEFITS) FROM
WORKERS WHERE DESIGNATION
= ‘Salesman’;
Q.7 a What is Identity Theft ? 1
b What is plagiarism? How can you avoid plagiarism while referring to someone’s 2
else’s
creation?
c What are the common gender and disability issues faced while teaching / using 2
computers in classrooms?
d What is computer forensics? What important practices are followed in 2
computer
forensics?
e Describe the following terms 3
(i) Net Neutrality (ii) Crowd sourcing (iii) Smart Mobs
KENDRIYA VIDYALAYA
SANGATHAN CLASS XII -
INFORMATICS PRACTICES (065)
SESSION ENDING EXAM
MARKING SHEME (SESSION
2019-20)
TIME ALLOWED : 3 HRS MM:70
General Instructions:
2. All the questions are
compulsory. SECTION A
Q.1 a Size of matrix is 2 x 4 1
b Used to split an array both in horizontal as well as vertical by providing 1
axis=0,1
c (i) [[2030 40] (ii) [[ 80 70] 2
[60 70 80]] [120 110]]
d [1,2,3,3,2,1] 2
e Ndriya 2
f A=range(10,50,1 2
2)
B=range(90,160,2
0)
Matplotlib.pyplot.plot(a,b)
Error :The two sequences being plotted are not of same shape in the given
code
Q.2. a Use the function hist() with histtype=step 2
b Pivot() performs when there are multiple entries for a column values for same 2
values for index(row),it leads to error where as pivot_table() pivot the data by
aggregating
it,thus it can work with duplicate entries
c Quartiles Q1,Q2 and Q3 are three points that divides a distribution into 4 2
parts
In pandas it is generated with quartile() function
d (i) pv1=pd.pivot_table(dfN,index=[‘Stat
e’],
values=[‘Sales’],aggfunc=np.sum)

(ii) pv1=pd.pivot_table(dfN,index=[‘Name of Employee’],


values=[‘Sales’], aggfunc=np.sum)

(iii) npv1=pd.pivot_table(dfN,index=[‘Name of
Employee’,’State’],values=[‘Sales’],aggfunc=np.sum)

(iv) pv1=pd.pivot_table(dfN,index=[‘State’],values=[‘Sal
es’], aggfunc=[np.mean,np.min,np.max])

Q.3. a 1 mark for each correct difference 2


b C=cov(unit_price,no_items) 3
P=correff(unit_price,no_item
s)
3 marks for correct program
c Boxplot – definition (1 mark ) and example (1 mark) 3
import numpy as np
import matplotlib.pyplot as p1
ar=np.array([78,72,6981,63,675,6, 75,
79,74,71,83,71,79,80,69])
p1.boxplot(ar,showbox=False)
d (a) Data.loc[‘apple’:] 3
(b) Data.loc[:,[‘color’:’price’]]
(c) Data.loc[[‘apple’,’pear’]

Q.4 a Software engineering is an engineering branch associated with software 1


system development. It can be defined as the application of
systematic, disciplined,
quantified approach to the development, operations, and maintenance of
software
B 1 mark for each correct difference 2
c 1 Marks for definition of feasibility study and 1 marks for explanation 2
d In Water Fall model all phases are completed one by one in linear fashion 3
and we get software after completing all the stages where as in Evolutionary
Model we are adding new as suggested by user feedback to already build in
and it is waterfall with iterations.
Water Fall model works well for smaller projects and projects where
requirements are well understood whereas the Evolutionary model is suitable
for large projects which can be decomposed into a set of modules for
incremental development and
delivery.
e 01 Marks for definition of version control system 3
02 marks for utility
f 1 mark for each correct use case element with role of actor 4
Q.5. a Write the output of following MYSQL 2
queries: (i) 6.57
(ii) 5.34
(iii) Day no of curdate (), Ex. If curdate is 05/12/2017 then output is 5
(iv) BOARD
b 01 Marks for correct definition 1
c Get request – This request is made to request data from server. Here request 2
send through URL to web server and webserver returns the asked pages in
HTML
Post Request:-Here HTTP request is made to submit data to be processed to
the
webserver. Here filled data send to server where is will be processed. Post
method carries the data from client to web server
d Package is mysql.connector 2
e Where is used with single row function where as having is used with group 1
row
function.

Q.6 a 01 Marks for correct difference and 01 marks for correct example
b (i) SELECT W_ID, Firstname, Address, City
FROM workers
WHERE City = ‘New York’;
(ii) SELECT *
FROM
Workers
ORDER BY LASTNAME;
(iii) SELECT Firstname,Lastname, Salary + Benefits “Total
Salary” FROM Workers,Desig
WHERE Workers.W_ID =
Desig.W_ID AND Designation =
‘Clerk’;
(iv) SELECT Designation,
Min(salary) FROM Desig
GROUP BY Designation
HAVING Designation IN (‘Manager’,’Clerk’);
(v) Sam 75000
Manilla 70000
George 75000
(vi) 4
(vii) Director 85000
Salesman 60000
(viii) output will be 15000.
Q.7 a 01 Marks for correct definition 1
b 01 Marks for correct definition and 01 marks to explain how to avoid 2
plagiarism
c 01 Marks for gender issue 2
01 marks for correct disability issue
d 01 marks for definition of computer forensics 2
01 marks for explanation of important practices.
e 01 marks for each correct definition 3
KENDRIYA VIDYALAYA SANGATHAN
SAMPLE QUESTION PAPER
(2019-20) CLASS XII

INFORMATICS PRACTICES NEW (065)

Max Marks: 70
Time: 3 hrs

General Instructions:
All questions are compulsory

Question Paper is divided into 4 sections A, B, C

and D. Section A comprises of questions(1 and 2)

(i) Question 1 comprises Data Handling-2(DH-2) (Series, Numpy).

(ii) Question 2 comprises of question from Data Handling-2(DH-2)(Data


Frames and its operations)

Section B comprises of questions from Basic Software

Engineering (BSE) Section C comprises of questions from Data

Management-2 (DM-2) Section D comprises of questions from

Society, Law and Ethics-2(SLE-2)

SECTION A

Q1 (a) Find the output of following program. 1


import numpy as np
x=np.array([20,40,60,80,100,120,140,160,180,200])
print(x[:-4])
(b) Fill in the blank with appropriate numpy method to calculate and print the 1
covariance of
an array.
import numpy as np
a=np.array([1,2,3,4,
5])
b=np.array([3,4,0,-1,-3])
print(np. )
(c) Mr. Shiv wants to plot a scatter chart for the given set of values of subject on x-axis 1
and
number of students who opted for that subject on y-
axis. Complete the code to perform the following :
(i) To plot the scatter chart in statement 1
(ii) To display the scatter chart in
statement 2 import matplotlib.pyplot as plt
x=['Hindi', 'English', ’Math’, 'Science',
'SST'] y=[10,20,30,40,50]
(d) Write the output of the following code : 2
import numpy as np
x=np.array([1,2,3,4,
5])
y=np.array([[6, 7, 8, 9, 10],
[11,12,13,14,15]])
A = np.vstack([x,y])
(e) Write a code to plot the bar chart as shown in the figure given below: 2

(f) What is Data Frame? Explain with the help of an example. 2

(g) Write code to create a numpy array as follows: 3


array([[1,2,3],
[4,5,6]])
and replace all even elements of the array by a random number between 20 and
50.
Q2 (a) Which method in Pandas calculates the mean absolute deviation of the values for 1
requested axis of a dataframe:
(i) rename()
(ii) reindex()
(iii) reframe()
(iv) mad()

(b) What is the use of pipe() function? 1

(c) Consider the following python code and write the output: 1
import pandas as pd
import numpy as np
data =
np.array(['a','b','c','d']) s =
pd.Series(data)
print(s)
(d) Write python code to transpose a dataframe D. 1

(e) Make difference between pivot() and pivot_table() function. 2

(f) Write python code to create a dataframe using following dictionary and sort the 2
dataframe in the descending order of age:
d=
{'Name':pd.Series(['Sachin','Dhoni','Virat','Rohit','Shikhar'])
, 'Age':pd.Series([26,25,25,24,31]),
'Score':pd.Series([87,67,89,55,47])}
(g) Consider the following dataframe 3

Age Name Score


0 26 Sachin 87
1 25 Dhoni 67
2 25 Virat 89
3 24 Rohit 55
4 31 Shikhar 47

Write Commands for the following:


1. to compute sum of score.
2. to compute mean of Age.
3. to find maximum score.

(h) Write the output of following 3


code: import pandas as pd
import numpy as np
data = np.array([54,76,88,99,34])
s1 =
pd.Series(data,index=['a','b','c','d','e'])
s2=s1.rename(index={'a':0,'b':1})
print(s2)
(i) What is Box Plot? Explain and Write code to create a box plot for a list of numbers. 4

SECTION B
Q3 (a) Which software model enforces sequential software development? 1
(i) Waterfall
(ii) Spiral
(iii) Concurrent
(iv) None of the above

(b) Which one is initial phase of software development 1


(i) Specification
(ii) Design/Implementation
(iii) Validation/Testing
(iv) Evolution
(c) Write down any one situation when spiral model is suitable. 1
(d) Write down two advantages of evolutionary model. 2
(e) What is pair programming? Explain its benefits. 3
(f) What is Version Control System? Explain its any two features. 3
(g) Identify various actors in a Taxi Booking app and draw use case diagram for the 4
same.

SECTION
C
Q4 (a) What is Django? 1
(b) Name two commands of TCL(Transaction Control Language) 1
(c) What is CSV File? 1
(d) What is the function of ALTER command? 1
(e) What is an SQL result set? 1
(f) Make difference between DELETE and DROP command. Explain with suitable 3
examples of
each.
(g) In a database there are two tables ‘LOAN’ and ‘BORROWER’ as shown below: 3

LOAN
Loan_Number Branch_name Amount
L-170 Downtown 3000
L-230 RedWood 4000

BORROWER
Customer_Name Loan_number
Jones L-170
Smith L-230
Hayes L-155

(i) Write Degree and Cardinality of LOAN table.

(ii) Identify the Primary Key column in the LOAN table.

(iii) How many rows and columns will be there in the natural join of these
two tables?

(h) Write the SQL command for the following on the basis of given table. 4

TABLE NAME : GAME

Studen Clas Name Game1 Grade1 Game2 Grade2


tNo s
10 7 Sammer Cricket B Swimming A
11 8 Sujit Tennis A Skating C
12 7 Kamal Swimming B Football B
13 7 Venna Tennis C Tennis A
14 9 Archana Basketball A Cricket A
15 10 Arpit Cricket A Athletics C

(1) Display the names of the students who have grade ‘A’ in either Game1 or
Game2 or both.
(2) Display the number of students having game ‘Cricket’.
(3) Display the names of students who have same game for both Game1 and
Game2.
(4) Display the games taken by the students whose name starts with ‘A’.

SECTION
D
Q5 (a) What do you understand by ‘Intellectual Property Rights’? 1
(b) What is Spam? 1
(c) What is spoofing? 1
(d) What do you understand by e-waste management? Explain 2
(e) Explain Digital Rights Management. How can we protect our content? 2
(f) Write name of open source software: 3
1. An operating system

2. A Data Base Management System

3. A programming language
KENDRIYA VIDYALAYA SANGATHAN
MARKING SCHEME
CLASS XII

INFORMATICS PRACTICES NEW (065)

Q1 (a) [ 20 40 60 80 100] 1
(1 mark for correct answer)
(b) print(np.cov(a,b)) 1
(1 mark for correct answer)
(c) plt.scatter(x,y 1
) plt.show()
(1/2 mark for each correct answer)
(d) [[ 1 2 3 4 5] 2
[ 6 7 8 9 10]
[11 12 13 14 15]]
(2mark for correct answer)
(e) import matplotlib.pyplot as plt 2
st =
['Tilak','Mahesh','Dinesh','Gopal']
marks = [50,60,30,45]
plt.barh(st.marks)
(2 mark for correct answer)
(f) DataFrame is a 2-dimensional labeled data structure with columns of potentially 2
different types. It is like a
spreadsheet or SQL table, or a dict of Series objects. It is generally the most
commonly used pandas object. Like
Series, DataFrame accepts many different kinds of input.
Example
import pandas as pd
d = {'one': [1., 2., 3., 4.],
'two': [4., 3., 2., 1.]}
pd.DataFrame(d)
(1 mark for definition and 1 mark for correct example)

(g) import numpy as np 3


array1=np.array([[1,2,3],
[4,5,6]])
print(array1)
x=np.where(array1%2==0)
for i in x:
array1[x]=np.random.randint(low=20,high=50)

(1 mark for creating array and 2 marks for code to replace)

Q2 (a) (iv) mad() 1


(1 mark for correct answer)
(b) The pipe() function is used to change the functions in the order they are 1
executed. (1 mark for correct answer)

(c) 0 a 1
1 b
2 c
3 d
dtype: object
(1 mark for correct answer)

(d) D.T 1
(e) Pivot_table is a generalization of pivot, which allows you to aggregate multiple 2
values with the same destination in the pivoted table.
(2 mark for correct answer)
(f) df= pd.DataFrame(d) 2
df=df.sort_values(by=['Age'],ascending=[Fa
lse])
(1 mark for creating and 2 marks for rest of the code)
(g) 1. df[['Score']].sum() 3
2. df[['Age']].mean()
3. df[['Score']].max()

(1 mark for each correct command)


(h) 0 54 3
1 76
c 88
d 99
e 34
dtype:
int32
(3 marks for correct output)
(i) A Box Plot is the visual representation of the statistical five number summary of a 4
given data set.
A Five Number Summary includes:
• Minimum
• First Quartile
• Median (Second Quartile)
• Third Quartile
• Maximu
m
Example
value1 = [72,76,24,40,57,62,75,78,31,32]
import matplotlib.pyplot as plt
A1 = [72,76,24,40,57,62,75,78,31,32]
box=plt.boxplot(A
1) plt.show()

(2 marks for explanation and 2 marks for code)


Q3 (a) (i) Waterfall 1
(1 mark for correct answer)
(b) (i) Specification 1
(1 mark for correct answer)
(c) When risk assessment is very critical 1
(1 mark for correct answer)
(d) Error Reduction: because versions are tested at each incremental 2
cycle User satisfaction: Users are given full chance of
experimenting partially (1 mark for each correct advantage)
(e) Pair Programming: 3
Pair Programming is aagile method, where two programmers share a
single workstation/computer. One programmer is called driver and
other is called navigator.
Benefits of Pair Programming:
• Increased software Quality
• User Satisfaction
• Easy Integration of components
• Mentoring & Learning by programmers
• Flexibility in development

(1 mark for correct explanation and 2 marks for benefits)

(f) Version Control System(VCS) can be considered as a kind of database. It helps 3


us to save a sapshot of the complete project at any point of time.

(1 mark for correct explanation and 1 marks for each feature)

(g) 1 mark for identification of actors , 2 marks for correct diagram and 1 mark for 4
correct
labels
Q4 (a) Django is an open source web application development framework. 1
(b) Commit, Rollback 1
(1 mark for correct answer)
(c) CSV (Comma Separated Values) is a simple file format used to store tabular data, 1
such as a spreadsheet or database.
(1 mark for correct answer)
(d) Alter command is used to change/modify the structure of database object like a table, index, 1
etc.
(1 mark for correct answer)
(e) An SQL result set is a set of rows from a database, as well as metadata about the 1
query such as the column names, and the types and sizes of each column.
(1 mark for correct answer)
(f) 1 mark for explanation and 2 marks for examples) 3
(g) (i) Degree: 3 3
Cardinality:
2

(ii) Loan_Number

(iii) Rows: 6
Columns:
5
(1 mark for each correct answer)

(h) 1. Select Name form GAME where Grade1 = ‘A’ or Grade2 = ‘A’; 4
2. Select Count(*) from GAME where Game1 = ‘Cricket or Game2 =’Cricket’;
3. Select Name from GAME where Game1 = Game 2;
4. Select Name, Game1, Game 2 from GAME where Name Like “A%”;

(1 mark for each correct answer)


Q5 (a) Intellectual property rights are the rights given to people for the original creations of 1
their minds. They usually give the creator an exclusive rights over the use of
his/her creation for a certain period of time.
(1 mark for correct answer)
(b) Spam are unwanted e-mail which are business related and sent to the e-mail 1
account in bulk.
(1 mark for correct answer)
(c) Spoofing enables the junk e-mail to hide his or her identity from the recipient 1
spoofing the sender places a false return address on the junk message.
(1 mark for correct answer)
(d) (1 mark for definition and 1 mark for explanation) 2
(e) (1 mark for defining and 1 mark for explanation of content protection) 2
(f) 1. UBUBTU 3
2. Mysql
3. JAVA

(1 mark for each correct answer)


CLASS XII

INFORMATICS PRACTICES

NEW (065)

CBSE SAMPLE QUESTION PAPER (2019-20)

Max Marks: 70 Time: 3 hrs


General Instructions:
• All questions are compulsory
• Question Paper is divided into 4 sections A,B,C andD.
• Section A comprises of questions(1 and 2)
(i) Question 1 comprises Data Handling-2(DH-2)(Series,Numpy)
(ii) Question 2 comprises of question from Data Handling -2(DH-2)(Data Frames
and its operations)
• Section B comprises of questionsfrom Basic Software Engineering.
• Section C comprises of questions from Data Management-2(DM-2)
• Section C comprises of questions from Society, Law and Ethics-2(SLE-2)

Section A
Answer the following questions :
1 a) Find the output of following program. import numpy as 1
np d=np.array([10,20,30,40,50,60,70])
print(d[-4:])

b) Fill in the blank with appropriate numpy method to calculate and print the variance of an array. 1
import numpy as np
data=np.array([1,2,3,4,5,6]) print(np.
(data,ddof=0)

c) Mr. Sanjay wants to plot a bar graph for the given set of values of subject on x -axis and number 1
of students who opted for that subject on y-axis.
Complete the code to perform the following :
(i) To plot the bar graph in statement 1
(ii) To display the graph in statement 2

import matplotlib.pyplot as plt x=['Hindi', 'English',


'Science', 'SST'] y=[10,20,30,40]
Statement 1
Statement 2
OR

Mr. Harry wants to draw a line chart using a list of elements named LIST. Complete the code to
perform the following operations:
(i) To plot a line chart using the given LIST,
(ii) To give a y-axis label to the line chart named “Sample Numbers”.

import matplotlib.pyplot as PLINE


LIST=[10,20,30,40,50,60]
Statement 1
Statement 2 PLINE.show()

d) Write the output of the following code : 2


import numpy as np array1=np.array([10,12,14,16,18,20,22])
array2=np.array([10,12,15,16,12,20,12])
a=(np.where(array1==array2)) print(array1[a])

e) Write a code to plot the speed of a passenger train as shown in the figure given below: 2

f) What is series? Explain with the help of an example. 2

g) Write a NumPy program to create a 3x3 identity matrix, i.e. diagonal elements are 1, the rest are 0. 3
Replace all 0 to random number from 10 to 20
OR
Write a NumPy program to create a 3x3 identity matrix, i.e. non diagonal elements are 1, the rest are 0.
Replace all 0 to random number from 1 to 10
Answer the following questions
2 a) _ method in Pandas can be used to change the index of rows and columns of a Series 1
or Dataframe :
(i) rename()
(ii) reindex()
(iii) reframe()
(iv) none of the above

b) Hitesh wants to display the last four rows of the dataframedf and has written the following code 1
:
df.tail()
But last 5 rows are being displayed. Identify the error and rewrite the correct code so that last 4
rows get displayed.
OR
Write the command using Insert() function to add a new column in the last place(3 rd place) named
“Salary” from the list Sal=[10000,15000,20000] in an existing dataframe named EMP already having 2
columns.

c) Consider the following python code and write the output for statement S1 import pandas as pd 1
K=pd.series([2,4,6,8,10,12,14]) K.quantile([0.50,0.75]) S1

d) Write a small python code to drop a row fromdataframe labeled as 0. 1

e) What is Pivoting? Name any two functions of Pandas which support pivoting. 2

f) Write a python code to create a dataframe with appropriate headings from the list given below : 2
['S101', 'Amy', 70], ['S102', 'Bandhi', 69], ['S104', 'Cathy', 75], ['S105',
'Gundaho', 82]
OR
Write a small python codeto create a dataframewith headings(a and b) from the list given below :
[[1,2],[3,4],[5,6],[7,8]]

g) Consider the following dataframe, and answer the questions given below: 3
import pandas as pd
df = pd.DataFrame({“Quarter1":[2000, 4000, 5000, 4400, 10000],
"Quarter2":[5800, 2500, 5400, 3000, 2900],
"Quarter3":[20000, 16000, 7000, 3600, 8200],
"Quarter4":[1400, 3700, 1700, 2000, 6000]})

(i) Write the code to find mean value from above dataframedf over the index and column axis. (Skip
NaN value)
(ii) Use sum() function to find the sum of all the values over the index axis.
(iii) Find the median of the dataframedf.
OR

Given a data frame df1 as shown below:

City Maxtemp MinTemp RainFall

Delhi 40 32 24.1

Bengaluru 31 25 36.2

Chennai 35 27 40.8

Mumbai 29 21 35.2

Kolkata 39 23 41.8

(i) Write command to compute sum of every column of the data frame.
(ii) Write command to compute mean of column Rainfall.
(iii) Write command to compute average maxTemp, Rainfall for first 5 rows

h) Find the output of the following code: 3


import pandas as pd
data = [{'a': 10, 'b': 20},{'a': 6, 'b': 32, 'c': 22}]
#with two column indices, values same as dictionary keys
df1 = pd.DataFrame(data, index=['first', 'second'], columns=['a', 'b']) #With two column indices
with one index with other name
df2 = pd.DataFrame(data, index=['first', 'second'], columns=['a', 'b1']) print(df1)
print(df2)

i) Write the code in pandas to create the following dataframes : 4


df1 df2
mark1 mark2mark1 mark2
0 10 150 30 20
1 40 45 1 20 25
2 15 302 20 30
3 40 703 50 30

Write the commands to do the following operations on the dataframes


given above :
(i) To add dataframes df1 and df2.
(ii) To subtract df2 from df1
(iii) To rename column mark1 as marks1in both the dataframes df1 and
df2.
(iv) To change index label of df1 from 0 to zero and from 1 to one.
Section B

3 a) Which software model is best suitable for client server application? 1


(i) Waterfall
(ii) Spiral
(iii) Concurrent
(iv) None of the above

b) _ _ is the process of checking the developed software for its correctness and error free 1
working
(i) Specification
(ii) Design/Implementation
(iii) Validation/Testing
(iv) Evolution

c) Write down any one benefit of pair programming. 1


d) In the Scrum process, a ScrumMaster differs from a traditional project manager. Justify the statement. 2

OR

List any two differences betweenIncremental model and Spiral model in developing complex
software projects.

e) Write down any one situation where waterfall software process can be used. Also mention one 3
advantage and one disadvantage of waterfall software process.

OR

Write down any one situation where spiral delivery model can be used. Also mention one advantage
and one disadvantage of spiral delivery model.

f) Gunveen, Marshy and Aloha are three developers working on an exciting new app, and the launch 3
day is just a day away. Gunveen creates an unmanaged package and saves it Aloha’s folder. Marshy
also writes a new piece of code and saves it in Aloha’s folder. What could go wrong on the day of the
launch? Explain and also mention how version control can help teams in this scenario.

g) Draw a use case diagram and identify the actors for the situations (i) do (ii) as directed: 4
(i) A repair can be made by a master, a trainee or any other repair shop employee.
(ii) Consider an ATM system. Identify at least three different actors that interact with this system.
OR

(i) Look at the following use case diagrams and write the actors and the situation depicted by the use
case diagrams:

(ii) Look at the use case diagram shown below and explain the relationship depicted between A and B

Section C

4 a) Write the Django command to start a new app named ‘users’ in an existing 1
project?

b) What is the use of COMMIT in sql ? 1


OR

What is the function of ALTER command?

c) CSV stands for _ 1

d) NULL value means : 1


(i) 0 value
(ii) 1 value
(iii) None value
(iv) None of the above
e) is_connected() is the MYSQL function to : 1
(i) establish a connection to a mysql database from python.
(ii) verify whether the python application is connected to mysql database.
(iii) traverse through records in mysql database.
(iv) None of the above

f) Shewani has recently started working in MySQL. Help her in understanding the difference between 3
the following :
(i) Where and having clause
(ii) Count(column_name) and count(*)

g) On the basis of following table answer the given questions: 3

Table: CUSTOMER_DETAILS
+ -+ + -+ + + +
| Cust_ID | Cust_Name | Acct_Type | Accumlt_Amt | DOJ | Gender |
+ -+ + -+ + + +
| CNR_001 | Manoj | Saving | 101250 | 1992-02-19 | M |
| CNR_002 | Rahul | Current | 132250 | 1998-01-11 | M |
| CNR_004 | Steve | Saving | 18200 | 1998-02-21 | M |
| CNR_005 | Manpreet | Current | NULL | 1994-02-19 | M |
+ -+ + -+ + + +

(i) Write the degree and cardinality of the above table.


(ii) What will be the output of the following query :
Select max(DOJ) From Customer_Details;
(iii) Write the sql query to delete the row from the table where customer
has no accumulated amount.

h) Write commands in SQL for (i) to (iv) and output for (v) and (vi). 4
Table : Store
+---------+----------------+----------------+--------+---------+------------+---------+
| StoreId | Name | Location | City | NoOfEmp | DateOpen |SalesAmt |
+---------+----------------+----------------+--------+---------+------------+----------+
| S101 | Planet Fashion | Bandra | Mumbai | 7 | 2015-10-16 | 40000 |
| S102 | Vogue | Karol Bagh | Delhi | 8 | 2015-07-14| 120000 |
| S103 | Trends | Powai | Mumbai | 10 | 2015-06-24 | 30000 |
| S104 | SuperFashion | Thane | Mumbai | 11 | 2015-02-06 | 45000 |
| S105 | Annabelle | South Extn. | Delhi | 8 | 2015-04-09 | 60000|
| S106 | Rage | Defence Colony | Delhi | 5 | 2015-03-01 | 20000 |
+---------+----------------+----------------+--------+---------+------------+----------+
(i) To display names of stores along with SalesAmount of those stores that have ‘fashion’ anywhere in
their store names.
(ii) To display Stores names, Location and DateOfOpen of stores that were opened before 1st March,
2015.
(iii) To display name and location of those store which have either ‘u’ as second character in their name.
(iv) To display the City and the number of stores located in that City, only if number of stores is more
than 2.
(v) Select Min(DateOpen) from Store;
(vi) Select Count(Storeid), Noofemp From Store Group By Noofemp Having Max(Salesamt)<60000;
OR

(i) In a school, a database named “school” is created in mysql whose password is “cbse”. Smith is
trying to add a new record of a student havingdetails(3,’Michelle’,’Agartala’) in a“student”table.
(ii) Write the code in python to read the contents of “number.csv” file
consisting of data from a mysql table and print the data of the table on the screen in tabular form of
the table.

Section D
5 a) Which of the following is not an intellectual property? 1
(i) A poem written by a poet
(ii) An original painting made by a painter
(iii) Trademark of a Company
(iv) A remixed song

b) Jhilmalini has stolen a credit card. She used that credit card to purchase a laptop. What type of offence 1
has she committed?

c) Name the primary law in India dealing with cybercrime and electronic commerce. 1

d) Sutapa received an email from her bank stating that there is a problem with her account. The email 2
provides instructions and a link, by clicking on which she can logon to her account and fix the
problem. Help Sutapa by telling her the precautions she should take when she receives these type of
emails.

e) Explain any two ways in which technology can help students with disabilities. 2

f) Explain the role of online social media campaigns, crowdsourcing and smart mobs in society. 3
OR

Ms Samtha has many electronics gadgets which are not usable due to outdated hardware and
software. Help her to find any three best ways to dispose the used electronic gadgets.

Page
109
CLASS XII
INFORMATICS PRACTICES -
New (065)
Marking Scheme - SQP (2019-20)

Max. Marks: 70 Time: 3 hrs

Section A

Q1 a) An [40 50 60 70] (1 mark for correct


s output)

b) Ans print(np.var(data,ddof=0)) (1 mark for


appropriate function
var)
c)Ans (i) plt.bar(x,y) (½ mark for each
(ii) plt.show() correct code)

OR
(i) PLINE.plot(LIST)
(ii) PLINE.ylabel(“Sample Numbers”)
d) Ans [10 12 16 20] (1 mark for correct
output)

e) An import matplotlib.pyplot as plt 2 marks (½


import numpy as np mark for each
s
x = np.arange(1, 5) import statement)
plt.plot(x, x*1.5, label='Normal') (½ mark for using
plt.plot(x, x*3.0, label='Fast') arange())
plt.plot(x, x/3.0, label='Slow') (½ mark for using
plt.legend() plot(), legend() and
show())
plt.show()

f) Ans Pandas Series is a one-dimensional labeled array capable of holding 2 marks


data of any type (integer, string, float, python objects, etc.). The axis
labels are collectively called index.Example importpandas as pd (1 mark for definition
and 1 mark for
# simple array example)
data =pd.series([1,2,3,4,5]) print
data

g) Ans import numpy as np 3 marks


array1=np.identity(3)
print(array1) 1 mark for creation of
x=np.where(array1==0) for i identity matrix
in x: 1 mark for
array1[x]=np.random.randint(low=10,high=20) identification of
print(array1) position of 0
1 mark for changing
value of 0 to random
number

Page
110
OR 1 mark for creation of
import numpy as np matrix
Z = np.arange(9).reshape(3,3) 1 mark for
print (Z) x=np.where((Z%2)==0) identification of even
for i in x: number
Z[x]=np.random.randint(low=10,high=20) print(Z) 1 mark for changing
value of 0 to random
number

Q2 a) Ans (ii) reindex (1 mark for correct


answer)

b) Ans df.tail(4) (1 mark for correct


answer)
OR

EMP.insert(loc=3,column=”Salary”,value=Sal)
c) Ans 0.50 8.0 (1 mark for each
0.75 11.0 correct line of
output)
d) Ans # Drop rows with label 0 df ( 1 mark for giving
= df.drop(0) complete and
print(df ) correct code)

e) An Pivoting means to use unique values from specified (1 mark for correct
index/columns to form apex of the resulting dataframe. definition and ½ mark
s
Pivot() and pivot_table() methods for each correct
example)

f) Ans import pandas as pd

# initialize list of lists


data = [['S101', 'Amy', 70], ['S102', 'Bandhi', 69], ['S104', 'Cathy',
75], ['S105', 'Gundaho', 82]] 2 marks
# Create the pandas DataFrame
df = pd.DataFrame(data, columns = ['ID', 'Name', 'Marks']) (½ mark for correct
initialization, 1 mark
# printdataframe. print(df for correct
) dataframe and ½ mark
for printing dataframe)
OR

import pandas as pd
df = pd.DataFrame([[1, 2], [3, 4]], columns = ['a','b'])
df2 = pd.DataFrame([[5, 6], [7, 8]], columns = ['a','b'])
df = df.append(df2)
g)Ans (i) print(df.mean(axis = 1, skipna = True)) 3 marks
print(df.mean(axis = 0, skipna = True))
(ii) print(df.sum(axis = 1, skipna = True)) (1 mark for each
(iii) print(df.median()) correct code )

Page
111
OR
(i) df1.sum()
(ii) df1[‘Rainfall’].mean()
(iii) df1.loc[:11, ‘maxtemp’:’Rainfall’].mean( )

h)Ans a b first 3 marks (½


mark for each
10 20
correct output)
second 6 32 a
b1
first 10 NaN
second 6 NaN

i)Ans import numpy as np 4 marks


import pandas as pd (1 mark for creating
df1 = pd.DataFrame({'mark1':[30,40,15,40], each dataframe and
'mark2':[20,45,30,70]}); ½ mark for each
df2 = pd.DataFrame({'mark1':[10,20,20,50], correct command)
'mark2':[15,25,30,30]});
print(df1)
print(df2)
(i) print(df1.add(df2))
(ii) print(df1.subtract(df2))
(iii) df1.rename(columns={'mark1':'marks1'}, inplace=True)
print(df1)
(iv) df1.rename(index = {0: "zero", 1:"one"}, inplace = True)
print(df1)

Section B
Q3 a)Ans Concurrent Process model (1 mark for correct
answer)

b)Ans Validation/Testing (1 mark for correct


answer)

c)Ans Improved code quality: As second partner reviews the code (1 mark for correct
simultaneously, it reduces the chances of mistake. answer)

d)Ans → The ScrumMaster is the servant leader to the Product Owner, 2 marks
Development Team and Organization with no hierarchical authority (1 mark for correct
over the team but rather more of a facilitator, the ScrumMaster answer and 1 mark for
ensures that the team adheres to Scrum theory, practices, and rules. correct
→The ScrumMaster protects the team by doing anything possible to justification)
help the team perform at the highest level.

OR

→Incremental model works on the stage-wise development of a


complex project that involves real time data whereas Spiral model
works on risk analysis of a real timesituation.

→Spiral model is a combination of both Incremental as well as


Waterfall method.

Page
112
e)Ans Situations to use/apply waterfall model 3 marks
i) When project is small
(1 mark for any correct
ii) When problem is static.
area of use 1 mark for
iii) Clear and fixed requirements. Stable problem definition.
correct advantage and
Technology is static.
1 mark for correct
disadvantage)
Advantage :
Simple and easy to understand
Disadvantage :
No working software till the last phase

OR

Situations to use/apply spiral model


When project is large,When releases are required to be frequent,When
risk and costs evaluation is important
For medium to high-risk projects

Advantage- Additional functionality or changes can be done at a later


stage
Cost estimation becomes easy as the prototype building is done in
small fragments
Disadvantage-Risk of not meeting

f)Ans →The team members are not working in a systematic way and they are 3 marks
not saving the versions of their work. Changes made in one part of the
software can be incompatible with those made by another developer (1 mark for identifying
working at the same time. the problem, 1 mark for
→Version control exists to solve these problems, and it’s within easy explaining version
reach for every developer. Version control helps teams solve these control and 1 mark for
kinds of problems, tracking every individual change by each its advantages)
contributor and helping prevent concurrent work from conflicting.
→Further, in all software development, any change can introduce new
bugs on its own and new software can't be trusted until it's tested. So
testing and development proceed together until a new version is ready.

g)Ans 4 marks

(2 marks for drawing


use case and 1 mark for
eachactor)

Actors : Master, Trainee


An actor is any entity (user or system) that interacts with the

Page
113
system of interest. For an ATM, this includes:
• Bank Customer
• ATM Maintainer
• Central Bank Computer

OR
A teacher is conducting an interview with a student. In the course of (1½ mark for each
that, the teacher always has to grade the student. correct explanation
Father and son cook dinner. In the course of that, one of them always and 1 mark
has to load the dishwasher. explaining the
1. B can execute the same use cases as A. relationship)
2. B inherits all of A's associations.

Section C

Q4 a)Ans python manage.py startapp users (1 mark for correct


answer)

b)Ans Commit is used to save all the DML transactions, and once saved they (1 mark for correct
cannot be rolled back. answer)

OR

Alter command is used to change/modify the structure of database


object like a table, index, etc.
c)Ans Comma separated values (1 mark for correct
answer)

d)Ans None value (1 mark for correct


answer)

e)Ans verify whether the python application is connected to mysql database. (1 mark for correct
answer)

f)Ans (i) Where clause is used to show data set for a table based on a condition 3 marks
and having clause is used to put condition on the result set that comes
after using Groupby clause. ( 1 mark for each
correct difference)
(ii) COUNT(*) returns the number of items in a group, including
NULL values and duplicates. COUNT(expression) evaluates
expression for each row in a group and returns the number of non null
values.
Candidate Key – A Candidate Key can be any column or a
combination of columns that can qualify as unique key in database.
There can be multiple Candidate Keys in one table. Each Candidate
Key can qualify as Primary Key.
Primary Key – A Primary Key is a column or a combination of
columns that uniquely identify a record. Only one Candidate Key can
be Primary Key.
A table can have multiple Candidate Keys that are unique as single
column or combined multiple columns to the table. They are all
candidates for Primary Key.

g)Ans 3 marks

Page
114
(i) The degree is 6 and cardinality is 5. (½ mark for correct
degree and ½ mark
(ii)
for cardinality)
+ +
| max(DOJ) | (1 mark for correct
+------------+ output)
| 1998-02-21 |
+ +
(1 mark for correct
query)
(iii)Delete from Customer_Details where Accumlt_Amt is NULL;

h)Ans mysql> Select Name,SalesAmt from Store order by noOfEmp; 4 marks


mysql> Select city, sum(SalesAmt) from store group by City;
mysql> Select count(*),City from store group by City having (1 mark for each correct
query and
count(*)>2;
½ mark for each
mysql> Select Min(DateOpen) from Store;
correct output)
+ +
| Min(DateOpen) |
+ +
| 2015-02-06 |
+ +
mysql> Select Count(StoreId), NoOfEmp from Store group by
NoOfemp having max(SalesAmt)<60000;
+ -+ +
| Count(StoreId) | NoOfEmp |
+ -+ +
| 1 | 10 |
| 1 | 11 |
| 1|5|
| 1|7|
+----------------+---------+ (i)
1 mark for correct
OR connection
establishment
i)import mysql.connector ½ mark for activation of
mydb = mysql.connector.connect( cursor and ½ mark for
host="localhost", correct executable insert
user="root", command
passwd="cbse", Or 2 full marks for any
database="school" other correct program
)
mycursor = mydb.cursor()
mycursor.execute("INSERT INTO student values(3,'Michelle',
'Agartala');") (ii)
(1 mark for correct
mydb.commit()
opening of csv file in
read mode, ½ mark for
ii) f = open('numbers.csv', 'r') csv.reader()
with f: command and ½ mark
reader = csv.reader(f) for printing content of
for row in reader: csv file)
for e in row:
print(e)

Page
115
Section D
Q5 a)Ans A remixed song is not an intellectual property (1 mark for correct
answer)

b) Ans She has committed a fraud (1 mark for correct


answer)
c) Ans The primary law is Information Technology Act 2000. (1 mark for correct
answer)
d) Ans She should check whether it is a valid bank site or not by checking in 2 marks
the url https. It is always better to type the url and then login to the (1 mark for correct
site. She should not click on the link provided answer)
in the email.
e)Ans Different types of ICT tools assist people with learning 2 marks
disabilities to achieve positive outcomes. They are : Talking
Word processors (1 mark for each correct
Screen Readers point or any other
Conversion of local language to Braille correct point)
Eye Tracking mouse

f)Ans Role of Social Media Campaigns:- 3 marks


→A social media campaign should focus around a singular business
(1 mark for one correct
goal, whether it's on Facebook or Instagram. Common goals for a
role of social media
social media campaigns include:
campaign, 1 mark for
• Getting feedback from users.
one correct role of
• Building email marketing lists
Crowdsourcing and 1
• Increasing website traffic
mark for one correct
role of Smart mob)
→Crowdsourcing is the practice of engaging a ‘crowd’ or group for a
common goal — often innovation, problem solving, or efficiency. It
is powered by new technologies, social media and web 2.0.
Crowdsourcing can take place on many different levels and across
various industries.

→Smart mobs, so named because each person in the


group uses technology to receive information on where to go and
what to do. This ability to stay on top of current events makes smart
mobs extremely effective

OR
(1 mark for each
1. Give Your Electronic Waste to a Certified E-Waste Recycler correct ways of
2. Donating Your Outdated Technology disposing e waste)
3. Give Back to Your Electronic Companies and Drop Off
Points.

Page
116

You might also like