8

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()

?

gen
  • 9,528
  • 14
  • 35
  • 64
  • Doesn't work. Anyone can change `Const.gravity` or just replace the `Const` class entirely. The lack of anything like `const` is a deliberate design decision; Python makes it very difficult to enforce that code won't touch something it shouldn't. Instead, if you're not supposed to touch something, standard practice is to just not touch it. – user2357112 Aug 14 '13 at 07:04

2 Answers2

13

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

John La Rooy
  • 295,403
  • 53
  • 369
  • 502
11

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

chhantyal
  • 11,874
  • 7
  • 51
  • 77