DSA

DSA

DATA STRUCTUTRE AND ALGORITHM

1.Printing

Printing and then moving cursor to next line

JS

console.log("hello sharpnerians");


Python

print("hello sharpnerians")


C++

cout<<"hello sharpnerians"<<endl;


Java

System.out.println("hello sharpnerians");



Printing and cursor remaining same line

JS

not possible


Python

print("hello sharpnerians", end="")


C++

cout<<"hello sharpnerians";


Java

System.out.print("hello sharpnerians");



2.Variables


its a placeholder to store values

x=3 //x is the variable


Datatype


its defined type of the data to be stored

primitive data type=it has value

Static defined datatype:

In some language, datatype should be mention

e.g. int x=5 //java


Dynamic defined datatype:

n some language, datatype should not be mention

e.g. x=5 //python


Getting input from user:






def calculate(a,b, c): 5 """write the code inside this block to calculate a+b-c""" 6 print(a+b-c) 7 8 9 10 11 """Dont change anything below. If changed click on reset.""" 12 13def main(): 14 a = int(input()) 15 b = int(input()) 16 c = int(input()) 17 calculate(a,b,c) 18main()


x=8

y=3

print(x)


operator in python


print(x/y)

o/p=2.8


print(x//y)

o/p=2

--------------------------------------------------------------------------------------------

swap two numbers:


def swap(a,b): 5 """write the code inside this block to swap two numbers""" 6 x=b 7 b=a 8 a=x 9 10 11 """Dont change anything below. If changed click on reset.""" 12 print("a value is =",a) 13 print("b value is =",b) 14 15def main(): 16 a = int(input()) 17 b = int(input()) 18 swap(a,b) 19main()




IF ELIF ELSE



x=3

if x==3:

print("true")

else:

    print("false")


IF ELSE LADDER


def print_cost(distance): 5 """ 6 write the code below to print the cost 7 if the distance is given 8 """ 9 if distance<=100: 10 print("5") 11 elif distance>100 and distance<=500: 12 print("8") 13 elif distance>500 and distance<=1000: 14 print("10") 15 elif distance>1000: 16 print("12") 17





TERNERY OPERATOR


(if else statement in a single line)


java:

   x = a<10 ? 5 :10


if(a<10)

x=5;

else

x=10;


python:


syntax: opt1 if condition else opt2


e.g. 5 if a<10 else 10

           a = "xxx" if x<6 else "yyy"


e.g.        x=6

             print(10 if x>0 else 1)


e.g. x=5             a = "xxx" if x<6 else "yyy"             print(a)





SWITCH STATEMENT







--------------------------------------------------------------------------------------------------------------------------


LOOP


Execute particular statement continuously till the condition will reach


While loop:

    

        initialization

        condition

        incrementation


e.g.

        i=1

        while i<=5:

            print("Hello world")

            i=i+1


e.g. Print all even numbers from 1 to n


   def print_even(n): 5 6 i=2 7 while i<=n: 8 print(i) 9 i=i+2 10 11def main(): 12 n=int(input()) 13 print_even(n) 14 15main()





--------------------------------------------------------------------------------------------


FOR LOOP

Syntax:


for i in range(start, end inc/dec)


e.g.


for i in range(2, 11, 2):

print(n);


o/p

2 4 6 8 10


for i in range(10,1, -2):

print(n)


o/p 10 8 6 4 2


for i in range(25, -1,-5):

print(n)


o/p 25 20 15 10 5 0


e.g. for loop used with list

x=["sumi",34,1223]

for i in x:

print(x)


o/p sumi 34 1223


x="sumi"

for i in x:

print(i)


o/p s u m i


for i in x["sumi",23,455]

print(i)


o/p sumi 23 455


for i in range(10):

print(i)


o/p 012345678910


pattern


1st loop ------ pointing no. of lines

2nd loop-------pointing details of each line


for(10,

m=-1

y=mx+c

y=-1x+c

14=-1*2+c

c=16

formula =16-i

inner loop(10,16-i,1)






def print_message(message): 13 14 print(message) 15 16def main(): 17 while True: 18 try: 19 message = input() 20 21 except EOFError: 22 break 23main()


-------------------------------------------------------------------------------------------


Array
Dynamic Array


--> In python we use dynamic array(list) we dont mention the size if array
 --> In python memory get allocate in run time(compile time in java)
-->Collection of data on same type

import array as arr
..........
arr.array()




                                            O/P: 1











Function in array

Function for find size of array:




Function for find type of array:


                                            O/P:   i

Function for reverse the array:



Function for copy of array:


also:


Function for insert elements in array:
        Insert in between the array(particular index)


        Insert element at last:



        Insert a group of element:

Function for delete elements from array:
            Delete last element:
            pop()--->delete element using index value







            remove()-------->remove elements using that particular value


            Delete a group of elements:






Function for sort elements in array:




num=[11,22,33,44,55]
name=['sumi', 'suji', 'mono']

print(num[2])=====>33
print(num[2:])=====>33,44,55
print(num[-4])=====>11([-4],-3,-2,-1,0)

val=[num,name]
print(val)======>[11,22,33,44,55],['sumi', 'suji', 'mono']


Get array input from user:

n=int(input())
List=[]
for i in range(n):
    element=int(input())
    List.append(element)
print(List)    















Loop in array



also use:



Sub array

Contiguous(continues) part of array.
-->contiguous
-->part
-->forward

e.g. [1,4,2,3]
[1],[1,4],[1,4,2]-subarray
[2],[2,3]-subarray
[4,2,3]-subarray
[1,3]-not
[4,3]-not



Dynamic array

*NO fixed size

7️⃣ Tuples: Ordered, Unchangeable, and Allow Duplicates

A tuple is similar to a list but immutable (cannot be modified).

💡 Creating a Tuple


colors = ("red", "green", "blue") print(colors)

🔹 Output:


('red', 'green', 'blue')

8️⃣ Accessing Elements in a Tuple


print(colors[1]) # Output: green print(colors[-1]) # Output: blue

9️⃣ Tuple Unpacking


a, b, c = colors print(a, b, c)

🔹 Output:


red green blue
================================================================


Sorting

1) Bubble sort


 
2) Insertion  sort

