KEMBAR78
Python | PDF | Computer Program | Programming
0% found this document useful (0 votes)
144 views29 pages

Python

The document provides an overview of programming languages, compilers, interpreters, and Python's features, syntax, and data types. It explains operators, control statements, and string methods in Python, along with examples and assignments for practical understanding. The content is presented in both English and Hinglish for better comprehension.

Uploaded by

jeet9x9
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)
144 views29 pages

Python

The document provides an overview of programming languages, compilers, interpreters, and Python's features, syntax, and data types. It explains operators, control statements, and string methods in Python, along with examples and assignments for practical understanding. The content is presented in both English and Hinglish for better comprehension.

Uploaded by

jeet9x9
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/ 29

1. What is a Programming Language?

A programming language is a way to communicate with a computer. It is a set of instructions written in a


specific syntax which the computer understands and executes.
Hinglish: Programming language ek tarika hai jisse hum computer ko instructions dete hain kya karna
hai.
Examples:
• Python
• Java
• C
• C++
• JavaScript

2. Compiler
A compiler is a special software that converts the entire source code into machine code at once (before
running the program).
Hinglish: Compiler pura program ek baar me machine code (0s and 1s) me badal deta hai.
Examples:
• C and C++ use compilers (like GCC).

3. Interpreter
An interpreter reads one line at a time, translates it to machine code, and executes it.
Hinglish: Interpreter program ko ek line ek line padhkar turant chalata hai.
Examples:
• Python, JavaScript use interpreters.

4. High-Level Language
These are programming languages that are easy to read and understand (like English).
Hinglish: Human ke liye aasaan language jise samajhna easy hota hai.
Examples:
• Python
• Java
• C++
• JavaScript

5. Low-Level Language
These are languages close to machine language. Hard to understand for humans.
Hinglish: Machine ke kareeb language, insaan ke liye samajhna mushkil hota hai.
Types:
• Assembly Language
• Machine Language (binary)

6. Python History
• Inventor: Guido van Rossum
• Year: 1989 (developed), released in 1991
• Name origin: Inspired by comedy show “Monty Python’s Flying Circus”
Hinglish: Python ko Guido van Rossum ne banaya tha 1989 me, easy aur readable banane ke liye.

7. Features of Python
1. Easy to Learn & Use
2. Interpreted Language
3. High-level language
4. Dynamically Typed
5. Extensive Libraries
6. Object-Oriented
7. Portable (platform-independent)
Hinglish: Python simple, powerful, aur har platform pe kaam karta hai.

8. Python Syntax
Syntax means the structure or rules of writing code.
Examples:
python
CopyEdit
print("Hello, World!") # Correct syntax
Hinglish: Python ka syntax simple hai – zyada bracket, semicolon ki zarurat nahi.

9. Rules of Python
1. Case-sensitive (Age ≠ age)
2. Indentation is important (no { } for blocks)
3. Comments start with #
4. Variable names can't start with a number
5. Keywords can’t be used as variable names (if, for, etc.)

10. Variables in Python


A variable is used to store data in memory.
Syntax:
python
CopyEdit
x = 5
name = "Jeet"
Hinglish: Variable ek container jaisa hota hai jo data store karta hai.

11. Comments in Python


Used to explain code, ignored by the interpreter.
Single-line comment:
python
CopyEdit
# This is a comment
Multi-line comment:
python
CopyEdit
'''
This is a
multi-line comment
'''
Hinglish: Comment code me note jaisa hota hai – samjhane ke liye hota hai, execute nahi hota.

Python Data Types – Categories + Examples


Category Data Type Description Example
Numeric int Whole numbers x = 10

float Decimal numbers pi = 3.14


complex Complex numbers z = 2 + 3j

Sequential str Text (sequence of characters) "Hello"

list Ordered, changeable, allows duplicate [1, 2, 3]


tuple Ordered, unchangeable, allows duplicate (4, 5, 6)
Set set Unordered, no duplicates, mutable {1, 2, 3}

frozenset Unordered, no duplicates, immutable frozenset({1, 2, 3})

Mapping dict Key-value pairs, unordered, mutable {"name": "Jeet"}

Boolean bool True or False only is_on = True

NoneType None Represents absence of value x = None

Hinglish: Python me alag-alag type ke data ke liye alag-alag data types hote hain.

Summary Chart:
Concept Explanation (Short)
Programming Language Way to talk to computer
Compiler Translates whole code at once
Interpreter Line-by-line translator
High-Level Language Easy to read (human-like)
Low-Level Language Machine-close, hard to read
Python History By Guido van Rossum (1989–1991)
Python Features Easy, portable, object-oriented, etc.
Syntax Rules of writing code
Python Rules Case-sensitive, indentation, etc.
Variable Stores data
Comment Notes inside code
Data Types int, float, str, list, etc.

What is an Operator?
An operator is a symbol that performs an operation on variables and values.
Hinglish: Operator ek symbol hota hai jo kisi data pe operation karta hai jaise addition, comparison,
logic, etc.

Types of Operators in Python:


