File: json_config

package info (click to toggle)
python-irodsclient 3.0.0-1
  • links: PTS, VCS
  • area: main
  • in suites: forky, sid, trixie
  • size: 1,352 kB
  • sloc: python: 16,650; xml: 525; sh: 104; awk: 5; sql: 3; makefile: 3
file content (158 lines) | stat: -rwxr-xr-x 4,575 bytes parent folder | download
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
#!/usr/bin/env python3

# A BATS test helper.
#    - Add, delete, or change top level variables within JSON-format iRODS environment configuration files.
#    - PRESERVE, RESTORE, and PRESERVE_check operations to assert checkpoints in test setup/teardown phases.
#    - Allow variable abbreviation by means of omitting prefix. (Delineated by '*' in a VAR declaration.)

import argparse
import ast
from collections import OrderedDict
import errno
import json
import os
from os.path import (basename, abspath)
import shelve
import sys

tempstore = {}
fds = {}

parser=argparse.ArgumentParser()

parser.add_argument('-c','--clear-store',action='store_true', help='clear store')
parser.add_argument('-s','--store',action='store_true', help='print value of store')
parser.add_argument('-i','--input',action='append', metavar='config_filename',
        help='names of files containing JSON configuration')
parser.add_argument('actions', metavar='action', type=str, nargs='*',
        help='actions to be applied to the config files. ex:\n'
        'VAR="prefix*varname"' '\n'
        'varname=pyvalue' '\n'
        'RESTORE|PRESERVE[_check]'
        )

opt = parser.parse_args()

store = shelve.open(os.path.expanduser('~/.store.{}'.format(basename(sys.argv[0]))))

class JSONUnrepresentable(Exception): pass

# represent OrderedDicts as normal dicts when printing structs loaded from JSON files

def to_dict(s):
  try:
      s.get("") # throw AttributeError for dict-incompatible types
      s = dict(s)
  except AttributeError:
      pass
  if isinstance(s,list):
      return [to_dict(item) for item in s]
  elif isinstance(s,dict):
      return {key:to_dict(value) for key,value in s.items()}
  elif isinstance(s,(int,str,float)):
      return s
  raise JSONUnrepresentable

if opt.store:
    import pprint
    pprint.pprint(to_dict(store))
    exit()

if opt.clear_store:
    store.clear()

def PRESERVE_check(): return PRESERVE('check')
def PRESERVE_force(): return PRESERVE('force')
def PRESERVE(modifier = 'no-replace'):
    if opt.input:
        for fname in opt.input:
            key = '\0i:'+ abspath(fname)
            existing = store.get(key,'')
            if existing and modifier == 'check':
                truth = (existing == tempstore[fname])
                assert truth, 'PRESERVE mismatch in {} - maybe due to missed or failed RESTORE'.format(fname)
            if modifier == 'force' or not existing:
                store[key] = tempstore[fname]

def RESTORE():
    input_ = [ (k[3:],j) for k,j in store.items() if k.startswith('\0i:') ]
    filt = None if not opt.input else lambda x:x[0] in opt.input
    input_ = filter(filt,input_)
    for f,j in input_:
        open(f,'w').write(json.dumps(j,indent=4))
    global do_savefiles
    do_savefiles=False

def VAR(v,do_store=False):
  if do_store:
      pfx,rest = v.split('*',1)
      store['\0v:'+rest]=pfx
  else:
      return store.get('\0v:'+v,'')+v

def savefiles():
    for fname,fd in fds.items():
        fd = fds[fname]
        fd.seek(0)
        fd.write(json.dumps(tempstore[fname],indent=4))
        fd.truncate()
        fd.close()

def loadfile(fname):
    s= ''
    try:
        f = open(fname,'r+')
    except (IOError,OSError) as exc:
        if exc.errno == errno.ENOENT:
            f = open(fname,'w+')
        else:
            raise
    s = f.read()
    if not s:
        j = {}
    else:
        j = json.loads(s,object_hook = OrderedDict)
    tempstore[fname] = j
    fds[fname] = f

funcs = {x:globals()[x] for x in ('PRESERVE',
				  'RESTORE',
				  'PRESERVE_check',
				  'PRESERVE_force'  )}

def isVARitem(item): return item.startswith('VAR=')
def notVARitem(item): return not(isVARitem(item))

do_savefiles=True

def main():

    if opt.input:
        for s in opt.input:
            loadfile(s)

    for c in filter(isVARitem,opt.actions):
        name,value = c.split('=',1)
        VAR(value,True)

    # special case - RESTORE all items in store regardless of argv input
    if 'RESTORE' in opt.actions and not fds:
        RESTORE()

    for fname,f in fds.items():
        j = tempstore[fname]
        for c in filter(notVARitem,opt.actions):
            name,value = c.split('=',1) if '=' in c else (c,'')
            if name in funcs:
                 funcs[name]()  # RESTORE, PRESERVE[_*] for the list of fds active
                 continue
            if not value:
                j.pop(VAR(name),None)
            else:
                j[VAR(name)] = ast.literal_eval(value)

    if do_savefiles:
        savefiles()

if __name__ == '__main__':
    main()