KEMBAR78
Datatypes in Python | PDF | Data Type | Boolean Data Type
0% found this document useful (0 votes)
41 views43 pages

Datatypes in Python

This document provides an overview of different data types in Python including numbers, strings, tuples, lists, sets, and dictionaries. It describes how to define and manipulate variables of each type through examples. Key points covered include: - Python has several built-in numeric types like integers, floats, and complex numbers. - Strings are immutable sequences of characters that can be accessed and sliced. - Tuples are immutable ordered sequences that can contain mixed data types. - Lists are mutable ordered sequences that can hold any data type. - Sets store unique elements and support mathematical operations. - Dictionaries store key-value pairs with unique immutable keys.

Uploaded by

prakashreddy964
Copyright
© © All Rights Reserved
We take content rights seriously. If you suspect this is your content, claim it here.
Available Formats
Download as DOCX, PDF, TXT or read online on Scribd
0% found this document useful (0 votes)
41 views43 pages

Datatypes in Python

This document provides an overview of different data types in Python including numbers, strings, tuples, lists, sets, and dictionaries. It describes how to define and manipulate variables of each type through examples. Key points covered include: - Python has several built-in numeric types like integers, floats, and complex numbers. - Strings are immutable sequences of characters that can be accessed and sliced. - Tuples are immutable ordered sequences that can contain mixed data types. - Lists are mutable ordered sequences that can hold any data type. - Sets store unique elements and support mathematical operations. - Dictionaries store key-value pairs with unique immutable keys.

Uploaded by

prakashreddy964
Copyright
© © All Rights Reserved
We take content rights seriously. If you suspect this is your content, claim it here.
Available Formats
Download as DOCX, PDF, TXT or read online on Scribd
You are on page 1/ 43

Introduction

Type represents the kind of value and determines how the


value can be used. All data values in Python are encapsulated
in relevant object classes. Everything in Python is an object
and every object has an identity, a type, and a value. Like
another object-oriented language such as Java or C++, there
are several data types which are built into Python. Extension
modules which are written in C, Java, or other languages can
define additional types.

To determine a variable's type in Python you can use the type()


function. The value of some objects can be changed. Objects
whose value can be changed are called mutable and objects
whose value is unchangeable (once they are created) are
called immutable. Here are the details of Python data types

Numbers
Numbers are created by numeric literals. Numeric objects are
immutable, which means when an object is created its value
cannot be changed.

Python has three distinct numeric types: integers, floating


point numbers, and complex numbers. Integers represent
negative and positive integers without fractional parts
whereas floating point numbers represents negative and
positive numbers with fractional parts. In addition, Booleans
are a subtype of plain integers. See the following statements
in Python shell.
Floats and Integers

>>> x = 8

>>> y = 7

>>> x+y

>>> x-y

>>> x/y

>>> x*y

Copy
Output:
15
1
1.1428571428571428
56
Exponent

>>> 4**3

>>> 3**4

Copy
Output:
64
81
inter division

>>> 12/3

>>> 64//4

>>> 15//3

Copy
Output:
4.0
16
5
Remainder

>>> 15 % 4

Copy
Output:
3
Mathematically, a complex number (generally used in
engineering) is a number of the form A+Bi where i is the
imaginary number. Complex numbers have a real and
imaginary part. Python supports complex numbers either by
specifying the number in (real + imagJ) or (real + imagj) form or
using a built-in method complex(x, y). See the following
statements in Python Shell.
Self-assignment
>>> count = 0

>>> count +=2

>>> count

Copy
Output:
2
>>> count -=2

>>> count

Copy
Output:
0
>>> count +=2

>>> count *=4

>>> count

Copy
Output:
8
>>> count **=4

>>> count

Copy
Output:
4096
>>> count /=4

>>> count

Copy
Output:
1024.0
>>> count//=4

>>> count

Copy
Output:
256.0
>>> 15.0 //2

Copy
Output:
7.0
Order of operations

>>> (3+12) / 3

>>> 15 / (3 + 2)

Copy
Output:
5.0
3.0
Boolean (bool)
The simplest build-in type in Python is the bool type, it
represents the truth values False and True. See the following
statements in Python shell.

