No Description
You can not select more than 25 topics Topics must start with a letter or number, can include dashes ('-') and can be up to 35 characters long.

slim.py 14KB

123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147148149150151152153154155156157158159160161162163164165166167168169170171172173174175176177178179180181182183184185186187188189190191192193194195196197198199200201202203204205206207208209210211212213214215216217218219220221222223224225226227228229230231232233234235236237238239240241242243244245246247248249250251252253254255256257258259260261262263264265266267268269270271272273274275276277278279280281282283284285286287288289290291292293294295296297298299300301302303304305306307308309310311312313314315316317318319320321322323324325326327328329330331332333334335336337338339340341342343344345346347348349350351352353354355356357358359360361362363364365366367368369370371372373374375376377378379380381382383384385386387388389390391392393394395396397398399400401402403404405406407408409410411412413414
  1. #!/usr/bin/env python3
  2. #-*- coding: utf-8 -*-
  3. import os, os.path
  4. import sys
  5. import shutil
  6. import argparse
  7. import logging
  8. import re
  9. import json
  10. import configparser
  11. import subprocess
  12. logging.basicConfig(level=logging.INFO)
  13. INSTANCES_ABSPATH="/tmp/lodel2_instances"
  14. CONFFILE='conf.d/lodel2.ini'
  15. try:
  16. STORE_FILE = os.path.join("[@]SLIM_VAR_DIR[@]", 'slim_instances.json')
  17. PID_FILE = os.path.join("[@]SLIM_VAR_DIR[@]", 'slim_instances_pid.json')
  18. CREATION_SCRIPT = os.path.join("[@]LODEL2_PROGSDIR[@]", 'create_instance')
  19. INSTALL_TPL = "[@]SLIM_INSTALLMODEL_DIR[@]"
  20. EMFILE = os.path.join("[@]SLIM_DATADIR[@]", 'emfile.pickle')
  21. except SyntaxError:
  22. STORE_FILE='./instances.json'
  23. PID_FILE = './slim_instances_pid.json'
  24. CREATION_SCRIPT='../scripts/create_instance.sh'
  25. INSTALL_TPL = './slim_ressources/slim_install_model'
  26. EMFILE = './slim_ressources/emfile.pickle'
  27. CREATION_SCRIPT=os.path.join(os.path.dirname(__file__), CREATION_SCRIPT)
  28. STORE_FILE=os.path.join(os.path.dirname(__file__), STORE_FILE)
  29. INSTALL_TPL=os.path.join(os.path.dirname(__file__), INSTALL_TPL)
  30. EMFILE=os.path.join(os.path.dirname(__file__), EMFILE)
  31. #STORE_FILE syntax :
  32. #
  33. #First level keys are instances names, their values are dict with following
  34. #informations :
  35. # - path
  36. #
  37. ##@brief Run 'make %target%' for each instances given in names
  38. #@param target str : make target
  39. #@param names list : list of instance name
  40. def run_make(target, names):
  41. validate_names(names)
  42. store_datas = get_store_datas()
  43. cwd = os.getcwd()
  44. for name in [n for n in store_datas if n in names]:
  45. datas = store_datas[name]
  46. logging.info("Running 'make %s' for '%s' in %s" % (
  47. target, name, datas['path']))
  48. os.chdir(datas['path'])
  49. os.system('make %s' % target)
  50. os.chdir(cwd)
  51. ##@brief Set configuration given args
  52. #@param args as returned by argparse
  53. def set_conf(name, args):
  54. validate_names([name])
  55. conffile = get_conffile(name)
  56. config = configparser.ConfigParser(interpolation=None)
  57. config.read(conffile)
  58. if args.interface is not None:
  59. if args.interface not in ('web', 'python'):
  60. raise TypeError("Interface can only be on of : 'web', 'python'")
  61. config['lodel2']['interface'] = args.interface
  62. interface = config['lodel2']['interface']
  63. if interface == 'web':
  64. if 'lodel.webui' not in config:
  65. config['lodel.webui'] = dict()
  66. config['lodel.webui']['standalone'] = 'True'
  67. if args.listen_port is not None:
  68. config['lodel.webui']['listen_port'] = str(args.listen_port)
  69. if args.listen_address is not None:
  70. config['lodel.webui']['listen_address'] = str(args.listen_address)
  71. else: #interface is python
  72. if args.listen_port is not None or args.listen_address is not None:
  73. logging.error("Listen port and listen address will not being set. \
  74. Selected interface is not the web iterface")
  75. if 'lodel.webui' in config:
  76. del(config['lodel.webui'])
  77. #Now config should be OK to be written again in conffile
  78. with open(conffile, 'w+') as cfp:
  79. config.write(cfp)
  80. ##@brief If the name is not valid raise
  81. def name_is_valid(name):
  82. allowed_chars = [chr(i) for i in range(ord('a'), ord('z')+1)]
  83. allowed_chars += [chr(i) for i in range(ord('A'), ord('Z')+1)]
  84. allowed_chars += [chr(i) for i in range(ord('0'), ord('9')+1)]
  85. allowed_chars += ['_']
  86. for c in name:
  87. if c not in allowed_chars:
  88. raise RuntimeError("Allowed characters for instance name are \
  89. lower&upper alphanum and '_'. Name '%s' is invalid" % name)
  90. ##@brief Create a new instance
  91. #@param name str : the instance name
  92. def new_instance(name):
  93. name_is_valid(name)
  94. store_datas = get_store_datas()
  95. if name in store_datas:
  96. logging.error("An instance named '%s' already exists" % name)
  97. exit(1)
  98. if not os.path.isdir(INSTANCES_ABSPATH):
  99. logging.info("Instances directory '%s' don't exists, creating it")
  100. os.mkdir(INSTANCES_ABSPATH)
  101. instance_path = os.path.join(INSTANCES_ABSPATH, name)
  102. creation_cmd = '{script} "{name}" "{path}" "{install_tpl}" \
  103. "{emfile}"'.format(
  104. script = CREATION_SCRIPT,
  105. name = name,
  106. path = instance_path,
  107. install_tpl = INSTALL_TPL,
  108. emfile = EMFILE)
  109. res = os.system(creation_cmd)
  110. if res != 0:
  111. logging.error("Creation script fails")
  112. exit(res)
  113. #storing new instance
  114. store_datas[name] = {'path': instance_path}
  115. save_datas(store_datas)
  116. ##@brief Delete an instance
  117. #@param name str : the instance name
  118. def delete_instance(name):
  119. if get_pid(name) is not None:
  120. logging.error("The instance '%s' is started. Stop it before deleting \
  121. it" % name)
  122. store_datas = get_store_datas()
  123. logging.warning("Deleting instance %s" % name)
  124. logging.info("Deleting instance folder %s" % store_datas[name]['path'])
  125. shutil.rmtree(store_datas[name]['path'])
  126. logging.info("Deleting instance from json store file")
  127. del(store_datas[name])
  128. save_datas(store_datas)
  129. ##@brief returns stored datas
  130. def get_store_datas():
  131. if not os.path.isfile(STORE_FILE) or os.stat(STORE_FILE).st_size == 0:
  132. return dict()
  133. else:
  134. with open(STORE_FILE, 'r') as sfp:
  135. datas = json.load(sfp)
  136. return datas
  137. ##@brief Checks names validity and exit if fails
  138. def validate_names(names):
  139. store_datas = get_store_datas()
  140. invalid = [ n for n in names if n not in store_datas]
  141. if len(invalid) > 0:
  142. print("Following names are not existing instance :", file=sys.stderr)
  143. for name in invalid:
  144. print("\t%s" % name, file=sys.stderr)
  145. exit(1)
  146. ##@brief Returns the PID dict
  147. #@return a dict with instance name as key an PID as value
  148. def get_pids():
  149. if not os.path.isfile(PID_FILE):
  150. return dict()
  151. with open(PID_FILE, 'r') as pdf:
  152. return json.load(pfd)
  153. ##@brief Save a dict of pid
  154. #@param pid_dict dict : key is instance name values are pid
  155. def save_pids(pid_dict):
  156. with open(PID_FILE, 'w+') as pfd:
  157. json.dump(pid_dict, pfd)
  158. ##@brief Given an instance name returns its PID
  159. #@return False or an int
  160. def get_pid(name):
  161. pid_datas = get_pids()
  162. if name not in pid_datas:
  163. return False
  164. else:
  165. return pid_datas[name]
  166. ##@brief Start an instance
  167. #@param names list : instance name list
  168. def start_instance(names):
  169. pids = get_pids()
  170. store_datas = get_store_datas()
  171. for name in names:
  172. if name in pids:
  173. logging.warning("The instance %s is allready running" % name)
  174. continue
  175. os.chdir(store_datas[name]['path'])
  176. args = [sys.executable, 'loader.py']
  177. curexec = subprocess.Popen(args)
  178. pids[name] = curexec.pid
  179. logging.info("Instance '%s' started. PID %d" % (name, curexec.pid))
  180. ##@brief Check if instance are specified
  181. def get_specified(args):
  182. if args.all:
  183. names = list(get_store_datas().keys())
  184. elif args.name is not None:
  185. names = args.name
  186. else:
  187. names = None
  188. return names
  189. ##@brief Saves store datas
  190. def save_datas(datas):
  191. with open(STORE_FILE, 'w+') as sfp:
  192. json.dump(datas, sfp)
  193. ##@return conffile path
  194. def get_conffile(name):
  195. validate_names([name])
  196. store_datas = get_store_datas()
  197. return os.path.join(store_datas[name]['path'], CONFFILE)
  198. ##@brief Print the list of instances and exit
  199. #@param verbosity int
  200. #@param batch bool : if true make simple output
  201. def list_instances(verbosity, batch):
  202. verbosity = 0 if verbosity is None else verbosity
  203. if not os.path.isfile(STORE_FILE):
  204. print("No store file, no instances are existing. Exiting...",
  205. file=sys.stderr)
  206. exit(0)
  207. store_datas = get_store_datas()
  208. if not batch:
  209. print('Instances list :')
  210. for name in store_datas:
  211. details_instance(name, verbosity, batch)
  212. exit(0)
  213. ##@brief Print instance informations and return (None)
  214. #@param name str : instance name
  215. #@param verbosity int
  216. #@param batch bool : if true make simple output
  217. def details_instance(name, verbosity, batch):
  218. validate_names([name])
  219. store_datas = get_store_datas()
  220. if not batch:
  221. msg = "\t- '%s'" % name
  222. if verbosity > 0:
  223. msg += ' path = "%s"' % store_datas[name]['path']
  224. if verbosity > 1:
  225. ruler = (''.join(['=' for _ in range(20)])) + "\n"
  226. msg += "\n\t\t====conf.d/lodel2.ini====\n"
  227. with open(get_conffile(name)) as cfp:
  228. for line in cfp:
  229. msg += "\t\t"+line
  230. msg += "\t\t=========================\n"
  231. print(msg)
  232. else:
  233. msg = name
  234. if verbosity > 0:
  235. msg += "\t"+'"%s"' % store_datas[name]['path']
  236. if verbosity > 1:
  237. conffile = get_conffile(name)
  238. msg += "\n\t#####"+conffile+"#####\n"
  239. with open(conffile, 'r') as cfp:
  240. for line in cfp:
  241. msg += "\t"+line
  242. msg += "\n\t###########"
  243. print(msg)
  244. ##@brief Returns instanciated parser
  245. def get_parser():
  246. parser = argparse.ArgumentParser(
  247. description='SLIM (Simple Lodel Instance Manager.)')
  248. selector = parser.add_argument_group('Instances selectors')
  249. actions = parser.add_argument_group('Instances actions')
  250. confs = parser.add_argument_group('Options (use with -c or -s)')
  251. parser.add_argument('-l', '--list',
  252. help='list existing instances and exit', action='store_const',
  253. const=True, default=False)
  254. parser.add_argument('-v', '--verbose', action='count')
  255. parser.add_argument('-b', '--batch', action='store_const',
  256. default=False, const=True,
  257. help="Format output (when possible) making it usable by POSIX scripts \
  258. (only implemented for -l for the moment)")
  259. selector.add_argument('-a', '--all', action='store_const',
  260. default=False, const=True,
  261. help='Select all instances')
  262. selector.add_argument('-n', '--name', metavar='NAME', type=str, nargs='*',
  263. help="Specify an instance name")
  264. actions.add_argument('-c', '--create', action='store_const',
  265. default=False, const=True,
  266. help="Create a new instance with given name (see -n --name)")
  267. actions.add_argument('-d', '--delete', action='store_const',
  268. default=False, const=True,
  269. help="Delete an instance with given name (see -n --name)")
  270. actions.add_argument('-s', '--set-option', action='store_const',
  271. default=False, const=True,
  272. help="Use this flag to set options on instance")
  273. actions.add_argument('-e', '--edit-config', action='store_const',
  274. default=False, const=True,
  275. help='Edit configuration of specified instance')
  276. actions.add_argument('-i', '--interactive', action='store_const',
  277. default=False, const=True,
  278. help='Run a loader.py from ONE instance in foreground')
  279. actions.add_argument('--stop', action='store_const',
  280. default=False, const=True, help="Stop instances")
  281. actions.add_argument('--start', action='store_const',
  282. default=False, const=True, help="Start instances")
  283. actions.add_argument('-m', '--make', metavar='TARGET', type=str,
  284. nargs="?", default='not',
  285. help='Run make for selected instances')
  286. confs.add_argument('--interface', type=str,
  287. help="Select wich interface to run. Possible values are \
  288. 'python' and 'web'")
  289. confs.add_argument('--listen-port', type=int,
  290. help="Select the port on wich the web interface will listen to")
  291. confs.add_argument('--listen-address', type=str,
  292. help="Select the address on wich the web interface will bind to")
  293. return parser
  294. if __name__ == '__main__':
  295. parser = get_parser()
  296. args = parser.parse_args()
  297. if args.list:
  298. # Instances list
  299. if args.name is not None:
  300. validate_names(args.name)
  301. for name in args.name:
  302. details_instance(name, args.verbose, args.batch)
  303. else:
  304. list_instances(args.verbose, args.batch)
  305. elif args.create:
  306. #Instance creation
  307. if args.name is None:
  308. parser.print_help()
  309. print("\nAn instance name expected when creating an instance !",
  310. file=sys.stderr)
  311. exit(1)
  312. for name in args.name:
  313. new_instance(name)
  314. elif args.delete:
  315. #Instance deletion
  316. if args.name is None:
  317. parser.print_help()
  318. print("\nAn instance name expected when creating an instance !",
  319. file=sys.stderr)
  320. exit(1)
  321. validate_names(args.name)
  322. for name in args.name:
  323. delete_instance(name)
  324. elif args.make != 'not':
  325. #Running make in instances
  326. if args.make is None:
  327. target = 'all'
  328. else:
  329. target = args.make
  330. names = get_specified(args)
  331. if names is None:
  332. parser.print_help()
  333. print("\nWhen using -m --make options you have to select \
  334. instances, either by name using -n or all using -a")
  335. exit(1)
  336. run_make(target, names)
  337. elif args.edit_config:
  338. #Edit configuration
  339. names = get_specified(args)
  340. if len(names) > 1:
  341. print("\n-e --edit-config option works only when 1 instance is \
  342. specified")
  343. validate_names(names)
  344. name = names[0]
  345. store_datas = get_store_datas()
  346. conffile = get_conffile(name)
  347. os.system('editor "%s"' % conffile)
  348. exit(0)
  349. elif args.interactive:
  350. #Run loader.py in foreground
  351. if args.name is None or len(args.name) != 1:
  352. print("\n-i option only allowed with ONE instance name")
  353. parser.print_help()
  354. exit(1)
  355. validate_names(args.name)
  356. name = args.name[0]
  357. store_datas = get_store_datas()
  358. os.chdir(store_datas[name]['path'])
  359. os.execl('/usr/bin/env', '/usr/bin/env', 'python3', 'loader.py')
  360. elif args.set_option:
  361. names = None
  362. if args.all:
  363. names = list(get_store_datas().values())
  364. elif args.name is not None:
  365. names = args.name
  366. if names is None:
  367. print("\n-s option only allowed with instance specified (by name \
  368. or with -a)")
  369. parser.print_help()
  370. exit(1)
  371. for name in names:
  372. set_conf(name, args)
  373. elif args.start:
  374. names = get_specified(args)
  375. start_instance(names)