Type Use
1. Arithmetic Mathematical calculations
2. Assignment Assigning values to variables
3. Comparison (Relational) Comparing values
4. Logical Logical conditions (and, or)
5. Bitwise Bit-level operations
6. Identity Check memory identity
7. Membership Check if a value is in a sequence

1. Arithmetic Operators
Operator Meaning Example Output
+ Addition 10 + 5 15
- Subtraction 10 - 5 5
* Multiplication 10 * 2 20
/ Division 10 / 2 5.0
// Floor Division 10 // 3 3
% Modulus (Remainder) 10 % 3 1
** Exponent (Power) 2 ** 3 8

2. Assignment Operators
Operator Meaning Example
= Assign value x = 5
+= Add and assign x += 2
-= Subtract and assign x -= 1
*= Multiply and assign x *= 3
/= Divide and assign x /= 2
//= Floor divide and assign x //= 2
**= Exponent and assign x **= 2

Hinglish: Assignment operator variable me value ko set karta hai ya update karta hai.

3. Comparison (Relational) Operators


Operator Meaning Example Output
== Equal to 5 == 5 True
!= Not equal to 5 != 3 True
> Greater than 5 > 3 True
< Less than 3 < 5 True
Operator Meaning Example Output
>= Greater or equal 5 >= 5 True
<= Less or equal 3 <= 4 True

Hinglish: Ye operators do values ke beech comparison karte hain aur True ya False return karte hain.

4. Logical Operators
Operator Meaning Example Output
and True if both are True 5 > 2 and 3 > 1 True
or True if one is True 5 > 2 or 3 < 1 True
not Opposite of boolean not(5 > 2) False
Hinglish: and, or, not conditions me use hote hain.