Strings
In Python, a string type object is a sequence (left-to- right
order) of characters. Strings start and end with single or
double quotes Python strings are immutable. Single and double
quoted strings are same and you can use a single quote within
a string when it is surrounded by double quote and vice versa.
Declaring a string is simple, see the following statements.
Special characters in strings
The backslash (\) character is used to introduce a special
character. See the following table.

Escape sequence Meaning

\n Newline

\t Horizontal Tab

\\ Backslash

\' Single Quote


\" Double Quote

See the following statements on special characters.

String indices and accessing string elements


Strings are arrays of characters and elements of an array can
be accessed using indexing. Indices start with 0 from left side
and -1 when starting from right side.

string1 ="PYTHON TUTORIAL"

Character P Y T H O N T U T O R I A L

Index (from 0 1 2 3 4 5 6 7 8 9 10 11 12 13 14
left)

Index (from -15 -14 -13 -12 -11 -10 -9 -8 -7 -6 -5 -4 -3 -2 -1


right)

See the following statements to access single character from


various positions.
Strings are immutable
Strings are immutable character sets. Once a string is
generated, you can not change any character within the string.
See the following statements.
'in' operator in Strings
The 'in' operator is used to check whether a character or a
substring is present in a string or not. The expression returns a
Boolean value. See the following statements.
String Slicing
To cut a substring from a string is called string slicing. Here
two indices are used separated by a colon (:). A slice 3:7
means indices characters of 3rd, 4th, 5th and 6th positions.
The second integer index i.e. 7 is not included. You can use
negative indices for slicing. See the following statements.

Conversion
>>> float("4.5")

>>> int("25")

>>> int(5.625)

>>> float(6)

>>> int(True)

>>> float(False)

>>> str(True)

>>> bool(0)

>>> bool('Hello world')

>>> bool(223.5)

Copy
Output:
4.5
25
5
6.0
1
0.0
'True'
False
True
True

Tuples
A tuple is a container which holds a series of comma-
separated values (items or elements) between parentheses.
Tuples are immutable (i.e. you cannot change its content once
created) and can hold mix data types.

Creating Tuples

To create an empty tuple or create a tuple with single element


use the following commands.
Elements of a tuple are indexed like other sequences. The
tuple indices start at 0. See the following statements.

Tuples are immutable which means it's items values are


unchangeable. See the following statements.
Slicing a tuple
Like other sequences like strings, tuples can be sliced. Slicing
a tuple creates a new tuple but it does not change the original
tuple.

Using + and * operators in Tuples


Use + operator to create a new tuple that is a concatenation of
tuples and use * operator to repeat a tuple. See the following
statements.

Lists
A list is a container which holds comma-separated values
(items or elements) between square brackets where Items or
elements need not all have the same type.

Creating Lists
A list without any element is called an empty list. See the
following statements.

List indices
List indices work the same way as string indices, list indices
start at 0. If an index has a positive value it counts from the
beginning and similarly it counts backward if the index has a
negative value. As positive integers are used to index from the
left end and negative integers are used to index from the right
end, so every item of a list gives two alternatives indices. Let
create a list called color_list with four items.
color_list=["RED", "Blue", "Green", "Black"]

Item RED Blue Green Black

Index (from left) 0 1 2 3

Index (from right) -4 -3 -2 -1

If you give any index value which is out of range then


interpreter creates an error message. See the following
statements.

List Slices
Lists can be sliced like strings and other sequences. The
syntax of list slices is easy :
sliced_list = List_Name[startIndex:endIndex]
This refers to the items of a list starting at index startIndex
and stopping just before index endIndex. The default values for
list are 0 (startIndex) and the end (endIndex) of the list. If you
omit both indices, the slice makes a copy of the original list.
See the following statements.

Lists are Mutable


Items in the list are mutable i.e. after creating a list you can
change any item in the list. See the following statements.
Using + and * operators in List
Use + operator to create a new list that is a concatenation of
two lists and use * operator to repeat a list. See the following
statements.
Sets
A set is an unordered collection of unique elements. Basic
uses include dealing with set theory (which support
mathematical operations like union, intersection, difference,
and symmetric difference) or eliminating duplicate entries. See
the following statements.

