script.py 2.3 KB

12345678910111213141516171819202122232425262728293031323334353637383940414243444546474849505152535455565758596061626364656667686970
  1. import subprocess
  2. import os
  3. import threading
  4. from core.NeuronModule import NeuronModule, MissingParameterException, InvalidParameterException
  5. class AsyncShell(threading.Thread):
  6. """
  7. Class used to run an asynchronous Shell command
  8. .. notes:: Impossible to get the success code of the command
  9. """
  10. def __init__(self, path):
  11. self.stdout = None
  12. self.stderr = None
  13. self.path = path
  14. threading.Thread.__init__(self)
  15. def run(self):
  16. p = subprocess.Popen(self.path,
  17. shell=True,
  18. stdout=subprocess.PIPE,
  19. stderr=subprocess.PIPE)
  20. self.stdout, self.stderr = p.communicate()
  21. class Script(NeuronModule):
  22. def __init__(self, **kwargs):
  23. super(Script, self).__init__(**kwargs)
  24. self.path = kwargs.get("path", None)
  25. # get if the user select a blocking command or not
  26. self.async = kwargs.get('async', False)
  27. # check parameters
  28. if self._is_parameters_ok():
  29. # run the command
  30. if not self.async:
  31. p = subprocess.Popen(self.path, stdout=subprocess.PIPE, stderr=subprocess.PIPE, shell=True)
  32. (output, err) = p.communicate()
  33. self.output = output
  34. self.returncode = p.returncode
  35. print self.output
  36. print self.returncode
  37. message = {
  38. "output": self.output,
  39. "returncode": self.returncode
  40. }
  41. self.say(message)
  42. else:
  43. async_shell = AsyncShell(path=self.path)
  44. async_shell.start()
  45. def _is_parameters_ok(self):
  46. """
  47. Check if received parameters are ok to perform operations in the neuron
  48. :return: true if parameters are ok, raise an exception otherwise
  49. .. raises:: MissingParameterException, InvalidParameterException
  50. """
  51. if self.path is None:
  52. raise MissingParameterException("You must provide a script path.")
  53. if not os.path.isfile(self.path):
  54. raise InvalidParameterException("Script not found or is not a file.")
  55. if not os.access(self.path, os.X_OK):
  56. raise InvalidParameterException("Script not Executable.")
  57. return True