/usr/lib/python2.7/dist-packages/pylons/commands.py is in python-pylons 1.0.2-1.
This file is owned by root:root, with mode 0o644.
The actual contents of the file can be viewed below.
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 25 26 27 28 29 30 31 32 33 34 35 36 37 38 39 40 41 42 43 44 45 46 47 48 49 50 51 52 53 54 55 56 57 58 59 60 61 62 63 64 65 66 67 68 69 70 71 72 73 74 75 76 77 78 79 80 81 82 83 84 85 86 87 88 89 90 91 92 93 94 95 96 97 98 99 100 101 102 103 104 105 106 107 108 109 110 111 112 113 114 115 116 117 118 119 120 121 122 123 124 125 126 127 128 129 130 131 132 133 134 135 136 137 138 139 140 141 142 143 144 145 146 147 148 149 150 151 152 153 154 155 156 157 158 159 160 161 162 163 164 165 166 167 168 169 170 171 172 173 174 175 176 177 178 179 180 181 182 183 184 185 186 187 188 189 190 191 192 193 194 195 196 197 198 199 200 201 202 203 204 205 206 207 208 209 210 211 212 213 214 215 216 217 218 219 220 221 222 223 224 225 226 227 228 229 230 231 232 233 234 235 236 237 238 239 240 241 242 243 244 245 246 247 248 249 250 251 252 253 254 255 256 257 258 259 260 261 262 263 264 265 266 267 268 269 270 271 272 273 274 275 276 277 278 279 280 281 282 283 284 285 286 287 288 289 290 291 292 293 294 295 296 297 298 299 300 301 302 303 304 305 306 307 308 309 310 311 312 313 314 315 316 317 318 319 320 321 322 323 324 325 326 327 328 329 330 331 332 333 334 335 336 337 338 339 340 341 342 343 344 345 346 347 348 349 350 351 352 353 354 355 356 357 358 359 360 361 362 363 364 365 366 367 368 369 370 371 372 373 374 375 376 377 378 379 380 381 382 383 384 385 386 387 388 389 390 391 392 393 394 395 396 397 398 399 400 401 402 403 404 405 406 407 408 409 410 411 412 413 414 415 416 417 418 419 420 421 422 423 424 425 426 427 428 429 430 431 432 433 434 435 436 437 438 439 440 441 442 443 444 445 446 447 448 449 450 451 452 453 454 455 456 457 458 459 460 461 462 463 464 465 466 467 468 469 470 471 472 473 474 475 476 477 478 479 480 481 482 483 484 485 486 487 488 489 490 491 492 493 494 495 496 497 498 499 500 501 502 503 504 505 506 507 508 509 510 511 512 513 514 515 516 517 518 519 520 521 522 523 524 525 526 527 528 529 530 531 532 533 534 535 536 537 538 539 540 541 542 543 544 545 546 547 548 549 550 551 552 553 554 555 556 557 558 559 560 561 562 563 564 565 566 567 568 569 570 571 572 573 574 575 576 577 578 579 580 581 582 583 584 585 586 587 588 589 590 591 592 593 594 595 | """Paster Commands, for use with paster in your project
.. highlight:: bash
The following commands are made available via paster utilizing
setuptools points discovery. These can be used from the command line
when the directory is the Pylons project.
Commands available:
``controller``
Create a Controller and accompanying functional test
``restcontroller``
Create a REST Controller and accompanying functional test
``shell``
Open an interactive shell with the Pylons app loaded
Example usage::
~/sample$ paster controller account
Creating /Users/ben/sample/sample/controllers/account.py
Creating /Users/ben/sample/sample/tests/functional/test_account.py
~/sample$
.. admonition:: How it Works
:command:`paster` is a command line script (from the PasteScript
package) that allows the creation of context sensitive commands.
:command:`paster` looks in the current directory for a
``.egg-info`` directory, then loads the ``paster_plugins.txt``
file.
Using setuptools entry points, :command:`paster` looks for
functions registered with setuptools as
:func:`paste.paster_command`. These are defined in the entry_points
block in each packages :file:`setup.py` module.
This same system is used when running :command:`paster create` to
determine what templates are available when creating new projects.
"""
import os
import sys
import paste.fixture
import paste.registry
from paste.deploy import loadapp
from paste.script.command import Command, BadCommand
from paste.script.filemaker import FileOp
from tempita import paste_script_template_renderer
import pylons
import pylons.util as util
__all__ = ['ControllerCommand', 'RestControllerCommand', 'ShellCommand']
def can_import(name):
"""Attempt to __import__ the specified package/module, returning
True when succeeding, otherwise False"""
try:
__import__(name)
return True
except ImportError:
return False
def is_minimal_template(package, fail_fast=False):
"""Determine if the specified Pylons project (package) uses the
Pylons Minimal Template.
fail_fast causes ImportErrors encountered during detection to be
raised.
"""
minimal_template = False
try:
# Check if PACKAGE.lib.base exists
__import__(package + '.lib.base')
except ImportError, ie:
if 'No module named lib.base' in str(ie):
minimal_template = True
except:
# PACKAGE.lib.base exists but throws an error
if fail_fast:
raise
return minimal_template
def defines_render(package):
"""Determine if the specified Pylons project (package) defines a
render callable in their base module
"""
base_module = (is_minimal_template(package) and package + '.controllers' or
package + '.lib.base')
try:
base = __import__(base_module, globals(), locals(), ['__doc__'])
except:
return False
return callable(getattr(base, 'render', None))
def validate_name(name):
"""Validate that the name for the controller isn't present on the
path already"""
if not name:
# This happens when the name is an existing directory
raise BadCommand('Please give the name of a controller.')
# 'setup' is a valid controller name, but when paster controller is ran
# from the root directory of a project, importing setup will import the
# project's setup.py causing a sys.exit(). Blame relative imports
if name != 'setup' and can_import(name):
raise BadCommand(
"\n\nA module named '%s' is already present in your "
"PYTHON_PATH.\nChoosing a conflicting name will likely cause "
"import problems in\nyour controller at some point. It's "
"suggested that you choose an\nalternate name, and if you'd "
"like that name to be accessible as\n'%s', add a route "
"to your projects config/routing.py file similar\nto:\n"
" map.connect('%s', controller='my_%s')" \
% (name, name, name, name))
return True
def check_controller_existence(base_package, directory, name):
"""Check if given controller already exists in project."""
filename = os.path.join(base_package, 'controllers', directory,
name + '.py')
if os.path.exists(filename):
raise BadCommand('Controller %s already exists.' %
os.path.join(directory, name))
class ControllerCommand(Command):
"""Create a Controller and accompanying functional test
The Controller command will create the standard controller template
file and associated functional test to speed creation of
controllers.
Example usage::
yourproj% paster controller comments
Creating yourproj/yourproj/controllers/comments.py
Creating yourproj/yourproj/tests/functional/test_comments.py
If you'd like to have controllers underneath a directory, just
include the path as the controller name and the necessary
directories will be created for you::
yourproj% paster controller admin/trackback
Creating yourproj/controllers/admin
Creating yourproj/yourproj/controllers/admin/trackback.py
Creating yourproj/yourproj/tests/functional/test_admin_trackback.py
"""
summary = __doc__.splitlines()[0]
usage = '\n' + __doc__
min_args = 1
max_args = 1
group_name = 'pylons'
default_verbosity = 3
parser = Command.standard_parser(simulate=True)
parser.add_option('--no-test',
action='store_true',
dest='no_test',
help="Don't create the test; just the controller")
def command(self):
"""Main command to create controller"""
try:
file_op = FileOp(source_dir='/usr/share/paster_templates/pylons/')
try:
name, directory = file_op.parse_path_name_args(self.args[0])
except:
raise BadCommand('No egg_info directory was found')
# Check the name isn't the same as the package
base_package = file_op.find_dir('controllers', True)[0]
if base_package.lower() == name.lower():
raise BadCommand(
'Your controller name should not be the same as '
'the package name %r.' % base_package)
# Validate the name
name = name.replace('-', '_')
validate_name(name)
# Determine the module's import statement
if is_minimal_template(base_package):
importstatement = ('from %s.controllers import BaseController'
% base_package)
else:
importstatement = ('from %s.lib.base import BaseController' %
base_package)
if defines_render(base_package):
importstatement += ', render'
# Setup the controller
fullname = os.path.join(directory, name)
controller_name = util.class_name_from_module_name(
name.split('/')[-1])
if not fullname.startswith(os.sep):
fullname = os.sep + fullname
testname = fullname.replace(os.sep, '_')[1:]
module_dir = directory.replace('/', os.path.sep)
check_controller_existence(base_package, module_dir, name)
file_op.template_vars.update(
{'name': controller_name,
'fname': os.path.join(directory, name).replace('\\', '/'),
'tmpl_name': name,
'package': base_package,
'importstatement': importstatement})
file_op.copy_file(template='controller.py_tmpl',
dest=os.path.join('controllers', directory),
filename=name,
template_renderer=paste_script_template_renderer)
if not self.options.no_test:
file_op.copy_file(
template='test_controller.py_tmpl',
dest=os.path.join('tests', 'functional'),
filename='test_' + testname,
template_renderer=paste_script_template_renderer)
except BadCommand, e:
raise BadCommand('An error occurred. %s' % e)
except:
msg = str(sys.exc_info()[1])
raise BadCommand('An unknown error occurred. %s' % msg)
class RestControllerCommand(Command):
"""Create a REST Controller and accompanying functional test
The RestController command will create a REST-based Controller file
for use with the :meth:`~routes.mapper.Mapper.resource`
REST-based dispatching. This template includes the methods that
:meth:`~routes.mapper.Mapper.resource` dispatches to in
addition to doc strings for clarification on when the methods will
be called.
The first argument should be the singular form of the REST
resource. The second argument is the plural form of the word. If
its a nested controller, put the directory information in front as
shown in the second example below.
Example usage::
yourproj% paster restcontroller comment comments
Creating yourproj/yourproj/controllers/comments.py
Creating yourproj/yourproj/tests/functional/test_comments.py
If you'd like to have controllers underneath a directory, just
include the path as the controller name and the necessary
directories will be created for you::
yourproj% paster restcontroller admin/tracback admin/trackbacks
Creating yourproj/controllers/admin
Creating yourproj/yourproj/controllers/admin/trackbacks.py
Creating yourproj/yourproj/tests/functional/test_admin_trackbacks.py
"""
summary = __doc__.splitlines()[0]
usage = '\n' + __doc__
min_args = 2
max_args = 2
group_name = 'pylons'
default_verbosity = 3
parser = Command.standard_parser(simulate=True)
parser.add_option('--no-test',
action='store_true',
dest='no_test',
help="Don't create the test; just the controller")
def command(self):
"""Main command to create controller"""
try:
file_op = FileOp(source_dir='/usr/share/paster_templates/pylons/')
try:
singularname, singulardirectory = \
file_op.parse_path_name_args(self.args[0])
pluralname, pluraldirectory = \
file_op.parse_path_name_args(self.args[1])
except:
raise BadCommand('No egg_info directory was found')
# Check the name isn't the same as the package
base_package = file_op.find_dir('controllers', True)[0]
if base_package.lower() == pluralname.lower():
raise BadCommand(
'Your controller name should not be the same as '
'the package name %r.' % base_package)
# Validate the name
for name in [pluralname]:
name = name.replace('-', '_')
validate_name(name)
# Determine the module's import statement
if is_minimal_template(base_package):
importstatement = ('from %s.controllers import BaseController'
% base_package)
else:
importstatement = ('from %s.lib.base import BaseController' %
base_package)
if defines_render(base_package):
importstatement += ', render'
module_dir = pluraldirectory.replace('/', os.path.sep)
check_controller_existence(base_package, module_dir, name)
# Setup the controller
fullname = os.path.join(pluraldirectory, pluralname)
controller_name = util.class_name_from_module_name(
pluralname.split('/')[-1])
if not fullname.startswith(os.sep):
fullname = os.sep + fullname
testname = fullname.replace(os.sep, '_')[1:]
nameprefix = ''
path = ''
if pluraldirectory:
nameprefix = pluraldirectory.replace(os.path.sep, '_') + '_'
path = pluraldirectory + '/'
controller_c = ''
if nameprefix:
controller_c = ", controller='%s', \n\t" % \
'/'.join([pluraldirectory, pluralname])
controller_c += "path_prefix='/%s', name_prefix='%s'" % \
(pluraldirectory, nameprefix)
command = "map.resource('%s', '%s'%s)\n" % \
(singularname, pluralname, controller_c)
file_op.template_vars.update(
{'classname': controller_name,
'pluralname': pluralname,
'singularname': singularname,
'name': controller_name,
'nameprefix': nameprefix,
'package': base_package,
'path': path,
'resource_command': command.replace('\n\t', '\n%s#%s' % \
(' ' * 4, ' ' * 9)),
'fname': os.path.join(pluraldirectory, pluralname),
'importstatement': importstatement})
resource_command = ("\nTo create the appropriate RESTful mapping, "
"add a map statement to your\n")
resource_command += ("config/routing.py file near the top like "
"this:\n\n")
resource_command += command
file_op.copy_file(template='restcontroller.py_tmpl',
dest=os.path.join('controllers', pluraldirectory),
filename=pluralname,
template_renderer=paste_script_template_renderer)
if not self.options.no_test:
file_op.copy_file(
template='test_restcontroller.py_tmpl',
dest=os.path.join('tests', 'functional'),
filename='test_' + testname,
template_renderer=paste_script_template_renderer)
print resource_command
except BadCommand, e:
raise BadCommand('An error occurred. %s' % e)
except:
msg = str(sys.exc_info()[1])
raise BadCommand('An unknown error occurred. %s' % msg)
class RoutesCommand(Command):
"""Print the applications routes
The optional CONFIG_FILE argument specifies the config file to use.
CONFIG_FILE defaults to 'development.ini'.
Example::
$ paster routes my-development.ini
"""
summary = __doc__.splitlines()[0]
usage = '\n' + __doc__
min_args = 0
max_args = 1
group_name = 'pylons'
parser = Command.standard_parser(simulate=True)
parser.add_option('-q',
action='count',
dest='quiet',
default=0,
help=("Do not load logging configuration from the "
"config file"))
def command(self):
"""Main command to create a new shell"""
self.verbose = 3
if len(self.args) == 0:
# Assume the .ini file is ./development.ini
config_file = 'development.ini'
if not os.path.isfile(config_file):
raise BadCommand('%sError: CONFIG_FILE not found at: .%s%s\n'
'Please specify a CONFIG_FILE' % \
(self.parser.get_usage(), os.path.sep,
config_file))
else:
config_file = self.args[0]
config_name = 'config:%s' % config_file
here_dir = os.getcwd()
if not self.options.quiet:
# Configure logging from the config file
self.logging_file_config(config_file)
# Load the wsgi app first so that everything is initialized right
wsgiapp = loadapp(config_name, relative_to=here_dir)
test_app = paste.fixture.TestApp(wsgiapp)
# Query the test app to setup the environment and get the mapper
tresponse = test_app.get('/_test_vars')
mapper = tresponse.config.get('routes.map')
if mapper:
print mapper
class ShellCommand(Command):
"""Open an interactive shell with the Pylons app loaded
The optional CONFIG_FILE argument specifies the config file to use for
the interactive shell. CONFIG_FILE defaults to 'development.ini'.
This allows you to test your mapper, models, and simulate web requests
using ``paste.fixture``.
Example::
$ paster shell my-development.ini
"""
summary = __doc__.splitlines()[0]
usage = '\n' + __doc__
min_args = 0
max_args = 1
group_name = 'pylons'
parser = Command.standard_parser(simulate=True)
parser.add_option('-d', '--disable-ipython',
action='store_true',
dest='disable_ipython',
help="Don't use IPython if it is available")
parser.add_option('-q',
action='count',
dest='quiet',
default=0,
help=("Do not load logging configuration from the "
"config file"))
def command(self):
"""Main command to create a new shell"""
self.verbose = 3
if len(self.args) == 0:
# Assume the .ini file is ./development.ini
config_file = 'development.ini'
if not os.path.isfile(config_file):
raise BadCommand('%sError: CONFIG_FILE not found at: .%s%s\n'
'Please specify a CONFIG_FILE' % \
(self.parser.get_usage(), os.path.sep,
config_file))
else:
config_file = self.args[0]
config_name = 'config:%s' % config_file
here_dir = os.getcwd()
locs = dict(__name__="pylons-admin")
if not self.options.quiet:
# Configure logging from the config file
self.logging_file_config(config_file)
# Load locals and populate with objects for use in shell
sys.path.insert(0, here_dir)
# Load the wsgi app first so that everything is initialized right
wsgiapp = loadapp(config_name, relative_to=here_dir)
test_app = paste.fixture.TestApp(wsgiapp)
# Query the test app to setup the environment
tresponse = test_app.get('/_test_vars')
request_id = int(tresponse.body)
# Disable restoration during test_app requests
test_app.pre_request_hook = lambda self: \
paste.registry.restorer.restoration_end()
test_app.post_request_hook = lambda self: \
paste.registry.restorer.restoration_begin(request_id)
# Restore the state of the Pylons special objects
# (StackedObjectProxies)
paste.registry.restorer.restoration_begin(request_id)
# Determine the package name from the pylons.config object
pkg_name = pylons.config['pylons.package']
# Start the rest of our imports now that the app is loaded
if is_minimal_template(pkg_name, True):
model_module = None
helpers_module = pkg_name + '.helpers'
base_module = pkg_name + '.controllers'
else:
model_module = pkg_name + '.model'
helpers_module = pkg_name + '.lib.helpers'
base_module = pkg_name + '.lib.base'
if model_module and can_import(model_module):
locs['model'] = sys.modules[model_module]
if can_import(helpers_module):
locs['h'] = sys.modules[helpers_module]
exec ('from pylons import app_globals, config, request, response, '
'session, tmpl_context, url') in locs
exec ('from pylons.controllers.util import abort, redirect') in locs
exec 'from pylons.i18n import _, ungettext, N_' in locs
locs.pop('__builtins__', None)
# Import all objects from the base module
__import__(base_module)
base = sys.modules[base_module]
base_public = [__name for __name in dir(base) if not \
__name.startswith('_') or __name == '_']
locs.update((name, getattr(base, name)) for name in base_public)
locs.update(dict(wsgiapp=wsgiapp, app=test_app))
mapper = tresponse.config.get('routes.map')
if mapper:
locs['mapper'] = mapper
banner = " All objects from %s are available\n" % base_module
banner += " Additional Objects:\n"
if mapper:
banner += " %-10s - %s\n" % ('mapper', 'Routes mapper object')
banner += " %-10s - %s\n" % ('wsgiapp',
"This project's WSGI App instance")
banner += " %-10s - %s\n" % ('app',
'paste.fixture wrapped around wsgiapp')
try:
if self.options.disable_ipython:
raise ImportError()
# try to use IPython if possible
try:
try:
# 1.0 <= ipython
from IPython.terminal.embed import InteractiveShellEmbed
except ImportError:
# 0.11 <= ipython < 1.0
from IPython.frontend.terminal.embed import InteractiveShellEmbed
shell = InteractiveShellEmbed(banner2=banner)
except ImportError:
# ipython < 0.11
from IPython.Shell import IPShellEmbed
shell = IPShellEmbed(argv=self.args)
shell.set_banner(shell.IP.BANNER + '\n\n' + banner)
try:
shell(local_ns=locs, global_ns={})
finally:
paste.registry.restorer.restoration_end()
except ImportError:
import code
py_prefix = sys.platform.startswith('java') and 'J' or 'P'
newbanner = "Pylons Interactive Shell\n%sython %s\n\n" % \
(py_prefix, sys.version)
banner = newbanner + banner
shell = code.InteractiveConsole(locals=locs)
try:
import readline
except ImportError:
pass
try:
shell.interact(banner)
finally:
paste.registry.restorer.restoration_end()
|