Dictionaries
Python dictionary is a container of the unordered set of objects
like lists.The objects are surrounded by curly braces { }. The
items in a dictionary are a comma-separated list of key:value
pairs where keys and values are Python data type. Each object
or value accessed by key and keys are unique in the
dictionary. As keys are used for indexing, they must be the
immutable type (string, number, or tuple). You can create an
empty dictionary using empty curly braces

1. Write a Python program to print the following string in a


specific format (see the output).
Sample String : "Twinkle, twinkle, little star, How I wonder
what you are! Up above the world so high, Like a diamond in
the sky. Twinkle, twinkle, little star, How I wonder what you
are"
Output :
Twinkle, twinkle, little star,
How I wonder what you are!
Up above the world so high,
Like a diamond in the sky.
Twinkle, twinkle, little star,
How I wonder what you are
Code :-

print("Twinkle, twinkle, little star, \n\tHow I wonder what you


are! \n\t\tUp above the world so high, \n\t\tLike a diamond in the
sky. \nTwinkle, twinkle, little star, \n\tHow I wonder what you
are!")

2. Write a Python program to find out what version of Python


you are using.
python –version

3. Write a Python program to display the current date and


time.
Sample Output :
Current date and time :
2014-07-05 14:34:14
# Import the 'datetime' module to work with date and time
import datetime

# Get the current date and time


now = datetime.datetime.now()

# Create a datetime object representing the current date and time

# Display a message indicating what is being printed


print("Current date and time : ")

# Print the current date and time in a specific format


print(now.strftime("%Y-%m-%d %H:%M:%S"))

4. Write a Python program that calculates the area of a circle


based on the radius entered by the user.
Sample Output :
r = 1.1
Area = 3.8013271108436504
# Import the 'pi' constant from the 'math' module to calculate the
area of a circle
from math import pi

# Prompt the user to input the radius of the circle


r = float(input("Input the radius of the circle : "))

# Calculate the area of the circle using the formula: area = π * r^2
area = pi * r ** 2

# Display the result, including the radius and calculated area


print("The area of the circle with radius " + str(r) + " is: " +
str(area))

5. Write a Python program that accepts the user's first and


last name and prints them in reverse order with a space
between them.
# Prompt the user to input their first name and store it in the
'fname' variable
fname = input("Input your First Name : ")

# Prompt the user to input their last name and store it in the
'lname' variable
lname = input("Input your Last Name : ")

# Display a greeting message with the last name followed by the


first name
print("Hello " + lname + " " + fname)

6. Write a Python program that accepts a sequence of comma-


separated numbers from the user and generates a list and a
tuple of those numbers.
Sample data : 3, 5, 7, 23
Output :
List : ['3', ' 5', ' 7', ' 23']
Tuple : ('3', ' 5', ' 7', ' 23')
# Prompt the user to input a sequence of comma-separated numbers and
store it in the 'values' variable
values = input("Input some comma-separated numbers: ")

# Split the 'values' string into a list using commas as separators


and store it in the 'list' variable
list = values.split(",")

# Convert the 'list' into a tuple and store it in the 'tuple'


variable
tuple = tuple(list)

# Print the list


print('List : ', list)

# Print the tuple


print('Tuple : ', tuple)

7. Write a Python program that accepts a filename from the


user and prints the extension of the file.
Sample filename : abc.java
Output : java
# Prompt the user to input a filename and store it in the 'filename'
variable
filename = input("Input the Filename: ")

# Split the 'filename' string into a list using the period (.) as a
separator and store it in the 'f_extns' variable
f_extns = filename.split(".")

# Print the extension of the file, which is the last element in the
'f_extns' list
print("The extension of the file is : " + repr(f_extns[-1]))

8. Write a Python program to display the first and last colors


from the following list.
color_list = ["Red","Green","White" ,"Black"]
# Create a list called 'color_list' containing color names
color_list = ["Red", "Green", "White", "Black"]
# Print the first and last elements of the 'color_list' using string
formatting
# The '%s' placeholders are filled with the values of
'color_list[0]' (Red) and 'color_list[-1]' (Black)
print("%s %s" % (color_list[0], color_list[-1]))

9. Write a Python program to display the examination


schedule. (extract the date from exam_st_date).
exam_st_date = (11, 12, 2014)
Sample Output : The examination will start from : 11 / 12 / 2014
# Define a tuple called 'exam_st_date' containing the exam start
date in the format (day, month, year)
exam_st_date = (11, 12, 2014)

# Print the exam start date using string formatting


# The '%i' placeholders are filled with the values from the
'exam_st_date' tuple
print("The examination will start from : %i / %i / %i" %
exam_st_date)

10. Write a Python program that accepts an integer (n) and


computes the value of n+nn+nnn.
Sample value of n is 5
Expected Result : 615
# Prompt the user to input an integer and store it in the variable
'a'
a = int(input("Input an integer: "))
# Create new integers 'n1', 'n2', and 'n3' by concatenating 'a' with
itself one, two, and three times, respectively
n1 = int("%s" % a) # Convert 'a' to an integer
n2 = int("%s%s" % (a, a)) # Concatenate 'a' with itself and
convert to an integer
n3 = int("%s%s%s" % (a, a, a)) # Concatenate 'a' with itself twice
and convert to an integer

# Calculate the sum of 'n1', 'n2', and 'n3' and print the result
print(n1 + n2 + n3)

11. Write a Python program to print the documents (syntax,


description etc.) of Python built-in function(s).
Sample function : abs()
Expected Result :
abs(number) -> number
Return the absolute value of the argument.
# Print the docstring (documentation) of the 'abs' function

print(abs.__doc__)

12. Write a Python program that prints the calendar for a given
month and year.
Note : Use 'calendar' module.
# Import the 'calendar' module

import calendar

# Prompt the user to input the year and month

y = int(input("Input the year : "))

m = int(input("Input the month : "))

# Print the calendar for the specified year and month

print(calendar.month(y, m))

13. Write a Python program to print the following 'here


document'.
Sample string :
a string that you "don't" have to escape
This
is a ....... multi-line
heredoc string --------> example
# Use triple double-quotes to create a multi-line string
print("""
a string that you "don't" have to escape
This
is a ....... multi-line
heredoc string --------> example
""")

14. Write a Python program to calculate the number of days


between two dates.
Sample dates : (2014, 7, 2), (2014, 7, 11)
Expected output : 9 days
# Import the 'date' class from the 'datetime' module
from datetime import date

# Define a start date as July 2, 2014


f_date = date(2014, 7, 2)

# Define an end date as July 11, 2014


l_date = date(2014, 7, 11)

# Calculate the difference between the end date and start date
delta = l_date - f_date

# Print the number of days in the time difference


print(delta.days)

15. Write a Python program to get the volume of a sphere with


radius six.
# Define the value of pi
pi = 3.1415926535897931

# Define the radius of the sphere


r = 6.0

# Calculate the volume of the sphere using the formula


V = 4.0/3.0 * pi * r**3

# Print the calculated volume of the sphere


print('The volume of the sphere is: ', V)
16. Write a Python program to calculate the difference
between a given number and 17. If the number is greater than
17, return twice the absolute difference.
# Define a function named "difference" that takes an integer
parameter "n"
def difference(n):
# Check if n is less than or equal to 17
if n <= 17:
# If n is less than or equal to 17, return the absolute
difference between 17 and n
return 17 - n
else:
# If n is greater than 17, return the absolute difference
between n and 17 multiplied by 2
return (n - 17) * 2

# Call the "difference" function with the argument 22 and print the
result
print(difference(22))

# Call the "difference" function with the argument 14 and print the
result
print(difference(14))

17. Write a Python program to test whether a number is within


100 of 1000 or 2000.
# Define a function named "near_thousand" that takes an integer
parameter "n"
def near_thousand(n):
# Check if the absolute difference between 1000 and n is less
than or equal to 100
# OR check if the absolute difference between 2000 and n is less
than or equal to 100
return ((abs(1000 - n) <= 100) or (abs(2000 - n) <= 100))

# Call the "near_thousand" function with the argument 1000 and print
the result
print(near_thousand(1000))

# Call the "near_thousand" function with the argument 900 and print
the result
print(near_thousand(900))

# Call the "near_thousand" function with the argument 800 and print
the result
print(near_thousand(800))
# Call the "near_thousand" function with the argument 2200 and print
the result
print(near_thousand(2200))

18. Write a Python program to calculate the sum of three


given numbers. If the values are equal, return three times their
sum.
# Define a function named "sum_thrice" that takes three integer
parameters: x, y, and z
def sum_thrice(x, y, z):
# Calculate the sum of x, y, and z
sum = x + y + z

# Check if x, y, and z are all equal (all three numbers are the
same)
if x == y == z:
# If they are equal, triple the sum
sum = sum * 3

