94 lines
2.7 KiB
Python
94 lines
2.7 KiB
Python
"""
|
|
Shlax executes mostly in 3 ways:
|
|
- Execute actions on targets with the command line
|
|
- With your shlaxfile as first argument: offer defined Actions
|
|
- With the name of a module in shlax.repo: a community maintained shlaxfile
|
|
"""
|
|
import ast
|
|
import asyncio
|
|
import cli2
|
|
import glob
|
|
import inspect
|
|
import importlib
|
|
import os
|
|
import sys
|
|
|
|
|
|
class Group(cli2.Group):
|
|
def __init__(self, *args, **kwargs):
|
|
super().__init__(*args, **kwargs)
|
|
self.cmdclass = Command
|
|
|
|
|
|
class TargetArgument(cli2.Argument):
|
|
"""DSN of the target to execute on, localhost by default, TBI"""
|
|
|
|
def __init__(self, cmd, param, doc=None, color=None, default=None):
|
|
from shlax.targets.base import Target
|
|
super().__init__(cmd, param, doc=self.__doc__, default=Target())
|
|
self.alias = ['target', 't']
|
|
|
|
|
|
class Command(cli2.Command):
|
|
def setargs(self):
|
|
super().setargs()
|
|
self['target'] = TargetArgument(
|
|
self,
|
|
self.sig.parameters['target'],
|
|
)
|
|
if 'actions' in self:
|
|
del self['actions']
|
|
|
|
def __call__(self, *argv):
|
|
super().__call__(*argv)
|
|
self['target'].value.output.results(self['target'].value)
|
|
|
|
|
|
class ActionCommand(cli2.Command):
|
|
def call(self, *args, **kwargs):
|
|
self.target = self.target(*args, **kwargs)
|
|
from shlax.targets.base import Target
|
|
return super().call(Target())
|
|
|
|
|
|
class ConsoleScript(Group):
|
|
def __call__(self, *argv):
|
|
self.load_actions()
|
|
#self.load_shlaxfiles() # wip
|
|
return super().__call__(*argv)
|
|
|
|
def load_shlaxfiles(self):
|
|
filesdir = os.path.dirname(__file__) + '/shlaxfiles/'
|
|
for filename in os.listdir(filesdir):
|
|
filepath = filesdir + filename
|
|
if not os.path.isfile(filepath):
|
|
continue
|
|
|
|
with open(filepath, 'r') as f:
|
|
tree = ast.parse(f.read())
|
|
group = self.group(filename[:-3])
|
|
|
|
main = Group(doc=__doc__).load(shlax)
|
|
|
|
def load_actions(self):
|
|
actionsdir = os.path.dirname(__file__) + '/actions/'
|
|
for filename in os.listdir(actionsdir):
|
|
filepath = actionsdir + filename
|
|
if not os.path.isfile(filepath):
|
|
continue
|
|
with open(filepath, 'r') as f:
|
|
tree = ast.parse(f.read())
|
|
cls = [
|
|
node
|
|
for node in tree.body
|
|
if isinstance(node, ast.ClassDef)
|
|
]
|
|
if not cls:
|
|
continue
|
|
mod = importlib.import_module('shlax.actions.' + filename[:-3])
|
|
cls = getattr(mod, cls[0].name)
|
|
self.add(cls, name=filename[:-3], cmdclass=ActionCommand)
|
|
|
|
|
|
cli = ConsoleScript(doc=__doc__)
|