how to set global const variables in python

时光怂恿深爱的人放手 提交于 2019-11-30 08:31:19

问题


I am building a solution with various classes and functions all of which need access to some global consants to be able to work appropriately. As there is no const in python, what would you consider best practice to set a kind of global consants.

global const g = 9.8 

So I am looking for a kind of the above

edit: How about:

class Const():
    @staticmethod
    def gravity():
        return 9.8

print 'gravity: ', Const.gravity()

?


回答1:


You cannot define constants in Python. If you find some sort of hack to do it, you would just confuse everyone.

To do that sort of thing, usually you should just have a module - globals.py for example that you import everywhere that you need it




回答2:


General convention is to define variables with capital and underscores and not change it. Like,

GRAVITY = 9.8

However, it is possible to create constants in Python using namedtuple

import collections

Const = collections.namedtuple('Const', 'gravity pi')
const = Const(9.8, 3.14)

print(const.gravity) # => 9.8
# try to change, it gives error
const.gravity = 9.0 # => AttributeError: can't set attribute

For namedtuple, refer to docs here



来源:https://stackoverflow.com/questions/18224991/how-to-set-global-const-variables-in-python

易学教程内所有资源均来自网络或用户发布的内容,如有违反法律规定的内容欢迎反馈
该文章没有解决你所遇到的问题?点击提问,说说你的问题,让更多的人一起探讨吧!