# Return the final sum


return sum

# Call the "sum_thrice" function with the arguments (1, 2, 3) and


print the result
print(sum_thrice(1, 2, 3))

# Call the "sum_thrice" function with the arguments (3, 3, 3) and


print the result
print(sum_thrice(3, 3, 3))

19. Write a Python program to get a newly-generated string


from a given string where "Is" has been added to the front.
Return the string unchanged if the given string already begins
with "Is".
# Define a function named "new_string" that takes a string parameter
called "text"
def new_string(text):
# Check if the length of the "text" is greater than or equal to
2 and if the first two characters of "text" are "Is"
if len(text) >= 2 and text[:2] == "Is":
# If the conditions are met, return the original "text"
unchanged
return text
else:
# If the conditions are not met, prepend "Is" to the "text"
and return the modified string
return "Is" + text

# Call the "new_string" function with the argument "Array" and print
the result
print(new_string("Array"))

# Call the "new_string" function with the argument "IsEmpty" and


print the result
print(new_string("IsEmpty"))

20. Write a Python program that returns a string that is n (non-


negative integer) copies of a given string.
# Define a function named "larger_string" that takes two parameters,
"text" and "n"
def larger_string(text, n):
# Initialize an empty string variable named "result"
result = ""

# Use a for loop to repeat the "text" "n" times and concatenate
it to the "result"
for i in range(n):
result = result + text