5. Bitwise Operators
Operator Meaning Example Output
& AND 5 & 3 1
` ` OR `5
^ XOR 5 ^ 3 6
~ NOT ~5 -6
<< Left Shift 5 << 1 10
>> Right Shift 5 >> 1 2
Hinglish: Ye binary level pe kaam karte hain (less important for theory, but good for viva).

6. Identity Operators
Operator Meaning Example
is True if both variables point to same object x is y
is not True if they don’t point to same object x is not y
x = [1, 2]
y = x
print(x is y) # True

7. Membership Operators
Operator Meaning Example Output
in True if value exists "a" in "apple" True
not in True if value does not exist "z" not in "apple" True

2-Mark Sample Answer:


Q. What are Arithmetic Operators in Python?
Arithmetic operators perform basic mathematical operations like addition, subtraction, multiplication etc.
Examples:
• + : Addition (3 + 2 = 5)
• * : Multiplication (4 * 2 = 8)
5-Mark Sample Answer:
Q. Explain different types of operators in Python with examples.
Python supports the following operators:
1. Arithmetic: +, -, *, / for math operations.
2. Assignment: =, +=, *= for assigning values.
3. Comparison: ==, !=, <, > for comparing values.
4. Logical: and, or, not used in conditions.
5. Bitwise: &, |, ^ etc., operate on binary.
6. Identity: is, is not check object identity.
7. Membership: in, not in check value in sequence.

What are Control Statements?


Control Statements are used to control the flow of execution in a program – jaise:
• Kis block of code chalana hai,
• Kitni baar chalana hai,
• Kis condition pe code skip karna hai, etc.
Hinglish: Control statements decide karte hain ki program kaunse line pe jump kare, ya kaunse block
execute ho.

Types of Control Statements in Python:


1. Conditional Statements (Decision Making)
2. Looping Statements (Iteration)
3. Jump/Branching Statements (Flow Changing)

1. Conditional Statements (Decision Making)


Ye statements condition check karte hain (True ya False) aur uske according code execute karte hain.
Definition:
Conditional statements allow the program to take decisions based on conditions.
Features:
• Executes a block based on condition
• Makes the program dynamic and interactive
• Can handle multiple conditions
Syntax Examples:
if Statement
age = 18
if age >= 18:
print("You are eligible to vote.")
if-else Statement
age = 16
if age >= 18:
print("Eligible to vote")
else:
print("Not eligible to vote")
if-elif-else Statement
marks = 75
if marks >= 90:
print("Grade A")
elif marks >= 70:
print("Grade B")
else:
print("Grade C")
Hinglish: Conditions ke basis pe code ka decision lena – if-else ka kaam hai.
Assignments:
1. Write a program to check whether a number is positive or negative.
2. Write a program to assign grades based on marks.
3. Write a program to check if a number is even or odd.

2. Looping Statements (Repetition / Iteration)


Loop ka use code ko baar-baar chalane ke liye hota hai jab tak condition True hai.
Definition:
Loops are used to repeat a block of code multiple times.
Features:
• Avoids repetition of code
• Reduces length of program
• Useful for iterating over sequences
Syntax Examples:
while Loop
i = 1
while i <= 5:
print(i)
i += 1
for Loop
for i in range(1, 6):
print(i)
Hinglish: Jab hume same code ko repeat karna ho, hum loop ka use karte hain.
Assignments:
1. Write a program to print numbers from 1 to 10 using a for loop.
2. Write a program to print the multiplication table of a number.
3. Write a program to find the sum of first 10 natural numbers using while loop.

3. Jump / Branching Statements


Control ko ek jagah se doosri jagah le jaate hain.
Definition:
These statements are used to alter the normal flow of the loop.
Features:
• Helps in breaking or skipping part of loops
• Used for advanced loop control
• Includes placeholders using pass
Syntax Examples:
break – Exit the loop
for i in range(1, 6):
if i == 3:
break
print(i)
Output: 1 2
continue – Skip current iteration
for i in range(1, 6):
if i == 3:
continue
print(i)
Output: 1 2 4 5
pass – Do nothing (placeholder)
for i in range(3):
pass
Hinglish:
• break loop todta hai,
• continue uss iteration ko skip karta hai,
• pass sirf blank jagah bharne ke liye hota hai.
Assignments:
1. Write a program to print numbers from 1 to 5 but skip number 3 using continue.
2. Write a program that stops printing numbers when 4 is encountered using break.
3. Use pass inside a loop to avoid error in an empty block.

2-Mark Answer Format:


Q. What is the use of if-else in Python?
if-else is used to make decisions in a program. If the condition is True, it runs one block of code; else it
runs another.
x = 10
if x > 0:
print("Positive")
else:
print("Negative")

5-Mark Long Answer Format:


Q. Explain control statements in Python with examples.
Python has three types of control statements:
1. Conditional statements – if, if-else, if-elif-else
2. Looping statements – for, while
3. Jumping statements – break, continue, pass
These help in controlling the flow of program execution based on logic or repetition.

Short Summary Table:


Type Statement Purpose
Conditional if, else, elif Decision making
Looping for, while Repeat code multiple times
Jump/Branching break, continue, pass Control loop flow
String
• Searching methods (e.g., find(), index())
• Modifying methods (e.g., replace(), upper())
• Validation methods (e.g., isalpha(), isdigit())
• Formatting methods (e.g., center(), ljust())
• Splitting & Joining (e.g., split(), join())
Start karte hain pehle category se: Searching Methods

1. find()
Definition: Substring ko search karta hai aur first occurrence ka index return karta hai. Agar nahi mila to -1
return karta hai.
Syntax: string.find(substring, start, end)
Features:
• Case-sensitive hai
• start aur end optional hain
Example:
text = "python programming"
print(text.find("gram")) # Output: 10
print(text.find("java")) # Output: -1
Assignment 1: Ek program banao jo user se string le aur check kare ki "python" word usme hai ya nahi.
Assignment 2: Ek sentence lo aur usme "a" ka index find karo.
🗣 Hinglish Tip: find() se hum kisi bhi word ka position (index) nikal sakte hain string me.

2. index()
Definition: Substring ko search karta hai lekin agar nahi mila to error deta hai (ValueError).
Syntax: string.index(substring, start, end)
Features:
• Case-sensitive hai
• Same as find() but throws error if not found
Example:
text = "hello world"
print(text.index("world")) # Output: 6
# print(text.index("java")) # Error
Assignment 1: Ek string me "is" ka index print karo.
Assignment 2: Try karo index() function ko kisi missing word ke saath aur error handle karo using
try-except.
🗣 Hinglish Tip: index() powerful hai lekin error bhi deta hai, toh error handling use karo.

Python String — Modification Methods


1. upper()
2. lower()
3. capitalize()
4. title()
5. swapcase()
6. replace()
1. upper()
Definition: Har character ko uppercase me convert karta hai
Syntax: string.upper()
Features:
• Original string ko change nahi karta (strings are immutable)
• Naya uppercase string return karta hai
text = "python is fun"
print(text.upper()) # Output: PYTHON IS FUN
Assignment 1:
User se koi sentence lo aur uppercase me convert karo.
Assignment 2:
Ek string list me sabhi ko uppercase me convert karo (use loop).
🗣 Hinglish Tip: Agar aapko kisi input ko bold banake show karna ho, toh upper() use karo.

2. lower()
Definition: Har character ko lowercase me convert karta hai
Syntax: string.lower()
Features:
• Capital letters ko small me convert karta hai
text = "Python IS FuN"
print(text.lower()) # Output: python is fun
Assignment 1:
User se koi string lo aur usko lowercase me convert karke print karo.
Assignment 2:
Ek sentence me check karo kya lowercase hone ke baad koi word “python” hai.
🗣 Hinglish Tip: Jab case-insensitive comparison karni ho to lower() ya upper() use karo.

3. capitalize()
Definition: Sirf pehla character capital karta hai, baaki sab small
Syntax: string.capitalize()
Features:
• Useful for name formatting
text = "hello WORLD"
print(text.capitalize()) # Output: Hello world
Assignment 1:
User ka naam input lo aur capitalize karo.
Assignment 2:
Poore sentence ko capitalize() karo aur dekho change kaise aata hai.
🗣 Hinglish Tip: Ye method naam ya title format karne ke liye perfect hai.

4. title()
Definition: Har word ka pehla character capital karta hai
Syntax: string.title()
Features:
• Har word ko proper noun banata hai
text = "welcome to python programming"
print(text.title()) # Output: Welcome To Python Programming
Assignment 1:
User se blog title lo aur use title-case me convert karo.
Assignment 2:
Kisi bhi string me har word ke first letter ko capital banao using title().
🗣 Hinglish Tip: Blog, book titles, names ke liye title() best hai.

5. swapcase()
Definition: Lowercase ko uppercase banata hai aur uppercase ko lowercase
Syntax: string.swapcase()
Features:
• Useful for toggling case quickly
text = "PyThOn Is FuN"
print(text.swapcase()) # Output: pYtHoN iS fUn
Assignment 1:
Input string ka case swap karo.
Assignment 2:
User se sentence lo, swapcase karke fir wapas swap karo.
🗣 Hinglish Tip: Jab toggle karna ho (upper → lower), use swapcase().

6. replace()
Definition: Substring ko replace karta hai naye substring se
Syntax: string.replace(old, new, count)
Features:
• count optional hai → jitne replace karne hain utne specify karo
text = "python is easy, python is powerful"
print(text.replace("python", "java"))
# Output: java is easy, java is powerful
Assignment 1:
User se ek string lo, aur “bad” words ko “good” se replace karo.
Assignment 2:
Ek sentence me sirf pehla "python" ko "java" se replace karo → count=1
🗣 Hinglish Tip: String me words badalna ho to replace() kaafi useful hai.

Python String – Validation Methods


Ye methods batate hain ki string me sirf kis type ke characters hain (e.g., alphabets, digits, spaces). Ye
True/False (Boolean) return karte hain.

1. isalpha()
Definition: True return karta hai agar string me sirf letters (a-z, A-Z) ho
Syntax: string.isalpha()
Features:
• Space, digits, symbols allowed nahi hai
print("Python".isalpha()) # True
print("Python3".isalpha()) # False
Assignment 1:
User se naam lo aur check karo ki kya usme sirf alphabets hain.
Assignment 2:
List of strings check karo jisme sirf alphabets wale ko print karna hai.
🗣 Hinglish Tip: Name validation ke liye useful hai — "Kya naam me sirf letters hain?"

2. isdigit()
Definition: True return karta hai agar string me sirf digits (0–9) ho
Syntax: string.isdigit()
Features:
• Decimal point (.) allowed nahi hai
print("12345".isdigit()) # True
print("123.45".isdigit()) # False
Assignment 1:
User se age input lo aur check karo kya woh digit hai.
Assignment 2:
User se string lo, agar digit ho to integer me convert karo aur 10 se multiply karo.
🗣 Hinglish Tip: Age, PIN code, roll number jaise inputs ke liye use karo.

3. isalnum()
Definition: True return karta hai agar string me sirf alphabets ya digits ho
Syntax: string.isalnum()
Features:
• Space aur symbols (%, @) allowed nahi hain
print("Python123".isalnum()) # True
print("Python 123".isalnum()) # False
Assignment 1:
Username check karo — only letters and numbers hone chahiye.
Assignment 2:
List me se valid alphanumeric strings filter karo.
🗣 Hinglish Tip: Jab aapko username/password verify karna ho to helpful hai.

4. isspace()
Definition: True return karta hai agar string me sirf whitespace (space, \n, \t) ho
Syntax: string.isspace()
Features:
• Ek bhi non-space character ho gaya to False aayega
print(" ".isspace()) # True
print(" a ".isspace()) # False
Assignment 1:
User se input leke check karo ki usne blank input to nahi diya (only space).
Assignment 2:
File parsing me agar koi empty line milti hai, to usse skip karo.
🗣 Hinglish Tip: Jab check karna ho ki user ne blank space to nahi type kar diya.

5. isupper()
Definition: True return karta hai agar string ke saare letters uppercase ho
Syntax: string.isupper()
Features:
• Non-letter characters ignore karta hai
print("HELLO".isupper()) # True
print("HELLO123".isupper()) # True
print("Hello".isupper()) # False
Assignment 1:
Check karo kya user ka password all caps me hai.
Assignment 2:
List of words filter karo jo full capital letters me likhe hain.

6. islower()
Definition: True return karta hai agar string ke saare letters lowercase ho
Syntax: string.islower()
Features:
• Numbers and symbols ignore karta hai
print("hello".islower()) # True
print("hello123".islower()) # True
print("Hello".islower()) # False
Assignment 1:
User se sentence lo aur batao kya woh all lowercase me hai.
Assignment 2:
Lowercase only words ko ek nayi list me daalo.

Summary Table
Method Checks For
isalpha() Only alphabets
isdigit() Only digits
isalnum() Alphabets + digits
isspace() Only whitespace
isupper() All letters uppercase
islower() All letters lowercase

Python String — Trimming & Alignment Methods


Yeh methods string ke andar unwanted spaces hatane aur string ko format (center, left, right align) karne ke
kaam aate hain.
Hum yahan 6 important methods cover karenge:
1. strip()
2. lstrip()
3. rstrip()
4. center()
5. ljust()
6. rjust()

1. strip()
Definition: String ke dono sides se whitespace ya given characters ko remove karta hai.
Syntax: string.strip([chars])
Features:
• Default whitespace remove karta hai
• Custom characters bhi remove kiye ja sakte hain
text = " hello world "
print(text.strip()) # Output: "hello world"
print("$$$Python$$$".strip("$")) # Output: "Python"
Assignment 1:
User se input leke leading aur trailing spaces hatakar string print karo.
Assignment 2:
Custom characters hatane ke liye strip() use karo (e.g., %, $, @).
🗣 Hinglish Tip: Jab user galti se space ke saath input de to strip() use karo.

2. lstrip()
Definition: Left side (starting) ke whitespaces ya characters remove karta hai.
Syntax: string.lstrip([chars])
text = " hello"
print(text.lstrip()) # Output: "hello"
print("@@Python".lstrip("@")) # Output: "Python"
Assignment 1:
Left whitespace hatane wala program banao.
Assignment 2:
Special characters #, @, % ko string ke start se remove karo.

3. rstrip()
Definition: Right side (ending) ke whitespaces ya characters remove karta hai.
Syntax: string.rstrip([chars])
text = "hello "
print(text.rstrip()) # Output: "hello"
print("Python###".rstrip("#")) # Output: "Python"
Assignment 1:
User se input leke right trailing characters remove karo.
Assignment 2:
Log file ka line clean karo jisme end me unwanted characters ho.

4. center()
Definition: String ko center me align karta hai given width ke andar
Syntax: string.center(width, fillchar)
Features:
• Agar width string length se chhoti hai to kuch nahi karega
• Optional fillchar se padding kar sakte ho
print("Python".center(20)) # Output: " Python "
print("Hi".center(10, "*")) # Output: "****Hi****"
Assignment 1:
User ka naam center aligned print karo (width 20).
Assignment 2:
Certificate heading ko center align karo with *.
🗣 Hinglish Tip: Jab display me name ko center karna ho to center() use karo.

5. ljust()
Definition: String ko left justify karta hai aur baaki space fill karta hai
Syntax: string.ljust(width, fillchar)
print("Hi".ljust(10)) # Output: "Hi "
print("Hi".ljust(10, "*")) # Output: "Hi********"
Assignment 1:
Student names ko left-align karo list me.
Assignment 2:
Billing format me product name left-align karke price lagao.

6. rjust()
Definition: String ko right justify karta hai
Syntax: string.rjust(width, fillchar)
print("Hi".rjust(10)) # Output: " Hi"
print("Hi".rjust(10, "*")) # Output: "********Hi"
Assignment 1:
Right-align karke number print karo jisse table ban sake.
Assignment 2:
Employee salary ko right-align format me print karo.

Summary Table
Method Work Description
strip() Both sides se space/character remove
lstrip() Left side se remove
rstrip() Right side se remove
center() Center align with optional padding
ljust() Left justify with optional padding
rjust() Right justify with optional padding

Python String — Splitting & Joining Methods


Yeh methods string ko parts me divide (split) karne aur combine (join) karne ke liye use hote hain. Bahut
useful hain file reading, data cleaning aur formatting me.
Aaj hum cover karenge:
1. split()
2. rsplit()
3. splitlines()
4. join()

1. split()
Definition: String ko parts me divide karta hai based on delimiter (default: space).
Syntax: string.split(separator, maxsplit)
Features:
• Default delimiter space hota hai
• maxsplit = kitne parts banane hain (limit)
text = "python is fun"
print(text.split()) # ['python', 'is', 'fun']

text2 = "apple,banana,mango"
print(text2.split(",")) # ['apple', 'banana', 'mango']
Assignment 1:
User se comma-separated values lo aur list banao.
Assignment 2:
Sentence me first 2 words hi split karo using maxsplit=2.
🗣 Hinglish Tip: Jab string ko word-list me todna ho, split() best hai.

2. rsplit()
Definition: Right se split karta hai, left se nahi.
Syntax: string.rsplit(separator, maxsplit)
Features:
• Same as split() but right to left splitting
text = "one#two#three#four"
print(text.rsplit("#", 2)) # ['one#two', 'three', 'four']
Assignment 1:
Path string ka last 2 folder split karo using rsplit().
Assignment 2:
File name and extension alag karo: "file.tar.gz" → ['file.tar', 'gz']
🗣 Hinglish Tip: Jab end se todna ho tab rsplit() use karo.

3. splitlines()
Definition: Multi-line string ko line by line todta hai.
Syntax: string.splitlines(keepends=False)
Features:
• Newline \n, \r, etc. ke according todta hai
• keepends=True dene se newline bhi include hoti hai
text = "line1\nline2\nline3"
print(text.splitlines()) # ['line1', 'line2', 'line3']
Assignment 1:
Multi-line string lo aur usko list me convert karo using splitlines().
Assignment 2:
File content ko splitlines() se line-wise process karo.
🗣 Hinglish Tip: Jab text file ko line by line todna ho, splitlines() use karo.

4. join()
Definition: List of strings ko ek single string me join karta hai using separator.
Syntax: 'separator'.join(iterable)
Features:
• List, tuple ya koi bhi iterable string ka ho to join ho sakta hai
words = ['python', 'is', 'fun']
print(" ".join(words)) # 'python is fun'

letters = ['A', 'B', 'C']


print("-".join(letters)) # 'A-B-C'
Assignment 1:
List of names lo aur unhe comma-separated string me convert karo.
Assignment 2:
Input sentence ko characters me todkar - se join karo.
🗣 Hinglish Tip: Jab output ko format karke ek line banana ho — join() hi kaam ka hai.

Summary Table
Method Kaam kya karta hai
split() Left-to-right todta hai string
rsplit() Right-to-left todta hai string
splitlines() Line-wise todta hai
join() List ko ek string me jodta hai

Python String — Searching & Counting Methods


Ye methods kisi string me search karne, count karne aur start/end verify karne ke liye use hote hain.

1. count()
Definition: Substring kitni baar repeat ho raha hai, uska number return karta hai.
Syntax: string.count(substring, start, end)
Features:
• Case-sensitive hota hai
• Start & end optional hote hain
text = "banana"
print(text.count("a")) # Output: 3
Assignment 1:
User se sentence lo aur kisi letter ka count print karo.
Assignment 2:
Ek paragraph lo aur check karo "the" kitni baar aaya hai.

2. startswith()
Definition: Check karta hai ki string kisi specific prefix se start ho rahi hai ya nahi
Syntax: string.startswith(prefix, start, end)
text = "python is fun"
print(text.startswith("py")) # True
Assignment 1:
Check karo ki email id support@ se start hoti hai ya nahi.
Assignment 2:
URL start ho raha hai https:// se ya nahi — check karo.

3. endswith()
Definition: Check karta hai ki string kisi suffix se end ho rahi hai ya nahi
Syntax: string.endswith(suffix, start, end)
text = "resume.pdf"
print(text.endswith(".pdf")) # True
Assignment 1:
Filename check karo ki .jpg, .png ya .pdf hai ya nahi.
Assignment 2:
Website URL .com se end ho raha hai ya nahi — verify karo.

4. in (keyword)
Definition: Check karta hai ki substring string ke andar present hai ya nahi
Syntax: "sub" in "string"
print("py" in "python") # True
Assignment 1:
User ke name me "a" present hai ya nahi — print karo.
Assignment 2:
Check karo koi word "error" string me hai ya nahi.

5. not in (keyword)
Definition: Check karta hai ki substring nahi hai string ke andar
Syntax: "sub" not in "string"
print("java" not in "python") # True
Assignment 1:
Check karo ki password me " " (space) nahi hai.
Assignment 2:
Sentence me "fail" word absent hai ya nahi — verify karo.

Summary Table
Method Work Description
count() Substring ki frequency batata hai
Method Work Description
startswith() Starting match karta hai
endswith() Ending match karta hai
in Substring present hai ya nahi
not in Substring absent hai ya nahi

1. Python String Comparison (==, >, <, etc.)


Operators:
Operator Meaning Example
== Equal to "a" == "a" → True
!= Not equal to "a" != "b" → True
< Less than (dictionary order) "a" < "b" → True
> Greater than "z" > "a" → True
<= Less than or equal "cat" <= "dog" → True
>= Greater than or equal "dog" >= "dog" → True
Comparison is lexicographical (dictionary order based, ASCII/Unicode values).
print("apple" == "apple") # True
print("apple" < "banana") # True
print("Python" > "python") # False (because 'P' < 'p' in ASCII)
Assignment 1:
User se 2 strings lo, aur compare karo — which one is greater (dictionary wise).
Assignment 2:
Make a program that sorts a list of names alphabetically using comparison operators.

2. Python String Encoding & Decoding


encode()
Definition: Converts string to bytes
Syntax: string.encode(encoding="utf-8")
decode()
Definition: Converts bytes back to string
Syntax: bytes.decode(encoding="utf-8")
text = "नमस्ते"
encoded = text.encode("utf-8")
print(encoded) # b'\xe0\xa4\xa8\xe0\xa4...'

decoded = encoded.decode("utf-8")
print(decoded) # नमस्ते
Features:
• Useful for file handling, networking, API transfer
• Handles Unicode characters (Hindi, symbols, etc.)
Assignment 1:
String ko encode karo aur usse decode karke wapas print karo.
Assignment 2:
Write a string to file in UTF-8 using encoding, then read it back using decoding.
🗣 Hinglish Tip: Jab string ko machine-readable ya transmission ke liye bhejna ho, encoding-useful hoti
hai.

3. Python String Formatting


A. format() Method
name = "Jeet"
age = 21
print("My name is {} and I am {} years old.".format(name, age))
Syntax: "text {} more {}".format(val1, val2)
Features:
• Position-based formatting
• .format() ka use placeholder ke liye hota hai
Assignment 1:
User se name & marks lo aur output print karo using format:
"Student {name} got {marks} marks."

B. f-strings (Python 3.6+)


name = "Jeet"
age = 21
print(f"My name is {name} and I am {age} years old.")
Syntax: f"Text {variable}"
Features:
• Fast & readable
• Expressions bhi allowed: f"{2+3}" → 5
Assignment 2:
Area of circle calculate karke output print karo using f-string.
r = 7
print(f"Area = {3.14 * r * r}")

Summary Table
Concept Key Idea
Comparison Lexicographic string comparison
Encoding/Decoding Convert string <--> bytes
.format() Insert values in string using placeholders
f-string Directly embed variables into strings

Great! Let's start topic-wise large assignments (2–3 per topic) with code, comments, and explanations on
why specific functions/operators are used.

3. Python Data Types Assignment


Assignment 1: Student Marks Summary using Different Data Types
# Storing student details
name = "Jeet" # str (Sequence Type)
age = 20 # int (Numeric Type)
marks = [85, 90, 78, 92, 88] # list (Sequence Type)
is_passed = True # Boolean
grade = None # NoneType

# Average calculation using float


average = sum(marks) / len(marks) # float (for accurate average)

# Using set to remove duplicate marks


unique_marks = set(marks) # set (Set Type)

print("Name:", name)
print("Age:", age)
print("Marks:", marks)
print("Average:", average)
print("Unique Marks:", unique_marks)
print("Passed:", is_passed)
print("Grade (Not assigned yet):", grade)

Why used:

• list to store multiple values


• set() to remove duplicates
• sum()/len() gives float
• None used as uninitialized
• Boolean helps in decision (pass/fail)

Assignment 2: Inventory Manager with Dictionary and Frozenset


# Dictionary for product inventory: {product_name: quantity}
inventory = {
"apple": 50,
"banana": 30,
"orange": 25
}

# Frozen set for non-changeable product categories


categories = frozenset(["fruit", "vegetable", "dairy"])

# Display all inventory


for product, qty in inventory.items():
print(f"{product.title()} → {qty} items")

print("Categories (Frozen):", categories)

Why used:

• dict for mapping product to quantity


• frozenset for constant categories (immutable)

4. Operators Assignment
Assignment 1: Salary Increment Calculator (Arithmetic + Assignment)
salary = 25000

# Salary increment
salary += 5000 # Assignment operator
bonus = salary * 0.10 # Arithmetic

print("Updated Salary:", salary)


print("Bonus (10%):", bonus)

Why used:

• += for compact salary update


• * for multiplication

Assignment 2: Number Type Checker (Comparison + Logical + Identity)


num = 15

# Check even or odd and positive


if num % 2 == 0 and num > 0: # Comparison + Logical
print("Even and Positive")
else:
print("Either Odd or Negative")

# Identity Operator
a = None
if a is None:
print("Variable a is not yet initialized")

Why used:

• ==, > for checking value


• is checks memory identity (like None)

Assignment 3: List Searcher (Membership Operator)


colors = ["red", "green", "blue"]
search = "red"

if search in colors: # Membership


print(f"{search} is in the list")
else:
print(f"{search} is not in the list")

Why used:

• in checks membership efficiently

5. Control Statements Assignment


Assignment 1: Grade Calculator (if-elif-else)
score = 82

if score >= 90:


grade = "A"
elif score >= 80:
grade = "B"
elif score >= 70:
grade = "C"
else:
grade = "Fail"

print("Grade:", grade)

Why used:

• if-elif-else handles multiple condition checks

Assignment 2: Sum of Even Numbers (for loop + continue)


sum_even = 0

for i in range(1, 11):


if i % 2 != 0:
continue # Skip odd numbers
sum_even += i

print("Sum of Even Numbers from 1 to 10:", sum_even)

Why used:

• continue skips unwanted iterations


• for for fixed range

Assignment 3: Password Attempt (while + break)


password = "admin123"
attempt = ""

while attempt != password:


attempt = input("Enter password: ")
if attempt == password:
print("Access Granted!")
break
else:
print("Try Again!")

Why used:

• while loop for indefinite attempts


• break exits loop when correct
6. String Methods Assignment (Topic-Wise)
Assignment 1: Search User Input (Searching)
text = "Python is fun and powerful."

# Search index of word 'fun'


pos = text.find("fun") # Returns -1 if not found
print("Position of 'fun':", pos)

Why used:

• find() safely searches and avoids error (unlike index())

Assignment 2: Modify Text Case (Modification)


msg = "python is amazing"
print("Upper:", msg.upper()) # Converts to UPPER
print("Title:", msg.title()) # Title Case
print("Swapped:", msg.swapcase()) # Swap upper/lower

Why used:

• Styling for display, data normalization

Assignment 3: Validate Input (Validation)


data = "Python123"

print("Alphanumeric?", data.isalnum()) # Check letters & digits


print("Is Digit?", data.isdigit()) # Only numbers?

Why used:

• Form validation (e.g., user input, passwords)

Assignment 4: Align & Strip (Trimming & Alignment)


text = " Hello World "
print("Stripped:", text.strip()) # Remove spaces
print("Centered:", text.center(20, '*')) # Center align with *

Why used:

• Clean UI formatting, string display

Assignment 5: Split & Join Text


sentence = "Python is simple and powerful"
words = sentence.split() # Split into list
print("Words:", words)

# Join with '-'


print("Joined:", '-'.join(words))

Why used:

• split() breaks text (tokenize)


• join() for CSV, formatting

Assignment 6: Count & Check (Search & Count)


para = "Python is fast. Python is fun. Python is flexible."
count = para.count("Python")
starts = para.startswith("Python")

print("Python word count:", count)


print("Starts with 'Python'?", starts)

Why used:

• Count occurrences (like frequency counter)


• startswith() used in searching/filtering

Combined Large Assignments (Mix of All Topics)


Assignment 1: Student Report System
student = {
"name": "Jeet",
"age": 20,
"marks": [85, 90, 78],
"status": None
}

# Calculate average
avg = sum(student["marks"]) / len(student["marks"])

# Determine status
if avg >= 80:
student["status"] = "Passed"
else:
student["status"] = "Failed"

# Output
print(f"Student Name: {student['name'].title()}")
print("Marks:", student["marks"])
print("Average:", avg)
print("Status:", student["status"])

Assignment 2: Text Analyzer Tool


text = " Python is powerful. Python is easy. Python is fun. "

# Clean text
cleaned = text.strip().lower()

# Count word
python_count = cleaned.count("python")

# Split and rejoin


words = cleaned.split()
joined = "-".join(words)

print("Cleaned Text:", cleaned)


print("Python Count:", python_count)
print("Joined Words:", joined)

Assignment 3: Login System with Validation


username = "admin"
password = "admin123"

user_input = input("Enter username: ")


pass_input = input("Enter password: ")

if user_input.isalpha() and pass_input.isalnum():


if user_input == username and pass_input == password:
print(" Login Successful")
else:
print(" Invalid Credentials")
else:
print(" Enter valid username/password format.")

Aap bolo agle topic ka assignments banau ya inka PDF/Word export format chahiye?

Let me know if you want more real-world examples based on these!

LONG ANSWER QUESTIONS (5–7 Marks) with Answers:

Q1. Explain the concept of problem-solving in programming with steps.

Answer:

Problem-solving in programming means identifying a task and designing a solution to solve it using a
computer program.

Steps involved in problem-solving:

1. Problem Definition:
Clearly understand what is expected from the program.
Example: If the task is to calculate the area of a rectangle, you need to know the length and breadth.
2. Analyzing the Problem:
Determine what is given (input), what to find (output), and the process (logic).
3. Developing Algorithm:
A step-by-step procedure to solve the problem logically.
4. Flowcharting (optional):
A diagrammatic representation of the algorithm.
5. Writing the Program:
Code the algorithm using a programming language (e.g., Python).
6. Testing and Debugging:
Run the program to find and fix errors.
7. Documentation:
Maintain notes and comments for future reference.

Q2. What are the different types of errors in programming? Explain with examples.

Answer:

There are 3 major types of errors in programming:

1. Syntax Errors:
o Caused by violation of language grammar rules.
o Example:

python
CopyEdit
print("Hello) # Missing closing quote

2. Runtime Errors:
o Occur during program execution.
o Example:

python
CopyEdit
x = 5 / 0 # Division by zero

3. Logical Errors:
o Program runs without crashing but gives incorrect result.
o Example:

python
CopyEdit
# Intended to calculate area, but used + instead of *
area = length + breadth

Q3. Explain Top-down and Bottom-up Programming Methodologies.

Answer:

1. Top-down Programming:
o Starts from the main problem and breaks it into sub-problems.
o Common in structured programming.
o Easier for new programmers.

Example: Break a billing system into input → process → output.

2. Bottom-up Programming:
o Starts from basic functions/modules and combines them to make the full program.
o Used in object-oriented programming.
o Encourages code reuse.

Example: Create functions like add_item(), calculate_total() first, then build a shopping
cart.

Q4. What is a flowchart? Explain symbols used in flowcharting.

Answer:

A flowchart is a graphical diagram that shows the logical flow of a program.

Symbols used:

Symbol Meaning
⬭ Oval Start/End
▭ Rectangle Process/Instruction
Diamond Decision (if/else)
↕ Arrows Flow of control

Example:
To check even/odd:
Start → Input number → Check if divisible by 2 → Yes → Even, No → Odd → End

SHORT QUESTIONS (2–3 Marks) with Answers:

Q1. Define debugging.

Answer:
Debugging is the process of finding and fixing errors (bugs) in a program to make it work correctly.

Q2. What is an algorithm?

Answer:
An algorithm is a step-by-step set of instructions to solve a specific problem.

Q3. Define documentation in programming.

Answer:
Documentation means writing comments, explanations, and user guides about the program for future
understanding.
Q4. What is structured programming?

Answer:
Structured programming is a method of coding that uses sequence, selection (if-else), and loops, making
the program easy to read, debug, and modify.

Q5. What is the difference between top-down and bottom-up approach?

Top-Down Bottom-Up
Starts from main problem Starts from basic modules
Breaks into sub-parts Builds from modules
Used in structured programming Used in OOP

Q6. What is a decision table?

Answer:
A decision table is a tabular method to represent complex decision-making logic, showing conditions and
corresponding actions.

You might also like