In Python, we can define the variable outside the class, inside the class, and even inside the methods. Let’s see, how to use and access these variables throughout the program.
Variable defined outside the class:
The variables that are defined outside the class can be accessed by any class or any methods in the class by just writing the variable name.
outVar = 'outside_class'
print ( "Outside_class1" , outVar)
class Geek:
print ( "Outside_class2" , outVar)
def access_method( self ):
print ( "Outside_class3" , outVar)
uac = Geek()
uac.access_method()
class Another_Geek_class:
print ( "Outside_class4" , outVar)
def another_access_method( self ):
print ( "Outside_class5" , outVar)
uaac = Another_Geek_class()
uaac.another_access_method()
|
Output:
Outside_class1 outside_class
Outside_class2 outside_class
Outside_class3 outside_class
Outside_class4 outside_class
Outside_class5 outside_class
Variable defined inside the class:
The variables that are defined inside the class but outside the method can be accessed within the class(all methods included) using the instance of a class. For Example – self.var_name.
If you want to use that variable even outside the class, you must declared that variable as a global. Then the variable can be accessed using its name inside and outside the class and not using the instance of the class.
class Geek:
inVar = 'inside_class'
print ( "Inside_class2" , inVar)
def access_method( self ):
print ( "Inside_class3" , self .inVar)
uac = Geek()
uac.access_method()
class another_Geek_class:
print ()
def another_access_method( self ):
print ()
uaac = another_Geek_class()
uaac.another_access_method()
|
Output:
Inside_class2 inside_class
Inside_class3 inside_class
The statements which are marked as error will produce an error upon execution as the variable is not accessible there.
Variable defined inside the method:
The variables that are defined inside the methods can be accessed within that method only by simply using the variable name. Example – var_name.
If you want to use that variable outside the method or class, you have to declared that variable as a global.
class Geek:
print ()
def access_method( self ):
inVar = 'inside_method'
print ( "Inside_method3" , inVar)
uac = Geek()
uac.access_method()
class AnotherGeek:
print ()
def access_method( self ):
print ()
uaac = AnotherGeek()
uaac.access_method()
|
Output:
Inside_method3 inside_method
The statements which are marked as error will produce error upon execution as the variable is not accessible there.
Summary:

Whether you're preparing for your first job interview or aiming to upskill in this ever-evolving tech landscape,
GeeksforGeeks Courses are your key to success. We provide top-quality content at affordable prices, all geared towards accelerating your growth in a time-bound manner. Join the millions we've already empowered, and we're here to do the same for you. Don't miss out -
check it out now!
Last Updated :
18 May, 2020
Like Article
Save Article