# Return the final "result" string


return result

# Call the "larger_string" function with the arguments 'abc' and 2,


then print the result
print(larger_string('abc', 2))

# Call the "larger_string" function with the arguments '.py' and 3,


then print the result
print(larger_string('.py', 3))

21. Write a Python program that determines whether a given


number (accepted from the user) is even or odd, and prints an
appropriate message to the user.
Click me to see the sample solution

22. Write a Python program to count the number 4 in a given


list.
Click me to see the sample solution
23. Write a Python program to get n (non-negative integer)
copies of the first 2 characters of a given string. Return n
copies of the whole string if the length is less than 2.
Click me to see the sample solution

24. Write a Python program to test whether a passed letter is


a vowel or not.
Click me to see the sample solution

25. Write a Python program that checks whether a specified


value is contained within a group of values.
Test Data :
3 -> [1, 5, 8, 3] : True
-1 -> [1, 5, 8, 3] : False

Click me to see the sample solution

26. Write a Python program to create a histogram from a given


list of integers.
Click me to see the sample solution

27. Write a Python program that concatenates all elements in


a list into a string and returns it.
Click me to see the sample solution

28. Write a Python program to print all even numbers from a


given list of numbers in the same order and stop printing any
after 237 in the sequence.
Sample numbers list :
numbers = [
386, 462, 47, 418, 907, 344, 236, 375, 823, 566, 597, 978,
328, 615, 953, 345,
399, 162, 758, 219, 918, 237, 412, 566, 826, 248, 866,
950, 626, 949, 687, 217,
815, 67, 104, 58, 512, 24, 892, 894, 767, 553, 81, 379,
843, 831, 445, 742, 717,
958,743, 527
]
Click me to see the sample solution

29. Write a Python program that prints out all colors from
color_list_1 that are not present in color_list_2.
Test Data :
color_list_1 = set(["White", "Black", "Red"])
color_list_2 = set(["Red", "Green"])
Expected Output :
{'Black', 'White'}
Click me to see the sample solution

30. Write a Python program that will accept the base and
height of a triangle and compute its area.
Click me to see the sample solution

