35 lines
799 B
Python
35 lines
799 B
Python
# -*- coding: utf-8 -*-
|
|
"""
|
|
inflection
|
|
~~~~~~~~~~~~
|
|
|
|
A port of Ruby on Rails' inflector to Python.
|
|
|
|
:copyright: (c) 2012-2015 by Janne Vanhala
|
|
|
|
:license: MIT, see LICENSE for more details.
|
|
"""
|
|
import re
|
|
|
|
|
|
def underscore(word):
|
|
"""
|
|
Make an underscored, lowercase form from the expression in the string.
|
|
|
|
Example::
|
|
|
|
>>> underscore("DeviceType")
|
|
"device_type"
|
|
|
|
As a rule of thumb you can think of :func:`underscore` as the inverse of
|
|
:func:`camelize`, though there are cases where that does not hold::
|
|
|
|
>>> camelize(underscore("IOError"))
|
|
"IoError"
|
|
|
|
"""
|
|
word = re.sub(r"([A-Z]+)([A-Z][a-z])", r'\1_\2', word)
|
|
word = re.sub(r"([a-z\d])([A-Z])", r'\1_\2', word)
|
|
word = word.replace("-", "_")
|
|
return word.lower()
|