Table of Contents
The delattr() deletes an attribute from the object (if the object allows it).
The syntax of delattr() is:
delattr(object, name)
1. delattr() Parameters
delattr() takes two parameters:
- object – the object from which name attribute is to be removed
- name – a string which must be the name of the attribute to be removed from the object
2. Return Value from delattr()
delattr() doesn’t return any value (returns None). It only removes an attribute (if the object allows it).
3. Example 1: How delattr() works?
class Coordinate:
x = 10
y = -5
z = 0
point1 = Coordinate()
print('x = ',point1.x)
print('y = ',point1.y)
print('z = ',point1.z)
delattr(Coordinate, 'z')
print('--After deleting z attribute--')
print('x = ',point1.x)
print('y = ',point1.y)
# Raises Error
print('z = ',point1.z)
Output
x = 10 y = -5 z = 0 --After deleting z attribute-- x = 10 y = -5 Traceback (most recent call last): File "python", line 19, in <module> AttributeError: 'Coordinate' object has no attribute 'z'
Here, attribute z is removed from the Coordinate class using delattr(Coordinate, 'z').
4. Example 2: Deleting Attribute Using del Operator
You can also delete attribute of an object using del operator.
class Coordinate:
x = 10
y = -5
z = 0
point1 = Coordinate()
print('x = ',point1.x)
print('y = ',point1.y)
print('z = ',point1.z)
# Deleting attribute z
del Coordinate.z
print('--After deleting z attribute--')
print('x = ',point1.x)
print('y = ',point1.y)
# Raises Attribute Error
print('z = ',point1.z)
The output of the program will be the same as above.
Related posts:
Python id()
Python String rpartition()
Python bytes()
Python String isidentifier()
Python zip()
Python time Module
Deep Learning in Python - LazyProgrammer
Python Set copy()
Python list()
Python Set difference()
Python Inheritance
Python Program to Display the multiplication Table
Python any()
Python Package
Python int()
Python Dictionary setdefault()
Python pass statement
Python Tuple
Python Program to Print Output Without a Newline
Python help()
Python Program to Check if a Number is Odd or Even
Python Modules
Python filter()
Python Matrices and NumPy Arrays
Python Program to Measure the Elapsed Time in Python
Python Set union()
Python sorted()
Python Closures
Python String isdigit()
Python Program to Represent enum
Python Dictionary update()
How to Get Started With Python?