31. Write a Python program that computes the greatest


common divisor (GCD) of two positive integers.
Click me to see the sample solution

32. Write a Python program to find the least common multiple


(LCM) of two positive integers.
Click me to see the sample solution

33. Write a Python program to sum three given integers.


However, if two values are equal, the sum will be zero.
Click me to see the sample solution

34. Write a Python program to sum two given integers.


However, if the sum is between 15 and 20 it will return 20.
Click me to see the sample solution

35. Write a Python program that returns true if the two given
integer values are equal or their sum or difference is 5.
Click me to see the sample solution

36. Write a Python program to add two objects if both objects


are integers.
Click me to see the sample solution

37. Write a Python program that displays your name, age, and
address on three different lines.
Click me to see the sample solution

38. Write a Python program to solve (x + y) * (x + y).


Test Data : x = 4, y = 3
Expected Output : (4 + 3) ^ 2) = 49
Click me to see the sample solution

39. Write a Python program to compute the future value of a


specified principal amount, rate of interest, and number of
years.
Test Data : amt = 10000, int = 3.5, years = 7
Expected Output : 12722.79
Click me to see the sample solution

40. Write a Python program to calculate the distance between


the points (x1, y1) and (x2, y2).
Click me to see the sample solution

41. Write a Python program to check whether a file exists.


Click me to see the sample solution

42. Write a Python program to determine if a Python shell is


executing in 32bit or 64bit mode on OS.
Click me to see the sample solution

43. Write a Python program to get OS name, platform and


release information.
Click me to see the sample solution

44. Write a Python program to locate Python site packages.


Click me to see the sample solution

45. Write a Python program that calls an external command.


Click me to see the sample solution

46. Write a Python program to retrieve the path and name of


the file currently being executed.
Click me to see the sample solution

47. Write a Python program to find out the number of CPUs


used.
Click me to see the sample solution

48. Write a Python program to parse a string to float or


integer.
Click me to see the sample solution
49. Write a Python program to list all files in a directory.
Click me to see the sample solution

50. Write a Python program to print without a newline or


space.
Click me to see the sample solution

51. Write a Python program to determine the profiling of


Python programs.
Note: A profile is a set of statistics that describes how often
and for how long various parts of the program executed. These
statistics can be formatted into reports via the pstats module.
Click me to see the sample solution

52. Write a Python program to print to STDERR.


Click me to see the sample solution

53. Write a Python program to access environment variables.


Click me to see the sample solution

54. Write a Python program to get the current username.


Click me to see the sample solution

55. Write a Python program to find local IP addresses using


Python's stdlib.
Click me to see the sample solution

56. Write a Python program to get the height and width of the
console window.
Click me to see the sample solution

57. Write a Python program to get the execution time of a


Python method.
Click me to see the sample solution

58. Write a Python program to sum the first n positive


integers.
Click me to see the sample solution

59. Write a Python program to convert height (in feet and


inches) to centimeters.
Click me to see the sample solution
60. Write a Python program to calculate the hypotenuse of a
right angled triangle.
Click me to see the sample solution

61. Write a Python program to convert the distance (in feet) to


inches, yards, and miles.
Click me to see the sample solution

62. Write a Python program to convert all units of time into


seconds.
Click me to see the sample solution

63. Write a Python program to get an absolute file path.


Click me to see the sample solution

64. Write a Python program that retrieves the date and time of
file creation and modification.
Click me to see the sample solution

65. Write a Python program that converts seconds into days,


hours, minutes, and seconds.
Click me to see the sample solution

66. Write a Python program to calculate the body mass index.


Click me to see the sample solution

67. Write a Python program to convert pressure in kilopascals


to pounds per square inch, a millimeter of mercury (mmHg) and
atmosphere pressure.
Click me to see the sample solution

68. Write a Python program to calculate sum of digits of a


number.
Click me to see the sample solution

69. Write a Python program to sort three integers without


using conditional statements and loops.
Click me to see the sample solution

70. Write a Python program to sort files by date.


Click me to see the sample solution
71. Write a Python program to get a directory listing, sorted by
creation date.
Click me to see the sample solution