3) Selection sort
find min and max first

--------------------------------------------------------------------------------------------------------------


BIT MANIPULATION

*1 byte = 8 bits
*Decimal number to binary number conversion

*Binary to Decimal conversion



* Decimal to Octal conversion
 


*Octal to Binary Conversion







AND, OR, XOR



Right shift and Left shift

Right shift >>

10101>>0 
o/p 10101   // remove 0 element from right

10101>>2
o/p 101         // remove 2 element from right



Left shift <<

10101<<0 
o/p 10101  //append 0 zero to right

10101<<2
o/p 1010100 // append 2 zeros to right



use of Right shift:
    10101>>2 &1      //will find 3rd number
            101 & 001 = 1 //3rd number


Find maximum of array without using inbuilt fun max():

max=a[i]
if a[i]<a[j]:
    max=a[j]

Find most +ve and -ve number:




--------------------------------------------------------------------------------------------------------------

Time Complexity

Its a analysis of how much time your code take to run.



return-1unit
arithmetic operation-1 unit
total-2 unit





How to find time complexity?

= O(1)
Because the above statement will execute at only one time.

***********

loop execution=n+1
statement execution=n
we should only take the statement execution.
so O(n).

***************

loop execution=n+1
statement execution=n
we should only take the statement execution.
so O(n).

***************


loop execution=n+1
statement execution=n/2
we should only take the statement execution.
so O(n).

***************
statement execution=n*n                                                                                                            we should only take the statement execution.
so O(n^2).                                                                                                                                    ***************                                                                                                                                                                                                                                                                                                                                                                                                                                                                                         

*************** 



************** 


************** 
************** 


************** 



****************



****************



****************


****************






--------------------------------------------------------------------------------


String

*Reference data type(storing address of data too like array)
-Sequence of character



Accessing character:



Find the length:




Iterating String:

Sub_string:


Character to ASCII value:


Type Conversion:

    *convert one data type to another

1)widening or automatic type conversion
    *Automatically convert lower part to upper part
    e.g. integer --> long
        

2)Narrowing and explicit type conversion
    * forceful conversion you should mention

 That you want to convert it to char


Concatenation: 

*String concatenation means add strings together. 
*Use the + character to add a variable to another variable.



Concatenation with type conversion:



Play with String:















String Method:

MethodDescription
capitalize()Converts the first character to upper case
casefold()Converts string into lower case
center()Returns a centered string
count()Returns the number of times a specified value occurs in a string
encode()Returns an encoded version of the string
endswith()Returns true if the string ends with the specified value
expandtabs()Sets the tab size of the string
find()Searches the string for a specified value and returns the position of where it was found
format()Formats specified values in a string
format_map()Formats specified values in a string
index()Searches the string for a specified value and returns the position of where it was found
isalnum()Returns True if all characters in the string are alphanumeric
isalpha()Returns True if all characters in the string are in the alphabet
isascii()Returns True if all characters in the string are ascii characters
isdecimal()Returns True if all characters in the string are decimals
isdigit()Returns True if all characters in the string are digits
isidentifier()Returns True if the string is an identifier

