पायथन स्कोप के भीतर, उस स्कोप के भीतर पहले से घोषित नहीं किए गए वैरिएबल का कोई भी असाइनमेंट एक नया लोकल वैरिएबल बनाता है जब तक कि उस फंक्शन को पहले फंक्शन में वर्चुअलाइज्ड रूप से स्कोप किए गए वैरिएबल के रूप में संदर्भित किया जाए global
।
आइए देखें कि क्या होता है देखने के लिए अपने छद्मकोड के एक संशोधित संस्करण को देखें:
# Here, we're creating a variable 'x', in the __main__ scope.
x = 'None!'
def func_A():
# The below declaration lets the function know that we
# mean the global 'x' when we refer to that variable, not
# any local one
global x
x = 'A'
return x
def func_B():
# Here, we are somewhat mislead. We're actually involving two different
# variables named 'x'. One is local to func_B, the other is global.
# By calling func_A(), we do two things: we're reassigning the value
# of the GLOBAL x as part of func_A, and then taking that same value
# since it's returned by func_A, and assigning it to a LOCAL variable
# named 'x'.
x = func_A() # look at this as: x_local = func_A()
# Here, we're assigning the value of 'B' to the LOCAL x.
x = 'B' # look at this as: x_local = 'B'
return x # look at this as: return x_local
वास्तव में, आप func_B
नामांकित चर के साथ सभी को फिर से लिख सकते हैं x_local
और यह पहचान के साथ काम करेगा।
यह आदेश केवल उस स्थिति के लिए मायने रखता है जहां तक कि आपके कार्य ऐसे ऑपरेशन करते हैं जो वैश्विक x के मान को बदलते हैं। इस प्रकार, func_B
कॉल के बाद से हमारे उदाहरण में, कोई फर्क नहीं पड़ता func_A
। इस उदाहरण में, आदेश मायने रखता है:
def a():
global foo
foo = 'A'
def b():
global foo
foo = 'B'
b()
a()
print foo
# prints 'A' because a() was the last function to modify 'foo'.
ध्यान दें कि global
केवल वैश्विक वस्तुओं को संशोधित करने की आवश्यकता है। आप अभी भी घोषित किए बिना एक फ़ंक्शन के भीतर से उन तक पहुंच सकते हैं global
। इस प्रकार, हमारे पास:
x = 5
def access_only():
return x
# This returns whatever the global value of 'x' is
def modify():
global x
x = 'modified'
return x
# This function makes the global 'x' equal to 'modified', and then returns that value
def create_locally():
x = 'local!'
return x
# This function creates a new local variable named 'x', and sets it as 'local',
# and returns that. The global 'x' is untouched.
अंतर नोट के बीच create_locally
और access_only
- access_only
ना बुलाने के बावजूद वैश्विक एक्स तक पहुँच रहा है global
, और भले ही create_locally
उपयोग नहीं करता है global
या तो, यह एक स्थानीय प्रतिलिपि के बाद से यह है बनाता बताए एक मूल्य।
यहां भ्रम यह है कि आपको वैश्विक चर का उपयोग क्यों नहीं करना चाहिए।