72. Write a Python program to get the details of the math


module.
Click me to see the sample solution

73. Write a Python program to calculate the midpoints of a


line.
Click me to see the sample solution

74. Write a Python program to hash a word.


Click me to see the sample solution

75. Write a Python program to get the copyright information


and write Copyright information in Python code.
Click me to see the sample solution

76. Write a Python program to get the command-line


arguments (name of the script, the number of arguments,
arguments) passed to a script.
Click me to see the sample solution

77. Write a Python program to test whether the system is a


big-endian platform or a little-endian platform.
Click me to see the sample solution

78. Write a Python program to find the available built-in


modules.
Click me to see the sample solution

79. Write a Python program to get the size of an object in


bytes.
Click me to see the sample solution

80. Write a Python program to get the current value of the


recursion limit.
Click me to see the sample solution

81. Write a Python program to concatenate N strings.


Click me to see the sample solution
82. Write a Python program to calculate the sum of all items of
a container (tuple, list, set, dictionary).
Click me to see the sample solution

83. Write a Python program to test whether all numbers in a


list are greater than a certain number.
Click me to see the sample solution

84. Write a Python program to count the number of


occurrences of a specific character in a string.
Click me to see the sample solution

85. Write a Python program to check whether a file path is a


file or a directory.
Click me to see the sample solution

86. Write a Python program to get the ASCII value of a


character.
Click me to see the sample solution

87. Write a Python program to get the size of a file.


Click me to see the sample solution

88. Given variables x=30 and y=20, write a Python program to


print "30+20=50".
Click me to see the sample solution

89. Write a Python program to perform an action if a condition


is true.
Given a variable name, if the value is 1, display the string
"First day of a Month!" and do nothing if the value is not equal.
Click me to see the sample solution

90. Write a Python program to create a copy of its own source


code.
Click me to see the sample solution

91. Write a Python program to swap two variables.


Click me to see the sample solution
92. Write a Python program to define a string containing
special characters in various forms.
Click me to see the sample solution

93. Write a Python program to get the Identity, Type, and


Value of an object.
Click me to see the sample solution

94. Write a Python program to convert the bytes in a given


string to a list of integers.
Click me to see the sample solution

95. Write a Python program to check whether a string is


numeric.
Click me to see the sample solution

96. Write a Python program to print the current call stack.


Click me to see the sample solution

97. Write a Python program to list the special variables used


in the language.
Click me to see the sample solution

98. Write a Python program to get system time.

Note : The system time is important for debugging, network


information, random number seeds, or something as simple as
program performance.
Click me to see the sample solution

99. Write a Python program to clear the screen or terminal.


Click me to see the sample solution

100. Write a Python program to get the name of the host on


which the routine is running.
Click me to see the sample solution

101. Write a Python program to access and print a URL's


content to the console.
Click me to see the sample solution
102. Write a Python program to get system command output.
Click me to see the sample solution

103. Write a Python program to extract the filename from a


given path.
Click me to see the sample solution

104. Write a Python program to get the effective group id,


effective user id, real group id, and a list of supplemental
group ids associated with the current process.
Note: Availability: Unix.
Click me to see the sample solution

105. Write a Python program to get the users environment.


Click me to see the sample solution

106. Write a Python program to divide a path by the extension


separator.
Click me to see the sample solution

107. Write a Python program to retrieve file properties.


Click me to see the sample solution

108. Write a Python program to find the path to a file or


directory when you encounter a path name.
Click me to see the sample solution

109. Write a Python program to find the path to a file or


directory when you encounter a path name.
Click me to see the sample solution

110. Write a Python program to get numbers divisible by


fifteen from a list using an anonymous function.
Click me to see the sample solution

111. Write a Python program to make file lists from the current
directory using a wildcard.
Click me to see the sample solution

112. Write a Python program to remove the first item from a


specified list.
Click me to see the sample solution
113. Write a Python program that inputs a number and
generates an error message if it is not a number.
Click me to see the sample solution

114. Write a Python program to filter positive numbers from a


list.
Click me to see the sample solution

115. Write a Python program to compute the product of a list


of integers (without using a for loop).
Click me to see the sample solution