Sislower()
Returns True if all characters in the string are lower case
isnumeric()Returns True if all characters in the string are numeric
isprintable()Returns True if all characters in the string are printable
isspace()Returns True if all characters in the string are whitespaces
istitle()Returns True if the string follows the rules of a title
isupper()Returns True if all characters in the string are upper case
join()Joins the elements of an iterable to the end of the string
ljust()Returns a left justified version of the string
lower()Converts a string into lower case
lstrip()Returns a left trim version of the string
maketrans()Returns a translation table to be used in translations
partition()Returns a tuple where the string is parted into three parts
replace()Returns a string where a specified value is replaced with a specified value
rfind()Searches the string for a specified value and returns the last position of where it was found
rindex()Searches the string for a specified value and returns the last position of where it was found
rjust()Returns a right justified version of the string
rpartition()Returns a tuple where the string is parted into three parts
rsplit()Splits the string at the specified separator, and returns a list
rstrip()Returns a right trim version of the string
split()Splits the string at the specified separator, and returns a list
splitlines()Splits the string at line breaks and returns a list
startswith()Returns true if the string starts with the specified value
strip()Returns a trimmed version of the string
swapcase()Swaps cases, lower case becomes upper case and vice versa
title()Converts the first character of each word to upper case
translate()Returns a translated string
upper()Converts a string into upper case
zfill()Fills the string with a specified number of 0 values at the beginning



String format:


age = 36
txt = "My name is John, I am " + age
print(txt) 
o/p
Traceback (most recent call last):
  File "demo_string_format_error.py", line 2, in <module>
    txt = "My name is John, I am " + age
TypeError: must be str, not int



age = 36
txt = f"My name is John, I am {age}"
print(txt)

o/p
My name is John, I am 36


To extract a specific word from a string in Python, you can use the split() method to split the string into a list of words, and then access the desired word using its index.

Here's an example:

  1. text = "The quick brown fox jumps over the lazy dog." 
  2. word_index = 3 
  3. extracted_word = text.split()[word_index] 
  4. print(extracted_word) # Output: "fox" 

In this example, text.split() returns a list of words ['The', 'quick', 'brown', 'fox', 'jumps', 'over', 'the', 'lazy', 'dog.'], and word_index = 3 selects the 4th word in the list, which is "fox".

--------------------------------------------------------------------------------

Select particular char from array string:


-------------------------------------------------------------------------------

OOPS

-Object Oriented Programming System
-Design pattern
-make readable 
-programming paradigm where the complete software operates as a bunch of objects talking to each other.

Class & Objects:

-class is template
-class is like a factory it produce products(objects).
-create class with keyword class and followed by its name.

eg. class car:

Function:

A function is a reusable block of code that performs a specific task.
Functions help avoid repetition and make the code more organized.
eg.
    def calculate_distance(self,speed,time):
        print(speed*time)

self--->helps compiler  to understand which particular object I want.



init(contructor):

*When the object is created then the constructor execute first.
*If I create 2 objects like obj1 & obj2 then the "init" function will execute 2 times.




- Objects are stored in heap memory of your computer
- You can find the storage location by the following steps
-Every time you create an object it is allocate in new spaces.
-What is the size of an object?
        It will depends on no. of variables in it
-Who allocates size to objects?
        Constructor


------------------------------------------------------------------------------------------------------------

Types of variable

i) Class variables
        It is common to all objects
ii) Instance variables(inside of init_ function)
        it is specific to particular class object


Namespace: It is an area where you create and store variables/objects

Two Types:

i) Class namespace

        The place where stored classes

ii) Object/instance namespace

        The place where stored objects

Changing values:

Before:
After:



Change values in both class and instance variables:



Types of methods

1)Instance Methods 
    def avg(self)
    it belongs to particular object
     callaed by using object name(eg. obj1.avg())
2)Class Methods @classmethod
3)Static  Methods @staticmethod


Inner class

Class inside other class




(or)




Inheritance

A class inherits from another class

Type of inheritance
1) Simple inheritance
2) Multiple inheritance
3) Multilevel inheritance

1)Simple inheritance
     A child class have only one parent
    


2) Multiple inheritance

