File: item_module_map.py

package info (click to toggle)
wxpython4.0 4.2.3%2Bdfsg-2
  • links: PTS, VCS
  • area: main
  • in suites: forky, sid, trixie
  • size: 221,752 kB
  • sloc: cpp: 962,555; python: 230,573; ansic: 170,731; makefile: 51,756; sh: 9,342; perl: 1,564; javascript: 584; php: 326; xml: 200
file content (126 lines) | stat: -rw-r--r-- 3,528 bytes parent folder | download | duplicates (2)
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
# -*- coding: utf-8 -*-
# ---------------------------------------------------------------------------
# Name:        etgtools/map_generator.py
# Author:      Robin Dunn
#
# Created:     20-May-2016
# Copyright:   (c) 2016-2020 by Total Control Software
# License:     wxWindows License
# ---------------------------------------------------------------------------

"""
This module provides a class that manages a persistent mapping, currently just
for mapping module item names to the name of their module, so other phases of
the code generation can find things that may not have been seen yet.  This
class can easily be adapted to other purposes however, if the need arises.
"""

# Standard library imports
import os.path as op
import json


# Phoenix imports
from .generators import textfile_open
from sphinxtools.constants import SPHINXROOT

# ---------------------------------------------------------------------------

class ItemModuleMap(object):
    """
    A persistent (across builds) mapping.  It manages the data in a
    dictionary, and also has a few methods to make the object quack a little
    like a real dictionary.
    """

    # This is the Borg pattern, so all instances of this class actually share
    # the same data attributes
    __shared_state = dict(_haveReadData=False,
                          _items=dict())

    def __init__(self):
        self.__dict__ = self.__shared_state # Borg part 2
        self.fileName = op.join(SPHINXROOT, 'itemToModuleMap.json')


    @property
    def items(self):
        # lazy load the items on first use
        if not self._haveReadData:
            self.read()
        return self._items


    # Methods for reading/writing the data from/to persistent storage.
    def read(self):
        if op.isfile(self.fileName):
            with textfile_open(self.fileName, 'rt') as fid:
                items = json.load(fid)
                # TODO: catch JSON exception...
                if items is None:
                    items = dict()
        else:
            items = dict()

        self._items.clear()
        self._items.update(items)
        self._haveReadData = True


    def flush(self):
        if not self._haveReadData and not self._items:
            return
        with textfile_open(self.fileName, 'wt') as fid:
            # Dump the data to a file in json, using a format that minimizes
            # excess whitespace.
            json.dump(self._items, fid, sort_keys=True,
                      indent=0, separators=(',', ':'))


    def reset(self):
        self._haveReadData = False,
        self._items.clear()


    def get_module(self, name):
        return self.items.get(name)

    def get_fullname(self, name):
        module = self.items.get(name)
        if not module:
            return name
        return module + name



    # Methods for a dictionary Facade, for convenience
    def get(self, key, default=None):
        return self.items.get(key, default)

    def clear(self):
        self.items.clear()

    def __len__(self):
        return len(self.items)

    def __getitem__(self, key):
        if key in self.items:
            return self.items[key]
        raise KeyError(key)

    def __setitem__(self, key, item):
        self.items[key] = item

    def __delitem__(self, key):
        del self.items[key]

    def __iter__(self):
        return iter(self.items)

    def __contains__(self, key):
        return key in self.items




# ---------------------------------------------------------------------------