116. Write a Python program to print Unicode characters.


Click me to see the sample solution

117. Write a Python program to prove that two string variables


of the same value point to the same memory location.
Click me to see the sample solution

118. Write a Python program to create a bytearray from a list.


Click me to see the sample solution

119. Write a Python program to round a floating-point number


to a specified number of decimal places.
Click me to see the sample solution

120. Write a Python program to format a specified string and


limit the length of a string.
Click me to see the sample solution

121. Write a Python program to determine if a variable is


defined or not.
Click me to see the sample solution

122. Write a Python program to empty a variable without


destroying it.

Sample data: n=20


d = {"x":200}
Expected Output : 0
{}
Click me to see the sample solution

123. Write a Python program to determine the largest and


smallest integers, longs, and floats.
Click me to see the sample solution

124. Write a Python program to check whether multiple


variables have the same value.
Click me to see the sample solution

125. Write a Python program to sum all counts in a collection.


Click me to see the sample solution

126. Write a Python program to get the actual module object


for a given object.
Click me to see the sample solution

127. Write a Python program to check whether an integer fits


in 64 bits.
Click me to see the sample solution

128. Write a Python program to check whether lowercase


letters exist in a string.
Click me to see the sample solution

129. Write a Python program to add leading zeroes to a string.


Click me to see the sample solution

130. Write a Python program that uses double quotes to


display strings.
Click me to see the sample solution

131. Write a Python program to split a variable length string


into variables.
Click me to see the sample solution

132. Write a Python program to list the home directory without


an absolute path.
Click me to see the sample solution
133. Write a Python program to calculate the time runs
(difference between start and current time) of a program.
Click me to see the sample solution

134. Write a Python program to input two integers on a single


line.
Click me to see the sample solution

135. Write a Python program to print a variable without spaces


between values.
Sample value : x =30
Expected output : Value of x is "30"
Click me to see the sample solution

136. Write a Python program to find files and skip directories


in a given directory.
Click me to see the sample solution

137. Write a Python program to extract a single key-value pair


from a dictionary into variables.
Click me to see the sample solution

138. Write a Python program to convert true to 1 and false to


0.
Click me to see the sample solution

139. Write a Python program to validate an IP address.


Click me to see the sample solution

140. Write a Python program to convert an integer to binary


that keeps leading zeros.
Sample data : x=12
Expected output : 00001100
0000001100
Click me to see the sample solution

141. Write a python program to convert decimal to


hexadecimal.
Sample decimal number: 30, 4
Expected output: 1e, 04
Click me to see the sample solution
142. Write a Python program to check if every consecutive
sequence of zeroes is followed by a consecutive sequence of
ones of same length in a given string. Return True/False.
Original sequence: 01010101
Check if every consecutive sequence of zeroes is followed by a
consecutive sequence of ones in the said string:
True
Original sequence: 00
Check if every consecutive sequence of zeroes is followed by a
consecutive sequence of ones in the said string:
False
Original sequence: 000111000111
Check if every consecutive sequence of zeroes is followed by a
consecutive sequence of ones in the said string:
True
Original sequence: 00011100011
Check if every consecutive sequence of zeroes is followed by a
consecutive sequence of ones in the said string:
False
Click me to see the sample solution

143. Write a Python program to determine if the Python shell


is executing in 32-bit or 64-bit mode on the operating system.
Click me to see the sample solution

144. Write a Python program to check whether a variable is an


integer or string.
Click me to see the sample solution

145. Write a Python program to test if a variable is a list,


tuple, or set.
Click me to see the sample solution

146. Write a Python program to find the location of Python


module sources.
Click me to see the sample solution

147. Write a Python function to check whether a number is


divisible by another number. Accept two integer values from
the user.
Click me to see the sample solution

148. Write a Python function to find the maximum and


minimum numbers from a sequence of numbers.
Note: Do not use built-in functions.
Click me to see the sample solution

149. Write a Python function that takes a positive integer and


returns the sum of the cube of all positive integers smaller
than the specified number.
Click me to see the sample solution

150. Write a Python function to check whether a distinct pair


of numbers whose product is odd is present in a sequence of
integer values.

You might also like