A child class have two parent class

3) Multilevel inheritance





Polymorphism

Multiple form

Types of polymorphism

1) Duck Typing
2) Operator overloading
3) Method overloading
4) Method overriding

1) Duck Typing


Static and Non Static:

Static:

if we declared a variable as a static ,that is common to all .
eg)
class student:
college_name=VIT
     def student_details():
        cgpa=6
        name="xxxxx"

*Static variable in python only called/accessed by using class name not by object.
*Static variables should declared inside the class not inside the function.

non static:
By default every variable is non static

Destructor:

*Garbage collection 
*free up the unused space
*Destructor called at the end of the program


----------------------------------------------------------------------------------

Search
Binary search:
    *Divide and conquer method(divide a problem into sub problems and solve each     sub probs)
    step1:
        first it should be arranged in sorted order
    step2:
        find the mid value mid=h+l/2
    step3:
        check key is grater or less than the mid value
    step4:
        if the key is grater than the mid value then l=mid+1
    step5:
        then again calculate mid from new values
    step6:
        now the key value is less than the mid value then h=mid-1..........

        
Linear search:

Dictionaries in Python

Last Updated : 12 Feb, 2025

A Python dictionary is a data structure that stores the value in key: value pairs. Values in a dictionary can be of any data type and can be duplicated, whereas keys can’t be repeated and must be immutable.

Example: Here, The data is stored in key:value pairs in dictionaries, which makes it easier to find values.

d = {1: 'Geeks', 2: 'For', 3: 'Geeks'}
print(d)

Output
{1: 'Geeks', 2: 'For', 3: 'Geeks'}

How to Create a Dictionary

In Python, a dictionary can be created by placing a sequence of elements within curly {} braces, separated by a ‘comma’.

# create dictionary using { }
d1 = {1: 'Geeks', 2: 'For', 3: 'Geeks'}
print(d1)

# create dictionary using dict() constructor
d2 = dict(a = "Geeks", b = "for", c = "Geeks")
print(d2)

Output
{1: 'Geeks', 2: 'For', 3: 'Geeks'}
{'a': 'Geeks', 'b': 'for', 'c': 'Geeks'}


  • From Python 3.7 Version onward, Python dictionary are Ordered.
  • Dictionary keys are case sensitive: the same name but different cases of Key will be treated distinctly.
  • Keys must be immutable: This means keys can be strings, numbers, or tuples but not lists.
  • Keys must be unique: Duplicate keys are not allowed and any duplicate key will overwrite the previous value.
  • Dictionary internally uses Hashing. Hence, operations like search, insert, delete can be performed in Constant Time.
  • Accessing Dictionary Items

    d = { "name": "Alice", 1: "Python", (1, 2): [1,2,4] }
    
    # Access using key
    print(d["name"])
    
    # Access using get()
    print(d.get("name"))  
    

    Output
    Alice
    Alice
    

    Adding and Updating Dictionary Items

    We can add new key-value pairs or update existing keys by using assignment.

    d = {1: 'Geeks', 2: 'For', 3: 'Geeks'}
    
    # Adding a new key-value pair
    d["age"] = 22
    
    # Updating an existing value
    d[1] = "Python dict"
    
    print(d)
    

    Output
    {1: 'Python dict', 2: 'For', 3: 'Geeks', 'age': 22}
    

    Removing Dictionary Items

    We can remove items from dictionary using the following methods:

    • del: Removes an item by key.
    • pop(): Removes an item by key and returns its value.
    • clear(): Empties the dictionary.
    • popitem(): Removes and returns the last key-value pair.
    d = {1: 'Geeks', 2: 'For', 3: 'Geeks', 'age':22}
    
    # Using del to remove an item
    del d["age"]
    print(d)
    
    # Using pop() to remove an item and return the value
    val = d.pop(1)
    print(val)
    
    # Using popitem to removes and returns
    # the last key-value pair.
    key, val = d.popitem()
    print(f"Key: {key}, Value: {val}")
    
    # Clear all items from the dictionary
    d.clear()
    print(d)
    

    Output
    {1: 'Geeks', 2: 'For', 3: 'Geeks'}
    Geeks
    Key: 3, Value: Geeks
    {}
    

    Iterating Through a Dictionary

    We can iterate over keys [using keys() method] , values [using values() method] or both [using item() method] with a for loop.

    d = {1: 'Geeks', 2: 'For', 'age':22}
    
    # Iterate over keys
    for key in d:
        print(key)
    
    # Iterate over values
    for value in d.values():
        print(value)
    
    # Iterate over key-value pairs
    for key, value in d.items():
        print(f"{key}: {value}")
    

    Output
    1
    2
    age
    Geeks
    For
    22
    1: Geeks
    2: For
    age: 22
    

    Read in detail – Ways to Iterating Over a Dictionary

    Nested Dictionaries

    Example of Nested Dictionary:

    d = {1: 'Geeks', 2: 'For',
            3: {'A': 'Welcome', 'B': 'To', 'C': 'Geeks'}}
    
    print(d)
    

    Output
    {1: 'Geeks', 2: 'For', 3: {'A': 'Welcome', 'B': 'To', 'C': 'Geeks'}}

Check if a Key Exists in a Python Dictionary

Last Updated : 05 Dec, 2024

Python dictionary can not contain duplicate keys, so it is very crucial to check if a key is already present in the dictionary. If you accidentally assign a duplicate key value, the new value will overwrite the old one.

To check if given Key exists in dictionary, you can use either in operator or get() method. Both are easy are use and work efficiently.

Using IN operator

# Example dictionary
d = {'a': 1, 'b': 2, 'c': 3}

# Key to check
key = 'b'
print(key in d)  # Output: True

key = 'g'
print(key in d)  # Output: False

Output
True
False

Sets in Python

Last Updated : 04 Feb, 2025

A Set in Python is used to store a collection of items with the following properties.

  • No duplicate elements. If try to insert the same item again, it overwrites previous one.
  • An unordered collection. When we access all items, they are accessed without any specific order and we cannot access items using indexes as we do in lists.
  • Internally use hashing that makes set efficient for search, insert and delete operations. It gives a major advantage over a list for problems with these operations.
  • Mutable, meaning we can add or remove elements after their creation, the individual elements within the set cannot be changed directly.
  • Example of Python Sets

    s = {10, 50, 20}
    print(s)
    print(type(s))
    

    Output
    {10, 50, 20}
    <class 'set'>
    

    Note : There is no specific order for set elements to be printed

    Type Casting with Python Set method

    The Python set() method is used for type casting.

    # typecasting list to set
    s = set(["a", "b", "c"])
    print(s)
    
    # Adding element to the set
    s.add("d")
    print(s)
    

    Output
    {'c', 'b', 'a'}
    {'d', 'c', 'b', 'a'}
    

    Check unique and  Immutable with Python Set

    Python sets cannot have duplicate values. While you cannot modify the individual elements directly, you can still add or remove elements from the set.

    # Python program to demonstrate that
    # a set cannot have duplicate values 
    # and we cannot change its items
    
    # a set cannot have duplicate values
    s = {"Geeks", "for", "Geeks"}
    print(s)
    
    # values of a set cannot be changed
    s[1] = "Hello"
    print(s)
  • The first code explains that the set cannot have a duplicate value. Every item in it is a unique value. 

    The second code generates an error because we cannot assign or change a value once the set is created. We can only add or delete items in the set.

    {'Geeks', 'for'}
    TypeError: 'set' object does not support item assignment

    Heterogeneous Element with Python Set

    Python sets can store heterogeneous elements in it, i.e., a set can store a mixture of string, integer, boolean, etc datatypes.

    # Python example demonstrate that a set
    # can store heterogeneous elements
    s = {"Geeks", "for", 10, 52.7, True}
    print(s)
    

    Output
    {True, 'for', 'Geeks', 10, 52.7}
    

    Python Frozen Sets

    Frozen sets in Python are immutable objects that only support methods and operators that produce a result without affecting the frozen set or sets to which they are applied. It can be done with frozenset() method in Python.

    While elements of a set can be modified at any time, elements of the frozen set remain the same after creation. 

    If no parameters are passed, it returns an empty frozenset.

    # Python program to demonstrate differences
    # between normal and frozen set
    
    # Same as {"a", "b","c"}
    s = set(["a", "b","c"])
    
    print("Normal Set")
    print(s)
    
    # A frozen set
    fs = frozenset(["e", "f", "g"])
    
    print("\nFrozen Set")
    print(fs)
    
    # Uncommenting below line would cause error as
    # we are trying to add element to a frozen set
    # fs.add("h")
    

    Output
    Normal Set
    set(['a', 'c', 'b'])
    
    Frozen Set
    frozenset(['e', 'g', 'f'])
    

    Internal working of Set

    This is based on a data structure known as a hash table.  If Multiple values are present at the same index position, then the value is appended to that index position, to form a Linked List.

    In, Python Sets are implemented using a dictionary with dummy variables, where key beings the members set with greater optimizations to the time complexity.

    Set Implementation:

    HashTable-300x278

    Hash Table


    Sets with Numerous operations on a single HashTable:

    Hasing-Python

    Hashing


    Methods for Sets

    Adding elements to Python Sets

    Insertion in the set is done through the set.add() function, where an appropriate record value is created to store in the hash table. Same as checking for an item, i.e., O(1) on average. However, in worst case it can become O(n).

    # A Python program to
    # demonstrate adding elements
    # in a set
    
    # Creating a Set
    people = {"Jay", "Idrish", "Archi"}
    
    print("People:", end = " ")
    print(people)
    
    # This will add Daxit
    # in the set
    people.add("Daxit")
    
    # Adding elements to the
    # set using iterator
    for i in range(1, 6):
        people.add(i)
    
    print("\nSet after adding element:", end = " ")
    print(people)
    

    Output
    People: {'Idrish', 'Archi', 'Jay'}
    
    Set after adding element: {1, 2, 3, 4, 5, 'Daxit', 'Archi', 'Jay', 'Idrish'}
    

    Union operation on Python Sets

    Two sets can be merged using union() function or | operator. Both Hash Table values are accessed and traversed with merge operation perform on them to combine the elements, at the same time duplicates are removed. The Time Complexity of this is O(len(s1) + len(s2)) where s1 and s2 are two sets whose union needs to be done.

    # Python Program to
    # demonstrate union of
    # two sets
    
    people = {"Jay", "Idrish", "Archil"}
    vampires = {"Karan", "Arjun"}
    dracula = {"Deepanshu", "Raju"}
    
    # Union using union()
    # function
    population = people.union(vampires)
    
    print("Union using union() function")
    print(population)
    
    # Union using "|"
    # operator
    population = people|dracula
    
    print("\nUnion using '|' operator")
    print(population)
    

    Output
    Union using union() function
    {'Idrish', 'Arjun', 'Jay', 'Karan', 'Archil'}
    
    Union using '|' operator
    {'Idrish', 'Deepanshu', 'Raju', 'Jay', 'Archil'}
    

    Intersection operation on Python Sets

    This can be done through intersection() or & operator. Common Elements are selected. They are similar to iteration over the Hash lists and combining the same values on both the Table. Time Complexity of this is O(min(len(s1), len(s2)) where s1 and s2 are two sets whose union needs to be done.

    # Python program to
    # demonstrate intersection
    # of two sets
    
    set1 = set()
    set2 = set()
    
    for i in range(5):
        set1.add(i)
    
    for i in range(3,9):
        set2.add(i)
    
    # Intersection using
    # intersection() function
    set3 = set1.intersection(set2)
    
    print("Intersection using intersection() function")
    print(set3)
    
    # Intersection using
    # "&" operator
    set3 = set1 & set2
    
    print("\nIntersection using '&' operator")
    print(set3)
    

    Output
    Intersection using intersection() function
    {3, 4}
    
    Intersection using '&' operator
    {3, 4}
    

    Finding Differences of Sets in Python

    To find differences between sets. Similar to finding differences in the linked list. This is done through difference() or – operator. Time complexity of finding difference s1 – s2 is O(len(s1))

    # Python program to
    # demonstrate difference
    # of two sets
    
    set1 = set()
    set2 = set()
    
    for i in range(5):
        set1.add(i)
    
    for i in range(3,9):
        set2.add(i)
    
    # Difference of two sets
    # using difference() function
    set3 = set1.difference(set2)
    
    print(" Difference of two sets using difference() function")
    print(set3)
    
    # Difference of two sets
    # using '-' operator
    set3 = set1 - set2
    
    print("\nDifference of two sets using '-' operator")
    print(set3)
    

    Output
     Difference of two sets using difference() function
    {0, 1, 2}
    
    Difference of two sets using '-' operator
    {0, 1, 2}
    

    Clearing Python Sets

    Set Clear() method empties the whole set inplace.

    # Python program to
    # demonstrate clearing
    # of set
    
    set1 = {1,2,3,4,5,6}
    
    print("Initial set")
    print(set1)
    
    # This method will remove
    # all the elements of the set
    set1.clear()
    
    print("\nSet after using clear() function")
    print(set1)

    Output
    Initial set
    {1, 2, 3, 4, 5, 6}
    
    Set after using clear() function
    set()

Comments

Popular posts from this blog

Java_Script